From 0e6554edc191882d9f1b8690367e84b26fb106b8 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Tue, 20 May 2014 15:27:02 +0530 Subject: [PATCH 001/630] Root Type field added in account and patch for existing accoutns --- erpnext/accounts/doctype/account/account.js | 1 + erpnext/accounts/doctype/account/account.json | 9 +- erpnext/accounts/doctype/account/account.py | 13 +- erpnext/patches.txt | 2 +- .../patches/v4_0/update_account_root_type.py | 32 ++++ erpnext/setup/doctype/company/company.py | 139 +++++++++--------- 6 files changed, 121 insertions(+), 75 deletions(-) create mode 100644 erpnext/patches/v4_0/update_account_root_type.py diff --git a/erpnext/accounts/doctype/account/account.js b/erpnext/accounts/doctype/account/account.js index f085c8bb6b..471fe7e9b6 100644 --- a/erpnext/accounts/doctype/account/account.js +++ b/erpnext/accounts/doctype/account/account.js @@ -49,6 +49,7 @@ cur_frm.cscript.master_type = function(doc, cdt, cdn) { } cur_frm.add_fetch('parent_account', 'report_type', 'report_type'); +cur_frm.add_fetch('parent_account', 'root_type', 'root_type'); cur_frm.cscript.account_type = function(doc, cdt, cdn) { if(doc.group_or_ledger=='Ledger') { diff --git a/erpnext/accounts/doctype/account/account.json b/erpnext/accounts/doctype/account/account.json index cf9adc59ae..9104b56c2b 100644 --- a/erpnext/accounts/doctype/account/account.json +++ b/erpnext/accounts/doctype/account/account.json @@ -82,6 +82,13 @@ "permlevel": 0, "search_index": 1 }, + { + "fieldname": "root_type", + "fieldtype": "Select", + "label": "Root Type", + "options": "\nAsset\nLiability\nIncome\nExpense\nEquity", + "permlevel": 0 + }, { "fieldname": "report_type", "fieldtype": "Select", @@ -200,7 +207,7 @@ "icon": "icon-money", "idx": 1, "in_create": 1, - "modified": "2014-05-12 17:03:19.733139", + "modified": "2014-05-20 11:44:53.012945", "modified_by": "Administrator", "module": "Accounts", "name": "Account", diff --git a/erpnext/accounts/doctype/account/account.py b/erpnext/accounts/doctype/account/account.py index ad588b5291..11b8d4a79a 100644 --- a/erpnext/accounts/doctype/account/account.py +++ b/erpnext/accounts/doctype/account/account.py @@ -42,7 +42,7 @@ class Account(Document): """Fetch Parent Details and validation for account not to be created under ledger""" if self.parent_account: par = frappe.db.get_value("Account", self.parent_account, - ["name", "group_or_ledger", "report_type"], as_dict=1) + ["name", "group_or_ledger", "report_type", "root_type"], as_dict=1) if not par: throw(_("Parent account does not exist")) elif par["name"] == self.name: @@ -52,6 +52,8 @@ class Account(Document): if par["report_type"]: self.report_type = par["report_type"] + if par["root_type"]: + self.root_type - par["root_type"] def validate_root_details(self): #does not exists parent @@ -99,6 +101,9 @@ class Account(Document): if not self.report_type: throw(_("Report Type is mandatory")) + if not self.root_type: + throw(_("Root Type is mandatory")) + def validate_warehouse_account(self): if not cint(frappe.defaults.get_global_default("auto_accounting_for_stock")): return @@ -194,10 +199,10 @@ class Account(Document): throw(_("Account {0} does not exist").format(new)) val = list(frappe.db.get_value("Account", new_account, - ["group_or_ledger", "report_type", "company"])) + ["group_or_ledger", "root_type", "company"])) - if val != [self.group_or_ledger, self.report_type, self.company]: - throw(_("""Merging is only possible if following properties are same in both records. Group or Ledger, Report Type, Company""")) + if val != [self.group_or_ledger, self.root_type, self.company]: + throw(_("""Merging is only possible if following properties are same in both records. Group or Ledger, Root Type, Company""")) return new_account diff --git a/erpnext/patches.txt b/erpnext/patches.txt index 3fc2b11536..dc5bb57fb6 100644 --- a/erpnext/patches.txt +++ b/erpnext/patches.txt @@ -43,4 +43,4 @@ execute:frappe.delete_doc_if_exists("DocType", "Warehouse User") execute:frappe.db.sql("delete from `tabWebsite Item Group` where ifnull(item_group, '')=''") execute:frappe.delete_doc("Print Format", "SalesInvoice") execute:import frappe.defaults;frappe.defaults.clear_default("price_list_currency") - +erpnext.patches.v4_0.update_account_root_type diff --git a/erpnext/patches/v4_0/update_account_root_type.py b/erpnext/patches/v4_0/update_account_root_type.py new file mode 100644 index 0000000000..9947cb684d --- /dev/null +++ b/erpnext/patches/v4_0/update_account_root_type.py @@ -0,0 +1,32 @@ +# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors +# License: GNU General Public License v3. See license.txt + +from __future__ import unicode_literals +import frappe + +def execute(): + account_table_columns = frappe.db.get_table_columns("Account") + if "debit_or_credit" in account_table_columns and "is_pl_account" in account_table_columns: + frappe.db.sql("""UPDATE tabAccount SET root_type = CASE + WHEN (debit_or_credit='Debit' and is_pl_account = 'No') THEN 'Asset' + WHEN (debit_or_credit='Credit' and is_pl_account = 'No') THEN 'Liability' + WHEN (debit_or_credit='Debit' and is_pl_account = 'Yes') THEN 'Expense' + WHEN (debit_or_credit='Credit' and is_pl_account = 'Yes') THEN 'Income' + END""") + + else: + frappe.db.sql("""UPDATE tabAccount + SET root_type = CASE + WHEN name like '%%asset%%' THEN 'Asset' + WHEN name like '%%liabilities%%' THEN 'Liability' + WHEN name like '%%expense%%' THEN 'Expense' + WHEN name like '%%income%%' THEN 'Income' + END + WHERE + ifnull(parent_account, '') = '' + """) + + for root in frappe.db.sql("""SELECT lft, rgt, root_type FROM `tabAccount` + WHERE ifnull(parent_account, '')=''""", as_dict=True): + frappe.db.sql("""UPDATE tabAccount SET root_type=%s WHERE lft>%s and rgt<%s""", + (root.root_type, root.lft, root.rgt)) diff --git a/erpnext/setup/doctype/company/company.py b/erpnext/setup/doctype/company/company.py index 6ea4fc2724..b79ea44107 100644 --- a/erpnext/setup/doctype/company/company.py +++ b/erpnext/setup/doctype/company/company.py @@ -81,11 +81,12 @@ class Company(Document): chart = frappe.get_doc("Chart of Accounts", self.chart_of_accounts) chart.create_accounts(self.name) - def add_acc(self,lst): + def add_acc(self, lst): account = frappe.get_doc({ "doctype": "Account", "freeze_account": "No", "master_type": "", + "company": self.name }) for d in self.fld_dict.keys(): @@ -182,77 +183,77 @@ class Company(Document): 'group_or_ledger': 2, 'account_type': 3, 'report_type': 4, - 'company': 5, - 'tax_rate': 6 + 'tax_rate': 5, + 'root_type': 6 } acc_list_common = [ - [_('Application of Funds (Assets)'),'','Group','','Balance Sheet',self.name,''], - [_('Current Assets'),_('Application of Funds (Assets)'),'Group','','Balance Sheet',self.name,''], - [_('Accounts Receivable'),_('Current Assets'),'Group','','Balance Sheet',self.name,''], - [_('Bank Accounts'),_('Current Assets'),'Group','Bank','Balance Sheet',self.name,''], - [_('Cash In Hand'),_('Current Assets'),'Group','Cash','Balance Sheet',self.name,''], - [_('Cash'),_('Cash In Hand'),'Ledger','Cash','Balance Sheet',self.name,''], - [_('Loans and Advances (Assets)'),_('Current Assets'),'Group','','Balance Sheet',self.name,''], - [_('Securities and Deposits'),_('Current Assets'),'Group','','Balance Sheet',self.name,''], - [_('Earnest Money'),_('Securities and Deposits'),'Ledger','','Balance Sheet',self.name,''], - [_('Stock Assets'),_('Current Assets'),'Group','Stock','Balance Sheet',self.name,''], - [_('Tax Assets'),_('Current Assets'),'Group','','Balance Sheet',self.name,''], - [_('Fixed Assets'),_('Application of Funds (Assets)'),'Group','','Balance Sheet',self.name,''], - [_('Capital Equipments'),_('Fixed Assets'),'Ledger','Fixed Asset','Balance Sheet',self.name,''], - [_('Computers'),_('Fixed Assets'),'Ledger','Fixed Asset','Balance Sheet',self.name,''], - [_('Furniture and Fixture'),_('Fixed Assets'),'Ledger','Fixed Asset','Balance Sheet',self.name,''], - [_('Office Equipments'),_('Fixed Assets'),'Ledger','Fixed Asset','Balance Sheet',self.name,''], - [_('Plant and Machinery'),_('Fixed Assets'),'Ledger','Fixed Asset','Balance Sheet',self.name,''], - [_('Investments'),_('Application of Funds (Assets)'),'Group','','Balance Sheet',self.name,''], - [_('Temporary Accounts (Assets)'),_('Application of Funds (Assets)'),'Group','','Balance Sheet',self.name,''], - [_('Temporary Account (Assets)'),_('Temporary Accounts (Assets)'),'Ledger','','Balance Sheet',self.name,''], - [_('Expenses'),'','Group','Expense Account','Profit and Loss',self.name,''], - [_('Direct Expenses'),_('Expenses'),'Group','Expense Account','Profit and Loss',self.name,''], - [_('Stock Expenses'),_('Direct Expenses'),'Group','Expense Account','Profit and Loss',self.name,''], - [_('Cost of Goods Sold'),_('Stock Expenses'),'Ledger','Expense Account','Profit and Loss',self.name,''], - [_('Stock Adjustment'),_('Stock Expenses'),'Ledger','Stock Adjustment','Profit and Loss',self.name,''], - [_('Expenses Included In Valuation'), _("Stock Expenses"), 'Ledger', 'Expenses Included In Valuation', 'Profit and Loss', self.name, ''], - [_('Indirect Expenses'), _('Expenses'),'Group','Expense Account','Profit and Loss',self.name,''], - [_('Marketing Expenses'), _('Indirect Expenses'),'Ledger','Chargeable','Profit and Loss',self.name,''], - [_('Sales Expenses'), _('Indirect Expenses'),'Ledger','Expense Account','Profit and Loss',self.name,''], - [_('Administrative Expenses'), _('Indirect Expenses'),'Ledger','Expense Account','Profit and Loss',self.name,''], - [_('Charity and Donations'), _('Indirect Expenses'),'Ledger','Expense Account','Profit and Loss',self.name,''], - [_('Commission on Sales'), _('Indirect Expenses'),'Ledger','Expense Account','Profit and Loss',self.name,''], - [_('Travel Expenses'), _('Indirect Expenses'),'Ledger','Expense Account','Profit and Loss',self.name,''], - [_('Entertainment Expenses'), _('Indirect Expenses'),'Ledger','Expense Account','Profit and Loss',self.name,''], - [_('Depreciation'), _('Indirect Expenses'),'Ledger','Expense Account','Profit and Loss',self.name,''], - [_('Freight and Forwarding Charges'), _('Indirect Expenses'),'Ledger','Chargeable','Profit and Loss',self.name,''], - [_('Legal Expenses'), _('Indirect Expenses'),'Ledger','Expense Account','Profit and Loss',self.name,''], - [_('Miscellaneous Expenses'), _('Indirect Expenses'),'Ledger','Chargeable','Profit and Loss',self.name,''], - [_('Office Maintenance Expenses'), _('Indirect Expenses'),'Ledger','Expense Account','Profit and Loss',self.name,''], - [_('Office Rent'), _('Indirect Expenses'),'Ledger','Expense Account','Profit and Loss',self.name,''], - [_('Postal Expenses'), _('Indirect Expenses'),'Ledger','Expense Account','Profit and Loss',self.name,''], - [_('Print and Stationary'), _('Indirect Expenses'),'Ledger','Expense Account','Profit and Loss',self.name,''], - [_('Rounded Off'), _('Indirect Expenses'),'Ledger','Expense Account','Profit and Loss',self.name,''], - [_('Salary') ,_('Indirect Expenses'),'Ledger','Expense Account','Profit and Loss',self.name,''], - [_('Telephone Expenses') ,_('Indirect Expenses'),'Ledger','Expense Account','Profit and Loss',self.name,''], - [_('Utility Expenses') ,_('Indirect Expenses'),'Ledger','Expense Account','Profit and Loss',self.name,''], - [_('Income'),'','Group','','Profit and Loss',self.name,''], - [_('Direct Income'),_('Income'),'Group','Income Account','Profit and Loss',self.name,''], - [_('Sales'),_('Direct Income'),'Ledger','Income Account','Profit and Loss',self.name,''], - [_('Service'),_('Direct Income'),'Ledger','Income Account','Profit and Loss',self.name,''], - [_('Indirect Income'),_('Income'),'Group','Income Account','Profit and Loss',self.name,''], - [_('Source of Funds (Liabilities)'),'','Group','','Balance Sheet',self.name,''], - [_('Capital Account'),_('Source of Funds (Liabilities)'),'Group','','Balance Sheet',self.name,''], - [_('Reserves and Surplus'),_('Capital Account'),'Ledger','','Balance Sheet',self.name,''], - [_('Shareholders Funds'),_('Capital Account'),'Ledger','','Balance Sheet',self.name,''], - [_('Current Liabilities'),_('Source of Funds (Liabilities)'),'Group','','Balance Sheet',self.name,''], - [_('Accounts Payable'),_('Current Liabilities'),'Group','','Balance Sheet',self.name,''], - [_('Stock Liabilities'),_('Current Liabilities'),'Group','','Balance Sheet',self.name,''], - [_('Stock Received But Not Billed'), _('Stock Liabilities'), 'Ledger', 'Stock Received But Not Billed', 'Balance Sheet', self.name, ''], - [_('Duties and Taxes'),_('Current Liabilities'),'Group','','Balance Sheet',self.name,''], - [_('Loans (Liabilities)'),_('Current Liabilities'),'Group','','Balance Sheet',self.name,''], - [_('Secured Loans'),_('Loans (Liabilities)'),'Group','','Balance Sheet',self.name,''], - [_('Unsecured Loans'),_('Loans (Liabilities)'),'Group','','Balance Sheet',self.name,''], - [_('Bank Overdraft Account'),_('Loans (Liabilities)'),'Group','','Balance Sheet',self.name,''], - [_('Temporary Accounts (Liabilities)'),_('Source of Funds (Liabilities)'),'Group','','Balance Sheet',self.name,''], - [_('Temporary Account (Liabilities)'),_('Temporary Accounts (Liabilities)'),'Ledger','','Balance Sheet',self.name,''] + [_('Application of Funds (Assets)'),'','Group','','Balance Sheet','', 'Asset'], + [_('Current Assets'),_('Application of Funds (Assets)'),'Group','','Balance Sheet','', 'Asset'], + [_('Accounts Receivable'),_('Current Assets'),'Group','','Balance Sheet','', 'Asset'], + [_('Bank Accounts'),_('Current Assets'),'Group','Bank','Balance Sheet','', 'Asset'], + [_('Cash In Hand'),_('Current Assets'),'Group','Cash','Balance Sheet','', 'Asset'], + [_('Cash'),_('Cash In Hand'),'Ledger','Cash','Balance Sheet','', 'Asset'], + [_('Loans and Advances (Assets)'),_('Current Assets'),'Group','','Balance Sheet','', 'Asset'], + [_('Securities and Deposits'),_('Current Assets'),'Group','','Balance Sheet','', 'Asset'], + [_('Earnest Money'),_('Securities and Deposits'),'Ledger','','Balance Sheet','', 'Asset'], + [_('Stock Assets'),_('Current Assets'),'Group','Stock','Balance Sheet','', 'Asset'], + [_('Tax Assets'),_('Current Assets'),'Group','','Balance Sheet','', 'Asset'], + [_('Fixed Assets'),_('Application of Funds (Assets)'),'Group','','Balance Sheet','', 'Asset'], + [_('Capital Equipments'),_('Fixed Assets'),'Ledger','Fixed Asset','Balance Sheet','', 'Asset'], + [_('Computers'),_('Fixed Assets'),'Ledger','Fixed Asset','Balance Sheet','', 'Asset'], + [_('Furniture and Fixture'),_('Fixed Assets'),'Ledger','Fixed Asset','Balance Sheet','', 'Asset'], + [_('Office Equipments'),_('Fixed Assets'),'Ledger','Fixed Asset','Balance Sheet','', 'Asset'], + [_('Plant and Machinery'),_('Fixed Assets'),'Ledger','Fixed Asset','Balance Sheet','', 'Asset'], + [_('Investments'),_('Application of Funds (Assets)'),'Group','','Balance Sheet','', 'Asset'], + [_('Temporary Accounts (Assets)'),_('Application of Funds (Assets)'),'Group','','Balance Sheet','', 'Asset'], + [_('Temporary Account (Assets)'),_('Temporary Accounts (Assets)'),'Ledger','','Balance Sheet','', 'Asset'], + [_('Expenses'),'','Group','Expense Account','Profit and Loss','', 'Expense'], + [_('Direct Expenses'),_('Expenses'),'Group','Expense Account','Profit and Loss','', 'Expense'], + [_('Stock Expenses'),_('Direct Expenses'),'Group','Expense Account','Profit and Loss','', 'Expense'], + [_('Cost of Goods Sold'),_('Stock Expenses'),'Ledger','Expense Account','Profit and Loss','', 'Expense'], + [_('Stock Adjustment'),_('Stock Expenses'),'Ledger','Stock Adjustment','Profit and Loss','', 'Expense'], + [_('Expenses Included In Valuation'), _("Stock Expenses"), 'Ledger', 'Expenses Included In Valuation', 'Profit and Loss', '', 'Expense'], + [_('Indirect Expenses'), _('Expenses'),'Group','Expense Account','Profit and Loss','', 'Expense'], + [_('Marketing Expenses'), _('Indirect Expenses'),'Ledger','Chargeable','Profit and Loss','', 'Expense'], + [_('Sales Expenses'), _('Indirect Expenses'),'Ledger','Expense Account','Profit and Loss','', 'Expense'], + [_('Administrative Expenses'), _('Indirect Expenses'),'Ledger','Expense Account','Profit and Loss','', 'Expense'], + [_('Charity and Donations'), _('Indirect Expenses'),'Ledger','Expense Account','Profit and Loss','', 'Expense'], + [_('Commission on Sales'), _('Indirect Expenses'),'Ledger','Expense Account','Profit and Loss','', 'Expense'], + [_('Travel Expenses'), _('Indirect Expenses'),'Ledger','Expense Account','Profit and Loss','', 'Expense'], + [_('Entertainment Expenses'), _('Indirect Expenses'),'Ledger','Expense Account','Profit and Loss','', 'Expense'], + [_('Depreciation'), _('Indirect Expenses'),'Ledger','Expense Account','Profit and Loss','', 'Expense'], + [_('Freight and Forwarding Charges'), _('Indirect Expenses'),'Ledger','Chargeable','Profit and Loss','', 'Expense'], + [_('Legal Expenses'), _('Indirect Expenses'),'Ledger','Expense Account','Profit and Loss','', 'Expense'], + [_('Miscellaneous Expenses'), _('Indirect Expenses'),'Ledger','Chargeable','Profit and Loss','', 'Expense'], + [_('Office Maintenance Expenses'), _('Indirect Expenses'),'Ledger','Expense Account','Profit and Loss','', 'Expense'], + [_('Office Rent'), _('Indirect Expenses'),'Ledger','Expense Account','Profit and Loss','', 'Expense'], + [_('Postal Expenses'), _('Indirect Expenses'),'Ledger','Expense Account','Profit and Loss','', 'Expense'], + [_('Print and Stationary'), _('Indirect Expenses'),'Ledger','Expense Account','Profit and Loss','', 'Expense'], + [_('Rounded Off'), _('Indirect Expenses'),'Ledger','Expense Account','Profit and Loss','', 'Expense'], + [_('Salary') ,_('Indirect Expenses'),'Ledger','Expense Account','Profit and Loss','', 'Expense'], + [_('Telephone Expenses') ,_('Indirect Expenses'),'Ledger','Expense Account','Profit and Loss','', 'Expense'], + [_('Utility Expenses') ,_('Indirect Expenses'),'Ledger','Expense Account','Profit and Loss','', 'Expense'], + [_('Income'),'','Group','','Profit and Loss','', 'Income'], + [_('Direct Income'),_('Income'),'Group','Income Account','Profit and Loss','', 'Income'], + [_('Sales'),_('Direct Income'),'Ledger','Income Account','Profit and Loss','', 'Income'], + [_('Service'),_('Direct Income'),'Ledger','Income Account','Profit and Loss','', 'Income'], + [_('Indirect Income'),_('Income'),'Group','Income Account','Profit and Loss','', 'Income'], + [_('Source of Funds (Liabilities)'),'','Group','','Balance Sheet','', 'Income'], + [_('Capital Account'),_('Source of Funds (Liabilities)'),'Group','','Balance Sheet','', 'Liability'], + [_('Reserves and Surplus'),_('Capital Account'),'Ledger','','Balance Sheet','', 'Liability'], + [_('Shareholders Funds'),_('Capital Account'),'Ledger','','Balance Sheet','', 'Liability'], + [_('Current Liabilities'),_('Source of Funds (Liabilities)'),'Group','','Balance Sheet','', 'Liability'], + [_('Accounts Payable'),_('Current Liabilities'),'Group','','Balance Sheet','', 'Liability'], + [_('Stock Liabilities'),_('Current Liabilities'),'Group','','Balance Sheet','', 'Liability'], + [_('Stock Received But Not Billed'), _('Stock Liabilities'), 'Ledger', 'Stock Received But Not Billed', 'Balance Sheet', '', 'Liability'], + [_('Duties and Taxes'),_('Current Liabilities'),'Group','','Balance Sheet','', 'Liability'], + [_('Loans (Liabilities)'),_('Current Liabilities'),'Group','','Balance Sheet','', 'Liability'], + [_('Secured Loans'),_('Loans (Liabilities)'),'Group','','Balance Sheet','', 'Liability'], + [_('Unsecured Loans'),_('Loans (Liabilities)'),'Group','','Balance Sheet','', 'Liability'], + [_('Bank Overdraft Account'),_('Loans (Liabilities)'),'Group','','Balance Sheet','', 'Liability'], + [_('Temporary Accounts (Liabilities)'),_('Source of Funds (Liabilities)'),'Group','','Balance Sheet','', 'Liability'], + [_('Temporary Account (Liabilities)'),_('Temporary Accounts (Liabilities)'),'Ledger','','Balance Sheet','', 'Liability'] ] # load common account heads From 44ae408b36d19a981154063490db2f43308c80d5 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Tue, 20 May 2014 15:27:24 +0530 Subject: [PATCH 002/630] Income/expense info in email digest --- .../doctype/email_digest/email_digest.json | 36 ++++++------ .../doctype/email_digest/email_digest.py | 57 +++++++++---------- 2 files changed, 45 insertions(+), 48 deletions(-) diff --git a/erpnext/setup/doctype/email_digest/email_digest.json b/erpnext/setup/doctype/email_digest/email_digest.json index 971e3ed1a8..48819e04ef 100644 --- a/erpnext/setup/doctype/email_digest/email_digest.json +++ b/erpnext/setup/doctype/email_digest/email_digest.json @@ -96,7 +96,7 @@ { "fieldname": "income_year_to_date", "fieldtype": "Check", - "hidden": 1, + "hidden": 0, "label": "Income Year to Date", "permlevel": 0 }, @@ -104,7 +104,7 @@ "description": "Income booked for the digest period", "fieldname": "income", "fieldtype": "Check", - "hidden": 1, + "hidden": 0, "label": "Income Booked", "permlevel": 0 }, @@ -112,24 +112,10 @@ "description": "Expenses booked for the digest period", "fieldname": "expenses_booked", "fieldtype": "Check", - "hidden": 1, + "hidden": 0, "label": "Expenses Booked", "permlevel": 0 }, - { - "description": "Payments received during the digest period", - "fieldname": "collections", - "fieldtype": "Check", - "label": "Payments Received", - "permlevel": 0 - }, - { - "description": "Payments made during the digest period", - "fieldname": "payments", - "fieldtype": "Check", - "label": "Payments Made", - "permlevel": 0 - }, { "description": "Receivable / Payable account will be identified based on the field Master Type", "fieldname": "column_break_16", @@ -151,6 +137,20 @@ "label": "Payables", "permlevel": 0 }, + { + "description": "Payments received during the digest period", + "fieldname": "collections", + "fieldtype": "Check", + "label": "Payments Received", + "permlevel": 0 + }, + { + "description": "Payments made during the digest period", + "fieldname": "payments", + "fieldtype": "Check", + "label": "Payments Made", + "permlevel": 0 + }, { "fieldname": "section_break_20", "fieldtype": "Section Break", @@ -328,7 +328,7 @@ ], "icon": "icon-envelope", "idx": 1, - "modified": "2014-05-09 02:16:43.979204", + "modified": "2014-05-20 14:02:36.762220", "modified_by": "Administrator", "module": "Setup", "name": "Email Digest", diff --git a/erpnext/setup/doctype/email_digest/email_digest.py b/erpnext/setup/doctype/email_digest/email_digest.py index 8b0d6f726b..066e3b5433 100644 --- a/erpnext/setup/doctype/email_digest/email_digest.py +++ b/erpnext/setup/doctype/email_digest/email_digest.py @@ -13,8 +13,7 @@ from frappe.utils.email_lib import sendmail from frappe.core.doctype.user.user import STANDARD_USERS content_sequence = [ - # ["Income / Expenses", ["income_year_to_date", "bank_balance", - # "income", "expenses_booked"]], + ["Income / Expenses", ["income_year_to_date", "income", "expenses_booked"]], ["Receivables / Payables", ["collections", "payments", "invoiced_amount", "payables"]], ["Bank Balance", ["bank_balance"]], @@ -154,9 +153,9 @@ class EmailDigest(Document): return msg - # def get_income_year_to_date(self): - # return self.get_income(frappe.db.get_defaults("year_start_date"), - # self.meta.get_label("income_year_to_date")) + def get_income_year_to_date(self): + return self.get_income(frappe.db.get_defaults("year_start_date"), + self.meta.get_label("income_year_to_date")) def get_bank_balance(self): # account is of type "Bank" or "Cash" @@ -169,36 +168,34 @@ class EmailDigest(Document): accounts[gle["account"]][1] += gle["debit"] - gle["credit"] # build html - out = self.get_html("Bank/Cash Balance", "", "") + out = self.get_html("Bank/Cash Balance as on " + formatdate(self.to_date), "", "") for ac in ackeys: if accounts[ac][1]: out += "\n" + self.get_html(accounts[ac][0], self.currency, fmt_money(accounts[ac][1]), style="margin-left: 17px") return sum((accounts[ac][1] for ac in ackeys)), out - # def get_income(self, from_date=None, label=None): - # # account is PL Account and Credit type account - # accounts = [a["name"] for a in self.get_accounts() if a["root_type"]=="Income"] - # - # income = 0 - # for gle in self.get_gl_entries(from_date or self.from_date, self.to_date): - # if gle["account"] in accounts: - # income += gle["credit"] - gle["debit"] - # - # return income, self.get_html(label or self.meta.get_label("income"), self.currency, - # fmt_money(income)) - # - # def get_expenses_booked(self): - # # account is PL Account and Debit type account - # accounts = [a["name"] for a in self.get_accounts() if a["root_type"]=="Expense"] - # - # expense = 0 - # for gle in self.get_gl_entries(self.from_date, self.to_date): - # if gle["account"] in accounts: - # expense += gle["debit"] - gle["credit"] - # - # return expense, self.get_html(self.meta.get_label("expenses_booked"), self.currency, - # fmt_money(expense)) + def get_income(self, from_date=None, label=None): + accounts = [a["name"] for a in self.get_accounts() if a["root_type"]=="Income"] + + income = 0 + for gle in self.get_gl_entries(from_date or self.from_date, self.to_date): + if gle["account"] in accounts: + income += gle["credit"] - gle["debit"] + + return income, self.get_html(label or self.meta.get_label("income"), self.currency, + fmt_money(income)) + + def get_expenses_booked(self): + accounts = [a["name"] for a in self.get_accounts() if a["root_type"]=="Expense"] + + expense = 0 + for gle in self.get_gl_entries(self.from_date, self.to_date): + if gle["account"] in accounts: + expense += gle["debit"] - gle["credit"] + + return expense, self.get_html(self.meta.get_label("expenses_booked"), self.currency, + fmt_money(expense)) def get_collections(self): return self.get_party_total("Customer", "credit", self.meta.get_label("collections")) @@ -390,7 +387,7 @@ class EmailDigest(Document): def get_accounts(self): if not hasattr(self, "accounts"): - self.accounts = frappe.db.sql("""select name, account_type, account_name, master_type + self.accounts = frappe.db.sql("""select name, account_type, account_name, master_type, root_type from `tabAccount` where company=%s and docstatus < 2 and group_or_ledger = "Ledger" order by lft""", (self.company,), as_dict=1) From 3f80ef064880a3f1aa9a2952013944dff880f74e Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Tue, 20 May 2014 16:52:30 +0530 Subject: [PATCH 003/630] reload account doc in root type patch --- erpnext/patches/v4_0/update_account_root_type.py | 2 ++ 1 file changed, 2 insertions(+) diff --git a/erpnext/patches/v4_0/update_account_root_type.py b/erpnext/patches/v4_0/update_account_root_type.py index 9947cb684d..1ec68a7d9b 100644 --- a/erpnext/patches/v4_0/update_account_root_type.py +++ b/erpnext/patches/v4_0/update_account_root_type.py @@ -5,6 +5,8 @@ from __future__ import unicode_literals import frappe def execute(): + frappe.reoad_doc("accounts", "doctype", "account") + account_table_columns = frappe.db.get_table_columns("Account") if "debit_or_credit" in account_table_columns and "is_pl_account" in account_table_columns: frappe.db.sql("""UPDATE tabAccount SET root_type = CASE From dec02340e89d1b01f9734359f1673aa190d21b91 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Tue, 20 May 2014 16:58:16 +0530 Subject: [PATCH 004/630] reload account doc in root type patch --- erpnext/patches/v4_0/update_account_root_type.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/patches/v4_0/update_account_root_type.py b/erpnext/patches/v4_0/update_account_root_type.py index 1ec68a7d9b..c8a2e1f9cb 100644 --- a/erpnext/patches/v4_0/update_account_root_type.py +++ b/erpnext/patches/v4_0/update_account_root_type.py @@ -5,7 +5,7 @@ from __future__ import unicode_literals import frappe def execute(): - frappe.reoad_doc("accounts", "doctype", "account") + frappe.reload_doc("accounts", "doctype", "account") account_table_columns = frappe.db.get_table_columns("Account") if "debit_or_credit" in account_table_columns and "is_pl_account" in account_table_columns: From b5c552faf3c161cddfd9e976ac36b135e63aaae9 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Tue, 20 May 2014 18:33:43 +0530 Subject: [PATCH 005/630] minor fix --- erpnext/accounts/doctype/account/account.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/accounts/doctype/account/account.py b/erpnext/accounts/doctype/account/account.py index 11b8d4a79a..c551a62aaa 100644 --- a/erpnext/accounts/doctype/account/account.py +++ b/erpnext/accounts/doctype/account/account.py @@ -53,7 +53,7 @@ class Account(Document): if par["report_type"]: self.report_type = par["report_type"] if par["root_type"]: - self.root_type - par["root_type"] + self.root_type = par["root_type"] def validate_root_details(self): #does not exists parent From 4efc5d74d438e67b75da27721fc1651adcf1800e Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Tue, 20 May 2014 23:38:09 +0530 Subject: [PATCH 006/630] Setup Wizard: company abbr length validation on onchange trigger --- erpnext/setup/page/setup_wizard/setup_wizard.js | 9 ++++++++- 1 file changed, 8 insertions(+), 1 deletion(-) diff --git a/erpnext/setup/page/setup_wizard/setup_wizard.js b/erpnext/setup/page/setup_wizard/setup_wizard.js index cf16656869..afc9d6e6c9 100644 --- a/erpnext/setup/page/setup_wizard/setup_wizard.js +++ b/erpnext/setup/page/setup_wizard/setup_wizard.js @@ -205,9 +205,16 @@ frappe.pages['setup-wizard'].onload = function(wrapper) { slide.get_input("company_name").on("change", function() { var parts = slide.get_input("company_name").val().split(" "); var abbr = $.map(parts, function(p) { return p ? p.substr(0,1) : null }).join(""); - slide.get_input("company_abbr").val(abbr.toUpperCase()); + slide.get_input("company_abbr").val(abbr.slice(0, 5).toUpperCase()); }).val(frappe.boot.sysdefaults.company_name || "").trigger("change"); + slide.get_input("company_abbr").on("change", function() { + if(slide.get_input("company_abbr").val().length > 5) { + msgprint("Company Abbreviation cannot have more than 5 characters"); + slide.get_input("company_abbr").val(""); + } + }); + slide.get_input("fy_start_date").on("change", function() { var year_end_date = frappe.datetime.add_days(frappe.datetime.add_months( From 27b12ef1b6f6e70f0ad765e15f56241617c0b67a Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Wed, 21 May 2014 11:48:48 +0530 Subject: [PATCH 007/630] update account root type patch --- erpnext/accounts/doctype/account/account.json | 32 ++++++++++--------- .../patches/v4_0/update_account_root_type.py | 25 +++++++++------ 2 files changed, 32 insertions(+), 25 deletions(-) diff --git a/erpnext/accounts/doctype/account/account.json b/erpnext/accounts/doctype/account/account.json index 9104b56c2b..28a0329e54 100644 --- a/erpnext/accounts/doctype/account/account.json +++ b/erpnext/accounts/doctype/account/account.json @@ -82,20 +82,6 @@ "permlevel": 0, "search_index": 1 }, - { - "fieldname": "root_type", - "fieldtype": "Select", - "label": "Root Type", - "options": "\nAsset\nLiability\nIncome\nExpense\nEquity", - "permlevel": 0 - }, - { - "fieldname": "report_type", - "fieldtype": "Select", - "label": "Report Type", - "options": "\nBalance Sheet\nProfit and Loss", - "permlevel": 0 - }, { "description": "Setting Account Type helps in selecting this Account in transactions.", "fieldname": "account_type", @@ -176,6 +162,22 @@ "options": "\nDebit\nCredit", "permlevel": 0 }, + { + "fieldname": "root_type", + "fieldtype": "Select", + "label": "Root Type", + "options": "\nAsset\nLiability\nIncome\nExpense\nEquity", + "permlevel": 0, + "read_only": 1 + }, + { + "fieldname": "report_type", + "fieldtype": "Select", + "label": "Report Type", + "options": "\nBalance Sheet\nProfit and Loss", + "permlevel": 0, + "read_only": 1 + }, { "fieldname": "lft", "fieldtype": "Int", @@ -207,7 +209,7 @@ "icon": "icon-money", "idx": 1, "in_create": 1, - "modified": "2014-05-20 11:44:53.012945", + "modified": "2014-05-21 11:42:47.255511", "modified_by": "Administrator", "module": "Accounts", "name": "Account", diff --git a/erpnext/patches/v4_0/update_account_root_type.py b/erpnext/patches/v4_0/update_account_root_type.py index c8a2e1f9cb..8b3eddfebd 100644 --- a/erpnext/patches/v4_0/update_account_root_type.py +++ b/erpnext/patches/v4_0/update_account_root_type.py @@ -9,12 +9,15 @@ def execute(): account_table_columns = frappe.db.get_table_columns("Account") if "debit_or_credit" in account_table_columns and "is_pl_account" in account_table_columns: - frappe.db.sql("""UPDATE tabAccount SET root_type = CASE - WHEN (debit_or_credit='Debit' and is_pl_account = 'No') THEN 'Asset' - WHEN (debit_or_credit='Credit' and is_pl_account = 'No') THEN 'Liability' - WHEN (debit_or_credit='Debit' and is_pl_account = 'Yes') THEN 'Expense' - WHEN (debit_or_credit='Credit' and is_pl_account = 'Yes') THEN 'Income' - END""") + frappe.db.sql("""UPDATE tabAccount + SET root_type = CASE + WHEN (debit_or_credit='Debit' and is_pl_account = 'No') THEN 'Asset' + WHEN (debit_or_credit='Credit' and is_pl_account = 'No') THEN 'Liability' + WHEN (debit_or_credit='Debit' and is_pl_account = 'Yes') THEN 'Expense' + WHEN (debit_or_credit='Credit' and is_pl_account = 'Yes') THEN 'Income' + END + WHERE ifnull(parent_account, '') = '' + """) else: frappe.db.sql("""UPDATE tabAccount @@ -24,11 +27,13 @@ def execute(): WHEN name like '%%expense%%' THEN 'Expense' WHEN name like '%%income%%' THEN 'Income' END - WHERE - ifnull(parent_account, '') = '' + WHERE ifnull(parent_account, '') = '' """) - for root in frappe.db.sql("""SELECT lft, rgt, root_type FROM `tabAccount` - WHERE ifnull(parent_account, '')=''""", as_dict=True): + for root in frappe.db.sql("""SELECT name, lft, rgt, root_type FROM `tabAccount` + WHERE ifnull(parent_account, '')=''""", as_dict=True): + if root.root_type: frappe.db.sql("""UPDATE tabAccount SET root_type=%s WHERE lft>%s and rgt<%s""", (root.root_type, root.lft, root.rgt)) + else: + print "Root type not found for {0}".format(root.name) From d811303d7ba11e50af920ee73387ac75471a3faa Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Wed, 21 May 2014 12:36:43 +0530 Subject: [PATCH 008/630] minor fix --- erpnext/patches/v4_0/update_account_root_type.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/patches/v4_0/update_account_root_type.py b/erpnext/patches/v4_0/update_account_root_type.py index 8b3eddfebd..a93b835e29 100644 --- a/erpnext/patches/v4_0/update_account_root_type.py +++ b/erpnext/patches/v4_0/update_account_root_type.py @@ -36,4 +36,4 @@ def execute(): frappe.db.sql("""UPDATE tabAccount SET root_type=%s WHERE lft>%s and rgt<%s""", (root.root_type, root.lft, root.rgt)) else: - print "Root type not found for {0}".format(root.name) + print b"Root type not found for {0}".format(root.name.encode("utf-8")) From 177fb132b96dfe0be697fc55ae3a20084dd1ee1c Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Wed, 21 May 2014 12:39:37 +0530 Subject: [PATCH 009/630] description added in setup wizard --- erpnext/setup/page/setup_wizard/setup_wizard.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/setup/page/setup_wizard/setup_wizard.js b/erpnext/setup/page/setup_wizard/setup_wizard.js index afc9d6e6c9..dc6d244bf6 100644 --- a/erpnext/setup/page/setup_wizard/setup_wizard.js +++ b/erpnext/setup/page/setup_wizard/setup_wizard.js @@ -192,7 +192,7 @@ frappe.pages['setup-wizard'].onload = function(wrapper) { {fieldname:'company_name', label: __('Company Name'), fieldtype:'Data', reqd:1, placeholder: __('e.g. "My Company LLC"')}, {fieldname:'company_abbr', label: __('Company Abbreviation'), fieldtype:'Data', - placeholder: __('e.g. "MC"'),reqd:1}, + description: __('Max 5 characters'), placeholder: __('e.g. "MC"'), reqd:1}, {fieldname:'fy_start_date', label:__('Financial Year Start Date'), fieldtype:'Date', description: __('Your financial year begins on'), reqd:1}, {fieldname:'fy_end_date', label:__('Financial Year End Date'), fieldtype:'Date', From 92ce693e6f68a5f744fe8feb1836f30014bc5aaf Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Wed, 21 May 2014 14:59:56 +0530 Subject: [PATCH 010/630] added ignore_permission in Lead for creating Event --- erpnext/utilities/transaction_base.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/utilities/transaction_base.py b/erpnext/utilities/transaction_base.py index f680bcb948..4ba162790c 100644 --- a/erpnext/utilities/transaction_base.py +++ b/erpnext/utilities/transaction_base.py @@ -53,7 +53,7 @@ class TransactionBase(StatusUpdater): "person": self.contact_by }) - event_doclist.insert() + event_doclist.insert(ignore_permissions=True) def validate_uom_is_integer(self, uom_field, qty_fields): validate_uom_is_integer(self, uom_field, qty_fields) From d6007e7d9cdb42ba2e204f736170a8023df2c957 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Wed, 21 May 2014 15:22:15 +0530 Subject: [PATCH 011/630] Hook: setup_wizard_success --- erpnext/setup/page/setup_wizard/setup_wizard.py | 6 ++++++ 1 file changed, 6 insertions(+) diff --git a/erpnext/setup/page/setup_wizard/setup_wizard.py b/erpnext/setup/page/setup_wizard/setup_wizard.py index c42754628b..6951158094 100644 --- a/erpnext/setup/page/setup_wizard/setup_wizard.py +++ b/erpnext/setup/page/setup_wizard/setup_wizard.py @@ -76,6 +76,7 @@ def setup_account(args=None): frappe.clear_cache() frappe.db.commit() + except: traceback = frappe.get_traceback() for hook in frappe.get_hooks("setup_wizard_exception"): @@ -83,6 +84,11 @@ def setup_account(args=None): raise + else: + for hook in frappe.get_hooks("setup_wizard_success"): + frappe.get_attr(hook)(args) + + def update_user_name(args): if args.get("email"): args['name'] = args.get("email") From edf87a258f59e240c62778afe1efedc9371f103d Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Wed, 21 May 2014 15:38:23 +0530 Subject: [PATCH 012/630] Create serial no based on series only if item is serialized --- erpnext/stock/doctype/item/item.json | 5 ++++- erpnext/stock/doctype/item/item.py | 4 ++++ erpnext/stock/doctype/serial_no/serial_no.py | 3 ++- .../stock/doctype/stock_ledger_entry/stock_ledger_entry.py | 6 ++---- 4 files changed, 12 insertions(+), 6 deletions(-) diff --git a/erpnext/stock/doctype/item/item.json b/erpnext/stock/doctype/item/item.json index f42f35ccfa..0e12cd2963 100644 --- a/erpnext/stock/doctype/item/item.json +++ b/erpnext/stock/doctype/item/item.json @@ -277,6 +277,7 @@ "fieldname": "serial_no_series", "fieldtype": "Data", "label": "Serial Number Series", + "no_copy": 1, "permlevel": 0 }, { @@ -728,6 +729,7 @@ "fieldname": "page_name", "fieldtype": "Data", "label": "Page Name", + "no_copy": 1, "permlevel": 0, "read_only": 1 }, @@ -825,6 +827,7 @@ "fieldtype": "Link", "ignore_restrictions": 1, "label": "Parent Website Route", + "no_copy": 1, "options": "Website Route", "permlevel": 0 } @@ -832,7 +835,7 @@ "icon": "icon-tag", "idx": 1, "max_attachments": 1, - "modified": "2014-05-12 07:54:58.118118", + "modified": "2014-05-21 15:37:30.124881", "modified_by": "Administrator", "module": "Stock", "name": "Item", diff --git a/erpnext/stock/doctype/item/item.py b/erpnext/stock/doctype/item/item.py index 642a4293a5..104f905383 100644 --- a/erpnext/stock/doctype/item/item.py +++ b/erpnext/stock/doctype/item/item.py @@ -119,6 +119,10 @@ class Item(WebsiteGenerator): if self.has_serial_no == 'Yes' and self.is_stock_item == 'No': msgprint(_("'Has Serial No' can not be 'Yes' for non-stock item"), raise_exception=1) + if self.has_serial_no == "No" and self.serial_no_series: + self.serial_no_series = None + + def check_for_active_boms(self): if self.is_purchase_item != "Yes": bom_mat = frappe.db.sql("""select distinct t1.parent diff --git a/erpnext/stock/doctype/serial_no/serial_no.py b/erpnext/stock/doctype/serial_no/serial_no.py index dbbc3efdc6..ff4d519cf9 100644 --- a/erpnext/stock/doctype/serial_no/serial_no.py +++ b/erpnext/stock/doctype/serial_no/serial_no.py @@ -248,7 +248,8 @@ def validate_serial_no(sle, item_det): SerialNoRequiredError) def update_serial_nos(sle, item_det): - if sle.is_cancelled == "No" and not sle.serial_no and sle.actual_qty > 0 and item_det.serial_no_series: + if sle.is_cancelled == "No" and not sle.serial_no and sle.actual_qty > 0 \ + and item_det.has_serial_no == "Yes" and item_det.serial_no_series: from frappe.model.naming import make_autoname serial_nos = [] for i in xrange(cint(sle.actual_qty)): diff --git a/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py b/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py index 79eeddf2a8..df3fef437b 100644 --- a/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +++ b/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py @@ -50,10 +50,8 @@ class StockLedgerEntry(Document): frappe.throw(_("{0} is required").format(self.meta.get_label(k))) def validate_item(self): - item_det = frappe.db.sql("""select name, has_batch_no, docstatus, - is_stock_item, has_serial_no, serial_no_series - from tabItem where name=%s""", - self.item_code, as_dict=True)[0] + item_det = frappe.db.sql("""select name, has_batch_no, docstatus, is_stock_item + from tabItem where name=%s""", self.item_code, as_dict=True)[0] if item_det.is_stock_item != 'Yes': frappe.throw(_("Item {0} must be a stock Item").format(self.item_code)) From a39cae9c2ebdb804116a3beedbb5062d94cc6b26 Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Wed, 21 May 2014 17:34:22 +0530 Subject: [PATCH 013/630] added title field to support ticket, lead and employee --- erpnext/hr/doctype/employee/employee.json | 5 +++-- erpnext/selling/doctype/lead/lead.json | 5 +++-- erpnext/support/doctype/support_ticket/support_ticket.json | 5 +++-- 3 files changed, 9 insertions(+), 6 deletions(-) diff --git a/erpnext/hr/doctype/employee/employee.json b/erpnext/hr/doctype/employee/employee.json index ccb779bd43..22c1fc2758 100644 --- a/erpnext/hr/doctype/employee/employee.json +++ b/erpnext/hr/doctype/employee/employee.json @@ -672,7 +672,7 @@ ], "icon": "icon-user", "idx": 1, - "modified": "2014-05-09 02:16:47.217445", + "modified": "2014-05-21 07:49:56.180832", "modified_by": "Administrator", "module": "HR", "name": "Employee", @@ -732,5 +732,6 @@ ], "search_fields": "employee_name", "sort_field": "modified", - "sort_order": "DESC" + "sort_order": "DESC", + "title_field": "employee_name" } \ No newline at end of file diff --git a/erpnext/selling/doctype/lead/lead.json b/erpnext/selling/doctype/lead/lead.json index cacb8f30fa..13ec40188d 100644 --- a/erpnext/selling/doctype/lead/lead.json +++ b/erpnext/selling/doctype/lead/lead.json @@ -362,7 +362,7 @@ ], "icon": "icon-user", "idx": 1, - "modified": "2014-05-09 02:16:40.769432", + "modified": "2014-05-21 06:25:53.613765", "modified_by": "Administrator", "module": "Selling", "name": "Lead", @@ -399,5 +399,6 @@ ], "search_fields": "lead_name,lead_owner,status", "sort_field": "modified", - "sort_order": "DESC" + "sort_order": "DESC", + "title_field": "lead_name" } \ No newline at end of file diff --git a/erpnext/support/doctype/support_ticket/support_ticket.json b/erpnext/support/doctype/support_ticket/support_ticket.json index ec75735273..5ea9ac5c0d 100644 --- a/erpnext/support/doctype/support_ticket/support_ticket.json +++ b/erpnext/support/doctype/support_ticket/support_ticket.json @@ -237,7 +237,7 @@ ], "icon": "icon-ticket", "idx": 1, - "modified": "2014-05-06 08:20:28.842404", + "modified": "2014-05-21 06:15:26.988620", "modified_by": "Administrator", "module": "Support", "name": "Support Ticket", @@ -286,5 +286,6 @@ "write": 1 } ], - "search_fields": "status,customer,allocated_to,subject,raised_by" + "search_fields": "status,customer,allocated_to,subject,raised_by", + "title_field": "subject" } \ No newline at end of file From c57d7dea8b39785c1a057a4c8c3fe83b38a9b33f Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Thu, 22 May 2014 11:05:46 +0530 Subject: [PATCH 014/630] Fixed global_defaults_to_system_settings --- erpnext/patches/v4_0/global_defaults_to_system_settings.py | 1 + 1 file changed, 1 insertion(+) diff --git a/erpnext/patches/v4_0/global_defaults_to_system_settings.py b/erpnext/patches/v4_0/global_defaults_to_system_settings.py index fd6e47bff1..abd38c685f 100644 --- a/erpnext/patches/v4_0/global_defaults_to_system_settings.py +++ b/erpnext/patches/v4_0/global_defaults_to_system_settings.py @@ -8,6 +8,7 @@ from collections import Counter from frappe.core.doctype.user.user import STANDARD_USERS def execute(): + frappe.reload_doc("core", "doctype", "system_settings") system_settings = frappe.get_doc("System Settings") # set values from global_defauls From e35a1025c9a9d22c4cd078e595329f194327338f Mon Sep 17 00:00:00 2001 From: Pratik Vyas Date: Wed, 21 May 2014 22:31:02 +0530 Subject: [PATCH 015/630] hotfix: communication email bug --- erpnext/controllers/status_updater.py | 1 + 1 file changed, 1 insertion(+) diff --git a/erpnext/controllers/status_updater.py b/erpnext/controllers/status_updater.py index 6330508680..bbcd143260 100644 --- a/erpnext/controllers/status_updater.py +++ b/erpnext/controllers/status_updater.py @@ -87,6 +87,7 @@ class StatusUpdater(Document): frappe.db.set_value(self.doctype, self.name, "status", self.status) def on_communication(self): + if not self.get("communication"): return self.communication_set = True self.get("communications").sort(key=lambda d: d.creation) self.set_status(update=True) From 69e4b168170498107a3a585659a390409f20c91f Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Thu, 22 May 2014 22:52:36 +0530 Subject: [PATCH 016/630] Setup Wizard: clear cache on language change --- erpnext/setup/page/setup_wizard/setup_wizard.py | 1 + 1 file changed, 1 insertion(+) diff --git a/erpnext/setup/page/setup_wizard/setup_wizard.py b/erpnext/setup/page/setup_wizard/setup_wizard.py index 6951158094..fe4dec0c42 100644 --- a/erpnext/setup/page/setup_wizard/setup_wizard.py +++ b/erpnext/setup/page/setup_wizard/setup_wizard.py @@ -413,6 +413,7 @@ def create_territories(): @frappe.whitelist() def load_messages(language): + frappe.clear_cache() lang = get_lang_dict()[language] frappe.local.lang = lang m = get_dict("page", "setup-wizard") From 5468740042f06339244425689f6837aa92b5d76e Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Fri, 23 May 2014 09:21:55 +0530 Subject: [PATCH 017/630] Fixed setup wizard errors for chinese simplified --- erpnext/setup/doctype/company/company.py | 4 ++-- erpnext/setup/page/setup_wizard/install_fixtures.py | 1 - 2 files changed, 2 insertions(+), 3 deletions(-) diff --git a/erpnext/setup/doctype/company/company.py b/erpnext/setup/doctype/company/company.py index b79ea44107..2c019d9eb5 100644 --- a/erpnext/setup/doctype/company/company.py +++ b/erpnext/setup/doctype/company/company.py @@ -207,7 +207,7 @@ class Company(Document): [_('Plant and Machinery'),_('Fixed Assets'),'Ledger','Fixed Asset','Balance Sheet','', 'Asset'], [_('Investments'),_('Application of Funds (Assets)'),'Group','','Balance Sheet','', 'Asset'], [_('Temporary Accounts (Assets)'),_('Application of Funds (Assets)'),'Group','','Balance Sheet','', 'Asset'], - [_('Temporary Account (Assets)'),_('Temporary Accounts (Assets)'),'Ledger','','Balance Sheet','', 'Asset'], + [_('Temporary Assets'),_('Temporary Accounts (Assets)'),'Ledger','','Balance Sheet','', 'Asset'], [_('Expenses'),'','Group','Expense Account','Profit and Loss','', 'Expense'], [_('Direct Expenses'),_('Expenses'),'Group','Expense Account','Profit and Loss','', 'Expense'], [_('Stock Expenses'),_('Direct Expenses'),'Group','Expense Account','Profit and Loss','', 'Expense'], @@ -253,7 +253,7 @@ class Company(Document): [_('Unsecured Loans'),_('Loans (Liabilities)'),'Group','','Balance Sheet','', 'Liability'], [_('Bank Overdraft Account'),_('Loans (Liabilities)'),'Group','','Balance Sheet','', 'Liability'], [_('Temporary Accounts (Liabilities)'),_('Source of Funds (Liabilities)'),'Group','','Balance Sheet','', 'Liability'], - [_('Temporary Account (Liabilities)'),_('Temporary Accounts (Liabilities)'),'Ledger','','Balance Sheet','', 'Liability'] + [_('Temporary Liabilities'),_('Temporary Accounts (Liabilities)'),'Ledger','','Balance Sheet','', 'Liability'] ] # load common account heads diff --git a/erpnext/setup/page/setup_wizard/install_fixtures.py b/erpnext/setup/page/setup_wizard/install_fixtures.py index 50c046449b..2a0a2711a9 100644 --- a/erpnext/setup/page/setup_wizard/install_fixtures.py +++ b/erpnext/setup/page/setup_wizard/install_fixtures.py @@ -51,7 +51,6 @@ def install(country=None): {'doctype': 'Employment Type', 'employee_type_name': _('Contract')}, {'doctype': 'Employment Type', 'employee_type_name': _('Commission')}, {'doctype': 'Employment Type', 'employee_type_name': _('Piecework')}, - {'doctype': 'Employment Type', 'employee_type_name': _('Trainee')}, {'doctype': 'Employment Type', 'employee_type_name': _('Intern')}, {'doctype': 'Employment Type', 'employee_type_name': _('Apprentice')}, From c783c2636fce2462caba5a8b5a9ad5d2d1248b56 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Fri, 23 May 2014 09:22:12 +0530 Subject: [PATCH 018/630] Updated translations --- erpnext/translations/ar.csv | 219 +++++++++++---- erpnext/translations/de.csv | 230 +++++++++++---- erpnext/translations/el.csv | 219 +++++++++++---- erpnext/translations/es.csv | 219 +++++++++++---- erpnext/translations/fr.csv | 219 +++++++++++---- erpnext/translations/hi.csv | 497 ++++++++++++++++++++------------- erpnext/translations/hr.csv | 219 +++++++++++---- erpnext/translations/it.csv | 219 +++++++++++---- erpnext/translations/kn.csv | 82 +++--- erpnext/translations/nl.csv | 219 +++++++++++---- erpnext/translations/pt-BR.csv | 219 +++++++++++---- erpnext/translations/pt.csv | 219 +++++++++++---- erpnext/translations/sr.csv | 221 +++++++++++---- erpnext/translations/ta.csv | 219 +++++++++++---- erpnext/translations/th.csv | 219 +++++++++++---- erpnext/translations/zh-cn.csv | 219 +++++++++++---- erpnext/translations/zh-tw.csv | 219 +++++++++++---- 17 files changed, 2787 insertions(+), 1090 deletions(-) diff --git a/erpnext/translations/ar.csv b/erpnext/translations/ar.csv index c5e8c3c24f..d7b133db76 100644 --- a/erpnext/translations/ar.csv +++ b/erpnext/translations/ar.csv @@ -26,14 +26,13 @@ 'From Date' must be after 'To Date',"""من تاريخ "" يجب أن يكون بعد "" إلى تاريخ """ 'Has Serial No' can not be 'Yes' for non-stock item,"' ليس لديه المسلسل "" لا يمكن أن يكون "" نعم "" ل عدم الأسهم البند" 'Notification Email Addresses' not specified for recurring invoice,"' التبليغ العناوين "" غير محددة لل فاتورة المتكررة" -'Profit and Loss' type Account {0} used be set for Opening Entry,"الربح و الخسارة "" نوع الحساب {0} المستخدمة يتم تعيين ل فتح الدخول" 'Profit and Loss' type account {0} not allowed in Opening Entry,"الربح و الخسارة "" نوع الحساب {0} غير مسموح به في افتتاح الدخول" 'To Case No.' cannot be less than 'From Case No.','بالقضية رقم' لا يمكن أن يكون أقل من 'من القضية رقم' 'To Date' is required,' إلى تاريخ ' مطلوب 'Update Stock' for Sales Invoice {0} must be set,""" الأسهم تحديث ' ل فاتورة المبيعات {0} يجب تعيين" * Will be calculated in the transaction.,وسيتم احتساب * في المعاملة. "1 Currency = [?] Fraction -For e.g. 1 USD = 100 Cent", +For e.g. 1 USD = 100 Cent",1 العملة = [ ؟ ] جزء \ n للحصول على سبيل المثال 1. To maintain the customer wise item code and to make them searchable based on their code use this option,1. للحفاظ على العملاء رمز البند الحكيمة والبحث فيها لجعلها تقوم على التعليمات البرمجية الخاصة بهم استخدام هذا الخيار 2 days ago,2 منذ أيام "Add / Edit"," إضافة / تحرير < / A>" @@ -70,8 +69,6 @@ Account with child nodes cannot be converted to ledger,حساب مع العقد Account with existing transaction can not be converted to group.,حساب مع الصفقة الحالية لا يمكن تحويلها إلى المجموعة. Account with existing transaction can not be deleted,حساب مع الصفقة الحالية لا يمكن حذف Account with existing transaction cannot be converted to ledger,حساب مع الصفقة الحالية لا يمكن تحويلها إلى دفتر الأستاذ -Account {0} already exists,حساب {0} موجود بالفعل -Account {0} can only be updated via Stock Transactions,حساب {0} لا يمكن تحديثها عن طريق المعاملات المالية Account {0} cannot be a Group,حساب {0} لا يمكن أن تكون المجموعة Account {0} does not belong to Company {1},حساب {0} لا تنتمي إلى شركة {1} Account {0} does not exist,حساب {0} غير موجود @@ -79,8 +76,9 @@ Account {0} has been entered more than once for fiscal year {1},حساب {0} ت Account {0} is frozen,حساب {0} يتم تجميد Account {0} is inactive,حساب {0} غير نشط Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item,"حساب {0} يجب أن تكون من النوع ' الأصول الثابتة ""كما البند {1} هو البند الأصول" -Account {0} must be sames as Credit To Account in Purchase Invoice in row {0},حساب {0} يجب أن يكون كما ساميس الائتمان إلى حساب في شراء الفاتورة في الصف {0} -Account {0} must be sames as Debit To Account in Sales Invoice in row {0},حساب {0} يجب أن يكون كما ساميس الخصم إلى حساب في فاتورة المبيعات في الصف {0} +"Account: {0} can only be updated via \ + Stock Transactions",حساب : {0} لا يمكن تحديثها عبر \ \ ن المعاملات المالية +Accountant,محاسب Accounting,المحاسبة "Accounting Entries can be made against leaf nodes, called",مقالات المحاسبة ويمكن إجراء ضد أوراق العقد ، ودعا "Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.",قيد محاسبي المجمدة تصل إلى هذا التاريخ، لا أحد يمكن أن تفعل / تعديل إدخال باستثناء دور المحددة أدناه. @@ -145,10 +143,13 @@ Address Title is mandatory.,عنوان عنوانها إلزامية. Address Type,عنوان نوع Address master.,عنوان رئيسي. Administrative Expenses,المصاريف الإدارية +Administrative Officer,موظف إداري Advance Amount,المبلغ مقدما Advance amount,مقدما مبلغ Advances,السلف Advertisement,إعلان +Advertising,إعلان +Aerospace,الفضاء After Sale Installations,بعد التثبيت بيع Against,ضد Against Account,ضد الحساب @@ -157,9 +158,11 @@ Against Docname,ضد Docname Against Doctype,DOCTYPE ضد Against Document Detail No,تفاصيل الوثيقة رقم ضد Against Document No,ضد الوثيقة رقم +Against Entries,مقالات ضد Against Expense Account,ضد حساب المصاريف Against Income Account,ضد حساب الدخل Against Journal Voucher,ضد مجلة قسيمة +Against Journal Voucher {0} does not have any unmatched {1} entry,ضد مجلة قسيمة {0} لا يملك أي لا مثيل له {1} دخول Against Purchase Invoice,ضد فاتورة الشراء Against Sales Invoice,ضد فاتورة المبيعات Against Sales Order,ضد ترتيب المبيعات @@ -171,6 +174,8 @@ Ageing date is mandatory for opening entry,تاريخ شيخوخة إلزامي Agent,وكيل Aging Date,الشيخوخة تاريخ Aging Date is mandatory for opening entry,الشيخوخة التسجيل إلزامي لفتح دخول +Agriculture,زراعة +Airline,شركة الطيران All Addresses.,جميع العناوين. All Contact,جميع الاتصالات All Contacts.,جميع جهات الاتصال. @@ -188,14 +193,18 @@ All Supplier Types,جميع أنواع مزود All Territories,جميع الأقاليم "All export related fields like currency, conversion rate, export total, export grand total etc are available in Delivery Note, POS, Quotation, Sales Invoice, Sales Order etc.",هي المجالات ذات الصلة عن تصدير مثل العملة ، ومعدل التحويل ، ومجموع التصدير، تصدير الخ المجموع الكلي المتاحة في توصيل ملاحظة ، ونقاط البيع ، اقتباس، فاتورة المبيعات ، ترتيب المبيعات الخ "All import related fields like currency, conversion rate, import total, import grand total etc are available in Purchase Receipt, Supplier Quotation, Purchase Invoice, Purchase Order etc.",كلها المجالات ذات الصلة مثل استيراد العملة ، ومعدل التحويل، و اجمالى واردات والاستيراد الكبرى الخ مجموع المتاحة في إيصال الشراء ، مزود اقتباس، شراء الفاتورة ، أمر شراء الخ +All items have already been invoiced,وقد تم بالفعل فواتير جميع البنود All items have already been transferred for this Production Order.,وقد تم بالفعل نقل جميع العناصر لهذا أمر الإنتاج . All these items have already been invoiced,وقد تم بالفعل فاتورة كل هذه العناصر Allocate,تخصيص +Allocate Amount Automatically,تخصيص المبلغ تلقائيا Allocate leaves for a period.,تخصيص يترك لفترة . Allocate leaves for the year.,تخصيص الأوراق لهذا العام. Allocated Amount,تخصيص المبلغ Allocated Budget,تخصيص الميزانية Allocated amount,تخصيص مبلغ +Allocated amount can not be negative,المبلغ المخصص لا يمكن أن تكون سلبية +Allocated amount can not greater than unadusted amount,يمكن المبلغ المخصص لا يزيد المبلغ unadusted Allow Bill of Materials,يسمح مشروع القانون للمواد Allow Bill of Materials should be 'Yes'. Because one or many active BOMs present for this item,"يسمح مشروع قانون للمواد ينبغي أن يكون ""نعم"" . لأن واحد أو العديد من BOMs النشطة الحالية لهذا البند" Allow Children,السماح للأطفال @@ -223,10 +232,12 @@ Amount to Bill,تصل إلى بيل An Customer exists with same name,موجود على العملاء مع نفس الاسم "An Item Group exists with same name, please change the item name or rename the item group",وجود فريق المدينة مع نفس الاسم، الرجاء تغيير اسم العنصر أو إعادة تسمية المجموعة البند "An item exists with same name ({0}), please change the item group name or rename the item",عنصر موجود مع نفس الاسم ( {0} ) ، الرجاء تغيير اسم المجموعة البند أو إعادة تسمية هذا البند +Analyst,المحلل Annual,سنوي Another Period Closing Entry {0} has been made after {1},دخول أخرى الفترة الإنتهاء {0} أحرز بعد {1} Another Salary Structure {0} is active for employee {0}. Please make its status 'Inactive' to proceed.,"هيكل الرواتب أخرى {0} نشطة للموظف {0} . يرجى التأكد مكانتها ""غير نشطة "" والمضي قدما." "Any other comments, noteworthy effort that should go in the records.",أي تعليقات أخرى، تجدر الإشارة إلى أن الجهد يجب ان تذهب في السجلات. +Apparel & Accessories,ملابس واكسسوارات Applicability,انطباق Applicable For,قابل للتطبيق ل Applicable Holiday List,ينطبق عطلة قائمة @@ -248,6 +259,7 @@ Appraisal Template,تقييم قالب Appraisal Template Goal,تقييم قالب الهدف Appraisal Template Title,تقييم قالب عنوان Appraisal {0} created for Employee {1} in the given date range,تقييم {0} لخلق موظف {1} في نطاق تاريخ معين +Apprentice,مبتدئ Approval Status,حالة القبول Approval Status must be 'Approved' or 'Rejected',يجب الحالة موافقة ' وافق ' أو ' رفض ' Approved,وافق @@ -264,9 +276,12 @@ Arrear Amount,متأخرات المبلغ As per Stock UOM,وفقا للأوراق UOM "As there are existing stock transactions for this item, you can not change the values of 'Has Serial No', 'Is Stock Item' and 'Valuation Method'","كما أن هناك معاملات الأوراق المالية الموجودة لهذا البند ، لا يمكنك تغيير قيم "" ليس لديه المسلسل '،' هل البند الأسهم "" و "" أسلوب التقييم """ Ascending,تصاعدي +Asset,الأصول Assign To,تعيين إلى Assigned To,تعيين ل Assignments,تعيينات +Assistant,المساعد +Associate,مساعد Atleast one warehouse is mandatory,واحدة على الاقل مستودع إلزامي Attach Document Print,إرفاق طباعة المستند Attach Image,إرفاق صورة @@ -293,6 +308,7 @@ Automatically compose message on submission of transactions.,يؤلف تلقائ Automatically extract Job Applicants from a mail box , Automatically extract Leads from a mail box e.g.,استخراج الشراء تلقائيا من صندوق البريد على سبيل المثال Automatically updated via Stock Entry of type Manufacture/Repack,تحديثها تلقائيا عن طريق إدخال الأسهم الصنع نوع / أعد حزم +Automotive,السيارات Autoreply when a new mail is received,عندما رد تلقائي تلقي بريد جديد Available,متاح Available Qty at Warehouse,الكمية المتاحة في مستودع @@ -333,6 +349,7 @@ Bank Account,الحساب المصرفي Bank Account No.,البنك رقم الحساب Bank Accounts,الحسابات المصرفية Bank Clearance Summary,بنك ملخص التخليص +Bank Draft,البنك مشروع Bank Name,اسم البنك Bank Overdraft Account,حساب السحب على المكشوف المصرفي Bank Reconciliation,البنك المصالحة @@ -340,6 +357,7 @@ Bank Reconciliation Detail,البنك المصالحة تفاصيل Bank Reconciliation Statement,بيان التسويات المصرفية Bank Voucher,البنك قسيمة Bank/Cash Balance,بنك / النقد وما في حكمه +Banking,مصرفي Barcode,الباركود Barcode {0} already used in Item {1},الباركود {0} تستخدم بالفعل في البند {1} Based On,وبناء على @@ -348,7 +366,6 @@ Basic Info,معلومات أساسية Basic Information,المعلومات الأساسية Basic Rate,قيم الأساسية Basic Rate (Company Currency),المعدل الأساسي (عملة الشركة) -Basic Section,القسم الأساسي Batch,دفعة Batch (lot) of an Item.,دفعة (الكثير) من عنصر. Batch Finished Date,دفعة منتهية تاريخ @@ -377,6 +394,7 @@ Bills raised by Suppliers.,رفعت فواتير من قبل الموردين. Bills raised to Customers.,رفعت فواتير للعملاء. Bin,بن Bio,الحيوية +Biotechnology,التكنولوجيا الحيوية Birthday,عيد ميلاد Block Date,منع تاريخ Block Days,كتلة أيام @@ -393,6 +411,8 @@ Brand Name,العلامة التجارية اسم Brand master.,العلامة التجارية الرئيسية. Brands,العلامات التجارية Breakdown,انهيار +Broadcasting,إذاعة +Brokerage,سمسرة Budget,ميزانية Budget Allocated,الميزانية المخصصة Budget Detail,تفاصيل الميزانية @@ -405,6 +425,7 @@ Budget cannot be set for Group Cost Centers,لا يمكن تعيين الميز Build Report,بناء تقرير Built on,مبنية على Bundle items at time of sale.,حزمة البنود في وقت البيع. +Business Development Manager,مدير تطوير الأعمال Buying,شراء Buying & Selling,شراء وبيع Buying Amount,شراء المبلغ @@ -484,7 +505,6 @@ Charity and Donations,الخيرية و التبرعات Chart Name,اسم الرسم البياني Chart of Accounts,دليل الحسابات Chart of Cost Centers,بيانيا من مراكز التكلفة -Check for Duplicates,تحقق من التكرارات Check how the newsletter looks in an email by sending it to your email.,التحقق من كيفية النشرة الإخبارية يبدو في رسالة بالبريد الالكتروني عن طريق إرساله إلى البريد الإلكتروني الخاص بك. "Check if recurring invoice, uncheck to stop recurring or put proper End Date",تحقق مما إذا الفاتورة متكررة، قم بإلغاء المتكررة لوقف أو وضع نهاية التاريخ الصحيح "Check if you need automatic recurring invoices. After submitting any sales invoice, Recurring section will be visible.",تحقق مما إذا كنت بحاجة الفواتير المتكررة التلقائي. بعد تقديم أي فاتورة المبيعات، وقسم التكراري تكون مرئية. @@ -496,6 +516,7 @@ Check this to pull emails from your mailbox,التحقق من ذلك لسحب ر Check to activate,تحقق لتفعيل Check to make Shipping Address,تحقق للتأكد عنوان الشحن Check to make primary address,تحقق للتأكد العنوان الأساسي +Chemical,مادة كيميائية Cheque,شيك Cheque Date,تاريخ الشيك Cheque Number,عدد الشيكات @@ -535,6 +556,7 @@ Comma separated list of email addresses,فاصلة فصل قائمة من عنا Comment,تعليق Comments,تعليقات Commercial,تجاري +Commission,عمولة Commission Rate,اللجنة قيم Commission Rate (%),اللجنة قيم (٪) Commission on Sales,عمولة على المبيعات @@ -568,6 +590,7 @@ Completed Production Orders,أوامر الإنتاج الانتهاء Completed Qty,الكمية الانتهاء Completion Date,تاريخ الانتهاء Completion Status,استكمال الحالة +Computer,الكمبيوتر Computers,أجهزة الكمبيوتر Confirmation Date,تأكيد التسجيل Confirmed orders from Customers.,أكد أوامر من العملاء. @@ -575,10 +598,12 @@ Consider Tax or Charge for,النظر في ضريبة أو رسم ل Considered as Opening Balance,يعتبر الرصيد الافتتاحي Considered as an Opening Balance,يعتبر رصيد أول المدة Consultant,مستشار +Consulting,الاستشارات Consumable,الاستهلاكية Consumable Cost,التكلفة الاستهلاكية Consumable cost per hour,التكلفة المستهلكة للساعة الواحدة Consumed Qty,تستهلك الكمية +Consumer Products,المنتجات الاستهلاكية Contact,اتصل Contact Control,الاتصال التحكم Contact Desc,الاتصال التفاصيل @@ -596,6 +621,7 @@ Contacts,اتصالات Content,محتوى Content Type,نوع المحتوى Contra Voucher,كونترا قسيمة +Contract,عقد Contract End Date,تاريخ نهاية العقد Contract End Date must be greater than Date of Joining,يجب أن يكون تاريخ الانتهاء العقد أكبر من تاريخ الالتحاق بالعمل Contribution (%),مساهمة (٪) @@ -611,10 +637,10 @@ Convert to Ledger,تحويل ل يدجر Converted,تحويل Copy,نسخ Copy From Item Group,نسخة من المجموعة السلعة +Cosmetics,مستحضرات التجميل Cost Center,مركز التكلفة Cost Center Details,تفاصيل تكلفة مركز Cost Center Name,اسم مركز تكلفة -Cost Center Name already exists,تكلف اسم مركز موجود بالفعل Cost Center is mandatory for Item {0},مركز تكلفة إلزامي القطعة ل {0} Cost Center is required for 'Profit and Loss' account {0},"مطلوب مركز تكلفة الربح و الخسارة "" حساب {0}" Cost Center is required in row {0} in Taxes table for type {1},مطلوب مركز تكلفة في الصف {0} في جدول الضرائب لنوع {1} @@ -648,6 +674,7 @@ Creation Time,إنشاء الموضوع Credentials,أوراق اعتماد Credit,ائتمان Credit Amt,الائتمان AMT +Credit Card,بطاقة إئتمان Credit Card Voucher,بطاقة الائتمان قسيمة Credit Controller,المراقب الائتمان Credit Days,الائتمان أيام @@ -696,6 +723,7 @@ Customer Issue,العدد العملاء Customer Issue against Serial No.,العدد العملاء ضد الرقم التسلسلي Customer Name,اسم العميل Customer Naming By,العملاء تسمية بواسطة +Customer Service,خدمة العملاء Customer database.,العملاء قاعدة البيانات. Customer is required,مطلوب العملاء Customer master.,سيد العملاء. @@ -739,7 +767,6 @@ Debit Amt,الخصم AMT Debit Note,ملاحظة الخصم Debit To,الخصم ل Debit and Credit not equal for this voucher. Difference is {0}.,الخصم والائتمان لا يساوي لهذا قسيمة . الفرق هو {0} . -Debit must equal Credit. The difference is {0},الخصم يجب أن يساوي الائتمان . والفرق هو {0} Deduct,خصم Deduction,اقتطاع Deduction Type,خصم نوع @@ -779,6 +806,7 @@ Default settings for accounting transactions.,الإعدادات الافترا Default settings for buying transactions.,الإعدادات الافتراضية ل شراء صفقة. Default settings for selling transactions.,الإعدادات الافتراضية لبيع صفقة. Default settings for stock transactions.,الإعدادات الافتراضية ل معاملات الأوراق المالية . +Defense,دفاع "Define Budget for this Cost Center. To set budget action, see Company Master","تحديد الميزانية لهذا المركز التكلفة. أن تتخذ إجراءات لميزانية، انظر ماجستير شركة" Delete,حذف Delete Row,حذف صف @@ -805,19 +833,23 @@ Delivery Status,حالة التسليم Delivery Time,التسليم في الوقت المحدد Delivery To,التسليم إلى Department,قسم +Department Stores,المتاجر Depends on LWP,يعتمد على LWP Depreciation,خفض Descending,تنازلي Description,وصف Description HTML,وصف HTML Designation,تعيين +Designer,مصمم Detailed Breakup of the totals,مفصلة تفكك مجاميع Details,تفاصيل -Difference,فرق +Difference (Dr - Cr),الفرق ( الدكتور - الكروم ) Difference Account,حساب الفرق +"Difference Account must be a 'Liability' type account, since this Stock Reconciliation is an Opening Entry",يجب أن يكون حساب الفرق حساب ' المسؤولية ' نوع ، لأن هذا السهم المصالحة هو الدخول افتتاح 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 . Direct Expenses,المصاريف المباشرة Direct Income,الدخل المباشر +Director,مدير Disable,تعطيل Disable Rounded Total,تعطيل إجمالي مدور Disabled,معاق @@ -829,6 +861,7 @@ Discount Amount,خصم المبلغ Discount Percentage,نسبة الخصم Discount must be less than 100,يجب أن يكون الخصم أقل من 100 Discount(%),الخصم (٪) +Dispatch,إيفاد Display all the individual items delivered with the main items,عرض كافة العناصر الفردية تسليمها مع البنود الرئيسية Distribute transport overhead across items.,توزيع النفقات العامة النقل عبر العناصر. Distribution,التوزيع @@ -863,7 +896,7 @@ Download Template,تحميل قالب Download a report containing all raw materials with their latest inventory status,تحميل تقريرا يتضمن جميع المواد الخام مع وضعهم أحدث المخزون "Download the Template, fill appropriate data and attach the modified file.",تحميل قالب ، وملء البيانات المناسبة وإرفاق الملف المعدل . "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", +All dates and employee combination in the selected period will come in the template, with existing attendance records",تحميل قالب ، وملء البيانات المناسبة وإرفاق الملف المعدل . \ n كل التواريخ و سوف مزيج موظف في الفترة المختارة تأتي في القالب، مع سجلات الحضور القائمة Draft,مسودة Drafts,الداما Drag to sort columns,اسحب لفرز الأعمدة @@ -876,11 +909,10 @@ Due Date cannot be after {0},بسبب التاريخ لا يمكن أن يكون Due Date cannot be before Posting Date,بسبب التاريخ لا يمكن أن يكون قبل المشاركة في التسجيل Duplicate Entry. Please check Authorization Rule {0},تكرار الدخول . يرجى مراجعة تصريح القاعدة {0} Duplicate Serial No entered for Item {0},تكرار المسلسل لا دخل القطعة ل {0} +Duplicate entry,تكرار دخول Duplicate row {0} with same {1},صف مكررة {0} مع نفسه {1} Duties and Taxes,الرسوم والضرائب ERPNext Setup,إعداد ERPNext -ESIC CARD No,ESIC رقم البطاقة -ESIC No.,ESIC رقم Earliest,أقرب Earnest Money,العربون Earning,كسب @@ -889,6 +921,7 @@ Earning Type,كسب نوع Earning1,Earning1 Edit,تحرير Editable,للتحرير +Education,تعليم Educational Qualification,المؤهلات العلمية Educational Qualification Details,تفاصيل المؤهلات العلمية Eg. smsgateway.com/api/send_sms.cgi,على سبيل المثال. smsgateway.com / API / send_sms.cgi @@ -898,6 +931,7 @@ Either target qty or target amount is mandatory.,إما الكمية المست Electrical,كهربائي Electricity Cost,تكلفة الكهرباء Electricity cost per hour,تكلفة الكهرباء في الساعة +Electronics,إلكترونيات Email,البريد الإلكتروني Email Digest,البريد الإلكتروني دايجست Email Digest Settings,البريد الإلكتروني إعدادات دايجست @@ -931,7 +965,6 @@ Employee Records to be created by,سجلات الموظفين المراد إن Employee Settings,إعدادات موظف Employee Type,نوع الموظف "Employee designation (e.g. CEO, Director etc.).",تعيين موظف (مثل الرئيس التنفيذي ، مدير الخ ) . -Employee grade.,الصف الموظف. Employee master.,سيد موظف . Employee record is created using selected field. ,يتم إنشاء سجل الموظف باستخدام الحقل المحدد. Employee records.,موظف السجلات. @@ -949,6 +982,8 @@ End Date,نهاية التاريخ End Date can not be less than Start Date,تاريخ نهاية لا يمكن أن يكون أقل من تاريخ بدء End date of current invoice's period,تاريخ نهاية فترة الفاتورة الحالية End of Life,نهاية الحياة +Energy,طاقة +Engineer,مهندس Enter Value,أدخل القيمة Enter Verification Code,أدخل رمز التحقق Enter campaign name if the source of lead is campaign.,أدخل اسم الحملة إذا كان مصدر الرصاص هو الحملة. @@ -961,6 +996,7 @@ Enter name of campaign if source of enquiry is campaign,أدخل اسم الحم Enter the company name under which Account Head will be created for this Supplier,أدخل اسم الشركة التي بموجبها سيتم إنشاء حساب رئيس هذه الشركة Enter url parameter for message,أدخل عنوان URL لمعلمة رسالة Enter url parameter for receiver nos,أدخل عنوان URL لمعلمة NOS استقبال +Entertainment & Leisure,الترفيه وترفيهية Entertainment Expenses,مصاريف الترفيه Entries,مقالات Entries against,مقالات ضد @@ -972,10 +1008,12 @@ Error: {0} > {1},الخطأ: {0} > {1} Estimated Material Cost,تقدر تكلفة المواد Everyone can read,يمكن أن يقرأها الجميع "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.", +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 # # # # # \ n إذا تم تعيين سلسلة و لم يرد ذكرها لا في المعاملات المسلسل ، ثم سيتم إنشاء رقم تسلسلي تلقائي على أساس هذه السلسلة. Exchange Rate,سعر الصرف Excise Page Number,المكوس رقم الصفحة Excise Voucher,المكوس قسيمة +Execution,إعدام +Executive Search,البحث التنفيذي Exemption Limit,إعفاء الحد Exhibition,معرض Existing Customer,القائمة العملاء @@ -990,6 +1028,7 @@ Expected Delivery Date cannot be before Purchase Order Date,التسليم ال Expected Delivery Date cannot be before Sales Order Date,التسليم المتوقع التاريخ لا يمكن أن يكون قبل تاريخ ترتيب المبيعات Expected End Date,تاريخ الإنتهاء المتوقع Expected Start Date,يتوقع البدء تاريخ +Expense,نفقة Expense Account,حساب حساب Expense Account is mandatory,حساب المصاريف إلزامي Expense Claim,حساب المطالبة @@ -1007,7 +1046,7 @@ Expense Date,حساب تاريخ Expense Details,تفاصيل حساب Expense Head,رئيس حساب Expense account is mandatory for item {0},حساب المصاريف إلزامي لمادة {0} -Expense or Difference account is mandatory for Item {0} as there is difference in value,حساب أو حساب الفرق إلزامي القطعة ل {0} كما أن هناك فارق في القيمة +Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,حساب أو حساب الفرق إلزامي القطعة ل {0} لأنها آثار قيمة الأسهم الإجمالية Expenses,نفقات Expenses Booked,حجز النفقات Expenses Included In Valuation,وشملت النفقات في التقييم @@ -1034,13 +1073,11 @@ File,ملف Files Folder ID,ملفات ID المجلد Fill the form and save it,تعبئة النموذج وحفظه Filter,تحديد -Filter By Amount,النتائج حسب المبلغ -Filter By Date,النتائج حسب تاريخ Filter based on customer,تصفية على أساس العملاء Filter based on item,تصفية استنادا إلى البند -Final Confirmation Date must be greater than Date of Joining,يجب أن يكون تأكيد التسجيل النهائي أكبر من تاريخ الالتحاق بالعمل Financial / accounting year.,المالية / المحاسبة العام. Financial Analytics,تحليلات مالية +Financial Services,الخدمات المالية Financial Year End Date,تاريخ نهاية السنة المالية Financial Year Start Date,السنة المالية تاريخ بدء Finished Goods,السلع تامة الصنع @@ -1052,6 +1089,7 @@ Fixed Assets,الموجودات الثابتة Follow via Email,متابعة عبر البريد الإلكتروني "Following table will show values if items are sub - contracted. These values will be fetched from the master of ""Bill of Materials"" of sub - contracted items.",سوف تظهر بعد الجدول القيم البنود الفرعية إذا - المتعاقد عليها. وسيتم جلب من هذه القيم سيد "بيل من مواد" من دون - البنود المتعاقد عليها. Food,غذاء +"Food, Beverage & Tobacco",الغذاء و المشروبات و التبغ For Company,لشركة For Employee,لموظف For Employee Name,لاسم الموظف @@ -1106,6 +1144,7 @@ Frozen,تجميد Frozen Accounts Modifier,الحسابات المجمدة معدل Fulfilled,الوفاء Full Name,بدر تام +Full-time,بدوام كامل Fully Completed,يكتمل Furniture and Fixture,الأثاث و تركيبات Further accounts can be made under Groups but entries can be made against Ledger,مزيد من الحسابات يمكن أن يتم في إطار المجموعات ولكن يمكن إجراء إدخالات ضد ليدجر @@ -1125,14 +1164,15 @@ Generates HTML to include selected image in the description,يولد HTML لتش Get,الحصول على Get Advances Paid,الحصول على السلف المدفوعة Get Advances Received,الحصول على السلف المتلقاة +Get Against Entries,الحصول ضد مقالات Get Current Stock,الحصول على المخزون الحالي Get From ,عليه من Get Items,الحصول على العناصر Get Items From Sales Orders,الحصول على سلع من أوامر المبيعات Get Items from BOM,الحصول على عناصر من BOM Get Last Purchase Rate,الحصول على آخر سعر شراء -Get Non Reconciled Entries,الحصول على مقالات غير التوفيق Get Outstanding Invoices,الحصول على الفواتير المستحقة +Get Relevant Entries,الحصول على مقالات ذات صلة Get Sales Orders,الحصول على أوامر المبيعات Get Specification Details,الحصول على تفاصيل المواصفات Get Stock and Rate,الحصول على الأسهم وقيم @@ -1151,14 +1191,13 @@ Goods received from Suppliers.,تلقى السلع من الموردين. Google Drive,محرك جوجل Google Drive Access Allowed,جوجل محرك الوصول الأليفة Government,حكومة -Grade,درجة Graduate,تخريج Grand Total,المجموع الإجمالي Grand Total (Company Currency),المجموع الكلي (العملات شركة) -Gratuity LIC ID,مكافأة LIC ID Greater or equals,أكبر أو يساوي Greater than,أكبر من "Grid ""","الشبكة """ +Grocery,بقالة Gross Margin %,هامش إجمالي٪ Gross Margin Value,هامش إجمالي القيمة Gross Pay,إجمالي الأجور @@ -1173,6 +1212,7 @@ Group by Account,مجموعة بواسطة حساب Group by Voucher,المجموعة بواسطة قسيمة Group or Ledger,مجموعة أو ليدجر Groups,مجموعات +HR Manager,مدير الموارد البشرية HR Settings,إعدادات HR HTML / Banner that will show on the top of product list.,HTML / بانر التي سوف تظهر في الجزء العلوي من قائمة المنتجات. Half Day,نصف يوم @@ -1183,7 +1223,9 @@ Hardware,خردوات Has Batch No,ودفعة واحدة لا Has Child Node,وعقدة الطفل Has Serial No,ورقم المسلسل +Head of Marketing and Sales,رئيس التسويق والمبيعات Header,رأس +Health Care,الرعاية الصحية Health Concerns,الاهتمامات الصحية Health Details,الصحة التفاصيل Held On,عقدت في @@ -1266,6 +1308,7 @@ In Words will be visible once you save the Sales Invoice.,وبعبارة تكو In Words will be visible once you save the Sales Order.,وبعبارة تكون مرئية بمجرد حفظ ترتيب المبيعات. In response to,ردا على Incentives,الحوافز +Include Reconciled Entries,وتشمل مقالات التوفيق Include holidays in Total no. of Working Days,تشمل أيام العطل في المجموع لا. أيام العمل Income,دخل Income / Expense,الدخل / المصاريف @@ -1302,7 +1345,9 @@ Installed Qty,تثبيت الكمية Instructions,تعليمات Integrate incoming support emails to Support Ticket,دمج رسائل البريد الإلكتروني الواردة إلى دعم دعم التذاكر Interested,مهتم +Intern,المتدرب Internal,داخلي +Internet Publishing,نشر الإنترنت Introduction,مقدمة Invalid Barcode or Serial No,الباركود صالح أو رقم المسلسل Invalid Email: {0},صالح البريد الإلكتروني: {0} @@ -1313,6 +1358,7 @@ Invalid User Name or Support Password. Please rectify and try again.,اسم ال Invalid quantity specified for item {0}. Quantity should be greater than 0.,كمية غير صالحة المحدد لمادة {0} . يجب أن تكون كمية أكبر من 0. Inventory,جرد Inventory & Support,الجرد والدعم +Investment Banking,الخدمات المصرفية الاستثمارية Investments,الاستثمارات Invoice Date,تاريخ الفاتورة Invoice Details,تفاصيل الفاتورة @@ -1430,6 +1476,9 @@ Item-wise Purchase History,البند الحكيم تاريخ الشراء Item-wise Purchase Register,البند من الحكمة الشراء تسجيل Item-wise Sales History,البند الحكيم تاريخ المبيعات Item-wise Sales Register,مبيعات البند الحكيم سجل +"Item: {0} managed batch-wise, can not be reconciled using \ + Stock Reconciliation, instead use Stock Entry",البند : {0} المدارة دفعة حكيمة ، لا يمكن التوفيق بينها باستخدام \ \ ن الأسهم المصالحة ، بدلا من استخدام دخول الأسهم +Item: {0} not found in the system,البند : {0} لم يتم العثور في النظام Items,البنود Items To Be Requested,البنود يمكن طلبه Items required,العناصر المطلوبة @@ -1448,9 +1497,10 @@ Journal Entry,إدخال دفتر اليومية Journal Voucher,مجلة قسيمة Journal Voucher Detail,مجلة قسيمة التفاصيل Journal Voucher Detail No,مجلة التفاصيل قسيمة لا -Journal Voucher {0} does not have account {1}.,مجلة قسيمة {0} لا يملك حساب {1} . +Journal Voucher {0} does not have account {1} or already matched,مجلة قسيمة {0} لا يملك حساب {1} أو بالفعل المتطابقة Journal Vouchers {0} are un-linked,مجلة قسائم {0} ترتبط الامم المتحدة و Keep a track of communication related to this enquiry which will help for future reference.,الحفاظ على مسار الاتصالات المتعلقة بهذا التحقيق والتي سوف تساعد للرجوع إليها مستقبلا. +Keep it web friendly 900px (w) by 100px (h),يبقيه على شبكة الإنترنت 900px دية ( ث ) من قبل 100px (ح ) Key Performance Area,مفتاح الأداء المنطقة Key Responsibility Area,مفتاح مسؤولية المنطقة Kg,كجم @@ -1506,7 +1556,6 @@ Leave blank if considered for all branches,ترك فارغا إذا نظرت ل Leave blank if considered for all departments,اتركه فارغا إذا نظرت لجميع الإدارات Leave blank if considered for all designations,ترك فارغا إذا نظرت لجميع التسميات Leave blank if considered for all employee types,ترك فارغا إذا نظرت لجميع أنواع موظف -Leave blank if considered for all grades,اتركه فارغا إذا نظرت لجميع الصفوف "Leave can be approved by users with Role, ""Leave Approver""",يمكن الموافقة على الإجازة من قبل المستخدمين مع الدور "اترك الموافق" Leave of type {0} cannot be longer than {1},إجازة من نوع {0} لا يمكن أن تكون أطول من {1} Leaves Allocated Successfully for {0},الأوراق المخصصة بنجاح ل {0} @@ -1515,6 +1564,7 @@ Leaves must be allocated in multiples of 0.5,يجب تخصيص الأوراق ف Ledger,دفتر الحسابات Ledgers,دفاتر Left,ترك +Legal,قانوني Legal Expenses,المصاريف القانونية Less or equals,أقل أو يساوي Less than,أقل من @@ -1522,16 +1572,16 @@ Letter Head,رسالة رئيس Letter Heads for print templates.,رؤساء إلكتروني لقوالب الطباعة. Level,مستوى Lft,LFT +Liability,مسئولية Like,مثل Linked With,ترتبط List,قائمة List a few of your customers. They could be organizations or individuals.,قائمة قليلة من الزبائن. يمكن أن تكون المنظمات أو الأفراد. List a few of your suppliers. They could be organizations or individuals.,قائمة قليلة من الموردين الخاصة بك . يمكن أن تكون المنظمات أو الأفراد. -"List a few products or services you buy from your suppliers or vendors. If these are same as your products, then do not add them.",قائمة عدد قليل من المنتجات أو الخدمات التي شراء من الموردين أو البائعين الخاصة بك. إذا كانت هذه هي نفس المنتجات الخاصة بك، ثم لا تضيف لهم . List items that form the package.,عناصر القائمة التي تشكل الحزمة. List this Item in multiple groups on the website.,قائمة هذا البند في مجموعات متعددة على شبكة الانترنت. -"List your products or services that you sell to your customers. Make sure to check the Item Group, Unit of Measure and other properties when you start.",قائمة المنتجات أو الخدمات التي تقوم ببيعها إلى الزبائن. تأكد للتحقق من تفاصيل المجموعة ، وحدة القياس وغيرها من الممتلكات عند بدء تشغيل . -"List your tax heads (e.g. VAT, Excise) (upto 3) and their standard rates. This will create a standard template, you can edit and add more later.",قائمة رؤساء الضريبية الخاصة بك (على سبيل المثال ضريبة القيمة المضافة، الضرائب ) (حتى 3 ) و معدلاتها القياسية. وهذا إنشاء قالب القياسية ، يمكنك تحرير و إضافة المزيد لاحقا . +"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 your tax heads (e.g. VAT, Excise; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.",قائمة رؤساء الضريبية الخاصة بك (على سبيل المثال ضريبة القيمة المضافة، الضرائب ، بل ينبغي لها أسماء فريدة من نوعها ) و معدلاتها القياسية. Loading,تحميل Loading Report,تحميل تقرير Loading...,تحميل ... @@ -1598,6 +1648,8 @@ Manage Customer Group Tree.,إدارة مجموعة العملاء شجرة . Manage Sales Person Tree.,إدارة المبيعات الشخص شجرة . Manage Territory Tree.,إدارة شجرة الإقليم. Manage cost of operations,إدارة تكلفة العمليات +Management,إدارة +Manager,مدير Mandatory fields required in {0},الحقول الإلزامية المطلوبة في {0} Mandatory filters required:\n,مرشحات الإلزامية المطلوبة: \ ن "Mandatory if Stock Item is ""Yes"". Also the default warehouse where reserved quantity is set from Sales Order.",إلزامية إذا البند الأسهم هو "نعم". أيضا المستودع الافتراضي حيث يتم تعيين الكمية المحجوزة من ترتيب المبيعات. @@ -1614,6 +1666,7 @@ Manufacturing Quantity is mandatory,تصنيع الكمية إلزامي Margin,هامش Marital Status,الحالة الإجتماعية Market Segment,سوق القطاع +Marketing,تسويق Marketing Expenses,مصاريف التسويق Married,متزوج Mass Mailing,الشامل البريدية @@ -1640,6 +1693,7 @@ Material Requirement,متطلبات المواد Material Transfer,لنقل المواد Materials,المواد Materials Required (Exploded),المواد المطلوبة (انفجرت) +Max 5 characters,5 أحرف كحد أقصى Max Days Leave Allowed,اترك أيام كحد أقصى مسموح Max Discount (%),ماكس الخصم (٪) Max Qty,ماكس الكمية @@ -1648,7 +1702,7 @@ Maximum {0} rows allowed,الحد الأقصى {0} الصفوف المسموح Maxiumm discount for Item {0} is {1}%,خصم Maxiumm القطعة ل {0} {1} ٪ Medical,طبي Medium,متوسط -"Merging is only possible if following properties are same in both records. Group or Ledger, Report Type, Company",دمج لا يمكن تحقيقه إلا إذا الخصائص التالية هي نفسها في كل السجلات. مجموعة أو ليدجر، نوع التقرير ، شركة +"Merging is only possible if following properties are same in both records. Group or Ledger, Root Type, Company",دمج لا يمكن تحقيقه إلا إذا الخصائص التالية هي نفسها في كل السجلات. Message,رسالة Message Parameter,رسالة معلمة Message Sent,رسالة المرسلة @@ -1662,6 +1716,7 @@ Milestones,معالم Milestones will be added as Events in the Calendar,سيتم إضافة معالم وأحداث في تقويم Min Order Qty,دقيقة الكمية ترتيب Min Qty,دقيقة الكمية +Min Qty can not be greater than Max Qty,دقيقة الكمية لا يمكن أن يكون أكبر من الكمية ماكس Minimum Order Qty,الحد الأدنى لطلب الكمية Minute,دقيقة Misc Details,تفاصيل منوعات @@ -1684,6 +1739,7 @@ Monthly salary statement.,بيان الراتب الشهري. More,أكثر More Details,مزيد من التفاصيل More Info,المزيد من المعلومات +Motion Picture & Video,الحركة صور والفيديو Move Down: {0},تحريك لأسفل : {0} Move Up: {0},تحريك لأعلى : {0} Moving Average,المتوسط ​​المتحرك @@ -1691,6 +1747,9 @@ Moving Average Rate,الانتقال متوسط ​​معدل Mr,السيد Ms,MS Multiple Item prices.,أسعار الإغلاق متعددة . +"Multiple Price Rule exists with same criteria, please resolve \ + conflict by assigning priority. Price Rules: {0}",موجود متعددة سعر القاعدة مع المعايير نفسها ، يرجى لحل الصراع \ \ ن عن طريق تعيين الأولوية. +Music,موسيقى Must be Whole Number,يجب أن يكون عدد صحيح My Settings,الإعدادات Name,اسم @@ -1702,7 +1761,9 @@ Name not permitted,تسمية غير مسموح Name of person or organization that this address belongs to.,اسم الشخص أو المنظمة التي ينتمي إلى هذا العنوان. Name of the Budget Distribution,اسم توزيع الميزانية Naming Series,تسمية السلسلة +Negative Quantity is not allowed,لا يسمح السلبية الكمية Negative Stock Error ({6}) for Item {0} in Warehouse {1} on {2} {3} in {4} {5},خطأ الأسهم السلبية ( { } 6 ) القطعة ل {0} في {1} في معرض النماذج ثلاثية على {2} {3} {4} في {5} +Negative Valuation Rate is not allowed,لا يسمح السلبية قيم التقييم Negative balance in Batch {0} for Item {1} at Warehouse {2} on {3} {4},الرصيد السلبي في الدفعة {0} القطعة ل {1} في {2} مستودع في {3} {4} Net Pay,صافي الراتب Net Pay (in words) will be visible once you save the Salary Slip.,سوف تدفع صافي (في كلمة) تكون مرئية بمجرد حفظ زلة الراتب. @@ -1750,6 +1811,7 @@ Newsletter Status,النشرة الحالة Newsletter has already been sent,وقد تم بالفعل أرسلت الرسالة الإخبارية Newsletters is not allowed for Trial users,لا يسمح للمستخدمين النشرات الإخبارية الابتدائية "Newsletters to contacts, leads.",النشرات الإخبارية إلى جهات الاتصال، ويؤدي. +Newspaper Publishers,صحيفة الناشرين Next,التالي Next Contact By,لاحق اتصل بواسطة Next Contact Date,تاريخ لاحق اتصل @@ -1773,17 +1835,18 @@ No Results,لا نتائج No Supplier Accounts found. Supplier Accounts are identified based on 'Master Type' value in account record.,لا توجد حسابات الموردين. ويتم تحديد حسابات المورد على أساس القيمة 'نوع الماجستير في سجل حساب . No accounting entries for the following warehouses,لا القيود المحاسبية للمستودعات التالية No addresses created,أية عناوين خلق -No amount allocated,لا المبلغ المخصص No contacts created,هناك أسماء تم إنشاؤها No default BOM exists for Item {0},لا توجد BOM الافتراضي القطعة ل {0} No description given,لا يوجد وصف معين No document selected,أي وثيقة مختارة No employee found,لا توجد موظف +No employee found!,أي موظف موجود! No of Requested SMS,لا للSMS مطلوب No of Sent SMS,لا للSMS المرسلة No of Visits,لا الزيارات No one,لا احد No permission,لا يوجد إذن +No permission to '{0}' {1},لا توجد صلاحية ل '{0} ' {1} No permission to edit,لا توجد صلاحية ل تعديل No record found,العثور على أي سجل No records tagged.,لا توجد سجلات المعلمة. @@ -1843,6 +1906,7 @@ Old Parent,العمر الرئيسي On Net Total,على إجمالي صافي On Previous Row Amount,على المبلغ الصف السابق On Previous Row Total,على إجمالي الصف السابق +Online Auctions,مزادات على الانترنت Only Leave Applications with status 'Approved' can be submitted,اترك فقط مع وضع تطبيقات ' وافق ' يمكن تقديم "Only Serial Nos with status ""Available"" can be delivered.","المسلسل فقط مع نص حالة "" متوفر"" يمكن تسليمها ." Only leaf nodes are allowed in transaction,ويسمح العقد ورقة فقط في المعاملة @@ -1888,6 +1952,7 @@ Organization Name,اسم المنظمة Organization Profile,الملف الشخصي المنظمة Organization branch master.,فرع المؤسسة الرئيسية . Organization unit (department) master.,وحدة المؤسسة ( قسم) الرئيسي. +Original Amount,المبلغ الأصلي Original Message,رسالة الأصلي Other,آخر Other Details,تفاصيل أخرى @@ -1905,9 +1970,6 @@ Overlapping conditions found between:,الظروف المتداخلة وجدت Overview,نظرة عامة Owned,تملكها Owner,مالك -PAN Number,PAN عدد -PF No.,PF رقم -PF Number,PF عدد PL or BS,PL أو BS PO Date,PO التسجيل PO No,ص لا @@ -1919,7 +1981,6 @@ POS Setting,POS إعداد POS Setting required to make POS Entry,إعداد POS المطلوبة لجعل دخول POS POS Setting {0} already created for user: {1} and company {2},إعداد POS {0} تم إنشاؤها مسبقا للمستخدم : {1} و شركة {2} POS View,POS مشاهدة -POS-Setting-.#,POS- الإعداد . # PR Detail,PR التفاصيل PR Posting Date,التسجيل PR المشاركة Package Item Details,تفاصيل حزمة الإغلاق @@ -1955,6 +2016,7 @@ Parent Website Route,الوالد موقع الطريق Parent account can not be a ledger,حساب الأصل لا يمكن أن يكون دفتر الأستاذ Parent account does not exist,لا وجود حساب الوالد Parenttype,Parenttype +Part-time,جزئي Partially Completed,أنجزت جزئيا Partly Billed,وصفت جزئيا Partly Delivered,هذه جزئيا @@ -1972,7 +2034,6 @@ Payables,الذمم الدائنة Payables Group,دائنو مجموعة Payment Days,يوم الدفع Payment Due Date,تاريخ استحقاق السداد -Payment Entries,مقالات الدفع Payment Period Based On Invoice Date,طريقة الدفع بناء على تاريخ الفاتورة Payment Type,الدفع نوع Payment of salary for the month {0} and year {1},دفع المرتبات لشهر {0} و السنة {1} @@ -1989,6 +2050,7 @@ Pending Amount,في انتظار المبلغ Pending Items {0} updated,العناصر المعلقة {0} تحديث Pending Review,في انتظار المراجعة Pending SO Items For Purchase Request,العناصر المعلقة وذلك لطلب الشراء +Pension Funds,صناديق المعاشات التقاعدية Percent Complete,كاملة في المئة Percentage Allocation,نسبة توزيع Percentage Allocation should be equal to 100%,يجب أن تكون نسبة تخصيص تساوي 100 ٪ @@ -1997,7 +2059,6 @@ Percentage you are allowed to receive or deliver more against the quantity order Performance appraisal.,تقييم الأداء. Period,فترة Period Closing Voucher,فترة الإغلاق قسيمة -Period is too short,فترة قصيرة جدا Periodicity,دورية Permanent Address,العنوان الدائم Permanent Address Is,العنوان الدائم هو @@ -2009,15 +2070,18 @@ Personal,الشخصية Personal Details,تفاصيل شخصية Personal Email,البريد الالكتروني الشخصية Pharmaceutical,الأدوية +Pharmaceuticals,المستحضرات الصيدلانية Phone,هاتف Phone No,رقم الهاتف Pick Columns,اختيار الأعمدة +Piecework,العمل مقاولة Pincode,Pincode Place of Issue,مكان الإصدار Plan for maintenance visits.,خطة للزيارات الصيانة. Planned Qty,المخطط الكمية "Planned Qty: Quantity, for which, Production Order has been raised, but is pending to be manufactured.",المخطط الكمية : الكمية ، التي تم رفع ترتيب الإنتاج، ولكن ينتظر أن يتم تصنيعها . Planned Quantity,المخطط الكمية +Planning,تخطيط Plant,مصنع Plant and Machinery,النباتية و الآلات Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,الرجاء إدخال الإسم المختصر اختصار أو بشكل صحيح كما سيتم إضافة لاحقة على أنها لجميع رؤساء الحساب. @@ -2054,7 +2118,6 @@ Please enter Planned Qty for Item {0} at row {1},يرجى إدخال الكمي Please enter Production Item first,من فضلك ادخل إنتاج السلعة الأولى Please enter Purchase Receipt No to proceed,الرجاء إدخال شراء الإيصال لا على المضي قدما Please enter Reference date,من فضلك ادخل تاريخ المرجعي -Please enter Start Date and End Date,يرجى إدخال تاريخ بدء و نهاية التاريخ Please enter Warehouse for which Material Request will be raised,من فضلك ادخل مستودع لل والتي سيتم رفع طلب المواد Please enter Write Off Account,الرجاء إدخال شطب الحساب Please enter atleast 1 invoice in the table,الرجاء إدخال الاقل فاتورة 1 في الجدول @@ -2103,9 +2166,9 @@ Please select item code,الرجاء اختيار رمز العنصر Please select month and year,الرجاء اختيار الشهر والسنة Please select prefix first,الرجاء اختيار البادئة الأولى Please select the document type first,الرجاء اختيار نوع الوثيقة الأولى -Please select valid Voucher No to proceed,الرجاء اختيار قسيمة صالحة لا لل مضي قدما Please select weekly off day,الرجاء اختيار يوم عطلة أسبوعية Please select {0},الرجاء اختيار {0} +Please select {0} first,الرجاء اختيار {0} الأولى Please set Dropbox access keys in your site config,الرجاء تعيين مفاتيح الوصول دروببوإكس في التكوين موقعك Please set Google Drive access keys in {0},الرجاء تعيين مفاتيح الوصول محرك جوجل في {0} Please set default Cash or Bank account in Mode of Payment {0},الرجاء تعيين النقدية الافتراضي أو حساب مصرفي في طريقة الدفع {0} @@ -2121,6 +2184,7 @@ Please specify Default Currency in Company Master and Global Defaults,يرجى Please specify a,الرجاء تحديد Please specify a valid 'From Case No.',الرجاء تحديد صالح 'من القضية رقم' Please specify a valid Row ID for {0} in row {1},يرجى تحديد هوية صف صالحة لل {0} في {1} الصف +Please specify either Quantity or Valuation Rate or both,يرجى تحديد الكمية أو التقييم إما قيم أو كليهما Please submit to update Leave Balance.,يرجى تقديم لتحديث اترك الرصيد . Plot,مؤامرة Plot By,مؤامرة بواسطة @@ -2170,11 +2234,14 @@ Print and Stationary,طباعة و قرطاسية Print...,طباعة ... Printing and Branding,الطباعة و العلامات التجارية Priority,أفضلية +Private Equity,الأسهم الخاصة Privilege Leave,امتياز الإجازة +Probation,امتحان Process Payroll,عملية كشوف المرتبات Produced,أنتجت Produced Quantity,أنتجت الكمية Product Enquiry,المنتج استفسار +Production,الإنتاج Production Order,الإنتاج ترتيب Production Order status is {0},مركز الإنتاج للطلب هو {0} Production Order {0} must be cancelled before cancelling this Sales Order,إنتاج النظام {0} يجب أن يتم إلغاء هذا الأمر قبل إلغاء المبيعات @@ -2187,12 +2254,12 @@ Production Plan Sales Order,أمر الإنتاج خطة المبيعات Production Plan Sales Orders,خطة الإنتاج أوامر المبيعات Production Planning Tool,إنتاج أداة تخطيط المنزل Products,المنتجات -Products or Services You Buy,المنتجات أو الخدمات التي شراء "Products will be sorted by weight-age in default searches. More the weight-age, higher the product will appear in the list.",سيتم فرز المنتجات حسب العمر، الوزن في عمليات البحث الافتراضي. أكثر من الوزن في سن، وأعلى المنتج تظهر في القائمة. Profit and Loss,الربح والخسارة Project,مشروع Project Costing,مشروع يكلف Project Details,تفاصيل المشروع +Project Manager,مدير المشروع Project Milestone,مشروع تصنيف Project Milestones,مشروع معالم Project Name,اسم المشروع @@ -2209,9 +2276,10 @@ Projected Qty,الكمية المتوقع Projects,مشاريع Projects & System,مشاريع و نظام Prompt for Email on Submission of,المطالبة البريد الالكتروني على تقديم +Proposal Writing,الكتابة الاقتراح Provide email id registered in company,توفير معرف البريد الإلكتروني المسجلة في الشركة Public,جمهور -Pull Payment Entries,سحب مقالات الدفع +Publishing,نشر Pull sales orders (pending to deliver) based on the above criteria,سحب أوامر البيع (في انتظار لتسليم) بناء على المعايير المذكورة أعلاه Purchase,شراء Purchase / Manufacture Details,تفاصيل شراء / تصنيع @@ -2277,6 +2345,7 @@ Quality Inspection Parameters,معايير الجودة التفتيش Quality Inspection Reading,جودة التفتيش القراءة Quality Inspection Readings,قراءات نوعية التفتيش Quality Inspection required for Item {0},التفتيش الجودة المطلوبة القطعة ل {0} +Quality Management,إدارة الجودة Quantity,كمية Quantity Requested for Purchase,مطلوب للشراء كمية Quantity and Rate,كمية وقيم @@ -2340,6 +2409,7 @@ Reading 6,قراءة 6 Reading 7,قراءة 7 Reading 8,قراءة 8 Reading 9,قراءة 9 +Real Estate,عقارات Reason,سبب Reason for Leaving,سبب ترك العمل Reason for Resignation,سبب الاستقالة @@ -2358,6 +2428,7 @@ Receiver List,استقبال قائمة Receiver List is empty. Please create Receiver List,قائمة المتلقي هو فارغ. يرجى إنشاء قائمة استقبال Receiver Parameter,استقبال معلمة Recipients,المستلمين +Reconcile,توفيق Reconciliation Data,المصالحة البيانات Reconciliation HTML,المصالحة HTML Reconciliation JSON,المصالحة JSON @@ -2407,6 +2478,7 @@ Report,تقرير Report Date,تقرير تاريخ Report Type,نوع التقرير Report Type is mandatory,تقرير نوع إلزامي +Report an Issue,أبلغ عن مشكلة Report was not saved (there were errors),لم يتم حفظ التقرير (كانت هناك أخطاء) Reports to,تقارير إلى Reqd By Date,Reqd حسب التاريخ @@ -2425,6 +2497,9 @@ Required Date,تاريخ المطلوبة Required Qty,مطلوب الكمية Required only for sample item.,المطلوب فقط لمادة العينة. Required raw materials issued to the supplier for producing a sub - contracted item.,المواد الخام اللازمة الصادرة إلى المورد لإنتاج فرعي - البند المتعاقد عليها. +Research,بحث +Research & Development,البحوث والتنمية +Researcher,الباحث Reseller,بائع التجزئة Reserved,محجوز Reserved Qty,الكمية المحجوزة @@ -2444,11 +2519,14 @@ Resolution Details,قرار تفاصيل Resolved By,حلها عن طريق Rest Of The World,بقية العالم Retail,بيع بالتجزئة +Retail & Wholesale,تجارة التجزئة و الجملة Retailer,متاجر التجزئة Review Date,مراجعة تاريخ Rgt,RGT Role Allowed to edit frozen stock,دور الأليفة لتحرير الأسهم المجمدة Role that is allowed to submit transactions that exceed credit limits set.,الدور الذي يسمح بتقديم المعاملات التي تتجاوز حدود الائتمان تعيين. +Root Type,نوع الجذر +Root Type is mandatory,نوع الجذر إلزامي Root account can not be deleted,لا يمكن حذف حساب الجذر Root cannot be edited.,لا يمكن تحرير الجذر. Root cannot have a parent cost center,الجذر لا يمكن أن يكون مركز تكلفة الأصل @@ -2456,6 +2534,16 @@ Rounded Off,تقريبها Rounded Total,تقريب إجمالي Rounded Total (Company Currency),المشاركات تقريب (العملة الشركة) Row # ,الصف # +Row # {0}: , +"Row {0}: Account does not match with \ + Purchase Invoice Credit To account",الصف {0} : الحساب لا يتطابق مع \ \ ن شراء فاتورة الائتمان ل حساب +"Row {0}: Account does not match with \ + Sales Invoice Debit To account",الصف {0} : الحساب لا يتطابق مع \ \ ن فاتورة المبيعات خصم ل حساب +Row {0}: Credit entry can not be linked with a Purchase Invoice,الصف {0} : دخول الائتمان لا يمكن ربطها مع فاتورة الشراء +Row {0}: Debit entry can not be linked with a Sales Invoice,الصف {0} : دخول السحب لا يمكن ربطها مع فاتورة المبيعات +"Row {0}: To set {1} periodicity, difference between from and to date \ + must be greater than or equal to {2}",الصف {0} : لضبط {1} الدورية ، يجب أن يكون الفرق بين من وإلى تاريخ \ \ ن أكبر من أو يساوي {2} +Row {0}:Start Date must be before End Date,الصف {0} : يجب أن يكون تاريخ بدء قبل تاريخ الانتهاء Rules for adding shipping costs.,قواعد لإضافة تكاليف الشحن. Rules for applying pricing and discount.,قواعد لتطبيق التسعير والخصم . Rules to calculate shipping amount for a sale,قواعد لحساب كمية الشحن لبيع @@ -2547,7 +2635,6 @@ Schedule,جدول Schedule Date,جدول التسجيل Schedule Details,جدول تفاصيل Scheduled,من المقرر -Scheduled Confirmation Date must be greater than Date of Joining,يجب أن يكون المقرر تأكيد تاريخ أكبر من تاريخ الالتحاق بالعمل Scheduled Date,المقرر تاريخ Scheduled to send to {0},من المقرر أن يرسل إلى {0} Scheduled to send to {0} recipients,من المقرر أن يرسل إلى {0} المتلقين @@ -2559,7 +2646,9 @@ Score must be less than or equal to 5,يجب أن تكون النتيجة أقل Scrap %,الغاء٪ Search,البحث Seasonality for setting budgets.,موسمية لوضع الميزانيات. +Secretary,أمين Secured Loans,القروض المضمونة +Securities & Commodity Exchanges,الأوراق المالية و البورصات السلعية Securities and Deposits,الأوراق المالية و الودائع "See ""Rate Of Materials Based On"" in Costing Section",انظر "نسبة المواد على أساس" التكلفة في القسم "Select ""Yes"" for sub - contracting items",حدد "نعم" لشبه - بنود التعاقد @@ -2589,7 +2678,6 @@ Select dates to create a new ,قم بتحديد مواعيد لخلق جديد Select or drag across time slots to create a new event.,حدد أو اسحب عبر فتحات الوقت لإنشاء حدث جديد. Select template from which you want to get the Goals,حدد قالب الذي تريد للحصول على الأهداف Select the Employee for whom you are creating the Appraisal.,حدد موظف الذين تقوم بإنشاء تقييم. -Select the Invoice against which you want to allocate payments.,حدد الفاتورة التي ضدك تريد تخصيص المدفوعات. Select the period when the invoice will be generated automatically,حدد الفترة التي سيتم إنشاء فاتورة تلقائيا Select the relevant company name if you have multiple companies,حدد اسم الشركة ذات الصلة إذا كان لديك الشركات متعددة Select the relevant company name if you have multiple companies.,حدد اسم الشركة ذات الصلة إذا كان لديك الشركات متعددة. @@ -2640,7 +2728,8 @@ Serial No {0} status must be 'Available' to Deliver,"يجب أن يكون الم Serial Nos Required for Serialized Item {0},مسلسل نص مطلوب لل مسلسل البند {0} Serial Number Series,المسلسل عدد سلسلة Serial number {0} entered more than once,الرقم التسلسلي {0} دخلت أكثر من مرة -Serialized Item {0} cannot be updated using Stock Reconciliation,تسلسل البند {0} لا يمكن تحديث باستخدام الأسهم المصالحة +"Serialized Item {0} cannot be updated \ + using Stock Reconciliation",تسلسل البند {0} لا يمكن تحديث \ \ ن باستخدام الأسهم المصالحة Series,سلسلة Series List for this Transaction,قائمة سلسلة لهذه الصفقة Series Updated,سلسلة تحديث @@ -2655,7 +2744,6 @@ Set,مجموعة "Set Default Values like Company, Currency, Current Fiscal Year, etc.",تعيين القيم الافتراضية مثل شركة ، العملات، السنة المالية الحالية ، الخ Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,تعيين مجموعة من الحكمة الإغلاق الميزانيات على هذا الإقليم. يمكنك أيضا تضمين الموسمية عن طريق تعيين التوزيع. Set Link,تعيين لينك -Set allocated amount against each Payment Entry and click 'Allocate'.,مجموعة تخصيص مبلغ ضد كل الدخول الدفع وانقر على ' تخصيص ' . Set as Default,تعيين كافتراضي Set as Lost,على النحو المفقودة Set prefix for numbering series on your transactions,تعيين بادئة لترقيم السلسلة على المعاملات الخاصة بك @@ -2706,6 +2794,9 @@ Single,وحيد Single unit of an Item.,واحد وحدة من عنصر. Sit tight while your system is being setup. This may take a few moments.,الجلوس مع النظام الخاص بك ويجري الإعداد. هذا قد يستغرق بضع لحظات. Slideshow,عرض الشرائح +Soap & Detergent,الصابون والمنظفات +Software,البرمجيات +Software Developer,البرنامج المطور Sorry we were unable to find what you were looking for.,وآسف نتمكن من العثور على ما كنت تبحث عنه. Sorry you are not permitted to view this page.,عذرا غير مسموح لك بعرض هذه الصفحة. "Sorry, Serial Nos cannot be merged",آسف ، المسلسل نص لا يمكن دمج @@ -2719,8 +2810,6 @@ Source of Funds (Liabilities),مصدر الأموال ( المطلوبات ) Source warehouse is mandatory for row {0},مستودع مصدر إلزامي ل صف {0} Spartan,إسبارطي "Special Characters except ""-"" and ""/"" not allowed in naming series","أحرف خاصة باستثناء ""-"" و ""/ "" غير مسموح به في تسمية سلسلة" -Special Characters not allowed in Abbreviation,أحرف خاصة غير مسموح به في اختصار -Special Characters not allowed in Company Name,أحرف خاصة غير مسموح بها في اسم الشركة Specification Details,مواصفات تفاصيل Specifications,مواصفات "Specify a list of Territories, for which, this Price List is valid",تحديد قائمة الأقاليم، والتي، وهذا قائمة السعر غير صالحة @@ -2728,16 +2817,18 @@ Specifications,مواصفات "Specify a list of Territories, for which, this Taxes Master is valid",تحديد قائمة الأقاليم، والتي، وهذا ماستر الضرائب غير صالحة "Specify the operations, operating cost and give a unique Operation no to your operations.",تحديد العمليات ، وتكلفة التشغيل وإعطاء عملية فريدة من نوعها لا لل عمليات الخاصة بك. Split Delivery Note into packages.,ملاحظة تقسيم التوصيل في حزم. +Sports,الرياضة Standard,معيار +Standard Buying,شراء القياسية Standard Rate,قيم القياسية Standard Reports,تقارير القياسية +Standard Selling,البيع القياسية Standard contract terms for Sales or Purchase.,شروط العقد القياسية ل مبيعات أو شراء . Start,بداية Start Date,تاريخ البدء Start Report For,تقرير عن بدء Start date of current invoice's period,تاريخ بدء فترة الفاتورة الحالية Start date should be less than end date for Item {0},يجب أن يكون تاريخ البدء أقل من تاريخ انتهاء القطعة ل {0} -Start date should be less than end date.,يجب أن يكون تاريخ البدء أقل من تاريخ انتهاء. State,دولة Static Parameters,ثابت معلمات Status,حالة @@ -2820,15 +2911,12 @@ Supplier Part Number,المورد رقم الجزء Supplier Quotation,اقتباس المورد Supplier Quotation Item,المورد اقتباس الإغلاق Supplier Reference,مرجع المورد -Supplier Shipment Date,شحنة المورد والتسجيل -Supplier Shipment No,شحنة المورد لا Supplier Type,المورد نوع Supplier Type / Supplier,المورد نوع / المورد Supplier Type master.,المورد الرئيسي نوع . Supplier Warehouse,المورد مستودع Supplier Warehouse mandatory for sub-contracted Purchase Receipt,المورد مستودع إلزامية ل إيصال الشراء التعاقد من الباطن Supplier database.,مزود قاعدة البيانات. -Supplier delivery number duplicate in {0},المورد رقم و تسليم مكررة في {0} Supplier master.,المورد الرئيسي. Supplier warehouse where you have issued raw materials for sub - contracting,مستودع المورد حيث كنت قد أصدرت المواد الخام لشبه - التعاقد Supplier-Wise Sales Analytics,المورد حكيم المبيعات تحليلات @@ -2869,7 +2957,7 @@ Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are no Tax Rate,ضريبة Tax and other salary deductions.,الضرائب والاقتطاعات من الراتب أخرى. "Tax detail table fetched from item master as a string and stored in this field. -Used for Taxes and Charges", +Used for Taxes and Charges",التفاصيل الضريبية الجدول المنال من سيده البند كسلسلة وتخزينها في هذا المجال. \ n المستخدم للضرائب والرسوم Tax template for buying transactions.,قالب الضرائب لشراء صفقة. Tax template for selling transactions.,قالب الضريبية لبيع صفقة. Taxable,خاضع للضريبة @@ -2881,13 +2969,16 @@ Taxes and Charges Deducted,خصم الضرائب والرسوم Taxes and Charges Deducted (Company Currency),الضرائب والرسوم مقطوعة (عملة الشركة) Taxes and Charges Total,الضرائب والتكاليف الإجمالية Taxes and Charges Total (Company Currency),الضرائب والرسوم المشاركات (عملة الشركة) +Technology,تكنولوجيا +Telecommunications,الاتصالات السلكية واللاسلكية Telephone Expenses,مصاريف الهاتف +Television,تلفزيون Template for performance appraisals.,نموذج ل تقييم الأداء. Template of terms or contract.,قالب من الشروط أو العقد. -Temporary Account (Assets),حساب مؤقت (الأصول ) -Temporary Account (Liabilities),حساب مؤقت ( المطلوبات ) Temporary Accounts (Assets),الحسابات المؤقتة (الأصول ) Temporary Accounts (Liabilities),الحسابات المؤقتة ( المطلوبات ) +Temporary Assets,الموجودات المؤقتة +Temporary Liabilities,المطلوبات مؤقتة Term Details,مصطلح تفاصيل Terms,حيث Terms and Conditions,الشروط والأحكام @@ -2912,7 +3003,7 @@ The First User: You,المستخدم أولا : أنت The Organization,منظمة "The account head under Liability, in which Profit/Loss will be booked",رئيس الاعتبار في إطار المسؤولية، التي سيتم حجزها الربح / الخسارة "The date on which next invoice will be generated. It is generated on submit. -", +",التاريخ الذي سيتم إنشاء فاتورة المقبل. The date on which recurring invoice will be stop,التاريخ الذي سيتم فاتورة المتكررة وقف "The day of the month on which auto invoice will be generated e.g. 05, 28 etc ",يوم من الشهر الذي سيتم إنشاء فاتورة السيارات على سبيل المثال 05، 28 الخ The day(s) on which you are applying for leave are holiday. You need not apply for leave.,اليوم ( ق ) التي كنت متقدما للحصول على إذن هي عطلة. لا تحتاج إلى تطبيق للحصول على إجازة . @@ -2997,6 +3088,8 @@ To track items using barcode. You will be able to enter items in Delivery Note a Tools,أدوات Total,مجموع Total Advance,إجمالي المقدمة +Total Allocated Amount,مجموع المبلغ المخصص +Total Allocated Amount can not be greater than unmatched amount,مجموع المبلغ المخصص لا يمكن أن يكون أكبر من القيمة التي لا تضاهى Total Amount,المبلغ الكلي لل Total Amount To Pay,المبلغ الكلي لدفع Total Amount in Words,المبلغ الكلي في كلمات @@ -3006,6 +3099,7 @@ Total Commission,مجموع جنة Total Cost,التكلفة الكلية لل Total Credit,إجمالي الائتمان Total Debit,مجموع الخصم +Total Debit must be equal to Total Credit. The difference is {0},يجب أن يكون إجمالي الخصم يساوي إجمالي الائتمان . Total Deduction,مجموع الخصم Total Earning,إجمالي الدخل Total Experience,مجموع الخبرة @@ -3033,8 +3127,10 @@ Total in words,وبعبارة مجموع Total points for all goals should be 100. It is {0},مجموع النقاط لجميع الأهداف ينبغي أن تكون 100 . ومن {0} Total weightage assigned should be 100%. It is {0},يجب أن يكون مجموع الترجيح تعيين 100 ٪ . فمن {0} Totals,المجاميع +Track Leads by Industry Type.,المسار يؤدي حسب نوع الصناعة . Track this Delivery Note against any Project,تتبع هذه ملاحظة التوصيل ضد أي مشروع Track this Sales Order against any Project,تتبع هذا الأمر ضد أي مشروع المبيعات +Trainee,متدرب Transaction,صفقة Transaction Date,تاريخ المعاملة Transaction not allowed against stopped Production Order {0},الصفقة لا يسمح ضد توقفت أمر الإنتاج {0} @@ -3042,10 +3138,10 @@ Transfer,نقل Transfer Material,نقل المواد Transfer Raw Materials,نقل المواد الخام Transferred Qty,نقل الكمية +Transportation,نقل Transporter Info,نقل معلومات Transporter Name,نقل اسم Transporter lorry number,نقل الشاحنة رقم -Trash Reason,السبب القمامة Travel,سفر Travel Expenses,مصاريف السفر Tree Type,نوع الشجرة @@ -3149,6 +3245,7 @@ Value,قيمة Value or Qty,القيمة أو الكمية Vehicle Dispatch Date,سيارة الإرسال التسجيل Vehicle No,السيارة لا +Venture Capital,فينشر كابيتال Verified By,التحقق من View Ledger,عرض ليدجر View Now,عرض الآن @@ -3157,6 +3254,7 @@ Voucher #,قسيمة # Voucher Detail No,تفاصيل قسيمة لا Voucher ID,قسيمة ID Voucher No,لا قسيمة +Voucher No is not valid,لا القسيمة غير صالحة Voucher Type,قسيمة نوع Voucher Type and Date,نوع قسيمة والتسجيل Walk In,المشي في @@ -3171,6 +3269,7 @@ Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt Warehouse cannot be changed for Serial No.,لا يمكن تغيير الرقم التسلسلي لل مستودع Warehouse is mandatory for stock Item {0} in row {1},مستودع إلزامي للسهم المدينة {0} في {1} الصف Warehouse is missing in Purchase Order,مستودع مفقود في أمر الشراء +Warehouse not found in the system,لم يتم العثور على مستودع في النظام Warehouse required for stock Item {0},مستودع الأسهم المطلوبة لل تفاصيل {0} Warehouse required in POS Setting,مستودع المطلوبة في إعداد POS Warehouse where you are maintaining stock of rejected items,مستودع حيث كنت الحفاظ على المخزون من المواد رفضت @@ -3191,6 +3290,8 @@ Warranty / AMC Status,الضمان / AMC الحالة Warranty Expiry Date,الضمان تاريخ الانتهاء Warranty Period (Days),فترة الضمان (أيام) Warranty Period (in days),فترة الضمان (بالأيام) +We buy this Item,نشتري هذه القطعة +We sell this Item,نبيع هذه القطعة Website,الموقع Website Description,الموقع وصف Website Item Group,موقع السلعة المجموعة @@ -3217,6 +3318,7 @@ Will be calculated automatically when you enter the details,وسيتم احتس Will be updated after Sales Invoice is Submitted.,سيتم تحديث بعد تقديم فاتورة المبيعات. Will be updated when batched.,سيتم تحديث عندما دفعات. Will be updated when billed.,سيتم تحديث عندما توصف. +Wire Transfer,حوالة مصرفية With Groups,مع المجموعات With Ledgers,مع سجلات الحسابات With Operations,مع عمليات @@ -3251,7 +3353,6 @@ Yearly,سنويا Yes,نعم Yesterday,أمس You are not allowed to create / edit reports,لا يسمح لك لإنشاء تقارير / تحرير -You are not allowed to create {0},لا يسمح لك لخلق {0} You are not allowed to export this report,لا يسمح لك لتصدير هذا التقرير You are not allowed to print this document,لا يسمح لك طباعة هذه الوثيقة You are not allowed to send emails related to this document,لا يسمح لك بإرسال رسائل البريد الإلكتروني ذات الصلة لهذه الوثيقة @@ -3269,12 +3370,15 @@ You can set Default Bank Account in Company master,يمكنك تعيين الا You can start by selecting backup frequency and granting access for sync,يمكنك أن تبدأ من خلال تحديد تردد النسخ الاحتياطي و منح الوصول لمزامنة You can submit this Stock Reconciliation.,يمكنك تقديم هذه الأسهم المصالحة . You can update either Quantity or Valuation Rate or both.,يمكنك تحديث إما الكمية أو تثمين قيم أو كليهما. -You cannot credit and debit same account at the same time.,لا يمكنك الائتمان والخصم نفس الحساب في نفس الوقت . +You cannot credit and debit same account at the same time,لا يمكنك الائتمان والخصم نفس الحساب في نفس الوقت You have entered duplicate items. Please rectify and try again.,لقد دخلت عناصر مكررة . يرجى تصحيح و حاول مرة أخرى. +You have unsaved changes in this form. Please save before you continue.,لديك تغييرات لم يتم حفظها في هذا النموذج. You may need to update: {0},قد تحتاج إلى تحديث : {0} You must Save the form before proceeding,يجب حفظ النموذج قبل الشروع +You must allocate amount before reconcile,يجب تخصيص المبلغ قبل التوفيق بين Your Customer's TAX registration numbers (if applicable) or any general information,عميلك أرقام التسجيل الضريبي (إن وجدت) أو أي معلومات عامة Your Customers,الزبائن +Your Login Id,تسجيل الدخول اسم المستخدم الخاص بك Your Products or Services,المنتجات أو الخدمات الخاصة بك Your Suppliers,لديك موردون "Your download is being built, this may take a few moments...",ويجري بناء التنزيل، وهذا قد يستغرق بضع لحظات ... @@ -3285,6 +3389,7 @@ Your sales person who will contact the customer in future,مبيعاتك الش Your sales person will get a reminder on this date to contact the customer,سيكون لديك مبيعات شخص الحصول على تذكرة في هذا التاريخ للاتصال العملاء Your setup is complete. Refreshing...,الإعداد كاملة. منعش ... Your support email id - must be a valid email - this is where your emails will come!,معرف بريدا إلكترونيا الدعم - يجب أن يكون عنوان بريد إلكتروني صالح - وهذا هو المكان الذي سوف يأتي رسائل البريد الإلكتروني! +[Select],[اختر ] `Freeze Stocks Older Than` should be smaller than %d days.,` تجميد الأرصدة أقدم من يجب أن يكون أصغر من ٪ d يوم ` . and,و are not allowed.,لا يسمح . diff --git a/erpnext/translations/de.csv b/erpnext/translations/de.csv index 3b56b73bba..62bade5c41 100644 --- a/erpnext/translations/de.csv +++ b/erpnext/translations/de.csv @@ -26,14 +26,13 @@ 'From Date' must be after 'To Date',"""Von Datum "" muss nach 'To Date "" sein" 'Has Serial No' can not be 'Yes' for non-stock item,""" Hat Seriennummer "" kann nicht sein ""Ja"" für Nicht- Lagerware" 'Notification Email Addresses' not specified for recurring invoice,"'Benachrichtigung per E-Mail -Adressen ""nicht für wiederkehrende Rechnung angegebenen" -'Profit and Loss' type Account {0} used be set for Opening Entry,""" Gewinn und Verlust "" Typ Konto {0} verwendet für Öffnungs Eintrag eingestellt werden" 'Profit and Loss' type account {0} not allowed in Opening Entry,""" Gewinn und Verlust "" Typ Account {0} nicht in Öffnungs Eintrag erlaubt" 'To Case No.' cannot be less than 'From Case No.','To Fall Nr.' kann nicht kleiner sein als "Von Fall Nr. ' 'To Date' is required,"'To Date "" ist erforderlich," 'Update Stock' for Sales Invoice {0} must be set,'Update Auf ' für Sales Invoice {0} muss eingestellt werden * Will be calculated in the transaction.,* Wird in der Transaktion berechnet werden. "1 Currency = [?] Fraction -For e.g. 1 USD = 100 Cent", +For e.g. 1 USD = 100 Cent",1 Währungs = [ ?] Fraction \ nFür z. B. 1. To maintain the customer wise item code and to make them searchable based on their code use this option,Ein. Um den Kunden kluge Artikel Code zu pflegen und um sie durchsuchbar basierend auf ihren Code um diese Option 2 days ago,Vor 2 Tagen "Add / Edit"," Hinzufügen / Bearbeiten " @@ -70,8 +69,6 @@ Account with child nodes cannot be converted to ledger,Konto mit Kind -Knoten k Account with existing transaction can not be converted to group.,Konto mit bestehenden Transaktion nicht zur Gruppe umgewandelt werden. Account with existing transaction can not be deleted,Konto mit bestehenden Transaktion kann nicht gelöscht werden Account with existing transaction cannot be converted to ledger,Konto mit bestehenden Transaktion kann nicht umgewandelt werden Buch -Account {0} already exists,Konto {0} existiert bereits -Account {0} can only be updated via Stock Transactions,Konto {0} kann nur über Aktientransaktionen aktualisiert werden Account {0} cannot be a Group,Konto {0} kann nicht eine Gruppe sein Account {0} does not belong to Company {1},Konto {0} ist nicht auf Unternehmen gehören {1} Account {0} does not exist,Konto {0} existiert nicht @@ -79,8 +76,9 @@ Account {0} has been entered more than once for fiscal year {1},Konto {0} hat me Account {0} is frozen,Konto {0} ist eingefroren Account {0} is inactive,Konto {0} ist inaktiv Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item,"Konto {0} muss vom Typ "" Fixed Asset "" sein, wie Artikel {1} ist ein Aktivposten" -Account {0} must be sames as Credit To Account in Purchase Invoice in row {0},"Konto {0} muss Gleichen sein, wie Kredit Um in Einkaufsrechnung in der Zeile Konto {0}" -Account {0} must be sames as Debit To Account in Sales Invoice in row {0},"Konto {0} muss Gleichen sein, wie Debit Um in Verkaufsrechnung in der Zeile Konto {0}" +"Account: {0} can only be updated via \ + Stock Transactions",Konto : {0} kann nur über \ \ n Auf Transaktionen aktualisiert werden +Accountant,Buchhalter Accounting,Buchhaltung "Accounting Entries can be made against leaf nodes, called","Accounting Einträge können gegen Blattknoten gemacht werden , die so genannte" "Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","Buchhaltungseingaben bis zu diesem Zeitpunkt eingefroren, kann niemand / nicht ändern Eintrag außer Rolle unten angegebenen." @@ -93,7 +91,6 @@ Accounts Receivable,Debitorenbuchhaltung Accounts Settings,Konten-Einstellungen Actions,Aktionen Active,Aktiv -Active Salary Sructure already exists for Employee {0},Aktive sructure Gehalt für Mitarbeiter existiert bereits {0} Active: Will extract emails from ,Aktiv: Werden E-Mails extrahieren Activity,Aktivität Activity Log,Activity Log @@ -128,6 +125,7 @@ Add attachment,Anhang hinzufügen Add new row,In neue Zeile Add or Deduct,Hinzufügen oder abziehen Add rows to set annual budgets on Accounts.,Fügen Sie Zeilen hinzu jährlichen Budgets für Konten festgelegt. +Add to Cart,In den Warenkorb Add to To Do,In den To Do Add to To Do List of,In den To Do Liste der Add to calendar on this date,In den an diesem Tag Kalender @@ -145,10 +143,13 @@ Address Title is mandatory.,Titel Adresse ist verpflichtend. Address Type,Adresse Typ Address master.,Adresse Master. Administrative Expenses,Verwaltungskosten +Administrative Officer,Administrative Officer Advance Amount,Voraus Betrag Advance amount,Vorschuss in Höhe Advances,Advances Advertisement,Anzeige +Advertising,Werbung +Aerospace,Luft-und Raumfahrt After Sale Installations,After Sale Installationen Against,Gegen Against Account,Vor Konto @@ -157,9 +158,11 @@ Against Docname,Vor DocName Against Doctype,Vor Doctype Against Document Detail No,Vor Document Detailaufnahme Against Document No,Gegen Dokument Nr. +Against Entries,vor Einträge Against Expense Account,Vor Expense Konto Against Income Account,Vor Income Konto Against Journal Voucher,Vor Journal Gutschein +Against Journal Voucher {0} does not have any unmatched {1} entry,Vor Blatt Gutschein {0} keine unerreichte {1} Eintrag haben Against Purchase Invoice,Vor Kaufrechnung Against Sales Invoice,Vor Sales Invoice Against Sales Order,Vor Sales Order @@ -171,6 +174,8 @@ Ageing date is mandatory for opening entry,Alternde Datum ist obligatorisch für Agent,Agent Aging Date,Aging Datum Aging Date is mandatory for opening entry,Aging Datum ist obligatorisch für die Öffnung der Eintrag +Agriculture,Landwirtschaft +Airline,Fluggesellschaft All Addresses.,Alle Adressen. All Contact,Alle Kontakt All Contacts.,Alle Kontakte. @@ -188,14 +193,18 @@ All Supplier Types,Alle Lieferant Typen All Territories,Alle Staaten "All export related fields like currency, conversion rate, export total, export grand total etc are available in Delivery Note, POS, Quotation, Sales Invoice, Sales Order etc.","Alle Export verwandten Bereichen wie Währung , Conversion-Rate , Export insgesamt , Export Gesamtsumme etc sind in Lieferschein , POS, Angebot, Verkaufsrechnung , Auftrags usw." "All import related fields like currency, conversion rate, import total, import grand total etc are available in Purchase Receipt, Supplier Quotation, Purchase Invoice, Purchase Order etc.","Alle Import verwandten Bereichen wie Währung , Conversion-Rate , Import insgesamt , Import Gesamtsumme etc sind in Kaufbeleg , Lieferant Angebot, Einkaufsrechnung , Bestellung usw." +All items have already been invoiced,Alle Einzelteile sind bereits abgerechnet All items have already been transferred for this Production Order.,Alle Einzelteile haben schon für diese Fertigungsauftrag übertragen. All these items have already been invoiced,Alle diese Elemente sind bereits in Rechnung gestellt Allocate,Zuweisen +Allocate Amount Automatically,Ordnen Betrag automatisch Allocate leaves for a period.,Ordnen Blätter für einen Zeitraum . Allocate leaves for the year.,Weisen Blätter für das Jahr. Allocated Amount,Zugeteilten Betrag Allocated Budget,Zugeteilten Budget Allocated amount,Zugeteilten Betrag +Allocated amount can not be negative,Geschätzter Betrag kann nicht negativ sein +Allocated amount can not greater than unadusted amount,Geschätzter Betrag kann nicht größer als unadusted Menge Allow Bill of Materials,Lassen Bill of Materials Allow Bill of Materials should be 'Yes'. Because one or many active BOMs present for this item,"Lassen Bill of Materials sollte ""Ja"" . Da eine oder mehrere zu diesem Artikel vorhanden aktiv Stücklisten" Allow Children,Lassen Sie Kinder @@ -223,10 +232,12 @@ Amount to Bill,Belaufen sich auf Bill An Customer exists with same name,Ein Kunde mit dem gleichen Namen existiert "An Item Group exists with same name, please change the item name or rename the item group","Mit dem gleichen Namen eine Artikelgruppe existiert, ändern Sie bitte die Artikel -Namen oder die Artikelgruppe umbenennen" "An item exists with same name ({0}), please change the item group name or rename the item","Ein Element mit dem gleichen Namen existiert ({0} ), ändern Sie bitte das Einzelgruppennamen oder den Artikel umzubenennen" +Analyst,Analytiker Annual,jährlich Another Period Closing Entry {0} has been made after {1},Eine weitere Periode Schluss Eintrag {0} wurde nach gemacht worden {1} Another Salary Structure {0} is active for employee {0}. Please make its status 'Inactive' to proceed.,"Eine andere Gehaltsstruktur {0} ist für Mitarbeiter aktiv {0}. Bitte stellen Sie ihren Status ""inaktiv"" , um fortzufahren." "Any other comments, noteworthy effort that should go in the records.","Weitere Kommentare, bemerkenswerte Anstrengungen, die in den Aufzeichnungen gehen sollte." +Apparel & Accessories,Kleidung & Accessoires Applicability,Anwendbarkeit Applicable For,Anwendbar Applicable Holiday List,Anwendbar Ferienwohnung Liste @@ -248,6 +259,7 @@ Appraisal Template,Bewertung Template Appraisal Template Goal,Bewertung Template Goal Appraisal Template Title,Bewertung Template Titel Appraisal {0} created for Employee {1} in the given date range,Bewertung {0} für Mitarbeiter erstellt {1} in der angegebenen Datumsbereich +Apprentice,Lehrling Approval Status,Genehmigungsstatus Approval Status must be 'Approved' or 'Rejected',"Genehmigungsstatus muss ""Genehmigt"" oder "" Abgelehnt """ Approved,Genehmigt @@ -264,9 +276,12 @@ Arrear Amount,Nachträglich Betrag As per Stock UOM,Wie pro Lagerbestand UOM "As there are existing stock transactions for this item, you can not change the values of 'Has Serial No', 'Is Stock Item' and 'Valuation Method'","Da gibt es bestehende Aktientransaktionen zu diesem Artikel , können Sie die Werte von "" Hat Serien Nein ' nicht ändern , Ist Auf Artikel "" und "" Bewertungsmethode """ Ascending,Aufsteigend +Asset,Vermögenswert Assign To,zuweisen zu Assigned To,zugewiesen an Assignments,Zuordnungen +Assistant,Assistent +Associate,Mitarbeiterin Atleast one warehouse is mandatory,Mindestens eines Lagers ist obligatorisch Attach Document Print,Anhängen Dokument drucken Attach Image,Bild anhängen @@ -293,6 +308,7 @@ Automatically compose message on submission of transactions.,Automatisch komponi Automatically extract Job Applicants from a mail box , Automatically extract Leads from a mail box e.g.,Extrahieren Sie automatisch Leads aus einer Mail-Box z. B. Automatically updated via Stock Entry of type Manufacture/Repack,Automatisch über Lager Eintrag vom Typ Manufacture / Repack aktualisiert +Automotive,Automotive Autoreply when a new mail is received,Autoreply wenn eine neue E-Mail empfangen Available,verfügbar Available Qty at Warehouse,Verfügbare Menge bei Warehouse @@ -333,6 +349,7 @@ Bank Account,Bankkonto Bank Account No.,Bank Konto-Nr Bank Accounts,Bankkonten Bank Clearance Summary,Bank-Ausverkauf Zusammenfassung +Bank Draft,Bank Draft Bank Name,Name der Bank Bank Overdraft Account,Kontokorrentkredit Konto Bank Reconciliation,Kontenabstimmung @@ -340,6 +357,7 @@ Bank Reconciliation Detail,Kontenabstimmung Details Bank Reconciliation Statement,Kontenabstimmung Statement Bank Voucher,Bankgutschein Bank/Cash Balance,Banken / Cash Balance +Banking,Bankwesen Barcode,Strichcode Barcode {0} already used in Item {1},Barcode {0} bereits im Artikel verwendet {1} Based On,Basierend auf @@ -348,7 +366,6 @@ Basic Info,Basic Info Basic Information,Grundlegende Informationen Basic Rate,Basic Rate Basic Rate (Company Currency),Basic Rate (Gesellschaft Währung) -Basic Section,Grund Abschnitt Batch,Stapel Batch (lot) of an Item.,Batch (Los) eines Item. Batch Finished Date,Batch Beendet Datum @@ -377,6 +394,7 @@ Bills raised by Suppliers.,Bills erhöht durch den Lieferanten. Bills raised to Customers.,"Bills angehoben, um Kunden." Bin,Kasten Bio,Bio +Biotechnology,Biotechnologie Birthday,Geburtstag Block Date,Blockieren Datum Block Days,Block Tage @@ -393,6 +411,8 @@ Brand Name,Markenname Brand master.,Marke Meister. Brands,Marken Breakdown,Zusammenbruch +Broadcasting,Rundfunk +Brokerage,Maklergeschäft Budget,Budget Budget Allocated,Budget Budget Detail,Budget Detailansicht @@ -405,6 +425,7 @@ Budget cannot be set for Group Cost Centers,Budget kann nicht für die Konzernko Build Report,Bauen Bericht Built on,Erbaut auf Bundle items at time of sale.,Bundle Artikel zum Zeitpunkt des Verkaufs. +Business Development Manager,Business Development Manager Buying,Kauf Buying & Selling,Kaufen und Verkaufen Buying Amount,Einkaufsführer Betrag @@ -484,7 +505,6 @@ Charity and Donations,Charity und Spenden Chart Name,Diagrammname Chart of Accounts,Kontenplan Chart of Cost Centers,Abbildung von Kostenstellen -Check for Duplicates,Dublettenprüfung Check how the newsletter looks in an email by sending it to your email.,"Prüfen Sie, wie der Newsletter in einer E-Mail aussieht, indem es an deine E-Mail." "Check if recurring invoice, uncheck to stop recurring or put proper End Date","Prüfen Sie, ob wiederkehrende Rechnung, deaktivieren zu stoppen wiederkehrende oder legen richtigen Enddatum" "Check if you need automatic recurring invoices. After submitting any sales invoice, Recurring section will be visible.","Überprüfen Sie, ob Sie die automatische wiederkehrende Rechnungen benötigen. Nach dem Absenden eine Rechnung über den Verkauf wird Recurring Abschnitt sichtbar sein." @@ -496,6 +516,7 @@ Check this to pull emails from your mailbox,"Aktivieren Sie diese Option, um E-M Check to activate,Überprüfen Sie aktivieren Check to make Shipping Address,"Überprüfen Sie, Liefer-Adresse machen" Check to make primary address,Überprüfen primäre Adresse machen +Chemical,Chemikalie Cheque,Scheck Cheque Date,Scheck Datum Cheque Number,Scheck-Nummer @@ -535,6 +556,7 @@ Comma separated list of email addresses,Durch Komma getrennte Liste von E-Mail-A Comment,Kommentar Comments,Kommentare Commercial,Handels- +Commission,Provision Commission Rate,Kommission bewerten Commission Rate (%),Kommission Rate (%) Commission on Sales,Provision auf den Umsatz @@ -568,6 +590,7 @@ Completed Production Orders,Abgeschlossene Fertigungsaufträge Completed Qty,Abgeschlossene Menge Completion Date,Datum der Fertigstellung Completion Status,Completion Status +Computer,Computer Computers,Computer Confirmation Date,Bestätigung Datum Confirmed orders from Customers.,Bestätigte Bestellungen von Kunden. @@ -575,10 +598,12 @@ Consider Tax or Charge for,Betrachten Sie Steuern oder Gebühren für die Considered as Opening Balance,Er gilt als Eröffnungsbilanz Considered as an Opening Balance,Er gilt als einer Eröffnungsbilanz Consultant,Berater +Consulting,Beratung Consumable,Verbrauchsgut Consumable Cost,Verbrauchskosten Consumable cost per hour,Verbrauchskosten pro Stunde Consumed Qty,Verbrauchte Menge +Consumer Products,Consumer Products Contact,Kontakt Contact Control,Kontakt Kontrolle Contact Desc,Kontakt Desc @@ -596,6 +621,7 @@ Contacts,Impressum Content,Inhalt Content Type,Content Type Contra Voucher,Contra Gutschein +Contract,Vertrag Contract End Date,Contract End Date Contract End Date must be greater than Date of Joining,Vertragsende muss größer sein als Datum für Füge sein Contribution (%),Anteil (%) @@ -611,10 +637,10 @@ Convert to Ledger,Convert to Ledger Converted,Umgerechnet Copy,Kopieren Copy From Item Group,Kopieren von Artikel-Gruppe +Cosmetics,Kosmetika Cost Center,Kostenstellenrechnung Cost Center Details,Kosten Center Details Cost Center Name,Kosten Center Name -Cost Center Name already exists,Kostenstellennamenbereits vorhanden Cost Center is mandatory for Item {0},Kostenstelle ist obligatorisch für Artikel {0} Cost Center is required for 'Profit and Loss' account {0},Kostenstelle wird für ' Gewinn-und Verlustrechnung des erforderlichen {0} Cost Center is required in row {0} in Taxes table for type {1},Kostenstelle wird in der Zeile erforderlich {0} in Tabelle Steuern für Typ {1} @@ -648,6 +674,7 @@ Creation Time,Erstellungszeit Credentials,Referenzen Credit,Kredit Credit Amt,Kredit-Amt +Credit Card,Kreditkarte Credit Card Voucher,Credit Card Gutschein Credit Controller,Credit Controller Credit Days,Kredit-Tage @@ -679,6 +706,7 @@ Customer,Kunde Customer (Receivable) Account,Kunde (Forderungen) Konto Customer / Item Name,Kunde / Item Name Customer / Lead Address,Kunden / Lead -Adresse +Customer / Lead Name,Kunden / Lead Namen Customer Account Head,Kundenkonto Kopf Customer Acquisition and Loyalty,Kundengewinnung und-bindung Customer Address,Kundenadresse @@ -695,11 +723,13 @@ Customer Issue,Das Anliegen des Kunden Customer Issue against Serial No.,Das Anliegen des Kunden gegen Seriennummer Customer Name,Name des Kunden Customer Naming By,Kunden Benennen von +Customer Service,Kundenservice Customer database.,Kunden-Datenbank. Customer is required,"Kunde ist verpflichtet," Customer master.,Kundenstamm . Customer required for 'Customerwise Discount',Kunden für ' Customerwise Discount ' erforderlich Customer {0} does not belong to project {1},Customer {0} gehört nicht zum Projekt {1} +Customer {0} does not exist,Kunden {0} existiert nicht Customer's Item Code,Kunden Item Code Customer's Purchase Order Date,Bestellung des Kunden Datum Customer's Purchase Order No,Bestellung des Kunden keine @@ -737,7 +767,6 @@ Debit Amt,Debit Amt Debit Note,Lastschrift Debit To,Debit Um Debit and Credit not equal for this voucher. Difference is {0}.,Debit-und Kreditkarten nicht gleich für diesen Gutschein. Der Unterschied ist {0}. -Debit must equal Credit. The difference is {0},"Debit Kredit muss gleich . Der Unterschied ist, {0}" Deduct,Abziehen Deduction,Abzug Deduction Type,Abzug Typ @@ -777,6 +806,7 @@ Default settings for accounting transactions.,Standardeinstellungen für Geschä Default settings for buying transactions.,Standardeinstellungen für Kauf -Transaktionen. Default settings for selling transactions.,Standardeinstellungen für Verkaufsgeschäfte . Default settings for stock transactions.,Standardeinstellungen für Aktientransaktionen . +Defense,Verteidigung "Define Budget for this Cost Center. To set budget action, see Company Master","Definieren Budget für diese Kostenstelle. Um Budget Aktion finden Sie unter Firma Master " Delete,Löschen Delete Row,Zeile löschen @@ -803,19 +833,23 @@ Delivery Status,Lieferstatus Delivery Time,Lieferzeit Delivery To,Liefern nach Department,Abteilung +Department Stores,Kaufhäuser Depends on LWP,Abhängig von LWP Depreciation,Abschreibung Descending,Absteigend Description,Beschreibung Description HTML,Beschreibung HTML Designation,Bezeichnung +Designer,Konstrukteur Detailed Breakup of the totals,Detaillierte Breakup der Gesamtsummen Details,Details -Difference,Unterschied +Difference (Dr - Cr),Differenz ( Dr - Cr ) Difference Account,Unterschied Konto +"Difference Account must be a 'Liability' type account, since this Stock Reconciliation is an Opening Entry","Unterschied Konto muss ""Haftung"" Typ Konto sein , da diese Lizenz Versöhnung ist ein Eintrag Eröffnung" 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 Verpackung für Einzelteile werden zu falschen (Gesamt ) Nettogewichtswertführen . Stellen Sie sicher, dass die Netto-Gewicht der einzelnen Artikel ist in der gleichen Verpackung ." Direct Expenses,Direkte Aufwendungen Direct Income,Direkte Einkommens +Director,Direktor Disable,Deaktivieren Disable Rounded Total,Deaktivieren Abgerundete insgesamt Disabled,Behindert @@ -827,6 +861,7 @@ Discount Amount,Discount Amount Discount Percentage,Rabatt Prozent Discount must be less than 100,Discount muss kleiner als 100 sein Discount(%),Rabatt (%) +Dispatch,Versand Display all the individual items delivered with the main items,Alle anzeigen die einzelnen Punkte mit den wichtigsten Liefergegenstände Distribute transport overhead across items.,Verteilen Transport-Overhead auf Gegenstände. Distribution,Aufteilung @@ -861,7 +896,7 @@ Download Template,Vorlage herunterladen Download a report containing all raw materials with their latest inventory status,Laden Sie einen Bericht mit allen Rohstoffen mit ihren neuesten Inventar Status "Download the Template, fill appropriate data and attach the modified file.","Laden Sie die Vorlage , füllen entsprechenden Daten und befestigen Sie die geänderte Datei ." "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", +All dates and employee combination in the selected period will come in the template, with existing attendance records","Laden Sie die Vorlage , füllen entsprechenden Daten und befestigen Sie die geänderte Datei . \ NAlle stammt und Mitarbeiter Kombination in der gewünschten Zeit wird in der Vorlage zu kommen, mit den bestehenden Besucherrekorde" Draft,Entwurf Drafts,Dame Drag to sort columns,Ziehen Sie Spalten sortieren @@ -874,11 +909,10 @@ Due Date cannot be after {0},Fälligkeitsdatum kann nicht nach {0} Due Date cannot be before Posting Date,Fälligkeitsdatum kann nicht vor dem Buchungsdatum sein Duplicate Entry. Please check Authorization Rule {0},Doppelten Eintrag . Bitte überprüfen Sie Autorisierungsregel {0} Duplicate Serial No entered for Item {0},Doppelte Seriennummer für Posten {0} +Duplicate entry,Duplizieren Eintrag Duplicate row {0} with same {1},Doppelte Zeile {0} mit dem gleichen {1} Duties and Taxes,Zölle und Steuern ERPNext Setup,ERPNext -Setup -ESIC CARD No,ESIC CARD Nein -ESIC No.,ESIC Nr. Earliest,Frühest Earnest Money,Angeld Earning,Earning @@ -887,6 +921,7 @@ Earning Type,Earning Typ Earning1,Earning1 Edit,Bearbeiten Editable,Editable +Education,Bildung Educational Qualification,Educational Qualifikation Educational Qualification Details,Educational Qualifikation Einzelheiten Eg. smsgateway.com/api/send_sms.cgi,Eg. smsgateway.com / api / send_sms.cgi @@ -896,6 +931,7 @@ Either target qty or target amount is mandatory.,Entweder Zielmengeoder Zielmeng Electrical,elektrisch Electricity Cost,Stromkosten Electricity cost per hour,Stromkosten pro Stunde +Electronics,Elektronik Email,E-Mail Email Digest,Email Digest Email Digest Settings,Email Digest Einstellungen @@ -929,7 +965,6 @@ Employee Records to be created by,Mitarbeiter Records erstellt werden Employee Settings,Mitarbeitereinstellungen Employee Type,Arbeitnehmertyp "Employee designation (e.g. CEO, Director etc.).","Mitarbeiterbezeichnung(z. B. Geschäftsführer , Direktor etc.)." -Employee grade.,Mitarbeiter Klasse. Employee master.,Mitarbeiterstamm . Employee record is created using selected field. ,Mitarbeiter Datensatz erstellt anhand von ausgewählten Feld. Employee records.,Mitarbeiter-Datensätze. @@ -947,6 +982,8 @@ End Date,Enddatum End Date can not be less than Start Date,Ende Datum kann nicht kleiner als Startdatum sein End date of current invoice's period,Ende der laufenden Rechnung der Zeit End of Life,End of Life +Energy,Energie +Engineer,Ingenieur Enter Value,Wert eingeben Enter Verification Code,Sicherheitscode eingeben Enter campaign name if the source of lead is campaign.,"Geben Sie Namen der Kampagne, wenn die Quelle von Blei-Kampagne." @@ -959,6 +996,7 @@ Enter name of campaign if source of enquiry is campaign,"Geben Sie den Namen der Enter the company name under which Account Head will be created for this Supplier,"Geben Sie den Namen des Unternehmens, unter denen Konto Leiter für diesen Lieferant erstellt werden" Enter url parameter for message,Geben Sie URL-Parameter für die Nachrichtenübertragung Enter url parameter for receiver nos,Geben Sie URL-Parameter für Empfänger nos +Entertainment & Leisure,Unterhaltung & Freizeit Entertainment Expenses,Bewirtungskosten Entries,Einträge Entries against,Einträge gegen @@ -970,10 +1008,12 @@ Error: {0} > {1},Fehler: {0}> {1} Estimated Material Cost,Geschätzter Materialkalkulationen Everyone can read,Jeder kann lesen "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.", +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.","Beispiel: . ABCD # # # # # \ nWenn Serie ist eingestellt und Seriennummer ist nicht in Transaktionen erwähnt, dann automatische Seriennummer wird auf der Basis dieser Serie erstellt werden." Exchange Rate,Wechselkurs Excise Page Number,Excise Page Number Excise Voucher,Excise Gutschein +Execution,Ausführung +Executive Search,Executive Search Exemption Limit,Freigrenze Exhibition,Ausstellung Existing Customer,Bestehende Kunden @@ -988,6 +1028,7 @@ Expected Delivery Date cannot be before Purchase Order Date,Voraussichtlicher Li Expected Delivery Date cannot be before Sales Order Date,Voraussichtlicher Liefertermin kann nicht vor Auftragsdatum sein Expected End Date,Erwartete Enddatum Expected Start Date,Frühestes Eintrittsdatum +Expense,Ausgabe Expense Account,Expense Konto Expense Account is mandatory,Expense Konto ist obligatorisch Expense Claim,Expense Anspruch @@ -1005,7 +1046,7 @@ Expense Date,Expense Datum Expense Details,Expense Einzelheiten Expense Head,Expense Leiter Expense account is mandatory for item {0},Aufwandskonto ist für item {0} -Expense or Difference account is mandatory for Item {0} as there is difference in value,"Expense oder Differenz -Konto ist Pflicht für Artikel {0} , da es Wertdifferenz" +Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,"Expense oder Differenz -Konto ist Pflicht für Artikel {0} , da es Auswirkungen gesamten Aktienwert" Expenses,Kosten Expenses Booked,Aufwand gebucht Expenses Included In Valuation,Aufwendungen enthalten In Bewertungstag @@ -1032,13 +1073,11 @@ File,Datei Files Folder ID,Dateien Ordner-ID Fill the form and save it,Füllen Sie das Formular aus und speichern Sie sie Filter,Filtern -Filter By Amount,Filtern nach Betrag -Filter By Date,Nach Datum filtern Filter based on customer,Filtern basierend auf Kunden- Filter based on item,Filtern basierend auf Artikel -Final Confirmation Date must be greater than Date of Joining,Endgültige Bestätigung Datum muss größer sein als Datum für Füge sein Financial / accounting year.,Finanz / Rechnungsjahres. Financial Analytics,Financial Analytics +Financial Services,Finanzdienstleistungen Financial Year End Date,Geschäftsjahr Enddatum Financial Year Start Date,Geschäftsjahr Startdatum Finished Goods,Fertigwaren @@ -1050,6 +1089,7 @@ Fixed Assets,Anlagevermögen Follow via Email,Folgen Sie via E-Mail "Following table will show values if items are sub - contracted. These values will be fetched from the master of ""Bill of Materials"" of sub - contracted items.","Folgende Tabelle zeigt Werte, wenn Artikel sub sind - vergeben werden. Vertragsgegenständen - Diese Werte werden vom Meister der ""Bill of Materials"" von Sub geholt werden." Food,Lebensmittel +"Food, Beverage & Tobacco","Lebensmittel, Getränke und Tabak" For Company,Für Unternehmen For Employee,Für Mitarbeiter For Employee Name,Für Employee Name @@ -1104,6 +1144,7 @@ Frozen,Eingefroren Frozen Accounts Modifier,Eingefrorenen Konten Modifier Fulfilled,Erfüllte Full Name,Vollständiger Name +Full-time,Vollzeit- Fully Completed,Vollständig ausgefüllte Furniture and Fixture,Möbel -und Maschinen Further accounts can be made under Groups but entries can be made against Ledger,"Weitere Konten können unter Gruppen gemacht werden, aber gegen Ledger Einträge können vorgenommen werden" @@ -1123,14 +1164,15 @@ Generates HTML to include selected image in the description,Erzeugt HTML ausgew Get,erhalten Get Advances Paid,Holen Geleistete Get Advances Received,Holen Erhaltene Anzahlungen +Get Against Entries,Holen Sie sich gegen Einträge Get Current Stock,Holen Aktuelle Stock Get From ,Holen Sie sich ab Get Items,Holen Artikel Get Items From Sales Orders,Holen Sie Angebote aus Kundenaufträgen Get Items from BOM,Holen Sie Angebote von Stücklisten Get Last Purchase Rate,Get Last Purchase Rate -Get Non Reconciled Entries,Holen Non versöhnt Einträge Get Outstanding Invoices,Holen Ausstehende Rechnungen +Get Relevant Entries,Holen Relevante Einträge Get Sales Orders,Holen Sie Kundenaufträge Get Specification Details,Holen Sie Ausschreibungstexte Get Stock and Rate,Holen Sie Stock und bewerten @@ -1149,14 +1191,13 @@ Goods received from Suppliers.,Wareneingang vom Lieferanten. Google Drive,Google Drive Google Drive Access Allowed,Google Drive Zugang erlaubt Government,Regierung -Grade,Klasse Graduate,Absolvent Grand Total,Grand Total Grand Total (Company Currency),Grand Total (Gesellschaft Währung) -Gratuity LIC ID,Gratuity LIC ID Greater or equals,Größer oder equals Greater than,größer als "Grid ""","Grid """ +Grocery,Lebensmittelgeschäft Gross Margin %,Gross Margin% Gross Margin Value,Gross Margin Wert Gross Pay,Gross Pay @@ -1171,6 +1212,7 @@ Group by Account,Gruppe von Konto Group by Voucher,Gruppe von Gutschein Group or Ledger,Gruppe oder Ledger Groups,Gruppen +HR Manager,HR -Manager HR Settings,HR-Einstellungen HTML / Banner that will show on the top of product list.,"HTML / Banner, die auf der Oberseite des Produkt-Liste zeigen." Half Day,Half Day @@ -1181,7 +1223,9 @@ Hardware,Hardware Has Batch No,Hat Batch No Has Child Node,Hat Child Node Has Serial No,Hat Serial No +Head of Marketing and Sales,Leiter Marketing und Vertrieb Header,Kopfzeile +Health Care,Health Care Health Concerns,Gesundheitliche Bedenken Health Details,Gesundheit Details Held On,Hielt @@ -1264,6 +1308,7 @@ In Words will be visible once you save the Sales Invoice.,"In Worte sichtbar sei In Words will be visible once you save the Sales Order.,"In Worte sichtbar sein wird, sobald Sie den Sales Order zu speichern." In response to,Als Antwort auf Incentives,Incentives +Include Reconciled Entries,Fügen versöhnt Einträge Include holidays in Total no. of Working Days,Fügen Sie Urlaub in Summe nicht. der Arbeitstage Income,Einkommen Income / Expense,Erträge / Aufwendungen @@ -1300,7 +1345,9 @@ Installed Qty,Installierte Anzahl Instructions,Anleitung Integrate incoming support emails to Support Ticket,Integrieren eingehende Support- E-Mails an Ticket-Support Interested,Interessiert +Intern,internieren Internal,Intern +Internet Publishing,Internet Publishing Introduction,Einführung Invalid Barcode or Serial No,Ungültige Barcode oder Seriennummer Invalid Email: {0},Ungültige E-Mail: {0} @@ -1311,6 +1358,7 @@ Invalid User Name or Support Password. Please rectify and try again.,Ungültige Invalid quantity specified for item {0}. Quantity should be greater than 0.,Zum Artikel angegebenen ungültig Menge {0}. Menge sollte grßer als 0 sein. Inventory,Inventar Inventory & Support,Inventar & Support +Investment Banking,Investment Banking Investments,Investments Invoice Date,Rechnungsdatum Invoice Details,Rechnungsdetails @@ -1428,6 +1476,9 @@ Item-wise Purchase History,Artikel-wise Kauf-Historie Item-wise Purchase Register,Artikel-wise Kauf Register Item-wise Sales History,Artikel-wise Vertrieb Geschichte Item-wise Sales Register,Artikel-wise Vertrieb Registrieren +"Item: {0} managed batch-wise, can not be reconciled using \ + Stock Reconciliation, instead use Stock Entry","Item: {0} verwaltet chargenweise , kann nicht mit \ \ n Auf Versöhnung in Einklang gebracht werden , verwenden Sie stattdessen Lizenz Eintrag" +Item: {0} not found in the system,Item: {0} nicht im System gefunden Items,Artikel Items To Be Requested,Artikel angefordert werden Items required,Artikel erforderlich @@ -1446,9 +1497,10 @@ Journal Entry,Journal Entry Journal Voucher,Journal Gutschein Journal Voucher Detail,Journal Voucher Detail Journal Voucher Detail No,In Journal Voucher Detail -Journal Voucher {0} does not have account {1}.,Blatt Gutschein {0} nicht angemeldet {1} . +Journal Voucher {0} does not have account {1} or already matched,Blatt Gutschein {0} ist nicht Konto haben {1} oder bereits abgestimmt Journal Vouchers {0} are un-linked,Blatt Gutscheine {0} sind un -linked Keep a track of communication related to this enquiry which will help for future reference.,"Verfolgen Sie die Kommunikation im Zusammenhang mit dieser Untersuchung, die für zukünftige Referenz helfen." +Keep it web friendly 900px (w) by 100px (h),Halten Sie es freundliche Web- 900px (w) von 100px ( h) Key Performance Area,Key Performance Area Key Responsibility Area,Key Responsibility Bereich Kg,kg @@ -1504,7 +1556,6 @@ Leave blank if considered for all branches,"Freilassen, wenn für alle Branchen Leave blank if considered for all departments,"Freilassen, wenn für alle Abteilungen betrachtet" Leave blank if considered for all designations,"Freilassen, wenn für alle Bezeichnungen betrachtet" Leave blank if considered for all employee types,"Freilassen, wenn für alle Mitarbeiter Typen betrachtet" -Leave blank if considered for all grades,"Freilassen, wenn für alle Typen gilt als" "Leave can be approved by users with Role, ""Leave Approver""","Kann von Benutzern mit Role zugelassen zu verlassen, ""Leave Approver""" Leave of type {0} cannot be longer than {1},Abschied vom Typ {0} kann nicht mehr als {1} Leaves Allocated Successfully for {0},Erfolgreich für zugewiesene Blätter {0} @@ -1513,6 +1564,7 @@ Leaves must be allocated in multiples of 0.5,"Blätter müssen in Vielfachen von Ledger,Hauptbuch Ledgers,Ledger Left,Links +Legal,Rechts- Legal Expenses,Anwaltskosten Less or equals,Weniger oder equals Less than,weniger als @@ -1520,16 +1572,16 @@ Letter Head,Briefkopf Letter Heads for print templates.,Schreiben Köpfe für Druckvorlagen . Level,Ebene Lft,Lft +Liability,Haftung Like,wie Linked With,Verbunden mit List,Liste List a few of your customers. They could be organizations or individuals.,Listen Sie ein paar Ihrer Kunden. Sie könnten Organisationen oder Einzelpersonen sein . List a few of your suppliers. They could be organizations or individuals.,Listen Sie ein paar von Ihren Lieferanten . Sie könnten Organisationen oder Einzelpersonen sein . -"List a few products or services you buy from your suppliers or vendors. If these are same as your products, then do not add them.","Listen Sie ein paar Produkte oder Dienstleistungen, die Sie von Ihrem Lieferanten oder Anbieter zu kaufen. Wenn diese gleiche wie Ihre Produkte sind , dann nicht hinzufügen." List items that form the package.,Diese Liste Artikel bilden das Paket. List this Item in multiple groups on the website.,Liste Diesen Artikel in mehrere Gruppen auf der Website. -"List your products or services that you sell to your customers. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Listen Sie Ihre Produkte oder Dienstleistungen, die Sie an Ihre Kunden verkaufen . Achten Sie auf die Artikelgruppe , Messeinheit und andere Eigenschaften zu überprüfen, wenn Sie beginnen." -"List your tax heads (e.g. VAT, Excise) (upto 3) and their standard rates. This will create a standard template, you can edit and add more later.","Listen Sie Ihre Steuerköpfen ( z. B. Mehrwertsteuer, Verbrauchssteuern ) ( bis zu 3 ) und ihre Standardsätze. Dies wird ein Standard-Template zu erstellen, bearbeiten und später mehr kann ." +"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.","Listen Sie Ihre Produkte oder Dienstleistungen, die Sie kaufen oder verkaufen ." +"List your tax heads (e.g. VAT, Excise; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Listen Sie Ihre Steuerköpfen ( z. B. Mehrwertsteuer, Verbrauchssteuern , sie sollten eindeutige Namen haben ) und ihre Standardsätze." Loading,Laden Loading Report,Loading Loading...,Wird geladen ... @@ -1596,6 +1648,8 @@ Manage Customer Group Tree.,Verwalten von Kunden- Gruppenstruktur . Manage Sales Person Tree.,Verwalten Sales Person Baum . Manage Territory Tree.,Verwalten Territory Baum . Manage cost of operations,Verwalten Kosten der Operationen +Management,Management +Manager,Manager Mandatory fields required in {0},Pflichtfelder in erforderlich {0} Mandatory filters required:\n,Pflicht Filter erforderlich : \ n "Mandatory if Stock Item is ""Yes"". Also the default warehouse where reserved quantity is set from Sales Order.","Obligatorisch, wenn Lager Artikel ist "Ja". Auch die Standard-Lager, wo reservierte Menge von Sales Order eingestellt ist." @@ -1612,6 +1666,7 @@ Manufacturing Quantity is mandatory,Fertigungsmengeist obligatorisch Margin,Marge Marital Status,Familienstand Market Segment,Market Segment +Marketing,Marketing Marketing Expenses,Marketingkosten Married,Verheiratet Mass Mailing,Mass Mailing @@ -1638,6 +1693,7 @@ Material Requirement,Material Requirement Material Transfer,Material Transfer Materials,Materialien Materials Required (Exploded),Benötigte Materialien (Explosionszeichnung) +Max 5 characters,Max 5 Zeichen Max Days Leave Allowed,Max Leave Tage erlaubt Max Discount (%),Discount Max (%) Max Qty,Max Menge @@ -1646,7 +1702,7 @@ Maximum {0} rows allowed,Maximum {0} Zeilen erlaubt Maxiumm discount for Item {0} is {1}%,Maxiumm Rabatt für Artikel {0} {1}% Medical,Medizin- Medium,Medium -"Merging is only possible if following properties are same in both records. Group or Ledger, Report Type, Company","Merging ist nur möglich, wenn folgenden Objekte sind in beiden Datensätzen. Gruppen-oder Ledger, Berichtstyp , Company" +"Merging is only possible if following properties are same in both records. Group or Ledger, Root Type, Company","Merging ist nur möglich, wenn folgenden Objekte sind in beiden Datensätzen." Message,Nachricht Message Parameter,Nachricht Parameter Message Sent,Nachricht gesendet @@ -1660,6 +1716,7 @@ Milestones,Meilensteine Milestones will be added as Events in the Calendar,Meilensteine ​​werden die Veranstaltungen in der hinzugefügt werden Min Order Qty,Mindestbestellmenge Min Qty,Mindestmenge +Min Qty can not be greater than Max Qty,Mindestmenge nicht größer als Max Menge sein Minimum Order Qty,Minimale Bestellmenge Minute,Minute Misc Details,Misc Einzelheiten @@ -1682,6 +1739,7 @@ Monthly salary statement.,Monatsgehalt Aussage. More,Mehr More Details,Mehr Details More Info,Mehr Info +Motion Picture & Video,Motion Picture & Video Move Down: {0},Nach unten : {0} Move Up: {0},Nach oben : {0} Moving Average,Moving Average @@ -1689,6 +1747,9 @@ Moving Average Rate,Moving Average Rate Mr,Herr Ms,Ms Multiple Item prices.,Mehrere Artikelpreise . +"Multiple Price Rule exists with same criteria, please resolve \ + conflict by assigning priority. Price Rules: {0}","Mehrere Price Rule mit gleichen Kriterien gibt, lösen Sie bitte \ \ n Konflikt durch Zuweisung Priorität." +Music,Musik Must be Whole Number,Muss ganze Zahl sein My Settings,Meine Einstellungen Name,Name @@ -1700,7 +1761,9 @@ Name not permitted,Nennen nicht erlaubt Name of person or organization that this address belongs to.,"Name der Person oder Organisation, dass diese Adresse gehört." Name of the Budget Distribution,Name der Verteilung Budget Naming Series,Benennen Series +Negative Quantity is not allowed,Negative Menge ist nicht erlaubt Negative Stock Error ({6}) for Item {0} in Warehouse {1} on {2} {3} in {4} {5},Negative Auf Error ( {6}) für Artikel {0} in {1} Warehouse auf {2} {3} {4} in {5} +Negative Valuation Rate is not allowed,Negative Bewertungsbetrag ist nicht erlaubt Negative balance in Batch {0} for Item {1} at Warehouse {2} on {3} {4},Negative Bilanz in Batch {0} für {1} Artikel bei Warehouse {2} auf {3} {4} Net Pay,Net Pay Net Pay (in words) will be visible once you save the Salary Slip.,"Net Pay (in Worten) sichtbar sein wird, sobald Sie die Gehaltsabrechnung zu speichern." @@ -1748,6 +1811,7 @@ Newsletter Status,Status Newsletter Newsletter has already been sent,Newsletter wurde bereits gesendet Newsletters is not allowed for Trial users,Newsletters ist nicht für Test Benutzer erlaubt "Newsletters to contacts, leads.",Newsletters zu Kontakten führt. +Newspaper Publishers,Zeitungsverleger Next,nächste Next Contact By,Von Next Kontakt Next Contact Date,Weiter Kontakt Datum @@ -1771,16 +1835,18 @@ No Results,Keine Ergebnisse No Supplier Accounts found. Supplier Accounts are identified based on 'Master Type' value in account record.,Keine Lieferantenkontengefunden. Lieferant Konten werden basierend auf dem Wert 'Master Type' in Kontodatensatz identifiziert. No accounting entries for the following warehouses,Keine Buchungen für die folgenden Hallen No addresses created,Keine Adressen erstellt -No amount allocated,Kein Betrag zugeteilt No contacts created,Keine Kontakte erstellt No default BOM exists for Item {0},Kein Standardstücklisteexistiert für Artikel {0} +No description given,Keine Beschreibung angegeben No document selected,Kein Dokument ausgewählt No employee found,Kein Mitarbeiter gefunden +No employee found!,Kein Mitarbeiter gefunden! No of Requested SMS,Kein SMS Erwünschte No of Sent SMS,Kein SMS gesendet No of Visits,Anzahl der Besuche No one,Keiner No permission,Keine Berechtigung +No permission to '{0}' {1},Keine Berechtigung um '{0} ' {1} No permission to edit,Keine Berechtigung zum Bearbeiten No record found,Kein Eintrag gefunden No records tagged.,In den Datensätzen markiert. @@ -1840,6 +1906,7 @@ Old Parent,Old Eltern On Net Total,On Net Total On Previous Row Amount,Auf Previous Row Betrag On Previous Row Total,Auf Previous Row insgesamt +Online Auctions,Online-Auktionen Only Leave Applications with status 'Approved' can be submitted,"Nur Lassen Anwendungen mit dem Status ""Genehmigt"" eingereicht werden können" "Only Serial Nos with status ""Available"" can be delivered.","Nur Seriennummernmit dem Status ""Verfügbar"" geliefert werden." Only leaf nodes are allowed in transaction,Nur Blattknoten in Transaktion zulässig @@ -1885,6 +1952,7 @@ Organization Name,Name der Organisation Organization Profile,Unternehmensprofil Organization branch master.,Organisation Niederlassung Master. Organization unit (department) master.,Organisationseinheit ( Abteilung ) Master. +Original Amount,Original- Menge Original Message,Ursprüngliche Nachricht Other,Andere Other Details,Weitere Details @@ -1902,9 +1970,6 @@ Overlapping conditions found between:,Overlapping Bedingungen zwischen gefunden: Overview,Überblick Owned,Besitz Owner,Eigentümer -PAN Number,PAN-Nummer -PF No.,PF Nr. -PF Number,PF-Nummer PL or BS,PL oder BS PO Date,Bestelldatum PO No,PO Nein @@ -1951,6 +2016,7 @@ Parent Website Route,Eltern- Webseite Routen Parent account can not be a ledger,"Eltern-Konto kann nicht sein, ein Hauptbuch" Parent account does not exist,Eltern-Konto existiert nicht Parenttype,ParentType +Part-time,Teilzeit- Partially Completed,Teilweise abgeschlossen Partly Billed,Teilweise Billed Partly Delivered,Teilweise Lieferung @@ -1968,7 +2034,6 @@ Payables,Verbindlichkeiten Payables Group,Verbindlichkeiten Gruppe Payment Days,Zahltage Payment Due Date,Zahlungstermin -Payment Entries,Payment Einträge Payment Period Based On Invoice Date,Zahlungszeitraum basiert auf Rechnungsdatum Payment Type,Zahlungsart Payment of salary for the month {0} and year {1},Die Zahlung der Gehälter für den Monat {0} und {1} Jahre @@ -1985,6 +2050,7 @@ Pending Amount,Bis Betrag Pending Items {0} updated,Ausstehende Elemente {0} aktualisiert Pending Review,Bis Bewertung Pending SO Items For Purchase Request,Ausstehend SO Artikel zum Kauf anfordern +Pension Funds,Pensionsfonds Percent Complete,Percent Complete Percentage Allocation,Prozentuale Aufteilung Percentage Allocation should be equal to 100%,Prozentuale Aufteilung sollte gleich 100% @@ -1993,7 +2059,6 @@ Percentage you are allowed to receive or deliver more against the quantity order Performance appraisal.,Leistungsbeurteilung. Period,Zeit Period Closing Voucher,Periodenverschiebung Gutschein -Period is too short,Zeitraum ist zu kurz Periodicity,Periodizität Permanent Address,Permanent Address Permanent Address Is,Permanent -Adresse ist @@ -2005,15 +2070,18 @@ Personal,Persönliche Personal Details,Persönliche Details Personal Email,Persönliche E-Mail Pharmaceutical,pharmazeutisch +Pharmaceuticals,Pharmaceuticals Phone,Telefon Phone No,Phone In Pick Columns,Wählen Sie Spalten +Piecework,Akkordarbeit Pincode,Pincode Place of Issue,Ausstellungsort Plan for maintenance visits.,Plan für die Wartung Besuche. Planned Qty,Geplante Menge "Planned Qty: Quantity, for which, Production Order has been raised, but is pending to be manufactured.","Geplante Menge : Menge , für die , Fertigungsauftrag ausgelöst wurde , aber steht noch hergestellt werden ." Planned Quantity,Geplante Menge +Planning,Planung Plant,Pflanze Plant and Machinery,Anlagen und Maschinen Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,Bitte geben Abkürzung oder das Kurzer Name enquiry.c es auf alle Suffix Konto Heads hinzugefügt werden. @@ -2050,7 +2118,6 @@ Please enter Planned Qty for Item {0} at row {1},Bitte geben Sie Geplante Menge Please enter Production Item first,Bitte geben Sie zuerst Herstellungs Artikel Please enter Purchase Receipt No to proceed,"Bitte geben Kaufbeleg Nein, um fortzufahren" Please enter Reference date,Bitte geben Sie Stichtag -Please enter Start Date and End Date,Bitte geben Sie Start- und Enddatum Please enter Warehouse for which Material Request will be raised,Bitte geben Sie für die Warehouse -Material anfordern wird angehoben Please enter Write Off Account,Bitte geben Sie Write Off Konto Please enter atleast 1 invoice in the table,Bitte geben Sie atleast 1 Rechnung in der Tabelle @@ -2099,9 +2166,9 @@ Please select item code,Bitte wählen Sie Artikel Code Please select month and year,Bitte wählen Sie Monat und Jahr Please select prefix first,Bitte wählen Sie zunächst Präfix Please select the document type first,Bitte wählen Sie den Dokumententyp ersten -Please select valid Voucher No to proceed,"Bitte wählen Sie gültigen Gutschein Nein , um fortzufahren" Please select weekly off day,Bitte wählen Sie Wochen schlechten Tag Please select {0},Bitte wählen Sie {0} +Please select {0} first,Bitte wählen Sie {0} zuerst Please set Dropbox access keys in your site config,Bitte setzen Dropbox Zugriffstasten auf Ihrer Website Config Please set Google Drive access keys in {0},Bitte setzen Google Drive Zugriffstasten in {0} Please set default Cash or Bank account in Mode of Payment {0},Bitte setzen Standard Bargeld oder Bank- Konto in Zahlungsmodus {0} @@ -2117,6 +2184,7 @@ Please specify Default Currency in Company Master and Global Defaults,Bitte gebe Please specify a,Bitte geben Sie eine Please specify a valid 'From Case No.',Bitte geben Sie eine gültige "Von Fall Nr. ' Please specify a valid Row ID for {0} in row {1},Bitte geben Sie eine gültige Zeilen-ID für {0} in Zeile {1} +Please specify either Quantity or Valuation Rate or both,Bitte geben Sie entweder Menge oder Bewertungs bewerten oder beide Please submit to update Leave Balance.,"Bitte reichen Sie zu verlassen, Bilanz zu aktualisieren." Plot,Grundstück Plot By,Grundstück von @@ -2138,6 +2206,7 @@ Present,Präsentieren Prevdoc DocType,Prevdoc DocType Prevdoc Doctype,Prevdoc Doctype Preview,Vorschau +Previous,früher Previous Record,Previous Record Previous Work Experience,Berufserfahrung Price,Preis @@ -2165,11 +2234,14 @@ Print and Stationary,Print-und Schreibwaren Print...,Drucken ... Printing and Branding,Druck-und Branding- Priority,Priorität +Private Equity,Private Equity Privilege Leave,Privilege Leave +Probation,Bewährung Process Payroll,Payroll-Prozess Produced,produziert Produced Quantity,Produziert Menge Product Enquiry,Produkt-Anfrage +Production,Produktion Production Order,Fertigungsauftrag Production Order status is {0},Fertigungsauftragsstatusist {0} Production Order {0} must be cancelled before cancelling this Sales Order,Fertigungsauftrag {0} muss vor Streichung dieses Sales Order storniert werden @@ -2182,12 +2254,12 @@ Production Plan Sales Order,Production Plan Sales Order Production Plan Sales Orders,Production Plan Kundenaufträge Production Planning Tool,Production Planning-Tool Products,Produkte -Products or Services You Buy,Produkte oder Dienstleistungen kaufen "Products will be sorted by weight-age in default searches. More the weight-age, higher the product will appear in the list.","Die Produkte werden Gew.-age in Verzug Suchbegriffe sortiert werden. Mehr das Gewicht-Alter, wird das Produkt höher erscheinen in der Liste." Profit and Loss,Gewinn-und Verlust Project,Projekt Project Costing,Projektkalkulation Project Details,Project Details +Project Manager,Project Manager Project Milestone,Projekt Milestone Project Milestones,Projektmeilensteine Project Name,Project Name @@ -2204,9 +2276,10 @@ Projected Qty,Prognostizierte Anzahl Projects,Projekte Projects & System,Projekte & System Prompt for Email on Submission of,Eingabeaufforderung für E-Mail auf Vorlage von +Proposal Writing,Proposal Writing Provide email id registered in company,Bieten E-Mail-ID in Unternehmen registriert Public,Öffentlichkeit -Pull Payment Entries,Ziehen Sie Payment Einträge +Publishing,Herausgabe Pull sales orders (pending to deliver) based on the above criteria,"Ziehen Sie Kundenaufträge (anhängig zu liefern), basierend auf den oben genannten Kriterien" Purchase,Kaufen Purchase / Manufacture Details,Kauf / Herstellung Einzelheiten @@ -2272,6 +2345,7 @@ Quality Inspection Parameters,Qualitätsprüfung Parameter Quality Inspection Reading,Qualitätsprüfung Lesen Quality Inspection Readings,Qualitätsprüfung Readings Quality Inspection required for Item {0},Qualitätsprüfung für den Posten erforderlich {0} +Quality Management,Qualitätsmanagement Quantity,Menge Quantity Requested for Purchase,Beantragten Menge für Kauf Quantity and Rate,Menge und Preis @@ -2335,6 +2409,7 @@ Reading 6,Lesen 6 Reading 7,Lesen 7 Reading 8,Lesen 8 Reading 9,Lesen 9 +Real Estate,Immobilien Reason,Grund Reason for Leaving,Grund für das Verlassen Reason for Resignation,Grund zur Resignation @@ -2353,6 +2428,7 @@ Receiver List,Receiver Liste Receiver List is empty. Please create Receiver List,Empfängerliste ist leer. Bitte erstellen Sie Empfängerliste Receiver Parameter,Empfänger Parameter Recipients,Empfänger +Reconcile,versöhnen Reconciliation Data,Datenabgleich Reconciliation HTML,HTML Versöhnung Reconciliation JSON,Überleitung JSON @@ -2402,6 +2478,7 @@ Report,Bericht Report Date,Report Date Report Type,Melden Typ Report Type is mandatory,Berichtstyp ist verpflichtend +Report an Issue,Ein Problem melden Report was not saved (there were errors),Bericht wurde nicht gespeichert (es gab Fehler) Reports to,Berichte an Reqd By Date,Reqd Nach Datum @@ -2420,6 +2497,9 @@ Required Date,Erforderlich Datum Required Qty,Erwünschte Stückzahl Required only for sample item.,Nur erforderlich für die Probe Element. Required raw materials issued to the supplier for producing a sub - contracted item.,Erforderliche Rohstoffe Ausgestellt an den Lieferanten produziert eine sub - Vertragsgegenstand. +Research,Forschung +Research & Development,Forschung & Entwicklung +Researcher,Forscher Reseller,Wiederverkäufer Reserved,reserviert Reserved Qty,reservierte Menge @@ -2439,11 +2519,14 @@ Resolution Details,Auflösung Einzelheiten Resolved By,Gelöst von Rest Of The World,Rest der Welt Retail,Einzelhandel +Retail & Wholesale,Retail & Wholesale Retailer,Einzelhändler Review Date,Bewerten Datum Rgt,Rgt Role Allowed to edit frozen stock,Rolle erlaubt den gefrorenen bearbeiten Role that is allowed to submit transactions that exceed credit limits set.,"Rolle, die erlaubt, Transaktionen, die Kreditlimiten gesetzt überschreiten vorlegen wird." +Root Type,root- Typ +Root Type is mandatory,Root- Typ ist obligatorisch Root account can not be deleted,Root-Konto kann nicht gelöscht werden Root cannot be edited.,Wurzel kann nicht bearbeitet werden. Root cannot have a parent cost center,Wurzel kann kein übergeordnetes Kostenstelle @@ -2451,6 +2534,16 @@ Rounded Off,abgerundet Rounded Total,Abgerundete insgesamt Rounded Total (Company Currency),Abgerundete Total (Gesellschaft Währung) Row # ,Zeile # +Row # {0}: , +"Row {0}: Account does not match with \ + Purchase Invoice Credit To account",Row {0}: Konto nicht mit \ \ n Einkaufsrechnung dem Konto übereinstimmen +"Row {0}: Account does not match with \ + Sales Invoice Debit To account",Row {0}: Konto nicht mit \ \ n Sales Invoice Debit Zur Account entsprechen +Row {0}: Credit entry can not be linked with a Purchase Invoice,Row {0} : Kredit Eintrag kann nicht mit einer Einkaufsrechnung verknüpft werden +Row {0}: Debit entry can not be linked with a Sales Invoice,Row {0} : Debit- Eintrag kann nicht mit einer Verkaufsrechnung verknüpft werden +"Row {0}: To set {1} periodicity, difference between from and to date \ + must be greater than or equal to {2}",Row {0}: Um {1} Periodizität muss Unterschied zwischen von und bis heute \ \ n größer als oder gleich zu sein {2} +Row {0}:Start Date must be before End Date,Row {0}: Startdatum muss vor dem Enddatum liegen Rules for adding shipping costs.,Regeln für das Hinzufügen von Versandkosten. Rules for applying pricing and discount.,Regeln für die Anwendung von Preis-und Rabatt . Rules to calculate shipping amount for a sale,Regeln zum Versand Betrag für einen Verkauf berechnen @@ -2542,7 +2635,6 @@ Schedule,Planen Schedule Date,Termine Datum Schedule Details,Termine Details Scheduled,Geplant -Scheduled Confirmation Date must be greater than Date of Joining,Geplante Bestätigung Datum muss größer sein als Datum für Füge sein Scheduled Date,Voraussichtlicher Scheduled to send to {0},Planmäßig nach an {0} Scheduled to send to {0} recipients,Planmäßig nach {0} Empfänger senden @@ -2554,7 +2646,9 @@ Score must be less than or equal to 5,Score muß weniger als oder gleich 5 sein Scrap %,Scrap% Search,Suchen Seasonality for setting budgets.,Saisonalität setzt Budgets. +Secretary,Sekretärin Secured Loans,Secured Loans +Securities & Commodity Exchanges,Securities & Warenbörsen Securities and Deposits,Wertpapiere und Einlagen "See ""Rate Of Materials Based On"" in Costing Section",Siehe "Rate Of Materials Based On" in der Kalkulation Abschnitt "Select ""Yes"" for sub - contracting items","Wählen Sie ""Ja"" für - Zulieferer Artikel" @@ -2584,7 +2678,6 @@ Select dates to create a new , Select or drag across time slots to create a new event.,Wählen oder ziehen in Zeitfenstern um ein neues Ereignis zu erstellen. Select template from which you want to get the Goals,"Wählen Sie aus, welche Vorlage Sie die Ziele erhalten möchten" Select the Employee for whom you are creating the Appraisal.,"Wählen Sie den Mitarbeiter, für den Sie erstellen Appraisal." -Select the Invoice against which you want to allocate payments.,"Wählen Sie die Rechnung , gegen die Sie Zahlungen zuordnen möchten." Select the period when the invoice will be generated automatically,Wählen Sie den Zeitraum auf der Rechnung wird automatisch erzeugt werden Select the relevant company name if you have multiple companies,"Wählen Sie den entsprechenden Firmennamen, wenn Sie mehrere Unternehmen haben" Select the relevant company name if you have multiple companies.,"Wählen Sie den entsprechenden Firmennamen, wenn Sie mehrere Unternehmen haben." @@ -2635,7 +2728,8 @@ Serial No {0} status must be 'Available' to Deliver,"Seriennummer {0} Status mus Serial Nos Required for Serialized Item {0},SeriennummernErforderlich für Artikel mit Seriennummer {0} Serial Number Series,Seriennummer Series Serial number {0} entered more than once,Seriennummer {0} trat mehr als einmal -Serialized Item {0} cannot be updated using Stock Reconciliation,Serialisierten Artikel {0} kann nicht mit Lizenz Versöhnung aktualisiert werden +"Serialized Item {0} cannot be updated \ + using Stock Reconciliation",Serialisierten Artikel {0} \ \ n nicht aktualisiert werden mit Lizenz Versöhnung Series,Serie Series List for this Transaction,Serien-Liste für diese Transaktion Series Updated,Aktualisiert Serie @@ -2650,7 +2744,6 @@ Set,Set "Set Default Values like Company, Currency, Current Fiscal Year, etc.","Vorschlagswerte wie Unternehmen , Währung, aktuelle Geschäftsjahr usw." Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,"Set Artikel gruppenweise Budgets auf diesem Gebiet. Sie können Saisonalität auch gehören, indem Sie die Distribution." Set Link,Link- Set -Set allocated amount against each Payment Entry and click 'Allocate'.,"Set zugewiesene Betrag gegeneinander Zahlung Eintrag und klicken Sie auf "" Weisen "" ." Set as Default,Als Standard Set as Lost,Als Passwort Set prefix for numbering series on your transactions,Nummerierung einstellen Serie Präfix für Ihre Online-Transaktionen @@ -2662,7 +2755,7 @@ Settings for HR Module,Einstellungen für das HR -Modul "Settings to extract Job Applicants from a mailbox e.g. ""jobs@example.com""","Einstellungen für Bewerber aus einer Mailbox zB ""jobs@example.com"" extrahieren" Setup,Setup Setup Already Complete!!,Bereits Komplett -Setup ! -Setup Complete!,Setup Complete ! +Setup Complete,Setup Complete Setup Series,Setup-Series Setup Wizard,Setup-Assistenten Setup incoming server for jobs email id. (e.g. jobs@example.com),Setup- Eingangsserver für Jobs E-Mail -ID . (z. B. jobs@example.com ) @@ -2701,6 +2794,9 @@ Single,Single Single unit of an Item.,Einzelgerät eines Elements. Sit tight while your system is being setup. This may take a few moments.,"Sitzen fest , während Ihr System wird Setup . Dies kann einige Zeit dauern." Slideshow,Slideshow +Soap & Detergent,Soap & Reinigungsmittel +Software,Software +Software Developer,Software-Entwickler Sorry we were unable to find what you were looking for.,"Leider waren wir nicht in der Lage zu finden, was Sie suchen ." Sorry you are not permitted to view this page.,"Leider sind Sie nicht berechtigt , diese Seite anzuzeigen ." "Sorry, Serial Nos cannot be merged","Sorry, Seriennummernkönnen nicht zusammengeführt werden," @@ -2714,24 +2810,25 @@ Source of Funds (Liabilities),Mittelherkunft ( Passiva) Source warehouse is mandatory for row {0},Quelle Lager ist für Zeile {0} Spartan,Spartan "Special Characters except ""-"" and ""/"" not allowed in naming series","Sonderzeichen außer ""-"" und ""/"" nicht in der Benennung Serie erlaubt" -Special Characters not allowed in Abbreviation,Sonderzeichen nicht erlaubt Abkürzung -Special Characters not allowed in Company Name,Sonderzeichen nicht im Firmennamen erlaubt Specification Details,Ausschreibungstexte +Specifications,Technische Daten "Specify a list of Territories, for which, this Price List is valid","Geben Sie eine Liste der Gebiete, für die ist diese Preisliste gültig" "Specify a list of Territories, for which, this Shipping Rule is valid","Geben Sie eine Liste der Gebiete, für die ist diese Regel gültig Versand" "Specify a list of Territories, for which, this Taxes Master is valid","Geben Sie eine Liste der Gebiete, für die ist diese Steuern Meister gültig" "Specify the operations, operating cost and give a unique Operation no to your operations.","Geben Sie die Vorgänge , Betriebskosten und geben einen einzigartigen Betrieb nicht für Ihren Betrieb ." Split Delivery Note into packages.,Aufgeteilt in Pakete Lieferschein. +Sports,Sport Standard,Standard +Standard Buying,Standard- Einkaufsführer Standard Rate,Standardpreis Standard Reports,Standardberichte +Standard Selling,Standard- Selling Standard contract terms for Sales or Purchase.,Übliche Vertragsbedingungen für den Verkauf oder Kauf . Start,Start- Start Date,Startdatum Start Report For,Starten Bericht für Start date of current invoice's period,Startdatum der laufenden Rechnung der Zeit Start date should be less than end date for Item {0},Startdatum sollte weniger als Enddatum für Artikel {0} -Start date should be less than end date.,Startdatum sollte weniger als Enddatum liegen . State,Zustand Static Parameters,Statische Parameter Status,Status @@ -2739,6 +2836,7 @@ Status must be one of {0},Der Status muss man von {0} Status of {0} {1} is now {2},Status {0} {1} ist jetzt {2} Status updated to {0},Status aktualisiert {0} Statutory info and other general information about your Supplier,Gesetzliche Informationen und andere allgemeine Informationen über Ihr Lieferant +Stay Updated,Bleiben Aktualisiert Stock,Lager Stock Adjustment,Auf Einstellung Stock Adjustment Account,Auf Adjustment Konto @@ -2813,15 +2911,12 @@ Supplier Part Number,Lieferant Teilenummer Supplier Quotation,Lieferant Angebot Supplier Quotation Item,Lieferant Angebotsposition Supplier Reference,Lieferant Reference -Supplier Shipment Date,Lieferant Warensendung Datum -Supplier Shipment No,Lieferant Versand Keine Supplier Type,Lieferant Typ Supplier Type / Supplier,Lieferant Typ / Lieferant Supplier Type master.,Lieferant Typ Master. Supplier Warehouse,Lieferant Warehouse Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Lieferantenlager obligatorisch für Unteraufträge vergeben Kaufbeleg Supplier database.,Lieferanten-Datenbank. -Supplier delivery number duplicate in {0},Lieferant Liefernummer in doppelte {0} Supplier master.,Lieferant Master. Supplier warehouse where you have issued raw materials for sub - contracting,Lieferantenlager wo Sie Rohstoffe ausgegeben haben - Zulieferer Supplier-Wise Sales Analytics,HerstellerverkaufsWise Analytics @@ -2862,7 +2957,7 @@ Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are no Tax Rate,Tax Rate Tax and other salary deductions.,Steuer-und sonstige Lohnabzüge. "Tax detail table fetched from item master as a string and stored in this field. -Used for Taxes and Charges", +Used for Taxes and Charges",MwSt. Detailtabelle holten von Artikelstamm als String und in diesem Bereich gespeichert. \ Für Steuern und Abgaben nUsed Tax template for buying transactions.,Tax -Vorlage für Kauf -Transaktionen. Tax template for selling transactions.,Tax -Vorlage für Verkaufsgeschäfte . Taxable,Steuerpflichtig @@ -2874,13 +2969,16 @@ Taxes and Charges Deducted,Steuern und Gebühren Abgezogen Taxes and Charges Deducted (Company Currency),Steuern und Gebühren Abzug (Gesellschaft Währung) Taxes and Charges Total,Steuern und Gebühren gesamt Taxes and Charges Total (Company Currency),Steuern und Abgaben insgesamt (Gesellschaft Währung) +Technology,Technologie +Telecommunications,Telekommunikation Telephone Expenses,Telefonkosten +Television,Fernsehen Template for performance appraisals.,Vorlage für Leistungsbeurteilungen . Template of terms or contract.,Vorlage von Begriffen oder Vertrag. -Temporary Account (Assets),Temporäre Account ( Assets) -Temporary Account (Liabilities),Temporäre Account ( Passiva) Temporary Accounts (Assets),Temporäre Accounts ( Assets) Temporary Accounts (Liabilities),Temporäre Konten ( Passiva) +Temporary Assets,Temporäre Assets +Temporary Liabilities,Temporäre Verbindlichkeiten Term Details,Begriff Einzelheiten Terms,Bedingungen Terms and Conditions,AGB @@ -2905,7 +3003,7 @@ The First User: You,Der erste Benutzer : Sie The Organization,Die Organisation "The account head under Liability, in which Profit/Loss will be booked","Das Konto, Kopf unter Haftung , in der Gewinn / Verlust wird gebucht werden" "The date on which next invoice will be generated. It is generated on submit. -", +","Der Tag, an dem nächsten Rechnung wird erzeugt." The date on which recurring invoice will be stop,"Der Tag, an dem wiederkehrende Rechnung werden aufhören wird" "The day of the month on which auto invoice will be generated e.g. 05, 28 etc ","Der Tag des Monats, an dem auto Rechnung zB 05, 28 usw. generiert werden" The day(s) on which you are applying for leave are holiday. You need not apply for leave.,"Der Tag (e) , auf dem Sie sich bewerben für Urlaub sind Ferien. Sie müssen nicht, um Urlaub ." @@ -2990,6 +3088,8 @@ To track items using barcode. You will be able to enter items in Delivery Note a Tools,Werkzeuge Total,Gesamt Total Advance,Insgesamt Geleistete +Total Allocated Amount,Insgesamt gewährte Betrag +Total Allocated Amount can not be greater than unmatched amount,Insgesamt gewährte Betrag darf nicht größer als unerreichte Menge sein Total Amount,Gesamtbetrag Total Amount To Pay,Insgesamt zu zahlenden Betrag Total Amount in Words,Insgesamt Betrag in Worten @@ -2999,6 +3099,7 @@ Total Commission,Gesamt Kommission Total Cost,Total Cost Total Credit,Insgesamt Kredit Total Debit,Insgesamt Debit +Total Debit must be equal to Total Credit. The difference is {0},Insgesamt muss Debit gleich Gesamt-Credit ist. Total Deduction,Insgesamt Abzug Total Earning,Insgesamt Earning Total Experience,Total Experience @@ -3026,8 +3127,10 @@ Total in words,Total in Worten Total points for all goals should be 100. It is {0},Gesamtpunkte für alle Ziele sollten 100 sein. Es ist {0} Total weightage assigned should be 100%. It is {0},Insgesamt Gewichtung zugeordnet sollte 100 % sein. Es ist {0} Totals,Totals +Track Leads by Industry Type.,Spur führt nach Branche Typ . Track this Delivery Note against any Project,Verfolgen Sie diesen Lieferschein gegen Projekt Track this Sales Order against any Project,Verfolgen Sie diesen Kundenauftrag gegen Projekt +Trainee,Trainee Transaction,Transaktion Transaction Date,Transaction Datum Transaction not allowed against stopped Production Order {0},Transaktion nicht gegen gestoppt Fertigungsauftrag erlaubt {0} @@ -3035,10 +3138,10 @@ Transfer,Übertragen Transfer Material,Transfermaterial Transfer Raw Materials,Übertragen Rohstoffe Transferred Qty,Die übertragenen Menge +Transportation,Transport Transporter Info,Transporter Info Transporter Name,Transporter Namen Transporter lorry number,Transporter Lkw-Zahl -Trash Reason,Trash Reason Travel,Reise Travel Expenses,Reisekosten Tree Type,Baum- Typ @@ -3142,6 +3245,7 @@ Value,Wert Value or Qty,Wert oder Menge Vehicle Dispatch Date,Fahrzeug Versanddatum Vehicle No,Kein Fahrzeug +Venture Capital,Risikokapital Verified By,Verified By View Ledger,Ansicht Ledger View Now,Jetzt ansehen @@ -3150,6 +3254,7 @@ Voucher #,Gutschein # Voucher Detail No,Gutschein Detailaufnahme Voucher ID,Gutschein ID Voucher No,Gutschein Nein +Voucher No is not valid,Kein Gutschein ist nicht gültig Voucher Type,Gutschein Type Voucher Type and Date,Gutschein Art und Datum Walk In,Walk In @@ -3164,6 +3269,7 @@ Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt Warehouse cannot be changed for Serial No.,Warehouse kann nicht für Seriennummer geändert werden Warehouse is mandatory for stock Item {0} in row {1},Warehouse ist für Lager Artikel {0} in Zeile {1} Warehouse is missing in Purchase Order,Warehouse ist in der Bestellung fehlen +Warehouse not found in the system,Warehouse im System nicht gefunden Warehouse required for stock Item {0},Lagerhaus Lager Artikel erforderlich {0} Warehouse required in POS Setting,Warehouse in POS -Einstellung erforderlich Warehouse where you are maintaining stock of rejected items,"Warehouse, wo Sie erhalten Bestand abgelehnt Elemente werden" @@ -3184,7 +3290,8 @@ Warranty / AMC Status,Garantie / AMC-Status Warranty Expiry Date,Garantie Ablaufdatum Warranty Period (Days),Garantiezeitraum (Tage) Warranty Period (in days),Gewährleistungsfrist (in Tagen) -We make world class products and offer world class services,Wir machen Weltklasse- Produkte und bieten Weltklasse-Leistungen +We buy this Item,Wir kaufen Artikel +We sell this Item,Wir verkaufen Artikel Website,Webseite Website Description,Website Beschreibung Website Item Group,Website-Elementgruppe @@ -3211,6 +3318,7 @@ Will be calculated automatically when you enter the details,"Wird automatisch be Will be updated after Sales Invoice is Submitted.,Wird aktualisiert After-Sales-Rechnung vorgelegt werden. Will be updated when batched.,"Wird aktualisiert, wenn dosiert werden." Will be updated when billed.,"Wird aktualisiert, wenn in Rechnung gestellt." +Wire Transfer,Überweisung With Groups,mit Gruppen With Ledgers,mit Ledger With Operations,Mit Operations @@ -3245,7 +3353,6 @@ Yearly,Jährlich Yes,Ja Yesterday,Gestern You are not allowed to create / edit reports,"Sie sind nicht berechtigt, bearbeiten / Berichte erstellen" -You are not allowed to create {0},"Sie sind nicht berechtigt, {0}" You are not allowed to export this report,"Sie sind nicht berechtigt , diesen Bericht zu exportieren" You are not allowed to print this document,"Sie sind nicht berechtigt , dieses Dokument zu drucken" You are not allowed to send emails related to this document,"Es ist nicht erlaubt , E-Mails zu diesem Dokument im Zusammenhang senden" @@ -3263,21 +3370,26 @@ You can set Default Bank Account in Company master,Sie können Standard- Bank-Ko You can start by selecting backup frequency and granting access for sync,Sie können durch Auswahl Backup- Frequenz und den Zugang für die Gewährung Sync starten You can submit this Stock Reconciliation.,Sie können diese Vektor Versöhnung vorzulegen. You can update either Quantity or Valuation Rate or both.,Sie können entweder Menge oder Bewertungs bewerten oder beides aktualisieren. -You cannot credit and debit same account at the same time.,Sie können keine Kredit-und Debit gleiche Konto bei der gleichen Zeit. +You cannot credit and debit same account at the same time,Sie können keine Kredit-und Debit gleiche Konto in der gleichen Zeit You have entered duplicate items. Please rectify and try again.,Sie haben doppelte Elemente eingetragen. Bitte korrigieren und versuchen Sie es erneut . +You have unsaved changes in this form. Please save before you continue.,Sie haben noch nicht gespeicherte Änderungen in dieser Form . You may need to update: {0},Sie müssen möglicherweise aktualisiert werden: {0} You must Save the form before proceeding,"Sie müssen das Formular , bevor Sie speichern" +You must allocate amount before reconcile,Sie müssen Wert vor Abgleich zuweisen Your Customer's TAX registration numbers (if applicable) or any general information,Ihre Kunden TAX Kennzeichen (falls zutreffend) oder allgemeine Informationen Your Customers,Ihre Kunden +Your Login Id,Ihre Login-ID Your Products or Services,Ihre Produkte oder Dienstleistungen Your Suppliers,Ihre Lieferanten "Your download is being built, this may take a few moments...","Ihr Download gebaut wird, kann dies einige Zeit dauern ..." +Your email address,Ihre E-Mail -Adresse Your financial year begins on,Ihr Geschäftsjahr beginnt am Your financial year ends on,Ihr Geschäftsjahr endet am Your sales person who will contact the customer in future,"Ihr Umsatz Person, die die Kunden in Zukunft in Verbindung setzen" Your sales person will get a reminder on this date to contact the customer,"Ihre Vertriebsmitarbeiter erhalten eine Erinnerung an diesem Tag, um den Kunden an" Your setup is complete. Refreshing...,Ihre Einrichtung ist abgeschlossen. Erfrischend ... Your support email id - must be a valid email - this is where your emails will come!,"Ihre Unterstützung email id - muss eine gültige E-Mail-sein - das ist, wo Ihre E-Mails wird kommen!" +[Select],[Select ] `Freeze Stocks Older Than` should be smaller than %d days.,`Frost Stocks Älter als ` sollte kleiner als% d Tage. and,und are not allowed.,sind nicht erlaubt. diff --git a/erpnext/translations/el.csv b/erpnext/translations/el.csv index e3daf1d171..d6ec596c10 100644 --- a/erpnext/translations/el.csv +++ b/erpnext/translations/el.csv @@ -26,14 +26,13 @@ 'From Date' must be after 'To Date',« Από την ημερομηνία » πρέπει να είναι μετά τη λέξη « μέχρι σήμερα» 'Has Serial No' can not be 'Yes' for non-stock item,« Έχει Αύξων αριθμός » δεν μπορεί να είναι «ναι» για τη θέση μη - απόθεμα 'Notification Email Addresses' not specified for recurring invoice,«Κοινοποίηση διευθύνσεις ηλεκτρονικού ταχυδρομείου δεν διευκρινίζεται για επαναλαμβανόμενες τιμολόγιο -'Profit and Loss' type Account {0} used be set for Opening Entry,« Κέρδη και Ζημίες » Τύπος λογαριασμού {0} που χρησιμοποιούνται πρέπει να οριστεί για το άνοιγμα εισόδου 'Profit and Loss' type account {0} not allowed in Opening Entry,« Κέρδη και Ζημίες » τον τύπο του λογαριασμού {0} δεν επιτρέπονται στο άνοιγμα εισόδου 'To Case No.' cannot be less than 'From Case No.',«Για την υπόθεση αριθ.» δεν μπορεί να είναι μικρότερη »από το Νο. υπόθεση» 'To Date' is required,« Έως » απαιτείται 'Update Stock' for Sales Invoice {0} must be set,« Ενημέρωση Χρηματιστήριο » για τις πωλήσεις Τιμολόγιο πρέπει να ρυθμιστεί {0} * Will be calculated in the transaction.,* Θα πρέπει να υπολογίζεται στη συναλλαγή. "1 Currency = [?] Fraction -For e.g. 1 USD = 100 Cent", +For e.g. 1 USD = 100 Cent",1 Νόμισμα = [ ?] Κλάσμα \ nΓια την π.χ. 1. To maintain the customer wise item code and to make them searchable based on their code use this option,"1. Για να διατηρήσετε τον πελάτη σοφός κωδικό στοιχείο και να καταστούν προσβάσιμα με βάση τον κωδικό τους, χρησιμοποιήστε αυτή την επιλογή" 2 days ago,2 μέρες πριν "Add / Edit"," Προσθήκη / Επεξεργασία < / a>" @@ -70,8 +69,6 @@ Account with child nodes cannot be converted to ledger,Λογαριασμός μ Account with existing transaction can not be converted to group.,Ο λογαριασμός με τις υπάρχουσες συναλλαγή δεν μπορεί να μετατραπεί σε ομάδα . Account with existing transaction can not be deleted,Ο λογαριασμός με τις υπάρχουσες συναλλαγή δεν μπορεί να διαγραφεί Account with existing transaction cannot be converted to ledger,Ο λογαριασμός με τις υπάρχουσες συναλλαγή δεν μπορεί να μετατραπεί σε καθολικό -Account {0} already exists,Ο λογαριασμός {0} υπάρχει ήδη -Account {0} can only be updated via Stock Transactions,Ο λογαριασμός {0} μπορεί να ενημερώνεται μόνο μέσω Συναλλαγές Μετοχών Account {0} cannot be a Group,Ο λογαριασμός {0} δεν μπορεί να είναι μια ομάδα Account {0} does not belong to Company {1},Ο λογαριασμός {0} δεν ανήκει στη Εταιρεία {1} Account {0} does not exist,Ο λογαριασμός {0} δεν υπάρχει @@ -79,8 +76,9 @@ Account {0} has been entered more than once for fiscal year {1},Ο λογαρι Account {0} is frozen,Ο λογαριασμός {0} έχει παγώσει Account {0} is inactive,Ο λογαριασμός {0} είναι ανενεργό Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item,Ο λογαριασμός {0} πρέπει να είναι του τύπου « Παγίων » ως σημείο {1} είναι ένα περιουσιακό στοιχείο Στοιχείο -Account {0} must be sames as Credit To Account in Purchase Invoice in row {0},Ο λογαριασμός {0} πρέπει να είναι Sames ως πίστωση στο λογαριασμό σε τιμολογίου αγοράς στη γραμμή {0} -Account {0} must be sames as Debit To Account in Sales Invoice in row {0},Ο λογαριασμός {0} πρέπει να είναι Sames ως χρέωση στο λογαριασμό στο τιμολόγιο πώλησης στη γραμμή {0} +"Account: {0} can only be updated via \ + Stock Transactions",Λογαριασμός: {0} μπορεί να ενημερώνεται μόνο μέσω \ \ n Συναλλαγές Μετοχών +Accountant,λογιστής Accounting,Λογιστική "Accounting Entries can be made against leaf nodes, called","Λογιστικές εγγραφές μπορούν να γίνουν με κόμβους , που ονομάζεται" "Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","Λογιστική εγγραφή παγώσει μέχρι την ημερομηνία αυτή, κανείς δεν μπορεί να κάνει / τροποποιήσετε την είσοδο, εκτός από τον ρόλο που καθορίζεται παρακάτω." @@ -145,10 +143,13 @@ Address Title is mandatory.,Διεύθυνση τίτλου είναι υποχ Address Type,Πληκτρολογήστε τη διεύθυνση Address master.,Διεύθυνση πλοιάρχου . Administrative Expenses,έξοδα διοικήσεως +Administrative Officer,Διοικητικός Λειτουργός Advance Amount,Ποσό Advance Advance amount,Ποσό Advance Advances,Προκαταβολές Advertisement,Διαφήμιση +Advertising,διαφήμιση +Aerospace,Aerospace After Sale Installations,Μετά Εγκαταστάσεις Πώληση Against,Κατά Against Account,Έναντι του λογαριασμού @@ -157,9 +158,11 @@ Against Docname,Ενάντια Docname Against Doctype,Ενάντια Doctype Against Document Detail No,Ενάντια Λεπτομέρεια έγγραφο αριθ. Against Document No,Ενάντια έγγραφο αριθ. +Against Entries,ενάντια Καταχωρήσεις Against Expense Account,Ενάντια Λογαριασμός Εξόδων Against Income Account,Έναντι του λογαριασμού εισοδήματος Against Journal Voucher,Ενάντια Voucher Εφημερίδα +Against Journal Voucher {0} does not have any unmatched {1} entry,Ενάντια Εφημερίδα Voucher {0} δεν έχει ταίρι {1} εισόδου Against Purchase Invoice,Έναντι τιμολογίου αγοράς Against Sales Invoice,Ενάντια Πωλήσεις Τιμολόγιο Against Sales Order,Ενάντια Πωλήσεις Τάξης @@ -171,6 +174,8 @@ Ageing date is mandatory for opening entry,Ημερομηνία Γήρανση Agent,Πράκτορας Aging Date,Γήρανση Ημερομηνία Aging Date is mandatory for opening entry,Γήρανση Ημερομηνία είναι υποχρεωτική για το άνοιγμα εισόδου +Agriculture,γεωργία +Airline,αερογραμμή All Addresses.,Όλες τις διευθύνσεις. All Contact,Όλα Επικοινωνία All Contacts.,Όλες οι επαφές. @@ -188,14 +193,18 @@ All Supplier Types,Όλοι οι τύποι Προμηθευτής All Territories,Όλα τα εδάφη "All export related fields like currency, conversion rate, export total, export grand total etc are available in Delivery Note, POS, Quotation, Sales Invoice, Sales Order etc.","Όλα τα πεδία που συνδέονται με εξαγωγές , όπως το νόμισμα , συντελεστή μετατροπής , το σύνολο των εξαγωγών , των εξαγωγών γενικό σύνολο κλπ είναι διαθέσιμα στο Δελτίο Αποστολής , POS , Προσφορά , Τιμολόγιο Πώλησης , Πωλήσεις Τάξης, κ.λπ." "All import related fields like currency, conversion rate, import total, import grand total etc are available in Purchase Receipt, Supplier Quotation, Purchase Invoice, Purchase Order etc.","Όλες οι εισαγωγές που σχετίζονται με τομείς όπως το νόμισμα , συντελεστή μετατροπής , οι συνολικές εισαγωγές , εισαγωγής γενικό σύνολο κλπ είναι διαθέσιμα σε απόδειξης αγοράς , ο Προμηθευτής εισαγωγικά, Αγορά Τιμολόγιο , Παραγγελία κλπ." +All items have already been invoiced,Όλα τα στοιχεία έχουν ήδη τιμολογηθεί All items have already been transferred for this Production Order.,Όλα τα στοιχεία έχουν ήδη μεταφερθεί για αυτή την εντολή παραγωγής . All these items have already been invoiced,Όλα αυτά τα στοιχεία έχουν ήδη τιμολογηθεί Allocate,Διαθέστε +Allocate Amount Automatically,Διαθέστε Ποσό Αυτόματη Allocate leaves for a period.,Διαθέστε τα φύλλα για ένα χρονικό διάστημα . Allocate leaves for the year.,Διαθέστε τα φύλλα για το έτος. Allocated Amount,Χορηγούμενο ποσό Allocated Budget,Προϋπολογισμός που διατέθηκε Allocated amount,Χορηγούμενο ποσό +Allocated amount can not be negative,Χορηγούμενο ποσό δεν μπορεί να είναι αρνητική +Allocated amount can not greater than unadusted amount,Χορηγούμενο ποσό δεν μπορεί να είναι μεγαλύτερη από το ποσό unadusted Allow Bill of Materials,Αφήστε Bill of Materials Allow Bill of Materials should be 'Yes'. Because one or many active BOMs present for this item,Επιτρέψτε Bill of Materials θα πρέπει να είναι «Ναι» . Επειδή μία ή περισσότερες δραστικές BOMs παρόντες για το συγκεκριμένο προϊόν Allow Children,Αφήστε τα παιδιά @@ -223,10 +232,12 @@ Amount to Bill,Ανέρχονται σε Bill An Customer exists with same name,Υπάρχει ένα πελάτη με το ίδιο όνομα "An Item Group exists with same name, please change the item name or rename the item group","Ένα σημείο της ομάδας υπάρχει με το ίδιο όνομα , μπορείτε να αλλάξετε το όνομα του στοιχείου ή να μετονομάσετε την ομάδα στοιχείου" "An item exists with same name ({0}), please change the item group name or rename the item","Ένα στοιχείο υπάρχει με το ίδιο όνομα ( {0} ) , παρακαλούμε να αλλάξετε το όνομα της ομάδας στοιχείου ή να μετονομάσετε το στοιχείο" +Analyst,αναλυτής Annual,ετήσιος Another Period Closing Entry {0} has been made after {1},Μια άλλη Έναρξη Περιόδου Κλείσιμο {0} έχει γίνει μετά από {1} Another Salary Structure {0} is active for employee {0}. Please make its status 'Inactive' to proceed.,Μια άλλη δομή Μισθός είναι {0} ενεργό για εργαζόμενο {0} . Παρακαλώ κάνετε το καθεστώς της « Ανενεργός » για να προχωρήσετε . "Any other comments, noteworthy effort that should go in the records.","Οποιαδήποτε άλλα σχόλια, αξιοσημείωτη προσπάθεια που θα πρέπει να πάει στα αρχεία." +Apparel & Accessories,Ένδυση & Αξεσουάρ Applicability,Εφαρμογή Applicable For,εφαρμοστέο Για Applicable Holiday List,Εφαρμοστέος κατάλογος διακοπών @@ -248,6 +259,7 @@ Appraisal Template,Πρότυπο Αξιολόγηση Appraisal Template Goal,Αξιολόγηση Goal Template Appraisal Template Title,Αξιολόγηση Τίτλος Template Appraisal {0} created for Employee {1} in the given date range,Αξιολόγηση {0} δημιουργήθηκε υπάλληλου {1} στο συγκεκριμένο εύρος ημερομηνιών +Apprentice,τσιράκι Approval Status,Κατάσταση έγκρισης Approval Status must be 'Approved' or 'Rejected',Κατάσταση έγκρισης πρέπει να « Εγκρίθηκε » ή « Rejected » Approved,Εγκρίθηκε @@ -264,9 +276,12 @@ Arrear Amount,Καθυστερήσεις Ποσό As per Stock UOM,Όπως ανά Διαθέσιμο UOM "As there are existing stock transactions for this item, you can not change the values of 'Has Serial No', 'Is Stock Item' and 'Valuation Method'","Δεδομένου ότι υπάρχουν χρηματιστηριακές συναλλαγές για αυτό το στοιχείο , δεν μπορείτε να αλλάξετε τις τιμές των « Έχει Αύξων αριθμός », « Είναι Stock σημείο » και « Μέθοδος αποτίμησης»" Ascending,Αύξουσα +Asset,προσόν Assign To,Εκχώρηση σε Assigned To,Ανατέθηκε σε Assignments,αναθέσεις +Assistant,βοηθός +Associate,Συνεργάτης Atleast one warehouse is mandatory,"Τουλάχιστον, μια αποθήκη είναι υποχρεωτική" Attach Document Print,Συνδέστε Εκτύπωση εγγράφου Attach Image,Συνδέστε Image @@ -293,6 +308,7 @@ Automatically compose message on submission of transactions.,Αυτόματη σ Automatically extract Job Applicants from a mail box , Automatically extract Leads from a mail box e.g.,"Αυτόματη εξαγωγή οδηγεί από ένα κουτί αλληλογραφίας , π.χ." Automatically updated via Stock Entry of type Manufacture/Repack,Αυτόματη ενημέρωση μέσω είσοδο στα αποθέματα Κατασκευή Τύπος / Repack +Automotive,Αυτοκίνητο Autoreply when a new mail is received,Autoreply όταν λαμβάνονται νέα μηνύματα Available,Διαθέσιμος Available Qty at Warehouse,Διαθέσιμο Ποσότητα σε αποθήκη @@ -333,6 +349,7 @@ Bank Account,Τραπεζικό Λογαριασμό Bank Account No.,Τράπεζα Αρ. Λογαριασμού Bank Accounts,Τραπεζικοί Λογαριασμοί Bank Clearance Summary,Τράπεζα Περίληψη Εκκαθάριση +Bank Draft,Τραπεζική Επιταγή Bank Name,Όνομα Τράπεζας Bank Overdraft Account,Τραπεζικού λογαριασμού υπερανάληψης Bank Reconciliation,Τράπεζα Συμφιλίωση @@ -340,6 +357,7 @@ Bank Reconciliation Detail,Τράπεζα Λεπτομέρεια Συμφιλί Bank Reconciliation Statement,Τράπεζα Δήλωση Συμφιλίωση Bank Voucher,Voucher Bank Bank/Cash Balance,Τράπεζα / Cash Balance +Banking,Banking Barcode,Barcode Barcode {0} already used in Item {1},Barcode {0} έχει ήδη χρησιμοποιηθεί στη θέση {1} Based On,Με βάση την @@ -348,7 +366,6 @@ Basic Info,Βασικές Πληροφορίες Basic Information,Βασικές Πληροφορίες Basic Rate,Βασική Τιμή Basic Rate (Company Currency),Βασικό Επιτόκιο (νόμισμα της Εταιρείας) -Basic Section,Βασικό τμήμα Batch,Παρτίδα Batch (lot) of an Item.,Παρτίδας (lot) ενός στοιχείου. Batch Finished Date,Batch Ημερομηνία Τελείωσε @@ -377,6 +394,7 @@ Bills raised by Suppliers.,Γραμμάτια τέθηκαν από τους Π Bills raised to Customers.,Γραμμάτια έθεσε σε πελάτες. Bin,Bin Bio,Bio +Biotechnology,Βιοτεχνολογία Birthday,Γενέθλια Block Date,Αποκλεισμός Ημερομηνία Block Days,Ημέρες Block @@ -393,6 +411,8 @@ Brand Name,Μάρκα Brand master.,Πλοίαρχος Brand. Brands,Μάρκες Breakdown,Ανάλυση +Broadcasting,Broadcasting +Brokerage,μεσιτεία Budget,Προϋπολογισμός Budget Allocated,Προϋπολογισμός που διατέθηκε Budget Detail,Λεπτομέρεια του προϋπολογισμού @@ -405,6 +425,7 @@ Budget cannot be set for Group Cost Centers,Ο προϋπολογισμός δε Build Report,Κατασκευάστηκε Έκθεση Built on,Χτισμένο σε Bundle items at time of sale.,Bundle στοιχεία κατά τη στιγμή της πώλησης. +Business Development Manager,Business Development Manager Buying,Εξαγορά Buying & Selling,Αγορά & Πώληση Buying Amount,Αγοράζοντας Ποσό @@ -484,7 +505,6 @@ Charity and Donations,Φιλανθρωπία και Δωρεές Chart Name,Διάγραμμα Όνομα Chart of Accounts,Λογιστικό Σχέδιο Chart of Cost Centers,Διάγραμμα των Κέντρων Κόστους -Check for Duplicates,Ελέγξτε για Αντίγραφα Check how the newsletter looks in an email by sending it to your email.,Δείτε πώς το newsletter φαίνεται σε ένα μήνυμα ηλεκτρονικού ταχυδρομείου με την αποστολή στο email σας. "Check if recurring invoice, uncheck to stop recurring or put proper End Date","Ελέγξτε αν επαναλαμβανόμενες τιμολόγιο, καταργήστε την επιλογή για να σταματήσει επαναλαμβανόμενες ή να θέσει σωστή Ημερομηνία Λήξης" "Check if you need automatic recurring invoices. After submitting any sales invoice, Recurring section will be visible.","Ελέγξτε εάν χρειάζεστε αυτόματες επαναλαμβανόμενες τιμολόγια. Μετά την υποβολή κάθε τιμολόγιο πώλησης, Επαναλαμβανόμενο τμήμα θα είναι ορατό." @@ -496,6 +516,7 @@ Check this to pull emails from your mailbox,Επιλέξτε αυτό για ν Check to activate,Ελέγξτε για να ενεργοποιήσετε Check to make Shipping Address,Ελέγξτε για να βεβαιωθείτε Διεύθυνση αποστολής Check to make primary address,Ελέγξτε για να βεβαιωθείτε κύρια διεύθυνση +Chemical,χημικός Cheque,Επιταγή Cheque Date,Επιταγή Ημερομηνία Cheque Number,Επιταγή Αριθμός @@ -535,6 +556,7 @@ Comma separated list of email addresses,Διαχωρισμένες με κόμμ Comment,Σχόλιο Comments,Σχόλια Commercial,εμπορικός +Commission,προμήθεια Commission Rate,Επιτροπή Τιμή Commission Rate (%),Επιτροπή Ποσοστό (%) Commission on Sales,Επιτροπή επί των πωλήσεων @@ -568,6 +590,7 @@ Completed Production Orders,Ολοκληρώθηκε Εντολών Παραγω Completed Qty,Ολοκληρώθηκε Ποσότητα Completion Date,Ημερομηνία Ολοκλήρωσης Completion Status,Κατάσταση Ολοκλήρωση +Computer,ηλεκτρονικός υπολογιστής Computers,Υπολογιστές Confirmation Date,επιβεβαίωση Ημερομηνία Confirmed orders from Customers.,Επιβεβαιώθηκε παραγγελίες από πελάτες. @@ -575,10 +598,12 @@ Consider Tax or Charge for,Σκεφτείτε φόρος ή τέλος για Considered as Opening Balance,Θεωρείται ως άνοιγμα Υπόλοιπο Considered as an Opening Balance,Θεωρείται ως ένα Υπόλοιπο έναρξης Consultant,Σύμβουλος +Consulting,Consulting Consumable,Αναλώσιμα Consumable Cost,Αναλώσιμα Κόστος Consumable cost per hour,Αναλώσιμα κόστος ανά ώρα Consumed Qty,Καταναλώνεται Ποσότητα +Consumer Products,Καταναλωτικά Προϊόντα Contact,Επαφή Contact Control,Στοιχεία ελέγχου Contact Desc,Επικοινωνία Desc @@ -596,6 +621,7 @@ Contacts,Επαφές Content,Περιεχόμενο Content Type,Τύπος περιεχομένου Contra Voucher,Contra Voucher +Contract,σύμβαση Contract End Date,Σύμβαση Ημερομηνία Λήξης Contract End Date must be greater than Date of Joining,"Ημερομηνία λήξης της σύμβασης πρέπει να είναι μεγαλύτερη από ό, τι Ημερομηνία Ενώνουμε" Contribution (%),Συμμετοχή (%) @@ -611,10 +637,10 @@ Convert to Ledger,Μετατροπή σε Ledger Converted,Αναπαλαιωμένο Copy,Αντιγραφή Copy From Item Group,Αντιγραφή από τη θέση Ομάδα +Cosmetics,καλλυντικά Cost Center,Κέντρο Κόστους Cost Center Details,Κόστος Λεπτομέρειες Κέντρο Cost Center Name,Κόστος Όνομα Κέντρο -Cost Center Name already exists,Κόστος Κέντρο όνομα υπάρχει ήδη Cost Center is mandatory for Item {0},Κέντρο Κόστους είναι υποχρεωτική για τη θέση {0} Cost Center is required for 'Profit and Loss' account {0},Κέντρο Κόστους απαιτείται για το λογαριασμό « Αποτελέσματα Χρήσεως » {0} Cost Center is required in row {0} in Taxes table for type {1},Κέντρο Κόστους απαιτείται στη γραμμή {0} σε φόρους πίνακα για τον τύπο {1} @@ -648,6 +674,7 @@ Creation Time,Χρόνος Δημιουργίας Credentials,Διαπιστευτήρια Credit,Πίστωση Credit Amt,Credit Amt +Credit Card,Πιστωτική Κάρτα Credit Card Voucher,Πιστωτική Κάρτα Voucher Credit Controller,Credit Controller Credit Days,Ημέρες Credit @@ -696,6 +723,7 @@ Customer Issue,Τεύχος πελατών Customer Issue against Serial No.,Τεύχος πελατών κατά αύξοντα αριθμό Customer Name,Όνομα πελάτη Customer Naming By,Πελάτης ονομασία με +Customer Service,Εξυπηρέτηση πελατών Customer database.,Βάση δεδομένων των πελατών. Customer is required,Πελάτης είναι υποχρεωμένος Customer master.,Πλοίαρχος του πελάτη . @@ -739,7 +767,6 @@ Debit Amt,Χρέωση Amt Debit Note,Χρεωστικό σημείωμα Debit To,Χρεωστική Debit and Credit not equal for this voucher. Difference is {0}.,Χρεωστικές και πιστωτικές δεν είναι ίση για αυτό το κουπόνι . Η διαφορά είναι {0} . -Debit must equal Credit. The difference is {0},Χρεωστικές πρέπει να ισούται με πιστωτική . Η διαφορά είναι {0} Deduct,Μείον Deduction,Αφαίρεση Deduction Type,Τύπος Έκπτωση @@ -779,6 +806,7 @@ Default settings for accounting transactions.,Οι προεπιλεγμένες Default settings for buying transactions.,Οι προεπιλεγμένες ρυθμίσεις για την αγορά των συναλλαγών . Default settings for selling transactions.,Οι προεπιλεγμένες ρυθμίσεις για την πώληση των συναλλαγών . Default settings for stock transactions.,Οι προεπιλεγμένες ρυθμίσεις για τις χρηματιστηριακές συναλλαγές . +Defense,άμυνα "Define Budget for this Cost Center. To set budget action, see Company Master","Καθορισμός του προϋπολογισμού για το Κέντρο Κόστους. Για να ρυθμίσετε δράσης του προϋπολογισμού, βλ. εταιρεία Master" Delete,Διαγραφή Delete Row,Διαγραφή γραμμής @@ -805,19 +833,23 @@ Delivery Status,Κατάσταση παράδοσης Delivery Time,Χρόνος παράδοσης Delivery To,Παράδοση Προς Department,Τμήμα +Department Stores,Πολυκαταστήματα Depends on LWP,Εξαρτάται από LWP Depreciation,απόσβεση Descending,Φθίνουσα Description,Περιγραφή Description HTML,Περιγραφή HTML Designation,Ονομασία +Designer,σχεδιαστής Detailed Breakup of the totals,Λεπτομερής Χωρίστε των συνόλων Details,Λεπτομέρειες -Difference,Διαφορά +Difference (Dr - Cr),Διαφορά ( Dr - Cr ) Difference Account,Ο λογαριασμός διαφορά +"Difference Account must be a 'Liability' type account, since this Stock Reconciliation is an Opening Entry","Ο λογαριασμός διαφορά αυτή πρέπει να είναι ένας λογαριασμός τύπου «Ευθύνη » , δεδομένου ότι αυτό Stock συμφιλίωση είναι ένα άνοιγμα εισόδου" 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 . Direct Expenses,Άμεσες δαπάνες Direct Income,Άμεσα Έσοδα +Director,διευθυντής Disable,Απενεργοποίηση Disable Rounded Total,Απενεργοποίηση Στρογγυλεμένες Σύνολο Disabled,Ανάπηρος @@ -829,6 +861,7 @@ Discount Amount,Ποσό έκπτωσης Discount Percentage,έκπτωση Ποσοστό Discount must be less than 100,Έκπτωση πρέπει να είναι μικρότερη από 100 Discount(%),Έκπτωση (%) +Dispatch,αποστολή Display all the individual items delivered with the main items,Εμφανίζει όλα τα επιμέρους στοιχεία που παραδίδονται μαζί με τα κύρια θέματα Distribute transport overhead across items.,Μοιράστε εναέρια μεταφορά σε αντικείμενα. Distribution,Διανομή @@ -863,7 +896,7 @@ Download Template,Κατεβάστε προτύπου Download a report containing all raw materials with their latest inventory status,Κατεβάστε μια έκθεση που περιέχει όλες τις πρώτες ύλες με πιο πρόσφατη κατάσταση των αποθεμάτων τους "Download the Template, fill appropriate data and attach the modified file.","Κατεβάστε το Πρότυπο , συμπληρώστε τα κατάλληλα δεδομένα και να επισυνάψετε το τροποποιημένο αρχείο ." "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", +All dates and employee combination in the selected period will come in the template, with existing attendance records","Κατεβάστε το Πρότυπο , συμπληρώστε τα κατάλληλα δεδομένα και να επισυνάψετε το τροποποιημένο αρχείο . \ NΌλες οι ημερομηνίες και ο συνδυασμός των εργαζομένων στην επιλεγμένη περίοδο θα έρθει στο πρότυπο , με τους υπάρχοντες καταλόγους παρουσίας" Draft,Προσχέδιο Drafts,Συντάκτης Drag to sort columns,Σύρετε για να ταξινομήσετε στήλες @@ -876,11 +909,10 @@ Due Date cannot be after {0},Ημερομηνία λήξης δεν μπορεί Due Date cannot be before Posting Date,Ημερομηνία λήξης δεν μπορεί να είναι πριν από την απόσπαση Ημερομηνία Duplicate Entry. Please check Authorization Rule {0},Διπλότυπο εισόδου . Παρακαλώ ελέγξτε Εξουσιοδότηση άρθρο {0} Duplicate Serial No entered for Item {0},Διπλότυπο Αύξων αριθμός που εγγράφονται για τη θέση {0} +Duplicate entry,Διπλότυπο είσοδο Duplicate row {0} with same {1},Διπλότυπο γραμμή {0} με το ίδιο {1} Duties and Taxes,Δασμοί και φόροι ERPNext Setup,Ρύθμιση ERPNext -ESIC CARD No,ESIC ΚΑΡΤΑ αριθ. -ESIC No.,ESIC Όχι Earliest,Η πιο παλιά Earnest Money,Earnest χρήματα Earning,Κερδίζουν @@ -889,6 +921,7 @@ Earning Type,Κερδίζουν Τύπος Earning1,Earning1 Edit,Επεξεργασία Editable,Επεξεργάσιμη +Education,εκπαίδευση Educational Qualification,Εκπαιδευτικά προσόντα Educational Qualification Details,Εκπαιδευτικά Λεπτομέρειες Προκριματικά Eg. smsgateway.com/api/send_sms.cgi,Π.χ.. smsgateway.com / api / send_sms.cgi @@ -898,6 +931,7 @@ Either target qty or target amount is mandatory.,Είτε ποσότητα -στ Electrical,ηλεκτρικός Electricity Cost,Κόστος ηλεκτρικής ενέργειας Electricity cost per hour,Κόστος της ηλεκτρικής ενέργειας ανά ώρα +Electronics,ηλεκτρονική Email,Email Email Digest,Email Digest Email Digest Settings,Email Digest Ρυθμίσεις @@ -931,7 +965,6 @@ Employee Records to be created by,Εγγραφές των εργαζομένων Employee Settings,Ρυθμίσεις των εργαζομένων Employee Type,Σχέση απασχόλησης "Employee designation (e.g. CEO, Director etc.).","Καθορισμό των εργαζομένων ( π.χ. Διευθύνων Σύμβουλος , Διευθυντής κ.λπ. ) ." -Employee grade.,Βαθμού των εργαζομένων . Employee master.,Πλοίαρχος των εργαζομένων . Employee record is created using selected field. ,Εγγραφή υπαλλήλου δημιουργείται χρησιμοποιώντας επιλεγμένο πεδίο. Employee records.,Τα αρχεία των εργαζομένων. @@ -949,6 +982,8 @@ End Date,Ημερομηνία Λήξης End Date can not be less than Start Date,"Ημερομηνία λήξης δεν μπορεί να είναι μικρότερη από ό, τι Ημερομηνία Έναρξης" End date of current invoice's period,Ημερομηνία λήξης της περιόδου τρέχουσας τιμολογίου End of Life,Τέλος της Ζωής +Energy,ενέργεια +Engineer,μηχανικός Enter Value,Εισαγωγή τιμής Enter Verification Code,Εισάγετε τον κωδικό επαλήθευσης Enter campaign name if the source of lead is campaign.,Πληκτρολογήστε το όνομα της καμπάνιας αν η πηγή του μολύβδου εκστρατείας. @@ -961,6 +996,7 @@ Enter name of campaign if source of enquiry is campaign,Πληκτρολογήσ Enter the company name under which Account Head will be created for this Supplier,Εισάγετε το όνομα της εταιρείας βάσει της οποίας επικεφαλής λογαριασμός θα δημιουργηθεί αυτής της επιχείρησης Enter url parameter for message,Εισάγετε παράμετρο url για το μήνυμα Enter url parameter for receiver nos,Εισάγετε παράμετρο url για nos δέκτη +Entertainment & Leisure,Διασκέδαση & Leisure Entertainment Expenses,Έξοδα Ψυχαγωγία Entries,Καταχωρήσεις Entries against,Ενδείξεις κατά @@ -972,10 +1008,12 @@ Error: {0} > {1},Σφάλμα : {0} > {1} Estimated Material Cost,Εκτιμώμενο κόστος υλικών Everyone can read,Ο καθένας μπορεί να διαβάσει "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.", +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 # # # # # \ nΕάν η σειρά έχει οριστεί και Αύξων αριθμός δεν αναφέρεται στις συναλλαγές , τότε αυτόματα αύξων αριθμός θα δημιουργηθεί με βάση αυτή τη σειρά ." Exchange Rate,Ισοτιμία Excise Page Number,Excise Αριθμός σελίδας Excise Voucher,Excise Voucher +Execution,εκτέλεση +Executive Search,Executive Search Exemption Limit,Όριο απαλλαγής Exhibition,Έκθεση Existing Customer,Υφιστάμενες πελατών @@ -990,6 +1028,7 @@ Expected Delivery Date cannot be before Purchase Order Date,Αναμενόμεν Expected Delivery Date cannot be before Sales Order Date,Αναμενόμενη ημερομηνία παράδοσης δεν μπορεί να είναι πριν από την ημερομηνία Πωλήσεις Τάξης Expected End Date,Αναμενόμενη Ημερομηνία Λήξης Expected Start Date,Αναμενόμενη ημερομηνία έναρξης +Expense,δαπάνη Expense Account,Λογαριασμός Εξόδων Expense Account is mandatory,Λογαριασμός Εξόδων είναι υποχρεωτική Expense Claim,Αξίωση Εξόδων @@ -1007,7 +1046,7 @@ Expense Date,Ημερομηνία Εξόδων Expense Details,Λεπτομέρειες Εξόδων Expense Head,Επικεφαλής Εξόδων Expense account is mandatory for item {0},Λογαριασμό εξόδων είναι υποχρεωτική για το στοιχείο {0} -Expense or Difference account is mandatory for Item {0} as there is difference in value,"Δαπάνη ή διαφορά του λογαριασμού είναι υποχρεωτική για τη θέση {0} , καθώς υπάρχει διαφορά στην τιμή" +Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,"Δαπάνη ή διαφορά του λογαριασμού είναι υποχρεωτική για τη θέση {0} , καθώς επηρεάζουν τη συνολική αξία των αποθεμάτων" Expenses,έξοδα Expenses Booked,Έξοδα κράτηση Expenses Included In Valuation,Έξοδα που περιλαμβάνονται στην αποτίμηση @@ -1034,13 +1073,11 @@ File,Αρχείο Files Folder ID,Αρχεία ID Folder Fill the form and save it,Συμπληρώστε τη φόρμα και να το αποθηκεύσετε Filter,Φιλτράρισμα -Filter By Amount,Φιλτράρετε με βάση το ποσό -Filter By Date,Με φίλτρο ανά ημερομηνία Filter based on customer,Φιλτράρισμα με βάση τον πελάτη Filter based on item,Φιλτράρισμα σύμφωνα με το σημείο -Final Confirmation Date must be greater than Date of Joining,"Τελική ημερομηνία επιβεβαίωσης πρέπει να είναι μεγαλύτερη από ό, τι Ημερομηνία Ενώνουμε" Financial / accounting year.,Οικονομικών / λογιστικών έτος . Financial Analytics,Financial Analytics +Financial Services,Χρηματοοικονομικές Υπηρεσίες Financial Year End Date,Οικονομικό έτος Ημερομηνία Λήξης Financial Year Start Date,Οικονομικό έτος Ημερομηνία Έναρξης Finished Goods,Έτοιμα προϊόντα @@ -1052,6 +1089,7 @@ Fixed Assets,Πάγια Follow via Email,Ακολουθήστε μέσω e-mail "Following table will show values if items are sub - contracted. These values will be fetched from the master of ""Bill of Materials"" of sub - contracted items.",Μετά τον πίνακα θα δείτε τις τιμές εάν τα στοιχεία είναι υπο - υπεργολάβο. Οι τιμές αυτές θα πρέπει να προσκομίζονται από τον πλοίαρχο του "Bill of Materials" των υπο - υπεργολάβο αντικείμενα. Food,τροφή +"Food, Beverage & Tobacco","Τρόφιμα , Ποτά και Καπνός" For Company,Για την Εταιρεία For Employee,Για Υπάλληλος For Employee Name,Για Όνομα Υπάλληλος @@ -1106,6 +1144,7 @@ Frozen,Κατεψυγμένα Frozen Accounts Modifier,Κατεψυγμένα Λογαριασμοί Τροποποίησης Fulfilled,Εκπληρωμένες Full Name,Ονοματεπώνυμο +Full-time,Πλήρης απασχόληση Fully Completed,Πλήρως Ολοκληρώθηκε Furniture and Fixture,Έπιπλα και λοιπός εξοπλισμός Further accounts can be made under Groups but entries can be made against Ledger,Περαιτέρω λογαριασμοί μπορούν να γίνουν στις ομάδες αλλά και εγγραφές μπορούν να γίνουν με Ledger @@ -1125,14 +1164,15 @@ Generates HTML to include selected image in the description,Δημιουργεί Get,Λήψη Get Advances Paid,Πάρτε προκαταβολές που καταβλήθηκαν Get Advances Received,Πάρτε Προκαταβολές που εισπράχθηκαν +Get Against Entries,Πάρτε Ενάντια Καταχωρήσεις Get Current Stock,Get Current Stock Get From ,Πάρτε Από Get Items,Πάρτε Είδη Get Items From Sales Orders,Πάρετε τα στοιχεία από τις πωλήσεις Παραγγελίες Get Items from BOM,Λήψη στοιχείων από BOM Get Last Purchase Rate,Πάρτε Τελευταία Τιμή Αγοράς -Get Non Reconciled Entries,Πάρτε Μη Συμφιλιώνεται Καταχωρήσεις Get Outstanding Invoices,Αποκτήστε εξαιρετική τιμολόγια +Get Relevant Entries,Πάρτε Σχετικές Καταχωρήσεις Get Sales Orders,Πάρτε Παραγγελίες Get Specification Details,Get Λεπτομέρειες Προδιαγραφές Get Stock and Rate,Πάρτε απόθεμα και ο ρυθμός @@ -1151,14 +1191,13 @@ Goods received from Suppliers.,Τα εμπορεύματα παραλαμβάν Google Drive,Google Drive Google Drive Access Allowed,Google πρόσβαση στην μονάδα τα κατοικίδια Government,κυβέρνηση -Grade,Βαθμός Graduate,Πτυχιούχος Grand Total,Γενικό Σύνολο Grand Total (Company Currency),Γενικό Σύνολο (νόμισμα της Εταιρείας) -Gratuity LIC ID,Φιλοδώρημα ID LIC Greater or equals,Μεγαλύτερο ή ίσον Greater than,"μεγαλύτερη από ό, τι" "Grid ""","Πλέγμα """ +Grocery,παντοπωλείο Gross Margin %,Μικτό Περιθώριο% Gross Margin Value,Ακαθάριστη Αξία Περιθώριο Gross Pay,Ακαθάριστων αποδοχών @@ -1173,6 +1212,7 @@ Group by Account,Ομάδα με Λογαριασμού Group by Voucher,Ομάδα του Voucher Group or Ledger,Ομάδα ή Ledger Groups,Ομάδες +HR Manager,HR Manager HR Settings,HR Ρυθμίσεις HTML / Banner that will show on the top of product list.,HTML / Banner που θα εμφανιστούν στην κορυφή της λίστας των προϊόντων. Half Day,Half Day @@ -1183,7 +1223,9 @@ Hardware,Hardware Has Batch No,Έχει παρτίδας Has Child Node,Έχει Κόμβος παιδιών Has Serial No,Έχει Αύξων αριθμός +Head of Marketing and Sales,Επικεφαλής του Marketing και των Πωλήσεων Header,Header +Health Care,Φροντίδα Υγείας Health Concerns,Ανησυχίες για την υγεία Health Details,Λεπτομέρειες Υγείας Held On,Πραγματοποιήθηκε την @@ -1266,6 +1308,7 @@ In Words will be visible once you save the Sales Invoice.,Με τα λόγια In Words will be visible once you save the Sales Order.,Με τα λόγια θα είναι ορατά αφού μπορείτε να αποθηκεύσετε την παραγγελία πωλήσεων. In response to,Σε απάντηση προς Incentives,Κίνητρα +Include Reconciled Entries,Συμπεριλάβετε Συμφιλιώνεται Καταχωρήσεις Include holidays in Total no. of Working Days,Συμπεριλάβετε διακοπές στην Συνολικός αριθμός. των εργάσιμων ημερών Income,εισόδημα Income / Expense,Έσοδα / έξοδα @@ -1302,7 +1345,9 @@ Installed Qty,Εγκατεστημένο Ποσότητα Instructions,Οδηγίες Integrate incoming support emails to Support Ticket,Ενσωμάτωση εισερχόμενων μηνυμάτων ηλεκτρονικού ταχυδρομείου υποστήριξης για την υποστήριξη εισιτηρίων Interested,Ενδιαφερόμενος +Intern,κρατώ Internal,Εσωτερικός +Internet Publishing,Εκδόσεις στο Διαδίκτυο Introduction,Εισαγωγή Invalid Barcode or Serial No,Άκυρα Barcode ή Αύξων αριθμός Invalid Email: {0},Μη έγκυρο Email : {0} @@ -1313,6 +1358,7 @@ Invalid User Name or Support Password. Please rectify and try again.,Μη έγκ Invalid quantity specified for item {0}. Quantity should be greater than 0.,Άκυρα ποσότητα που καθορίζεται για το στοιχείο {0} . Ποσότητα αυτή θα πρέπει να είναι μεγαλύτερη από 0 . Inventory,Απογραφή Inventory & Support,Απογραφή & Υποστήριξη +Investment Banking,Επενδυτική Τραπεζική Investments,επενδύσεις Invoice Date,Τιμολόγιο Ημερομηνία Invoice Details,Λεπτομέρειες Τιμολογίου @@ -1430,6 +1476,9 @@ Item-wise Purchase History,Στοιχείο-σοφός Ιστορικό αγορ Item-wise Purchase Register,Στοιχείο-σοφός Μητρώο Αγορά Item-wise Sales History,Στοιχείο-σοφός Ιστορία Πωλήσεις Item-wise Sales Register,Στοιχείο-σοφός Πωλήσεις Εγγραφή +"Item: {0} managed batch-wise, can not be reconciled using \ + Stock Reconciliation, instead use Stock Entry","Θέση : {0} κατάφερε παρτίδες , δεν μπορεί να συμβιβαστεί με το \ \ n Τράπεζα Συμφιλίωση , αντί να χρησιμοποιήσετε το Χρηματιστήριο Έναρξη" +Item: {0} not found in the system,Θέση : {0} δεν βρέθηκε στο σύστημα Items,Είδη Items To Be Requested,Στοιχεία που θα ζητηθούν Items required,στοιχεία που απαιτούνται @@ -1448,9 +1497,10 @@ Journal Entry,Journal Entry Journal Voucher,Εφημερίδα Voucher Journal Voucher Detail,Εφημερίδα Λεπτομέρεια Voucher Journal Voucher Detail No,Εφημερίδα Λεπτομέρεια φύλλου αριθ. -Journal Voucher {0} does not have account {1}.,Εφημερίδα Voucher {0} δεν έχει λογαριασμό {1} . +Journal Voucher {0} does not have account {1} or already matched,Εφημερίδα Voucher {0} δεν έχει λογαριασμό {1} ή έχουν ήδη συμφωνημένα Journal Vouchers {0} are un-linked,Εφημερίδα Κουπόνια {0} είναι μη συνδεδεμένο Keep a track of communication related to this enquiry which will help for future reference.,Κρατήστε ένα κομμάτι της επικοινωνίας που σχετίζονται με την έρευνα αυτή που θα βοηθήσει για μελλοντική αναφορά. +Keep it web friendly 900px (w) by 100px (h),Φροντίστε να είναι φιλικό web 900px ( w ) από 100px ( h ) Key Performance Area,Βασικά Επιδόσεων Key Responsibility Area,Βασικά Περιοχή Ευθύνης Kg,kg @@ -1506,7 +1556,6 @@ Leave blank if considered for all branches,Αφήστε το κενό αν θε Leave blank if considered for all departments,Αφήστε το κενό αν θεωρηθεί για όλα τα τμήματα Leave blank if considered for all designations,Αφήστε το κενό αν θεωρηθεί για όλες τις ονομασίες Leave blank if considered for all employee types,Αφήστε το κενό αν θεωρηθεί για όλους τους τύπους των εργαζομένων -Leave blank if considered for all grades,Αφήστε το κενό αν θεωρηθεί για όλους τους βαθμούς "Leave can be approved by users with Role, ""Leave Approver""","Αφήστε μπορεί να εγκριθεί από τους χρήστες με το ρόλο, "Αφήστε Έγκρισης"" Leave of type {0} cannot be longer than {1},Αφήστε του τύπου {0} δεν μπορεί να είναι μεγαλύτερη από {1} Leaves Allocated Successfully for {0},Φύλλα Κατανέμεται επιτυχία για {0} @@ -1515,6 +1564,7 @@ Leaves must be allocated in multiples of 0.5,"Τα φύλλα πρέπει να Ledger,Καθολικό Ledgers,καθολικά Left,Αριστερά +Legal,νομικός Legal Expenses,Νομικά Έξοδα Less or equals,Λιγότερο ή ίσον Less than,λιγότερο από @@ -1522,16 +1572,16 @@ Letter Head,Επικεφαλής Επιστολή Letter Heads for print templates.,Επιστολή αρχηγών για πρότυπα εκτύπωσης . Level,Επίπεδο Lft,LFT +Liability,ευθύνη Like,σαν Linked With,Συνδέεται με την List,Λίστα List a few of your customers. They could be organizations or individuals.,Απαριθμήσω μερικά από τους πελάτες σας . Θα μπορούσαν να είναι φορείς ή ιδιώτες . List a few of your suppliers. They could be organizations or individuals.,Απαριθμήσω μερικά από τους προμηθευτές σας . Θα μπορούσαν να είναι φορείς ή ιδιώτες . -"List a few products or services you buy from your suppliers or vendors. If these are same as your products, then do not add them.","Απαριθμήσω μερικά προϊόντα ή τις υπηρεσίες που αγοράζουν από τους προμηθευτές ή τους προμηθευτές σας . Αν αυτά είναι ίδια με τα προϊόντα σας , τότε μην τα προσθέσετε ." List items that form the package.,Λίστα στοιχείων που αποτελούν το πακέτο. List this Item in multiple groups on the website.,Λίστα του αντικειμένου σε πολλαπλές ομάδες στην ιστοσελίδα. -"List your products or services that you sell to your customers. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Λίστα των προϊόντων ή των υπηρεσιών σας που πουλάτε στους πελάτες σας . Σιγουρευτείτε για να ελέγξετε τη Θέση του Ομίλου , Μονάδα Μέτρησης και άλλες ιδιότητες όταν ξεκινάτε ." -"List your tax heads (e.g. VAT, Excise) (upto 3) and their standard rates. This will create a standard template, you can edit and add more later.","Λίστα φορολογική κεφάλια σας ( π.χ. ΦΠΑ , ειδικοί φόροι κατανάλωσης) ( μέχρι 3 ) και κατ 'αποκοπή συντελεστές τους . Αυτό θα δημιουργήσει ένα πρότυπο πρότυπο , μπορείτε να επεξεργαστείτε και να προσθέσετε περισσότερο αργότερα ." +"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 your tax heads (e.g. VAT, Excise; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Λίστα φορολογική κεφάλια σας ( π.χ. ΦΠΑ , των ειδικών φόρων κατανάλωσης ? Θα πρέπει να έχουν μοναδικά ονόματα ) και κατ 'αποκοπή συντελεστές τους ." Loading,Φόρτωση Loading Report,Φόρτωση Έκθεση Loading...,Φόρτωση ... @@ -1598,6 +1648,8 @@ Manage Customer Group Tree.,Διαχειριστείτε την ομάδα πε Manage Sales Person Tree.,Διαχειριστείτε Sales Person Tree . Manage Territory Tree.,Διαχειριστείτε την Επικράτεια Tree . Manage cost of operations,Διαχειριστείτε το κόστος των εργασιών +Management,διαχείριση +Manager,Διευθυντής Mandatory fields required in {0},Υποχρεωτικά πεδία είναι υποχρεωτικά σε {0} Mandatory filters required:\n,Απαιτείται υποχρεωτική φίλτρα : \ n "Mandatory if Stock Item is ""Yes"". Also the default warehouse where reserved quantity is set from Sales Order.","Υποχρεωτική Θέση Χρηματιστήριο, αν είναι "ναι". Επίσης, η αποθήκη προεπιλογή, όπου επιφυλάχθηκε ποσότητα που έχει οριστεί από Πωλήσεις Τάξης." @@ -1614,6 +1666,7 @@ Manufacturing Quantity is mandatory,Βιομηχανία Ποσότητα είν Margin,Περιθώριο Marital Status,Οικογενειακή Κατάσταση Market Segment,Τομέα της αγοράς +Marketing,εμπορία Marketing Expenses,Έξοδα Marketing Married,Παντρεμένος Mass Mailing,Ταχυδρομικές Μαζικής @@ -1640,6 +1693,7 @@ Material Requirement,Απαίτηση Υλικού Material Transfer,Μεταφοράς υλικού Materials,Υλικά Materials Required (Exploded),Υλικά που απαιτούνται (Εξερράγη) +Max 5 characters,Max 5 χαρακτήρες Max Days Leave Allowed,Max Μέρες Αφήστε τα κατοικίδια Max Discount (%),Μέγιστη έκπτωση (%) Max Qty,Μέγιστη Ποσότητα @@ -1648,7 +1702,7 @@ Maximum {0} rows allowed,Μέγιστη {0} σειρές επιτρέποντα Maxiumm discount for Item {0} is {1}%,Έκπτωση Maxiumm για τη θέση {0} {1} % Medical,ιατρικός Medium,Μέσον -"Merging is only possible if following properties are same in both records. Group or Ledger, Report Type, Company","Η συγχώνευση είναι δυνατή μόνο εάν οι ακόλουθες ιδιότητες ίδια στα δύο αρχεία . Ομάδα ή Ledger , Τύπος αναφοράς , Company" +"Merging is only possible if following properties are same in both records. Group or Ledger, Root Type, Company",Η συγχώνευση είναι δυνατή μόνο εάν οι ακόλουθες ιδιότητες ίδια στα δύο αρχεία . Message,Μήνυμα Message Parameter,Παράμετρος στο μήνυμα Message Sent,μήνυμα εστάλη @@ -1662,6 +1716,7 @@ Milestones,Ορόσημα Milestones will be added as Events in the Calendar,Ορόσημα θα προστεθούν ως γεγονότα στο ημερολόγιο Min Order Qty,Ελάχιστη Ποσότητα Min Qty,Ελάχιστη ποσότητα +Min Qty can not be greater than Max Qty,Ελάχιστη ποσότητα δεν μπορεί να είναι μεγαλύτερη από το μέγιστο Ποσότητα Minimum Order Qty,Ελάχιστη Ποσότητα Minute,λεπτό Misc Details,Διάφορα Λεπτομέρειες @@ -1684,6 +1739,7 @@ Monthly salary statement.,Μηνιαία κατάσταση μισθοδοσία More,Περισσότερο More Details,Περισσότερες λεπτομέρειες More Info,Περισσότερες πληροφορίες +Motion Picture & Video,Motion Picture & Βίντεο Move Down: {0},Μετακίνηση προς τα κάτω : {0} Move Up: {0},Μετακίνηση Up : {0} Moving Average,Κινητός Μέσος Όρος @@ -1691,6 +1747,9 @@ Moving Average Rate,Κινητός μέσος όρος Mr,Ο κ. Ms,Κα Multiple Item prices.,Πολλαπλές τιμές Item . +"Multiple Price Rule exists with same criteria, please resolve \ + conflict by assigning priority. Price Rules: {0}","Πολλαπλές Τιμή Κανόνας υπάρχει με τα ίδια κριτήρια , παρακαλούμε να επιλύσει \ \ n σύγκρουση με την απόδοση προτεραιότητας ." +Music,μουσική Must be Whole Number,Πρέπει να είναι Ακέραιος αριθμός My Settings,Οι ρυθμίσεις μου Name,Όνομα @@ -1702,7 +1761,9 @@ Name not permitted,Όνομα δεν επιτρέπεται Name of person or organization that this address belongs to.,Όνομα προσώπου ή οργανισμού ότι αυτή η διεύθυνση ανήκει. Name of the Budget Distribution,Όνομα της διανομής του προϋπολογισμού Naming Series,Ονομασία σειράς +Negative Quantity is not allowed,Αρνητική ποσότητα δεν επιτρέπεται Negative Stock Error ({6}) for Item {0} in Warehouse {1} on {2} {3} in {4} {5},Αρνητική Σφάλμα Χρηματιστήριο ( {6} ) για τη θέση {0} στην αποθήκη {1} στο {2} {3} σε {4} {5} +Negative Valuation Rate is not allowed,Αρνητική αποτίμηση Βαθμολογήστε δεν επιτρέπεται Negative balance in Batch {0} for Item {1} at Warehouse {2} on {3} {4},Αρνητικό ισοζύγιο στις Παρτίδα {0} για τη θέση {1} στην αποθήκη {2} στις {3} {4} Net Pay,Καθαρών αποδοχών Net Pay (in words) will be visible once you save the Salary Slip.,Καθαρών αποδοχών (ολογράφως) θα είναι ορατή τη στιγμή που θα αποθηκεύσετε το εκκαθαριστικό αποδοχών. @@ -1750,6 +1811,7 @@ Newsletter Status,Κατάσταση Ενημερωτικό Δελτίο Newsletter has already been sent,Newsletter έχει ήδη αποσταλεί Newsletters is not allowed for Trial users,Ενημερωτικά δελτία δεν επιτρέπεται για τους χρήστες Δίκη "Newsletters to contacts, leads.","Ενημερωτικά δελτία για τις επαφές, οδηγεί." +Newspaper Publishers,Εκδοτών Εφημερίδων Next,επόμενος Next Contact By,Επόμενη Επικοινωνία Με Next Contact Date,Επόμενη ημερομηνία Επικοινωνία @@ -1773,17 +1835,18 @@ No Results,Δεν υπάρχουν αποτελέσματα No Supplier Accounts found. Supplier Accounts are identified based on 'Master Type' value in account record.,Δεν βρέθηκαν λογαριασμοί Προμηθευτή. Οι λογαριασμοί της επιχείρησης προσδιορίζονται με βάση την αξία «Master Τύπος » στην εγγραφή λογαριασμού . No accounting entries for the following warehouses,Δεν λογιστικές καταχωρήσεις για τις ακόλουθες αποθήκες No addresses created,Δεν δημιουργούνται διευθύνσεις -No amount allocated,Δεν ποσό που χορηγείται No contacts created,Δεν υπάρχουν επαφές που δημιουργήθηκαν No default BOM exists for Item {0},Δεν υπάρχει προεπιλεγμένη BOM για τη θέση {0} No description given,Δεν έχει περιγραφή No document selected,Δεν επιλεγμένο έγγραφο No employee found,Δεν βρέθηκε υπάλληλος +No employee found!,Κανένας εργαζόμενος δεν βρέθηκε! No of Requested SMS,Δεν Αιτηθέντων SMS No of Sent SMS,Όχι από Sent SMS No of Visits,Δεν Επισκέψεων No one,Κανένας No permission,Δεν έχετε άδεια +No permission to '{0}' {1},Δεν έχετε άδεια για '{0} ' {1} No permission to edit,Δεν έχετε άδεια για να επεξεργαστείτε No record found,Δεν υπάρχουν καταχωρημένα στοιχεία No records tagged.,Δεν υπάρχουν αρχεία ετικέτα. @@ -1843,6 +1906,7 @@ Old Parent,Παλιά Μητρική On Net Total,Την Καθαρά Σύνολο On Previous Row Amount,Στο προηγούμενο ποσό Row On Previous Row Total,Στο προηγούμενο σύνολο Row +Online Auctions,Online Δημοπρασίες Only Leave Applications with status 'Approved' can be submitted,Αφήστε μόνο Εφαρμογές με την ιδιότητα του « Εγκρίθηκε » μπορούν να υποβληθούν "Only Serial Nos with status ""Available"" can be delivered.",Μόνο αύξοντες αριθμούς με την ιδιότητα του "Διαθέσιμο" μπορεί να παραδοθεί. Only leaf nodes are allowed in transaction,Μόνο οι κόμβοι επιτρέπεται σε μία συναλλαγή @@ -1888,6 +1952,7 @@ Organization Name,Όνομα Οργανισμού Organization Profile,Οργανισμός Προφίλ Organization branch master.,Κύριο κλάδο Οργανισμού . Organization unit (department) master.,Μονάδα Οργάνωσης ( τμήμα ) πλοίαρχος . +Original Amount,Αρχικό Ποσό Original Message,Αρχικό μήνυμα Other,Άλλος Other Details,Άλλες λεπτομέρειες @@ -1905,9 +1970,6 @@ Overlapping conditions found between:,Συρροή συνθήκες που επ Overview,Επισκόπηση Owned,Ανήκουν Owner,ιδιοκτήτης -PAN Number,Αριθμός PAN -PF No.,PF Όχι -PF Number,PF Αριθμός PL or BS,PL ή BS PO Date,PO Ημερομηνία PO No,PO Όχι @@ -1919,7 +1981,6 @@ POS Setting,POS Περιβάλλον POS Setting required to make POS Entry,Ρύθμιση POS που απαιτείται για να κάνει έναρξη POS POS Setting {0} already created for user: {1} and company {2},POS Ρύθμιση {0} έχει ήδη δημιουργηθεί για το χρήστη : {1} και η εταιρεία {2} POS View,POS View -POS-Setting-.#,POS - Περιβάλλον - . # PR Detail,PR Λεπτομέρειες PR Posting Date,PR Απόσπαση Ημερομηνία Package Item Details,Λεπτομέρειες αντικειμένου Πακέτο @@ -1955,6 +2016,7 @@ Parent Website Route,Μητρική Website Route Parent account can not be a ledger,Μητρική λογαριασμό δεν μπορεί να είναι ένα καθολικό Parent account does not exist,Μητρική λογαριασμό δεν υπάρχει Parenttype,Parenttype +Part-time,Μερικής απασχόλησης Partially Completed,Ημιτελής Partly Billed,Μερικώς Τιμολογημένος Partly Delivered,Μερικώς Δημοσιεύθηκε @@ -1972,7 +2034,6 @@ Payables,Υποχρεώσεις Payables Group,Υποχρεώσεις Ομίλου Payment Days,Ημέρες Πληρωμής Payment Due Date,Πληρωμή Due Date -Payment Entries,Ενδείξεις Πληρωμής Payment Period Based On Invoice Date,Περίοδος πληρωμής με βάση την Ημερομηνία Τιμολογίου Payment Type,Τρόπος Πληρωμής Payment of salary for the month {0} and year {1},Η πληρωμή της μισθοδοσίας για τον μήνα {0} και έτος {1} @@ -1989,6 +2050,7 @@ Pending Amount,Εν αναμονή Ποσό Pending Items {0} updated,Στοιχεία σε εκκρεμότητα {0} ενημέρωση Pending Review,Εν αναμονή της αξιολόγησης Pending SO Items For Purchase Request,Εν αναμονή SO Αντικείμενα προς Αίτημα Αγοράς +Pension Funds,συνταξιοδοτικά ταμεία Percent Complete,Ποσοστό Ολοκλήρωσης Percentage Allocation,Κατανομή Ποσοστό Percentage Allocation should be equal to 100%,Ποσοστό κατανομής θα πρέπει να είναι ίσο με το 100 % @@ -1997,7 +2059,6 @@ Percentage you are allowed to receive or deliver more against the quantity order Performance appraisal.,Η αξιολόγηση της απόδοσης. Period,περίοδος Period Closing Voucher,Περίοδος Voucher Κλείσιμο -Period is too short,Περίοδος αυτή είναι πολύ μικρή Periodicity,Περιοδικότητα Permanent Address,Μόνιμη Διεύθυνση Permanent Address Is,Μόνιμη Διεύθυνση είναι @@ -2009,15 +2070,18 @@ Personal,Προσωπικός Personal Details,Προσωπικά Στοιχεία Personal Email,Προσωπικά Email Pharmaceutical,φαρμακευτικός +Pharmaceuticals,Φαρμακευτική Phone,Τηλέφωνο Phone No,Τηλεφώνου Pick Columns,Διαλέξτε Στήλες +Piecework,εργασία με το κομμάτι Pincode,PINCODE Place of Issue,Τόπος Έκδοσης Plan for maintenance visits.,Σχέδιο για επισκέψεις συντήρησης. Planned Qty,Προγραμματισμένη Ποσότητα "Planned Qty: Quantity, for which, Production Order has been raised, but is pending to be manufactured.","Προγραμματισμένες Ποσότητα : Ποσότητα , για την οποία , Παραγωγής Τάξης έχει αυξηθεί, αλλά εκκρεμεί να κατασκευαστεί." Planned Quantity,Προγραμματισμένη Ποσότητα +Planning,σχεδίαση Plant,Φυτό Plant and Machinery,Εγκαταστάσεις και μηχανήματα Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,"Παρακαλώ εισάγετε Σύντμηση ή Short Name σωστά, όπως θα προστίθεται ως επίθημα σε όλους τους αρχηγούς λογαριασμό." @@ -2054,7 +2118,6 @@ Please enter Planned Qty for Item {0} at row {1},"Παρακαλούμε, εισ Please enter Production Item first,"Παρακαλούμε, εισάγετε Παραγωγή Στοιχείο πρώτο" Please enter Purchase Receipt No to proceed,"Παρακαλούμε, εισάγετε Αγορά Παραλαβή Όχι για να προχωρήσετε" Please enter Reference date,Παρακαλώ εισάγετε την ημερομηνία αναφοράς -Please enter Start Date and End Date,"Παρακαλούμε, εισάγετε Ημερομηνία έναρξης και Ημερομηνία λήξης" Please enter Warehouse for which Material Request will be raised,"Παρακαλούμε, εισάγετε αποθήκη για την οποία θα αυξηθεί Υλικό Αίτηση" Please enter Write Off Account,"Παρακαλούμε, εισάγετε Διαγραφών Λογαριασμού" Please enter atleast 1 invoice in the table,"Παρακαλούμε, εισάγετε atleast 1 τιμολόγιο στον πίνακα" @@ -2103,9 +2166,9 @@ Please select item code,Παρακαλώ επιλέξτε κωδικό του σ Please select month and year,Παρακαλώ επιλέξτε μήνα και έτος Please select prefix first,Παρακαλώ επιλέξτε πρόθεμα πρώτη Please select the document type first,Παρακαλώ επιλέξτε τον τύπο του εγγράφου πρώτη -Please select valid Voucher No to proceed,Παρακαλώ επιλέξτε ένα έγκυρο Voucher Όχι για να προχωρήσετε Please select weekly off day,Παρακαλώ επιλέξτε εβδομαδιαίο ρεπό Please select {0},Παρακαλώ επιλέξτε {0} +Please select {0} first,Παρακαλώ επιλέξτε {0} Πρώτα Please set Dropbox access keys in your site config,Παρακαλούμε να ορίσετε τα πλήκτρα πρόσβασης Dropbox στο config site σας Please set Google Drive access keys in {0},Παρακαλούμε να ορίσετε τα πλήκτρα πρόσβασης Google Drive στο {0} Please set default Cash or Bank account in Mode of Payment {0},Παρακαλούμε ορίσετε την προεπιλεγμένη μετρητά ή τραπεζικού λογαριασμού σε λειτουργία Πληρωμής {0} @@ -2121,6 +2184,7 @@ Please specify Default Currency in Company Master and Global Defaults,Παρακ Please specify a,Παρακαλείστε να προσδιορίσετε μια Please specify a valid 'From Case No.',Καθορίστε μια έγκυρη »από το Νο. υπόθεση» Please specify a valid Row ID for {0} in row {1},Καθορίστε μια έγκυρη ταυτότητα Σειρά για {0} στη γραμμή {1} +Please specify either Quantity or Valuation Rate or both,Παρακαλείστε να προσδιορίσετε είτε Ποσότητα ή αποτίμησης Rate ή και τα δύο Please submit to update Leave Balance.,Παρακαλώ να υποβάλετε ενημερώσετε Αφήστε Balance . Plot,οικόπεδο Plot By,οικόπεδο Με @@ -2170,11 +2234,14 @@ Print and Stationary,Εκτύπωση και εν στάσει Print...,Εκτύπωση ... Printing and Branding,Εκτύπωσης και Branding Priority,Προτεραιότητα +Private Equity,Private Equity Privilege Leave,Αφήστε Privilege +Probation,δοκιμασία Process Payroll,Μισθοδοσίας Διαδικασία Produced,παράγεται Produced Quantity,Παραγόμενη ποσότητα Product Enquiry,Προϊόν Επικοινωνία +Production,παραγωγή Production Order,Εντολής Παραγωγής Production Order status is {0},Κατάσταση παραγγελίας παραγωγής είναι {0} Production Order {0} must be cancelled before cancelling this Sales Order,Παραγγελία παραγωγής {0} πρέπει να ακυρωθεί πριν από την ακύρωση αυτής της παραγγελίας πώλησης @@ -2187,12 +2254,12 @@ Production Plan Sales Order,Παραγωγή Plan Πωλήσεις Τάξης Production Plan Sales Orders,Πωλήσεις Σχέδιο Παραγωγής Παραγγελίες Production Planning Tool,Παραγωγή εργαλείο σχεδιασμού Products,προϊόντα -Products or Services You Buy,Προϊόντα ή υπηρεσίες που αγοράζουν "Products will be sorted by weight-age in default searches. More the weight-age, higher the product will appear in the list.","Τα προϊόντα θα πρέπει να ταξινομούνται κατά βάρος-ηλικία στις αναζητήσεις προεπιλογή. Περισσότερο το βάρος-ηλικία, υψηλότερο το προϊόν θα εμφανίζονται στη λίστα." Profit and Loss,Κέρδη και ζημιές Project,Σχέδιο Project Costing,Έργο Κοστολόγηση Project Details,Λεπτομέρειες Έργου +Project Manager,Υπεύθυνος Έργου Project Milestone,Έργο Milestone Project Milestones,Ορόσημα του έργου Project Name,Όνομα Έργου @@ -2209,9 +2276,10 @@ Projected Qty,Προβλεπόμενη Ποσότητα Projects,Έργα Projects & System,Έργα & Σύστημα Prompt for Email on Submission of,Ερώτηση για το e-mail για Υποβολή +Proposal Writing,Γράφοντας Πρόταση Provide email id registered in company,Παροχή ταυτότητα ηλεκτρονικού ταχυδρομείου εγγραφεί στην εταιρεία Public,Δημόσιο -Pull Payment Entries,Τραβήξτε Καταχωρήσεις Πληρωμής +Publishing,Εκδόσεις Pull sales orders (pending to deliver) based on the above criteria,Τραβήξτε παραγγελίες πωλήσεων (εκκρεμεί να παραδώσει) με βάση τα ανωτέρω κριτήρια Purchase,Αγορά Purchase / Manufacture Details,Αγορά / Κατασκευή Λεπτομέρειες @@ -2277,6 +2345,7 @@ Quality Inspection Parameters,Παράμετροι Ελέγχου Ποιότητ Quality Inspection Reading,Ποιότητα Reading Επιθεώρηση Quality Inspection Readings,Αναγνώσεις Ελέγχου Ποιότητας Quality Inspection required for Item {0},Έλεγχος της ποιότητας που απαιτείται για τη θέση {0} +Quality Management,διαχείρισης Ποιότητας Quantity,Ποσότητα Quantity Requested for Purchase,Αιτούμενη ποσότητα για Αγορά Quantity and Rate,Ποσότητα και το ρυθμό @@ -2340,6 +2409,7 @@ Reading 6,Ανάγνωση 6 Reading 7,Ανάγνωση 7 Reading 8,Ανάγνωση 8 Reading 9,Ανάγνωση 9 +Real Estate,ακίνητα Reason,Λόγος Reason for Leaving,Αιτία για την έξοδο Reason for Resignation,Λόγος Παραίτηση @@ -2358,6 +2428,7 @@ Receiver List,Λίστα Δέκτης Receiver List is empty. Please create Receiver List,Δέκτης λίστας είναι άδειο . Παρακαλώ δημιουργήστε Receiver Λίστα Receiver Parameter,Παράμετρος Δέκτης Recipients,Παραλήπτες +Reconcile,Συμφωνήστε Reconciliation Data,Συμφωνία δεδομένων Reconciliation HTML,Συμφιλίωση HTML Reconciliation JSON,Συμφιλίωση JSON @@ -2407,6 +2478,7 @@ Report,Αναφορά Report Date,Έκθεση Ημερομηνία Report Type,Αναφορά Ειδών Report Type is mandatory,Τύπος έκθεσης είναι υποχρεωτική +Report an Issue,Αναφορά προβλήματος Report was not saved (there were errors),Έκθεση δεν αποθηκεύτηκε (υπήρχαν σφάλματα) Reports to,Εκθέσεις προς Reqd By Date,Reqd Με ημερομηνία @@ -2425,6 +2497,9 @@ Required Date,Απαραίτητα Ημερομηνία Required Qty,Απαιτούμενη Ποσότητα Required only for sample item.,Απαιτείται μόνο για το στοιχείο του δείγματος. Required raw materials issued to the supplier for producing a sub - contracted item.,Απαιτείται πρώτων υλών που έχουν εκδοθεί στον προμηθευτή για την παραγωγή ενός υπο - υπεργολάβο στοιχείο. +Research,έρευνα +Research & Development,Έρευνα & Ανάπτυξη +Researcher,ερευνητής Reseller,Reseller Reserved,reserved Reserved Qty,Ποσότητα Reserved @@ -2444,11 +2519,14 @@ Resolution Details,Λεπτομέρειες Ανάλυση Resolved By,Αποφασισμένοι Με Rest Of The World,Rest Of The World Retail,Λιανική πώληση +Retail & Wholesale,Λιανική & Χονδρική Πώληση Retailer,Έμπορος λιανικής Review Date,Ημερομηνία αξιολόγησης Rgt,Rgt Role Allowed to edit frozen stock,Ο ρόλος κατοικίδια να επεξεργαστείτε κατεψυγμένο απόθεμα Role that is allowed to submit transactions that exceed credit limits set.,Ο ρόλος που έχει τη δυνατότητα να υποβάλει τις συναλλαγές που υπερβαίνουν τα όρια που πίστωσης. +Root Type,Τύπος root +Root Type is mandatory,Τύπος Root είναι υποχρεωτική Root account can not be deleted,Λογαριασμού root δεν μπορεί να διαγραφεί Root cannot be edited.,Root δεν μπορεί να επεξεργαστεί . Root cannot have a parent cost center,Root δεν μπορεί να έχει ένα κέντρο κόστους μητρική @@ -2456,6 +2534,16 @@ Rounded Off,στρογγυλοποιηθεί Rounded Total,Στρογγυλεμένες Σύνολο Rounded Total (Company Currency),Στρογγυλεμένες Σύνολο (νόμισμα της Εταιρείας) Row # ,Row # +Row # {0}: , +"Row {0}: Account does not match with \ + Purchase Invoice Credit To account",Σειρά {0} : Ο λογαριασμός δεν ταιριάζει με \ \ n τιμολογίου αγοράς πίστωση του λογαριασμού +"Row {0}: Account does not match with \ + Sales Invoice Debit To account",Σειρά {0} : Ο λογαριασμός δεν ταιριάζει με \ \ n Τιμολόγιο Πώλησης χρέωση του λογαριασμού +Row {0}: Credit entry can not be linked with a Purchase Invoice,Σειρά {0} : Credit εισόδου δεν μπορεί να συνδεθεί με ένα τιμολογίου αγοράς +Row {0}: Debit entry can not be linked with a Sales Invoice,Σειρά {0} : Χρεωστική εισόδου δεν μπορεί να συνδεθεί με ένα Τιμολόγιο Πώλησης +"Row {0}: To set {1} periodicity, difference between from and to date \ + must be greater than or equal to {2}","Σειρά {0} : Για να ρυθμίσετε {1} περιοδικότητα , η διαφορά μεταξύ της από και προς την ημερομηνία \ \ n πρέπει να είναι μεγαλύτερη ή ίση με {2}" +Row {0}:Start Date must be before End Date,Σειρά {0} : Ημερομηνία Έναρξης πρέπει να είναι πριν από την Ημερομηνία Λήξης Rules for adding shipping costs.,Κανόνες για την προσθήκη έξοδα αποστολής . Rules for applying pricing and discount.,Κανόνες για την εφαρμογή τιμών και εκπτώσεων . Rules to calculate shipping amount for a sale,Κανόνες για τον υπολογισμό του ποσού αποστολής για την πώληση @@ -2547,7 +2635,6 @@ Schedule,Πρόγραμμα Schedule Date,Πρόγραμμα Ημερομηνία Schedule Details,Λεπτομέρειες Πρόγραμμα Scheduled,Προγραμματισμένη -Scheduled Confirmation Date must be greater than Date of Joining,"Προγραμματισμένη ημερομηνία επιβεβαίωσης πρέπει να είναι μεγαλύτερη από ό, τι Ημερομηνία Ενώνουμε" Scheduled Date,Προγραμματισμένη Ημερομηνία Scheduled to send to {0},Προγραμματισμένη για να στείλετε σε {0} Scheduled to send to {0} recipients,Προγραμματισμένη για να στείλετε σε {0} αποδέκτες @@ -2559,7 +2646,9 @@ Score must be less than or equal to 5,Σκορ πρέπει να είναι μι Scrap %,Άχρηστα% Search,Αναζήτηση Seasonality for setting budgets.,Εποχικότητα για τον καθορισμό των προϋπολογισμών. +Secretary,γραμματέας Secured Loans,Δάνεια με εξασφαλίσεις +Securities & Commodity Exchanges,Securities & χρηματιστήρια εμπορευμάτων Securities and Deposits,Κινητών Αξιών και καταθέσεις "See ""Rate Of Materials Based On"" in Costing Section",Ανατρέξτε στην ενότητα "Rate υλικών με βάση" στην κοστολόγηση ενότητα "Select ""Yes"" for sub - contracting items",Επιλέξτε "Ναι" για την υπο - αναθέτουσα στοιχεία @@ -2589,7 +2678,6 @@ Select dates to create a new ,Επιλέξτε ημερομηνίες για ν Select or drag across time slots to create a new event.,Επιλέξτε ή σύρετε χρονοθυρίδες για να δημιουργήσετε ένα νέο συμβάν. Select template from which you want to get the Goals,Επιλέξτε το πρότυπο από το οποίο θέλετε να πάρετε τα Γκολ Select the Employee for whom you are creating the Appraisal.,Επιλέξτε τον υπάλληλο για τον οποίο δημιουργείτε η εκτίμηση. -Select the Invoice against which you want to allocate payments.,Επιλέξτε το τιμολόγιο βάσει του οποίου θέλετε να κατανείμει τις καταβολές . Select the period when the invoice will be generated automatically,"Επιλογή της χρονικής περιόδου, όταν το τιμολόγιο θα δημιουργηθεί αυτόματα" Select the relevant company name if you have multiple companies,"Επιλέξτε το σχετικό όνομα της εταιρείας, αν έχετε πολλές εταιρείες" Select the relevant company name if you have multiple companies.,"Επιλέξτε το σχετικό όνομα της εταιρείας, αν έχετε πολλές εταιρείες." @@ -2640,7 +2728,8 @@ Serial No {0} status must be 'Available' to Deliver,Αύξων αριθμός {0 Serial Nos Required for Serialized Item {0},Serial Απαιτείται αριθμοί των Serialized σημείο {0} Serial Number Series,Serial Number Series Serial number {0} entered more than once,Αύξων αριθμός {0} τέθηκε περισσότερο από μία φορά -Serialized Item {0} cannot be updated using Stock Reconciliation,Serialized σημείο {0} δεν μπορεί να ενημερωθεί μέσω Stock Συμφιλίωση +"Serialized Item {0} cannot be updated \ + using Stock Reconciliation",Serialized σημείο {0} δεν μπορεί να ενημερωθεί \ \ n χρησιμοποιώντας Χρηματιστήριο Συμφιλίωση Series,σειρά Series List for this Transaction,Λίστα Series για αυτή τη συναλλαγή Series Updated,σειρά ενημέρωση @@ -2655,7 +2744,6 @@ Set,σετ "Set Default Values like Company, Currency, Current Fiscal Year, etc.","Set Default Αξίες όπως η Εταιρεία , Συναλλάγματος , τρέχουσα χρήση , κλπ." Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,Ορισμός Θέση Ομάδα-σοφός προϋπολογισμούς σε αυτό το έδαφος. Μπορείτε επίσης να συμπεριλάβετε εποχικότητα με τη ρύθμιση της διανομής. Set Link,Ρύθμιση σύνδεσης -Set allocated amount against each Payment Entry and click 'Allocate'.,Σετ ποσό που θα διατεθεί από κάθε έναρξη πληρωμής και κάντε κλικ στο κουμπί « Κατανομή » . Set as Default,Ορισμός ως Προεπιλογή Set as Lost,Ορισμός ως Lost Set prefix for numbering series on your transactions,Ορίστε πρόθεμα για σειρά αρίθμησης για τις συναλλαγές σας @@ -2706,6 +2794,9 @@ Single,Μονόκλινο Single unit of an Item.,Ενιαία μονάδα ενός στοιχείου. Sit tight while your system is being setup. This may take a few moments.,"Καθίστε σφιχτά , ενώ το σύστημά σας είναι setup . Αυτό μπορεί να διαρκέσει μερικά λεπτά ." Slideshow,Παρουσίαση +Soap & Detergent,Σαπούνι & απορρυπαντικών +Software,λογισμικό +Software Developer,Software Developer Sorry we were unable to find what you were looking for.,Δυστυχώς δεν μπορέσαμε να βρείτε αυτό που ψάχνατε. Sorry you are not permitted to view this page.,Δυστυχώς δεν σας επιτρέπεται να δείτε αυτή τη σελίδα. "Sorry, Serial Nos cannot be merged","Λυπούμαστε , Serial Nos δεν μπορούν να συγχωνευθούν" @@ -2719,8 +2810,6 @@ Source of Funds (Liabilities),Πηγή Χρηματοδότησης ( Παθητ Source warehouse is mandatory for row {0},Πηγή αποθήκη είναι υποχρεωτική για τη σειρά {0} Spartan,Σπαρτιάτης "Special Characters except ""-"" and ""/"" not allowed in naming series","Ειδικοί χαρακτήρες εκτός από "" - "" και "" / "" δεν επιτρέπονται στην ονομασία της σειράς" -Special Characters not allowed in Abbreviation,Ειδικοί χαρακτήρες δεν επιτρέπονται σε Σύντμηση -Special Characters not allowed in Company Name,Ειδικοί χαρακτήρες δεν επιτρέπονται στο όνομα της εταιρείας Specification Details,Λεπτομέρειες Προδιαγραφές Specifications,προδιαγραφές "Specify a list of Territories, for which, this Price List is valid","Ορίστε μια λίστα των εδαφών, για την οποία, παρών τιμοκατάλογος ισχύει" @@ -2728,16 +2817,18 @@ Specifications,προδιαγραφές "Specify a list of Territories, for which, this Taxes Master is valid","Ορίστε μια λίστα των εδαφών, για την οποία, αυτός ο Δάσκαλος φόροι είναι έγκυρη" "Specify the operations, operating cost and give a unique Operation no to your operations.","Καθορίστε το πράξεις , το κόστος λειτουργίας και να δώσει μια μοναδική λειτουργία δεν τις εργασίες σας ." Split Delivery Note into packages.,Split Σημείωση Παράδοση σε πακέτα. +Sports,αθλητισμός Standard,Πρότυπο +Standard Buying,Πρότυπη Αγορά Standard Rate,Κανονικός συντελεστής Standard Reports,πρότυπο Εκθέσεις +Standard Selling,πρότυπο Selling Standard contract terms for Sales or Purchase.,Τυποποιημένων συμβατικών όρων για τις πωλήσεις ή Αγορά . Start,αρχή Start Date,Ημερομηνία έναρξης Start Report For,Ξεκινήστε την έκθεση για το Start date of current invoice's period,Ημερομηνία έναρξης της περιόδου τρέχουσας τιμολογίου Start date should be less than end date for Item {0},Η ημερομηνία έναρξης θα πρέπει να είναι μικρότερη από την ημερομηνία λήξης για τη θέση {0} -Start date should be less than end date.,Η ημερομηνία έναρξης θα πρέπει να είναι μικρότερη από την ημερομηνία λήξης . State,Κατάσταση Static Parameters,Στατικές παραμέτρους Status,Κατάσταση @@ -2820,15 +2911,12 @@ Supplier Part Number,Προμηθευτής Αριθμός είδους Supplier Quotation,Προσφορά Προμηθευτής Supplier Quotation Item,Προμηθευτής Θέση Προσφοράς Supplier Reference,Αναφορά Προμηθευτής -Supplier Shipment Date,Προμηθευτής ημερομηνία αποστολής -Supplier Shipment No,Αποστολή Προμηθευτής αριθ. Supplier Type,Τύπος Προμηθευτής Supplier Type / Supplier,Προμηθευτής Τύπος / Προμηθευτής Supplier Type master.,Προμηθευτής Τύπος πλοίαρχος . Supplier Warehouse,Αποθήκη Προμηθευτής Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Προμηθευτής αποθήκη υποχρεωτική για υπεργολαβικά Αγορά Παραλαβή Supplier database.,Βάση δεδομένων προμηθευτών. -Supplier delivery number duplicate in {0},Προμηθευτής αριθμός παράδοσης διπλούν στο {0} Supplier master.,Προμηθευτής πλοίαρχος . Supplier warehouse where you have issued raw materials for sub - contracting,"Αποθήκη προμηθευτή, εάν έχετε εκδώσει τις πρώτες ύλες για την υπο - αναθέτουσα" Supplier-Wise Sales Analytics,Προμηθευτής - Wise Πωλήσεις Analytics @@ -2869,7 +2957,7 @@ Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are no Tax Rate,Φορολογικός Συντελεστής Tax and other salary deductions.,Φορολογικές και άλλες μειώσεις μισθών. "Tax detail table fetched from item master as a string and stored in this field. -Used for Taxes and Charges", +Used for Taxes and Charges","Φορολογική λεπτομέρεια τραπέζι τραβηγμένο από τη θέση πλοιάρχου, όπως μια σειρά και αποθηκεύονται σε αυτόν τον τομέα . \ NUsed για φόρους και τέλη" Tax template for buying transactions.,Φορολογική πρότυπο για την αγορά των συναλλαγών . Tax template for selling transactions.,Φορολογική πρότυπο για την πώληση των συναλλαγών . Taxable,Φορολογητέο @@ -2881,13 +2969,16 @@ Taxes and Charges Deducted,Φόροι και τέλη παρακρατήθηκε Taxes and Charges Deducted (Company Currency),Οι φόροι και οι επιβαρύνσεις αφαιρούνται (νόμισμα της Εταιρείας) Taxes and Charges Total,Φόροι και τέλη Σύνολο Taxes and Charges Total (Company Currency),Φόροι και τέλη Σύνολο (νόμισμα της Εταιρείας) +Technology,τεχνολογία +Telecommunications,Τηλεπικοινωνίες Telephone Expenses,Τηλέφωνο Έξοδα +Television,τηλεόραση Template for performance appraisals.,Πρότυπο για την αξιολόγηση της απόδοσης . Template of terms or contract.,Πρότυπο των όρων ή της σύμβασης. -Temporary Account (Assets),Προσωρινή λογαριασμού ( Ενεργητικό ) -Temporary Account (Liabilities),Προσωρινή λογαριασμού ( Παθητικό ) Temporary Accounts (Assets),Προσωρινή Λογαριασμοί (στοιχεία του ενεργητικού ) Temporary Accounts (Liabilities),Προσωρινή Λογαριασμοί (Παθητικό ) +Temporary Assets,προσωρινή Ενεργητικού +Temporary Liabilities,προσωρινή Υποχρεώσεις Term Details,Term Λεπτομέρειες Terms,όροι Terms and Conditions,Όροι και Προϋποθέσεις @@ -2912,7 +3003,7 @@ The First User: You,Η πρώτη Χρήστης : Μπορείτε The Organization,ο Οργανισμός "The account head under Liability, in which Profit/Loss will be booked","Η κεφαλή του λογαριασμού βάσει της αστικής ευθύνης, στην οποία Κέρδη / Ζημίες θα κρατηθεί" "The date on which next invoice will be generated. It is generated on submit. -", +",Η ημερομηνία κατά την οποία θα δημιουργηθεί το επόμενο τιμολόγιο . The date on which recurring invoice will be stop,Η ημερομηνία κατά την οποία επαναλαμβανόμενες τιμολόγιο θα σταματήσει "The day of the month on which auto invoice will be generated e.g. 05, 28 etc ","Η ημέρα του μήνα κατά τον οποίο τιμολόγιο αυτοκινήτων θα παραχθούν, π.χ. 05, 28 κλπ" The day(s) on which you are applying for leave are holiday. You need not apply for leave.,Η μέρα ( ες) στην οποία υποβάλλετε αίτηση για άδεια είναι διακοπές . Δεν χρειάζεται να υποβάλουν αίτηση για άδεια . @@ -2997,6 +3088,8 @@ To track items using barcode. You will be able to enter items in Delivery Note a Tools,Εργαλεία Total,Σύνολο Total Advance,Σύνολο Advance +Total Allocated Amount,Συνολικό ποσό που θα διατεθεί +Total Allocated Amount can not be greater than unmatched amount,"Σύνολο χορηγούμενο ποσό δεν μπορεί να είναι μεγαλύτερη από ό, τι απαράμιλλη ποσό" Total Amount,Συνολικό Ποσό Total Amount To Pay,Συνολικό ποσό για να πληρώσει Total Amount in Words,Συνολικό ποσό ολογράφως @@ -3006,6 +3099,7 @@ Total Commission,Σύνολο Επιτροπής Total Cost,Συνολικό Κόστος Total Credit,Συνολική πίστωση Total Debit,Σύνολο χρέωσης +Total Debit must be equal to Total Credit. The difference is {0},Συνολική Χρέωση πρέπει να ισούται προς το σύνολο Credit . Total Deduction,Συνολική έκπτωση Total Earning,Σύνολο Κερδίζουν Total Experience,Συνολική εμπειρία @@ -3033,8 +3127,10 @@ Total in words,Συνολικά στα λόγια Total points for all goals should be 100. It is {0},Σύνολο σημείων για όλους τους στόχους θα πρέπει να είναι 100 . Είναι {0} Total weightage assigned should be 100%. It is {0},Σύνολο weightage ανατεθεί πρέπει να είναι 100 % . Είναι {0} Totals,Σύνολα +Track Leads by Industry Type.,Track οδηγεί από τη βιομηχανία Τύπος . Track this Delivery Note against any Project,Παρακολουθήστε αυτό το Δελτίο Αποστολής εναντίον οποιουδήποτε έργου Track this Sales Order against any Project,Παρακολουθήστε αυτό το Πωλήσεις Τάξης εναντίον οποιουδήποτε έργου +Trainee,ασκούμενος Transaction,Συναλλαγή Transaction Date,Ημερομηνία Συναλλαγής Transaction not allowed against stopped Production Order {0},Η συναλλαγή δεν επιτρέπεται κατά σταμάτησε Εντολής Παραγωγής {0} @@ -3042,10 +3138,10 @@ Transfer,Μεταφορά Transfer Material,μεταφορά Υλικού Transfer Raw Materials,Μεταφορά Πρώτες Ύλες Transferred Qty,Μεταφερόμενη ποσότητα +Transportation,μεταφορά Transporter Info,Πληροφορίες Transporter Transporter Name,Όνομα Transporter Transporter lorry number,Transporter αριθμό φορτηγών -Trash Reason,Λόγος Trash Travel,ταξίδι Travel Expenses,Έξοδα μετακίνησης Tree Type,δέντρο Τύπος @@ -3149,6 +3245,7 @@ Value,Αξία Value or Qty,Αξία ή Τεμ Vehicle Dispatch Date,Όχημα ημερομηνία αποστολής Vehicle No,Όχημα αριθ. +Venture Capital,Venture Capital Verified By,Verified by View Ledger,Προβολή Λέτζερ View Now,δείτε τώρα @@ -3157,6 +3254,7 @@ Voucher #,Voucher # Voucher Detail No,Λεπτομέρεια φύλλου αριθ. Voucher ID,ID Voucher Voucher No,Δεν Voucher +Voucher No is not valid,Δεν Voucher δεν είναι έγκυρη Voucher Type,Τύπος Voucher Voucher Type and Date,Τύπος Voucher και Ημερομηνία Walk In,Περπατήστε στην @@ -3171,6 +3269,7 @@ Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt Warehouse cannot be changed for Serial No.,Αποθήκη δεν μπορεί να αλλάξει για την αύξων αριθμός Warehouse is mandatory for stock Item {0} in row {1},Αποθήκη είναι υποχρεωτική για απόθεμα Θέση {0} στη γραμμή {1} Warehouse is missing in Purchase Order,Αποθήκη λείπει σε Purchase Order +Warehouse not found in the system,Αποθήκης δεν βρέθηκε στο σύστημα Warehouse required for stock Item {0},Αποθήκη απαιτούνται για απόθεμα Θέση {0} Warehouse required in POS Setting,Αποθήκη απαιτείται POS Περιβάλλον Warehouse where you are maintaining stock of rejected items,Αποθήκη όπου θα είναι η διατήρηση αποθέματος απορριφθέντα στοιχεία @@ -3191,6 +3290,8 @@ Warranty / AMC Status,Εγγύηση / AMC Status Warranty Expiry Date,Εγγύηση Ημερομηνία Λήξης Warranty Period (Days),Περίοδος Εγγύησης (Ημέρες) Warranty Period (in days),Περίοδος Εγγύησης (σε ημέρες) +We buy this Item,Αγοράζουμε αυτήν την θέση +We sell this Item,Πουλάμε αυτήν την θέση Website,Δικτυακός τόπος Website Description,Περιγραφή Website Website Item Group,Website Ομάδα Θέση @@ -3217,6 +3318,7 @@ Will be calculated automatically when you enter the details,Θα υπολογί Will be updated after Sales Invoice is Submitted.,Θα πρέπει να ενημερώνεται μετά Sales τιμολογίου. Will be updated when batched.,Θα πρέπει να ενημερώνεται όταν ζυγισμένες. Will be updated when billed.,Θα πρέπει να ενημερώνεται όταν χρεώνονται. +Wire Transfer,Wire Transfer With Groups,με Ομάδες With Ledgers,με Καθολικά With Operations,Με Λειτουργίες @@ -3251,7 +3353,6 @@ Yearly,Ετήσια Yes,Ναί Yesterday,Χτες You are not allowed to create / edit reports,Δεν επιτρέπεται να δημιουργήσετε / επεξεργαστείτε εκθέσεις -You are not allowed to create {0},Δεν επιτρέπεται να δημιουργήσετε {0} You are not allowed to export this report,Δεν επιτρέπεται να εξάγουν αυτή την έκθεση You are not allowed to print this document,Δεν επιτρέπεται να εκτυπώσετε το έγγραφο You are not allowed to send emails related to this document,Δεν επιτρέπεται να στείλετε μηνύματα ηλεκτρονικού ταχυδρομείου που σχετίζονται με αυτό το έγγραφο @@ -3269,12 +3370,15 @@ You can set Default Bank Account in Company master,Μπορείτε να ρυθ You can start by selecting backup frequency and granting access for sync,Μπορείτε να ξεκινήσετε επιλέγοντας τη συχνότητα δημιουργίας αντιγράφων ασφαλείας και την παροχή πρόσβασης για συγχρονισμό You can submit this Stock Reconciliation.,Μπορείτε να υποβάλετε αυτό το Χρηματιστήριο Συμφιλίωση . You can update either Quantity or Valuation Rate or both.,Μπορείτε να ενημερώσετε είτε Ποσότητα ή αποτίμησης Rate ή και τα δύο . -You cannot credit and debit same account at the same time.,Δεν μπορείτε πιστωτικές και χρεωστικές ίδιο λογαριασμό την ίδια στιγμή . +You cannot credit and debit same account at the same time,Δεν μπορείτε πιστωτικές και χρεωστικές ίδιο λογαριασμό την ίδια στιγμή You have entered duplicate items. Please rectify and try again.,Έχετε εισάγει διπλότυπα στοιχεία . Παρακαλούμε διορθώσει και δοκιμάστε ξανά . +You have unsaved changes in this form. Please save before you continue.,Έχετε μη αποθηκευμένες αλλαγές σε αυτή τη μορφή . You may need to update: {0},Μπορεί να χρειαστεί να ενημερώσετε : {0} You must Save the form before proceeding,Πρέπει Αποθηκεύστε τη φόρμα πριν προχωρήσετε +You must allocate amount before reconcile,Θα πρέπει να διαθέσει ποσό πριν συμφιλιώσει Your Customer's TAX registration numbers (if applicable) or any general information,ΦΟΡΟΣ πελάτη σας αριθμούς κυκλοφορίας (κατά περίπτωση) ή γενικές πληροφορίες Your Customers,Οι πελάτες σας +Your Login Id,Είσοδος Id σας Your Products or Services,Προϊόντα ή τις υπηρεσίες σας Your Suppliers,προμηθευτές σας "Your download is being built, this may take a few moments...","Η λήψη σας χτίζεται, αυτό μπορεί να διαρκέσει λίγα λεπτά ..." @@ -3285,6 +3389,7 @@ Your sales person who will contact the customer in future,Πωλήσεις πρ Your sales person will get a reminder on this date to contact the customer,Πωλήσεις πρόσωπο σας θα πάρει μια υπενθύμιση για την ημερομηνία αυτή για να επικοινωνήσει με τον πελάτη Your setup is complete. Refreshing...,Setup σας είναι πλήρης. Αναζωογονητικό ... Your support email id - must be a valid email - this is where your emails will come!,Υποστήριξη id email σας - πρέπει να είναι μια έγκυρη διεύθυνση ηλεκτρονικού ταχυδρομείου - αυτό είναι όπου τα email σας θα έρθει! +[Select],[ Επιλέξτε ] `Freeze Stocks Older Than` should be smaller than %d days.,` Τα αποθέματα Πάγωμα Παλαιότερο από ` θα πρέπει να είναι μικρότερη από % d ημέρες . and,και are not allowed.,δεν επιτρέπονται . diff --git a/erpnext/translations/es.csv b/erpnext/translations/es.csv index f391b57247..4d232dc6a1 100644 --- a/erpnext/translations/es.csv +++ b/erpnext/translations/es.csv @@ -26,14 +26,13 @@ 'From Date' must be after 'To Date',"' A partir de la fecha "" debe ser después de ' A Fecha '" 'Has Serial No' can not be 'Yes' for non-stock item,"""No tiene de serie 'no puede ser ' Sí ' para la falta de valores" 'Notification Email Addresses' not specified for recurring invoice,"«Notificación Direcciones de correo electrónico "" no especificadas para la factura recurrente" -'Profit and Loss' type Account {0} used be set for Opening Entry,""" Pérdidas y Ganancias "" Tipo de cuenta {0} utilizado se ajustan a la aceptación de apertura" 'Profit and Loss' type account {0} not allowed in Opening Entry,""" Pérdidas y Ganancias "" tipo de cuenta {0} no se permite la entrada con apertura" 'To Case No.' cannot be less than 'From Case No.',' Para el caso núm ' no puede ser inferior a ' De Caso No. ' 'To Date' is required,""" Hasta la fecha "" se requiere" 'Update Stock' for Sales Invoice {0} must be set,"'Actualización de la "" factura de venta para {0} debe ajustarse" * Will be calculated in the transaction.,* Se calculará en la transacción. "1 Currency = [?] Fraction -For e.g. 1 USD = 100 Cent", +For e.g. 1 USD = 100 Cent",1 moneda = [ ?] Fracción \ nPor ejemplo 1. To maintain the customer wise item code and to make them searchable based on their code use this option,1 . Para mantener el código del artículo sabia cliente y para efectuar búsquedas en ellos en función de su uso de código de esta opción 2 days ago,Hace 2 días "Add / Edit"," Añadir / Editar < / a>" @@ -70,8 +69,6 @@ Account with child nodes cannot be converted to ledger,Cuenta con nodos secundar Account with existing transaction can not be converted to group.,Cuenta con la transacción existente no se puede convertir al grupo. Account with existing transaction can not be deleted,Cuenta con la transacción existente no se puede eliminar Account with existing transaction cannot be converted to ledger,Cuenta con la transacción existente no se puede convertir en el libro mayor -Account {0} already exists,Cuenta {0} ya existe -Account {0} can only be updated via Stock Transactions,Cuenta {0} sólo se puede actualizar a través de transacciones de acciones Account {0} cannot be a Group,Cuenta {0} no puede ser un grupo Account {0} does not belong to Company {1},Cuenta {0} no pertenece a la empresa {1} Account {0} does not exist,Cuenta {0} no existe @@ -79,8 +76,9 @@ Account {0} has been entered more than once for fiscal year {1},Cuenta {0} se ha Account {0} is frozen,Cuenta {0} está congelado Account {0} is inactive,Cuenta {0} está inactivo Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item,"Cuenta {0} debe ser de tipo ' de activos fijos ""como elemento {1} es un elemento de activo" -Account {0} must be sames as Credit To Account in Purchase Invoice in row {0},Cuenta {0} debe ser sames como crédito a la cuenta de la factura de compra en la fila {0} -Account {0} must be sames as Debit To Account in Sales Invoice in row {0},Cuenta {0} debe ser sames como de débito para consideración en la factura de venta de la fila {0} +"Account: {0} can only be updated via \ + Stock Transactions",Cuenta: {0} sólo se puede actualizar a través de \ \ n Las operaciones de archivo +Accountant,contador Accounting,contabilidad "Accounting Entries can be made against leaf nodes, called","Los comentarios de Contabilidad se pueden hacer contra los nodos hoja , llamada" "Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","Asiento contable congelado hasta la fecha , nadie puede hacer / modificar la entrada , excepto el papel se especifica a continuación ." @@ -145,10 +143,13 @@ Address Title is mandatory.,Dirección Título es obligatorio. Address Type,Tipo de dirección Address master.,Master Dirección . Administrative Expenses,gastos de Administración +Administrative Officer,Oficial Administrativo Advance Amount,Cantidad Anticipada Advance amount,cantidad anticipada Advances,insinuaciones Advertisement,anuncio +Advertising,publicidad +Aerospace,aeroespacial After Sale Installations,Después de la venta Instalaciones Against,contra Against Account,contra cuenta @@ -157,9 +158,11 @@ Against Docname,contra docName Against Doctype,contra Doctype Against Document Detail No,Contra Detalle documento n Against Document No,Contra el documento n +Against Entries,contra los comentarios Against Expense Account,Contra la Cuenta de Gastos Against Income Account,Contra la Cuenta de Utilidad Against Journal Voucher,Contra Diario Voucher +Against Journal Voucher {0} does not have any unmatched {1} entry,Contra Diario Vale {0} aún no tiene parangón {1} entrada Against Purchase Invoice,Contra la factura de compra Against Sales Invoice,Contra la factura de venta Against Sales Order,Contra la Orden de Venta @@ -171,6 +174,8 @@ Ageing date is mandatory for opening entry,Fecha Envejecer es obligatorio para l Agent,agente Aging Date,Fecha Envejecimiento Aging Date is mandatory for opening entry,El envejecimiento de la fecha es obligatoria para la apertura de la entrada +Agriculture,agricultura +Airline,línea aérea All Addresses.,Todas las direcciones . All Contact,Todo contacto All Contacts.,Todos los contactos . @@ -188,14 +193,18 @@ All Supplier Types,Todos los tipos de proveedores All Territories,Todos los estados "All export related fields like currency, conversion rate, export total, export grand total etc are available in Delivery Note, POS, Quotation, Sales Invoice, Sales Order etc.","Campos relacionados Todas las exportaciones como moneda , tasa de conversión , el total de las exportaciones, las exportaciones totales grand etc están disponibles en la nota de entrega , POS, cotización , factura de venta , órdenes de venta , etc" "All import related fields like currency, conversion rate, import total, import grand total etc are available in Purchase Receipt, Supplier Quotation, Purchase Invoice, Purchase Order etc.","Todos los ámbitos relacionados con la importación como la moneda , tasa de conversión , el total de las importaciones , la importación total de grand etc están disponibles en recibo de compra , proveedor de cotización , factura de compra , orden de compra , etc" +All items have already been invoiced,Todos los artículos que ya se han facturado All items have already been transferred for this Production Order.,Todos los artículos que ya se han transferido para este nuevo pedido . All these items have already been invoiced,Todos estos elementos ya se han facturado Allocate,asignar +Allocate Amount Automatically,Asignar Importe automáticamente Allocate leaves for a period.,Asignar las hojas por un período . Allocate leaves for the year.,Asignar las hojas para el año. Allocated Amount,Monto asignado Allocated Budget,Presupuesto asignado Allocated amount,cantidad asignada +Allocated amount can not be negative,Monto asignado no puede ser negativo +Allocated amount can not greater than unadusted amount,Monto asignado no puede superar el importe en unadusted Allow Bill of Materials,Permitir lista de materiales Allow Bill of Materials should be 'Yes'. Because one or many active BOMs present for this item,"Permita que la lista de materiales debe ser ""Sí"" . Debido a que una o varias listas de materiales activos presentes para este artículo" Allow Children,Permita que los niños @@ -223,10 +232,12 @@ Amount to Bill,La cantidad a Bill An Customer exists with same name,Existe un cliente con el mismo nombre "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" "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" +Analyst,analista Annual,anual Another Period Closing Entry {0} has been made after {1},Otra entrada Período de Cierre {0} se ha hecho después de {1} Another Salary Structure {0} is active for employee {0}. Please make its status 'Inactive' to proceed.,"Otra estructura salarial {0} está activo para empleado {0} . Por favor haga su estatus de "" inactivo "" para proceder ." "Any other comments, noteworthy effort that should go in the records.","Cualquier otro comentario , notable esfuerzo que debe ir en los registros ." +Apparel & Accessories,Ropa y Accesorios Applicability,aplicabilidad Applicable For,aplicable para Applicable Holiday List,Aplicable Lista Holiday @@ -248,6 +259,7 @@ Appraisal Template,Plantilla de evaluación Appraisal Template Goal,Objetivo Plantilla Appraisal Appraisal Template Title,Evaluación Plantilla Título Appraisal {0} created for Employee {1} in the given date range,Appraisal {0} creado por Empleado {1} en el rango de fechas determinado +Apprentice,aprendiz Approval Status,Estado de aprobación Approval Status must be 'Approved' or 'Rejected',"Estado de aprobación debe ser "" Aprobado "" o "" Rechazado """ Approved,aprobado @@ -264,9 +276,12 @@ Arrear Amount,mora Importe As per Stock UOM,Según Stock UOM "As there are existing stock transactions for this item, you can not change the values of 'Has Serial No', 'Is Stock Item' and 'Valuation Method'","Como hay transacciones de acciones existentes para este artículo , no se puede cambiar los valores de ""no tiene de serie ',' Is Stock Punto "" y "" Método de valoración '" Ascending,Ascendente +Asset,baza Assign To,Asignar a Assigned To,Asignado a Assignments,Asignaciones +Assistant,asistente +Associate,asociado Atleast one warehouse is mandatory,Al menos un almacén es obligatorio Attach Document Print,Adjuntar Documento Imprimir Attach Image,Adjuntar imagen @@ -293,6 +308,7 @@ Automatically compose message on submission of transactions.,Componer automátic Automatically extract Job Applicants from a mail box , Automatically extract Leads from a mail box e.g.,"Extraer automáticamente los conductores de un buzón de correo electrónico , por ejemplo," Automatically updated via Stock Entry of type Manufacture/Repack,Actualiza automáticamente a través de la entrada de tipo Fabricación / Repack +Automotive,automotor Autoreply when a new mail is received,Respuesta automática cuando se recibe un nuevo correo Available,disponible Available Qty at Warehouse,Disponible Cantidad en almacén @@ -333,6 +349,7 @@ Bank Account,cuenta Bancaria Bank Account No.,Cuenta Bancaria Bank Accounts,Cuentas bancarias Bank Clearance Summary,Resumen Liquidación del Banco +Bank Draft,letra bancaria Bank Name,Nombre del banco Bank Overdraft Account,Cuenta crédito en cuenta corriente Bank Reconciliation,Conciliación Bancaria @@ -340,6 +357,7 @@ Bank Reconciliation Detail,Detalle de conciliación bancaria Bank Reconciliation Statement,Declaración de Conciliación Bancaria Bank Voucher,Banco de Vales Bank/Cash Balance,Banco / Balance de Caja +Banking,banca Barcode,Código de barras Barcode {0} already used in Item {1},Barcode {0} ya se utiliza en el elemento {1} Based On,Basado en el @@ -348,7 +366,6 @@ Basic Info,Información Básica Basic Information,Datos Básicos Basic Rate,Tasa Básica Basic Rate (Company Currency),Basic Rate ( Compañía de divisas ) -Basic Section,Sección básica Batch,lote Batch (lot) of an Item.,Batch (lote ) de un elemento . Batch Finished Date,Fecha lotes Terminado @@ -377,6 +394,7 @@ Bills raised by Suppliers.,Bills planteadas por los proveedores. Bills raised to Customers.,Bills planteadas a los clientes. Bin,papelera Bio,Bio +Biotechnology,biotecnología Birthday,cumpleaños Block Date,Bloquear Fecha Block Days,bloque días @@ -393,6 +411,8 @@ Brand Name,Marca Brand master.,Master Marca . Brands,Marcas Breakdown,desglose +Broadcasting,radiodifusión +Brokerage,corretaje Budget,presupuesto Budget Allocated,Presupuesto asignado Budget Detail,Detalle del Presupuesto @@ -405,6 +425,7 @@ Budget cannot be set for Group Cost Centers,El presupuesto no se puede establece Build Report,Informe Construir Built on,Construido sobre Bundle items at time of sale.,Agrupe elementos en el momento de la venta. +Business Development Manager,Gerente de Desarrollo de Negocios Buying,Compra Buying & Selling,Compra y Venta Buying Amount,La compra Importe @@ -484,7 +505,6 @@ Charity and Donations,Caridad y Donaciones Chart Name,Nombre del diagrama Chart of Accounts,Plan General de Contabilidad Chart of Cost Centers,Gráfico de Centros de Coste -Check for Duplicates,Compruebe si hay duplicados Check how the newsletter looks in an email by sending it to your email.,Comprobar cómo el boletín se ve en un correo electrónico mediante el envío a su correo electrónico . "Check if recurring invoice, uncheck to stop recurring or put proper End Date","Compruebe si se repite la factura , desmarque para detener recurrente o poner fin propio Fecha" "Check if you need automatic recurring invoices. After submitting any sales invoice, Recurring section will be visible.","Compruebe si necesita facturas recurrentes automáticos. Después de la presentación de cualquier factura de venta , sección recurrente será visible." @@ -496,6 +516,7 @@ Check this to pull emails from your mailbox,Active esta opción para tirar de co Check to activate,Compruebe para activar Check to make Shipping Address,Revise para asegurarse de dirección del envío Check to make primary address,Verifique que la dirección primaria +Chemical,químico Cheque,Cheque Cheque Date,Cheque Fecha Cheque Number,Número de Cheque @@ -535,6 +556,7 @@ Comma separated list of email addresses,Lista separada por comas de direcciones Comment,comentario Comments,Comentarios Commercial,comercial +Commission,comisión Commission Rate,Comisión de Tarifas Commission Rate (%),Comisión de Cambio (% ) Commission on Sales,Comisión de Ventas @@ -568,6 +590,7 @@ Completed Production Orders,Órdenes de fabricación completadas Completed Qty,Completado Cantidad Completion Date,Fecha de Terminación Completion Status,Estado de finalización +Computer,ordenador Computers,Computadoras Confirmation Date,Confirmación Fecha Confirmed orders from Customers.,Pedidos en firme de los clientes. @@ -575,10 +598,12 @@ Consider Tax or Charge for,Considere impuesto ni un cargo por Considered as Opening Balance,Considerado como balance de apertura Considered as an Opening Balance,Considerado como un saldo inicial Consultant,consultor +Consulting,Consulting Consumable,consumible Consumable Cost,Costo de consumibles Consumable cost per hour,Costo de consumibles por hora Consumed Qty,consumido Cantidad +Consumer Products,Productos de Consumo Contact,contacto Contact Control,Contactar con el Control Contact Desc,Contactar con la descripción @@ -596,6 +621,7 @@ Contacts,Contactos Content,contenido Content Type,Tipo de contenido Contra Voucher,Contra Voucher +Contract,contrato Contract End Date,Fin del contrato Fecha Contract End Date must be greater than Date of Joining,Fin del contrato Fecha debe ser mayor que Fecha de acceso Contribution (%),Contribución (% ) @@ -611,10 +637,10 @@ Convert to Ledger,Convertir a Ledger Converted,convertido Copy,copia Copy From Item Group,Copiar de Grupo Tema +Cosmetics,productos cosméticos Cost Center,Centro de Costo Cost Center Details,Centro de coste detalles Cost Center Name,Costo Nombre del centro -Cost Center Name already exists,Costo Nombre del centro ya existe Cost Center is mandatory for Item {0},Centro de Costos es obligatorio para el elemento {0} Cost Center is required for 'Profit and Loss' account {0},"Se requiere de centros de coste para la cuenta "" Pérdidas y Ganancias "" {0}" Cost Center is required in row {0} in Taxes table for type {1},Se requiere de centros de coste en la fila {0} en la tabla Impuestos para el tipo {1} @@ -648,6 +674,7 @@ Creation Time,Momento de la creación Credentials,cartas credenciales Credit,crédito Credit Amt,crédito Amt +Credit Card,Tarjeta de Crédito Credit Card Voucher,Vale la tarjeta de crédito Credit Controller,Credit Controller Credit Days,días de Crédito @@ -696,6 +723,7 @@ Customer Issue,Problema al Cliente Customer Issue against Serial No.,Problema al cliente contra el número de serie Customer Name,Nombre del cliente Customer Naming By,Naming Cliente Por +Customer Service,servicio al cliente Customer database.,Base de datos de clientes . Customer is required,Se requiere al Cliente Customer master.,Maestro de clientes . @@ -739,7 +767,6 @@ Debit Amt,débito Amt Debit Note,Nota de Débito Debit To,débito para Debit and Credit not equal for this voucher. Difference is {0}.,Débito y Crédito no es igual para este bono. La diferencia es {0} . -Debit must equal Credit. The difference is {0},Débito debe ser igual a crédito . La diferencia es {0} Deduct,deducir Deduction,deducción Deduction Type,Tipo Deducción @@ -779,6 +806,7 @@ Default settings for accounting transactions.,Los ajustes por defecto para las t Default settings for buying transactions.,Ajustes por defecto para la compra de las transacciones . Default settings for selling transactions.,Los ajustes por defecto para la venta de las transacciones . Default settings for stock transactions.,Los ajustes por defecto para las transacciones bursátiles. +Defense,defensa "Define Budget for this Cost Center. To set budget action, see Company Master","Definir Presupuesto para este centro de coste . Para configurar la acción presupuestaria, ver Company Maestro < / a>" Delete,borrar Delete Row,Eliminar fila @@ -805,19 +833,23 @@ Delivery Status,Estado del Envío Delivery Time,Tiempo de Entrega Delivery To,Entrega Para Department,departamento +Department Stores,Tiendas por Departamento Depends on LWP,Depende LWP Depreciation,depreciación Descending,descendiente Description,descripción Description HTML,Descripción HTML Designation,designación +Designer,diseñador Detailed Breakup of the totals,Breakup detallada de los totales Details,Detalles -Difference,diferencia +Difference (Dr - Cr),Diferencia ( Dr - Cr) Difference Account,cuenta Diferencia +"Difference Account must be a 'Liability' type account, since this Stock Reconciliation is an Opening Entry","Cuenta diferencia debe ser una cuenta de tipo ' Responsabilidad ' , ya que esta Stock reconciliación es una entrada de Apertura" 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 diferente para elementos dará lugar a incorrecto ( Total) Valor neto Peso . Asegúrese de que peso neto de cada artículo esté en la misma UOM . Direct Expenses,gastos directos Direct Income,Ingreso directo +Director,director Disable,inhabilitar Disable Rounded Total,Desactivar Total redondeado Disabled,discapacitado @@ -829,6 +861,7 @@ Discount Amount,Cantidad de Descuento Discount Percentage,Descuento de porcentaje Discount must be less than 100,El descuento debe ser inferior a 100 Discount(%),Descuento (% ) +Dispatch,despacho Display all the individual items delivered with the main items,Ver todas las partidas individuales se suministran con los elementos principales Distribute transport overhead across items.,Distribuir por encima transporte a través de artículos. Distribution,distribución @@ -863,7 +896,7 @@ Download Template,Descargar Plantilla Download a report containing all raw materials with their latest inventory status,Descargar un informe con todas las materias primas con su estado actual inventario "Download the Template, fill appropriate data and attach the modified file.","Descarga la plantilla , rellenar los datos correspondientes y adjuntar el archivo modificado." "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", +All dates and employee combination in the selected period will come in the template, with existing attendance records","Descarga la plantilla , rellenar los datos correspondientes y adjuntar el archivo modificado. \ NTodos data y la combinación de los empleados en el periodo seleccionado vendrá en la plantilla, con los registros de asistencia existentes" Draft,borrador Drafts,damas Drag to sort columns,Arrastre para ordenar las columnas @@ -876,11 +909,10 @@ Due Date cannot be after {0},Fecha de vencimiento no puede ser posterior a {0} Due Date cannot be before Posting Date,Fecha de vencimiento no puede ser anterior Fecha de publicación Duplicate Entry. Please check Authorization Rule {0},"Duplicate Entry. Por favor, consulte Autorización Rule {0}" Duplicate Serial No entered for Item {0},Duplicar Serial No entró a la partida {0} +Duplicate entry,Duplicate entry Duplicate row {0} with same {1},Duplicar fila {0} con el mismo {1} Duties and Taxes,Derechos e impuestos ERPNext Setup,Configuración ERPNext -ESIC CARD No,ESIC TARJETA No -ESIC No.,ESIC No. Earliest,Primeras Earnest Money,dinero Earnest Earning,Ganar @@ -889,6 +921,7 @@ Earning Type,Ganar Tipo Earning1,Earning1 Edit,editar Editable,editable +Education,educación Educational Qualification,Capacitación para la Educación Educational Qualification Details,Educational Qualification Detalles Eg. smsgateway.com/api/send_sms.cgi,Eg . smsgateway.com / api / send_sms.cgi @@ -898,6 +931,7 @@ Either target qty or target amount is mandatory.,Cualquiera Cantidad de destino Electrical,eléctrico Electricity Cost,Costes de electricidad Electricity cost per hour,Costo de electricidad por hora +Electronics,electrónica Email,Email Email Digest,boletín por correo electrónico Email Digest Settings,Configuración de correo electrónico Digest @@ -931,7 +965,6 @@ Employee Records to be created by,Registros de empleados a ser creados por Employee Settings,Configuración del Empleado Employee Type,Tipo de empleo "Employee designation (e.g. CEO, Director etc.).","Designación del empleado ( por ejemplo, director general, director , etc.)" -Employee grade.,Grado del empleado . Employee master.,Maestro de empleados . Employee record is created using selected field. ,Registro de empleado se crea utilizando el campo seleccionado. Employee records.,Registros de empleados . @@ -949,6 +982,8 @@ End Date,Fecha de finalización End Date can not be less than Start Date,Fecha de finalización no puede ser inferior a Fecha de Inicio End date of current invoice's period,Fecha de finalización del periodo de facturación actual End of Life,Final de la Vida +Energy,energía +Engineer,ingeniero Enter Value,Introducir valor Enter Verification Code,Ingrese el código de verificación Enter campaign name if the source of lead is campaign.,Ingrese nombre de la campaña si la fuente del plomo es la campaña . @@ -961,6 +996,7 @@ Enter name of campaign if source of enquiry is campaign,Escriba el nombre de la Enter the company name under which Account Head will be created for this Supplier,Introduzca el nombre de la empresa en virtud del cual la Cuenta Head se creará para este proveedor Enter url parameter for message,Introduzca el parámetro url para el mensaje Enter url parameter for receiver nos,Introduzca el parámetro url para el receptor nos +Entertainment & Leisure,Entretenimiento y Ocio Entertainment Expenses,gastos de Entretenimiento Entries,entradas Entries against,"Rellenar," @@ -972,10 +1008,12 @@ Error: {0} > {1},Error: {0} > {1} Estimated Material Cost,Costo estimado del material Everyone can read,Todo el mundo puede leer "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.", +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 # # # # # \ nSi serie se establece y No de serie no se menciona en las transacciones , a continuación, el número de serie automática se creará sobre la base de esta serie." Exchange Rate,Tipo de Cambio Excise Page Number,Número Impuestos Especiales Página Excise Voucher,vale de Impuestos Especiales +Execution,ejecución +Executive Search,Búsqueda de Ejecutivos Exemption Limit,Límite de Exención Exhibition,exposición Existing Customer,cliente existente @@ -990,6 +1028,7 @@ Expected Delivery Date cannot be before Purchase Order Date,Fecha prevista de en Expected Delivery Date cannot be before Sales Order Date,Fecha prevista de entrega no puede ser anterior Fecha de órdenes de venta Expected End Date,Fecha de finalización prevista Expected Start Date,Fecha prevista de inicio +Expense,gasto Expense Account,cuenta de Gastos Expense Account is mandatory,Cuenta de Gastos es obligatorio Expense Claim,Reclamación de Gastos @@ -1007,7 +1046,7 @@ Expense Date,Gasto Fecha Expense Details,Detalles de Gastos Expense Head,Jefe de gastos Expense account is mandatory for item {0},Cuenta de gastos es obligatorio para el elemento {0} -Expense or Difference account is mandatory for Item {0} as there is difference in value,Cuenta de gastos o Diferencia es obligatorio para el elemento {0} ya que hay diferencia en el valor +Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,"Cuenta de gastos o Diferencia es obligatorio para el elemento {0} , ya que los impactos valor de las acciones en general" Expenses,gastos Expenses Booked,gastos Reservados Expenses Included In Valuation,Gastos dentro de la valoración @@ -1034,13 +1073,11 @@ File,expediente Files Folder ID,Carpeta de archivos ID Fill the form and save it,Llene el formulario y guárdelo Filter,filtro -Filter By Amount,Filtrar por Cantidad -Filter By Date,Filtrar por Fecha Filter based on customer,Filtro basado en cliente Filter based on item,Filtrar basada en el apartado -Final Confirmation Date must be greater than Date of Joining,Confirmación Fecha final debe ser mayor que Fecha de acceso Financial / accounting year.,Ejercicio / contabilidad. Financial Analytics,Financial Analytics +Financial Services,Servicios Financieros Financial Year End Date,Ejercicio Fecha de finalización Financial Year Start Date,Ejercicio Fecha de Inicio Finished Goods,productos terminados @@ -1052,6 +1089,7 @@ Fixed Assets,Activos Fijos Follow via Email,Siga a través de correo electrónico "Following table will show values if items are sub - contracted. These values will be fetched from the master of ""Bill of Materials"" of sub - contracted items.","La siguiente tabla se muestran los valores si los artículos son sub - contratado. Estos valores se pueden recuperar desde el maestro de la "" Lista de materiales "" de los sub - elementos contratados." Food,comida +"Food, Beverage & Tobacco","Alimentos, Bebidas y Tabaco" For Company,Para la empresa For Employee,Para Empleados For Employee Name,En Nombre del Empleado @@ -1106,6 +1144,7 @@ Frozen,congelado Frozen Accounts Modifier,Frozen Accounts modificador Fulfilled,cumplido Full Name,Nombre Completo +Full-time,De jornada completa Fully Completed,totalmente Terminado Furniture and Fixture,Muebles y Fixture Further accounts can be made under Groups but entries can be made against Ledger,Otras cuentas se pueden hacer en Grupos pero las entradas se pueden hacer en contra de Ledger @@ -1125,14 +1164,15 @@ Generates HTML to include selected image in the description,Genera HTML para inc Get,conseguir Get Advances Paid,Cómo anticipos pagados Get Advances Received,Cómo anticipos recibidos +Get Against Entries,Obtenga Contra los comentarios Get Current Stock,Obtenga Stock actual Get From ,Obtener de Get Items,Obtener elementos Get Items From Sales Orders,Obtener elementos De órdenes de venta Get Items from BOM,Obtener elementos de la lista de materiales Get Last Purchase Rate,Obtenga Última Tarifa de compra -Get Non Reconciled Entries,Obtenga los comentarios no reconciliado Get Outstanding Invoices,Recibe las facturas pendientes +Get Relevant Entries,Obtenga Asientos correspondientes Get Sales Orders,Recibe órdenes de venta Get Specification Details,Obtenga Especificación Detalles Get Stock and Rate,Obtenga Stock y Cambio @@ -1151,14 +1191,13 @@ Goods received from Suppliers.,Productos recibidos de proveedores . Google Drive,Google Drive Google Drive Access Allowed,Google Drive acceso permitido Government,gobierno -Grade,grado Graduate,graduado Grand Total,Gran Total Grand Total (Company Currency),Total general ( Compañía de divisas ) -Gratuity LIC ID,Gratificación LIC ID Greater or equals,Mayor o igual que Greater than,más que "Grid ""","Grid """ +Grocery,tienda de comestibles Gross Margin %,Margen Bruto % Gross Margin Value,Valor Margen bruto Gross Pay,Pago bruto @@ -1173,6 +1212,7 @@ Group by Account,Grupos Por Cuenta Group by Voucher,Grupo por Bono Group or Ledger,Grupo o Ledger Groups,Grupos +HR Manager,Gerente de Recursos Humanos HR Settings,Configuración de recursos humanos HTML / Banner that will show on the top of product list.,HTML / Banner que aparecerá en la parte superior de la lista de productos. Half Day,Medio Día @@ -1183,7 +1223,9 @@ Hardware,hardware Has Batch No,Tiene lotes No Has Child Node,Tiene Nodo Niño Has Serial No,Tiene de serie n +Head of Marketing and Sales,Director de Marketing y Ventas Header,encabezamiento +Health Care,Cuidado de la Salud Health Concerns,Preocupaciones de salud Health Details,Detalles de la Salud Held On,celebrada el @@ -1266,6 +1308,7 @@ In Words will be visible once you save the Sales Invoice.,En palabras serán vis In Words will be visible once you save the Sales Order.,En palabras serán visibles una vez que guarde el pedido de ventas . In response to,En respuesta a Incentives,Incentivos +Include Reconciled Entries,Incluya los comentarios conciliadas Include holidays in Total no. of Working Days,Incluya vacaciones en total no. de días laborables Income,ingresos Income / Expense,Ingresos / gastos @@ -1302,7 +1345,9 @@ Installed Qty,Cantidad instalada Instructions,instrucciones Integrate incoming support emails to Support Ticket,Integrar los correos electrónicos de apoyo recibidas de Apoyo Ticket Interested,interesado +Intern,interno Internal,interno +Internet Publishing,Internet Publishing Introduction,introducción Invalid Barcode or Serial No,Código de barras de serie no válido o No Invalid Email: {0},Email no válido : {0} @@ -1313,6 +1358,7 @@ Invalid User Name or Support Password. Please rectify and try again.,No válida Invalid quantity specified for item {0}. Quantity should be greater than 0.,Cantidad no válido para el elemento {0} . Cantidad debe ser mayor que 0 . Inventory,inventario Inventory & Support,Soporte de Inventario y +Investment Banking,Banca de Inversión Investments,inversiones Invoice Date,Fecha de la factura Invoice Details,detalles de la factura @@ -1430,6 +1476,9 @@ Item-wise Purchase History,- Artículo sabio Historial de compras Item-wise Purchase Register,- Artículo sabio Compra Registrarse Item-wise Sales History,- Artículo sabio Historia Ventas Item-wise Sales Register,- Artículo sabio ventas Registrarse +"Item: {0} managed batch-wise, can not be reconciled using \ + Stock Reconciliation, instead use Stock Entry","Artículo: {0} gestionado por lotes , no se puede conciliar el uso de \ \ n de la Reconciliación , en lugar de utilizar la entrada Stock" +Item: {0} not found in the system,Artículo: {0} no se encuentra en el sistema Items,Artículos Items To Be Requested,Los artículos que se solicitarán Items required,Elementos necesarios @@ -1448,9 +1497,10 @@ Journal Entry,Entrada de diario Journal Voucher,Comprobante de Diario Journal Voucher Detail,Detalle Diario Voucher Journal Voucher Detail No,Detalle Diario Voucher No -Journal Voucher {0} does not have account {1}.,Comprobante de Diario {0} no tiene cuenta de {1} . +Journal Voucher {0} does not have account {1} or already matched,Comprobante de Diario {0} no tiene cuenta {1} o ya emparejado Journal Vouchers {0} are un-linked,Documentos preliminares {0} están vinculados a la ONU Keep a track of communication related to this enquiry which will help for future reference.,Mantenga un registro de la comunicación en relación con esta investigación que ayudará para futuras consultas. +Keep it web friendly 900px (w) by 100px (h),Manténgalo web 900px mascotas ( w ) por 100px ( h ) Key Performance Area,Área clave de rendimiento Key Responsibility Area,Área de Responsabilidad Clave Kg,kg @@ -1506,7 +1556,6 @@ Leave blank if considered for all branches,Dejar en blanco si se considera para Leave blank if considered for all departments,Dejar en blanco si se considera para todos los departamentos Leave blank if considered for all designations,Dejar en blanco si se considera para todas las designaciones Leave blank if considered for all employee types,Dejar en blanco si se considera para todos los tipos de empleados -Leave blank if considered for all grades,Dejar en blanco si se considera para todos los grados "Leave can be approved by users with Role, ""Leave Approver""","Deja que se pueda aprobar por los usuarios con roles, "" Deja aprobador """ Leave of type {0} cannot be longer than {1},Dejar de tipo {0} no puede tener más de {1} Leaves Allocated Successfully for {0},Hojas distribuidos con éxito para {0} @@ -1515,6 +1564,7 @@ Leaves must be allocated in multiples of 0.5,"Las hojas deben ser asignados en m Ledger,libro mayor Ledgers,Libros de contabilidad Left,izquierda +Legal,legal Legal Expenses,gastos legales Less or equals,Menor o igual Less than,menos que @@ -1522,16 +1572,16 @@ Letter Head,Cabeza Carta Letter Heads for print templates.,Jefes de letras para las plantillas de impresión. Level,nivel Lft,Lft +Liability,responsabilidad Like,como Linked With,Vinculado con List,lista List a few of your customers. They could be organizations or individuals.,Enumere algunos de sus clientes. Pueden ser organizaciones o individuos. List a few of your suppliers. They could be organizations or individuals.,Enumere algunos de sus proveedores. Pueden ser organizaciones o individuos. -"List a few products or services you buy from your suppliers or vendors. If these are same as your products, then do not add them.","Enumere algunos productos o servicios que usted compra a sus proveedores o vendedores . Si éstas son iguales que sus productos, entonces no los agregue ." List items that form the package.,Lista de tareas que forman el paquete . List this Item in multiple groups on the website.,Este artículo no en varios grupos en el sitio web . -"List your products or services that you sell to your customers. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Publica tus productos o servicios que usted vende a sus clientes. Asegúrese de revisar el Grupo del artículo , unidad de medida y otras propiedades cuando se inicia ." -"List your tax heads (e.g. VAT, Excise) (upto 3) and their standard rates. This will create a standard template, you can edit and add more later.","Enumere sus cabezas de impuestos (por ejemplo, el IVA , los impuestos especiales ) (hasta 3 ) y sus tarifas estándar . Esto creará una plantilla estándar , se puede editar y añadir más tarde." +"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 tus productos o servicios que usted compra o vende . +"List your tax heads (e.g. VAT, Excise; 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 cabezas fiscales ( por ejemplo, IVA , impuestos especiales , sino que deben tener nombres únicos ) y sus tasas estándar." Loading,loading Loading Report,Cargando Reportar Loading...,Loading ... @@ -1598,6 +1648,8 @@ Manage Customer Group Tree.,Gestione Grupo de Clientes Tree. Manage Sales Person Tree.,Gestione Sales Person árbol . Manage Territory Tree.,Gestione Territorio Tree. Manage cost of operations,Gestione costo de las operaciones +Management,administración +Manager,gerente Mandatory fields required in {0},Los campos obligatorios requeridos en {0} Mandatory filters required:\n,Filtros obligatorios exigidos: \ n "Mandatory if Stock Item is ""Yes"". Also the default warehouse where reserved quantity is set from Sales Order.","Obligatorio si Stock Item es "" Sí"" . También el almacén por defecto en que la cantidad reservada se establece a partir de órdenes de venta ." @@ -1614,6 +1666,7 @@ Manufacturing Quantity is mandatory,Fabricación Cantidad es obligatorio Margin,margen Marital Status,estado civil Market Segment,sector de mercado +Marketing,mercadeo Marketing Expenses,gastos de comercialización Married,casado Mass Mailing,Mass Mailing @@ -1640,6 +1693,7 @@ Material Requirement,material Requirement Material Transfer,transferencia de material Materials,Materiales Materials Required (Exploded),Materiales necesarios ( despiece ) +Max 5 characters,Max 5 caracteres Max Days Leave Allowed,Número máximo de días de baja por mascotas Max Discount (%),Max Descuento (% ) Max Qty,Max Und @@ -1648,7 +1702,7 @@ Maximum {0} rows allowed,Máximo {0} filas permitidos Maxiumm discount for Item {0} is {1}%,Descuento Maxiumm de elemento {0} es {1}% Medical,médico Medium,medio -"Merging is only possible if following properties are same in both records. Group or Ledger, Report Type, Company","La fusión sólo es posible si las propiedades son las mismas en ambos registros. Grupo o Ledger, Tipo de informe , la empresa" +"Merging is only possible if following properties are same in both records. Group or Ledger, Root Type, Company",La fusión sólo es posible si las propiedades son las mismas en ambos registros. Message,mensaje Message Parameter,Parámetro Mensaje Message Sent,Mensaje enviado @@ -1662,6 +1716,7 @@ Milestones,hitos Milestones will be added as Events in the Calendar,Hitos se agregarán como Eventos en el Calendario Min Order Qty,Cantidad de pedido mínima Min Qty,Qty del minuto +Min Qty can not be greater than Max Qty,Qty del minuto no puede ser mayor que Max Und Minimum Order Qty,Mínimo Online con su nombre Minute,minuto Misc Details,Otros Detalles @@ -1684,6 +1739,7 @@ Monthly salary statement.,Nómina mensual . More,más More Details,Más detalles More Info,Más información +Motion Picture & Video,Motion Picture & Video Move Down: {0},Bajar : {0} Move Up: {0},Move Up : {0} Moving Average,media Móvil @@ -1691,6 +1747,9 @@ Moving Average Rate,Mover Tarifa media Mr,Sr. Ms,ms Multiple Item prices.,Precios de los artículos múltiples. +"Multiple Price Rule exists with same criteria, please resolve \ + conflict by assigning priority. Price Rules: {0}","Múltiple Precio Regla existe con los mismos criterios , por favor resolver \ conflicto \ n asignando prioridad." +Music,música Must be Whole Number,Debe ser un número entero My Settings,Mis Opciones Name,nombre @@ -1702,7 +1761,9 @@ Name not permitted,Nombre no permitido Name of person or organization that this address belongs to.,Nombre de la persona u organización que esta dirección pertenece. Name of the Budget Distribution,Nombre de la Distribución del Presupuesto Naming Series,Nombrar Series +Negative Quantity is not allowed,Cantidad negativa no se permite Negative Stock Error ({6}) for Item {0} in Warehouse {1} on {2} {3} in {4} {5},Negativo Stock Error ( {6} ) para el punto {0} en Almacén {1} en {2} {3} en {4} {5} +Negative Valuation Rate is not allowed,Negativo valoración de tipo no está permitida Negative balance in Batch {0} for Item {1} at Warehouse {2} on {3} {4},Saldo negativo en lotes {0} para el artículo {1} en Almacén {2} del {3} {4} Net Pay,Pago neto Net Pay (in words) will be visible once you save the Salary Slip.,Pago neto (en palabras) será visible una vez que guarde la nómina . @@ -1750,6 +1811,7 @@ Newsletter Status,Boletín Estado Newsletter has already been sent,Boletín de noticias ya ha sido enviada Newsletters is not allowed for Trial users,Boletines No se permite a los usuarios de prueba "Newsletters to contacts, leads.","Boletines de contactos, clientes potenciales ." +Newspaper Publishers,Editores de Periódicos Next,próximo Next Contact By,Siguiente Contactar Por Next Contact Date,Siguiente Contactar Fecha @@ -1773,17 +1835,18 @@ No Results,No hay resultados No Supplier Accounts found. Supplier Accounts are identified based on 'Master Type' value in account record.,No hay cuentas de proveedores encontrado . Cuentas de proveedores se identifican con base en el valor de ' Maestro Type' en el registro de cuenta. No accounting entries for the following warehouses,No hay asientos contables para los siguientes almacenes No addresses created,No hay direcciones creadas -No amount allocated,Ninguna cantidad asignada No contacts created,No hay contactos creados No default BOM exists for Item {0},No existe una lista de materiales por defecto para el elemento {0} No description given,Sin descripción No document selected,Ningún documento seleccionado No employee found,No se han encontrado empleado +No employee found!,Ningún empleado encontrado! No of Requested SMS,No de SMS Solicitado No of Sent SMS,No de SMS enviados No of Visits,No de Visitas No one,nadie No permission,No permission +No permission to '{0}' {1},No tiene permiso para '{0} ' {1} No permission to edit,No tiene permiso para editar No record found,No se han encontrado registros No records tagged.,No hay registros etiquetados . @@ -1843,6 +1906,7 @@ Old Parent,Antiguo Padres On Net Total,En total neto On Previous Row Amount,El anterior Importe Row On Previous Row Total,El anterior fila Total +Online Auctions,Subastas en línea Only Leave Applications with status 'Approved' can be submitted,"Sólo Agregar aplicaciones con estado "" Aprobado "" puede ser presentada" "Only Serial Nos with status ""Available"" can be delivered.","Sólo los números de serie con el estado "" disponible"" puede ser entregado." Only leaf nodes are allowed in transaction,Sólo los nodos hoja se permite en una transacción @@ -1888,6 +1952,7 @@ Organization Name,Nombre de la organización Organization Profile,Perfil de la organización Organization branch master.,Master rama Organización. Organization unit (department) master.,Unidad de Organización ( departamento) maestro. +Original Amount,Monto original Original Message,Mensaje Original Other,otro Other Details,Otras Datos @@ -1905,9 +1970,6 @@ Overlapping conditions found between:,La superposición de condiciones encontrad Overview,visión de conjunto Owned,Propiedad Owner,propietario -PAN Number,Número PAN -PF No.,PF No. -PF Number,Número PF PL or BS,PL o BS PO Date,PO Fecha PO No,PO No @@ -1919,7 +1981,6 @@ POS Setting,POS Ajuste POS Setting required to make POS Entry,POS de ajuste necesario para hacer la entrada POS POS Setting {0} already created for user: {1} and company {2},POS Ajuste {0} ya creado para el usuario: {1} y {2} empresa POS View,POS Ver -POS-Setting-.#,POS -Setting - . # PR Detail,Detalle PR PR Posting Date,PR Fecha de publicación Package Item Details,Artículo Detalles del paquete @@ -1955,6 +2016,7 @@ Parent Website Route,Padres Website Ruta Parent account can not be a ledger,Cuenta de Padres no puede ser un libro de contabilidad Parent account does not exist,Padres cuenta no existe Parenttype,ParentType +Part-time,A media jornada Partially Completed,Completó parcialmente Partly Billed,Parcialmente Anunciado Partly Delivered,Parcialmente Entregado @@ -1972,7 +2034,6 @@ Payables,Cuentas por pagar Payables Group,Deudas Grupo Payment Days,días de pago Payment Due Date,Pago Fecha de vencimiento -Payment Entries,entradas de pago Payment Period Based On Invoice Date,Período de pago basado en Fecha de la factura Payment Type,Tipo de Pago Payment of salary for the month {0} and year {1},El pago del salario correspondiente al mes {0} y {1} años @@ -1989,6 +2050,7 @@ Pending Amount,Pendiente Monto Pending Items {0} updated,Elementos Pendientes {0} actualizado Pending Review,opinión pendiente Pending SO Items For Purchase Request,A la espera de SO Artículos A la solicitud de compra +Pension Funds,Fondos de Pensiones Percent Complete,Porcentaje completado Percentage Allocation,Porcentaje de asignación de Percentage Allocation should be equal to 100%,Porcentaje de asignación debe ser igual al 100 % @@ -1997,7 +2059,6 @@ Percentage you are allowed to receive or deliver more against the quantity order Performance appraisal.,La evaluación del desempeño . Period,período Period Closing Voucher,Vale Período de Cierre -Period is too short,El período es demasiado corto Periodicity,periodicidad Permanent Address,Dirección permanente Permanent Address Is,Dirección permanente es @@ -2009,15 +2070,18 @@ Personal,personal Personal Details,Datos Personales Personal Email,Correo electrónico personal Pharmaceutical,farmacéutico +Pharmaceuticals,Productos farmacéuticos Phone,teléfono Phone No,Teléfono No Pick Columns,Elige Columnas +Piecework,trabajo a destajo Pincode,pincode Place of Issue,Lugar de emisión Plan for maintenance visits.,Plan para las visitas de mantenimiento . Planned Qty,Planificada Cantidad "Planned Qty: Quantity, for which, Production Order has been raised, but is pending to be manufactured.","Planificada Cantidad : Cantidad , para lo cual, orden de producción se ha elevado , pero está a la espera de ser fabricados ." Planned Quantity,Cantidad planificada +Planning,planificación Plant,planta Plant and Machinery,Instalaciones técnicas y maquinaria Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,"Por favor, introduzca Abreviatura o Nombre corto correctamente ya que se añadirá como sufijo a todos los Jefes de Cuenta." @@ -2054,7 +2118,6 @@ Please enter Planned Qty for Item {0} at row {1},Por favor introduzca Planificad Please enter Production Item first,Por favor introduzca Artículo Producción primera Please enter Purchase Receipt No to proceed,Por favor introduzca recibo de compra en No para continuar Please enter Reference date,Por favor introduzca la fecha de referencia -Please enter Start Date and End Date,Por favor introduce Fecha de inicio y Fecha de finalización Please enter Warehouse for which Material Request will be raised,"Por favor introduzca Almacén, bodega en la que se planteará Solicitud de material" Please enter Write Off Account,Por favor introduce Escriba Off Cuenta Please enter atleast 1 invoice in the table,Por favor introduzca al menos 1 de facturas en la tabla @@ -2103,9 +2166,9 @@ Please select item code,"Por favor, seleccione el código del artículo" Please select month and year,Por favor seleccione el mes y el año Please select prefix first,"Por favor, selecciona primero el prefijo" Please select the document type first,Por favor seleccione el tipo de documento primero -Please select valid Voucher No to proceed,Por favor seleccione la hoja no válida para proceder Please select weekly off day,Por favor seleccione el día libre semanal Please select {0},"Por favor, seleccione {0}" +Please select {0} first,"Por favor, seleccione {0} primero" Please set Dropbox access keys in your site config,"Por favor, establece las claves de acceso de Dropbox en tu config sitio" Please set Google Drive access keys in {0},"Por favor, establece las claves de acceso de Google Drive en {0}" Please set default Cash or Bank account in Mode of Payment {0},"Por favor, ajuste de cuenta bancaria Efectivo por defecto o en el modo de pago {0}" @@ -2121,6 +2184,7 @@ Please specify Default Currency in Company Master and Global Defaults,"Por favor Please specify a,"Por favor, especifique un" Please specify a valid 'From Case No.',Especifique un válido ' De Caso No. ' Please specify a valid Row ID for {0} in row {1},Especifique un ID de fila válido para {0} en la fila {1} +Please specify either Quantity or Valuation Rate or both,Por favor especificar Cantidad o valoración de tipo o ambos Please submit to update Leave Balance.,"Por favor, envíe actualizar Dejar Balance." Plot,parcela Plot By,Terreno Por @@ -2170,11 +2234,14 @@ Print and Stationary,Impresión y Papelería Print...,Imprimir ... Printing and Branding,Prensa y Branding Priority,prioridad +Private Equity,Private Equity Privilege Leave,Privilege Dejar +Probation,libertad condicional Process Payroll,nómina de Procesos Produced,producido Produced Quantity,Cantidad producida Product Enquiry,Consulta de producto +Production,producción Production Order,Orden de Producción Production Order status is {0},Estado de la orden de producción es de {0} Production Order {0} must be cancelled before cancelling this Sales Order,Orden de producción {0} debe ser cancelado antes de cancelar esta orden Ventas @@ -2187,12 +2254,12 @@ Production Plan Sales Order,Plan de Producción Ventas Orden Production Plan Sales Orders,Plan de Producción de órdenes de venta Production Planning Tool,Herramienta de Planificación de la producción Products,Productos -Products or Services You Buy,Los productos o servicios que usted compra "Products will be sorted by weight-age in default searches. More the weight-age, higher the product will appear in the list.","Los productos se clasifican por peso-edad en las búsquedas por defecto. Más del peso-edad , más alto es el producto aparecerá en la lista." Profit and Loss,Pérdidas y Ganancias Project,proyecto Project Costing,Proyecto de Costos Project Details,Detalles del Proyecto +Project Manager,Gerente de Proyectos Project Milestone,Proyecto Milestone Project Milestones,Hitos del Proyecto Project Name,Nombre del proyecto @@ -2209,9 +2276,10 @@ Projected Qty,proyectado Cantidad Projects,Proyectos Projects & System,Proyectos y Sistema Prompt for Email on Submission of,Preguntar por el correo electrónico en la presentación de +Proposal Writing,Redacción de Propuestas Provide email id registered in company,Proporcionar correo electrónico de identificación registrado en la compañía Public,público -Pull Payment Entries,Tire de las entradas de pago +Publishing,publicación Pull sales orders (pending to deliver) based on the above criteria,Tire de las órdenes de venta (pendiente de entregar ) sobre la base de los criterios anteriores Purchase,compra Purchase / Manufacture Details,Detalles de compra / Fábricas @@ -2277,6 +2345,7 @@ Quality Inspection Parameters,Parámetros de Inspección de Calidad Quality Inspection Reading,Inspección Reading Quality Quality Inspection Readings,Lecturas de Inspección de Calidad Quality Inspection required for Item {0},Inspección de la calidad requerida para el punto {0} +Quality Management,Gestión de la Calidad Quantity,cantidad Quantity Requested for Purchase,Cantidad solicitada para la compra Quantity and Rate,Cantidad y Cambio @@ -2340,6 +2409,7 @@ Reading 6,lectura 6 Reading 7,lectura 7 Reading 8,lectura 8 Reading 9,lectura 9 +Real Estate,Bienes Raíces Reason,razón Reason for Leaving,Razones para dejar el Reason for Resignation,Motivo de la renuncia @@ -2358,6 +2428,7 @@ Receiver List,Lista de receptores Receiver List is empty. Please create Receiver List,"Lista de receptores está vacía. Por favor, cree Lista de receptores" Receiver Parameter,receptor de parámetros Recipients,destinatarios +Reconcile,conciliar Reconciliation Data,Reconciliación de Datos Reconciliation HTML,Reconciliación HTML Reconciliation JSON,Reconciliación JSON @@ -2407,6 +2478,7 @@ Report,informe Report Date,Fecha del informe Report Type,Tipo de informe Report Type is mandatory,Tipo de informe es obligatorio +Report an Issue,Informar un problema Report was not saved (there were errors),Informe no se guardó ( hubo errores ) Reports to,Informes al Reqd By Date,Reqd Por Fecha @@ -2425,6 +2497,9 @@ Required Date,Fecha requerida Required Qty,Cantidad necesaria Required only for sample item.,Sólo es necesario para el artículo de muestra . Required raw materials issued to the supplier for producing a sub - contracted item.,Las materias primas necesarias emitidas al proveedor para la producción de un sub - ítem contratado . +Research,investigación +Research & Development,Investigación y Desarrollo +Researcher,investigador Reseller,Reseller Reserved,reservado Reserved Qty,reservados Cantidad @@ -2444,11 +2519,14 @@ Resolution Details,Detalles de la resolución Resolved By,Resuelto por Rest Of The World,Resto del mundo Retail,venta al por menor +Retail & Wholesale,Venta al por menor y al por mayor Retailer,detallista Review Date,Fecha de revisión Rgt,Rgt Role Allowed to edit frozen stock,Papel animales de editar stock congelado Role that is allowed to submit transactions that exceed credit limits set.,Papel que se permite presentar las transacciones que excedan los límites de crédito establecidos . +Root Type,Tipo Root +Root Type is mandatory,Tipo Root es obligatorio Root account can not be deleted,Cuenta root no se puede borrar Root cannot be edited.,Root no se puede editar . Root cannot have a parent cost center,Raíz no puede tener un centro de costes de los padres @@ -2456,6 +2534,16 @@ Rounded Off,redondeado Rounded Total,total redondeado Rounded Total (Company Currency),Total redondeado ( Compañía de divisas ) Row # ,Fila # +Row # {0}: , +"Row {0}: Account does not match with \ + Purchase Invoice Credit To account",Fila {0}: Cuenta no coincide con \ \ n Compra Factura de Crédito Para tener en cuenta +"Row {0}: Account does not match with \ + Sales Invoice Debit To account",Fila {0}: Cuenta no coincide con \ \ n Factura Débito Para tener en cuenta +Row {0}: Credit entry can not be linked with a Purchase Invoice,Fila {0}: entrada de crédito no puede vincularse con una factura de compra +Row {0}: Debit entry can not be linked with a Sales Invoice,Fila {0}: entrada de débito no se puede vincular con una factura de venta +"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 \ \ n debe ser mayor que o igual a {2}" +Row {0}:Start Date must be before End Date,Fila {0}: Fecha de inicio debe ser anterior Fecha de finalización Rules for adding shipping costs.,Reglas para la adición de los gastos de envío . Rules for applying pricing and discount.,Reglas para la aplicación de precios y descuentos . Rules to calculate shipping amount for a sale,Reglas para calcular el importe de envío para una venta @@ -2547,7 +2635,6 @@ Schedule,horario Schedule Date,Horario Fecha Schedule Details,Agenda Detalles Scheduled,Programado -Scheduled Confirmation Date must be greater than Date of Joining,Programado Confirmación fecha debe ser mayor que Fecha de acceso Scheduled Date,Fecha prevista Scheduled to send to {0},Programado para enviar a {0} Scheduled to send to {0} recipients,Programado para enviar a {0} destinatarios @@ -2559,7 +2646,9 @@ Score must be less than or equal to 5,Puntuación debe ser menor o igual a 5 Scrap %,Scrap % Search,búsqueda Seasonality for setting budgets.,Estacionalidad de establecer presupuestos. +Secretary,secretario Secured Loans,Préstamos Garantizados +Securities & Commodity Exchanges,Valores y Bolsas de Productos Securities and Deposits,Valores y Depósitos "See ""Rate Of Materials Based On"" in Costing Section","Consulte "" Cambio de materiales a base On"" en la sección Cálculo del coste" "Select ""Yes"" for sub - contracting items","Seleccione "" Sí"" para el sub - contratación de artículos" @@ -2589,7 +2678,6 @@ Select dates to create a new ,Selecciona fechas para crear un nuevo Select or drag across time slots to create a new event.,Seleccione o arrastre a través de los intervalos de tiempo para crear un nuevo evento. Select template from which you want to get the Goals,Seleccione la plantilla de la que usted desea conseguir los Objetivos de Select the Employee for whom you are creating the Appraisal.,Seleccione el empleado para el que está creando la Evaluación . -Select the Invoice against which you want to allocate payments.,Seleccione la factura en la que desea asignar pagos. Select the period when the invoice will be generated automatically,Seleccione el período en que la factura se generará de forma automática Select the relevant company name if you have multiple companies,Seleccione el nombre de sociedades correspondiente si tiene varias empresas Select the relevant company name if you have multiple companies.,Seleccione el nombre de sociedades correspondiente si tiene varias empresas . @@ -2640,7 +2728,8 @@ Serial No {0} status must be 'Available' to Deliver,"Número de orden {0} Estado Serial Nos Required for Serialized Item {0},Serie n Necesario para artículo serializado {0} Serial Number Series,Número de Serie Serie Serial number {0} entered more than once,Número de serie {0} entraron más de una vez -Serialized Item {0} cannot be updated using Stock Reconciliation,Artículo Serialized {0} no se puede actualizar mediante Stock Reconciliación +"Serialized Item {0} cannot be updated \ + using Stock Reconciliation",Artículo Serialized {0} no se puede actualizar \ \ n usando Stock Reconciliación Series,serie Series List for this Transaction,Lista de series para esta transacción Series Updated,Series Actualizado @@ -2655,7 +2744,6 @@ Set,conjunto "Set Default Values like Company, Currency, Current Fiscal Year, etc.","Establecer valores predeterminados , como empresa , vigencia actual año fiscal , etc" 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 . Set Link,Establecer Enlace -Set allocated amount against each Payment Entry and click 'Allocate'.,"Set asigna cantidad en cada entrada de pago y haga clic en "" Asignar "" ." Set as Default,Establecer como predeterminado Set as Lost,Establecer como Perdidos Set prefix for numbering series on your transactions,Establecer prefijo de numeración de serie en sus transacciones @@ -2706,6 +2794,9 @@ Single,solo Single unit of an Item.,Una sola unidad de un elemento . Sit tight while your system is being setup. This may take a few moments.,Estar tranquilos mientras el sistema está siendo configuración. Esto puede tomar un momento . Slideshow,Presentación +Soap & Detergent,Jabón y Detergente +Software,software +Software Developer,desarrollador de Software Sorry we were unable to find what you were looking for.,"Lo sentimos, no pudimos encontrar lo que estabas buscando ." Sorry you are not permitted to view this page.,"Lo sentimos, usted no está autorizado a ver esta página ." "Sorry, Serial Nos cannot be merged","Lo sentimos , Nos de serie no se puede fusionar" @@ -2719,8 +2810,6 @@ Source of Funds (Liabilities),Fuente de los fondos ( Pasivo ) Source warehouse is mandatory for row {0},Almacén de origen es obligatoria para la fila {0} Spartan,espartano "Special Characters except ""-"" and ""/"" not allowed in naming series","Caracteres especiales , excepto "" -"" y "" / "" no se permiten en el nombramiento de serie" -Special Characters not allowed in Abbreviation,Caracteres especiales no permitidos en Abreviatura -Special Characters not allowed in Company Name,Caracteres especiales no permitidos en Nombre de la empresa Specification Details,Especificaciones Detalles Specifications,Especificaciones "Specify a list of Territories, for which, this Price List is valid","Especifica una lista de territorios , para lo cual, la lista de precios es válida" @@ -2728,16 +2817,18 @@ Specifications,Especificaciones "Specify a list of Territories, for which, this Taxes Master is valid","Especifica una lista de territorios , para lo cual, esta Impuestos Master es válida" "Specify the operations, operating cost and give a unique Operation no to your operations.","Especifique la operación , el costo de operación y dar una operación única que no a sus operaciones." Split Delivery Note into packages.,Dividir nota de entrega en paquetes . +Sports,deportes Standard,estándar +Standard Buying,Compra estándar Standard Rate,Tarifa estandar Standard Reports,Informes estándar +Standard Selling,Venta estándar Standard contract terms for Sales or Purchase.,Condiciones contractuales estándar para Ventas o Compra. Start,comienzo Start Date,Fecha de inicio Start Report For,Informe de inicio para Start date of current invoice's period,Fecha del período de facturación actual Inicie Start date should be less than end date for Item {0},La fecha de inicio debe ser menor que la fecha de finalización para el punto {0} -Start date should be less than end date.,La fecha de inicio debe ser menor que la fecha de finalización . State,estado Static Parameters,Parámetros estáticos Status,estado @@ -2820,15 +2911,12 @@ Supplier Part Number,Número de pieza del proveedor Supplier Quotation,Cotización Proveedor Supplier Quotation Item,Proveedor Cotización artículo Supplier Reference,Referencia proveedor -Supplier Shipment Date,Envío Proveedor Fecha -Supplier Shipment No,Envío Proveedor No Supplier Type,Tipo de proveedor Supplier Type / Supplier,Proveedor Tipo / Proveedor Supplier Type master.,Proveedor Tipo maestro. Supplier Warehouse,Almacén Proveedor Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Depósito obligatorio para recibo de compra de subcontratación Proveedor Supplier database.,Base de datos de proveedores. -Supplier delivery number duplicate in {0},Número de entrega del proveedor duplicar en {0} Supplier master.,Maestro de proveedores. Supplier warehouse where you have issued raw materials for sub - contracting,Almacén del proveedor en la que han emitido las materias primas para la sub - contratación Supplier-Wise Sales Analytics,De proveedores hasta los sabios Ventas Analytics @@ -2869,7 +2957,7 @@ Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are no Tax Rate,Tasa de Impuesto Tax and other salary deductions.,Tributaria y otras deducciones salariales. "Tax detail table fetched from item master as a string and stored in this field. -Used for Taxes and Charges", +Used for Taxes and Charges",Impuesto tabla de detalles descargue de maestro de artículos en forma de cadena y se almacenan en este campo. \ Nused de Impuestos y Cargos Tax template for buying transactions.,Plantilla de impuestos para la compra de las transacciones. Tax template for selling transactions.,Plantilla Tributaria para la venta de las transacciones. Taxable,imponible @@ -2881,13 +2969,16 @@ Taxes and Charges Deducted,Impuestos y gastos deducidos Taxes and Charges Deducted (Company Currency),Impuestos y gastos deducidos ( Compañía de divisas ) Taxes and Charges Total,Los impuestos y cargos totales Taxes and Charges Total (Company Currency),Impuestos y Cargos total ( Compañía de divisas ) +Technology,tecnología +Telecommunications,Telecomunicaciones Telephone Expenses,gastos por servicios telefónicos +Television,televisión Template for performance appraisals.,Plantilla para las evaluaciones de desempeño . Template of terms or contract.,Plantilla de términos o contrato. -Temporary Account (Assets),Cuenta Temporal (Activos ) -Temporary Account (Liabilities),Cuenta Temporal ( Pasivo ) Temporary Accounts (Assets),Cuentas Temporales ( Activos ) Temporary Accounts (Liabilities),Cuentas Temporales ( Pasivo ) +Temporary Assets,Activos temporales +Temporary Liabilities,Pasivos temporales Term Details,Detalles plazo Terms,condiciones Terms and Conditions,Términos y Condiciones @@ -2912,7 +3003,7 @@ The First User: You,La Primera Usuario: The Organization,La Organización "The account head under Liability, in which Profit/Loss will be booked","El director cuenta con la responsabilidad civil , en el que será reservado Ganancias / Pérdidas" "The date on which next invoice will be generated. It is generated on submit. -", +",La fecha en que se generará la próxima factura. The date on which recurring invoice will be stop,La fecha en que se detiene la factura recurrente "The day of the month on which auto invoice will be generated e.g. 05, 28 etc ","El día del mes en el que se generará factura auto por ejemplo 05, 28, etc" The day(s) on which you are applying for leave are holiday. You need not apply for leave.,El día ( s ) sobre el cual está solicitando la licencia son vacaciones. Usted no tiene que solicitar la licencia . @@ -2997,6 +3088,8 @@ To track items using barcode. You will be able to enter items in Delivery Note a Tools,instrumentos Total,total Total Advance,Avance total +Total Allocated Amount,Total Asignado +Total Allocated Amount can not be greater than unmatched amount,Total distribuidos no puede ser mayor que la cantidad sin precedentes Total Amount,Importe total Total Amount To Pay,Monto total a pagar Total Amount in Words,Monto total de Palabras @@ -3006,6 +3099,7 @@ Total Commission,total Comisión Total Cost,Coste total Total Credit,total del Crédito Total Debit,débito total +Total Debit must be equal to Total Credit. The difference is {0},Débito total debe ser igual al crédito total . Total Deduction,Deducción total Total Earning,Ganar total Total Experience,Experiencia total @@ -3033,8 +3127,10 @@ Total in words,Total en palabras Total points for all goals should be 100. It is {0},Total de puntos para todos los objetivos deben ser 100 . Es {0} Total weightage assigned should be 100%. It is {0},Weightage total asignado debe ser de 100 %. Es {0} Totals,totales +Track Leads by Industry Type.,Pista conduce por tipo de industria . Track this Delivery Note against any Project,Seguir este albarán en contra de cualquier proyecto Track this Sales Order against any Project,Seguir este de órdenes de venta en contra de cualquier proyecto +Trainee,aprendiz Transaction,transacción Transaction Date,Fecha de Transacción Transaction not allowed against stopped Production Order {0},La transacción no permitida contra detenido Orden Producción {0} @@ -3042,10 +3138,10 @@ Transfer,transferencia Transfer Material,transferencia de material Transfer Raw Materials,Transferencia de Materias Primas Transferred Qty,Transferido Cantidad +Transportation,transporte Transporter Info,Información Transporter Transporter Name,transportista Nombre Transporter lorry number,Número de camiones Transportador -Trash Reason,Trash Razón Travel,viajes Travel Expenses,gastos de Viaje Tree Type,Tipo de árbol @@ -3149,6 +3245,7 @@ Value,valor Value or Qty,Valor o Cant. Vehicle Dispatch Date,Despacho de vehículo Fecha Vehicle No,Vehículo No hay +Venture Capital,capital de Riesgo Verified By,Verified By View Ledger,Ver Ledger View Now,ver Ahora @@ -3157,6 +3254,7 @@ Voucher #,Bono # Voucher Detail No,Detalle hoja no Voucher ID,vale ID Voucher No,vale No +Voucher No is not valid,No vale no es válida Voucher Type,Tipo de Vales Voucher Type and Date,Tipo Bono y Fecha Walk In,Walk In @@ -3171,6 +3269,7 @@ Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt Warehouse cannot be changed for Serial No.,Almacén no se puede cambiar para el N º de serie Warehouse is mandatory for stock Item {0} in row {1},Warehouse es obligatoria para la acción del artículo {0} en la fila {1} Warehouse is missing in Purchase Order,Almacén falta en la Orden de Compra +Warehouse not found in the system,Almacén no se encuentra en el sistema Warehouse required for stock Item {0},Depósito requerido para la acción del artículo {0} Warehouse required in POS Setting,Depósito requerido en POS Ajuste Warehouse where you are maintaining stock of rejected items,Almacén en el que está manteniendo un balance de los artículos rechazados @@ -3191,6 +3290,8 @@ Warranty / AMC Status,Garantía / AMC Estado Warranty Expiry Date,Garantía de caducidad Fecha Warranty Period (Days),Período de garantía ( Días) Warranty Period (in days),Período de garantía ( en días) +We buy this Item,Compramos este artículo +We sell this Item,Vendemos este artículo Website,sitio web Website Description,Sitio Web Descripción Website Item Group,Group Website artículo @@ -3217,6 +3318,7 @@ Will be calculated automatically when you enter the details,Se calcularán autom Will be updated after Sales Invoice is Submitted.,Se actualizará después de la factura de venta se considera sometida . Will be updated when batched.,Se actualizará cuando por lotes. Will be updated when billed.,Se actualizará cuando se facturan . +Wire Transfer,Transferencia Bancaria With Groups,Con Grupos With Ledgers,Con Ledgers With Operations,Con operaciones @@ -3251,7 +3353,6 @@ Yearly,anual Yes,sí Yesterday,ayer You are not allowed to create / edit reports,No se le permite crear informes / edición -You are not allowed to create {0},No se le permite crear {0} You are not allowed to export this report,No se le permite exportar este informe You are not allowed to print this document,No está autorizado a imprimir este documento You are not allowed to send emails related to this document,Usted no tiene permiso para enviar mensajes de correo electrónico relacionados con este documento @@ -3269,12 +3370,15 @@ You can set Default Bank Account in Company master,Puede configurar cuenta banca You can start by selecting backup frequency and granting access for sync,Puedes empezar por seleccionar la frecuencia de copia de seguridad y la concesión de acceso para la sincronización You can submit this Stock Reconciliation.,Puede enviar este Stock Reconciliación. You can update either Quantity or Valuation Rate or both.,Puede actualizar cualquiera de cantidad o de valoración por tipo o ambos. -You cannot credit and debit same account at the same time.,No se puede de crédito y débito misma cuenta al mismo tiempo. +You cannot credit and debit same account at the same time,No se puede de crédito y débito misma cuenta al mismo tiempo You have entered duplicate items. Please rectify and try again.,Ha introducido los elementos duplicados . Por favor rectifique y vuelva a intentarlo . +You have unsaved changes in this form. Please save before you continue.,Usted tiene cambios sin guardar en este formulario. You may need to update: {0},Puede que tenga que actualizar : {0} You must Save the form before proceeding,Debe guardar el formulario antes de proceder +You must allocate amount before reconcile,Debe asignar cantidad antes de conciliar Your Customer's TAX registration numbers (if applicable) or any general information,Los números de registro de impuestos de su cliente ( si es aplicable) o cualquier información de carácter general Your Customers,Sus Clientes +Your Login Id,Su usuario Id Your Products or Services,Sus Productos o Servicios Your Suppliers,Sus Proveedores "Your download is being built, this may take a few moments...","Su descarga se está construyendo , esto puede tardar unos minutos ..." @@ -3285,6 +3389,7 @@ Your sales person who will contact the customer in future,Su persona de ventas q Your sales person will get a reminder on this date to contact the customer,Su persona de ventas se pondrá un aviso en esta fecha para ponerse en contacto con el cliente Your setup is complete. Refreshing...,Su configuración se ha completado . Refrescante ... Your support email id - must be a valid email - this is where your emails will come!,Su apoyo correo electrónico de identificación - debe ser un correo electrónico válido - aquí es donde tus correos electrónicos vendrán! +[Select],[Seleccionar ] `Freeze Stocks Older Than` should be smaller than %d days.,` Acciones Freeze viejo que ` debe ser menor que % d días . and,y are not allowed.,no están permitidos. diff --git a/erpnext/translations/fr.csv b/erpnext/translations/fr.csv index e9c46b46b9..8b4f64d1a2 100644 --- a/erpnext/translations/fr.csv +++ b/erpnext/translations/fr.csv @@ -26,14 +26,13 @@ 'From Date' must be after 'To Date',« Date d' 'doit être après « à jour » 'Has Serial No' can not be 'Yes' for non-stock item,Un produit ou service 'Notification Email Addresses' not specified for recurring invoice,Conditions qui se chevauchent entre trouvés : -'Profit and Loss' type Account {0} used be set for Opening Entry,« Pertes et profits » Type de compte {0} utilisé pour régler l'ouverture d'entrée 'Profit and Loss' type account {0} not allowed in Opening Entry,dépréciation 'To Case No.' cannot be less than 'From Case No.',«L'affaire no ' ne peut pas être inférieure à 'De Cas n °' 'To Date' is required,Compte {0} existe déjà 'Update Stock' for Sales Invoice {0} must be set,Remarque: la date d'échéance dépasse les jours de crédit accordés par {0} jour (s ) * Will be calculated in the transaction.,* Sera calculé de la transaction. "1 Currency = [?] Fraction -For e.g. 1 USD = 100 Cent", +For e.g. 1 USD = 100 Cent",1 devise = [ ? ] Fraction \ nPour exemple 1. To maintain the customer wise item code and to make them searchable based on their code use this option,1. Pour maintenir le code de référence du client sage et de les rendre consultables en fonction de leur code d'utiliser cette option 2 days ago,Il ya 2 jours "Add / Edit"," Ajouter / Modifier < / a>" @@ -70,8 +69,6 @@ Account with child nodes cannot be converted to ledger,Liste des prix non sélec Account with existing transaction can not be converted to group.,{0} n'est pas un congé approbateur valide Account with existing transaction can not be deleted,Compte avec la transaction existante ne peut pas être supprimé Account with existing transaction cannot be converted to ledger,Compte avec la transaction existante ne peut pas être converti en livre -Account {0} already exists,Référence Row # -Account {0} can only be updated via Stock Transactions,Compte {0} ne peut être mis à jour via les transactions boursières Account {0} cannot be a Group,Compte {0} ne peut pas être un groupe Account {0} does not belong to Company {1},{0} créé Account {0} does not exist,Votre adresse e-mail @@ -79,8 +76,9 @@ Account {0} has been entered more than once for fiscal year {1},S'il vous plaît Account {0} is frozen,Attention: Commande {0} existe déjà contre le même numéro de bon de commande Account {0} is inactive,dépenses directes Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item,Compte {0} doit être de type ' actif fixe ' comme objet {1} est un atout article -Account {0} must be sames as Credit To Account in Purchase Invoice in row {0},télécharger -Account {0} must be sames as Debit To Account in Sales Invoice in row {0},Compte de dépenses est obligatoire pour l'élément {0} +"Account: {0} can only be updated via \ + Stock Transactions",Compte : {0} ne peut être mis à jour via \ \ n stock Transactions +Accountant,comptable Accounting,Comptabilité "Accounting Entries can be made against leaf nodes, called","Écritures comptables peuvent être faites contre nœuds feuilles , appelé" "Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","Saisie comptable gelé jusqu'à cette date, personne ne peut faire / modifier entrée sauf rôle spécifié ci-dessous." @@ -145,10 +143,13 @@ Address Title is mandatory.,Vous n'êtes pas autorisé à imprimer ce document Address Type,Type d'adresse Address master.,Ou créés par Administrative Expenses,applicabilité +Administrative Officer,de l'administration Advance Amount,Montant de l'avance Advance amount,Montant de l'avance Advances,Avances Advertisement,Publicité +Advertising,publicité +Aerospace,aérospatial After Sale Installations,Après Installations Vente Against,Contre Against Account,Contre compte @@ -157,9 +158,11 @@ Against Docname,Contre docName Against Doctype,Contre Doctype Against Document Detail No,Contre Détail document n Against Document No,Contre le document n ° +Against Entries,contre les entrées Against Expense Account,Contre compte de dépenses Against Income Account,Contre compte le revenu Against Journal Voucher,Contre Bon Journal +Against Journal Voucher {0} does not have any unmatched {1} entry,Contre Journal Bon {0} n'a pas encore inégalée {1} entrée Against Purchase Invoice,Contre facture d'achat Against Sales Invoice,Contre facture de vente Against Sales Order,Contre Commande @@ -171,6 +174,8 @@ Ageing date is mandatory for opening entry,Date vieillissement est obligatoire p Agent,Agent Aging Date,Vieillissement Date Aging Date is mandatory for opening entry,"Client requis pour ' Customerwise Discount """ +Agriculture,agriculture +Airline,compagnie aérienne All Addresses.,Toutes les adresses. All Contact,Tout contact All Contacts.,Tous les contacts. @@ -188,14 +193,18 @@ All Supplier Types,Tous les types de fournisseurs All Territories,Compte racine ne peut pas être supprimé "All export related fields like currency, conversion rate, export total, export grand total etc are available in Delivery Note, POS, Quotation, Sales Invoice, Sales Order etc.","Tous les champs liés à l'exportation comme monnaie , taux de conversion , l'exportation totale , l'exportation totale grandiose etc sont disponibles dans la note de livraison , POS , offre , facture de vente , Sales Order etc" "All import related fields like currency, conversion rate, import total, import grand total etc are available in Purchase Receipt, Supplier Quotation, Purchase Invoice, Purchase Order etc.","Tous les champs importation connexes comme monnaie , taux de conversion , totale d'importation , importation grande etc totale sont disponibles en Achat réception , Fournisseur d'offre , facture d'achat , bon de commande , etc" +All items have already been invoiced,Tous les articles ont déjà été facturés All items have already been transferred for this Production Order.,Tous les articles ont déjà été transférés à cet ordre de fabrication . All these items have already been invoiced,Existe compte de l'enfant pour ce compte . Vous ne pouvez pas supprimer ce compte . Allocate,Allouer +Allocate Amount Automatically,Allouer Montant automatiquement Allocate leaves for a period.,Compte temporaire ( actif) Allocate leaves for the year.,Allouer des feuilles de l'année. Allocated Amount,Montant alloué Allocated Budget,Budget alloué Allocated amount,Montant alloué +Allocated amount can not be negative,Montant alloué ne peut être négatif +Allocated amount can not greater than unadusted amount,Montant alloué ne peut pas plus que la quantité unadusted Allow Bill of Materials,Laissez Bill of Materials Allow Bill of Materials should be 'Yes'. Because one or many active BOMs present for this item,Commande {0} n'est pas valide Allow Children,permettre aux enfants @@ -223,10 +232,12 @@ Amount to Bill,Montant du projet de loi An Customer exists with same name,Il existe un client avec le même nom "An Item Group exists with same name, please change the item name or rename the item group","Un groupe d'objet existe avec le même nom , s'il vous plaît changer le nom de l'élément ou de renommer le groupe de l'article" "An item exists with same name ({0}), please change the item group name or rename the item",Le compte doit être un compte de bilan +Analyst,analyste Annual,Nomenclature Another Period Closing Entry {0} has been made after {1},Point Wise impôt Détail Another Salary Structure {0} is active for employee {0}. Please make its status 'Inactive' to proceed.,Le taux de conversion ne peut pas être égal à 0 ou 1 "Any other comments, noteworthy effort that should go in the records.","D'autres commentaires, l'effort remarquable qui devrait aller dans les dossiers." +Apparel & Accessories,Vêtements & Accessoires Applicability,{0} n'est pas un stock Article Applicable For,Fixez Logo Applicable Holiday List,Liste de vacances applicable @@ -248,6 +259,7 @@ Appraisal Template,Modèle d'évaluation Appraisal Template Goal,Objectif modèle d'évaluation Appraisal Template Title,Titre modèle d'évaluation Appraisal {0} created for Employee {1} in the given date range,Soulager date doit être supérieure à date d'adhésion +Apprentice,apprenti Approval Status,Statut d'approbation Approval Status must be 'Approved' or 'Rejected',non autorisé Approved,Approuvé @@ -264,9 +276,12 @@ Arrear Amount,Montant échu As per Stock UOM,Selon Stock UDM "As there are existing stock transactions for this item, you can not change the values of 'Has Serial No', 'Is Stock Item' and 'Valuation Method'","Comme il ya des transactions boursières existantes pour cet article, vous ne pouvez pas modifier les valeurs de ' A Pas de série »,« Est- Stock Item »et« Méthode d'évaluation »" Ascending,Ascendant +Asset,atout Assign To,Attribuer à Assigned To,assignée à Assignments,Envoyer permanence {0} ? +Assistant,assistant +Associate,associé Atleast one warehouse is mandatory,Atleast un entrepôt est obligatoire Attach Document Print,Fixez Imprimer le document Attach Image,suivant @@ -293,6 +308,7 @@ Automatically compose message on submission of transactions.,Composer automatiqu Automatically extract Job Applicants from a mail box , Automatically extract Leads from a mail box e.g.,Extraire automatiquement des prospects à partir d'une boîte aux lettres par exemple Automatically updated via Stock Entry of type Manufacture/Repack,Automatiquement mis à jour via l'entrée de fabrication de type Stock / Repack +Automotive,automobile Autoreply when a new mail is received,Autoreply quand un nouveau message est reçu Available,disponible Available Qty at Warehouse,Qté disponible à l'entrepôt @@ -333,6 +349,7 @@ Bank Account,Compte bancaire Bank Account No.,N ° de compte bancaire Bank Accounts,Comptes bancaires Bank Clearance Summary,Banque Résumé de dégagement +Bank Draft,Projet de la Banque Bank Name,Nom de la banque Bank Overdraft Account,Inspection de la qualité requise pour objet {0} Bank Reconciliation,Rapprochement bancaire @@ -340,6 +357,7 @@ Bank Reconciliation Detail,Détail de rapprochement bancaire Bank Reconciliation Statement,État de rapprochement bancaire Bank Voucher,Bon Banque Bank/Cash Balance,Banque / Balance trésorerie +Banking,bancaire Barcode,Barcode Barcode {0} already used in Item {1},Lettre d'information a déjà été envoyé Based On,Basé sur @@ -348,7 +366,6 @@ Basic Info,Informations de base Basic Information,Renseignements de base Basic Rate,Taux de base Basic Rate (Company Currency),Taux de base (Société Monnaie) -Basic Section,Compte de découvert bancaire Batch,Lot Batch (lot) of an Item.,Batch (lot) d'un élément. Batch Finished Date,Date de lot fini @@ -377,6 +394,7 @@ Bills raised by Suppliers.,Factures soulevé par les fournisseurs. Bills raised to Customers.,Factures aux clients soulevé. Bin,Boîte Bio,Bio +Biotechnology,biotechnologie Birthday,anniversaire Block Date,Date de bloquer Block Days,Bloquer les jours @@ -393,6 +411,8 @@ Brand Name,Nom de marque Brand master.,Marque maître. Brands,Marques Breakdown,Panne +Broadcasting,radiodiffusion +Brokerage,courtage Budget,Budget Budget Allocated,Budget alloué Budget Detail,Détail du budget @@ -405,6 +425,7 @@ Budget cannot be set for Group Cost Centers,Imprimer et stationnaire Build Report,construire Rapport Built on,Vous ne pouvez pas imprimer des documents annulés Bundle items at time of sale.,Regrouper des envois au moment de la vente. +Business Development Manager,Directeur du développement des affaires Buying,Achat Buying & Selling,Fin d'année financière Date Buying Amount,Montant d'achat @@ -484,7 +505,6 @@ Charity and Donations,Client est tenu Chart Name,Nom du graphique Chart of Accounts,Plan comptable Chart of Cost Centers,Carte des centres de coûts -Check for Duplicates,Vérifier les doublons Check how the newsletter looks in an email by sending it to your email.,Vérifiez comment la newsletter regarde dans un e-mail en l'envoyant à votre adresse email. "Check if recurring invoice, uncheck to stop recurring or put proper End Date","Vérifiez si la facture récurrente, décochez-vous s'arrête ou mis Date de fin correcte" "Check if you need automatic recurring invoices. After submitting any sales invoice, Recurring section will be visible.","Vérifiez si vous avez besoin automatiques factures récurrentes. Après avoir présenté la facture de vente, l'article récurrent sera visible." @@ -496,6 +516,7 @@ Check this to pull emails from your mailbox,Cochez cette case pour extraire des Check to activate,Vérifiez pour activer Check to make Shipping Address,Vérifiez l'adresse de livraison Check to make primary address,Vérifiez l'adresse principale +Chemical,chimique Cheque,Chèque Cheque Date,Date de chèques Cheque Number,Numéro de chèque @@ -535,6 +556,7 @@ Comma separated list of email addresses,Comma liste séparée par des adresses e Comment,Commenter Comments,Commentaires Commercial,Reste du monde +Commission,commission Commission Rate,Taux de commission Commission Rate (%),Taux de commission (%) Commission on Sales,Commission sur les ventes @@ -568,6 +590,7 @@ Completed Production Orders,Terminé les ordres de fabrication Completed Qty,Complété Quantité Completion Date,Date d'achèvement Completion Status,L'état d'achèvement +Computer,ordinateur Computers,Informatique Confirmation Date,date de confirmation Confirmed orders from Customers.,Confirmé commandes provenant de clients. @@ -575,10 +598,12 @@ Consider Tax or Charge for,Prenons l'impôt ou charge pour Considered as Opening Balance,Considéré comme Solde d'ouverture Considered as an Opening Balance,Considéré comme un solde d'ouverture Consultant,Consultant +Consulting,consultant Consumable,consommable Consumable Cost,Coût de consommable Consumable cost per hour,Coût de consommable par heure Consumed Qty,Quantité consommée +Consumer Products,Produits de consommation Contact,Contacter Contact Control,Contactez contrôle Contact Desc,Contacter Desc @@ -596,6 +621,7 @@ Contacts,S'il vous plaît entrer la quantité pour l'article {0} Content,Teneur Content Type,Type de contenu Contra Voucher,Bon Contra +Contract,contrat Contract End Date,Date de fin du contrat Contract End Date must be greater than Date of Joining,Fin du contrat La date doit être supérieure à date d'adhésion Contribution (%),Contribution (%) @@ -611,10 +637,10 @@ Convert to Ledger,Autre Ledger Converted,Converti Copy,Copiez Copy From Item Group,Copy From Group article +Cosmetics,produits de beauté Cost Center,Centre de coûts Cost Center Details,Coût Center Détails Cost Center Name,Coût Nom du centre -Cost Center Name already exists,N ° de série {0} est sous garantie jusqu'à {1} Cost Center is mandatory for Item {0},"Pour exécuter un test ajouter le nom du module dans la route après '{0}' . Par exemple, {1}" Cost Center is required for 'Profit and Loss' account {0},Quantité de minute Cost Center is required in row {0} in Taxes table for type {1},Livré de série n ° {0} ne peut pas être supprimé @@ -648,6 +674,7 @@ Creation Time,Date de création Credentials,Lettres de créance Credit,Crédit Credit Amt,Crédit Amt +Credit Card,Carte de crédit Credit Card Voucher,Bon de carte de crédit Credit Controller,Credit Controller Credit Days,Jours de crédit @@ -696,6 +723,7 @@ Customer Issue,Numéro client Customer Issue against Serial No.,Numéro de la clientèle contre Serial No. Customer Name,Nom du client Customer Naming By,Client de nommage par +Customer Service,Service à la clientèle Customer database.,Base de données clients. Customer is required,Approuver rôle ne peut pas être même que le rôle de l'État est applicable aux Customer master.,utilisateur spécifique @@ -739,7 +767,6 @@ Debit Amt,Débit Amt Debit Note,Note de débit Debit To,Débit Pour Debit and Credit not equal for this voucher. Difference is {0}.,Débit et de crédit ne correspond pas à ce document . La différence est {0} . -Debit must equal Credit. The difference is {0},gouvernement Deduct,Déduire Deduction,Déduction Deduction Type,Type de déduction @@ -779,6 +806,7 @@ Default settings for accounting transactions.,Les paramètres par défaut pour l Default settings for buying transactions.,non Soumis Default settings for selling transactions.,principal Default settings for stock transactions.,minute +Defense,défense "Define Budget for this Cost Center. To set budget action, see Company Master","Définir le budget pour ce centre de coûts. Pour définir l'action budgétaire, voir Maître Société" Delete,Effacer Delete Row,Supprimer la ligne @@ -805,19 +833,23 @@ Delivery Status,Delivery Status Delivery Time,Délai de livraison Delivery To,Pour livraison Department,Département +Department Stores,Grands Magasins Depends on LWP,Dépend de LWP Depreciation,Actifs d'impôt Descending,Descendant Description,Description Description HTML,Description du HTML Designation,Désignation +Designer,créateur Detailed Breakup of the totals,Breakup détaillée des totaux Details,Détails -Difference,Différence +Difference (Dr - Cr),Différence (Dr - Cr ) Difference Account,Compte de la différence +"Difference Account must be a 'Liability' type account, since this Stock Reconciliation is an Opening Entry","Compte de la différence doit être un compte de type « responsabilité », car ce stock réconciliation est une ouverture d'entrée" 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érents Emballage des articles mènera à incorrects (Total ) Valeur de poids . Assurez-vous que poids net de chaque article se trouve dans la même unité de mesure . Direct Expenses,{0} {1} a été modifié . S'il vous plaît rafraîchir . Direct Income,Choisissez votre langue +Director,directeur Disable,"Groupe ajoutée, rafraîchissant ..." Disable Rounded Total,Désactiver totale arrondie Disabled,Handicapé @@ -829,6 +861,7 @@ Discount Amount,S'il vous plaît tirer des articles de livraison Note Discount Percentage,Annuler Matériel Visiter {0} avant d'annuler ce numéro de client Discount must be less than 100,La remise doit être inférieure à 100 Discount(%),Remise (%) +Dispatch,envoi Display all the individual items delivered with the main items,Afficher tous les articles individuels livrés avec les principaux postes Distribute transport overhead across items.,Distribuer surdébit de transport pour tous les items. Distribution,Répartition @@ -863,7 +896,7 @@ Download Template,Télécharger le modèle Download a report containing all raw materials with their latest inventory status,Télécharger un rapport contenant toutes les matières premières avec leur dernier état des stocks "Download the Template, fill appropriate data and attach the modified file.","Télécharger le modèle , remplir les données appropriées et joindre le fichier modifié ." "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", +All dates and employee combination in the selected period will come in the template, with existing attendance records","Télécharger le modèle , remplir les données appropriées et joindre le fichier modifié . \ NLes dates et la combinaison de l'employé dans la période sélectionnée apparaît dans le modèle , avec les records de fréquentation existants" Draft,Avant-projet Drafts,Brouillons Drag to sort columns,Faites glisser pour trier les colonnes @@ -876,11 +909,10 @@ Due Date cannot be after {0},La date d'échéance ne peut pas être après {0} Due Date cannot be before Posting Date,La date d'échéance ne peut être antérieure Date de publication Duplicate Entry. Please check Authorization Rule {0},Point {0} n'est pas un objet sérialisé Duplicate Serial No entered for Item {0},Dupliquer N ° de série entré pour objet {0} +Duplicate entry,dupliquer entrée Duplicate row {0} with same {1},Pièces de journal {0} sont non liée Duties and Taxes,S'il vous plaît mettre trésorerie de défaut ou d'un compte bancaire en mode de paiement {0} ERPNext Setup,ERPNext installation -ESIC CARD No,CARTE Aucune ESIC -ESIC No.,ESIC n ° Earliest,plus tôt Earnest Money,S'il vous plaît sélectionner le type de charge de premier Earning,Revenus @@ -889,6 +921,7 @@ Earning Type,Gagner Type d' Earning1,Earning1 Edit,Éditer Editable,Editable +Education,éducation Educational Qualification,Qualification pour l'éducation Educational Qualification Details,Détails de qualification d'enseignement Eg. smsgateway.com/api/send_sms.cgi,Par exemple. smsgateway.com / api / send_sms.cgi @@ -898,6 +931,7 @@ Either target qty or target amount is mandatory.,annuel Electrical,local Electricity Cost,Coût de l'électricité Electricity cost per hour,Coût de l'électricité par heure +Electronics,électronique Email,Email Email Digest,Email Digest Email Digest Settings,Paramètres de messagerie Digest @@ -931,7 +965,6 @@ Employee Records to be created by,Dossiers sur les employés à être créées p Employee Settings,Réglages des employés Employee Type,Type de contrat "Employee designation (e.g. CEO, Director etc.).",Vous devez enregistrer le formulaire avant de procéder -Employee grade.,Date de début doit être inférieure à la date de fin de l'article {0} Employee master.,Stock Emballage updatd pour objet {0} Employee record is created using selected field. ,dossier de l'employé est créé en utilisant champ sélectionné. Employee records.,Les dossiers des employés. @@ -949,6 +982,8 @@ End Date,Date de fin End Date can not be less than Start Date,Évaluation de l'objet mis à jour End date of current invoice's period,Date de fin de la période de facturation en cours End of Life,Fin de vie +Energy,énergie +Engineer,ingénieur Enter Value,Aucun résultat Enter Verification Code,Entrez le code de vérification Enter campaign name if the source of lead is campaign.,Entrez le nom de la campagne si la source de plomb est la campagne. @@ -961,6 +996,7 @@ Enter name of campaign if source of enquiry is campaign,Entrez le nom de la camp Enter the company name under which Account Head will be created for this Supplier,Entrez le nom de la société en vertu de laquelle Head compte sera créé pour ce Fournisseur Enter url parameter for message,Entrez le paramètre url pour le message Enter url parameter for receiver nos,Entrez le paramètre url pour nos récepteurs +Entertainment & Leisure,Entertainment & Leisure Entertainment Expenses,Frais de représentation Entries,Entrées Entries against,entrées contre @@ -972,10 +1008,12 @@ Error: {0} > {1},Erreur: {0} > {1} Estimated Material Cost,Coût des matières premières estimée Everyone can read,Tout le monde peut lire "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.", +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.","Exemple: . ABCD # # # # # \ nSi série est réglé et n ° de série n'est pas mentionné dans les transactions , puis le numéro de série automatique sera créé sur la base de cette série ." Exchange Rate,Taux de change Excise Page Number,Numéro de page d'accise Excise Voucher,Bon d'accise +Execution,exécution +Executive Search,Executive Search Exemption Limit,Limite d'exemption Exhibition,Exposition Existing Customer,Client existant @@ -990,6 +1028,7 @@ Expected Delivery Date cannot be before Purchase Order Date,Une autre structure Expected Delivery Date cannot be before Sales Order Date,"Stock réconciliation peut être utilisé pour mettre à jour le stock à une date donnée , généralement selon l'inventaire physique ." Expected End Date,Date de fin prévue Expected Start Date,Date de début prévue +Expense,frais Expense Account,Compte de dépenses Expense Account is mandatory,Compte de dépenses est obligatoire Expense Claim,Demande d'indemnité de @@ -1007,7 +1046,7 @@ Expense Date,Date de frais Expense Details,Détail des dépenses Expense Head,Chef des frais Expense account is mandatory for item {0},Contre le projet de loi {0} {1} daté -Expense or Difference account is mandatory for Item {0} as there is difference in value,Frais ou Différence compte est obligatoire pour objet {0} car il ya différence en valeur +Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Frais ou différence compte est obligatoire pour objet {0} car il impacts valeur globale des actions Expenses,Note: Ce centre de coûts est un groupe . Vous ne pouvez pas faire les écritures comptables contre des groupes . Expenses Booked,Dépenses Réservé Expenses Included In Valuation,Frais inclus dans l'évaluation @@ -1034,13 +1073,11 @@ File,Fichier Files Folder ID,Les fichiers d'identification des dossiers Fill the form and save it,Remplissez le formulaire et l'enregistrer Filter,Filtrez -Filter By Amount,Filtrer par Montant -Filter By Date,Filtrer par date Filter based on customer,Filtre basé sur le client Filter based on item,Filtre basé sur le point -Final Confirmation Date must be greater than Date of Joining,Date de confirmation finale doit être supérieure à date d'adhésion Financial / accounting year.,Point {0} a été saisi plusieurs fois contre une même opération Financial Analytics,Financial Analytics +Financial Services,services financiers Financial Year End Date,paire Financial Year Start Date,Les paramètres par défaut pour la vente de transactions . Finished Goods,Produits finis @@ -1052,6 +1089,7 @@ Fixed Assets,Facteur de conversion est requis Follow via Email,Suivez par e-mail "Following table will show values if items are sub - contracted. These values will be fetched from the master of ""Bill of Materials"" of sub - contracted items.",Le tableau suivant indique les valeurs si les articles sont en sous - traitance. Ces valeurs seront extraites de la maîtrise de la «Bill of Materials" de sous - traitance articles. Food,prix +"Food, Beverage & Tobacco","Alimentation , boissons et tabac" For Company,Pour l'entreprise For Employee,Pour les employés For Employee Name,Pour Nom de l'employé @@ -1106,6 +1144,7 @@ Frozen,Frozen Frozen Accounts Modifier,Frozen comptes modificateur Fulfilled,Remplies Full Name,Nom et Prénom +Full-time,À plein temps Fully Completed,Entièrement complété Furniture and Fixture,Meubles et articles d'ameublement Further accounts can be made under Groups but entries can be made against Ledger,D'autres comptes peuvent être faites dans les groupes mais les entrées peuvent être faites contre Ledger @@ -1125,14 +1164,15 @@ Generates HTML to include selected image in the description,Génère du code HTM Get,Obtenez Get Advances Paid,Obtenez Avances et acomptes versés Get Advances Received,Obtenez Avances et acomptes reçus +Get Against Entries,Obtenez contre les entrées Get Current Stock,Obtenez Stock actuel Get From ,Obtenez partir Get Items,Obtenir les éléments Get Items From Sales Orders,Obtenir des éléments de Sales Orders Get Items from BOM,Obtenir des éléments de nomenclature Get Last Purchase Rate,Obtenez Purchase Rate Dernière -Get Non Reconciled Entries,Obtenez Non Entrées rapprochées Get Outstanding Invoices,Obtenez Factures en souffrance +Get Relevant Entries,Obtenez les entrées pertinentes Get Sales Orders,Obtenez des commandes clients Get Specification Details,Obtenez les détails Spécification Get Stock and Rate,Obtenez stock et taux @@ -1151,14 +1191,13 @@ Goods received from Suppliers.,Les marchandises reçues de fournisseurs. Google Drive,Google Drive Google Drive Access Allowed,Google Drive accès autorisé Government,Si différente de l'adresse du client -Grade,Grade Graduate,Diplômé Grand Total,Grand Total Grand Total (Company Currency),Total (Société Monnaie) -Gratuity LIC ID,ID LIC gratuité Greater or equals,Plus ou égaux Greater than,supérieur à "Grid ""","grille """ +Grocery,épicerie Gross Margin %,Marge brute% Gross Margin Value,Valeur Marge brute Gross Pay,Salaire brut @@ -1173,6 +1212,7 @@ Group by Account,Groupe par compte Group by Voucher,Règles pour ajouter les frais d'envoi . Group or Ledger,Groupe ou Ledger Groups,Groupes +HR Manager,Directeur des Ressources Humaines HR Settings,Réglages RH HTML / Banner that will show on the top of product list.,HTML / bannière qui apparaîtra sur le haut de la liste des produits. Half Day,Demi-journée @@ -1183,7 +1223,9 @@ Hardware,Sales Person cible Variance article Groupe Sage Has Batch No,A lot no Has Child Node,A Node enfant Has Serial No,N ° de série a +Head of Marketing and Sales,Responsable du marketing et des ventes Header,En-tête +Health Care,soins de santé Health Concerns,Préoccupations pour la santé Health Details,Détails de santé Held On,Tenu le @@ -1266,6 +1308,7 @@ In Words will be visible once you save the Sales Invoice.,Dans les mots seront v In Words will be visible once you save the Sales Order.,Dans les mots seront visibles une fois que vous enregistrez le bon de commande. In response to,En réponse à Incentives,Incitations +Include Reconciled Entries,Inclure les entrées rapprochées Include holidays in Total no. of Working Days,Inclure les vacances en aucun totale. de jours de travail Income,Extraire automatiquement les demandeurs d'emploi à partir d'une boîte aux lettres Income / Expense,Produits / charges @@ -1302,7 +1345,9 @@ Installed Qty,Qté installée Instructions,Instructions Integrate incoming support emails to Support Ticket,Intégrer des emails entrants soutien à l'appui de billets Interested,Intéressé +Intern,interne Internal,Interne +Internet Publishing,Publication Internet Introduction,Introduction Invalid Barcode or Serial No,"Soldes de comptes de type "" banque "" ou "" Cash""" Invalid Email: {0},S'il vous plaît entrer le titre ! @@ -1313,6 +1358,7 @@ Invalid User Name or Support Password. Please rectify and try again.,Numéro de Invalid quantity specified for item {0}. Quantity should be greater than 0.,Quantité spécifiée non valide pour l'élément {0} . Quantité doit être supérieur à 0 . Inventory,Inventaire Inventory & Support,Inventaire & Support +Investment Banking,Banques d'investissement Investments,Laisser Bill of Materials devrait être «oui» . Parce que un ou plusieurs nomenclatures actifs présents pour cet article Invoice Date,Date de la facture Invoice Details,Détails de la facture @@ -1430,6 +1476,9 @@ Item-wise Purchase History,Historique des achats point-sage Item-wise Purchase Register,S'enregistrer Achat point-sage Item-wise Sales History,Point-sage Historique des ventes Item-wise Sales Register,Ventes point-sage S'enregistrer +"Item: {0} managed batch-wise, can not be reconciled using \ + Stock Reconciliation, instead use Stock Entry","Article : {0} discontinu géré , ne peut être conciliée avec \ \ n Stock réconciliation , au lieu d'utiliser Stock entrée" +Item: {0} not found in the system,Article : {0} introuvable dans le système Items,Articles Items To Be Requested,Articles à demander Items required,produits @@ -1448,9 +1497,10 @@ Journal Entry,Journal Entry Journal Voucher,Bon Journal Journal Voucher Detail,Détail pièce de journal Journal Voucher Detail No,Détail Bon Journal No -Journal Voucher {0} does not have account {1}.,Compte {0} a été saisi plus d'une fois pour l'exercice {1} +Journal Voucher {0} does not have account {1} or already matched,Journal Bon {0} n'a pas encore compte {1} ou déjà identifié Journal Vouchers {0} are un-linked,Date de livraison prévue ne peut pas être avant ventes Date de commande Keep a track of communication related to this enquiry which will help for future reference.,Gardez une trace de la communication liée à cette enquête qui aidera pour référence future. +Keep it web friendly 900px (w) by 100px (h),Gardez web 900px amical ( w) par 100px ( h ) Key Performance Area,Zone de performance clé Key Responsibility Area,Secteur de responsabilité clé Kg,kg @@ -1506,7 +1556,6 @@ Leave blank if considered for all branches,Laisser vide si cela est jugé pour t Leave blank if considered for all departments,Laisser vide si cela est jugé pour tous les ministères Leave blank if considered for all designations,Laisser vide si cela est jugé pour toutes les désignations Leave blank if considered for all employee types,Laisser vide si cela est jugé pour tous les types d'employés -Leave blank if considered for all grades,Laisser vide si cela est jugé pour tous les grades "Leave can be approved by users with Role, ""Leave Approver""",Le congé peut être approuvées par les utilisateurs avec le rôle «Laissez approbateur" Leave of type {0} cannot be longer than {1},Les entrées en stocks existent contre entrepôt {0} ne peut pas réaffecter ou modifier Maître Nom ' Leaves Allocated Successfully for {0},Forums @@ -1515,6 +1564,7 @@ Leaves must be allocated in multiples of 0.5,"Les feuilles doivent être alloué Ledger,Grand livre Ledgers,livres Left,Gauche +Legal,juridique Legal Expenses,Actifs stock Less or equals,Moins ou égal Less than,moins que @@ -1522,16 +1572,16 @@ Letter Head,A en-tête Letter Heads for print templates.,Journal Bon {0} n'a pas encore compte {1} . Level,Niveau Lft,Lft +Liability,responsabilité Like,comme Linked With,Lié avec List,Liste List a few of your customers. They could be organizations or individuals.,Énumérer quelques-unes de vos clients . Ils pourraient être des organisations ou des individus . List a few of your suppliers. They could be organizations or individuals.,Énumérer quelques-unes de vos fournisseurs . Ils pourraient être des organisations ou des individus . -"List a few products or services you buy from your suppliers or vendors. If these are same as your products, then do not add them.","Liste de quelques produits ou services que vous achetez auprès de vos fournisseurs ou des fournisseurs . Si ceux-ci sont les mêmes que vos produits , alors ne les ajoutez pas ." List items that form the package.,Liste des articles qui composent le paquet. List this Item in multiple groups on the website.,Liste cet article dans plusieurs groupes sur le site. -"List your products or services that you sell to your customers. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Référencez vos produits ou services que vous vendez à vos clients . Assurez-vous de vérifier le Groupe de l'article , l'unité de mesure et d'autres propriétés lorsque vous démarrez ." -"List your tax heads (e.g. VAT, Excise) (upto 3) and their standard rates. This will create a standard template, you can edit and add more later.","Inscrivez vos têtes d'impôt (par exemple, la TVA , accises) ( jusqu'à 3 ) et leur taux standard. Cela va créer un modèle standard , vous pouvez modifier et ajouter plus tard ." +"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.",Référencez vos produits ou services que vous achetez ou vendez. +"List your tax heads (e.g. VAT, Excise; 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 têtes d'impôt (par exemple, la TVA , accises , ils doivent avoir des noms uniques ) et leur taux standard." Loading,Chargement Loading Report,Chargement rapport Loading...,Chargement en cours ... @@ -1598,6 +1648,8 @@ Manage Customer Group Tree.,Gérer l'arborescence de groupe de clients . Manage Sales Person Tree.,Gérer les ventes personne Arbre . Manage Territory Tree.,"Un élément existe avec le même nom ( {0} ) , s'il vous plaît changer le nom du groupe de l'article ou renommer l'élément" Manage cost of operations,Gérer les coûts d'exploitation +Management,gestion +Manager,directeur Mandatory fields required in {0},Courriel invalide : {0} Mandatory filters required:\n,Filtres obligatoires requises: \ n "Mandatory if Stock Item is ""Yes"". Also the default warehouse where reserved quantity is set from Sales Order.",Obligatoire si le stock L'article est "Oui". Aussi l'entrepôt par défaut où quantité réservée est fixé à partir de la commande client. @@ -1614,6 +1666,7 @@ Manufacturing Quantity is mandatory,Fabrication Quantité est obligatoire Margin,Marge Marital Status,État civil Market Segment,Segment de marché +Marketing,commercialisation Marketing Expenses,Dépenses de marketing Married,Marié Mass Mailing,Mailing de masse @@ -1640,6 +1693,7 @@ Material Requirement,Material Requirement Material Transfer,De transfert de matériel Materials,Matériels Materials Required (Exploded),Matériel nécessaire (éclatée) +Max 5 characters,5 caractères maximum Max Days Leave Allowed,Laisser jours Max admis Max Discount (%),Max Réduction (%) Max Qty,Vous ne pouvez pas Désactiver ou cancle BOM car elle est liée à d'autres nomenclatures @@ -1648,7 +1702,7 @@ Maximum {0} rows allowed,"Afficher / Masquer les caractéristiques de série com Maxiumm discount for Item {0} is {1}%,Remise Maxiumm pour objet {0} {1} est % Medical,Numéro de référence est obligatoire si vous avez entré date de référence Medium,Moyen -"Merging is only possible if following properties are same in both records. Group or Ledger, Report Type, Company","La fusion n'est possible que si les propriétés suivantes sont les mêmes dans les deux registres . Groupe ou Ledger , le type de rapport , Société" +"Merging is only possible if following properties are same in both records. Group or Ledger, Root Type, Company",La fusion n'est possible que si les propriétés suivantes sont les mêmes dans les deux registres . Message,Message Message Parameter,Paramètre message Message Sent,Message envoyé @@ -1662,6 +1716,7 @@ Milestones,Jalons Milestones will be added as Events in the Calendar,Jalons seront ajoutées au fur événements dans le calendrier Min Order Qty,Quantité de commande minimale Min Qty,Compte {0} est gelé +Min Qty can not be greater than Max Qty,Quantité de minute ne peut être supérieure à Max Quantité Minimum Order Qty,Quantité de commande minimum Minute,Le salaire net ne peut pas être négatif Misc Details,Détails Divers @@ -1684,6 +1739,7 @@ Monthly salary statement.,Fiche de salaire mensuel. More,Plus More Details,Plus de détails More Info,Plus d'infos +Motion Picture & Video,Motion Picture & Video Move Down: {0},"Ignorant article {0} , car un groupe ayant le même nom !" Move Up: {0},construit sur Moving Average,Moyenne mobile @@ -1691,6 +1747,9 @@ Moving Average Rate,Moving Prix moyen Mr,M. Ms,Mme Multiple Item prices.,Prix ​​des ouvrages multiples. +"Multiple Price Rule exists with same criteria, please resolve \ + conflict by assigning priority. Price Rules: {0}","Multiple règle de prix existe avec les mêmes critères , s'il vous plaît résoudre \ \ n conflit en attribuant des priorités ." +Music,musique Must be Whole Number,Doit être un nombre entier My Settings,Mes réglages Name,Nom @@ -1702,7 +1761,9 @@ Name not permitted,Restrictions de l'utilisateur Name of person or organization that this address belongs to.,Nom de la personne ou de l'organisation que cette adresse appartient. Name of the Budget Distribution,Nom de la Répartition du budget Naming Series,Nommer Série +Negative Quantity is not allowed,Quantité négatif n'est pas autorisé Negative Stock Error ({6}) for Item {0} in Warehouse {1} on {2} {3} in {4} {5},Facture de vente {0} doit être annulée avant d'annuler cette commande client +Negative Valuation Rate is not allowed,Négatif évaluation Taux n'est pas autorisé Negative balance in Batch {0} for Item {1} at Warehouse {2} on {3} {4},Coût Nom Centre existe déjà Net Pay,Salaire net Net Pay (in words) will be visible once you save the Salary Slip.,Salaire net (en lettres) sera visible une fois que vous enregistrez le bulletin de salaire. @@ -1750,6 +1811,7 @@ Newsletter Status,Statut newsletter Newsletter has already been sent,Entrepôt requis pour stock Article {0} Newsletters is not allowed for Trial users,Bulletins n'est pas autorisé pour les utilisateurs d'essai "Newsletters to contacts, leads.","Bulletins aux contacts, prospects." +Newspaper Publishers,Éditeurs de journaux Next,Nombre purchse de commande requis pour objet {0} Next Contact By,Suivant Par Next Contact Date,Date Contact Suivant @@ -1773,17 +1835,18 @@ No Results,Vous ne pouvez pas ouvrir par exemple lorsque son {0} est ouvert No Supplier Accounts found. Supplier Accounts are identified based on 'Master Type' value in account record.,Aucun fournisseur ne représente trouvés. Comptes fournisseurs sont identifiés sur la base de la valeur «Maître Type ' dans le compte rendu. No accounting entries for the following warehouses,Pas d'entrées comptables pour les entrepôts suivants No addresses created,Aucune adresse créés -No amount allocated,Aucun montant alloué No contacts created,Pas de contacts créés No default BOM exists for Item {0},services impressionnants No description given,Le jour (s ) sur lequel vous postulez pour congé sont les vacances . Vous n'avez pas besoin de demander l'autorisation . No document selected,"Statut du document de transition {0} {1}, n'est pas autorisé" No employee found,Aucun employé +No employee found!,Aucun employé ! No of Requested SMS,Pas de SMS demandés No of Sent SMS,Pas de SMS envoyés No of Visits,Pas de visites No one,Personne No permission,État d'approbation doit être « approuvé » ou « Rejeté » +No permission to '{0}' {1},Pas de permission pour '{0} ' {1} No permission to edit,Pas de permission pour modifier No record found,Aucun enregistrement trouvé No records tagged.,Aucun dossier étiqueté. @@ -1843,6 +1906,7 @@ Old Parent,Parent Vieux On Net Total,Le total net On Previous Row Amount,Le montant rangée précédente On Previous Row Total,Le total de la rangée précédente +Online Auctions,Enchères en ligne Only Leave Applications with status 'Approved' can be submitted,Date de livraison prévue ne peut pas être avant commande date "Only Serial Nos with status ""Available"" can be delivered.","Seulement série n ° avec le statut "" disponible "" peut être livré ." Only leaf nodes are allowed in transaction,Seuls les noeuds feuilles sont autorisées dans une transaction @@ -1888,6 +1952,7 @@ Organization Name,Nom de l'organisme Organization Profile,Maître de l'employé . Organization branch master.,Point impôt Row {0} doit avoir un compte de type de l'impôt sur le revenu ou de dépenses ou ou taxé Organization unit (department) master.,Unité d'organisation (département) maître . +Original Amount,Montant d'origine Original Message,Message d'origine Other,Autre Other Details,Autres détails @@ -1905,9 +1970,6 @@ Overlapping conditions found between:,S'il vous plaît entrez l'adresse e-mail Overview,vue d'ensemble Owned,Détenue Owner,propriétaire -PAN Number,Nombre PAN -PF No.,PF n ° -PF Number,Nombre PF PL or BS,PL ou BS PO Date,date de PO PO No,PO Non @@ -1919,7 +1981,6 @@ POS Setting,Réglage POS POS Setting required to make POS Entry,POS Réglage nécessaire pour faire POS Entrée POS Setting {0} already created for user: {1} and company {2},Point {0} a été saisi deux fois POS View,POS View -POS-Setting-.#,« Entrées » ne peut pas être vide PR Detail,Détail PR PR Posting Date,PR Date de publication Package Item Details,Détails d'article de l'emballage @@ -1955,6 +2016,7 @@ Parent Website Route,Montant de l'impôt après réduction Montant Parent account can not be a ledger,Entrepôt requis POS Cadre Parent account does not exist,N'existe pas compte des parents Parenttype,ParentType +Part-time,À temps partiel Partially Completed,Partiellement réalisé Partly Billed,Présentée en partie Partly Delivered,Livré en partie @@ -1972,7 +2034,6 @@ Payables,Dettes Payables Group,Groupe Dettes Payment Days,Jours de paiement Payment Due Date,Date d'échéance -Payment Entries,Les entrées de paiement Payment Period Based On Invoice Date,Période de paiement basé sur Date de la facture Payment Type,Type de paiement Payment of salary for the month {0} and year {1},Centre de coûts est nécessaire à la ligne {0} dans le tableau des impôts pour le type {1} @@ -1989,6 +2050,7 @@ Pending Amount,Montant attente Pending Items {0} updated,Machines et installations Pending Review,Attente d'examen Pending SO Items For Purchase Request,"Articles en attente Donc, pour demande d'achat" +Pension Funds,Les fonds de pension Percent Complete,Pour cent complet Percentage Allocation,Répartition en pourcentage Percentage Allocation should be equal to 100%,Pourcentage allocation doit être égale à 100 % @@ -1997,7 +2059,6 @@ Percentage you are allowed to receive or deliver more against the quantity order Performance appraisal.,L'évaluation des performances. Period,période Period Closing Voucher,Bon clôture de la période -Period is too short,Vider le cache Periodicity,Périodicité Permanent Address,Adresse permanente Permanent Address Is,Adresse permanente est @@ -2009,15 +2070,18 @@ Personal,Personnel Personal Details,Données personnelles Personal Email,Courriel personnel Pharmaceutical,pharmaceutique +Pharmaceuticals,médicaments Phone,Téléphone Phone No,N ° de téléphone Pick Columns,Choisissez Colonnes +Piecework,travail à la pièce Pincode,Le code PIN Place of Issue,Lieu d'émission Plan for maintenance visits.,Plan pour les visites de maintenance. Planned Qty,Quantité planifiée "Planned Qty: Quantity, for which, Production Order has been raised, but is pending to be manufactured.","Prévue Quantité: Quantité , pour qui , un ordre de fabrication a été soulevée , mais est en attente d' être fabriqué ." Planned Quantity,Quantité planifiée +Planning,planification Plant,Plante Plant and Machinery,Facture d'achat {0} est déjà soumis Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,S'il vous plaît Entrez Abréviation ou nom court correctement car il sera ajouté comme suffixe à tous les chefs de compte. @@ -2054,7 +2118,6 @@ Please enter Planned Qty for Item {0} at row {1},Vous ne pouvez pas sélectionne Please enter Production Item first,S'il vous plaît entrer en production l'article premier Please enter Purchase Receipt No to proceed,S'il vous plaît entrer Achat réception Non pour passer Please enter Reference date,S'il vous plaît entrer Date de référence -Please enter Start Date and End Date,S'il vous plaît entrer Date de début et de fin Please enter Warehouse for which Material Request will be raised,S'il vous plaît entrer Entrepôt à qui demande de matériel sera porté Please enter Write Off Account,S'il vous plaît entrer amortissent compte Please enter atleast 1 invoice in the table,recevable @@ -2103,9 +2166,9 @@ Please select item code,Etes-vous sûr de vouloir unstop Please select month and year,S'il vous plaît sélectionner le mois et l'année Please select prefix first,nourriture Please select the document type first,S'il vous plaît sélectionner le type de document premier -Please select valid Voucher No to proceed,Exportation non autorisée. Vous devez {0} rôle à exporter . Please select weekly off day,Laissez uniquement les applications ayant le statut « Approuvé » peut être soumis Please select {0},S'il vous plaît sélectionnez {0} +Please select {0} first,S'il vous plaît sélectionnez {0} premier Please set Dropbox access keys in your site config,S'il vous plaît définir les clés d'accès Dropbox sur votre site config Please set Google Drive access keys in {0},S'il vous plaît définir les clés d'accès Google lecteurs dans {0} Please set default Cash or Bank account in Mode of Payment {0},Les frais de téléphone @@ -2121,6 +2184,7 @@ Please specify Default Currency in Company Master and Global Defaults,N ° de s Please specify a,S'il vous plaît spécifier une Please specify a valid 'From Case No.',S'il vous plaît indiquer une valide »De Affaire n ' Please specify a valid Row ID for {0} in row {1},Il s'agit d'un site d'exemple généré automatiquement à partir de ERPNext +Please specify either Quantity or Valuation Rate or both,S'il vous plaît spécifier Quantité ou l'évaluation des taux ou à la fois Please submit to update Leave Balance.,S'il vous plaît soumettre à jour de congé balance . Plot,terrain Plot By,terrain par @@ -2170,11 +2234,14 @@ Print and Stationary,Appréciation {0} créé pour les employés {1} dans la pla Print...,Imprimer ... Printing and Branding,équité Priority,Priorité +Private Equity,Private Equity Privilege Leave,Point {0} doit être fonction Point +Probation,probation Process Payroll,Paie processus Produced,produit Produced Quantity,Quantité produite Product Enquiry,Demande d'information produit +Production,production Production Order,Ordre de fabrication Production Order status is {0},Feuilles alloué avec succès pour {0} Production Order {0} must be cancelled before cancelling this Sales Order,Tous les groupes de clients @@ -2187,12 +2254,12 @@ Production Plan Sales Order,Plan de Production Ventes Ordre Production Plan Sales Orders,Vente Plan d'ordres de production Production Planning Tool,Outil de planification de la production Products,Point {0} n'existe pas dans {1} {2} -Products or Services You Buy,Produits ou services que vous achetez "Products will be sorted by weight-age in default searches. More the weight-age, higher the product will appear in the list.","Les produits seront triés par poids-âge dans les recherches par défaut. Plus le poids-âge, plus le produit apparaîtra dans la liste." Profit and Loss,Pertes et profits Project,Projet Project Costing,Des coûts de projet Project Details,Détails du projet +Project Manager,Chef de projet Project Milestone,Des étapes du projet Project Milestones,Étapes du projet Project Name,Nom du projet @@ -2209,9 +2276,10 @@ Projected Qty,Qté projeté Projects,Projets Projects & System,Pas de commande de production créées Prompt for Email on Submission of,Prompt for Email relative à la présentation des +Proposal Writing,Rédaction de propositions Provide email id registered in company,Fournir id e-mail enregistrée dans la société Public,Public -Pull Payment Entries,Tirez entrées de paiement +Publishing,édition Pull sales orders (pending to deliver) based on the above criteria,Tirez les ordres de vente (en attendant de livrer) sur la base des critères ci-dessus Purchase,Acheter Purchase / Manufacture Details,Achat / Fabrication Détails @@ -2277,6 +2345,7 @@ Quality Inspection Parameters,Paramètres inspection de la qualité Quality Inspection Reading,Lecture d'inspection de la qualité Quality Inspection Readings,Lectures inspection de la qualité Quality Inspection required for Item {0},Navigateur des ventes +Quality Management,Gestion de la qualité Quantity,Quantité Quantity Requested for Purchase,Quantité demandée pour l'achat Quantity and Rate,Quantité et taux @@ -2340,6 +2409,7 @@ Reading 6,Lecture 6 Reading 7,Lecture le 7 Reading 8,Lecture 8 Reading 9,Lectures suggérées 9 +Real Estate,Immobilier Reason,Raison Reason for Leaving,Raison du départ Reason for Resignation,Raison de la démission @@ -2358,6 +2428,7 @@ Receiver List,Liste des récepteurs Receiver List is empty. Please create Receiver List,Soit quantité de cible ou le montant cible est obligatoire . Receiver Parameter,Paramètre récepteur Recipients,Récipiendaires +Reconcile,réconcilier Reconciliation Data,Données de réconciliation Reconciliation HTML,Réconciliation HTML Reconciliation JSON,Réconciliation JSON @@ -2407,6 +2478,7 @@ Report,Rapport Report Date,Date du rapport Report Type,Rapport Genre Report Type is mandatory,Bulletin de salaire de l'employé {0} déjà créé pour ce mois-ci +Report an Issue,Signaler un problème Report was not saved (there were errors),Rapport n'a pas été sauvé (il y avait des erreurs) Reports to,Rapports au Reqd By Date,Reqd par date @@ -2425,6 +2497,9 @@ Required Date,Requis Date Required Qty,Quantité requise Required only for sample item.,Requis uniquement pour les articles de l'échantillon. Required raw materials issued to the supplier for producing a sub - contracted item.,Matières premières nécessaires délivrés au fournisseur pour la production d'un élément sous - traitance. +Research,recherche +Research & Development,Recherche & Développement +Researcher,chercheur Reseller,Revendeur Reserved,réservé Reserved Qty,Quantité réservés @@ -2444,11 +2519,14 @@ Resolution Details,Détails de la résolution Resolved By,Résolu par Rest Of The World,revenu indirect Retail,Détail +Retail & Wholesale,Retail & Wholesale Retailer,Détaillant Review Date,Date de revoir Rgt,Rgt Role Allowed to edit frozen stock,Rôle autorisés à modifier stock congelé 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. +Root Type,Type de Racine +Root Type is mandatory,Type de Root est obligatoire Root account can not be deleted,Prix ​​ou à prix réduits Root cannot be edited.,Racine ne peut pas être modifié. Root cannot have a parent cost center,Racine ne peut pas avoir un centre de coûts parent @@ -2456,6 +2534,16 @@ Rounded Off,Période est trop courte Rounded Total,Totale arrondie Rounded Total (Company Currency),Totale arrondie (Société Monnaie) Row # ,Row # +Row # {0}: , +"Row {0}: Account does not match with \ + Purchase Invoice Credit To account",Ligne {0} : compte ne correspond pas à \ \ n Facture d'achat crédit du compte +"Row {0}: Account does not match with \ + Sales Invoice Debit To account",Ligne {0} : compte ne correspond pas à \ \ n la facture de vente de débit Pour tenir compte +Row {0}: Credit entry can not be linked with a Purchase Invoice,Ligne {0} : entrée de crédit ne peut pas être lié à une facture d'achat +Row {0}: Debit entry can not be linked with a Sales Invoice,Ligne {0} : entrée de débit ne peut pas être lié à une facture de vente +"Row {0}: To set {1} periodicity, difference between from and to date \ + must be greater than or equal to {2}","Ligne {0} : Pour définir {1} périodicité , la différence entre de et à la date \ \ n doit être supérieur ou égal à {2}" +Row {0}:Start Date must be before End Date,Ligne {0} : Date de début doit être avant Date de fin Rules for adding shipping costs.,S'il vous plaît entrer atleast une facture dans le tableau Rules for applying pricing and discount.,Tous ces éléments ont déjà été facturés Rules to calculate shipping amount for a sale,Règles de calcul du montant de l'expédition pour une vente @@ -2547,7 +2635,6 @@ Schedule,Calendrier Schedule Date,calendrier Date Schedule Details,Planning Détails Scheduled,Prévu -Scheduled Confirmation Date must be greater than Date of Joining,Prévu Date de confirmation doit être supérieure à date d'adhésion Scheduled Date,Date prévue Scheduled to send to {0},Prévu pour envoyer à {0} Scheduled to send to {0} recipients,Prévu pour envoyer à {0} bénéficiaires @@ -2559,7 +2646,9 @@ Score must be less than or equal to 5,Score doit être inférieur ou égal à 5 Scrap %,Scrap% Search,Rechercher Seasonality for setting budgets.,Saisonnalité de l'établissement des budgets. +Secretary,secrétaire Secured Loans,Pas de nomenclature par défaut existe pour objet {0} +Securities & Commodity Exchanges,Valeurs mobilières et des bourses de marchandises Securities and Deposits,Titres et des dépôts "See ""Rate Of Materials Based On"" in Costing Section",Voir «Taux de matériaux à base de« coûts dans la section "Select ""Yes"" for sub - contracting items",Sélectionnez "Oui" pour la sous - traitance articles @@ -2589,7 +2678,6 @@ Select dates to create a new ,Choisissez la date pour créer une nouvelle Select or drag across time slots to create a new event.,Sélectionnez ou glisser sur des intervalles de temps pour créer un nouvel événement. Select template from which you want to get the Goals,Sélectionnez le modèle à partir duquel vous souhaitez obtenir des Objectifs Select the Employee for whom you are creating the Appraisal.,Sélectionnez l'employé pour lequel vous créez l'évaluation. -Select the Invoice against which you want to allocate payments.,Sélectionnez la facture sur laquelle vous souhaitez allouer des paiements . Select the period when the invoice will be generated automatically,Sélectionnez la période pendant laquelle la facture sera générée automatiquement Select the relevant company name if you have multiple companies,Sélectionnez le nom de l'entreprise concernée si vous avez de multiples entreprises Select the relevant company name if you have multiple companies.,Sélectionnez le nom de l'entreprise concernée si vous avez plusieurs sociétés. @@ -2640,7 +2728,8 @@ Serial No {0} status must be 'Available' to Deliver,Pour la liste de prix Serial Nos Required for Serialized Item {0},Dupliquer entrée . S'il vous plaît vérifier une règle d'autorisation {0} Serial Number Series,Série Série Nombre Serial number {0} entered more than once,Numéro de série {0} est entré plus d'une fois -Serialized Item {0} cannot be updated using Stock Reconciliation,L'état des commandes de production est {0} +"Serialized Item {0} cannot be updated \ + using Stock Reconciliation",Sérialisé article {0} ne peut pas être mis à jour \ \ n utilisant Stock réconciliation Series,série Series List for this Transaction,Liste série pour cette transaction Series Updated,Mise à jour de la série @@ -2655,7 +2744,6 @@ Set,Série est obligatoire "Set Default Values like Company, Currency, Current Fiscal Year, etc.","Des valeurs par défaut comme la Compagnie , devise , année financière en cours , etc" Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,Set Point du Groupe sages budgets sur ce territoire. Vous pouvez également inclure la saisonnalité en réglant la distribution. Set Link,Réglez Lien -Set allocated amount against each Payment Entry and click 'Allocate'.,Set montant alloué contre chaque entrée de paiement et cliquez sur « attribuer» . Set as Default,Définir par défaut Set as Lost,Définir comme perdu Set prefix for numbering series on your transactions,Définir le préfixe de numérotation des séries sur vos transactions @@ -2706,6 +2794,9 @@ Single,Unique Single unit of an Item.,Une seule unité d'un élément. Sit tight while your system is being setup. This may take a few moments.,Asseyez-vous serré alors que votre système est en cours d' installation. Cela peut prendre quelques instants . Slideshow,Diaporama +Soap & Detergent,Savons et de Détergents +Software,logiciel +Software Developer,Software Developer Sorry we were unable to find what you were looking for.,"Désolé, nous n'avons pas pu trouver ce que vous recherchez." Sorry you are not permitted to view this page.,"Désolé, vous n'êtes pas autorisé à afficher cette page." "Sorry, Serial Nos cannot be merged","Désolé , série n ne peut pas être fusionné" @@ -2719,8 +2810,6 @@ Source of Funds (Liabilities),Source des fonds ( Passif ) Source warehouse is mandatory for row {0},Entrepôt de Source est obligatoire pour la ligne {0} Spartan,Spartan "Special Characters except ""-"" and ""/"" not allowed in naming series","Caractères spéciaux sauf "" - "" et ""/"" pas autorisés à nommer série" -Special Characters not allowed in Abbreviation,Caractères spéciaux non autorisés dans Abréviation -Special Characters not allowed in Company Name,Caractères spéciaux non autorisés dans Nom de l'entreprise Specification Details,Détails Spécifications Specifications,caractéristiques "Specify a list of Territories, for which, this Price List is valid","Spécifiez une liste des territoires, pour qui, cette liste de prix est valable" @@ -2728,16 +2817,18 @@ Specifications,caractéristiques "Specify a list of Territories, for which, this Taxes Master is valid","Spécifiez une liste des territoires, pour qui, cette Taxes Master est valide" "Specify the operations, operating cost and give a unique Operation no to your operations.","Précisez les activités, le coût d'exploitation et de donner une opération unique, non à vos opérations ." Split Delivery Note into packages.,Séparer le bon de livraison dans des packages. +Sports,sportif Standard,Standard +Standard Buying,achat standard Standard Rate,Prix ​​Standard Standard Reports,Rapports standard +Standard Selling,vente standard Standard contract terms for Sales or Purchase.,Date prévue d'achèvement ne peut pas être inférieure à projet Date de début Start,Démarrer Start Date,Date de début Start Report For,Démarrer Rapport pour Start date of current invoice's period,Date de début de la période de facturation en cours Start date should be less than end date for Item {0},{0} budget pour compte {1} contre des centres de coûts {2} dépassera par {3} -Start date should be less than end date.,Date de début doit être inférieure à la date de fin . State,État Static Parameters,Paramètres statiques Status,Statut @@ -2820,15 +2911,12 @@ Supplier Part Number,Numéro de pièce fournisseur Supplier Quotation,Devis Fournisseur Supplier Quotation Item,Article Devis Fournisseur Supplier Reference,Référence fournisseur -Supplier Shipment Date,Fournisseur Date d'expédition -Supplier Shipment No,Fournisseur expédition No Supplier Type,Type de fournisseur Supplier Type / Supplier,Fournisseur Type / Fournisseur Supplier Type master.,Solde de compte {0} doit toujours être {1} Supplier Warehouse,Entrepôt Fournisseur Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Peut se référer ligne que si le type de charge est « Le précédent Montant de la ligne » ou « Précédent Row Total» Supplier database.,Base de données fournisseurs. -Supplier delivery number duplicate in {0},Groupe par Chèque Supplier master.,Maître du fournisseur . Supplier warehouse where you have issued raw materials for sub - contracting,Fournisseur entrepôt où vous avez émis des matières premières pour la sous - traitance Supplier-Wise Sales Analytics,Fournisseur - Wise ventes Analytics @@ -2869,7 +2957,7 @@ Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are no Tax Rate,Taux d'imposition Tax and other salary deductions.,De l'impôt et autres déductions salariales. "Tax detail table fetched from item master as a string and stored in this field. -Used for Taxes and Charges", +Used for Taxes and Charges",L'impôt sur le tableau extraites de maître de l'article sous forme de chaîne et stockée dans ce domaine en détail . \ Nused des redevances et impôts Tax template for buying transactions.,Modèle d'impôt pour l'achat d' opérations . Tax template for selling transactions.,Modèle de la taxe pour la vente de transactions . Taxable,Imposable @@ -2881,13 +2969,16 @@ Taxes and Charges Deducted,Taxes et frais déduits Taxes and Charges Deducted (Company Currency),Impôts et Charges déduites (Société Monnaie) Taxes and Charges Total,Taxes et frais total Taxes and Charges Total (Company Currency),Les impôts et les frais totaux (Société Monnaie) +Technology,technologie +Telecommunications,télécommunications Telephone Expenses,Location de bureaux +Television,télévision Template for performance appraisals.,Modèle pour l'évaluation du rendement . Template of terms or contract.,Modèle de termes ou d'un contrat. -Temporary Account (Assets),Gérer l'arborescence du territoire . -Temporary Account (Liabilities),Nom interdite Temporary Accounts (Assets),Évaluation Taux requis pour objet {0} Temporary Accounts (Liabilities),"S'il vous plaît sélectionner Point où "" Est Stock Item"" est ""Non"" et "" Est- Point de vente "" est ""Oui"" et il n'y a pas d'autre nomenclature ventes" +Temporary Assets,actifs temporaires +Temporary Liabilities,Engagements temporaires Term Details,Détails terme Terms,termes Terms and Conditions,Termes et Conditions @@ -2912,7 +3003,7 @@ The First User: You,Le premier utilisateur: Vous The Organization,l'Organisation "The account head under Liability, in which Profit/Loss will be booked","Le compte tête sous la responsabilité , dans lequel Bénéfice / perte sera comptabilisée" "The date on which next invoice will be generated. It is generated on submit. -", +",La date à laquelle la prochaine facture sera générée . The date on which recurring invoice will be stop,La date à laquelle la facture récurrente sera arrêter "The day of the month on which auto invoice will be generated e.g. 05, 28 etc ","Le jour du mois au cours duquel la facture automatique sera généré, par exemple 05, 28, etc" The day(s) on which you are applying for leave are holiday. You need not apply for leave.,S'il vous plaît entrer comptes débiteurs groupe / à payer en master de l'entreprise @@ -2997,6 +3088,8 @@ To track items using barcode. You will be able to enter items in Delivery Note a Tools,Outils Total,Total Total Advance,Advance totale +Total Allocated Amount,Montant total alloué +Total Allocated Amount can not be greater than unmatched amount,Montant total alloué ne peut être supérieur au montant inégalé Total Amount,Montant total Total Amount To Pay,Montant total à payer Total Amount in Words,Montant total en mots @@ -3006,6 +3099,7 @@ Total Commission,Total de la Commission Total Cost,Coût total Total Credit,Crédit total Total Debit,Débit total +Total Debit must be equal to Total Credit. The difference is {0},Débit total doit être égal au total du crédit . Total Deduction,Déduction totale Total Earning,Gains totale Total Experience,Total Experience @@ -3033,8 +3127,10 @@ Total in words,Total en mots Total points for all goals should be 100. It is {0},Date de fin ne peut pas être inférieure à Date de début Total weightage assigned should be 100%. It is {0},Weightage totale attribuée devrait être de 100 % . Il est {0} Totals,Totaux +Track Leads by Industry Type.,Piste mène par type d'industrie . Track this Delivery Note against any Project,Suivre ce bon de livraison contre tout projet Track this Sales Order against any Project,Suivre ce décret ventes contre tout projet +Trainee,stagiaire Transaction,Transaction Transaction Date,Date de la transaction Transaction not allowed against stopped Production Order {0},installation terminée @@ -3042,10 +3138,10 @@ Transfer,Transférer Transfer Material,transfert de matériel Transfer Raw Materials,Transfert matières premières Transferred Qty,transféré Quantité +Transportation,transport Transporter Info,Infos Transporter Transporter Name,Nom Transporter Transporter lorry number,Numéro camion transporteur -Trash Reason,Raison Corbeille Travel,Quantité ne peut pas être une fraction dans la ligne {0} Travel Expenses,Code article nécessaire au rang n ° {0} Tree Type,Type d' arbre @@ -3149,6 +3245,7 @@ Value,Valeur Value or Qty,Valeur ou Quantité Vehicle Dispatch Date,Date de véhicule Dispatch Vehicle No,Aucun véhicule +Venture Capital,capital de risque Verified By,Vérifié par View Ledger,Voir Ledger View Now,voir maintenant @@ -3157,6 +3254,7 @@ Voucher #,bon # Voucher Detail No,Détail volet n ° Voucher ID,ID Bon Voucher No,Bon Pas +Voucher No is not valid,Pas de bon de réduction n'est pas valable Voucher Type,Type de Bon Voucher Type and Date,Type de chèques et date Walk In,Walk In @@ -3171,6 +3269,7 @@ Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt Warehouse cannot be changed for Serial No.,Entrepôt ne peut être modifié pour le numéro de série Warehouse is mandatory for stock Item {0} in row {1},Facteur de conversion ne peut pas être dans les fractions Warehouse is missing in Purchase Order,Entrepôt est manquant dans la commande d'achat +Warehouse not found in the system,Entrepôt pas trouvé dans le système Warehouse required for stock Item {0},{0} est obligatoire Warehouse required in POS Setting,privilège congé Warehouse where you are maintaining stock of rejected items,Entrepôt où vous êtes maintenant le bilan des éléments rejetés @@ -3191,6 +3290,8 @@ Warranty / AMC Status,Garantie / AMC Statut Warranty Expiry Date,Date d'expiration de garantie Warranty Period (Days),Période de garantie (jours) Warranty Period (in days),Période de garantie (en jours) +We buy this Item,Nous achetons cet article +We sell this Item,Nous vendons cet article Website,Site Web Website Description,Description du site Web Website Item Group,Groupe Article Site @@ -3217,6 +3318,7 @@ Will be calculated automatically when you enter the details,Seront calculés aut Will be updated after Sales Invoice is Submitted.,Sera mis à jour après la facture de vente est soumise. Will be updated when batched.,Sera mis à jour lorsque lots. Will be updated when billed.,Sera mis à jour lorsqu'ils sont facturés. +Wire Transfer,Virement With Groups,Restrictions d'autorisation de l'utilisateur With Ledgers,Permanence Annuler {0} ? With Operations,Avec des opérations @@ -3251,7 +3353,6 @@ Yearly,Annuel Yes,Oui Yesterday,Hier You are not allowed to create / edit reports,enregistrement précédent -You are not allowed to create {0},Aucun document sélectionné You are not allowed to export this report,S'il vous plaît entrez la date et l'heure de l'événement ! You are not allowed to print this document,"Pour signaler un problème, passez à" You are not allowed to send emails related to this document,Mettez sur le site Web @@ -3269,12 +3370,15 @@ You can set Default Bank Account in Company master,Articles en attente {0} mise You can start by selecting backup frequency and granting access for sync,Vous pouvez commencer par sélectionner la fréquence de sauvegarde et d'accorder l'accès pour la synchronisation You can submit this Stock Reconciliation.,Vous pouvez soumettre cette Stock réconciliation . You can update either Quantity or Valuation Rate or both.,Vous pouvez mettre à jour soit Quantité ou l'évaluation des taux ou les deux. -You cannot credit and debit same account at the same time.,Vous ne pouvez pas crédit et de débit même compte en même temps . +You cannot credit and debit same account at the same time,Vous ne pouvez pas crédit et de débit même compte en même temps You have entered duplicate items. Please rectify and try again.,Vous avez entré les doublons . S'il vous plaît corriger et essayer à nouveau. +You have unsaved changes in this form. Please save before you continue.,Vous avez des modifications non enregistrées dans ce formulaire . You may need to update: {0},Vous devez mettre à jour : {0} You must Save the form before proceeding,produits impressionnants +You must allocate amount before reconcile,Vous devez allouer montant avant réconciliation Your Customer's TAX registration numbers (if applicable) or any general information,Votre Client numéros d'immatriculation fiscale (le cas échéant) ou toute autre information générale Your Customers,vos clients +Your Login Id,Votre ID de connexion Your Products or Services,Vos produits ou services Your Suppliers,vos fournisseurs "Your download is being built, this may take a few moments...","Votre téléchargement est en cours de construction, ce qui peut prendre quelques instants ..." @@ -3285,6 +3389,7 @@ Your sales person who will contact the customer in future,Votre personne de vent Your sales person will get a reminder on this date to contact the customer,Votre personne de ventes recevoir un rappel de cette date pour contacter le client Your setup is complete. Refreshing...,Votre installation est terminée. Rafraîchissant ... Your support email id - must be a valid email - this is where your emails will come!,Votre e-mail id soutien - doit être une adresse email valide - c'est là que vos e-mails viendra! +[Select],[Sélectionner ] `Freeze Stocks Older Than` should be smaller than %d days.,Fichier source and,et are not allowed.,ne sont pas autorisés . diff --git a/erpnext/translations/hi.csv b/erpnext/translations/hi.csv index 1732f273dd..ba8ce278d0 100644 --- a/erpnext/translations/hi.csv +++ b/erpnext/translations/hi.csv @@ -26,14 +26,13 @@ 'From Date' must be after 'To Date','तिथि ' से 'तिथि ' करने के बाद होना चाहिए 'Has Serial No' can not be 'Yes' for non-stock item,' धारावाहिक नहीं है' गैर स्टॉक आइटम के लिए ' हां ' नहीं हो सकता 'Notification Email Addresses' not specified for recurring invoice,चालान आवर्ती के लिए निर्दिष्ट नहीं 'सूचना ईमेल पते' -'Profit and Loss' type Account {0} used be set for Opening Entry,' लाभ और हानि ' प्रकार खाते {0} एंट्री खुलने के लिए सेट किया जा इस्तेमाल किया 'Profit and Loss' type account {0} not allowed in Opening Entry,' लाभ और हानि ' प्रकार खाते {0} एंट्री खुलने में अनुमति नहीं 'To Case No.' cannot be less than 'From Case No.','प्रकरण नहीं करने के लिए' 'केस नंबर से' से कम नहीं हो सकता 'To Date' is required,तिथि करने के लिए आवश्यक है 'Update Stock' for Sales Invoice {0} must be set,बिक्री चालान के लिए 'अपडेट शेयर ' {0} सेट किया जाना चाहिए * Will be calculated in the transaction.,* लेनदेन में गणना की जाएगी. "1 Currency = [?] Fraction -For e.g. 1 USD = 100 Cent", +For e.g. 1 USD = 100 Cent",1 मुद्रा = [ ?] अंश \ Nfor उदा 1. To maintain the customer wise item code and to make them searchable based on their code use this option,1. इस विकल्प का उपयोग ग्राहक बुद्धिमान आइटम कोड को बनाए रखने और अपने कोड के आधार पर बनाने के लिए उन्हें खोजा 2 days ago,2 दिन पहले "Add / Edit"," जोड़ें / संपादित करें " @@ -42,7 +41,7 @@ For e.g. 1 USD = 100 Cent", A Customer Group exists with same name please change the Customer name or rename the Customer Group,एक ग्राहक समूह में एक ही नाम के साथ मौजूद ग्राहक का नाम बदलने के लिए या ग्राहक समूह का नाम बदलने के लिए कृपया A Customer exists with same name,एक ग्राहक एक ही नाम के साथ मौजूद है A Lead with this email id should exist,इस ईमेल आईडी के साथ एक लीड मौजूद होना चाहिए -A Product or Service, +A Product or Service,एक उत्पाद या सेवा A Supplier exists with same name,एक सप्लायर के एक ही नाम के साथ मौजूद है A symbol for this currency. For e.g. $,इस मुद्रा के लिए एक प्रतीक है. उदाहरण के लिए $ AMC Expiry Date,एएमसी समाप्ति तिथि @@ -70,8 +69,6 @@ Account with child nodes cannot be converted to ledger,बच्चे नोड Account with existing transaction can not be converted to group.,मौजूदा लेन - देन के साथ खाता समूह को नहीं बदला जा सकता . Account with existing transaction can not be deleted,मौजूदा लेन - देन के साथ खाता हटाया नहीं जा सकता Account with existing transaction cannot be converted to ledger,मौजूदा लेन - देन के साथ खाता लेजर को परिवर्तित नहीं किया जा सकता है -Account {0} already exists,खाते {0} पहले से मौजूद है -Account {0} can only be updated via Stock Transactions,खाते {0} केवल शेयर लेनदेन के माध्यम से अद्यतन किया जा सकता है Account {0} cannot be a Group,खाते {0} एक समूह नहीं हो सकता Account {0} does not belong to Company {1},खाते {0} कंपनी से संबंधित नहीं है {1} Account {0} does not exist,खाते {0} मौजूद नहीं है @@ -79,8 +76,9 @@ Account {0} has been entered more than once for fiscal year {1},खाते {0} Account {0} is frozen,खाते {0} जमे हुए है Account {0} is inactive,खाते {0} निष्क्रिय है Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item,आइटम {1} एक एसेट आइटम के रूप में खाते {0} प्रकार की ' फिक्स्ड एसेट ' होना चाहिए -Account {0} must be sames as Credit To Account in Purchase Invoice in row {0},क्रेडिट पंक्ति में खरीद चालान में खाते में के रूप में खाते {0} sames होना चाहिए {0} -Account {0} must be sames as Debit To Account in Sales Invoice in row {0},डेबिट पंक्ति में बिक्री चालान में खाते में के रूप में खाते {0} sames होना चाहिए {0} +"Account: {0} can only be updated via \ + Stock Transactions",खाता: {0} केवल टाइम शेयर लेनदेन \ \ के माध्यम से अद्यतन किया जा सकता है +Accountant,मुनीम Accounting,लेखांकन "Accounting Entries can be made against leaf nodes, called","लेखांकन प्रविष्टियों बुलाया , पत्ती नोड्स के खिलाफ किया जा सकता है" "Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","इस तारीख तक कर जम लेखा प्रविष्टि, कोई नहीं / नीचे निर्दिष्ट भूमिका छोड़कर प्रविष्टि को संशोधित कर सकते हैं." @@ -127,7 +125,7 @@ Add attachment,लगाव जोड़ें Add new row,नई पंक्ति जोड़ें Add or Deduct,जोड़ें या घटा Add rows to set annual budgets on Accounts.,पंक्तियाँ जोड़ें लेखा पर वार्षिक बजट निर्धारित. -Add to Cart, +Add to Cart,कार्ट में जोड़ें Add to To Do,जोड़ें करने के लिए क्या Add to To Do List of,को जोड़ने के लिए की सूची Add to calendar on this date,इस तिथि पर कैलेंडर में जोड़ें @@ -144,11 +142,14 @@ Address Title,पता शीर्षक Address Title is mandatory.,पता शीर्षक अनिवार्य है . Address Type,पता प्रकार Address master.,पता गुरु . -Administrative Expenses, +Administrative Expenses,प्रशासन - व्यय +Administrative Officer,प्रशासनिक अधिकारी Advance Amount,अग्रिम राशि Advance amount,अग्रिम राशि Advances,अग्रिम Advertisement,विज्ञापन +Advertising,विज्ञापन +Aerospace,एयरोस्पेस After Sale Installations,बिक्री के प्रतिष्ठान के बाद Against,के खिलाफ Against Account,खाते के खिलाफ @@ -157,9 +158,11 @@ Against Docname,Docname खिलाफ Against Doctype,Doctype के खिलाफ Against Document Detail No,दस्तावेज़ विस्तार नहीं के खिलाफ Against Document No,दस्तावेज़ के खिलाफ कोई +Against Entries,प्रविष्टियों के खिलाफ Against Expense Account,व्यय खाते के खिलाफ Against Income Account,आय खाता के खिलाफ Against Journal Voucher,जर्नल वाउचर के खिलाफ +Against Journal Voucher {0} does not have any unmatched {1} entry,जर्नल वाउचर के खिलाफ {0} किसी भी बेजोड़ {1} प्रविष्टि नहीं है Against Purchase Invoice,खरीद चालान के खिलाफ Against Sales Invoice,बिक्री चालान के खिलाफ Against Sales Order,बिक्री के आदेश के खिलाफ @@ -171,31 +174,37 @@ Ageing date is mandatory for opening entry,तारीख करे प्र Agent,एजेंट Aging Date,तिथि एजिंग Aging Date is mandatory for opening entry,तिथि एजिंग प्रविष्टि खोलने के लिए अनिवार्य है +Agriculture,कृषि +Airline,एयरलाइन All Addresses.,सभी पते. All Contact,सभी संपर्क All Contacts.,सभी संपर्क. All Customer Contact,सभी ग्राहक संपर्क -All Customer Groups, +All Customer Groups,सभी ग्राहक समूहों All Day,सभी दिन All Employee (Active),सभी कर्मचारी (सक्रिय) -All Item Groups, +All Item Groups,सभी आइटम समूहों All Lead (Open),सभी लीड (ओपन) All Products or Services.,सभी उत्पादों या सेवाओं. All Sales Partner Contact,सभी बिक्री साथी संपर्क All Sales Person,सभी बिक्री व्यक्ति All Supplier Contact,सभी आपूर्तिकर्ता संपर्क All Supplier Types,सभी आपूर्तिकर्ता के प्रकार -All Territories, -"All export related fields like currency, conversion rate, export total, export grand total etc are available in Delivery Note, POS, Quotation, Sales Invoice, Sales Order etc.", -"All import related fields like currency, conversion rate, import total, import grand total etc are available in Purchase Receipt, Supplier Quotation, Purchase Invoice, Purchase Order etc.", +All Territories,सभी प्रदेशों +"All export related fields like currency, conversion rate, export total, export grand total etc are available in Delivery Note, POS, Quotation, Sales Invoice, Sales Order etc.","मुद्रा , रूपांतरण दर , निर्यात , कुल , निर्यात महायोग आदि की तरह सभी निर्यात संबंधित क्षेत्रों डिलिवरी नोट , स्थिति , कोटेशन , बिक्री चालान , बिक्री आदेश आदि में उपलब्ध हैं" +"All import related fields like currency, conversion rate, import total, import grand total etc are available in Purchase Receipt, Supplier Quotation, Purchase Invoice, Purchase Order etc.","मुद्रा , रूपांतरण दर , आयात कुल , आयात महायोग आदि जैसे सभी आयात संबंधित क्षेत्रों खरीद रसीद , प्रदायक कोटेशन , खरीद चालान , खरीद आदेश आदि में उपलब्ध हैं" +All items have already been invoiced,सभी आइटम पहले से चालान कर दिया गया है All items have already been transferred for this Production Order.,सभी आइटम पहले से ही इस उत्पादन आदेश के लिए स्थानांतरित कर दिया गया है . All these items have already been invoiced,इन सभी मदों पहले से चालान कर दिया गया है Allocate,आवंटित +Allocate Amount Automatically,स्वचालित रूप से राशि आवंटित Allocate leaves for a period.,एक अवधि के लिए पत्तियों का आवंटन . Allocate leaves for the year.,वर्ष के लिए पत्तियों आवंटित. Allocated Amount,आवंटित राशि Allocated Budget,आवंटित बजट Allocated amount,आवंटित राशि +Allocated amount can not be negative,आवंटित राशि ऋणात्मक नहीं हो सकता +Allocated amount can not greater than unadusted amount,आवंटित राशि unadusted राशि से अधिक नहीं हो सकता Allow Bill of Materials,सामग्री के बिल की अनुमति दें Allow Bill of Materials should be 'Yes'. Because one or many active BOMs present for this item,माल का बिल ' हां ' होना चाहिए की अनुमति दें . क्योंकि एक या इस मद के लिए वर्तमान में कई सक्रिय BOMs Allow Children,बच्चे की अनुमति दें @@ -223,10 +232,12 @@ Amount to Bill,बिल राशि An Customer exists with same name,एक ग्राहक एक ही नाम के साथ मौजूद है "An Item Group exists with same name, please change the item name or rename the item group","एक आइटम समूह में एक ही नाम के साथ मौजूद है , वस्तु का नाम बदलने के लिए या आइटम समूह का नाम बदलने के लिए कृपया" "An item exists with same name ({0}), please change the item group name or rename the item","एक आइटम ( {0}) , मद समूह का नाम बदलने के लिए या आइटम का नाम बदलने के लिए कृपया एक ही नाम के साथ मौजूद है" +Analyst,विश्लेषक Annual,वार्षिक Another Period Closing Entry {0} has been made after {1},अन्य समयावधि अंतिम लेखा {0} के बाद किया गया है {1} Another Salary Structure {0} is active for employee {0}. Please make its status 'Inactive' to proceed.,एक और वेतन ढांचे {0} कर्मचारी के लिए सक्रिय है {0} . आगे बढ़ने के लिए अपनी स्थिति को 'निष्क्रिय' कर लें . "Any other comments, noteworthy effort that should go in the records.","किसी भी अन्य टिप्पणी, उल्लेखनीय प्रयास है कि रिकॉर्ड में जाना चाहिए." +Apparel & Accessories,परिधान और सहायक उपकरण Applicability,प्रयोज्यता Applicable For,के लिए लागू Applicable Holiday List,लागू अवकाश सूची @@ -237,7 +248,7 @@ Applicable To (Role),के लिए लागू (रोल) Applicable To (User),के लिए लागू (उपयोगकर्ता) Applicant Name,आवेदक के नाम Applicant for a Job.,एक नौकरी के लिए आवेदक. -Application of Funds (Assets), +Application of Funds (Assets),फंड के अनुप्रयोग ( संपत्ति) Applications for leave.,छुट्टी के लिए आवेदन. Applies to Company,कंपनी के लिए लागू होता है Apply On,पर लागू होते हैं @@ -248,6 +259,7 @@ Appraisal Template,मूल्यांकन टेम्पलेट Appraisal Template Goal,मूल्यांकन टेम्पलेट लक्ष्य Appraisal Template Title,मूल्यांकन टेम्पलेट शीर्षक Appraisal {0} created for Employee {1} in the given date range,मूल्यांकन {0} {1} निश्चित तिथि सीमा में कर्मचारी के लिए बनाया +Apprentice,शिक्षु Approval Status,स्वीकृति स्थिति Approval Status must be 'Approved' or 'Rejected',स्वीकृति स्थिति 'स्वीकृत' या ' अस्वीकृत ' होना चाहिए Approved,अनुमोदित @@ -264,15 +276,18 @@ Arrear Amount,बकाया राशि As per Stock UOM,स्टॉक UOM के अनुसार "As there are existing stock transactions for this item, you can not change the values of 'Has Serial No', 'Is Stock Item' and 'Valuation Method'","इस मद के लिए मौजूदा स्टॉक लेनदेन कर रहे हैं, आप ' धारावाहिक नहीं है' के मूल्यों को नहीं बदल सकते , और ' मूल्यांकन पद्धति ' शेयर मद है '" Ascending,आरोही +Asset,संपत्ति Assign To,करने के लिए निरुपित Assigned To,को सौंपा Assignments,कार्य +Assistant,सहायक +Associate,सहयोगी Atleast one warehouse is mandatory,कम से कम एक गोदाम अनिवार्य है Attach Document Print,दस्तावेज़ प्रिंट संलग्न -Attach Image, -Attach Letterhead, -Attach Logo, -Attach Your Picture, +Attach Image,छवि संलग्न करें +Attach Letterhead,लेटरहेड अटैच +Attach Logo,लोगो अटैच +Attach Your Picture,आपका चित्र संलग्न Attach as web link,वेब लिंक के रूप में संलग्न करें Attachments,किए गए अनुलग्नकों के Attendance,उपस्थिति @@ -293,16 +308,17 @@ Automatically compose message on submission of transactions.,स्वचाल Automatically extract Job Applicants from a mail box , Automatically extract Leads from a mail box e.g.,स्वचालित रूप से एक मेल बॉक्स से सुराग निकालने उदा Automatically updated via Stock Entry of type Manufacture/Repack,स्वतः प्रकार निर्माण / Repack स्टॉक प्रविष्टि के माध्यम से अद्यतन +Automotive,मोटर वाहन Autoreply when a new mail is received,स्वतः जब एक नया मेल प्राप्त होता है Available,उपलब्ध Available Qty at Warehouse,गोदाम में उपलब्ध मात्रा Available Stock for Packing Items,आइटम पैकिंग के लिए उपलब्ध स्टॉक -"Available in BOM, Delivery Note, Purchase Invoice, Production Order, Purchase Order, Purchase Receipt, Sales Invoice, Sales Order, Stock Entry, Timesheet", +"Available in BOM, Delivery Note, Purchase Invoice, Production Order, Purchase Order, Purchase Receipt, Sales Invoice, Sales Order, Stock Entry, Timesheet","बीओएम , डिलिवरी नोट , खरीद चालान , उत्पादन का आदेश , खरीद आदेश , खरीद रसीद , बिक्री चालान , बिक्री आदेश , स्टॉक एंट्री , timesheet में उपलब्ध" Average Age,औसत आयु Average Commission Rate,औसत कमीशन दर Average Discount,औसत छूट -Awesome Products, -Awesome Services, +Awesome Products,बहुत बढ़िया उत्पाद +Awesome Services,बहुत बढ़िया सेवाएं BOM Detail No,बीओएम विस्तार नहीं BOM Explosion Item,बीओएम धमाका आइटम BOM Item,बीओएम आइटम @@ -331,24 +347,25 @@ Bank,बैंक Bank A/C No.,बैंक ए / सी सं. Bank Account,बैंक खाता Bank Account No.,बैंक खाता नहीं -Bank Accounts, +Bank Accounts,बैंक खातों Bank Clearance Summary,बैंक क्लीयरेंस सारांश +Bank Draft,बैंक ड्राफ्ट Bank Name,बैंक का नाम -Bank Overdraft Account, +Bank Overdraft Account,बैंक ओवरड्राफ्ट खाता Bank Reconciliation,बैंक समाधान Bank Reconciliation Detail,बैंक सुलह विस्तार Bank Reconciliation Statement,बैंक समाधान विवरण Bank Voucher,बैंक वाउचर Bank/Cash Balance,बैंक / नकद शेष +Banking,बैंकिंग Barcode,बारकोड Barcode {0} already used in Item {1},बारकोड {0} पहले से ही मद में इस्तेमाल {1} Based On,के आधार पर -Basic, +Basic,बुनियादी Basic Info,मूल जानकारी Basic Information,बुनियादी जानकारी Basic Rate,मूल दर Basic Rate (Company Currency),बेसिक रेट (कंपनी मुद्रा) -Basic Section,मूल धारा Batch,बैच Batch (lot) of an Item.,एक आइटम के बैच (बहुत). Batch Finished Date,बैच तिथि समाप्त @@ -377,6 +394,7 @@ Bills raised by Suppliers.,विधेयकों आपूर्तिकर Bills raised to Customers.,बिलों ग्राहकों के लिए उठाया. Bin,बिन Bio,जैव +Biotechnology,जैव प्रौद्योगिकी Birthday,जन्मदिन Block Date,तिथि ब्लॉक Block Days,ब्लॉक दिन @@ -386,13 +404,15 @@ Blog Subscriber,ब्लॉग सब्सक्राइबर Blood Group,रक्त वर्ग Bookmarks,बुकमार्क Both Warehouse must belong to same Company,दोनों गोदाम एक ही कंपनी से संबंधित होना चाहिए -Box, +Box,डिब्बा Branch,शाखा Brand,ब्रांड Brand Name,ब्रांड नाम Brand master.,ब्रांड गुरु. Brands,ब्रांड Breakdown,भंग +Broadcasting,प्रसारण +Brokerage,दलाली Budget,बजट Budget Allocated,बजट आवंटित Budget Detail,बजट विस्तार @@ -405,6 +425,7 @@ Budget cannot be set for Group Cost Centers,बजट समूह लागत Build Report,रिपोर्ट बनाएँ Built on,पर बनाया गया Bundle items at time of sale.,बिक्री के समय में आइटम बंडल. +Business Development Manager,व्यापार विकास प्रबंधक Buying,क्रय Buying & Selling,खरीदना और बेचना Buying Amount,राशि ख़रीदना @@ -419,7 +440,7 @@ Calculate Total Score,कुल स्कोर की गणना Calendar,कैलेंडर Calendar Events,कैलेंडर घटनाओं Call,कॉल -Calls, +Calls,कॉल Campaign,अभियान Campaign Name,अभियान का नाम Campaign Name is required,अभियान का नाम आवश्यक है @@ -462,29 +483,28 @@ Cannot set as Lost as Sales Order is made.,बिक्री आदेश क Cannot set authorization on basis of Discount for {0},के लिए छूट के आधार पर प्राधिकरण सेट नहीं कर सकता {0} Capacity,क्षमता Capacity Units,क्षमता इकाइयों -Capital Account, -Capital Equipments, +Capital Account,पूंजी लेखा +Capital Equipments,राजधानी उपकरणों Carry Forward,आगे ले जाना Carry Forwarded Leaves,कैर्री अग्रेषित पत्तियां Case No(s) already in use. Try from Case No {0},प्रकरण नहीं ( ओं) पहले से ही उपयोग में . प्रकरण नहीं से try {0} Case No. cannot be 0,मुकदमा संख्या 0 नहीं हो सकता Cash,नकद -Cash In Hand, +Cash In Hand,रोकड़ शेष Cash Voucher,कैश वाउचर Cash or Bank Account is mandatory for making payment entry,नकद या बैंक खाते को भुगतान के प्रवेश करने के लिए अनिवार्य है Cash/Bank Account,नकद / बैंक खाता -Casual Leave, +Casual Leave,आकस्मिक छुट्टी Cell Number,सेल नंबर Change UOM for an Item.,एक आइटम के लिए UOM बदलें. Change the starting / current sequence number of an existing series.,एक मौजूदा श्रृंखला के शुरू / वर्तमान अनुक्रम संख्या बदलें. Channel Partner,चैनल पार्टनर Charge of type 'Actual' in row {0} cannot be included in Item Rate,प्रकार पंक्ति {0} में 'वास्तविक ' का प्रभार आइटम रेट में शामिल नहीं किया जा सकता Chargeable,प्रभार्य -Charity and Donations, +Charity and Donations,दान और दान Chart Name,चार्ट में नाम Chart of Accounts,खातों का चार्ट Chart of Cost Centers,लागत केंद्र के चार्ट -Check for Duplicates,डुप्लिकेट के लिए जाँच करें Check how the newsletter looks in an email by sending it to your email.,कैसे न्यूजलेटर अपने ईमेल करने के लिए भेजने से एक ईमेल में लग रहा है की जाँच करें. "Check if recurring invoice, uncheck to stop recurring or put proper End Date","आवर्ती चालान यदि जांच, अचयनित आवर्ती रोकने के लिए या उचित समाप्ति तिथि डाल" "Check if you need automatic recurring invoices. After submitting any sales invoice, Recurring section will be visible.","यदि आप स्वत: आवर्ती चालान की जरूरत की जाँच करें. किसी भी बिक्री चालान प्रस्तुत करने के बाद, आवर्ती अनुभाग दिखाई जाएगी." @@ -496,6 +516,7 @@ Check this to pull emails from your mailbox,इस जाँच के लिए Check to activate,सक्रिय करने के लिए जाँच करें Check to make Shipping Address,शिपिंग पता करने के लिए Check to make primary address,प्राथमिक पते की जांच करें +Chemical,रासायनिक Cheque,चैक Cheque Date,चेक तिथि Cheque Number,चेक संख्या @@ -534,10 +555,11 @@ Color,रंग Comma separated list of email addresses,ईमेल पतों की अल्पविराम अलग सूची Comment,टिप्पणी Comments,टिप्पणियां -Commercial, +Commercial,वाणिज्यिक +Commission,आयोग Commission Rate,आयोग दर Commission Rate (%),आयोग दर (%) -Commission on Sales, +Commission on Sales,बिक्री पर कमीशन Commission rate cannot be greater than 100,आयोग दर 100 से अधिक नहीं हो सकता Communication,संचार Communication HTML,संचार HTML @@ -559,26 +581,29 @@ Company is required,कंपनी की आवश्यकता है Company registration numbers for your reference. Example: VAT Registration Numbers etc.,कंपनी अपने संदर्भ के लिए पंजीकरण संख्या. उदाहरण: वैट पंजीकरण नंबर आदि Company registration numbers for your reference. Tax numbers etc.,कंपनी अपने संदर्भ के लिए पंजीकरण संख्या. टैक्स आदि संख्या "Company, Month and Fiscal Year is mandatory","कंपनी , महीना और वित्तीय वर्ष अनिवार्य है" -Compensatory Off, +Compensatory Off,प्रतिपूरक बंद Complete,पूरा Complete By,द्वारा पूरा करें -Complete Setup, +Complete Setup,पूरा सेटअप Completed,पूरा Completed Production Orders,पूरे किए उत्पादन के आदेश Completed Qty,पूरी की मात्रा Completion Date,पूरा करने की तिथि Completion Status,समापन स्थिति -Computers, +Computer,कंप्यूटर +Computers,कंप्यूटर्स Confirmation Date,पुष्टिकरण तिथि Confirmed orders from Customers.,ग्राहकों से आदेश की पुष्टि की है. Consider Tax or Charge for,टैक्स या प्रभार के लिए पर विचार Considered as Opening Balance,शेष खोलने के रूप में माना जाता है Considered as an Opening Balance,एक ओपनिंग बैलेंस के रूप में माना जाता है Consultant,सलाहकार -Consumable, +Consulting,परामर्श +Consumable,उपभोज्य Consumable Cost,उपभोज्य लागत Consumable cost per hour,प्रति घंटे उपभोज्य लागत Consumed Qty,खपत मात्रा +Consumer Products,उपभोक्ता उत्पाद Contact,संपर्क Contact Control,नियंत्रण संपर्क Contact Desc,संपर्क जानकारी @@ -596,6 +621,7 @@ Contacts,संपर्क Content,सामग्री Content Type,सामग्री प्रकार Contra Voucher,कॉन्ट्रा वाउचर +Contract,अनुबंध Contract End Date,अनुबंध समाप्ति तिथि Contract End Date must be greater than Date of Joining,अनुबंध समाप्ति तिथि शामिल होने की तिथि से अधिक होना चाहिए Contribution (%),अंशदान (%) @@ -611,10 +637,10 @@ Convert to Ledger,लेजर के साथ परिवर्तित Converted,परिवर्तित Copy,कॉपी करें Copy From Item Group,आइटम समूह से कॉपी +Cosmetics,प्रसाधन सामग्री Cost Center,लागत केंद्र Cost Center Details,लागत केंद्र विवरण Cost Center Name,लागत केन्द्र का नाम -Cost Center Name already exists,लागत केंद्र का नाम पहले से मौजूद है Cost Center is mandatory for Item {0},लागत केंद्र मद के लिए अनिवार्य है {0} Cost Center is required for 'Profit and Loss' account {0},लागत केंद्र ' लाभ और हानि के खाते के लिए आवश्यक है {0} Cost Center is required in row {0} in Taxes table for type {1},लागत केंद्र पंक्ति में आवश्यक है {0} कर तालिका में प्रकार के लिए {1} @@ -648,6 +674,7 @@ Creation Time,निर्माण का समय Credentials,साख Credit,श्रेय Credit Amt,क्रेडिट राशि +Credit Card,क्रेडिट कार्ड Credit Card Voucher,क्रेडिट कार्ड वाउचर Credit Controller,क्रेडिट नियंत्रक Credit Days,क्रेडिट दिन @@ -662,11 +689,11 @@ Currency and Price List,मुद्रा और मूल्य सूची Currency exchange rate master.,मुद्रा विनिमय दर मास्टर . Current Address,वर्तमान पता Current Address Is,वर्तमान पता है -Current Assets, +Current Assets,वर्तमान संपत्तियाँ Current BOM,वर्तमान बीओएम Current BOM and New BOM can not be same,वर्तमान बीओएम और नई बीओएम ही नहीं किया जा सकता है Current Fiscal Year,चालू वित्त वर्ष -Current Liabilities, +Current Liabilities,वर्तमान देयताएं Current Stock,मौजूदा स्टॉक Current Stock UOM,वर्तमान स्टॉक UOM Current Value,वर्तमान मान @@ -679,7 +706,7 @@ Customer,ग्राहक Customer (Receivable) Account,ग्राहक (प्राप्ति) खाता Customer / Item Name,ग्राहक / मद का नाम Customer / Lead Address,ग्राहक / लीड पता -Customer / Lead Name, +Customer / Lead Name,ग्राहक / लीड नाम Customer Account Head,ग्राहक खाता हेड Customer Acquisition and Loyalty,ग्राहक अधिग्रहण और वफादारी Customer Address,ग्राहक पता @@ -696,12 +723,13 @@ Customer Issue,ग्राहक के मुद्दे Customer Issue against Serial No.,सीरियल नंबर के खिलाफ ग्राहक अंक Customer Name,ग्राहक का नाम Customer Naming By,द्वारा नामकरण ग्राहक +Customer Service,ग्राहक सेवा Customer database.,ग्राहक डेटाबेस. Customer is required,ग्राहक की आवश्यकता है Customer master.,ग्राहक गुरु . Customer required for 'Customerwise Discount',' Customerwise डिस्काउंट ' के लिए आवश्यक ग्राहक Customer {0} does not belong to project {1},ग्राहक {0} परियोजना से संबंधित नहीं है {1} -Customer {0} does not exist, +Customer {0} does not exist,ग्राहक {0} मौजूद नहीं है Customer's Item Code,ग्राहक आइटम कोड Customer's Purchase Order Date,ग्राहक की खरीद आदेश दिनांक Customer's Purchase Order No,ग्राहक की खरीद आदेश नहीं @@ -739,7 +767,6 @@ Debit Amt,डेबिट राशि Debit Note,डेबिट नोट Debit To,करने के लिए डेबिट Debit and Credit not equal for this voucher. Difference is {0}.,डेबिट और इस वाउचर के लिए बराबर नहीं क्रेडिट . अंतर {0} है . -Debit must equal Credit. The difference is {0},डेबिट क्रेडिट के बराबर होना चाहिए . फर्क है {0} Deduct,घटाना Deduction,कटौती Deduction Type,कटौती के प्रकार @@ -779,6 +806,7 @@ Default settings for accounting transactions.,लेखांकन लेनद Default settings for buying transactions.,लेनदेन खरीदने के लिए डिफ़ॉल्ट सेटिंग्स . Default settings for selling transactions.,लेनदेन को बेचने के लिए डिफ़ॉल्ट सेटिंग्स . Default settings for stock transactions.,शेयर लेनदेन के लिए डिफ़ॉल्ट सेटिंग्स . +Defense,रक्षा "Define Budget for this Cost Center. To set budget action, see Company Master","इस लागत केंद्र के लिए बजट निर्धारित. बजट कार्रवाई तय करने के लिए, देखने के लिए कंपनी मास्टर" Delete,हटाना Delete Row,पंक्ति हटाएँ @@ -805,19 +833,23 @@ Delivery Status,डिलिवरी स्थिति Delivery Time,सुपुर्दगी समय Delivery To,करने के लिए डिलिवरी Department,विभाग +Department Stores,विभाग के स्टोर Depends on LWP,LWP पर निर्भर करता है -Depreciation, +Depreciation,ह्रास Descending,अवरोही Description,विवरण Description HTML,विवरण HTML Designation,पदनाम +Designer,डिज़ाइनर Detailed Breakup of the totals,योग की विस्तृत ब्रेकअप Details,विवरण -Difference,अंतर +Difference (Dr - Cr),अंतर ( डॉ. - सीआर ) Difference Account,अंतर खाता +"Difference Account must be a 'Liability' type account, since this Stock Reconciliation is an Opening Entry","इस शेयर सुलह एक खोलने एंट्री के बाद से अंतर खाता , एक ' दायित्व ' टाइप खाता होना चाहिए" 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 में है कि सुनिश्चित करें. -Direct Expenses, -Direct Income, +Direct Expenses,प्रत्यक्ष खर्च +Direct Income,प्रत्यक्ष आय +Director,निर्देशक Disable,असमर्थ Disable Rounded Total,गोल कुल अक्षम Disabled,विकलांग @@ -829,6 +861,7 @@ Discount Amount,छूट राशि Discount Percentage,डिस्काउंट प्रतिशत Discount must be less than 100,सबसे कम से कम 100 होना चाहिए Discount(%),डिस्काउंट (%) +Dispatch,प्रेषण Display all the individual items delivered with the main items,सभी व्यक्तिगत मुख्य आइटम के साथ वितरित आइटम प्रदर्शित Distribute transport overhead across items.,आइटम में परिवहन उपरि बांटो. Distribution,वितरण @@ -863,7 +896,7 @@ Download Template,टेम्पलेट डाउनलोड करें Download a report containing all raw materials with their latest inventory status,उनकी नवीनतम सूची की स्थिति के साथ सभी कच्चे माल युक्त रिपोर्ट डाउनलोड करें "Download the Template, fill appropriate data and attach the modified file.","टेम्पलेट डाउनलोड करें , उचित डेटा को भरने और संशोधित फाइल देते हैं ." "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", +All dates and employee combination in the selected period will come in the template, with existing attendance records","टेम्पलेट डाउनलोड करें , उचित डेटा को भरने और संशोधित फाइल देते हैं . \ Nall तिथि और चयनित अवधि में कर्मचारी संयोजन मौजूदा उपस्थिति रिकॉर्ड के साथ , टेम्पलेट में आ जाएगा" Draft,मसौदा Drafts,ड्राफ्ट्स Drag to sort columns,तरह स्तंभों को खींचें @@ -872,32 +905,33 @@ Dropbox Access Allowed,ड्रॉपबॉक्स उपयोग की अ Dropbox Access Key,ड्रॉपबॉक्स प्रवेश कुंजी Dropbox Access Secret,ड्रॉपबॉक्स पहुँच गुप्त Due Date,नियत तारीख -Due Date cannot be after {0}, -Due Date cannot be before Posting Date, +Due Date cannot be after {0},नियत तिथि के बाद नहीं किया जा सकता {0} +Due Date cannot be before Posting Date,नियत तिथि तिथि पोस्टिंग से पहले नहीं किया जा सकता Duplicate Entry. Please check Authorization Rule {0},एंट्री डुप्लिकेट. प्राधिकरण नियम की जांच करें {0} Duplicate Serial No entered for Item {0},डुप्लीकेट सीरियल मद के लिए दर्ज किया गया {0} +Duplicate entry,प्रवेश डुप्लिकेट Duplicate row {0} with same {1},डुप्लिकेट पंक्ति {0} के साथ एक ही {1} -Duties and Taxes, +Duties and Taxes,शुल्कों और करों ERPNext Setup,ERPNext सेटअप -ESIC CARD No,ईएसआईसी कार्ड नहीं -ESIC No.,ईएसआईसी सं. Earliest,शीघ्रातिशीघ्र -Earnest Money, +Earnest Money,बयाना राशि Earning,कमाई Earning & Deduction,अर्जन कटौती Earning Type,प्रकार कमाई Earning1,Earning1 Edit,संपादित करें Editable,संपादन +Education,शिक्षा Educational Qualification,शैक्षिक योग्यता Educational Qualification Details,शैक्षिक योग्यता विवरण Eg. smsgateway.com/api/send_sms.cgi,उदा. एपीआई smsgateway.com / / send_sms.cgi Either debit or credit amount is required for {0},डेबिट या क्रेडिट राशि के लिए या तो आवश्यक है {0} Either target qty or target amount is mandatory,लक्ष्य मात्रा या लक्ष्य राशि या तो अनिवार्य है Either target qty or target amount is mandatory.,लक्ष्य मात्रा या लक्ष्य राशि या तो अनिवार्य है . -Electrical, +Electrical,विद्युत Electricity Cost,बिजली की लागत Electricity cost per hour,प्रति घंटे बिजली की लागत +Electronics,इलेक्ट्रानिक्स Email,ईमेल Email Digest,ईमेल डाइजेस्ट Email Digest Settings,ईमेल डाइजेस्ट सेटिंग @@ -931,7 +965,6 @@ Employee Records to be created by,कर्मचारी रिकॉर्ड Employee Settings,कर्मचारी सेटिंग्स Employee Type,कर्मचारी प्रकार "Employee designation (e.g. CEO, Director etc.).","कर्मचारी पदनाम (जैसे सीईओ , निदेशक आदि ) ." -Employee grade.,कर्मचारी ग्रेड . Employee master.,कर्मचारी मास्टर . Employee record is created using selected field. ,कर्मचारी रिकॉर्ड चयनित क्षेत्र का उपयोग कर बनाया जाता है. Employee records.,कर्मचारी रिकॉर्ड. @@ -949,6 +982,8 @@ End Date,समाप्ति तिथि End Date can not be less than Start Date,समाप्ति तिथि आरंभ तिथि से कम नहीं हो सकता End date of current invoice's period,वर्तमान चालान की अवधि की समाप्ति की तारीख End of Life,जीवन का अंत +Energy,ऊर्जा +Engineer,इंजीनियर Enter Value,मान दर्ज Enter Verification Code,सत्यापन कोड दर्ज Enter campaign name if the source of lead is campaign.,अभियान का नाम दर्ज करें अगर नेतृत्व के स्रोत अभियान है. @@ -961,7 +996,8 @@ Enter name of campaign if source of enquiry is campaign,अभियान क Enter the company name under which Account Head will be created for this Supplier,कंपनी का नाम है जिसके तहत इस प्रदायक लेखाशीर्ष के लिए बनाया जाएगा दर्ज करें Enter url parameter for message,संदेश के लिए url पैरामीटर दर्ज करें Enter url parameter for receiver nos,रिसीवर ओपन स्कूल के लिए url पैरामीटर दर्ज करें -Entertainment Expenses, +Entertainment & Leisure,मनोरंजन और आराम +Entertainment Expenses,मनोरंजन खर्च Entries,प्रविष्टियां Entries against,प्रविष्टियों के खिलाफ Entries are not allowed against this Fiscal Year if the year is closed.,"प्रविष्टियों इस वित्त वर्ष के खिलाफ की अनुमति नहीं है, अगर साल बंद कर दिया जाता है." @@ -972,10 +1008,12 @@ Error: {0} > {1},त्रुटि: {0} > {1} Estimated Material Cost,अनुमानित मटेरियल कॉस्ट Everyone can read,हर कोई पढ़ सकता है "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.", +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.","उदाहरण: . एबीसीडी # # # # # \ n यदि श्रृंखला के लिए निर्धारित है और धारावाहिक नहीं स्वत: सीरियल नंबर इस श्रृंखला के आधार पर बनाया जाएगा तो , लेनदेन में उल्लेख नहीं है ." Exchange Rate,विनिमय दर Excise Page Number,आबकारी पृष्ठ संख्या Excise Voucher,आबकारी वाउचर +Execution,निष्पादन +Executive Search,कार्यकारी खोज Exemption Limit,छूट की सीमा Exhibition,प्रदर्शनी Existing Customer,मौजूदा ग्राहक @@ -990,6 +1028,7 @@ Expected Delivery Date cannot be before Purchase Order Date,उम्मीद Expected Delivery Date cannot be before Sales Order Date,उम्मीद की डिलीवरी की तारीख से पहले बिक्री आदेश तिथि नहीं हो सकता Expected End Date,उम्मीद समाप्ति तिथि Expected Start Date,उम्मीद प्रारंभ दिनांक +Expense,व्यय Expense Account,व्यय लेखा Expense Account is mandatory,व्यय खाता अनिवार्य है Expense Claim,व्यय दावा @@ -1007,8 +1046,8 @@ Expense Date,व्यय तिथि Expense Details,व्यय विवरण Expense Head,व्यय प्रमुख Expense account is mandatory for item {0},व्यय खाते आइटम के लिए अनिवार्य है {0} -Expense or Difference account is mandatory for Item {0} as there is difference in value,व्यय या अंतर खाता अनिवार्य है मद के लिए {0} मूल्य में अंतर नहीं है के रूप में -Expenses, +Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,व्यय या अंतर खाता अनिवार्य है मद के लिए {0} यह प्रभावों समग्र शेयर मूल्य के रूप में +Expenses,व्यय Expenses Booked,व्यय बुक Expenses Included In Valuation,व्यय मूल्यांकन में शामिल Expenses booked for the digest period,पचाने अवधि के लिए बुक व्यय @@ -1034,24 +1073,23 @@ File,फ़ाइल Files Folder ID,फ़ाइलें फ़ोल्डर आईडी Fill the form and save it,फार्म भरें और इसे बचाने के लिए Filter,फ़िल्टर -Filter By Amount,राशि के द्वारा फिल्टर -Filter By Date,तिथि फ़िल्टर Filter based on customer,ग्राहकों के आधार पर फ़िल्टर Filter based on item,आइटम के आधार पर फ़िल्टर -Final Confirmation Date must be greater than Date of Joining,अंतिम पुष्टि दिनांक शामिल होने की तिथि से अधिक होना चाहिए Financial / accounting year.,वित्तीय / लेखा वर्ष . Financial Analytics,वित्तीय विश्लेषिकी -Financial Year End Date, -Financial Year Start Date, +Financial Services,वित्तीय सेवाएँ +Financial Year End Date,वित्तीय वर्ष की समाप्ति तिथि +Financial Year Start Date,वित्तीय वर्ष प्रारंभ दिनांक Finished Goods,निर्मित माल First Name,प्रथम नाम First Responded On,पर पहले जवाब Fiscal Year,वित्तीय वर्ष Fixed Asset,स्थायी परिसम्पत्ति -Fixed Assets, +Fixed Assets,स्थायी संपत्तियाँ Follow via Email,ईमेल के माध्यम से पालन करें "Following table will show values if items are sub - contracted. These values will be fetched from the master of ""Bill of Materials"" of sub - contracted items.",तालिका के बाद मूल्यों को दिखाने अगर आइटम उप - अनुबंध. अनुबंधित आइटम - इन मूल्यों को उप "सामग्री के विधेयक" के मालिक से दिलवाया जाएगा. -Food, +Food,भोजन +"Food, Beverage & Tobacco","खाद्य , पेय और तंबाकू" For Company,कंपनी के लिए For Employee,कर्मचारी के लिए For Employee Name,कर्मचारी का नाम @@ -1062,7 +1100,7 @@ For Sales Invoice,बिक्री चालान के लिए For Server Side Print Formats,सर्वर साइड प्रिंट स्वरूपों के लिए For Supplier,सप्लायर के लिए For Warehouse,गोदाम के लिए -For Warehouse is required before Submit, +For Warehouse is required before Submit,गोदाम की आवश्यकता है के लिए पहले जमा करें "For comparative filters, start with","तुलनात्मक फिल्टर करने के लिए, के साथ शुरू" "For e.g. 2012, 2012-13","जैसे 2012, 2012-13 के लिए" For ranges,श्रेणियों के लिए @@ -1075,7 +1113,7 @@ Fraction,अंश Fraction Units,अंश इकाइयों Freeze Stock Entries,स्टॉक प्रविष्टियां रुक Freeze Stocks Older Than [Days],रुक स्टॉक से अधिक उम्र [ दिन] -Freight and Forwarding Charges, +Freight and Forwarding Charges,फ्रेट और अग्रेषण शुल्क Friday,शुक्रवार From,से From Bill of Materials,सामग्री के बिल से @@ -1106,8 +1144,9 @@ Frozen,फ्रोजन Frozen Accounts Modifier,बंद खाते संशोधक Fulfilled,पूरा Full Name,पूरा नाम +Full-time,पूर्णकालिक Fully Completed,पूरी तरह से पूरा -Furniture and Fixture, +Furniture and Fixture,फर्नीचर और जुड़नार Further accounts can be made under Groups but entries can be made against Ledger,इसके अलावा खातों समूह के तहत बनाया जा सकता है लेकिन प्रविष्टियों लेजर के खिलाफ किया जा सकता है "Further accounts can be made under Groups, but entries can be made against Ledger","इसके अलावा खातों समूह के तहत बनाया जा सकता है , लेकिन प्रविष्टियों लेजर के खिलाफ किया जा सकता है" Further nodes can be only created under 'Group' type nodes,इसके अलावा नोड्स केवल ' समूह ' प्रकार नोड्स के तहत बनाया जा सकता है @@ -1125,14 +1164,15 @@ Generates HTML to include selected image in the description,विवरण म Get,जाना Get Advances Paid,भुगतान किए गए अग्रिम जाओ Get Advances Received,अग्रिम प्राप्त +Get Against Entries,प्रविष्टियों के खिलाफ करें Get Current Stock,मौजूदा स्टॉक Get From ,से प्राप्त करें Get Items,आइटम पाने के लिए Get Items From Sales Orders,विक्रय आदेश से आइटम प्राप्त करें Get Items from BOM,बीओएम से आइटम प्राप्त Get Last Purchase Rate,पिछले खरीद दर -Get Non Reconciled Entries,गैर मेल मिलाप प्रविष्टियां Get Outstanding Invoices,बकाया चालान +Get Relevant Entries,प्रासंगिक प्रविष्टियां प्राप्त करें Get Sales Orders,विक्रय आदेश Get Specification Details,विशिष्टता विवरण Get Stock and Rate,स्टॉक और दर @@ -1150,15 +1190,14 @@ Goals,लक्ष्य Goods received from Suppliers.,माल आपूर्तिकर्ता से प्राप्त किया. Google Drive,गूगल ड्राइव Google Drive Access Allowed,गूगल ड्राइव एक्सेस रख सकते है -Government, -Grade,ग्रेड +Government,सरकार Graduate,परिवर्धित Grand Total,महायोग Grand Total (Company Currency),महायोग (कंपनी मुद्रा) -Gratuity LIC ID,उपदान एलआईसी ID Greater or equals,ग्रेटर या बराबर होती है Greater than,इससे बड़ा "Grid ""","ग्रिड """ +Grocery,किराना Gross Margin %,सकल मार्जिन% Gross Margin Value,सकल मार्जिन मूल्य Gross Pay,सकल वेतन @@ -1173,17 +1212,20 @@ Group by Account,खाता द्वारा समूह Group by Voucher,वाउचर द्वारा समूह Group or Ledger,समूह या लेजर Groups,समूह +HR Manager,मानव संसाधन प्रबंधक HR Settings,मानव संसाधन सेटिंग्स HTML / Banner that will show on the top of product list.,HTML बैनर / कि उत्पाद सूची के शीर्ष पर दिखाई देगा. Half Day,आधे दिन Half Yearly,छमाही Half-yearly,आधे साल में एक बार Happy Birthday!,जन्मदिन मुबारक हो! -Hardware, +Hardware,हार्डवेयर Has Batch No,बैच है नहीं Has Child Node,बाल नोड है Has Serial No,नहीं सीरियल गया है +Head of Marketing and Sales,मार्केटिंग और सेल्स के प्रमुख Header,हैडर +Health Care,स्वास्थ्य देखभाल Health Concerns,स्वास्थ्य चिंताएं Health Details,स्वास्थ्य विवरण Held On,पर Held @@ -1205,7 +1247,7 @@ Holidays,छुट्टियां Home,घर Host,मेजबान "Host, Email and Password required if emails are to be pulled","मेजबान, ईमेल और पासवर्ड की आवश्यकता अगर ईमेल को खींचा जा रहे हैं" -Hour, +Hour,घंटा Hour Rate,घंटा दर Hour Rate Labour,घंटो के लिए दर श्रम Hours,घंटे @@ -1215,7 +1257,7 @@ Human Resources,मानवीय संसाधन Identification of the package for the delivery (for print),प्रसव के लिए पैकेज की पहचान (प्रिंट के लिए) If Income or Expense,यदि आय या व्यय If Monthly Budget Exceeded,अगर मासिक बजट से अधिक -"If Sale BOM is defined, the actual BOM of the Pack is displayed as table. Available in Delivery Note and Sales Order", +"If Sale BOM is defined, the actual BOM of the Pack is displayed as table. Available in Delivery Note and Sales Order","बिक्री बीओएम परिभाषित किया गया है , पैक की वास्तविक बीओएम तालिका के रूप में प्रदर्शित किया जाता है ." "If Supplier Part Number exists for given Item, it gets stored here","यदि प्रदायक भाग संख्या दिए गए आइटम के लिए मौजूद है, यह यहाँ जमा हो जाता है" If Yearly Budget Exceeded,अगर वार्षिक बजट से अधिक हो "If checked, BOM for sub-assembly items will be considered for getting raw materials. Otherwise, all sub-assembly items will be treated as a raw material.","अगर चेक्ड उप विधानसभा आइटम के लिए बीओएम कच्चे माल प्राप्त करने के लिए विचार किया जाएगा. अन्यथा, सभी उप विधानसभा वस्तुओं एक कच्चे माल के रूप में इलाज किया जाएगा." @@ -1231,12 +1273,12 @@ If not applicable please enter: NA,यदि लागू नहीं दर् "If specified, send the newsletter using this email address","अगर निर्दिष्ट, न्यूज़लेटर भेजने के इस ईमेल पते का उपयोग" "If the account is frozen, entries are allowed to restricted users.","खाता जमे हुए है , तो प्रविष्टियों प्रतिबंधित उपयोगकर्ताओं की अनुमति है." "If this Account represents a Customer, Supplier or Employee, set it here.","अगर यह खाता एक ग्राहक प्रदायक, या कर्मचारी का प्रतिनिधित्व करता है, इसे यहां सेट." -If you follow Quality Inspection. Enables Item QA Required and QA No in Purchase Receipt, +If you follow Quality Inspection. Enables Item QA Required and QA No in Purchase Receipt,आप गुणवत्ता निरीक्षण का पालन करें . If you have Sales Team and Sale Partners (Channel Partners) they can be tagged and maintain their contribution in the sales activity,यदि आप बिक्री टीम और बिक्री (चैनल पार्टनर्स) पार्टनर्स वे चिह्नित किया जा सकता है और बिक्री गतिविधि में बनाए रखने के लिए उनके योगदान "If you have created a standard template in Purchase Taxes and Charges Master, select one and click on the button below.","यदि आप खरीद कर और शुल्क मास्टर में एक मानक टेम्पलेट बनाया है, एक का चयन करें और नीचे के बटन पर क्लिक करें." "If you have created a standard template in Sales Taxes and Charges Master, select one and click on the button below.","यदि आप बिक्री कर और शुल्क मास्टर में एक मानक टेम्पलेट बनाया है, एक का चयन करें और नीचे के बटन पर क्लिक करें." "If you have long print formats, this feature can be used to split the page to be printed on multiple pages with all headers and footers on each page","यदि आप लंबे समय स्वरूपों मुद्रित किया है, इस सुविधा के लिए प्रत्येक पृष्ठ पर सभी हेडर और पाद लेख के साथ एकाधिक पृष्ठों पर मुद्रित विभाजित करने के लिए इस्तेमाल किया जा सकता है" -If you involve in manufacturing activity. Enables Item 'Is Manufactured', +If you involve in manufacturing activity. Enables Item 'Is Manufactured',आप विनिर्माण गतिविधि में शामिल हैं . Ignore,उपेक्षा Ignored: ,उपेक्षित: "Ignoring Item {0}, because a group exists with the same name!","उपेक्षा कर मद {0} , एक समूह में एक ही नाम के साथ मौजूद है क्योंकि !" @@ -1266,12 +1308,13 @@ In Words will be visible once you save the Sales Invoice.,शब्दों म In Words will be visible once you save the Sales Order.,शब्दों में दिखाई हो सकता है एक बार तुम बिक्री आदेश को बचाने के लिए होगा. In response to,के जवाब में Incentives,प्रोत्साहन +Include Reconciled Entries,मेल मिलाप प्रविष्टियां शामिल करें Include holidays in Total no. of Working Days,कुल संख्या में छुट्टियों को शामिल करें. कार्य दिवस की -Income, +Income,आय Income / Expense,आय / व्यय Income Account,आय खाता Income Booked,आय में बुक -Income Tax, +Income Tax,आयकर Income Year to Date,आय तिथि वर्ष Income booked for the digest period,आय पचाने अवधि के लिए बुक Incoming,आवक @@ -1279,8 +1322,8 @@ Incoming Rate,आवक दर Incoming quality inspection.,इनकमिंग गुणवत्ता निरीक्षण. Incorrect or Inactive BOM {0} for Item {1} at row {2},गलत या निष्क्रिय बीओएम {0} मद के लिए {1} पंक्ति में {2} Indicates that the package is a part of this delivery,इंगित करता है कि पैकेज इस वितरण का एक हिस्सा है -Indirect Expenses, -Indirect Income, +Indirect Expenses,अप्रत्यक्ष व्यय +Indirect Income,अप्रत्यक्ष आय Individual,व्यक्ति Industry,उद्योग Industry Type,उद्योग के प्रकार @@ -1302,7 +1345,9 @@ Installed Qty,स्थापित मात्रा Instructions,निर्देश Integrate incoming support emails to Support Ticket,टिकट सहायता के लिए आने वाली समर्थन ईमेल एकीकृत Interested,इच्छुक +Intern,प्रशिक्षु Internal,आंतरिक +Internet Publishing,इंटरनेट प्रकाशन Introduction,परिचय Invalid Barcode or Serial No,अवैध बारकोड या धारावाहिक नहीं Invalid Email: {0},अवैध ईमेल: {0} @@ -1313,7 +1358,8 @@ Invalid User Name or Support Password. Please rectify and try again.,अमा Invalid quantity specified for item {0}. Quantity should be greater than 0.,आइटम के लिए निर्दिष्ट अमान्य मात्रा {0} . मात्रा 0 से अधिक होना चाहिए . Inventory,इनवेंटरी Inventory & Support,इन्वेंटरी और सहायता -Investments, +Investment Banking,निवेश बैंकिंग +Investments,निवेश Invoice Date,चालान तिथि Invoice Details,चालान विवरण Invoice No,कोई चालान @@ -1430,6 +1476,9 @@ Item-wise Purchase History,आइटम के लिहाज से खरी Item-wise Purchase Register,आइटम के लिहाज से खरीद पंजीकृत करें Item-wise Sales History,आइटम के लिहाज से बिक्री इतिहास Item-wise Sales Register,आइटम के लिहाज से बिक्री रजिस्टर +"Item: {0} managed batch-wise, can not be reconciled using \ + Stock Reconciliation, instead use Stock Entry","आइटम: {0} बैच के लिहाज से प्रबंधित , \ \ n स्टॉक सुलह का उपयोग समझौता नहीं किया जा सकता है , बजाय शेयर प्रविष्टि का उपयोग" +Item: {0} not found in the system,आइटम: {0} सिस्टम में नहीं मिला Items,आइटम Items To Be Requested,अनुरोध किया जा करने के लिए आइटम Items required,आवश्यक वस्तुओं @@ -1448,12 +1497,13 @@ Journal Entry,जर्नल प्रविष्टि Journal Voucher,जर्नल वाउचर Journal Voucher Detail,जर्नल वाउचर विस्तार Journal Voucher Detail No,जर्नल वाउचर विस्तार नहीं -Journal Voucher {0} does not have account {1}.,जर्नल वाउचर {0} खाता नहीं है {1} . +Journal Voucher {0} does not have account {1} or already matched,जर्नल वाउचर {0} खाता नहीं है {1} या पहले से ही मेल नहीं खाते Journal Vouchers {0} are un-linked,जर्नल वाउचर {0} संयुक्त राष्ट्र से जुड़े हुए हैं Keep a track of communication related to this enquiry which will help for future reference.,जांच है जो भविष्य में संदर्भ के लिए मदद करने के लिए संबंधित संचार का ट्रैक रखें. +Keep it web friendly 900px (w) by 100px (h),100px द्वारा वेब अनुकूल 900px (डब्ल्यू) रखो यह ( ज) Key Performance Area,परफ़ॉर्मेंस क्षेत्र Key Responsibility Area,कुंजी जिम्मेदारी क्षेत्र -Kg, +Kg,किलो LR Date,LR तिथि LR No,नहीं LR Label,लेबल @@ -1506,7 +1556,6 @@ Leave blank if considered for all branches,रिक्त छोड़ अग Leave blank if considered for all departments,रिक्त छोड़ अगर सभी विभागों के लिए विचार Leave blank if considered for all designations,रिक्त छोड़ अगर सभी पदनाम के लिए विचार Leave blank if considered for all employee types,रिक्त छोड़ दो अगर सभी कर्मचारी प्रकार के लिए विचार -Leave blank if considered for all grades,रिक्त छोड़ अगर सभी ग्रेड के लिए माना जाता है "Leave can be approved by users with Role, ""Leave Approver""",", "अनुमोदक" छोड़ छोड़ भूमिका के साथ उपयोगकर्ताओं द्वारा अनुमोदित किया जा सकता है" Leave of type {0} cannot be longer than {1},प्रकार की छुट्टी {0} से बड़ा नहीं हो सकता है {1} Leaves Allocated Successfully for {0},पत्तियों के लिए सफलतापूर्वक आवंटित {0} @@ -1515,29 +1564,30 @@ Leaves must be allocated in multiples of 0.5,पत्तियां 0.5 के Ledger,खाता Ledgers,बहीखाते Left,वाम -Legal Expenses, +Legal,कानूनी +Legal Expenses,विधि व्यय Less or equals,कम या बराबर होती है Less than,से भी कम Letter Head,पत्रशीर्ष Letter Heads for print templates.,प्रिंट टेम्पलेट्स के लिए पत्र सिर . Level,स्तर Lft,LFT +Liability,दायित्व Like,जैसा Linked With,के साथ जुड़ा हुआ List,सूची List a few of your customers. They could be organizations or individuals.,अपने ग्राहकों के कुछ सूची . वे संगठनों या व्यक्तियों हो सकता है. List a few of your suppliers. They could be organizations or individuals.,अपने आपूर्तिकर्ताओं में से कुछ की सूची . वे संगठनों या व्यक्तियों हो सकता है. -"List a few products or services you buy from your suppliers or vendors. If these are same as your products, then do not add them.","आप अपने आपूर्तिकर्ताओं या विक्रेताओं से खरीद कुछ उत्पादों या सेवाओं को सूचीबद्ध करें . ये अपने उत्पादों के रूप में वही कर रहे हैं , तो फिर उन्हें जोड़ नहीं है ." List items that form the package.,सूची आइटम है कि पैकेज का फार्म. List this Item in multiple groups on the website.,कई समूहों में वेबसाइट पर इस मद की सूची. -"List your products or services that you sell to your customers. Make sure to check the Item Group, Unit of Measure and other properties when you start.","आप अपने ग्राहकों को बेचते हैं कि अपने उत्पादों या सेवाओं को सूचीबद्ध करें . जब आप शुरू मद समूह , उपाय और अन्य संपत्तियों की यूनिट की जाँच करने के लिए सुनिश्चित करें." -"List your tax heads (e.g. VAT, Excise) (upto 3) and their standard rates. This will create a standard template, you can edit and add more later.","अपने कर सिर (3 ) तक (जैसे वैट , उत्पाद शुल्क) और उनके मानक दरों की सूची . यह एक मानक टेम्पलेट बनाने के लिए, आप संपादित करें और अधिक बाद में जोड़ सकते हैं." +"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 your tax heads (e.g. VAT, Excise; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","और उनके मानक दरें , आपके टैक्स सिर ( वे अद्वितीय नाम होना चाहिए जैसे वैट , उत्पाद शुल्क ) की सूची ." Loading,लदान Loading Report,रिपोर्ट लोड हो रहा है Loading...,लोड हो रहा है ... -Loans (Liabilities), -Loans and Advances (Assets), -Local, +Loans (Liabilities),ऋण (देनदारियों) +Loans and Advances (Assets),ऋण और अग्रिम ( संपत्ति) +Local,स्थानीय Login with your new User ID,अपना नया यूजर आईडी के साथ लॉगिन Logo,लोगो Logo and Letter Heads,लोगो और प्रमुखों पत्र @@ -1547,7 +1597,7 @@ Lost Reason,खोया कारण Low,निम्न Lower Income,कम आय MTN Details,एमटीएन विवरण -Main, +Main,मुख्य Main Reports,मुख्य रिपोर्ट Maintain Same Rate Throughout Sales Cycle,बिक्री चक्र के दौरान एक ही दर बनाए रखें Maintain same rate throughout purchase cycle,खरीद चक्र के दौरान एक ही दर बनाए रखें @@ -1598,6 +1648,8 @@ Manage Customer Group Tree.,ग्राहक समूह ट्री प् Manage Sales Person Tree.,बिक्री व्यक्ति पेड़ की व्यवस्था करें. Manage Territory Tree.,टेरिटरी ट्री प्रबंधन . Manage cost of operations,संचालन की लागत का प्रबंधन +Management,प्रबंधन +Manager,मैनेजर Mandatory fields required in {0},में आवश्यक अनिवार्य क्षेत्रों {0} Mandatory filters required:\n,अनिवार्य फिल्टर की आवश्यकता है: \ n "Mandatory if Stock Item is ""Yes"". Also the default warehouse where reserved quantity is set from Sales Order.","अनिवार्य अगर स्टॉक मद "हाँ" है. इसके अलावा आरक्षित मात्रा बिक्री आदेश से सेट किया जाता है, जहां डिफ़ॉल्ट गोदाम." @@ -1605,7 +1657,7 @@ Manufacture against Sales Order,बिक्री आदेश के खिल Manufacture/Repack,/ निर्माण Repack Manufactured Qty,निर्मित मात्रा Manufactured quantity will be updated in this warehouse,निर्मित मात्रा इस गोदाम में अद्यतन किया जाएगा -Manufactured quantity {0} cannot be greater than planned quanitity {1} in Production Order {2}, +Manufactured quantity {0} cannot be greater than planned quanitity {1} in Production Order {2},विनिर्मित मात्रा {0} योजना बनाई quanitity से अधिक नहीं हो सकता है {1} उत्पादन आदेश में {2} Manufacturer,निर्माता Manufacturer Part Number,निर्माता भाग संख्या Manufacturing,विनिर्माण @@ -1614,7 +1666,8 @@ Manufacturing Quantity is mandatory,विनिर्माण मात्र Margin,हाशिया Marital Status,वैवाहिक स्थिति Market Segment,बाजार खंड -Marketing Expenses, +Marketing,विपणन +Marketing Expenses,विपणन व्यय Married,विवाहित Mass Mailing,मास मेलिंग Master Name,मास्टर नाम @@ -1640,15 +1693,16 @@ Material Requirement,सामग्री की आवश्यकताएँ Material Transfer,सामग्री स्थानांतरण Materials,सामग्री Materials Required (Exploded),माल आवश्यक (विस्फोट) +Max 5 characters,अधिकतम 5 अक्षर Max Days Leave Allowed,अधिकतम दिन छोड़ने की अनुमति दी Max Discount (%),अधिकतम डिस्काउंट (%) Max Qty,अधिकतम मात्रा Maximum allowed credit is {0} days after posting date,अधिकतम स्वीकृत क्रेडिट तारीख पोस्टिंग के बाद {0} दिन है Maximum {0} rows allowed,अधिकतम {0} पंक्तियों की अनुमति दी Maxiumm discount for Item {0} is {1}%,आइटम के लिए Maxiumm छूट {0} {1} % है -Medical, +Medical,चिकित्सा Medium,मध्यम -"Merging is only possible if following properties are same in both records. Group or Ledger, Report Type, Company","निम्नलिखित गुण दोनों रिकॉर्ड में वही कर रहे हैं , तो इसका मिलान करना ही संभव है . समूह या लेजर, रिपोर्ट प्रकार , कंपनी" +"Merging is only possible if following properties are same in both records. Group or Ledger, Root Type, Company","निम्नलिखित गुण दोनों रिकॉर्ड में वही कर रहे हैं , तो इसका मिलान करना ही संभव है ." Message,संदेश Message Parameter,संदेश पैरामीटर Message Sent,भेजे गए संदेश @@ -1662,10 +1716,11 @@ Milestones,मील के पत्थर Milestones will be added as Events in the Calendar,उपलब्धि कैलेंडर में घटनाक्रम के रूप में जोड़ दिया जाएगा Min Order Qty,न्यूनतम आदेश मात्रा Min Qty,न्यूनतम मात्रा +Min Qty can not be greater than Max Qty,न्यूनतम मात्रा अधिकतम मात्रा से ज्यादा नहीं हो सकता Minimum Order Qty,न्यूनतम आदेश मात्रा -Minute, +Minute,मिनट Misc Details,विविध विवरण -Miscellaneous Expenses, +Miscellaneous Expenses,विविध व्यय Miscelleneous,Miscelleneous Missing Values Required,आवश्यक लापता मूल्यों Mobile No,नहीं मोबाइल @@ -1684,6 +1739,7 @@ Monthly salary statement.,मासिक वेतन बयान. More,अधिक More Details,अधिक जानकारी More Info,अधिक जानकारी +Motion Picture & Video,मोशन पिक्चर और वीडियो Move Down: {0},नीचे ले जाएँ : {0} Move Up: {0},ऊपर ले जाएँ : {0} Moving Average,चलायमान औसत @@ -1691,6 +1747,9 @@ Moving Average Rate,मूविंग औसत दर Mr,श्री Ms,सुश्री Multiple Item prices.,एकाधिक आइटम कीमतों . +"Multiple Price Rule exists with same criteria, please resolve \ + conflict by assigning priority. Price Rules: {0}","एकाधिक मूल्य नियम एक ही मापदंड के साथ मौजूद है , प्राथमिकता बताए द्वारा \ \ n संघर्ष का समाधान करें." +Music,संगीत Must be Whole Number,पूर्ण संख्या होनी चाहिए My Settings,मेरी सेटिंग्स Name,नाम @@ -1702,7 +1761,9 @@ Name not permitted,अनुमति नहीं नाम Name of person or organization that this address belongs to.,कि इस पते पर संबधित व्यक्ति या संगठन का नाम. Name of the Budget Distribution,बजट वितरण के नाम Naming Series,श्रृंखला का नामकरण +Negative Quantity is not allowed,नकारात्मक मात्रा की अनुमति नहीं है Negative Stock Error ({6}) for Item {0} in Warehouse {1} on {2} {3} in {4} {5},नकारात्मक स्टॉक त्रुटि ( {6} ) मद के लिए {0} गोदाम में {1} को {2} {3} में {4} {5} +Negative Valuation Rate is not allowed,नकारात्मक मूल्यांकन दर की अनुमति नहीं है Negative balance in Batch {0} for Item {1} at Warehouse {2} on {3} {4},बैच में नकारात्मक शेष {0} मद के लिए {1} गोदाम में {2} को {3} {4} Net Pay,शुद्ध वेतन Net Pay (in words) will be visible once you save the Salary Slip.,शुद्ध वेतन (शब्दों में) दिखाई हो सकता है एक बार आप वेतन पर्ची बचाने के लिए होगा. @@ -1750,7 +1811,8 @@ Newsletter Status,न्यूज़लैटर स्थिति Newsletter has already been sent,समाचार पत्र के पहले ही भेज दिया गया है Newsletters is not allowed for Trial users,न्यूज़लेटर परीक्षण उपयोगकर्ताओं के लिए अनुमति नहीं है "Newsletters to contacts, leads.","संपर्क करने के लिए समाचार पत्र, होता है." -Next, +Newspaper Publishers,अखबार के प्रकाशक +Next,अगला Next Contact By,द्वारा अगले संपर्क Next Contact Date,अगले संपर्क तिथि Next Date,अगली तारीख @@ -1773,25 +1835,26 @@ No Results,कोई परिणाम नहीं No Supplier Accounts found. Supplier Accounts are identified based on 'Master Type' value in account record.,कोई प्रदायक लेखा पाया . प्रदायक लेखा खाते के रिकॉर्ड में ' मास्टर प्रकार' मूल्य पर आधारित पहचान कर रहे हैं . No accounting entries for the following warehouses,निम्नलिखित गोदामों के लिए कोई लेखा प्रविष्टियों No addresses created,बनाया नहीं पते -No amount allocated,आवंटित राशि नहीं No contacts created,बनाया कोई संपर्क नहीं No default BOM exists for Item {0},कोई डिफ़ॉल्ट बीओएम मौजूद मद के लिए {0} -No description given, +No description given,दिया का कोई विवरण नहीं No document selected,चयनित कोई दस्तावेज़ No employee found,नहीं मिला कर्मचारी +No employee found!,कोई कर्मचारी पाया ! No of Requested SMS,अनुरोधित एसएमएस की संख्या No of Sent SMS,भेजे गए एसएमएस की संख्या No of Visits,यात्राओं की संख्या No one,कोई नहीं No permission,कोई अनुमति नहीं +No permission to '{0}' {1},करने के लिए कोई अनुमति नहीं '{0} ' {1} No permission to edit,संपादित करने के लिए कोई अनुमति नहीं No record found,कोई रिकॉर्ड पाया No records tagged.,कोई रिकॉर्ड टैग. No salary slip found for month: ,महीने के लिए नहीं मिला वेतन पर्ची: -Non Profit, +Non Profit,गैर लाभ None,कोई नहीं None: End of Workflow,कोई नहीं: कार्यप्रवाह समाप्ति -Nos, +Nos,ओपन स्कूल Not Active,सक्रिय नहीं Not Applicable,लागू नहीं Not Available,उपलब्ध नहीं @@ -1814,7 +1877,7 @@ Note,नोट Note User,नोट प्रयोक्ता "Note: Backups and files are not deleted from Dropbox, you will have to delete them manually.","नोट: बैकअप और फ़ाइलें ड्रॉपबॉक्स से नहीं हटाया जाता है, तो आप स्वयं उन्हें नष्ट करना होगा." "Note: Backups and files are not deleted from Google Drive, you will have to delete them manually.","नोट: बैकअप और फ़ाइलें गूगल ड्राइव से नष्ट नहीं कर रहे हैं, आप स्वयं उन्हें नष्ट करना होगा." -Note: Due Date exceeds the allowed credit days by {0} day(s), +Note: Due Date exceeds the allowed credit days by {0} day(s),नोट : नियत तिथि {0} दिन (एस ) द्वारा की अनुमति क्रेडिट दिनों से अधिक Note: Email will not be sent to disabled users,नोट: ईमेल अक्षम उपयोगकर्ताओं के लिए नहीं भेजा जाएगा Note: Item {0} entered multiple times,नोट : आइटम {0} कई बार प्रवेश किया Note: Other permission rules may also apply,नोट: अन्य अनुमति के नियम भी लागू हो सकता है @@ -1836,13 +1899,14 @@ Notify by Email on creation of automatic Material Request,स्वचालि Number Format,संख्या स्वरूप Offer Date,प्रस्ताव की तिथि Office,कार्यालय -Office Equipments, -Office Maintenance Expenses, -Office Rent, +Office Equipments,कार्यालय उपकरण +Office Maintenance Expenses,कार्यालय रखरखाव का खर्च +Office Rent,कार्यालय का किराया Old Parent,पुरानी माता - पिता On Net Total,नेट कुल On Previous Row Amount,पिछली पंक्ति राशि पर On Previous Row Total,पिछली पंक्ति कुल पर +Online Auctions,ऑनलाइन नीलामी Only Leave Applications with status 'Approved' can be submitted,केवल प्रस्तुत किया जा सकता है 'स्वीकृत' स्थिति के साथ आवेदन छोड़ दो "Only Serial Nos with status ""Available"" can be delivered.","स्थिति के साथ ही सीरियल नं ""उपलब्ध"" दिया जा सकता है ." Only leaf nodes are allowed in transaction,केवल पत्ता नोड्स के लेनदेन में की अनुमति दी जाती है @@ -1888,10 +1952,11 @@ Organization Name,संगठन का नाम Organization Profile,संगठन प्रोफाइल Organization branch master.,संगठन शाखा मास्टर . Organization unit (department) master.,संगठन इकाई ( विभाग ) मास्टर . +Original Amount,मूल राशि Original Message,मूल संदेश Other,अन्य Other Details,अन्य विवरण -Others, +Others,दूसरों Out Qty,मात्रा बाहर Out Value,मूल्य बाहर Out of AMC,एएमसी के बाहर @@ -1905,9 +1970,6 @@ Overlapping conditions found between:,बीच पाया ओवरलैप Overview,अवलोकन Owned,स्वामित्व Owner,स्वामी -PAN Number,पैन नंबर -PF No.,पीएफ सं. -PF Number,पीएफ संख्या PL or BS,पी एल या बी एस PO Date,पीओ तिथि PO No,पीओ नहीं @@ -1919,7 +1981,6 @@ POS Setting,स्थिति सेटिंग POS Setting required to make POS Entry,पीओएस एंट्री बनाने के लिए आवश्यक स्थिति निर्धारण POS Setting {0} already created for user: {1} and company {2},पीओएस स्थापना {0} पहले से ही उपयोगकर्ता के लिए बनाया : {1} और कंपनी {2} POS View,स्थिति देखें -POS-Setting-.#, PR Detail,पीआर विस्तार PR Posting Date,पीआर पोस्ट दिनांक Package Item Details,संकुल आइटम विवरण @@ -1938,7 +1999,7 @@ Page Name,पेज का नाम Page not found,पृष्ठ नहीं मिला Paid Amount,राशि भुगतान Paid amount + Write Off Amount can not be greater than Grand Total,भुगतान की गई राशि + राशि से लिखने के कुल योग से बड़ा नहीं हो सकता -Pair, +Pair,जोड़ा Parameter,प्राचल Parent Account,खाते के जनक Parent Cost Center,माता - पिता लागत केंद्र @@ -1955,6 +2016,7 @@ Parent Website Route,जनक वेबसाइट ट्रेन Parent account can not be a ledger,माता पिता के खाते एक खाता नहीं हो सकता Parent account does not exist,माता पिता के खाते में मौजूद नहीं है Parenttype,Parenttype +Part-time,अंशकालिक Partially Completed,आंशिक रूप से पूरा Partly Billed,आंशिक रूप से बिल Partly Delivered,आंशिक रूप से वितरित @@ -1972,7 +2034,6 @@ Payables,देय Payables Group,देय समूह Payment Days,भुगतान दिन Payment Due Date,भुगतान की नियत तिथि -Payment Entries,भुगतान प्रविष्टियां Payment Period Based On Invoice Date,चालान तिथि के आधार पर भुगतान की अवधि Payment Type,भुगतान के प्रकार Payment of salary for the month {0} and year {1},महीने के वेतन का भुगतान {0} और वर्ष {1} @@ -1989,6 +2050,7 @@ Pending Amount,लंबित राशि Pending Items {0} updated,लंबित आइटम {0} अद्यतन Pending Review,समीक्षा के लिए लंबित Pending SO Items For Purchase Request,खरीद के अनुरोध के लिए लंबित है तो आइटम +Pension Funds,पेंशन फंड Percent Complete,पूरा प्रतिशत Percentage Allocation,प्रतिशत आवंटन Percentage Allocation should be equal to 100%,प्रतिशत आवंटन 100 % के बराबर होना चाहिए @@ -1997,7 +2059,6 @@ Percentage you are allowed to receive or deliver more against the quantity order Performance appraisal.,प्रदर्शन मूल्यांकन. Period,अवधि Period Closing Voucher,अवधि समापन वाउचर -Period is too short,अवधि कम है Periodicity,आवधिकता Permanent Address,स्थायी पता Permanent Address Is,स्थायी पता है @@ -2008,18 +2069,21 @@ Permission,अनुमति Personal,व्यक्तिगत Personal Details,व्यक्तिगत विवरण Personal Email,व्यक्तिगत ईमेल -Pharmaceutical, +Pharmaceutical,औषधि +Pharmaceuticals,औषधीय Phone,फ़ोन Phone No,कोई फोन Pick Columns,स्तंभ उठाओ +Piecework,ठेका Pincode,Pincode Place of Issue,जारी करने की जगह Plan for maintenance visits.,रखरखाव के दौरे के लिए योजना. Planned Qty,नियोजित मात्रा "Planned Qty: Quantity, for which, Production Order has been raised, but is pending to be manufactured.","नियोजित मात्रा: मात्रा , जिसके लिए उत्पादन का आदेश उठाया गया है , लेकिन निर्मित हो लंबित है." Planned Quantity,नियोजित मात्रा +Planning,आयोजन Plant,पौधा -Plant and Machinery, +Plant and Machinery,संयंत्र और मशीनें Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,संक्षिप्त या लघु नाम ठीक से दर्ज करें सभी खाता प्रमुखों को प्रत्यय के रूप में जोड़ दिया जाएगा. Please add expense voucher details,व्यय वाउचर जानकारी जोड़ने के लिए धन्यवाद Please attach a file first.,पहले एक फ़ाइल संलग्न करें. @@ -2054,7 +2118,6 @@ Please enter Planned Qty for Item {0} at row {1},आइटम के लिए Please enter Production Item first,पहली उत्पादन मद दर्ज करें Please enter Purchase Receipt No to proceed,आगे बढ़ने के लिए कोई खरीद रसीद दर्ज करें Please enter Reference date,संदर्भ तिथि दर्ज करें -Please enter Start Date and End Date,प्रारंभ दिनांक और समाप्ति तिथि दर्ज करें Please enter Warehouse for which Material Request will be raised,"सामग्री अनुरोध उठाया जाएगा , जिसके लिए वेयरहाउस दर्ज करें" Please enter Write Off Account,खाता बंद लिखने दर्ज करें Please enter atleast 1 invoice in the table,तालिका में कम से कम 1 चालान दाखिल करें @@ -2103,9 +2166,9 @@ Please select item code,आइटम कोड का चयन करें Please select month and year,माह और वर्ष का चयन करें Please select prefix first,पहले उपसर्ग का चयन करें Please select the document type first,पहला दस्तावेज़ प्रकार का चयन करें -Please select valid Voucher No to proceed,आगे बढ़ने के लिए वैध वाउचर नहीं का चयन करें Please select weekly off day,साप्ताहिक छुट्टी के दिन का चयन करें Please select {0},कृपया चुनें {0} +Please select {0} first,पहला {0} का चयन करें Please set Dropbox access keys in your site config,आपकी साइट config में ड्रॉपबॉक्स का उपयोग चाबियां सेट करें Please set Google Drive access keys in {0},में गूगल ड्राइव का उपयोग चाबियां सेट करें {0} Please set default Cash or Bank account in Mode of Payment {0},भुगतान की विधि में डिफ़ॉल्ट नकद या बैंक खाता सेट करें {0} @@ -2121,6 +2184,7 @@ Please specify Default Currency in Company Master and Global Defaults,कंप Please specify a,कृपया बताएं एक Please specify a valid 'From Case No.','केस नंबर से' एक वैध निर्दिष्ट करें Please specify a valid Row ID for {0} in row {1},पंक्ति में {0} के लिए एक वैध पंक्ति आईडी निर्दिष्ट करें {1} +Please specify either Quantity or Valuation Rate or both,मात्रा या मूल्यांकन दर या दोनों निर्दिष्ट करें Please submit to update Leave Balance.,लीव शेष अपडेट करने सबमिट करें. Plot,भूखंड Plot By,प्लॉट @@ -2130,7 +2194,7 @@ Post Graduate,स्नातकोत्तर Post already exists. Cannot add again!,पोस्ट पहले से ही मौजूद है. फिर से नहीं जोड़ सकते हैं! Post does not exist. Please add post!,डाक मौजूद नहीं है . पोस्ट जोड़ने के लिए धन्यवाद ! Postal,डाक का -Postal Expenses, +Postal Expenses,पोस्टल व्यय Posting Date,तिथि पोस्टिंग Posting Time,बार पोस्टिंग Posting timestamp must be after {0},पोस्टिंग टाइमस्टैम्प के बाद होना चाहिए {0} @@ -2142,7 +2206,7 @@ Present,पेश Prevdoc DocType,Prevdoc doctype Prevdoc Doctype,Prevdoc Doctype Preview,पूर्वावलोकन -Previous, +Previous,पिछला Previous Record,पिछला रिकॉर्ड Previous Work Experience,पिछले कार्य अनुभव Price,कीमत @@ -2166,15 +2230,18 @@ Print,प्रिंट Print Format Style,प्रिंट प्रारूप शैली Print Heading,शीर्षक प्रिंट Print Without Amount,राशि के बिना प्रिंट -Print and Stationary, +Print and Stationary,प्रिंट और स्टेशनरी Print...,प्रिंट ... Printing and Branding,मुद्रण और ब्रांडिंग Priority,प्राथमिकता -Privilege Leave, +Private Equity,निजी इक्विटी +Privilege Leave,विशेषाधिकार छुट्टी +Probation,परिवीक्षा Process Payroll,प्रक्रिया पेरोल Produced,उत्पादित Produced Quantity,उत्पादित मात्रा Product Enquiry,उत्पाद पूछताछ +Production,उत्पादन Production Order,उत्पादन का आदेश Production Order status is {0},उत्पादन का आदेश स्थिति है {0} Production Order {0} must be cancelled before cancelling this Sales Order,उत्पादन का आदेश {0} इस बिक्री आदेश रद्द करने से पहले रद्द कर दिया जाना चाहिए @@ -2186,13 +2253,13 @@ Production Plan Items,उत्पादन योजना आइटम Production Plan Sales Order,उत्पादन योजना बिक्री आदेश Production Plan Sales Orders,उत्पादन योजना विक्रय आदेश Production Planning Tool,उत्पादन योजना उपकरण -Products, -Products or Services You Buy,उत्पाद या आप खरीदें सेवाएँ +Products,उत्पाद "Products will be sorted by weight-age in default searches. More the weight-age, higher the product will appear in the list.","उत्पाद डिफ़ॉल्ट खोजों में वजन उम्र के द्वारा हल किया जाएगा. अधिक वजन उम्र, उच्च उत्पाद की सूची में दिखाई देगा." Profit and Loss,लाभ और हानि Project,परियोजना Project Costing,लागत परियोजना Project Details,परियोजना विवरण +Project Manager,परियोजना प्रबंधक Project Milestone,परियोजना मील का पत्थर Project Milestones,परियोजना मील के पत्थर Project Name,इस परियोजना का नाम @@ -2209,9 +2276,10 @@ Projected Qty,अनुमानित मात्रा Projects,परियोजनाओं Projects & System,प्रोजेक्ट्स एंड सिस्टम Prompt for Email on Submission of,प्रस्तुत करने पर ईमेल के लिए संकेत +Proposal Writing,प्रस्ताव लेखन Provide email id registered in company,कंपनी में पंजीकृत ईमेल आईडी प्रदान Public,सार्वजनिक -Pull Payment Entries,भुगतान प्रविष्टियां खींचो +Publishing,प्रकाशन Pull sales orders (pending to deliver) based on the above criteria,उपरोक्त मानदंडों के आधार पर बिक्री के आदेश (वितरित करने के लिए लंबित) खींचो Purchase,क्रय Purchase / Manufacture Details,खरीद / निर्माण विवरण @@ -2277,6 +2345,7 @@ Quality Inspection Parameters,गुणवत्ता निरीक्षण Quality Inspection Reading,गुणवत्ता निरीक्षण पढ़ना Quality Inspection Readings,गुणवत्ता निरीक्षण रीडिंग Quality Inspection required for Item {0},आइटम के लिए आवश्यक गुणवत्ता निरीक्षण {0} +Quality Management,गुणवत्ता प्रबंधन Quantity,मात्रा Quantity Requested for Purchase,मात्रा में खरीद करने के लिए अनुरोध Quantity and Rate,मात्रा और दर @@ -2309,7 +2378,7 @@ Random,यादृच्छिक Range,रेंज Rate,दर Rate ,दर -Rate (%), +Rate (%),दर (% ) Rate (Company Currency),दर (कंपनी मुद्रा) Rate Of Materials Based On,सामग्री के आधार पर दर Rate and Amount,दर और राशि @@ -2319,7 +2388,7 @@ Rate at which Price list currency is converted to customer's base currency,द Rate at which customer's currency is converted to company's base currency,जिस पर दर ग्राहक की मुद्रा कंपनी के बेस मुद्रा में परिवर्तित किया जाता है Rate at which supplier's currency is converted to company's base currency,दर जिस पर आपूर्तिकर्ता मुद्रा कंपनी के बेस मुद्रा में परिवर्तित किया जाता है Rate at which this tax is applied,दर जिस पर इस कर को लागू किया जाता है -Raw Material, +Raw Material,कच्चे माल Raw Material Item Code,कच्चे माल के मद कोड Raw Materials Supplied,कच्चे माल की आपूर्ति Raw Materials Supplied Cost,कच्चे माल की लागत की आपूर्ति @@ -2340,6 +2409,7 @@ Reading 6,6 पढ़ना Reading 7,7 पढ़ना Reading 8,8 पढ़ना Reading 9,9 पढ़ना +Real Estate,रियल एस्टेट Reason,कारण Reason for Leaving,छोड़ने के लिए कारण Reason for Resignation,इस्तीफे का कारण @@ -2358,6 +2428,7 @@ Receiver List,रिसीवर सूची Receiver List is empty. Please create Receiver List,पानेवाला सूची खाली है . पानेवाला सूची बनाएं Receiver Parameter,रिसीवर पैरामीटर Recipients,प्राप्तकर्ता +Reconcile,समाधान करना Reconciliation Data,सुलह डेटा Reconciliation HTML,सुलह HTML Reconciliation JSON,सुलह JSON @@ -2376,7 +2447,7 @@ Reference Name,संदर्भ नाम Reference No & Reference Date is required for {0},संदर्भ कोई और संदर्भ तिथि के लिए आवश्यक है {0} Reference No is mandatory if you entered Reference Date,"आप संदर्भ तिथि में प्रवेश किया , तो संदर्भ कोई अनिवार्य है" Reference Number,संदर्भ संख्या -Reference Row #, +Reference Row #,संदर्भ row # Refresh,ताज़ा करना Registration Details,पंजीकरण के विवरण Registration Info,पंजीकरण जानकारी @@ -2407,6 +2478,7 @@ Report,रिपोर्ट Report Date,तिथि रिपोर्ट Report Type,टाइप रिपोर्ट Report Type is mandatory,रिपोर्ट प्रकार अनिवार्य है +Report an Issue,किसी समस्या की रिपोर्ट Report was not saved (there were errors),रिपोर्ट नहीं बचाया (वहाँ त्रुटियों थे) Reports to,करने के लिए रिपोर्ट Reqd By Date,तिथि reqd @@ -2425,6 +2497,9 @@ Required Date,आवश्यक तिथि Required Qty,आवश्यक मात्रा Required only for sample item.,केवल नमूना आइटम के लिए आवश्यक है. Required raw materials issued to the supplier for producing a sub - contracted item.,आवश्यक कच्चे एक उप के उत्पादन के लिए आपूर्तिकर्ता को जारी सामग्री - अनुबंधित आइटम. +Research,अनुसंधान +Research & Development,अनुसंधान एवं विकास +Researcher,अनुसंधानकर्ता Reseller,पुनर्विक्रेता Reserved,आरक्षित Reserved Qty,सुरक्षित मात्रा @@ -2435,27 +2510,40 @@ Reserved Warehouse in Sales Order / Finished Goods Warehouse,बिक्री Reserved Warehouse is missing in Sales Order,सुरक्षित गोदाम बिक्री आदेश में लापता है Reserved Warehouse required for stock Item {0} in row {1},शेयर मद के लिए आवश्यक आरक्षित वेयरहाउस {0} पंक्ति में {1} Reserved warehouse required for stock item {0},शेयर मद के लिए आवश्यक आरक्षित गोदाम {0} -Reserves and Surplus, +Reserves and Surplus,भंडार और अधिशेष Reset Filters,फिल्टर रीसेट Resignation Letter Date,इस्तीफा पत्र दिनांक Resolution,संकल्प Resolution Date,संकल्प तिथि Resolution Details,संकल्प विवरण Resolved By,द्वारा हल किया -Rest Of The World, +Rest Of The World,शेष विश्व Retail,खुदरा +Retail & Wholesale,खुदरा और थोक Retailer,खुदरा Review Date,तिथि की समीक्षा Rgt,RGT Role Allowed to edit frozen stock,जमे हुए शेयर संपादित करने के लिए रख सकते है भूमिका Role that is allowed to submit transactions that exceed credit limits set.,निर्धारित ऋण सीमा से अधिक लेनदेन है कि प्रस्तुत करने की अनुमति दी है कि भूमिका. +Root Type,जड़ के प्रकार +Root Type is mandatory,रूट प्रकार अनिवार्य है Root account can not be deleted,रुट खाता हटाया नहीं जा सकता Root cannot be edited.,रूट संपादित नहीं किया जा सकता है . Root cannot have a parent cost center,रूट एक माता पिता लागत केंद्र नहीं कर सकते -Rounded Off, +Rounded Off,गोल बंद Rounded Total,गोल कुल Rounded Total (Company Currency),गोल कुल (कंपनी मुद्रा) Row # ,# पंक्ति +Row # {0}: , +"Row {0}: Account does not match with \ + Purchase Invoice Credit To account",पंक्ति {0} : खाता करने के लिए \ \ n खरीद चालान क्रेडिट के साथ मेल नहीं खाता +"Row {0}: Account does not match with \ + Sales Invoice Debit To account",पंक्ति {0} : खाता करने के लिए \ \ n बिक्री चालान डेबिट के साथ मेल नहीं खाता +Row {0}: Credit entry can not be linked with a Purchase Invoice,पंक्ति {0} : क्रेडिट प्रविष्टि एक खरीद चालान के साथ नहीं जोड़ा जा सकता +Row {0}: Debit entry can not be linked with a Sales Invoice,पंक्ति {0} : डेबिट प्रविष्टि एक बिक्री चालान के साथ नहीं जोड़ा जा सकता +"Row {0}: To set {1} periodicity, difference between from and to date \ + must be greater than or equal to {2}","पंक्ति {0} {1} दौरा , \ \ n और तिथि करने के लिए बीच का अंतर अधिक से अधिक या बराबर होना चाहिए सेट करने के लिए {2}" +Row {0}:Start Date must be before End Date,पंक्ति {0} : आरंभ तिथि समाप्ति तिथि से पहले होना चाहिए Rules for adding shipping costs.,शिपिंग लागत को जोड़ने के लिए नियम. Rules for applying pricing and discount.,मूल्य निर्धारण और छूट लागू करने के लिए नियम. Rules to calculate shipping amount for a sale,एक बिक्री के लिए शिपिंग राशि की गणना करने के नियम @@ -2495,7 +2583,7 @@ Sales Browser,बिक्री ब्राउज़र Sales Details,बिक्री विवरण Sales Discounts,बिक्री छूट Sales Email Settings,बिक्री ईमेल सेटिंग -Sales Expenses, +Sales Expenses,बिक्री व्यय Sales Extras,बिक्री अतिरिक्त Sales Funnel,बिक्री कीप Sales Invoice,बिक्री चालान @@ -2547,7 +2635,6 @@ Schedule,अनुसूची Schedule Date,नियत तिथि Schedule Details,अनुसूची विवरण Scheduled,अनुसूचित -Scheduled Confirmation Date must be greater than Date of Joining,अनुसूचित पुष्टिकरण तिथि शामिल होने की तिथि से अधिक होना चाहिए Scheduled Date,अनुसूचित तिथि Scheduled to send to {0},करने के लिए भेजने के लिए अनुसूचित {0} Scheduled to send to {0} recipients,{0} प्राप्तकर्ताओं को भेजने के लिए अनुसूचित @@ -2559,8 +2646,10 @@ Score must be less than or equal to 5,स्कोर से कम या 5 क Scrap %,% स्क्रैप Search,खोजें Seasonality for setting budgets.,बजट की स्थापना के लिए मौसम. -Secured Loans, -Securities and Deposits, +Secretary,सचिव +Secured Loans,सुरक्षित कर्जे +Securities & Commodity Exchanges,प्रतिभूति एवं कमोडिटी एक्सचेंजों +Securities and Deposits,प्रतिभूति और जमाओं "See ""Rate Of Materials Based On"" in Costing Section",धारा लागत में "सामग्री के आधार पर दर" देखें "Select ""Yes"" for sub - contracting items",उप के लिए "हाँ" चुनें आइटम करार "Select ""Yes"" if this item is used for some internal purpose in your company.","हाँ" चुनें अगर इस मद में अपनी कंपनी में कुछ आंतरिक उद्देश्य के लिए इस्तेमाल किया जाता है. @@ -2582,14 +2671,13 @@ Select Time Logs and Submit to create a new Sales Invoice.,समय लॉग Select To Download:,डाउनलोड करने के लिए चयन करें: Select Transaction,लेन - देन का चयन करें Select Type,प्रकार का चयन करें -Select Your Language, +Select Your Language,अपनी भाषा का चयन Select account head of the bank where cheque was deposited.,बैंक के खाते में जहां चेक जमा किया गया था सिर का चयन करें. Select company name first.,कंपनी 1 नाम का चयन करें. Select dates to create a new ,एक नया बनाने की दिनांक चुने Select or drag across time slots to create a new event.,का चयन करें या एक नई घटना बनाने के लिए टाइम स्लॉट भर में खींचें. Select template from which you want to get the Goals,जो टेम्पलेट से आप लक्ष्यों को प्राप्त करना चाहते हैं का चयन करें Select the Employee for whom you are creating the Appraisal.,जिसे तुम पैदा कर रहे हैं मूल्यांकन करने के लिए कर्मचारी का चयन करें. -Select the Invoice against which you want to allocate payments.,आप भुगतान आवंटित करना चाहते हैं जिसके खिलाफ चालान का चयन करें. Select the period when the invoice will be generated automatically,अवधि का चयन करें जब चालान स्वतः उत्पन्न हो जाएगा Select the relevant company name if you have multiple companies,अगर आप कई कंपनियों प्रासंगिक कंपनी के नाम का चयन करें Select the relevant company name if you have multiple companies.,अगर आप कई कंपनियों प्रासंगिक कंपनी के नाम का चयन करें. @@ -2640,34 +2728,34 @@ Serial No {0} status must be 'Available' to Deliver,धारावाहिक Serial Nos Required for Serialized Item {0},श्रृंखलाबद्ध मद के लिए सीरियल नं आवश्यक {0} Serial Number Series,सीरियल नंबर सीरीज Serial number {0} entered more than once,सीरियल नंबर {0} एक बार से अधिक दर्ज किया -Serialized Item {0} cannot be updated using Stock Reconciliation,श्रृंखलाबद्ध मद {0} शेयर सुलह का उपयोग अद्यतन नहीं किया जा सकता है +"Serialized Item {0} cannot be updated \ + using Stock Reconciliation",श्रृंखलाबद्ध मद {0} शेयर सुलह का उपयोग \ \ n अद्यतन नहीं किया जा सकता है Series,कई Series List for this Transaction,इस लेन - देन के लिए सीरीज सूची Series Updated,सीरीज नवीनीकृत Series Updated Successfully,सीरीज सफलतापूर्वक अपडेट Series is mandatory,सीरीज अनिवार्य है Series {0} already used in {1},सीरीज {0} पहले से ही प्रयोग किया जाता में {1} -Service, +Service,सेवा Service Address,सेवा पता Services,सेवाएं Session Expired. Logging you out,सत्र समाप्त हो गया. आप लॉग आउट -Set, -"Set Default Values like Company, Currency, Current Fiscal Year, etc.", +Set,समूह +"Set Default Values like Company, Currency, Current Fiscal Year, etc.","आदि कंपनी , मुद्रा , चालू वित्त वर्ष , की तरह सेट डिफ़ॉल्ट मान" Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,इस क्षेत्र पर आइटम ग्रुप - वाईस बजट निर्धारित करें. तुम भी वितरण की स्थापना द्वारा मौसमी शामिल कर सकते हैं. Set Link,सेट लिंक -Set allocated amount against each Payment Entry and click 'Allocate'.,सेट प्रत्येक भुगतान प्रवेश के खिलाफ राशि आवंटित की है और ' आवंटित ' पर क्लिक करें . Set as Default,डिफ़ॉल्ट रूप में सेट करें Set as Lost,खोया के रूप में सेट करें Set prefix for numbering series on your transactions,अपने लेनदेन पर श्रृंखला नंबरिंग के लिए उपसर्ग सेट Set targets Item Group-wise for this Sales Person.,सेट आइटम इस बिक्री व्यक्ति के लिए समूह - वार लक्ष्य. Setting Account Type helps in selecting this Account in transactions.,की स्थापना खाता प्रकार के लेनदेन में इस खाते का चयन करने में मदद करता है. Setting up...,स्थापना ... -Settings, +Settings,सेटिंग्स Settings for HR Module,मानव संसाधन मॉड्यूल के लिए सेटिंग्स "Settings to extract Job Applicants from a mailbox e.g. ""jobs@example.com""",एक मेलबॉक्स जैसे "jobs@example.com से नौकरी के आवेदकों को निकालने सेटिंग्स Setup,व्यवस्था Setup Already Complete!!,सेटअप पहले से ही पूरा ! -Setup Complete, +Setup Complete,सेटअप पूरा हुआ Setup Series,सेटअप सीरीज Setup Wizard,सेटअप विज़ार्ड Setup incoming server for jobs email id. (e.g. jobs@example.com),जॉब ईमेल आईडी के लिए सेटअप आवक सर्वर . (जैसे jobs@example.com ) @@ -2675,7 +2763,7 @@ Setup incoming server for sales email id. (e.g. sales@example.com),बिक् Setup incoming server for support email id. (e.g. support@example.com),समर्थन ईमेल आईडी के लिए सेटअप आवक सर्वर . (जैसे support@example.com ) Share,शेयर Share With,के साथ शेयर करें -Shareholders Funds, +Shareholders Funds,शेयरधारकों फंड Shipments to customers.,ग्राहकों के लिए लदान. Shipping,शिपिंग Shipping Account,नौवहन खाता @@ -2699,13 +2787,16 @@ Show in Website,वेबसाइट में दिखाने Show rows with zero values,शून्य मान के साथ पंक्तियों दिखाएं Show this slideshow at the top of the page,पृष्ठ के शीर्ष पर इस स्लाइड शो दिखाएँ Showing only for (if not empty),के लिए ही दिखा रहा है ( नहीं तो खाली ) -Sick Leave, +Sick Leave,बीमारी छुट्टी Signature,हस्ताक्षर Signature to be appended at the end of every email,हर ईमेल के अंत में संलग्न किया हस्ताक्षर Single,एक Single unit of an Item.,एक आइटम के एकल इकाई. Sit tight while your system is being setup. This may take a few moments.,"आपके सिस्टम सेटअप किया जा रहा है , जबकि ठीक से बैठो . इसमें कुछ समय लग सकता है." Slideshow,स्लाइड शो +Soap & Detergent,साबुन और डिटर्जेंट +Software,सॉफ्टवेयर +Software Developer,सॉफ्टवेयर डेवलपर Sorry we were unable to find what you were looking for.,खेद है कि हम खोजने के लिए आप क्या देख रहे थे करने में असमर्थ थे. Sorry you are not permitted to view this page.,खेद है कि आपको इस पृष्ठ को देखने की अनुमति नहीं है. "Sorry, Serial Nos cannot be merged","क्षमा करें, सीरियल नं विलय हो नहीं सकता" @@ -2715,29 +2806,29 @@ Source,स्रोत Source File,स्रोत फ़ाइल Source Warehouse,स्रोत वेअरहाउस Source and target warehouse cannot be same for row {0},स्रोत और लक्ष्य गोदाम पंक्ति के लिए समान नहीं हो सकता {0} -Source of Funds (Liabilities), +Source of Funds (Liabilities),धन के स्रोत (देनदारियों) Source warehouse is mandatory for row {0},स्रोत गोदाम पंक्ति के लिए अनिवार्य है {0} Spartan,संयमी "Special Characters except ""-"" and ""/"" not allowed in naming series","सिवाय विशेष अक्षर ""-"" और ""/"" श्रृंखला के नामकरण में अनुमति नहीं" -Special Characters not allowed in Abbreviation,संक्षिप्त में अनुमति नहीं विशेष अक्षर -Special Characters not allowed in Company Name,कंपनी के नाम में अनुमति नहीं विशेष अक्षर Specification Details,विशिष्टता विवरण -Specifications, +Specifications,निर्दिष्टीकरण "Specify a list of Territories, for which, this Price List is valid","शासित प्रदेशों की सूची निर्दिष्ट करें, जिसके लिए, यह मूल्य सूची मान्य है" "Specify a list of Territories, for which, this Shipping Rule is valid","शासित प्रदेशों की सूची निर्दिष्ट करें, जिसके लिए, यह नौवहन नियम मान्य है" "Specify a list of Territories, for which, this Taxes Master is valid","शासित प्रदेशों की सूची निर्दिष्ट करें, जिसके लिए, यह कर मास्टर मान्य है" "Specify the operations, operating cost and give a unique Operation no to your operations.","संचालन, परिचालन लागत निर्दिष्ट और अपने संचालन के लिए एक अनूठा आपरेशन नहीं दे ." Split Delivery Note into packages.,संकुल में डिलिवरी नोट भाजित. +Sports,खेल Standard,मानक +Standard Buying,मानक खरीद Standard Rate,मानक दर Standard Reports,मानक रिपोर्ट +Standard Selling,मानक बेच Standard contract terms for Sales or Purchase.,बिक्री या खरीद के लिए मानक अनुबंध शर्तों . Start,प्रारंभ Start Date,प्रारंभ दिनांक Start Report For,प्रारंभ लिए रिपोर्ट Start date of current invoice's period,वर्तमान चालान की अवधि के आरंभ तिथि Start date should be less than end date for Item {0},प्रारंभ तिथि मद के लिए समाप्ति तिथि से कम होना चाहिए {0} -Start date should be less than end date.,प्रारंभ तिथि समाप्ति तिथि से कम होना चाहिए . State,राज्य Static Parameters,स्टेटिक पैरामीटर Status,हैसियत @@ -2745,24 +2836,24 @@ Status must be one of {0},स्थिति का एक होना चा Status of {0} {1} is now {2},{0} {1} अब की स्थिति {2} Status updated to {0},स्थिति को अद्यतन {0} Statutory info and other general information about your Supplier,वैधानिक अपने सप्लायर के बारे में जानकारी और अन्य सामान्य जानकारी -Stay Updated, +Stay Updated,अद्यतन रहने Stock,स्टॉक Stock Adjustment,शेयर समायोजन Stock Adjustment Account,स्टॉक समायोजन खाता Stock Ageing,स्टॉक बूढ़े Stock Analytics,स्टॉक विश्लेषिकी -Stock Assets, +Stock Assets,शेयर एसेट्स Stock Balance,बाकी स्टाक Stock Entries already created for Production Order , Stock Entry,स्टॉक एंट्री Stock Entry Detail,शेयर एंट्री विस्तार -Stock Expenses, +Stock Expenses,शेयर व्यय Stock Frozen Upto,स्टॉक तक जमे हुए Stock Ledger,स्टॉक लेजर Stock Ledger Entry,स्टॉक खाता प्रविष्टि Stock Ledger entries balances updated,शेयर लेजर अद्यतन शेष प्रविष्टियों Stock Level,स्टॉक स्तर -Stock Liabilities, +Stock Liabilities,शेयर देयताएं Stock Projected Qty,शेयर मात्रा अनुमानित Stock Queue (FIFO),स्टॉक कतार (फीफो) Stock Received But Not Billed,स्टॉक प्राप्त लेकिन बिल नहीं @@ -2787,9 +2878,9 @@ Stop users from making Leave Applications on following days.,निम्नल Stop!,बंद करो! Stopped,रोक Stopped order cannot be cancelled. Unstop to cancel.,रूका आदेश को रद्द नहीं किया जा सकता . रद्द करने के लिए आगे बढ़ाना . -Stores, +Stores,भंडार Stub,ठूंठ -Sub Assemblies, +Sub Assemblies,उप असेंबलियों "Sub-currency. For e.g. ""Cent""",उप - मुद्रा. उदाहरण के लिए "प्रतिशत" Subcontract,उपपट्टा Subject,विषय @@ -2820,15 +2911,12 @@ Supplier Part Number,प्रदायक भाग संख्या Supplier Quotation,प्रदायक कोटेशन Supplier Quotation Item,प्रदायक कोटेशन आइटम Supplier Reference,प्रदायक संदर्भ -Supplier Shipment Date,प्रदायक शिपमेंट तिथि -Supplier Shipment No,प्रदायक शिपमेंट नहीं Supplier Type,प्रदायक प्रकार Supplier Type / Supplier,प्रदायक प्रकार / प्रदायक Supplier Type master.,प्रदायक प्रकार मास्टर . Supplier Warehouse,प्रदायक वेअरहाउस Supplier Warehouse mandatory for sub-contracted Purchase Receipt,उप अनुबंधित खरीद रसीद के लिए अनिवार्य प्रदायक वेयरहाउस Supplier database.,प्रदायक डेटाबेस. -Supplier delivery number duplicate in {0},प्रदायक प्रसव संख्या में नकल {0} Supplier master.,प्रदायक मास्टर . Supplier warehouse where you have issued raw materials for sub - contracting,प्रदायक गोदाम जहाँ आप उप के लिए कच्चे माल के जारी किए गए हैं - करार Supplier-Wise Sales Analytics,प्रदायक वार बिक्री विश्लेषिकी @@ -2864,12 +2952,12 @@ Task Details,कार्य विवरण Tasks,कार्य Tax,कर Tax Amount After Discount Amount,सबसे कम राशि के बाद टैक्स राशि -Tax Assets, +Tax Assets,कर संपत्ति Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,टैक्स श्रेणी ' मूल्यांकन ' या ' मूल्यांकन और कुल ' सभी आइटम गैर स्टॉक वस्तुओं रहे हैं के रूप में नहीं किया जा सकता Tax Rate,कर की दर Tax and other salary deductions.,टैक्स और अन्य वेतन कटौती. "Tax detail table fetched from item master as a string and stored in this field. -Used for Taxes and Charges", +Used for Taxes and Charges",एक स्ट्रिंग है और इस क्षेत्र में संग्रहीत के रूप में आइटम मास्टर से दिलवाया टैक्स विस्तार तालिका . \ करों और शुल्कों के लिए प्रयुक्त Tax template for buying transactions.,लेनदेन खरीदने के लिए टैक्स टेम्पलेट . Tax template for selling transactions.,लेनदेन को बेचने के लिए टैक्स टेम्पलेट . Taxable,कर योग्य @@ -2881,13 +2969,16 @@ Taxes and Charges Deducted,कर और शुल्क कटौती Taxes and Charges Deducted (Company Currency),कर और शुल्क कटौती (कंपनी मुद्रा) Taxes and Charges Total,कर और शुल्क कुल Taxes and Charges Total (Company Currency),करों और शुल्कों कुल (कंपनी मुद्रा) -Telephone Expenses, +Technology,प्रौद्योगिकी +Telecommunications,दूरसंचार +Telephone Expenses,टेलीफोन व्यय +Television,दूरदर्शन Template for performance appraisals.,प्रदर्शन मूल्यांकन के लिए खाका . Template of terms or contract.,शब्दों या अनुबंध के टेम्पलेट. -Temporary Account (Assets), -Temporary Account (Liabilities), -Temporary Accounts (Assets), -Temporary Accounts (Liabilities), +Temporary Accounts (Assets),अस्थाई लेखा ( संपत्ति) +Temporary Accounts (Liabilities),अस्थाई लेखा ( देयताएं ) +Temporary Assets,अस्थाई एसेट्स +Temporary Liabilities,अस्थाई देयताएं Term Details,अवधि विवरण Terms,शर्तें Terms and Conditions,नियम और शर्तें @@ -2912,7 +3003,7 @@ The First User: You,पहले उपयोगकर्ता : आप The Organization,संगठन "The account head under Liability, in which Profit/Loss will be booked","लाभ / हानि बुक किया जा जाएगा जिसमें दायित्व के तहत खाता सिर ," "The date on which next invoice will be generated. It is generated on submit. -", +",अगले चालान उत्पन्न हो जाएगा जिस पर तारीख . The date on which recurring invoice will be stop,"तारीख, जिस पर आवर्ती चालान रोकने के लिए किया जाएगा" "The day of the month on which auto invoice will be generated e.g. 05, 28 etc ","ऑटो चालान जैसे 05, 28 आदि उत्पन्न हो जाएगा, जिस पर इस महीने के दिन" The day(s) on which you are applying for leave are holiday. You need not apply for leave.,आप छुट्टी के लिए आवेदन कर रहे हैं जिस दिन (ओं ) अवकाश हैं . तुम्हें छोड़ के लिए लागू की जरूरत नहीं . @@ -2944,7 +3035,7 @@ This is a root customer group and cannot be edited.,यह एक रूट ग This is a root item group and cannot be edited.,यह एक रूट आइटम समूह है और संपादित नहीं किया जा सकता है . This is a root sales person and cannot be edited.,यह एक रूट बिक्री व्यक्ति है और संपादित नहीं किया जा सकता है . This is a root territory and cannot be edited.,यह एक जड़ क्षेत्र है और संपादित नहीं किया जा सकता है . -This is an example website auto-generated from ERPNext, +This is an example website auto-generated from ERPNext,इस ERPNext से ऑटो उत्पन्न एक उदाहरण वेबसाइट है This is permanent action and you cannot undo. Continue?,यह स्थायी कार्रवाई है और आप पूर्ववत नहीं कर सकते. जारी रखें? This is the number of the last created transaction with this prefix,यह इस उपसर्ग के साथ पिछले बनाई गई लेन - देन की संख्या This will be used for setting rule in HR module,इस मॉड्यूल में मानव संसाधन सेटिंग शासन के लिए इस्तेमाल किया जाएगा @@ -2990,13 +3081,15 @@ To get Item Group in details table,विवरण तालिका में "To run a test add the module name in the route after '{0}'. For example, {1}","एक परीक्षण '{0}' के बाद मार्ग में मॉड्यूल नाम जोड़ने को चलाने के लिए . उदाहरण के लिए , {1}" "To set this Fiscal Year as Default, click on 'Set as Default'","डिफ़ॉल्ट रूप में इस वित्तीय वर्ष में सेट करने के लिए , 'मूलभूत रूप में सेट करें ' पर क्लिक करें" To track any installation or commissioning related work after sales,किसी भी स्थापना या बिक्री के बाद कमीशन से संबंधित काम को ट्रैक -"To track brand name in the following documents Delivery Note, Opportunity, Material Request, Item, Purchase Order, Purchase Voucher, Purchaser Receipt, Quotation, Sales Invoice, Sales BOM, Sales Order, Serial No", +"To track brand name in the following documents Delivery Note, Opportunity, Material Request, Item, Purchase Order, Purchase Voucher, Purchaser Receipt, Quotation, Sales Invoice, Sales BOM, Sales Order, Serial No","निम्नलिखित दस्तावेज डिलिवरी नोट , अवसर , सामग्री अनुरोध , मद , खरीद आदेश , खरीद वाउचर , क्रेता रसीद , कोटेशन , बिक्री चालान , बिक्री बीओएम , बिक्री आदेश , धारावाहिक नहीं में ब्रांड नाम को ट्रैक करने के लिए" To track item in sales and purchase documents based on their serial nos. This is can also used to track warranty details of the product.,बिक्री और खरीद के दस्तावेजों के आधार पर उनके धारावाहिक नग में आइटम पर नज़र रखने के लिए. यह भी उत्पाद की वारंटी के विवरण को ट्रैक करने के लिए प्रयोग किया जाता है. To track items in sales and purchase documents with batch nos
Preferred Industry: Chemicals etc,बैच ओपन स्कूल के साथ बिक्री और खरीद दस्तावेजों में आइटम्स ट्रैक
पसंदीदा उद्योग: आदि रसायन To track items using barcode. You will be able to enter items in Delivery Note and Sales Invoice by scanning barcode of item.,बारकोड का उपयोग करके आइटम्स ट्रैक. आप आइटम के बारकोड स्कैनिंग द्वारा डिलिवरी नोट और बिक्री चालान में आइटम दर्ज करने में सक्षम हो जाएगा. Tools,उपकरण Total,संपूर्ण Total Advance,कुल अग्रिम +Total Allocated Amount,कुल आवंटित राशि +Total Allocated Amount can not be greater than unmatched amount,कुल आवंटित राशि बेजोड़ राशि से अधिक नहीं हो सकता Total Amount,कुल राशि Total Amount To Pay,कुल भुगतान राशि Total Amount in Words,शब्दों में कुल राशि @@ -3006,6 +3099,7 @@ Total Commission,कुल आयोग Total Cost,कुल लागत Total Credit,कुल क्रेडिट Total Debit,कुल डेबिट +Total Debit must be equal to Total Credit. The difference is {0},कुल डेबिट कुल क्रेडिट के बराबर होना चाहिए . Total Deduction,कुल कटौती Total Earning,कुल अर्जन Total Experience,कुल अनुभव @@ -3033,8 +3127,10 @@ Total in words,शब्दों में कुल Total points for all goals should be 100. It is {0},सभी लक्ष्यों के लिए कुल अंक 100 होना चाहिए . यह है {0} Total weightage assigned should be 100%. It is {0},कुल आवंटित वेटेज 100 % होना चाहिए . यह है {0} Totals,योग +Track Leads by Industry Type.,ट्रैक उद्योग प्रकार के द्वारा होता है . Track this Delivery Note against any Project,किसी भी परियोजना के खिलाफ इस डिलिवरी नोट हुए Track this Sales Order against any Project,किसी भी परियोजना के खिलाफ हुए इस बिक्री आदेश +Trainee,शिक्षार्थी Transaction,लेन - देन Transaction Date,लेनदेन की तारीख Transaction not allowed against stopped Production Order {0},लेन - देन बंद कर दिया प्रोडक्शन आदेश के खिलाफ अनुमति नहीं {0} @@ -3042,12 +3138,12 @@ Transfer,हस्तांतरण Transfer Material,हस्तांतरण सामग्री Transfer Raw Materials,कच्चे माल स्थानांतरण Transferred Qty,मात्रा तबादला +Transportation,परिवहन Transporter Info,ट्रांसपोर्टर जानकारी Transporter Name,ट्रांसपोर्टर नाम Transporter lorry number,ट्रांसपोर्टर लॉरी नंबर -Trash Reason,ट्रैश कारण -Travel, -Travel Expenses, +Travel,यात्रा +Travel Expenses,यात्रा व्यय Tree Type,पेड़ के प्रकार Tree of Item Groups.,आइटम समूहों के पेड़ . Tree of finanial Cost Centers.,Finanial लागत केन्द्रों का पेड़ . @@ -3070,7 +3166,7 @@ Unable to load: {0},लोड करने में असमर्थ : {0} Under AMC,एएमसी के तहत Under Graduate,पूर्व - स्नातक Under Warranty,वारंटी के अंतर्गत -Unit, +Unit,इकाई Unit of Measure,माप की इकाई Unit of Measure {0} has been entered more than once in Conversion Factor Table,मापने की इकाई {0} अधिक रूपांतरण कारक तालिका में एक बार से अधिक दर्ज किया गया है "Unit of measurement of this item (e.g. Kg, Unit, No, Pair).","इस मद के माप की इकाई (जैसे किलोग्राम, यूनिट, नहीं, जोड़ी)." @@ -3082,7 +3178,7 @@ Unmatched Amount,बेजोड़ राशि Unpaid,अवैतनिक Unread Messages,अपठित संदेशों Unscheduled,अनिर्धारित -Unsecured Loans, +Unsecured Loans,असुरक्षित ऋण Unstop,आगे बढ़ाना Unstop Material Request,आगे बढ़ाना सामग्री अनुरोध Unstop Purchase Order,आगे बढ़ाना खरीद आदेश @@ -3134,7 +3230,7 @@ Username,प्रयोक्ता नाम Users with this role are allowed to create / modify accounting entry before frozen date,इस भूमिका के साथ उपयोक्ता जमी तारीख से पहले लेखा प्रविष्टि को संशोधित / बनाने के लिए अनुमति दी जाती है Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,इस भूमिका के साथ उपयोक्ता जमे हुए खातों के खिलाफ लेखांकन प्रविष्टियों को संशोधित / जमे हुए खातों सेट और बनाने के लिए अनुमति दी जाती है Utilities,उपयोगिताएँ -Utility Expenses, +Utility Expenses,उपयोगिता व्यय Valid For Territories,राज्य क्षेत्रों के लिए मान्य Valid From,चुन Valid Upto,विधिमान्य @@ -3149,6 +3245,7 @@ Value,मूल्य Value or Qty,मूल्य या मात्रा Vehicle Dispatch Date,वाहन डिस्पैच तिथि Vehicle No,वाहन नहीं +Venture Capital,वेंचर कैपिटल Verified By,द्वारा सत्यापित View Ledger,देखें खाता बही View Now,अब देखें @@ -3157,6 +3254,7 @@ Voucher #,वाउचर # Voucher Detail No,वाउचर विस्तार नहीं Voucher ID,वाउचर आईडी Voucher No,कोई वाउचर +Voucher No is not valid,वाउचर कोई मान्य नहीं है Voucher Type,वाउचर प्रकार Voucher Type and Date,वाउचर का प्रकार और तिथि Walk In,में चलो @@ -3171,6 +3269,7 @@ Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt Warehouse cannot be changed for Serial No.,वेयरहाउस सीरियल नंबर के लिए बदला नहीं जा सकता Warehouse is mandatory for stock Item {0} in row {1},गोदाम स्टॉक मद के लिए अनिवार्य है {0} पंक्ति में {1} Warehouse is missing in Purchase Order,गोदाम क्रय आदेश में लापता है +Warehouse not found in the system,सिस्टम में नहीं मिला वेयरहाउस Warehouse required for stock Item {0},शेयर मद के लिए आवश्यक वेयरहाउस {0} Warehouse required in POS Setting,स्थिति की स्थापना में आवश्यक वेयरहाउस Warehouse where you are maintaining stock of rejected items,वेअरहाउस जहाँ आप को अस्वीकार कर दिया आइटम के शेयर को बनाए रखने रहे हैं @@ -3191,6 +3290,8 @@ Warranty / AMC Status,वारंटी / एएमसी स्थिति Warranty Expiry Date,वारंटी समाप्ति तिथि Warranty Period (Days),वारंटी अवधि (दिन) Warranty Period (in days),वारंटी अवधि (दिनों में) +We buy this Item,हम इस मद से खरीदें +We sell this Item,हम इस आइटम बेचने Website,वेबसाइट Website Description,वेबसाइट विवरण Website Item Group,वेबसाइट आइटम समूह @@ -3204,9 +3305,9 @@ Weight UOM,वजन UOM "Weight is mentioned,\nPlease mention ""Weight UOM"" too","वजन में उल्लेख किया है , \ n कृपया भी ""वजन UOM "" का उल्लेख" Weightage,महत्व Weightage (%),वेटेज (%) -Welcome, +Welcome,आपका स्वागत है Welcome to ERPNext. Over the next few minutes we will help you setup your ERPNext account. Try and fill in as much information as you have even if it takes a bit longer. It will save you a lot of time later. Good Luck!,"ERPNext में आपका स्वागत है . अगले कुछ मिनटों में हम आप सेटअप अपने ERPNext खाते में मदद मिलेगी . कोशिश करो और तुम यह एक लंबा सा लेता है , भले ही है जितना जानकारी भरें. बाद में यह तुम समय की एक बहुत बचत होगी . गुड लक !" -Welcome to ERPNext. Please select your language to begin the Setup Wizard., +Welcome to ERPNext. Please select your language to begin the Setup Wizard.,ERPNext में आपका स्वागत है . What does it do?,यह क्या करता है? "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.",", एक चेक किए गए लेनदेन के किसी भी "प्रस्तुत कर रहे हैं" पॉप - अप ईमेल स्वचालित रूप से जुड़े है कि सौदे में "संपर्क" के लिए एक ईमेल भेजने के लिए, एक अनुलग्नक के रूप में लेन - देन के साथ खोला. उपयोगकर्ता या ईमेल भेजने के लिए नहीं हो सकता." "When submitted, the system creates difference entries to set the given stock and valuation on this date.","प्रस्तुत करता है, सिस्टम इस तिथि पर दिए स्टॉक और मूल्य निर्धारण स्थापित करने के लिए अंतर प्रविष्टियों बनाता है ." @@ -3217,6 +3318,7 @@ Will be calculated automatically when you enter the details,स्वचाल Will be updated after Sales Invoice is Submitted.,बिक्री चालान प्रस्तुत होने के बाद अद्यतन किया जाएगा. Will be updated when batched.,Batched जब अद्यतन किया जाएगा. Will be updated when billed.,बिल भेजा जब अद्यतन किया जाएगा. +Wire Transfer,वायर ट्रांसफर With Groups,समूह के साथ With Ledgers,बहीखाते के साथ With Operations,आपरेशनों के साथ @@ -3225,7 +3327,7 @@ Work Details,कार्य विवरण Work Done,करेंकिया गया काम Work In Progress,अर्धनिर्मित उत्पादन Work-in-Progress Warehouse,कार्य में प्रगति गोदाम -Work-in-Progress Warehouse is required before Submit, +Work-in-Progress Warehouse is required before Submit,वर्क प्रगति वेयरहाउस प्रस्तुत करने से पहले आवश्यक है Workflow will start after saving.,कार्यप्रवाह सहेजने के बाद शुरू कर देंगे. Working,कार्य Workstation,वर्कस्टेशन @@ -3251,7 +3353,6 @@ Yearly,वार्षिक Yes,हां Yesterday,कल You are not allowed to create / edit reports,आप / संपादित रिपोर्ट बनाने के लिए अनुमति नहीं है -You are not allowed to create {0},तुम बनाने के लिए अनुमति नहीं है {0} You are not allowed to export this report,आप इस रिपोर्ट को निर्यात करने की अनुमति नहीं है You are not allowed to print this document,आप इस दस्तावेज़ मुद्रित करने की अनुमति नहीं है You are not allowed to send emails related to this document,आप इस दस्तावेज़ से संबंधित ईमेल भेजने की अनुमति नहीं है @@ -3269,35 +3370,39 @@ You can set Default Bank Account in Company master,आप कंपनी मा You can start by selecting backup frequency and granting access for sync,आप बैकअप आवृत्ति का चयन और सिंक के लिए पहुँच प्रदान कर शुरू कर सकते हैं You can submit this Stock Reconciliation.,आप इस स्टॉक सुलह प्रस्तुत कर सकते हैं . You can update either Quantity or Valuation Rate or both.,आप मात्रा या मूल्यांकन दर या दोनों को अपडेट कर सकते हैं . -You cannot credit and debit same account at the same time.,आप क्रेडिट और एक ही समय में एक ही खाते से डेबिट नहीं कर सकते हैं . +You cannot credit and debit same account at the same time,आप क्रेडिट और एक ही समय में एक ही खाते से डेबिट नहीं कर सकते You have entered duplicate items. Please rectify and try again.,आप डुप्लिकेट आइटम दर्ज किया है . सुधारने और पुन: प्रयास करें . +You have unsaved changes in this form. Please save before you continue.,आप इस प्रपत्र में परिवर्तन सहेजे नहीं गए . You may need to update: {0},आप अद्यतन करना पड़ सकता है: {0} You must Save the form before proceeding,आगे बढ़ने से पहले फार्म सहेजना चाहिए +You must allocate amount before reconcile,आप सामंजस्य से पहले राशि का आवंटन करना चाहिए Your Customer's TAX registration numbers (if applicable) or any general information,अपने ग्राहक कर पंजीकरण संख्या (यदि लागू हो) या किसी भी सामान्य जानकारी Your Customers,अपने ग्राहकों +Your Login Id,आपके लॉगिन आईडी Your Products or Services,अपने उत्पादों या सेवाओं Your Suppliers,अपने आपूर्तिकर्ताओं "Your download is being built, this may take a few moments...","आपका डाउनलोड का निर्माण किया जा रहा है, इसमें कुछ समय लग सकता है ..." -Your email address, -Your financial year begins on, -Your financial year ends on, +Your email address,आपका ईमेल पता +Your financial year begins on,आपकी वित्तीय वर्ष को शुरू होता है +Your financial year ends on,आपकी वित्तीय वर्ष को समाप्त होता है Your sales person who will contact the customer in future,अपनी बिक्री व्यक्ति जो भविष्य में ग्राहकों से संपर्क करेंगे Your sales person will get a reminder on this date to contact the customer,अपनी बिक्री व्यक्ति इस तिथि पर एक चेतावनी प्राप्त करने के लिए ग्राहकों से संपर्क करेंगे Your setup is complete. Refreshing...,आपकी सेटअप पूरा हो गया है . रिफ्रेशिंग ... Your support email id - must be a valid email - this is where your emails will come!,आपका समर्थन ईमेल आईडी - एक मान्य ईमेल होना चाहिए - यह है जहाँ आपके ईमेल आ जाएगा! +[Select],[ चुनें ] `Freeze Stocks Older Than` should be smaller than %d days.,` से अधिक उम्र रुक स्टॉक `% d दिनों से कम होना चाहिए . and,और are not allowed.,अनुमति नहीं है. assigned by,द्वारा सौंपा comment,टिप्पणी comments,टिप्पणियां -"e.g. ""Build tools for builders""", -"e.g. ""MC""", -"e.g. ""My Company LLC""", -e.g. 5, +"e.g. ""Build tools for builders""",उदाहरणार्थ +"e.g. ""MC""",उदाहरणार्थ +"e.g. ""My Company LLC""",उदाहरणार्थ +e.g. 5,उदाहरणार्थ "e.g. Bank, Cash, Credit Card","जैसे बैंक, नकद, क्रेडिट कार्ड" "e.g. Kg, Unit, Nos, m","जैसे किलोग्राम, यूनिट, ओपन स्कूल, मीटर" -e.g. VAT, +e.g. VAT,उदाहरणार्थ eg. Cheque Number,उदा. चेक संख्या example: Next Day Shipping,उदाहरण: अगले दिन शिपिंग found,पाया diff --git a/erpnext/translations/hr.csv b/erpnext/translations/hr.csv index e0bd544e92..a32e03c846 100644 --- a/erpnext/translations/hr.csv +++ b/erpnext/translations/hr.csv @@ -26,14 +26,13 @@ 'From Date' must be after 'To Date',"' Od datuma ' mora biti poslije ' To Date """ 'Has Serial No' can not be 'Yes' for non-stock item,' Je rednim brojem ' ne može biti ' Da ' za ne - stock stavke 'Notification Email Addresses' not specified for recurring invoice,"' Obavijest E-mail adrese "" nisu spomenuti za ponavljajuće fakture" -'Profit and Loss' type Account {0} used be set for Opening Entry,' Račun dobiti i gubitka ' Vrsta računa {0} koristi se postaviti za otvaranje unos 'Profit and Loss' type account {0} not allowed in Opening Entry,' Račun dobiti i gubitka ' vrsta računa {0} nije dopuštena u otvor za 'To Case No.' cannot be less than 'From Case No.','Za Predmet br' ne može biti manja od 'Od Predmet br' 'To Date' is required,' To Date ' je potrebno 'Update Stock' for Sales Invoice {0} must be set,' Update Stock ' za prodaje fakture {0} mora biti postavljen * Will be calculated in the transaction.,* Hoće li biti izračunata u transakciji. "1 Currency = [?] Fraction -For e.g. 1 USD = 100 Cent", +For e.g. 1 USD = 100 Cent",1 Valuta = Frakcija [ ? ] \ NFor pr 1. To maintain the customer wise item code and to make them searchable based on their code use this option,1. Za održavanje kupaca mudar Šifra i kako bi ih pretraživati ​​na temelju svog koda koristiti ovu opciju 2 days ago,Prije 2 dana "Add / Edit"," Dodaj / Uredi < />" @@ -70,8 +69,6 @@ Account with child nodes cannot be converted to ledger,Račun za dijete čvorova Account with existing transaction can not be converted to group.,Račun s postojećim transakcije ne može pretvoriti u skupinu . Account with existing transaction can not be deleted,Račun s postojećim transakcije ne može izbrisati Account with existing transaction cannot be converted to ledger,Račun s postojećim transakcije ne može pretvoriti u knjizi -Account {0} already exists,Račun {0} već postoji -Account {0} can only be updated via Stock Transactions,Račun {0} se može ažurirati samo preko Stock transakcije Account {0} cannot be a Group,Račun {0} ne može bitiGroup Account {0} does not belong to Company {1},Račun {0} ne pripada Društvu {1} Account {0} does not exist,Račun {0} ne postoji @@ -79,8 +76,9 @@ Account {0} has been entered more than once for fiscal year {1},Račun {0} je u Account {0} is frozen,Račun {0} je zamrznuta Account {0} is inactive,Račun {0} nije aktivan Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item,Račun {0} mora biti tipa ' Fixed Asset ' kao točka {1} jeAsset artikla -Account {0} must be sames as Credit To Account in Purchase Invoice in row {0},Račun {0} mora biti sames kao kredit na račun u ulazne fakture u redu {0} -Account {0} must be sames as Debit To Account in Sales Invoice in row {0},Račun {0} mora biti sames kao zaduženje na račun u prodaji fakture u redu {0} +"Account: {0} can only be updated via \ + Stock Transactions",Račun : {0} se može ažurirati samo preko \ \ n Stock transakcije +Accountant,računovođa Accounting,Računovodstvo "Accounting Entries can be made against leaf nodes, called","Računovodstvo Prijave se mogu podnijeti protiv lisnih čvorova , pozvao" "Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","Knjiženje zamrznuta do tog datuma, nitko ne može učiniti / mijenjati ulazak, osim uloge naveden u nastavku." @@ -145,10 +143,13 @@ Address Title is mandatory.,Adresa Naslov je obavezno . Address Type,Adresa Tip Address master.,Adresa majstor . Administrative Expenses,Administrativni troškovi +Administrative Officer,Administrativni službenik Advance Amount,Predujam Iznos Advance amount,Predujam iznos Advances,Napredak Advertisement,Reklama +Advertising,oglašavanje +Aerospace,zračno-kosmički prostor After Sale Installations,Nakon prodaje postrojenja Against,Protiv Against Account,Protiv računa @@ -157,9 +158,11 @@ Against Docname,Protiv Docname Against Doctype,Protiv DOCTYPE Against Document Detail No,Protiv dokumenta Detalj No Against Document No,Protiv dokumentu nema +Against Entries,protiv upise Against Expense Account,Protiv Rashodi račun Against Income Account,Protiv računu dohotka Against Journal Voucher,Protiv Journal Voucheru +Against Journal Voucher {0} does not have any unmatched {1} entry,Protiv Journal vaučer {0} nema premca {1} unos Against Purchase Invoice,Protiv Kupnja fakture Against Sales Invoice,Protiv prodaje fakture Against Sales Order,Protiv prodajnog naloga @@ -171,6 +174,8 @@ Ageing date is mandatory for opening entry,Starenje datum je obavezno za otvaran Agent,Agent Aging Date,Starenje Datum Aging Date is mandatory for opening entry,Starenje Datum je obvezna za otvaranje unos +Agriculture,poljoprivreda +Airline,aviokompanija All Addresses.,Sve adrese. All Contact,Sve Kontakt All Contacts.,Svi kontakti. @@ -188,14 +193,18 @@ All Supplier Types,Sve vrste Supplier All Territories,Svi Territories "All export related fields like currency, conversion rate, export total, export grand total etc are available in Delivery Note, POS, Quotation, Sales Invoice, Sales Order etc.","Sve izvoz srodnih područja poput valute , stopa pretvorbe , izvoz ukupno , izvoz sveukupnom itd su dostupni u Dostavnica, POS , ponude, prodaje fakture , prodajnog naloga i sl." "All import related fields like currency, conversion rate, import total, import grand total etc are available in Purchase Receipt, Supplier Quotation, Purchase Invoice, Purchase Order etc.","Svi uvoz srodnih područja poput valute , stopa pretvorbe , uvoz ukupno , uvoz sveukupnom itd su dostupni u Račun kupnje , dobavljač kotaciju , prilikom kupnje proizvoda, narudžbenice i sl." +All items have already been invoiced,Svi predmeti su već fakturirano All items have already been transferred for this Production Order.,Svi predmeti su već prebačeni za ovu produkciju Reda . All these items have already been invoiced,Svi ovi predmeti su već fakturirano Allocate,Dodijeliti +Allocate Amount Automatically,Izdvojiti iznos se automatski Allocate leaves for a period.,Dodijeliti lišće za razdoblje . Allocate leaves for the year.,Dodjela lišće za godinu dana. Allocated Amount,Dodijeljeni iznos Allocated Budget,Dodijeljeni proračuna Allocated amount,Dodijeljeni iznos +Allocated amount can not be negative,Dodijeljeni iznos ne može biti negativna +Allocated amount can not greater than unadusted amount,Dodijeljeni iznos ne može veći od iznosa unadusted Allow Bill of Materials,Dopustite Bill materijala Allow Bill of Materials should be 'Yes'. Because one or many active BOMs present for this item,Dopustite Bill materijala bi trebao biti ' Da ' . Budući da je jedan ili više aktivnih Sastavnice prisutne za ovu stavku Allow Children,dopustiti djeci @@ -223,10 +232,12 @@ Amount to Bill,Iznositi Billa An Customer exists with same name,Kupac postoji s istim imenom "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" "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" +Analyst,analitičar Annual,godišnji Another Period Closing Entry {0} has been made after {1},Drugi period Zatvaranje Stupanje {0} je postignut nakon {1} Another Salary Structure {0} is active for employee {0}. Please make its status 'Inactive' to proceed.,Drugi Plaća Struktura {0} je aktivan za zaposlenika {0} . Molimo da svoj ​​status ' Neaktivan ' za nastavak . "Any other comments, noteworthy effort that should go in the records.","Svi ostali komentari, značajan napor da bi trebao ići u evidenciji." +Apparel & Accessories,Odjeća i modni dodaci Applicability,Primjena Applicable For,primjenjivo za Applicable Holiday List,Primjenjivo odmor Popis @@ -248,6 +259,7 @@ Appraisal Template,Procjena Predložak Appraisal Template Goal,Procjena Predložak cilja Appraisal Template Title,Procjena Predložak Naslov Appraisal {0} created for Employee {1} in the given date range,Procjena {0} stvorena za zaposlenika {1} u određenom razdoblju +Apprentice,šegrt Approval Status,Status odobrenja Approval Status must be 'Approved' or 'Rejected',"Status Odobrenje mora biti ""Odobreno"" ili "" Odbijeno """ Approved,Odobren @@ -264,9 +276,12 @@ Arrear Amount,Iznos unatrag As per Stock UOM,Kao po burzi UOM "As there are existing stock transactions for this item, you can not change the values of 'Has Serial No', 'Is Stock Item' and 'Valuation Method'","Kao što već postoje dionica transakcije za ovu stavku , ne možete mijenjati vrijednosti ' Je rednim brojem ' , ' Je Stock točka ""i"" Vrednovanje metoda'" Ascending,Uzlazni +Asset,Asset Assign To,Dodijeliti Assigned To,Dodijeljeno Assignments,zadaci +Assistant,asistent +Associate,pomoćnik Atleast one warehouse is mandatory,Atleast jednom skladištu je obavezno Attach Document Print,Priloži dokument Ispis Attach Image,Pričvrstite slike @@ -293,6 +308,7 @@ Automatically compose message on submission of transactions.,Automatski nova por Automatically extract Job Applicants from a mail box , Automatically extract Leads from a mail box e.g.,Automatski ekstrakt vodi iz mail box pr Automatically updated via Stock Entry of type Manufacture/Repack,Automatski ažurira putem burze Unos tipa Proizvodnja / prepakirati +Automotive,automobilski Autoreply when a new mail is received,Automatski kad nova pošta je dobila Available,dostupan Available Qty at Warehouse,Dostupno Kol na galeriju @@ -333,6 +349,7 @@ Bank Account,Žiro račun Bank Account No.,Žiro račun broj Bank Accounts,bankovni računi Bank Clearance Summary,Razmak banka Sažetak +Bank Draft,Bank Nacrt Bank Name,Ime banke Bank Overdraft Account,Bank Prekoračenje računa Bank Reconciliation,Banka pomirenje @@ -340,6 +357,7 @@ Bank Reconciliation Detail,Banka Pomirenje Detalj Bank Reconciliation Statement,Izjava banka pomirenja Bank Voucher,Banka bon Bank/Cash Balance,Banka / saldo +Banking,bankarstvo Barcode,Barkod Barcode {0} already used in Item {1},Barkod {0} već koristi u točki {1} Based On,Na temelju @@ -348,7 +366,6 @@ Basic Info,Osnovne informacije Basic Information,Osnovne informacije Basic Rate,Osnovna stopa Basic Rate (Company Currency),Osnovna stopa (Društvo valuta) -Basic Section,osnovni Sekcija Batch,Serija Batch (lot) of an Item.,Hrpa (puno) od točke. Batch Finished Date,Hrpa Završio Datum @@ -377,6 +394,7 @@ Bills raised by Suppliers.,Mjenice podigao dobavljače. Bills raised to Customers.,Mjenice podignuta na kupce. Bin,Kanta Bio,Bio +Biotechnology,biotehnologija Birthday,rođendan Block Date,Blok Datum Block Days,Blok Dani @@ -393,6 +411,8 @@ Brand Name,Brand Name Brand master.,Marka majstor. Brands,Marke Breakdown,Slom +Broadcasting,radiodifuzija +Brokerage,posredništvo Budget,Budžet Budget Allocated,Proračun Dodijeljeni Budget Detail,Proračun Detalj @@ -405,6 +425,7 @@ Budget cannot be set for Group Cost Centers,Proračun ne može biti postavljen z Build Report,Izgradite Prijavite Built on,izgrađen na Bundle items at time of sale.,Bala stavke na vrijeme prodaje. +Business Development Manager,Business Development Manager Buying,Kupovina Buying & Selling,Kupnja i Prodaja Buying Amount,Kupnja Iznos @@ -484,7 +505,6 @@ Charity and Donations,Ljubav i donacije Chart Name,Ime grafikona Chart of Accounts,Kontnog Chart of Cost Centers,Grafikon troškovnih centara -Check for Duplicates,Provjerite duplikata Check how the newsletter looks in an email by sending it to your email.,Pogledajte kako izgleda newsletter u e-mail tako da ga šalju na e-mail. "Check if recurring invoice, uncheck to stop recurring or put proper End Date","Provjerite je li ponavljajući fakture, poništite zaustaviti ponavljajući ili staviti odgovarajući datum završetka" "Check if you need automatic recurring invoices. After submitting any sales invoice, Recurring section will be visible.","Provjerite ako trebate automatske ponavljajuće fakture. Nakon odavanja prodaje fakturu, ponavljajućih sekcija će biti vidljiv." @@ -496,6 +516,7 @@ Check this to pull emails from your mailbox,Provjerite to povući e-pošte iz po Check to activate,Provjerite za aktiviranje Check to make Shipping Address,Provjerite otprema adresu Check to make primary address,Provjerite primarnu adresu +Chemical,kemijski Cheque,Ček Cheque Date,Ček Datum Cheque Number,Ček Broj @@ -535,6 +556,7 @@ Comma separated list of email addresses,Zarez odvojen popis e-mail adrese Comment,Komentirati Comments,Komentari Commercial,trgovački +Commission,provizija Commission Rate,Komisija Stopa Commission Rate (%),Komisija stopa (%) Commission on Sales,Komisija za prodaju @@ -568,6 +590,7 @@ Completed Production Orders,Završeni Radni nalozi Completed Qty,Završen Kol Completion Date,Završetak Datum Completion Status,Završetak Status +Computer,računalo Computers,Računala Confirmation Date,potvrda Datum Confirmed orders from Customers.,Potvrđeno narudžbe od kupaca. @@ -575,10 +598,12 @@ Consider Tax or Charge for,Razmislite poreza ili pristojbi za Considered as Opening Balance,Smatra početnog stanja Considered as an Opening Balance,Smatra se kao početno stanje Consultant,Konzultant +Consulting,savjetodavni Consumable,potrošni Consumable Cost,potrošni cost Consumable cost per hour,Potrošni cijena po satu Consumed Qty,Potrošeno Kol +Consumer Products,Consumer Products Contact,Kontaktirati Contact Control,Kontaktirajte kontrolu Contact Desc,Kontakt ukratko @@ -596,6 +621,7 @@ Contacts,Kontakti Content,Sadržaj Content Type,Vrsta sadržaja Contra Voucher,Contra bon +Contract,ugovor Contract End Date,Ugovor Datum završetka Contract End Date must be greater than Date of Joining,Ugovor Datum završetka mora biti veći od dana ulaska u Contribution (%),Doprinos (%) @@ -611,10 +637,10 @@ Convert to Ledger,Pretvori u knjizi Converted,Pretvoreno Copy,Kopirajte Copy From Item Group,Primjerak iz točke Group +Cosmetics,kozmetika Cost Center,Troška Cost Center Details,Troška Detalji Cost Center Name,Troška Name -Cost Center Name already exists,Troška Ime već postoji Cost Center is mandatory for Item {0},Troška je obvezna za točke {0} Cost Center is required for 'Profit and Loss' account {0},Troška je potrebno za račun ' dobiti i gubitka ' {0} Cost Center is required in row {0} in Taxes table for type {1},Troška potrebno je u redu {0} poreza stolom za vrstu {1} @@ -648,6 +674,7 @@ Creation Time,vrijeme kreiranja Credentials,Svjedodžba Credit,Kredit Credit Amt,Kreditne Amt +Credit Card,kreditna kartica Credit Card Voucher,Kreditne kartice bon Credit Controller,Kreditne kontroler Credit Days,Kreditne Dani @@ -696,6 +723,7 @@ Customer Issue,Kupac Issue Customer Issue against Serial No.,Kupac izdavanja protiv serijski broj Customer Name,Naziv klijenta Customer Naming By,Kupac Imenovanje By +Customer Service,Služba za korisnike Customer database.,Kupac baze. Customer is required,Kupac je dužan Customer master.,Majstor Korisnička . @@ -739,7 +767,6 @@ Debit Amt,Rashodi Amt Debit Note,Rashodi Napomena Debit To,Rashodi za Debit and Credit not equal for this voucher. Difference is {0}.,Debitne i kreditne nije jednak za ovaj vaučer . Razlika je {0} . -Debit must equal Credit. The difference is {0},Debit moraju biti jednaki kredit . Razlika je {0} Deduct,Odbiti Deduction,Odbitak Deduction Type,Odbitak Tip @@ -779,6 +806,7 @@ Default settings for accounting transactions.,Zadane postavke za računovodstven Default settings for buying transactions.,Zadane postavke za kupnju transakcije . Default settings for selling transactions.,Zadane postavke za prodaju transakcije . Default settings for stock transactions.,Zadane postavke za burzovne transakcije . +Defense,odbrana "Define Budget for this Cost Center. To set budget action, see Company Master","Odredite proračun za ovu troška. Da biste postavili proračuna akciju, vidi Tvrtka Master" Delete,Izbrisati Delete Row,Izbriši redak @@ -805,19 +833,23 @@ Delivery Status,Status isporuke Delivery Time,Vrijeme isporuke Delivery To,Dostava na Department,Odsjek +Department Stores,robne kuće Depends on LWP,Ovisi o lwp Depreciation,deprecijacija Descending,Spuštanje Description,Opis Description HTML,Opis HTML Designation,Oznaka +Designer,dizajner Detailed Breakup of the totals,Detaljni raspada ukupnim Details,Detalji -Difference,Razlika +Difference (Dr - Cr),Razlika ( dr. - Cr ) Difference Account,Razlika račun +"Difference Account must be a 'Liability' type account, since this Stock Reconciliation is an Opening Entry","Razlika račun mora biti' odgovornosti ' vrsta računa , jer to Stock Pomirenje jeulazni otvor" 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 UOM za stavke će dovesti do pogrešne (ukupno) Neto vrijednost težine. Uvjerite se da je neto težina svake stavke u istom UOM . Direct Expenses,izravni troškovi Direct Income,Izravna dohodak +Director,direktor Disable,onesposobiti Disable Rounded Total,Bez Zaobljeni Ukupno Disabled,Onesposobljen @@ -829,6 +861,7 @@ Discount Amount,Popust Iznos Discount Percentage,Popust Postotak Discount must be less than 100,Popust mora biti manji od 100 Discount(%),Popust (%) +Dispatch,otpremanje Display all the individual items delivered with the main items,Prikaži sve pojedinačne stavke isporučuju s glavnim stavkama Distribute transport overhead across items.,Podijeliti prijevoz pretek preko stavke. Distribution,Distribucija @@ -863,7 +896,7 @@ Download Template,Preuzmite predložak Download a report containing all raw materials with their latest inventory status,Preuzmite izvješće koje sadrži sve sirovine sa svojim najnovijim inventara statusa "Download the Template, fill appropriate data and attach the modified file.","Preuzmite predložak , ispunite odgovarajuće podatke i priložite izmijenjenu datoteku ." "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", +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žite izmijenjenu datoteku . \ NAll datira i kombinacija zaposlenika u odabranom razdoblju će doći u predlošku , s postojećim izostancima" Draft,Skica Drafts,Nacrti Drag to sort columns,Povuci za sortiranje stupaca @@ -876,11 +909,10 @@ Due Date cannot be after {0},Krajnji rok ne može biti poslije {0} Due Date cannot be before Posting Date,Krajnji rok ne može biti prije Postanja Date Duplicate Entry. Please check Authorization Rule {0},Udvostručavanje unos . Molimo provjerite autorizacije Pravilo {0} Duplicate Serial No entered for Item {0},Udvostručavanje Serial Ne ušao za točku {0} +Duplicate entry,Udvostručavanje unos Duplicate row {0} with same {1},Duplikat red {0} sa isto {1} Duties and Taxes,Carine i poreza ERPNext Setup,ERPNext Setup -ESIC CARD No,ESIC KARTICA Ne -ESIC No.,ESIC broj Earliest,Najstarije Earnest Money,kapara Earning,Zarada @@ -889,6 +921,7 @@ Earning Type,Zarada Vid Earning1,Earning1 Edit,Uredi Editable,Uređivati +Education,obrazovanje Educational Qualification,Obrazovne kvalifikacije Educational Qualification Details,Obrazovni Pojedinosti kvalifikacije Eg. smsgateway.com/api/send_sms.cgi,Npr.. smsgateway.com / api / send_sms.cgi @@ -898,6 +931,7 @@ Either target qty or target amount is mandatory.,Ili meta Količina ili ciljani Electrical,Električna Electricity Cost,struja cost Electricity cost per hour,Struja cijena po satu +Electronics,elektronika Email,E-mail Email Digest,E-pošta Email Digest Settings,E-pošta Postavke @@ -931,7 +965,6 @@ Employee Records to be created by,Zaposlenik Records bi se stvorili Employee Settings,Postavke zaposlenih Employee Type,Zaposlenik Tip "Employee designation (e.g. CEO, Director etc.).","Oznaka zaposlenika ( npr. CEO , direktor i sl. ) ." -Employee grade.,Stupnja zaposlenika . Employee master.,Majstor zaposlenika . Employee record is created using selected field. ,Zaposlenika rekord je stvorio pomoću odabranog polja. Employee records.,Zaposlenih evidencija. @@ -949,6 +982,8 @@ End Date,Datum završetka End Date can not be less than Start Date,Datum završetka ne može biti manja od početnog datuma End date of current invoice's period,Kraj datum tekućeg razdoblja dostavnice End of Life,Kraj života +Energy,energija +Engineer,inženjer Enter Value,Unesite vrijednost Enter Verification Code,Unesite kod za provjeru Enter campaign name if the source of lead is campaign.,Unesite naziv kampanje ukoliko izvor olova je kampanja. @@ -961,6 +996,7 @@ Enter name of campaign if source of enquiry is campaign,"Unesite naziv kampanje, Enter the company name under which Account Head will be created for this Supplier,Unesite naziv tvrtke pod kojima računa Voditelj će biti stvoren za tu dobavljača Enter url parameter for message,Unesite URL parametar za poruke Enter url parameter for receiver nos,Unesite URL parametar za prijemnike br +Entertainment & Leisure,Zabava i slobodno vrijeme Entertainment Expenses,Zabava Troškovi Entries,Prijave Entries against,Prijave protiv @@ -972,10 +1008,12 @@ Error: {0} > {1},Pogreška : {0} > {1} Estimated Material Cost,Procjena troškova materijala Everyone can read,Svatko može pročitati "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.", +If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.","Primjer : . ABCD # # # # # \ nAko serija je postavljena i Serial No ne spominje u transakcijama , a zatim automatski serijski broj će biti izrađen na temelju ove serije ." Exchange Rate,Tečaj Excise Page Number,Trošarina Broj stranice Excise Voucher,Trošarina bon +Execution,izvršenje +Executive Search,Executive Search Exemption Limit,Izuzeće granica Exhibition,Izložba Existing Customer,Postojeći Kupac @@ -990,6 +1028,7 @@ Expected Delivery Date cannot be before Purchase Order Date,Očekuje se dostava Expected Delivery Date cannot be before Sales Order Date,Očekuje se dostava Datum ne može biti prije prodajnog naloga Datum Expected End Date,Očekivani Datum završetka Expected Start Date,Očekivani datum početka +Expense,rashod Expense Account,Rashodi račun Expense Account is mandatory,Rashodi račun je obvezna Expense Claim,Rashodi polaganja @@ -1007,7 +1046,7 @@ Expense Date,Rashodi Datum Expense Details,Rashodi Detalji Expense Head,Rashodi voditelj Expense account is mandatory for item {0},Rashodi račun je obvezna za predmet {0} -Expense or Difference account is mandatory for Item {0} as there is difference in value,Rashodi ili razlika račun je obvezna za točke {0} kao što postoji razlika u vrijednosti +Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Rashodi ili razlika račun je obvezna za točke {0} jer utječe na ukupnu vrijednost dionica Expenses,troškovi Expenses Booked,Rashodi Rezervirani Expenses Included In Valuation,Troškovi uključeni u vrednovanje @@ -1034,13 +1073,11 @@ File,File Files Folder ID,Files ID Fill the form and save it,Ispunite obrazac i spremite ga Filter,Filter -Filter By Amount,Filtriraj po visini -Filter By Date,Filter By Date Filter based on customer,Filter temelji se na kupca Filter based on item,Filtrirati na temelju točki -Final Confirmation Date must be greater than Date of Joining,Konačnu potvrdu Datum mora biti veća od dana ulaska u Financial / accounting year.,Financijska / obračunska godina . Financial Analytics,Financijski Analytics +Financial Services,financijske usluge Financial Year End Date,Financijska godina End Date Financial Year Start Date,Financijska godina Start Date Finished Goods,gotovih proizvoda @@ -1052,6 +1089,7 @@ Fixed Assets,Dugotrajna imovina Follow via Email,Slijedite putem e-maila "Following table will show values if items are sub - contracted. These values will be fetched from the master of ""Bill of Materials"" of sub - contracted items.",Nakon stol će pokazati vrijednosti ako su stavke pod - ugovoreno. Ove vrijednosti će biti preuzeta od zapovjednika "Bill of Materials" pod - ugovoreni stavke. Food,hrana +"Food, Beverage & Tobacco","Hrana , piće i duhan" For Company,Za tvrtke For Employee,Za zaposlenom For Employee Name,Za ime zaposlenika @@ -1106,6 +1144,7 @@ Frozen,Zaleđeni Frozen Accounts Modifier,Blokiran Računi Modifikacijska Fulfilled,Ispunjena Full Name,Ime i prezime +Full-time,Puno radno vrijeme Fully Completed,Potpuno Završeni Furniture and Fixture,Namještaj i susret Further accounts can be made under Groups but entries can be made against Ledger,"Daljnje računi mogu biti u skupinama , ali unose možete izvoditi protiv Ledgera" @@ -1125,14 +1164,15 @@ Generates HTML to include selected image in the description,Stvara HTML uključu Get,Dobiti Get Advances Paid,Nabavite plaćenim avansima Get Advances Received,Get Napredak pozicija +Get Against Entries,Nabavite Protiv upise Get Current Stock,Nabavite trenutne zalihe Get From ,Nabavite Od Get Items,Nabavite artikle Get Items From Sales Orders,Get artikle iz narudžbe Get Items from BOM,Se predmeti s troškovnikom Get Last Purchase Rate,Nabavite Zadnji Ocijeni Kupnja -Get Non Reconciled Entries,Get Non pomirio tekstova Get Outstanding Invoices,Nabavite neplaćene račune +Get Relevant Entries,Dobiti relevantne objave Get Sales Orders,Nabavite narudžbe Get Specification Details,Nabavite Specifikacija Detalji Get Stock and Rate,Nabavite Stock i stopa @@ -1151,14 +1191,13 @@ Goods received from Suppliers.,Roba dobio od dobavljače. Google Drive,Google Drive Google Drive Access Allowed,Google Drive Pristup dopuštenih Government,vlada -Grade,Razred Graduate,Diplomski Grand Total,Sveukupno Grand Total (Company Currency),Sveukupno (Društvo valuta) -Gratuity LIC ID,Poklon LIC ID Greater or equals,Veće ili jednaki Greater than,veći od "Grid ""","Grid """ +Grocery,Trgovina Gross Margin %,Bruto marža% Gross Margin Value,Bruto marža vrijednost Gross Pay,Bruto plaće @@ -1173,6 +1212,7 @@ Group by Account,Grupa po računu Group by Voucher,Grupa po vaučer Group or Ledger,Grupa ili knjiga Groups,Grupe +HR Manager,HR Manager HR Settings,HR Postavke HTML / Banner that will show on the top of product list.,HTML / bannera koji će se prikazivati ​​na vrhu liste proizvoda. Half Day,Pola dana @@ -1183,7 +1223,9 @@ Hardware,hardver Has Batch No,Je Hrpa Ne Has Child Node,Je li čvor dijete Has Serial No,Ima Serial Ne +Head of Marketing and Sales,Voditelj marketinga i prodaje Header,Kombajn +Health Care,Health Care Health Concerns,Zdravlje Zabrinutost Health Details,Zdravlje Detalji Held On,Održanoj @@ -1266,6 +1308,7 @@ In Words will be visible once you save the Sales Invoice.,U riječi će biti vid In Words will be visible once you save the Sales Order.,U riječi će biti vidljiv nakon što spremite prodajnog naloga. In response to,U odgovoru na Incentives,Poticaji +Include Reconciled Entries,Uključi pomirio objave Include holidays in Total no. of Working Days,Uključi odmor u ukupnom. radnih dana Income,prihod Income / Expense,Prihodi / rashodi @@ -1302,7 +1345,9 @@ Installed Qty,Instalirani Kol Instructions,Instrukcije Integrate incoming support emails to Support Ticket,Integracija dolazne e-mailove podrške za podršku ulaznica Interested,Zainteresiran +Intern,stažista Internal,Interni +Internet Publishing,Internet Izdavaštvo Introduction,Uvod Invalid Barcode or Serial No,Invalid Barcode ili Serial Ne Invalid Email: {0},Invalid Email : {0} @@ -1313,6 +1358,7 @@ Invalid User Name or Support Password. Please rectify and try again.,Neispravno Invalid quantity specified for item {0}. Quantity should be greater than 0.,Pogrešna količina navedeno za predmet {0} . Količina treba biti veći od 0 . Inventory,Inventar Inventory & Support,Inventar i podrška +Investment Banking,Investicijsko bankarstvo Investments,investicije Invoice Date,Račun Datum Invoice Details,Pojedinosti dostavnice @@ -1430,6 +1476,9 @@ Item-wise Purchase History,Stavka-mudar Kupnja Povijest Item-wise Purchase Register,Stavka-mudar Kupnja Registracija Item-wise Sales History,Stavka-mudar Prodaja Povijest Item-wise Sales Register,Stavka-mudri prodaja registar +"Item: {0} managed batch-wise, can not be reconciled using \ + Stock Reconciliation, instead use Stock Entry","Stavka : {0} uspio turi, ne može se pomiriti pomoću \ \ n Stock pomirenje, umjesto da koristite Stock stupanja" +Item: {0} not found in the system,Stavka : {0} ne nalaze u sustavu Items,Proizvodi Items To Be Requested,Predmeti se zatražiti Items required,Stavke potrebne @@ -1448,9 +1497,10 @@ Journal Entry,Časopis Stupanje Journal Voucher,Časopis bon Journal Voucher Detail,Časopis bon Detalj Journal Voucher Detail No,Časopis bon Detalj Ne -Journal Voucher {0} does not have account {1}.,Časopis bon {0} nema račun {1} . +Journal Voucher {0} does not have account {1} or already matched,Časopis bon {0} nema račun {1} ili već usklađeni Journal Vouchers {0} are un-linked,Časopis bon {0} su UN -linked Keep a track of communication related to this enquiry which will help for future reference.,Držite pratiti komunikacije vezane uz ovaj upit koji će vam pomoći za buduću referencu. +Keep it web friendly 900px (w) by 100px (h),Držite ga prijateljski web 900px ( w ) by 100px ( h ) Key Performance Area,Key Performance Area Key Responsibility Area,Ključ Odgovornost Površina Kg,kg @@ -1506,7 +1556,6 @@ Leave blank if considered for all branches,Ostavite prazno ako smatra za sve gra Leave blank if considered for all departments,Ostavite prazno ako smatra za sve odjele Leave blank if considered for all designations,Ostavite prazno ako smatra za sve oznake Leave blank if considered for all employee types,Ostavite prazno ako smatra za sve tipove zaposlenika -Leave blank if considered for all grades,Ostavite prazno ako smatra za sve razrede "Leave can be approved by users with Role, ""Leave Approver""","Ostavite može biti odobren od strane korisnika s uloge, "Ostavite odobravatelju"" Leave of type {0} cannot be longer than {1},Ostavite tipa {0} ne može biti duži od {1} Leaves Allocated Successfully for {0},Lišće Dodijeljeni uspješno za {0} @@ -1515,6 +1564,7 @@ Leaves must be allocated in multiples of 0.5,"Listovi moraju biti dodijeljeno u Ledger,Glavna knjiga Ledgers,knjige Left,Lijevo +Legal,pravni Legal Expenses,pravne Troškovi Less or equals,Manje ili jednaki Less than,manje od @@ -1522,16 +1572,16 @@ Letter Head,Pismo Head Letter Heads for print templates.,Pismo glave za ispis predložaka . Level,Nivo Lft,LFT +Liability,odgovornost Like,kao Linked With,Povezan s List,Popis List a few of your customers. They could be organizations or individuals.,Naveditenekoliko svojih kupaca . Oni mogu biti organizacije ili pojedinci . List a few of your suppliers. They could be organizations or individuals.,Naveditenekoliko svojih dobavljača . Oni mogu biti organizacije ili pojedinci . -"List a few products or services you buy from your suppliers or vendors. If these are same as your products, then do not add them.","Navedite nekoliko proizvode ili usluge koje kupuju od svojih dobavljača ili prodavača . Ako su isti kao i svoje proizvode , onda ih ne dodati ." List items that form the package.,Popis stavki koje čine paket. List this Item in multiple groups on the website.,Popis ovaj predmet u više grupa na web stranici. -"List your products or services that you sell to your customers. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Popis svoje proizvode ili usluge koje prodajete za svoje klijente . Pobrinite se da provjeriti stavku grupe , mjerna jedinica i drugim svojstvima kada pokrenete ." -"List your tax heads (e.g. VAT, Excise) (upto 3) and their standard rates. This will create a standard template, you can edit and add more later.","Popis svoje porezne glave ( npr. PDV , trošarine ) (do 3 ) i njihove standardne stope . To će stvoriti standardni predložak , možete urediti i dodati više kasnije ." +"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 . +"List your tax heads (e.g. VAT, Excise; 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 , trošarine , oni bi trebali imati jedinstvene nazive ) i njihove standardne stope ." Loading,Utovar Loading Report,Učitavanje izvješće Loading...,Loading ... @@ -1598,6 +1648,8 @@ Manage Customer Group Tree.,Upravljanje grupi kupaca stablo . Manage Sales Person Tree.,Upravljanje prodavač stablo . Manage Territory Tree.,Upravljanje teritorij stablo . Manage cost of operations,Upravljanje troškove poslovanja +Management,upravljanje +Manager,menadžer Mandatory fields required in {0},Obavezna polja potrebni u {0} Mandatory filters required:\n,Obvezni filteri potrebni : \ n "Mandatory if Stock Item is ""Yes"". Also the default warehouse where reserved quantity is set from Sales Order.",Obvezni ako Stock Stavka je "Da". Također zadano skladište gdje je zadržana količina se postaviti od prodajnog naloga. @@ -1614,6 +1666,7 @@ Manufacturing Quantity is mandatory,Proizvodnja Količina je obvezno Margin,Marža Marital Status,Bračni status Market Segment,Tržišni segment +Marketing,marketing Marketing Expenses,Troškovi marketinga Married,Oženjen Mass Mailing,Misa mailing @@ -1640,6 +1693,7 @@ Material Requirement,Materijal Zahtjev Material Transfer,Materijal transfera Materials,Materijali Materials Required (Exploded),Materijali Obavezno (eksplodirala) +Max 5 characters,Max 5 znakova Max Days Leave Allowed,Max Dani Ostavite dopuštenih Max Discount (%),Maks Popust (%) Max Qty,Max Kol @@ -1648,7 +1702,7 @@ Maximum {0} rows allowed,Maksimalne {0} redovi dopušteno Maxiumm discount for Item {0} is {1}%,Maxiumm popusta za točke {0} je {1} % Medical,liječnički Medium,Srednji -"Merging is only possible if following properties are same in both records. Group or Ledger, Report Type, Company","Spajanje je moguće samo ako sljedeća svojstva su jednaka u obje evidencije . Grupa ili Ledger , Vrsta izvješća , Društvo" +"Merging is only possible if following properties are same in both records. Group or Ledger, Root Type, Company",Spajanje je moguće samo ako sljedeća svojstva su jednaka u obje evidencije . Message,Poruka Message Parameter,Poruka parametra Message Sent,Poruka je poslana @@ -1662,6 +1716,7 @@ Milestones,Dostignuća Milestones will be added as Events in the Calendar,Dostignuća će biti dodan kao Događanja u kalendaru Min Order Qty,Min Red Kol Min Qty,min Kol +Min Qty can not be greater than Max Qty,Min Kol ne može biti veći od Max Kol Minimum Order Qty,Minimalna narudžba Količina Minute,minuta Misc Details,Razni podaci @@ -1684,6 +1739,7 @@ Monthly salary statement.,Mjesečna plaća izjava. More,Više More Details,Više pojedinosti More Info,Više informacija +Motion Picture & Video,Motion Picture & Video Move Down: {0},Pomicanje dolje : {0} Move Up: {0},Move Up : {0} Moving Average,Moving Average @@ -1691,6 +1747,9 @@ Moving Average Rate,Premještanje prosječna stopa Mr,G. Ms,Gospođa Multiple Item prices.,Više cijene stavke. +"Multiple Price Rule exists with same criteria, please resolve \ + conflict by assigning priority. Price Rules: {0}","Višestruki Cijena Pravilo postoji sa istim kriterijima , molimo rješavanje \ \ n sukob dodjeljivanjem prioritet ." +Music,glazba Must be Whole Number,Mora biti cijeli broj My Settings,Moje postavke Name,Ime @@ -1702,7 +1761,9 @@ Name not permitted,Ime nije dopušteno Name of person or organization that this address belongs to.,Ime osobe ili organizacije koje ova adresa pripada. Name of the Budget Distribution,Ime distribucije proračuna Naming Series,Imenovanje serije +Negative Quantity is not allowed,Negativna Količina nije dopušteno Negative Stock Error ({6}) for Item {0} in Warehouse {1} on {2} {3} in {4} {5},Negativna Stock Error ( {6} ) za točke {0} u skladište {1} na {2} {3} u {4} {5} +Negative Valuation Rate is not allowed,Negativna stopa Vrednovanje nije dopušteno Negative balance in Batch {0} for Item {1} at Warehouse {2} on {3} {4},Negativna bilanca u batch {0} za točku {1} na skladište {2} na {3} {4} Net Pay,Neto Pay Net Pay (in words) will be visible once you save the Salary Slip.,Neto plaća (u riječima) će biti vidljiv nakon što spremite plaće Slip. @@ -1750,6 +1811,7 @@ Newsletter Status,Newsletter Status Newsletter has already been sent,Newsletter je već poslana Newsletters is not allowed for Trial users,Newslettere nije dopušteno za suđenje korisnike "Newsletters to contacts, leads.","Brošure za kontakte, vodi." +Newspaper Publishers,novinski izdavači Next,sljedeći Next Contact By,Sljedeća Kontakt Do Next Contact Date,Sljedeća Kontakt Datum @@ -1773,17 +1835,18 @@ No Results,nema Rezultati No Supplier Accounts found. Supplier Accounts are identified based on 'Master Type' value in account record.,"Nema Supplier Računi pronađena . Supplier Računi su identificirani na temelju ' Master vrstu "" vrijednosti u računu rekord ." No accounting entries for the following warehouses,Nema računovodstvene unosi za sljedeće skladišta No addresses created,Nema adrese stvoreni -No amount allocated,No iznos dodijeljen No contacts created,Nema kontakata stvoreni No default BOM exists for Item {0},Ne default BOM postoji točke {0} No description given,Nema opisa dano No document selected,Nema odabranih dokumenata No employee found,Niti jedan zaposlenik pronađena +No employee found!,Niti jedan zaposlenik našao ! No of Requested SMS,Nema traženih SMS No of Sent SMS,Ne poslanih SMS No of Visits,Bez pregleda No one,Niko No permission,nema dozvole +No permission to '{0}' {1},Nema dozvole za ' {0} ' {1} No permission to edit,Nema dozvole za uređivanje No record found,Ne rekord naći No records tagged.,Nema zapisa tagged. @@ -1843,6 +1906,7 @@ Old Parent,Stari Roditelj On Net Total,Na Net Total On Previous Row Amount,Na prethodnu Row visini On Previous Row Total,Na prethodni redak Ukupno +Online Auctions,online aukcije Only Leave Applications with status 'Approved' can be submitted,"Ostavite samo one prijave sa statusom "" Odobreno"" može se podnijeti" "Only Serial Nos with status ""Available"" can be delivered.","Samo Serial Nos sa statusom "" dostupan "" može biti isporučena ." Only leaf nodes are allowed in transaction,Samo leaf čvorovi su dozvoljeni u transakciji @@ -1888,6 +1952,7 @@ Organization Name,Naziv organizacije Organization Profile,Organizacija Profil Organization branch master.,Organizacija grana majstor . Organization unit (department) master.,Organizacija jedinica ( odjela ) majstor . +Original Amount,Izvorni Iznos Original Message,Izvorni Poruka Other,Drugi Other Details,Ostali podaci @@ -1905,9 +1970,6 @@ Overlapping conditions found between:,Preklapanje uvjeti nalaze između : Overview,pregled Owned,U vlasništvu Owner,vlasnik -PAN Number,PAN Broj -PF No.,PF broj -PF Number,PF Broj PL or BS,PL ili BS PO Date,PO Datum PO No,PO Nema @@ -1919,7 +1981,6 @@ POS Setting,POS Podešavanje POS Setting required to make POS Entry,POS postavke potrebne da bi POS stupanja POS Setting {0} already created for user: {1} and company {2},POS Setting {0} već stvorena za korisnika : {1} i tvrtka {2} POS View,POS Pogledaj -POS-Setting-.#,POS - Setting - . # PR Detail,PR Detalj PR Posting Date,PR datum Poruke Package Item Details,Paket Stavka Detalji @@ -1955,6 +2016,7 @@ Parent Website Route,Roditelj Web Route Parent account can not be a ledger,Parent račun ne može bitiknjiga Parent account does not exist,Parent račun ne postoji Parenttype,Parenttype +Part-time,Part - time Partially Completed,Djelomično Završeni Partly Billed,Djelomično Naplaćeno Partly Delivered,Djelomično Isporučeno @@ -1972,7 +2034,6 @@ Payables,Obveze Payables Group,Obveze Grupa Payment Days,Plaćanja Dana Payment Due Date,Plaćanje Due Date -Payment Entries,Plaćanja upisi Payment Period Based On Invoice Date,Razdoblje za naplatu po Datum fakture Payment Type,Vrsta plaćanja Payment of salary for the month {0} and year {1},Isplata plaće za mjesec {0} i godina {1} @@ -1989,6 +2050,7 @@ Pending Amount,Iznos na čekanju Pending Items {0} updated,Tijeku stvari {0} ažurirana Pending Review,U tijeku pregled Pending SO Items For Purchase Request,Otvorena SO Proizvodi za zahtjev za kupnju +Pension Funds,mirovinskim fondovima Percent Complete,Postotak Cijela Percentage Allocation,Postotak Raspodjela Percentage Allocation should be equal to 100%,Postotak izdvajanja trebala bi biti jednaka 100 % @@ -1997,7 +2059,6 @@ Percentage you are allowed to receive or deliver more against the quantity order Performance appraisal.,Ocjenjivanje. Period,razdoblje Period Closing Voucher,Razdoblje Zatvaranje bon -Period is too short,Razdoblje je prekratak Periodicity,Periodičnost Permanent Address,Stalna adresa Permanent Address Is,Stalna adresa je @@ -2009,15 +2070,18 @@ Personal,Osobno Personal Details,Osobni podaci Personal Email,Osobni e Pharmaceutical,farmaceutski +Pharmaceuticals,Lijekovi Phone,Telefon Phone No,Telefonski broj Pick Columns,Pick stupce +Piecework,rad plaćen na akord Pincode,Pincode Place of Issue,Mjesto izdavanja Plan for maintenance visits.,Plan održavanja posjeta. Planned Qty,Planirani Kol "Planned Qty: Quantity, for which, Production Order has been raised, but is pending to be manufactured.","Planirano Količina : Količina , za koje , proizvodnja Red je podigao , ali je u tijeku kako bi se proizvoditi ." Planned Quantity,Planirana količina +Planning,planiranje Plant,Biljka Plant and Machinery,Postrojenja i strojevi Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,Molimo unesite Skraćenica ili skraćeni naziv ispravno jer će biti dodan kao sufiks na sve računa šefova. @@ -2054,7 +2118,6 @@ Please enter Planned Qty for Item {0} at row {1},Unesite Planirano Qty za točku Please enter Production Item first,Unesite Proizvodnja predmeta prvi Please enter Purchase Receipt No to proceed,Unesite kupiti primitka No za nastavak Please enter Reference date,Unesite Referentni datum -Please enter Start Date and End Date,Unesite datum početka i datum završetka Please enter Warehouse for which Material Request will be raised,Unesite skladište za koje Materijal Zahtjev će biti podignuta Please enter Write Off Account,Unesite otpis račun Please enter atleast 1 invoice in the table,Unesite atleast jedan račun u tablici @@ -2103,9 +2166,9 @@ Please select item code,Odaberite Šifra Please select month and year,Molimo odaberite mjesec i godinu Please select prefix first,Odaberite prefiks prvi Please select the document type first,Molimo odaberite vrstu dokumenta prvi -Please select valid Voucher No to proceed,Odaberite valjanu bon No postupiti Please select weekly off day,Odaberite tjednik off dan Please select {0},Odaberite {0} +Please select {0} first,Odaberite {0} Prvi Please set Dropbox access keys in your site config,Molimo postaviti Dropbox pristupnih tipki u vašem web config Please set Google Drive access keys in {0},Molimo postaviti Google Drive pristupnih tipki u {0} 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} @@ -2121,6 +2184,7 @@ Please specify Default Currency in Company Master and Global Defaults,Navedite z Please specify a,Navedite Please specify a valid 'From Case No.',Navedite važeću 'iz Predmet br' Please specify a valid Row ID for {0} in row {1},Navedite valjanu Row ID za {0} je u redu {1} +Please specify either Quantity or Valuation Rate or both,Navedite ili količini ili vrednovanja Ocijenite ili oboje Please submit to update Leave Balance.,Molimo dostaviti ažurirati napuste balans . Plot,zemljište Plot By,zemljište By @@ -2170,11 +2234,14 @@ Print and Stationary,Ispis i stacionarnih Print...,Ispis ... Printing and Branding,Tiskanje i Branding Priority,Prioritet +Private Equity,Private Equity Privilege Leave,Privilege dopust +Probation,probni rad Process Payroll,Proces plaće Produced,izrađen Produced Quantity,Proizveden Količina Product Enquiry,Na upit +Production,proizvodnja Production Order,Proizvodnja Red Production Order status is {0},Status radnog naloga je {0} Production Order {0} must be cancelled before cancelling this Sales Order,Proizvodnja Red {0} mora biti otkazana prije poništenja ovu prodajnog naloga @@ -2187,12 +2254,12 @@ Production Plan Sales Order,Proizvodnja plan prodajnog naloga Production Plan Sales Orders,Plan proizvodnje narudžbe Production Planning Tool,Planiranje proizvodnje alat Products,Proizvodi -Products or Services You Buy,Proizvode ili usluge koje kupiti "Products will be sorted by weight-age in default searches. More the weight-age, higher the product will appear in the list.","Proizvodi će biti razvrstani po težine dobi u zadane pretraživanja. Više težina-dob, veća proizvod će se pojaviti na popisu." Profit and Loss,Račun dobiti i gubitka Project,Projekt Project Costing,Projekt Costing Project Details,Projekt Detalji +Project Manager,Voditelj projekta Project Milestone,Projekt Prekretnica Project Milestones,Projekt Dostignuća Project Name,Naziv projekta @@ -2209,9 +2276,10 @@ Projected Qty,Predviđen Kol Projects,Projekti Projects & System,Projekti i sustav Prompt for Email on Submission of,Pitaj za e-poštu na podnošenje +Proposal Writing,Pisanje prijedlog Provide email id registered in company,Osigurati e id registriran u tvrtki Public,Javni -Pull Payment Entries,Povucite plaćanja tekstova +Publishing,objavljivanje Pull sales orders (pending to deliver) based on the above criteria,Povucite prodajne naloge (na čekanju za isporuku) na temelju navedenih kriterija Purchase,Kupiti Purchase / Manufacture Details,Kupnja / Proizvodnja Detalji @@ -2277,6 +2345,7 @@ Quality Inspection Parameters,Inspekcija kvalitete Parametri Quality Inspection Reading,Kvaliteta Inspekcija čitanje Quality Inspection Readings,Inspekcija kvalitete Čitanja Quality Inspection required for Item {0},Provera kvaliteta potrebna za točke {0} +Quality Management,upravljanja kvalitetom Quantity,Količina Quantity Requested for Purchase,Količina Traženi za kupnju Quantity and Rate,Količina i stopa @@ -2340,6 +2409,7 @@ Reading 6,Čitanje 6 Reading 7,Čitanje 7 Reading 8,Čitanje 8 Reading 9,Čitanje 9 +Real Estate,Nekretnine Reason,Razlog Reason for Leaving,Razlog za odlazak Reason for Resignation,Razlog za ostavku @@ -2358,6 +2428,7 @@ Receiver List,Prijemnik Popis Receiver List is empty. Please create Receiver List,Receiver Lista je prazna . Molimo stvoriti Receiver Popis Receiver Parameter,Prijemnik parametra Recipients,Primatelji +Reconcile,pomiriti Reconciliation Data,Pomirenje podataka Reconciliation HTML,Pomirenje HTML Reconciliation JSON,Pomirenje JSON @@ -2407,6 +2478,7 @@ Report,Prijavi Report Date,Prijavi Datum Report Type,Prijavi Vid Report Type is mandatory,Vrsta izvješća je obvezno +Report an Issue,Prijavi problem Report was not saved (there were errors),Izvješće nije spašen (bilo pogrešaka) Reports to,Izvješća Reqd By Date,Reqd Po datumu @@ -2425,6 +2497,9 @@ Required Date,Potrebna Datum Required Qty,Potrebna Kol Required only for sample item.,Potrebna je samo za primjer stavke. Required raw materials issued to the supplier for producing a sub - contracted item.,Potrebna sirovina izdane dobavljač za proizvodnju pod - ugovoreni predmet. +Research,istraživanje +Research & Development,Istraživanje i razvoj +Researcher,istraživač Reseller,Prodavač Reserved,Rezervirano Reserved Qty,Rezervirano Kol @@ -2444,11 +2519,14 @@ Resolution Details,Rezolucija o Brodu Resolved By,Riješen Do Rest Of The World,Ostatak svijeta Retail,Maloprodaja +Retail & Wholesale,Trgovina na veliko i Retailer,Prodavač na malo Review Date,Recenzija Datum Rgt,Ustaša Role Allowed to edit frozen stock,Uloga dopuštenih urediti smrznute zalihe 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. +Root Type,korijen Tip +Root Type is mandatory,Korijen Tip je obvezno Root account can not be deleted,Korijen račun ne može biti izbrisan Root cannot be edited.,Korijen ne može se mijenjati . Root cannot have a parent cost center,Korijen ne mogu imati središte troškova roditelj @@ -2456,6 +2534,16 @@ Rounded Off,zaokružen Rounded Total,Zaobljeni Ukupno Rounded Total (Company Currency),Zaobljeni Ukupno (Društvo valuta) Row # ,Redak # +Row # {0}: , +"Row {0}: Account does not match with \ + Purchase Invoice Credit To account",Red {0} : račun ne odgovara \ \ n kupnje proizvoda Credit na račun +"Row {0}: Account does not match with \ + Sales Invoice Debit To account",Red {0} : račun ne odgovara \ \ n prodaje Račun terećenja na računu +Row {0}: Credit entry can not be linked with a Purchase Invoice,Red {0} : Kreditni unos ne može biti povezan s kupnje proizvoda +Row {0}: Debit entry can not be linked with a Sales Invoice,Red {0} : debitne unos ne može biti povezan s prodaje fakture +"Row {0}: To set {1} periodicity, difference between from and to date \ + must be greater than or equal to {2}","Red {0} : Za postavljanje {1} periodičnost , razlika između od i do danas \ \ n mora biti veći ili jednak {2}" +Row {0}:Start Date must be before End Date,Red {0} : Datum početka mora biti prije datuma završetka Rules for adding shipping costs.,Pravila za dodavanjem troškove prijevoza . Rules for applying pricing and discount.,Pravila za primjenu cijene i popust . Rules to calculate shipping amount for a sale,Pravila za izračun shipping iznos za prodaju @@ -2547,7 +2635,6 @@ Schedule,Raspored Schedule Date,Raspored Datum Schedule Details,Raspored Detalji Scheduled,Planiran -Scheduled Confirmation Date must be greater than Date of Joining,Planirano Potvrda Datum mora biti veća od dana ulaska u Scheduled Date,Planirano Datum Scheduled to send to {0},Planirano za slanje na {0} Scheduled to send to {0} recipients,Planirano za slanje na {0} primatelja @@ -2559,7 +2646,9 @@ Score must be less than or equal to 5,Rezultat mora biti manja od ili jednaka 5 Scrap %,Otpad% Search,Traži Seasonality for setting budgets.,Sezonalnost za postavljanje proračuna. +Secretary,tajnica Secured Loans,osigurani krediti +Securities & Commodity Exchanges,Vrijednosni papiri i robne razmjene Securities and Deposits,Vrijednosni papiri i depoziti "See ""Rate Of Materials Based On"" in Costing Section",Pogledajte "stopa materijali na temelju troškova" u odjeljak "Select ""Yes"" for sub - contracting items",Odaberite "Da" za pod - ugovorne stavke @@ -2589,7 +2678,6 @@ Select dates to create a new ,Odaberite datume za stvaranje nove Select or drag across time slots to create a new event.,Odaberite ili povucite preko minutaže stvoriti novi događaj. Select template from which you want to get the Goals,Odaberite predložak s kojeg želite dobiti ciljeva Select the Employee for whom you are creating the Appraisal.,Odaberite zaposlenika za koga se stvara procjene. -Select the Invoice against which you want to allocate payments.,Odaberite fakture protiv koje želite izdvojiti plaćanja . Select the period when the invoice will be generated automatically,Odaberite razdoblje kada faktura će biti generiran automatski Select the relevant company name if you have multiple companies,Odaberite odgovarajući naziv tvrtke ako imate više tvrtki Select the relevant company name if you have multiple companies.,Odaberite odgovarajući naziv tvrtke ako imate više tvrtki. @@ -2640,7 +2728,8 @@ Serial No {0} status must be 'Available' to Deliver,Serijski Ne {0} status mora Serial Nos Required for Serialized Item {0},Serijski Nos potrebna za serijaliziranom točke {0} Serial Number Series,Serijski broj serije Serial number {0} entered more than once,Serijski broj {0} ušao više puta -Serialized Item {0} cannot be updated using Stock Reconciliation,Serijaliziranom Stavka {0} se ne može ažurirati pomoću Stock pomirenja +"Serialized Item {0} cannot be updated \ + using Stock Reconciliation",Serijaliziranom Stavka {0} ne može biti obnovljeno \ \ n pomoću Stock pomirenja Series,serija Series List for this Transaction,Serija Popis za ovu transakciju Series Updated,Serija Updated @@ -2655,7 +2744,6 @@ Set,set "Set Default Values like Company, Currency, Current Fiscal Year, etc.","Zadane vrijednosti kao što su tvrtke , valute , tekuće fiskalne godine , itd." Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,Postavite Stavka Grupa-mudre proračune na ovom području. Također možete uključiti sezonalnost postavljanjem Distribution. Set Link,Postavite link -Set allocated amount against each Payment Entry and click 'Allocate'.,Set dodijeljeni iznos od svakog ulaska plaćanja i kliknite ' Dodjela ' . Set as Default,Postavi kao zadano Set as Lost,Postavi kao Lost Set prefix for numbering series on your transactions,Postavite prefiks za numeriranje niza na svoje transakcije @@ -2706,6 +2794,9 @@ Single,Singl Single unit of an Item.,Jedna jedinica stavku. Sit tight while your system is being setup. This may take a few moments.,"Sjedi čvrsto , dok je vaš sustav se postava . To može potrajati nekoliko trenutaka ." Slideshow,Slideshow +Soap & Detergent,Sapun i deterdžent +Software,softver +Software Developer,Software Developer Sorry we were unable to find what you were looking for.,Nažalost nismo uspjeli pronaći ono što su tražili. Sorry you are not permitted to view this page.,Žao nam je što nije dozvoljeno da vidite ovu stranicu. "Sorry, Serial Nos cannot be merged","Žao nam je , Serial Nos ne mogu spojiti" @@ -2719,8 +2810,6 @@ Source of Funds (Liabilities),Izvor sredstava ( pasiva) Source warehouse is mandatory for row {0},Izvor skladište je obvezno za redom {0} Spartan,Spartanski "Special Characters except ""-"" and ""/"" not allowed in naming series","Posebne znakove osim "" - "" i "" / "" nisu dopušteni u imenovanja seriju" -Special Characters not allowed in Abbreviation,Posebni znakovi nisu dopušteni u kraticama -Special Characters not allowed in Company Name,Posebni znakovi nisu dopušteni u ime tvrtke Specification Details,Specifikacija Detalji Specifications,tehnički podaci "Specify a list of Territories, for which, this Price List is valid","Navedite popis teritorijima, za koje, ovom cjeniku vrijedi" @@ -2728,16 +2817,18 @@ Specifications,tehnički podaci "Specify a list of Territories, for which, this Taxes Master is valid","Navedite popis teritorijima, za koje, to Porezi Master vrijedi" "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 ." Split Delivery Note into packages.,Split otpremnici u paketima. +Sports,sportovi Standard,Standard +Standard Buying,Standardna kupnju Standard Rate,Standardna stopa Standard Reports,Standardni Izvješća +Standard Selling,Standardna prodaja Standard contract terms for Sales or Purchase.,Standardni uvjeti ugovora za prodaju ili kupnju. Start,početak Start Date,Datum početka Start Report For,Početak izvješće za Start date of current invoice's period,Početak datum tekućeg razdoblja dostavnice Start date should be less than end date for Item {0},Početak bi trebao biti manji od krajnjeg datuma za točke {0} -Start date should be less than end date.,Početak bi trebao biti manji od krajnjeg datuma . State,Država Static Parameters,Statički parametri Status,Status @@ -2820,15 +2911,12 @@ Supplier Part Number,Dobavljač Broj dijela Supplier Quotation,Dobavljač Ponuda Supplier Quotation Item,Dobavljač ponudu artikla Supplier Reference,Dobavljač Referenca -Supplier Shipment Date,Dobavljač Pošiljka Datum -Supplier Shipment No,Dobavljač Pošiljka Nema Supplier Type,Dobavljač Tip Supplier Type / Supplier,Dobavljač Tip / Supplier Supplier Type master.,Dobavljač Vrsta majstor . Supplier Warehouse,Dobavljač galerija Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Dobavljač skladišta obvezan je za sub - ugovoreni kupiti primitka Supplier database.,Dobavljač baza podataka. -Supplier delivery number duplicate in {0},Broj isporuka dobavljača duplicirati u {0} Supplier master.,Dobavljač majstor . Supplier warehouse where you have issued raw materials for sub - contracting,Dobavljač skladište gdje ste izdali sirovine za pod - ugovaranje Supplier-Wise Sales Analytics,Supplier -mudar prodaje Analytics @@ -2869,7 +2957,7 @@ Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are no Tax Rate,Porezna stopa Tax and other salary deductions.,Porez i drugih isplata plaća. "Tax detail table fetched from item master as a string and stored in this field. -Used for Taxes and Charges", +Used for Taxes and Charges",Porezna detalj stol preuzeta iz točke majstora kao gudački i pohranjene u ovom području . \ NIskorišteno za poreze i troškove Tax template for buying transactions.,Porezna Predložak za kupnju transakcije . Tax template for selling transactions.,Porezna predložak za prodaju transakcije . Taxable,Oporeziva @@ -2881,13 +2969,16 @@ Taxes and Charges Deducted,Porezi i naknade oduzeti Taxes and Charges Deducted (Company Currency),Porezi i naknade Umanjenja (Društvo valuta) Taxes and Charges Total,Porezi i naknade Ukupno Taxes and Charges Total (Company Currency),Porezi i naknade Ukupno (Društvo valuta) +Technology,tehnologija +Telecommunications,telekomunikacija Telephone Expenses,Telefonski troškovi +Television,televizija Template for performance appraisals.,Predložak za ocjene rada . Template of terms or contract.,Predložak termina ili ugovor. -Temporary Account (Assets),Privremeni račun ( imovina ) -Temporary Account (Liabilities),Privremeni račun ( pasiva) Temporary Accounts (Assets),Privremene banke ( aktiva ) Temporary Accounts (Liabilities),Privremene banke ( pasiva) +Temporary Assets,Privremena Imovina +Temporary Liabilities,Privremena Obveze Term Details,Oročeni Detalji Terms,Uvjeti Terms and Conditions,Odredbe i uvjeti @@ -2912,7 +3003,7 @@ The First User: You,Prvo Korisnik : Vi The Organization,Organizacija "The account head under Liability, in which Profit/Loss will be booked","Glava računa pod odgovornosti , u kojoj dobit / gubitak će biti rezerviran" "The date on which next invoice will be generated. It is generated on submit. -", +",Datum na koji pored faktura će biti generiran . The date on which recurring invoice will be stop,Datum na koji se ponavlja faktura će se zaustaviti "The day of the month on which auto invoice will be generated e.g. 05, 28 etc ","Dan u mjesecu na koji se automatski faktura će biti generiran npr. 05, 28 itd." The day(s) on which you are applying for leave are holiday. You need not apply for leave.,Dan (a ) na koji se prijavljujete za dopust su odmor . Ne trebaju podnijeti zahtjev za dopust . @@ -2997,6 +3088,8 @@ To track items using barcode. You will be able to enter items in Delivery Note a Tools,Alat Total,Ukupan Total Advance,Ukupno Predujam +Total Allocated Amount,Ukupno odobrenim iznosom +Total Allocated Amount can not be greater than unmatched amount,Ukupni raspoređeni iznos ne može biti veći od iznosa neusporedivu Total Amount,Ukupan iznos Total Amount To Pay,Ukupan iznos platiti Total Amount in Words,Ukupan iznos u riječi @@ -3006,6 +3099,7 @@ Total Commission,Ukupno komisija Total Cost,Ukupan trošak Total Credit,Ukupna kreditna Total Debit,Ukupno zaduženje +Total Debit must be equal to Total Credit. The difference is {0},Ukupno zaduženje mora biti jednak ukupnom kreditnom . Total Deduction,Ukupno Odbitak Total Earning,Ukupna zarada Total Experience,Ukupno Iskustvo @@ -3033,8 +3127,10 @@ Total in words,Ukupno je u riječima Total points for all goals should be 100. It is {0},Ukupni broj bodova za sve ciljeve trebao biti 100 . To je {0} Total weightage assigned should be 100%. It is {0},Ukupno bi trebalo biti dodijeljena weightage 100 % . To je {0} Totals,Ukupan rezultat +Track Leads by Industry Type.,Trag vodi prema tip industrije . Track this Delivery Note against any Project,Prati ovu napomenu isporuke protiv bilo Projekta Track this Sales Order against any Project,Prati ovu prodajni nalog protiv bilo Projekta +Trainee,Pripravnik Transaction,Transakcija Transaction Date,Transakcija Datum Transaction not allowed against stopped Production Order {0},Transakcija nije dopuštena protiv zaustavljena proizvodnja Reda {0} @@ -3042,10 +3138,10 @@ Transfer,Prijenos Transfer Material,Prijenos materijala Transfer Raw Materials,Prijenos sirovine Transferred Qty,prebačen Kol +Transportation,promet Transporter Info,Transporter Info Transporter Name,Transporter Ime Transporter lorry number,Transporter kamion broj -Trash Reason,Otpad Razlog Travel,putovanje Travel Expenses,putni troškovi Tree Type,Tree Type @@ -3149,6 +3245,7 @@ Value,Vrijednost Value or Qty,"Vrijednost, ili Kol" Vehicle Dispatch Date,Vozilo Dispatch Datum Vehicle No,Ne vozila +Venture Capital,venture Capital Verified By,Ovjeren od strane View Ledger,Pogledaj Ledger View Now,Pregled Sada @@ -3157,6 +3254,7 @@ Voucher #,bon # Voucher Detail No,Bon Detalj Ne Voucher ID,Bon ID Voucher No,Bon Ne +Voucher No is not valid,Bon No ne vrijedi Voucher Type,Bon Tip Voucher Type and Date,Tip bon i datum Walk In,Šetnja u @@ -3171,6 +3269,7 @@ Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt Warehouse cannot be changed for Serial No.,Skladište se ne može promijeniti za serijskog broja Warehouse is mandatory for stock Item {0} in row {1},Skladište je obvezna za dionice točke {0} je u redu {1} Warehouse is missing in Purchase Order,Skladište nedostaje u narudžbenice +Warehouse not found in the system,Skladište se ne nalaze u sustavu Warehouse required for stock Item {0},Skladište potreban dionica točke {0} Warehouse required in POS Setting,Skladište potrebni u POS Setting Warehouse where you are maintaining stock of rejected items,Skladište gdje ste održavanju zaliha odbijenih stavki @@ -3191,6 +3290,8 @@ Warranty / AMC Status,Jamstveni / AMC Status Warranty Expiry Date,Jamstvo Datum isteka Warranty Period (Days),Jamstveno razdoblje (dani) Warranty Period (in days),Jamstveno razdoblje (u danima) +We buy this Item,Mi smo kupiti ovu stavku +We sell this Item,Prodajemo ovu stavku Website,Website Website Description,Web stranica Opis Website Item Group,Web stranica artikla Grupa @@ -3217,6 +3318,7 @@ Will be calculated automatically when you enter the details,Hoće li biti izrač Will be updated after Sales Invoice is Submitted.,Hoće li se obnavljaju nakon prodaje fakture je Prijavljen. Will be updated when batched.,Hoće li biti ažurirani kada izmiješane. Will be updated when billed.,Hoće li biti promjena kada je naplaćeno. +Wire Transfer,Wire Transfer With Groups,s Groups With Ledgers,s knjigama With Operations,Uz operacije @@ -3251,7 +3353,6 @@ Yearly,Godišnje Yes,Da Yesterday,Jučer You are not allowed to create / edit reports,Ne smiju stvoriti / uređivati ​​izvješća -You are not allowed to create {0},Ne smiju se stvarati {0} You are not allowed to export this report,Ne smiju se izvoziti ovom izvješću You are not allowed to print this document,Ne smiju se ispisati taj dokument You are not allowed to send emails related to this document,Ne smiju slati e-mailove u vezi s ovim dokumentom @@ -3269,12 +3370,15 @@ You can set Default Bank Account in Company master,Možete postaviti Default ban You can start by selecting backup frequency and granting access for sync,Možete početi odabirom sigurnosnu frekvenciju i davanje pristupa za sinkronizaciju You can submit this Stock Reconciliation.,Možete poslati ovu zaliha pomirenja . You can update either Quantity or Valuation Rate or both.,Možete ažurirati ili količini ili vrednovanja Ocijenite ili oboje . -You cannot credit and debit same account at the same time.,Ne možete kreditnim i debitnim isti račun u isto vrijeme . +You cannot credit and debit same account at the same time,Ne možete kreditnim i debitnim isti račun u isto vrijeme You have entered duplicate items. Please rectify and try again.,Unijeli duple stavke . Molimo ispraviti i pokušajte ponovno . +You have unsaved changes in this form. Please save before you continue.,Vi niste spremili promjene u ovom obliku . You may need to update: {0},Možda ćete morati ažurirati : {0} You must Save the form before proceeding,Morate spremiti obrazac prije nastavka +You must allocate amount before reconcile,Morate izdvojiti iznos prije pomire Your Customer's TAX registration numbers (if applicable) or any general information,Vaš klijent je poreznoj registraciji brojevi (ako je primjenjivo) ili bilo opće informacije Your Customers,vaši klijenti +Your Login Id,Vaš Id Prijava Your Products or Services,Svoje proizvode ili usluge Your Suppliers,vaši Dobavljači "Your download is being built, this may take a few moments...","Vaš preuzimanje se gradi, to može potrajati nekoliko trenutaka ..." @@ -3285,6 +3389,7 @@ Your sales person who will contact the customer in future,Vaš prodaje osobi koj Your sales person will get a reminder on this date to contact the customer,Vaš prodavač će dobiti podsjetnik na taj datum kontaktirati kupca Your setup is complete. Refreshing...,Vaš postava je potpuni . Osvježavajući ... Your support email id - must be a valid email - this is where your emails will come!,Vaša podrška e-mail id - mora biti valjana e-mail - ovo je mjesto gdje svoje e-mailove će doći! +[Select],[ Select ] `Freeze Stocks Older Than` should be smaller than %d days.,` Freeze Dionice starije od ` bi trebao biti manji od % d dana . and,i are not allowed.,nisu dopušteni. diff --git a/erpnext/translations/it.csv b/erpnext/translations/it.csv index 1d60f042a7..0eb95696a1 100644 --- a/erpnext/translations/it.csv +++ b/erpnext/translations/it.csv @@ -26,14 +26,13 @@ 'From Date' must be after 'To Date',' Dalla Data ' deve essere successiva 'To Date' 'Has Serial No' can not be 'Yes' for non-stock item,' Ha Serial No' non può essere ' Sì' per i non- articolo di 'Notification Email Addresses' not specified for recurring invoice,«Notifica indirizzi e-mail ' non specificati per fattura ricorrenti -'Profit and Loss' type Account {0} used be set for Opening Entry,' Economico ' Tipo di account {0} usato da impostare per apertura di ingresso 'Profit and Loss' type account {0} not allowed in Opening Entry,' Economico ' tipo di account {0} non consentito in apertura di ingresso 'To Case No.' cannot be less than 'From Case No.','A Case N.' non puo essere minore di 'Da Case N.' 'To Date' is required,'To Date' è richiesto 'Update Stock' for Sales Invoice {0} must be set,'Aggiorna Archivio ' per Fattura {0} deve essere impostato * Will be calculated in the transaction.,'A Case N.' non puo essere minore di 'Da Case N.' "1 Currency = [?] Fraction -For e.g. 1 USD = 100 Cent", +For e.g. 1 USD = 100 Cent",1 valuta = [ ? ] Frazione \ nPer ad esempio 1. To maintain the customer wise item code and to make them searchable based on their code use this option,1.Per mantenere la voce codice cliente e renderli ricercabili in base al loro codice usare questa opzione 2 days ago,2 giorni fà "Add / Edit"," Aggiungi / Modifica < / a>" @@ -70,8 +69,6 @@ Account with child nodes cannot be converted to ledger,Conto con nodi figlio non Account with existing transaction can not be converted to group.,Conto con transazione esistente non può essere convertito al gruppo . Account with existing transaction can not be deleted,Conto con transazione esistente non può essere cancellato Account with existing transaction cannot be converted to ledger,Conto con transazione esistente non può essere convertito in contabilità -Account {0} already exists,Account {0} esiste già -Account {0} can only be updated via Stock Transactions,Account {0} può essere aggiornato solo tramite transazioni di magazzino Account {0} cannot be a Group,Account {0} non può essere un gruppo Account {0} does not belong to Company {1},Account {0} non appartiene alla società {1} Account {0} does not exist,Account {0} non esiste @@ -79,8 +76,9 @@ Account {0} has been entered more than once for fiscal year {1},Account {0} è s Account {0} is frozen,Account {0} è congelato Account {0} is inactive,Account {0} è inattivo Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item,Account {0} deve essere di tipo ' Asset fisso ' come voce {1} è un Asset articolo -Account {0} must be sames as Credit To Account in Purchase Invoice in row {0},Account {0} deve essere sames come accreditare sul suo conto in Acquisto fattura in riga {0} -Account {0} must be sames as Debit To Account in Sales Invoice in row {0},Account {0} deve essere sames come Debito Per conto nella fattura di vendita in riga {0} +"Account: {0} can only be updated via \ + Stock Transactions",Account : {0} può essere aggiornato solo tramite \ \ n Archivio Transazioni +Accountant,ragioniere Accounting,Contabilità "Accounting Entries can be made against leaf nodes, called","Scritture contabili può essere fatta contro nodi foglia , chiamato" "Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","Registrazione contabile congelato fino a questa data, nessuno può / Modifica voce eccetto ruolo specificato di seguito." @@ -145,10 +143,13 @@ Address Title is mandatory.,Titolo Indirizzo è obbligatorio. Address Type,Tipo di indirizzo Address master.,Indirizzo master. Administrative Expenses,Spese Amministrative +Administrative Officer,responsabile amministrativo Advance Amount,Importo Anticipo Advance amount,Importo anticipo Advances,Avanzamenti Advertisement,Pubblicità +Advertising,pubblicità +Aerospace,aerospaziale After Sale Installations,Installazioni Post Vendita Against,Previsione Against Account,Previsione Conto @@ -157,9 +158,11 @@ Against Docname,Per Nome Doc Against Doctype,Per Doctype Against Document Detail No,Per Dettagli Documento N Against Document No,Per Documento N +Against Entries,contro Entries Against Expense Account,Per Spesa Conto Against Income Account,Per Reddito Conto Against Journal Voucher,Per Buono Acquisto +Against Journal Voucher {0} does not have any unmatched {1} entry,Contro ufficiale Voucher {0} non ha alcun ineguagliata {1} entry Against Purchase Invoice,Per Fattura Acquisto Against Sales Invoice,Per Fattura Vendita Against Sales Order,Contro Sales Order @@ -171,6 +174,8 @@ Ageing date is mandatory for opening entry,Data di invecchiamento è obbligatori Agent,Agente Aging Date,Data invecchiamento Aging Date is mandatory for opening entry,Data di invecchiamento è obbligatorio per l'apertura di ingresso +Agriculture,agricoltura +Airline,linea aerea All Addresses.,Tutti gli indirizzi. All Contact,Tutti i contatti All Contacts.,Tutti i contatti. @@ -188,14 +193,18 @@ All Supplier Types,Tutti i tipi di fornitori All Territories,tutti i Territori "All export related fields like currency, conversion rate, export total, export grand total etc are available in Delivery Note, POS, Quotation, Sales Invoice, Sales Order etc.","Campi Tutte le esportazioni correlati come valuta , il tasso di conversione , totale delle esportazioni , export gran etc totale sono disponibili nella nota di consegna , POS , Quotazione , fattura di vendita , ordini di vendita , ecc" "All import related fields like currency, conversion rate, import total, import grand total etc are available in Purchase Receipt, Supplier Quotation, Purchase Invoice, Purchase Order etc.","Tutti i campi importazione correlati come valuta , il tasso di conversione , totale import , importazione gran etc totale sono disponibili in Acquisto ricevuta , Quotazione fornitore , fattura di acquisto , ordine di acquisto , ecc" +All items have already been invoiced,Tutti gli articoli sono già stati fatturati All items have already been transferred for this Production Order.,Tutti gli articoli sono già stati trasferiti per questo ordine di produzione . All these items have already been invoiced,Tutti questi elementi sono già stati fatturati Allocate,Assegna +Allocate Amount Automatically,Allocare Importo Automaticamente Allocate leaves for a period.,Allocare le foglie per un periodo . Allocate leaves for the year.,Assegnare le foglie per l' anno. Allocated Amount,Assegna Importo Allocated Budget,Assegna Budget Allocated amount,Assegna importo +Allocated amount can not be negative,Importo concesso non può essere negativo +Allocated amount can not greater than unadusted amount,Importo concesso può non superiore all'importo unadusted Allow Bill of Materials,Consentire Distinta di Base Allow Bill of Materials should be 'Yes'. Because one or many active BOMs present for this item,Lasciare distinte dei materiali dovrebbe essere ' sì ' . Perché uno o più distinte materiali attivi presenti per questo articolo Allow Children,permettere ai bambini @@ -223,10 +232,12 @@ Amount to Bill,Importo da Bill An Customer exists with same name,Esiste un cliente con lo stesso nome "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" "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" +Analyst,analista Annual,annuale Another Period Closing Entry {0} has been made after {1},Un'altra voce periodo di chiusura {0} è stato fatto dopo {1} Another Salary Structure {0} is active for employee {0}. Please make its status 'Inactive' to proceed.,Un'altra struttura retributiva {0} è attivo per dipendente {0} . Si prega di fare il suo status di ' inattivo ' per procedere . "Any other comments, noteworthy effort that should go in the records.","Altre osservazioni, degno di nota lo sforzo che dovrebbe andare nei registri." +Apparel & Accessories,Abbigliamento e accessori Applicability,applicabilità Applicable For,applicabile per Applicable Holiday List,Lista Vacanze Applicabile @@ -248,6 +259,7 @@ Appraisal Template,Valutazione Modello Appraisal Template Goal,Valutazione Modello Obiettivo Appraisal Template Title,Valutazione Titolo Modello Appraisal {0} created for Employee {1} in the given date range,Valutazione {0} creato per Employee {1} nel determinato intervallo di date +Apprentice,apprendista Approval Status,Stato Approvazione Approval Status must be 'Approved' or 'Rejected',Stato approvazione deve essere ' Approvato ' o ' Rifiutato ' Approved,Approvato @@ -264,9 +276,12 @@ Arrear Amount,Importo posticipata As per Stock UOM,Per Stock UOM "As there are existing stock transactions for this item, you can not change the values of 'Has Serial No', 'Is Stock Item' and 'Valuation Method'","Come ci sono le transazioni di magazzino esistenti per questo articolo, non è possibile modificare i valori di ' Ha Serial No' , ' è articolo di ' e ' il metodo di valutazione '" Ascending,Crescente +Asset,attività Assign To,Assegna a Assigned To,assegnato a Assignments,assegnazioni +Assistant,assistente +Associate,Associate Atleast one warehouse is mandatory,Almeno un Magazzino è obbligatorio Attach Document Print,Allega documento Stampa Attach Image,Allega immagine @@ -293,6 +308,7 @@ Automatically compose message on submission of transactions.,Comporre automatica Automatically extract Job Applicants from a mail box , Automatically extract Leads from a mail box e.g.,Estrarre automaticamente Leads da una casella di posta elettronica ad esempio Automatically updated via Stock Entry of type Manufacture/Repack,Aggiornato automaticamente via Archivio Entrata di tipo Produzione / Repack +Automotive,Automotive Autoreply when a new mail is received,Auto-Rispondi quando si riceve una nuova mail Available,Disponibile Available Qty at Warehouse,Quantità Disponibile a magazzino @@ -333,6 +349,7 @@ Bank Account,Conto Banca Bank Account No.,Conto Banca N. Bank Accounts,Conti bancari Bank Clearance Summary,Sintesi Liquidazione Banca +Bank Draft,Assegno Bancario Bank Name,Nome Banca Bank Overdraft Account,Scoperto di conto bancario Bank Reconciliation,Conciliazione Banca @@ -340,6 +357,7 @@ Bank Reconciliation Detail,Dettaglio Riconciliazione Banca Bank Reconciliation Statement,Prospetto di Riconciliazione Banca Bank Voucher,Buono Banca Bank/Cash Balance,Banca/Contanti Saldo +Banking,bancario Barcode,Codice a barre Barcode {0} already used in Item {1},Barcode {0} già utilizzato alla voce {1} Based On,Basato su @@ -348,7 +366,6 @@ Basic Info,Info Base Basic Information,Informazioni di Base Basic Rate,Tasso Base Basic Rate (Company Currency),Tasso Base (Valuta Azienda) -Basic Section,Sezione di base Batch,Lotto Batch (lot) of an Item.,Lotto di un articolo Batch Finished Date,Data Termine Lotto @@ -377,6 +394,7 @@ Bills raised by Suppliers.,Fatture sollevate dai fornitori. Bills raised to Customers.,Fatture sollevate dai Clienti. Bin,Bin Bio,Bio +Biotechnology,biotecnologia Birthday,Compleanno Block Date,Data Blocco Block Days,Giorno Blocco @@ -393,6 +411,8 @@ Brand Name,Nome Marca Brand master.,Marchio Originale. Brands,Marche Breakdown,Esaurimento +Broadcasting,emittente +Brokerage,mediazione Budget,Budget Budget Allocated,Budget Assegnato Budget Detail,Dettaglio Budget @@ -405,6 +425,7 @@ Budget cannot be set for Group Cost Centers,Bilancio non può essere impostato p Build Report,costruire Rapporto Built on,costruito su Bundle items at time of sale.,Articoli Combinati e tempi di vendita. +Business Development Manager,Development Business Manager Buying,Acquisto Buying & Selling,Acquisto e vendita Buying Amount,Importo Acquisto @@ -484,7 +505,6 @@ Charity and Donations,Carità e donazioni Chart Name,Nome grafico Chart of Accounts,Grafico dei Conti Chart of Cost Centers,Grafico Centro di Costo -Check for Duplicates,Verificare la presenza di duplicati Check how the newsletter looks in an email by sending it to your email.,Verificare come la newsletter si vede in una e-mail inviandola alla tua e-mail. "Check if recurring invoice, uncheck to stop recurring or put proper End Date","Seleziona se fattura ricorrente, deseleziona per fermare ricorrenti o mettere corretta Data di Fine" "Check if you need automatic recurring invoices. After submitting any sales invoice, Recurring section will be visible.","Seleziona se necessiti di fattura ricorrente periodica. Dopo aver inserito ogni fattura vendita, la sezione Ricorrenza diventa visibile." @@ -496,6 +516,7 @@ Check this to pull emails from your mailbox,Seleziona per scaricare la posta dal Check to activate,Seleziona per attivare Check to make Shipping Address,Seleziona per fare Spedizione Indirizzo Check to make primary address,Seleziona per impostare indirizzo principale +Chemical,chimico Cheque,Assegno Cheque Date,Data Assegno Cheque Number,Controllo Numero @@ -535,6 +556,7 @@ Comma separated list of email addresses,Lista separata da virgola degli indirizz Comment,Commento Comments,Commenti Commercial,commerciale +Commission,commissione Commission Rate,Tasso Commissione Commission Rate (%),Tasso Commissione (%) Commission on Sales,Commissione sulle vendite @@ -568,6 +590,7 @@ Completed Production Orders,Completati gli ordini di produzione Completed Qty,Q.tà Completata Completion Date,Data Completamento Completion Status,Stato Completamento +Computer,computer Computers,computer Confirmation Date,conferma Data Confirmed orders from Customers.,Ordini Confermati da Clienti. @@ -575,10 +598,12 @@ Consider Tax or Charge for,Cnsidera Tasse o Cambio per Considered as Opening Balance,Considerato come Apertura Saldo Considered as an Opening Balance,Considerato come Apertura Saldo Consultant,Consulente +Consulting,Consulting Consumable,consumabili Consumable Cost,Costo consumabili Consumable cost per hour,Costo consumabili per ora Consumed Qty,Q.tà Consumata +Consumer Products,Prodotti di consumo Contact,Contatto Contact Control,Controllo Contatto Contact Desc,Desc Contatto @@ -596,6 +621,7 @@ Contacts,Contatti Content,Contenuto Content Type,Tipo Contenuto Contra Voucher,Contra Voucher +Contract,contratto Contract End Date,Data fine Contratto Contract End Date must be greater than Date of Joining,Data fine contratto deve essere maggiore di Data di giunzione Contribution (%),Contributo (%) @@ -611,10 +637,10 @@ Convert to Ledger,Converti Ledger Converted,Convertito Copy,Copia Copy From Item Group,Copiare da elemento Gruppo +Cosmetics,cosmetici Cost Center,Centro di Costo Cost Center Details,Dettaglio Centro di Costo Cost Center Name,Nome Centro di Costo -Cost Center Name already exists,Centro di costo Nome già esistente Cost Center is mandatory for Item {0},Centro di costo è obbligatoria per la voce {0} Cost Center is required for 'Profit and Loss' account {0},È necessaria Centro di costo per ' economico ' conto {0} Cost Center is required in row {0} in Taxes table for type {1},Centro di costo è richiesto in riga {0} nella tabella Tasse per il tipo {1} @@ -648,6 +674,7 @@ Creation Time,Tempo di creazione Credentials,Credenziali Credit,Credit Credit Amt,Credit Amt +Credit Card,carta di credito Credit Card Voucher,Carta Buono di credito Credit Controller,Controllare Credito Credit Days,Giorni Credito @@ -696,6 +723,7 @@ Customer Issue,Questione Cliente Customer Issue against Serial No.,Questione Cliente per Seriale N. Customer Name,Nome Cliente Customer Naming By,Cliente nominato di +Customer Service,Servizio clienti Customer database.,Database Cliente. Customer is required,Il Cliente è tenuto Customer master.,Maestro del cliente . @@ -739,7 +767,6 @@ Debit Amt,Ammontare Debito Debit Note,Nota Debito Debit To,Addebito a Debit and Credit not equal for this voucher. Difference is {0}.,Debito e di credito non uguale per questo voucher . La differenza è {0} . -Debit must equal Credit. The difference is {0},Debito deve essere uguale credito . La differenza è {0} Deduct,Detrarre Deduction,Deduzioni Deduction Type,Tipo Deduzione @@ -779,6 +806,7 @@ Default settings for accounting transactions.,Impostazioni predefinite per le op Default settings for buying transactions.,Impostazioni predefinite per operazioni di acquisto . Default settings for selling transactions.,Impostazioni predefinite per la vendita di transazioni. Default settings for stock transactions.,Impostazioni predefinite per le transazioni di magazzino . +Defense,difesa "Define Budget for this Cost Center. To set budget action, see Company Master","Definire Budget per questo centro di costo. Per impostare l'azione di bilancio, vedi Azienda Maestro" Delete,Elimina Delete Row,Elimina Riga @@ -805,19 +833,23 @@ Delivery Status,Stato Consegna Delivery Time,Tempo Consegna Delivery To,Consegna a Department,Dipartimento +Department Stores,Grandi magazzini Depends on LWP,Dipende da LWP Depreciation,ammortamento Descending,Decrescente Description,Descrizione Description HTML,Descrizione HTML Designation,Designazione +Designer,designer Detailed Breakup of the totals,Breakup dettagliato dei totali Details,Dettagli -Difference,Differenza +Difference (Dr - Cr),Differenza ( Dr - Cr ) Difference Account,account differenza +"Difference Account must be a 'Liability' type account, since this Stock Reconciliation is an Opening Entry","Account differenza deve essere un account di tipo ' responsabilità ' , dal momento che questo Archivio riconciliazione è una voce di apertura" 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.,Diverso UOM per gli elementi porterà alla non corretta ( Total) Valore di peso netto . Assicurarsi che il peso netto di ogni articolo è nella stessa UOM . Direct Expenses,spese dirette Direct Income,reddito diretta +Director,direttore Disable,Disattiva Disable Rounded Total,Disabilita Arrotondamento su Totale Disabled,Disabilitato @@ -829,6 +861,7 @@ Discount Amount,Importo sconto Discount Percentage,Percentuale di sconto Discount must be less than 100,Sconto deve essere inferiore a 100 Discount(%),Sconto(%) +Dispatch,spedizione Display all the individual items delivered with the main items,Visualizzare tutti gli elementi singoli spediti con articoli principali Distribute transport overhead across items.,Distribuire in testa trasporto attraverso articoli. Distribution,Distribuzione @@ -863,7 +896,7 @@ Download Template,Scarica Modello Download a report containing all raw materials with their latest inventory status,Scaricare un report contenete tutte le materie prime con il loro recente stato di inventario "Download the Template, fill appropriate data and attach the modified file.","Scarica il modello , compilare i dati appropriati e allegare il file modificato ." "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", +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 . \ NI date e la combinazione dei dipendenti nel periodo selezionato entrerà nel modello , con record di presenze esistenti" Draft,Bozza Drafts,Bozze Drag to sort columns,Trascina per ordinare le colonne @@ -876,11 +909,10 @@ Due Date cannot be after {0},Data di scadenza non può essere successiva {0} Due Date cannot be before Posting Date,Data di scadenza non può essere precedente Data di registrazione Duplicate Entry. Please check Authorization Rule {0},Duplicate Entry. Si prega di controllare Autorizzazione Regola {0} Duplicate Serial No entered for Item {0},Duplicare Numero d'ordine è entrato per la voce {0} +Duplicate entry,Duplicate entry Duplicate row {0} with same {1},Fila Duplicate {0} con lo stesso {1} Duties and Taxes,Dazi e tasse ERPNext Setup,Setup ERPNext -ESIC CARD No,ESIC CARD No -ESIC No.,ESIC No. Earliest,Apertura Earnest Money,caparra Earning,Rendimento @@ -889,6 +921,7 @@ Earning Type,Tipo Rendimento Earning1,Rendimento1 Edit,Modifica Editable,Modificabile +Education,educazione Educational Qualification,Titolo di studio Educational Qualification Details,Titolo di studio Dettagli Eg. smsgateway.com/api/send_sms.cgi,Ad es. smsgateway.com / api / send_sms.cgi @@ -898,6 +931,7 @@ Either target qty or target amount is mandatory.,Sia qty destinazione o importo Electrical,elettrico Electricity Cost,elettricità Costo Electricity cost per hour,Costo dell'energia elettrica per ora +Electronics,elettronica Email,Email Email Digest,Email di massa Email Digest Settings,Impostazioni Email di Massa @@ -931,7 +965,6 @@ Employee Records to be created by,Record dei dipendenti di essere creati da Employee Settings,Impostazioni per i dipendenti Employee Type,Tipo Dipendenti "Employee designation (e.g. CEO, Director etc.).","Designazione dei dipendenti (ad esempio amministratore delegato , direttore , ecc.)" -Employee grade.,Grade dipendenti . Employee master.,Maestro dei dipendenti . Employee record is created using selected field. ,Record dipendente viene creato utilizzando campo selezionato. Employee records.,Registrazione Dipendente. @@ -949,6 +982,8 @@ End Date,Data di Fine End Date can not be less than Start Date,Data finale non può essere inferiore a Data di inizio End date of current invoice's period,Data di fine del periodo di fatturazione corrente End of Life,Fine Vita +Energy,energia +Engineer,ingegnere Enter Value,Immettere Valore Enter Verification Code,Inserire codice Verifica Enter campaign name if the source of lead is campaign.,Inserisci nome Campagna se la sorgente del LEAD e una campagna. @@ -961,6 +996,7 @@ Enter name of campaign if source of enquiry is campaign,Inserisci il nome della Enter the company name under which Account Head will be created for this Supplier,Immettere il nome della società in cui Conto Principale sarà creato per questo Fornitore Enter url parameter for message,Inserisci parametri url per il messaggio Enter url parameter for receiver nos,Inserisci parametri url per NOS ricevuti +Entertainment & Leisure,Intrattenimento e tempo libero Entertainment Expenses,Spese di rappresentanza Entries,Voci Entries against,Voci contro @@ -972,10 +1008,12 @@ Error: {0} > {1},Errore: {0} > {1} Estimated Material Cost,Stima costo materiale Everyone can read,Tutti possono leggere "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.", +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.","Esempio : . ABCD # # # # # \ nSe serie è impostato e d'ordine non è menzionato nelle transazioni , quindi verrà creato il numero di serie automatico basato su questa serie ." Exchange Rate,Tasso di cambio: Excise Page Number,Accise Numero Pagina Excise Voucher,Buono Accise +Execution,esecuzione +Executive Search,executive Search Exemption Limit,Limite Esenzione Exhibition,Esposizione Existing Customer,Cliente Esistente @@ -990,6 +1028,7 @@ Expected Delivery Date cannot be before Purchase Order Date,Data prevista di con Expected Delivery Date cannot be before Sales Order Date,Data prevista di consegna non può essere precedente Sales Order Data Expected End Date,Data prevista di fine Expected Start Date,Data prevista di inizio +Expense,spese Expense Account,Conto uscite Expense Account is mandatory,Conto spese è obbligatorio Expense Claim,Rimborso Spese @@ -1007,7 +1046,7 @@ Expense Date,Expense Data Expense Details,Dettagli spese Expense Head,Expense Capo Expense account is mandatory for item {0},Conto spese è obbligatoria per l'elemento {0} -Expense or Difference account is mandatory for Item {0} as there is difference in value,Spesa o Differenza conto è obbligatorio per la voce {0} in quanto vi è differenza di valore +Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Spesa o Differenza conto è obbligatorio per la voce {0} come impatti valore azionario complessivo Expenses,spese Expenses Booked,Spese Prenotazione Expenses Included In Valuation,Spese incluse nella Valutazione @@ -1034,13 +1073,11 @@ File,File Files Folder ID,ID Cartella File Fill the form and save it,Compila il form e salvarlo Filter,Filtra -Filter By Amount,Filtra per Importo -Filter By Date,Filtra per Data Filter based on customer,Filtro basato sul cliente Filter based on item,Filtro basato sul articolo -Final Confirmation Date must be greater than Date of Joining,Finale Conferma Data deve essere maggiore di Data di giunzione Financial / accounting year.,Esercizio finanziario / contabile . Financial Analytics,Analisi Finanziaria +Financial Services,Servizi finanziari Financial Year End Date,Data di Esercizio di fine Financial Year Start Date,Esercizio Data di inizio Finished Goods,Beni finiti @@ -1052,6 +1089,7 @@ Fixed Assets,immobilizzazioni Follow via Email,Seguire via Email "Following table will show values if items are sub - contracted. These values will be fetched from the master of ""Bill of Materials"" of sub - contracted items.","Seguendo tabella mostrerà i valori, se i capi sono sub - contratto. Questi valori saranno prelevati dal maestro del "Bill of Materials" di sub - elementi contrattuali." Food,cibo +"Food, Beverage & Tobacco","Prodotti alimentari , bevande e tabacco" For Company,Per Azienda For Employee,Per Dipendente For Employee Name,Per Nome Dipendente @@ -1106,6 +1144,7 @@ Frozen,Congelato Frozen Accounts Modifier,Congelati conti Modifier Fulfilled,Adempiuto Full Name,Nome Completo +Full-time,Full-time Fully Completed,Debitamente compilato Furniture and Fixture,Mobili e Fixture Further accounts can be made under Groups but entries can be made against Ledger,"Ulteriori conti possono essere fatti in Gruppi , ma le voci possono essere fatte contro Ledger" @@ -1125,14 +1164,15 @@ Generates HTML to include selected image in the description,Genera HTML per incl Get,Ottieni Get Advances Paid,Ottenere anticipo pagamento Get Advances Received,ottenere anticipo Ricevuto +Get Against Entries,Get Contro Entries Get Current Stock,Richiedi Disponibilità Get From ,Ottieni da Get Items,Ottieni articoli Get Items From Sales Orders,Ottieni elementi da ordini di vendita Get Items from BOM,Ottenere elementi dal BOM Get Last Purchase Rate,Ottieni ultima quotazione acquisto -Get Non Reconciled Entries,Prendi le voci non riconciliate Get Outstanding Invoices,Ottieni fatture non saldate +Get Relevant Entries,Prendi le voci rilevanti Get Sales Orders,Ottieni Ordini di Vendita Get Specification Details,Ottieni Specifiche Dettagli Get Stock and Rate,Ottieni Residui e Tassi @@ -1151,14 +1191,13 @@ Goods received from Suppliers.,Merci ricevute dai fornitori. Google Drive,Google Drive Google Drive Access Allowed,Google Accesso unità domestici Government,governo -Grade,Qualità Graduate,Laureato: Grand Total,Totale Generale Grand Total (Company Currency),Totale generale (valuta Azienda) -Gratuity LIC ID,Gratuità ID LIC Greater or equals,Maggiore o uguale Greater than,maggiore di "Grid ""","grid """ +Grocery,drogheria Gross Margin %,Margine Lordo % Gross Margin Value,Valore Margine Lordo Gross Pay,Retribuzione lorda @@ -1173,6 +1212,7 @@ Group by Account,Raggruppa per conto Group by Voucher,Gruppo da Voucher Group or Ledger,Gruppo o Registro Groups,Gruppi +HR Manager,HR Manager HR Settings,Impostazioni HR HTML / Banner that will show on the top of product list.,HTML / Banner verrà mostrato sulla parte superiore della lista dei prodotti. Half Day,Mezza Giornata @@ -1183,7 +1223,9 @@ Hardware,hardware Has Batch No,Ha Lotto N. Has Child Node,Ha un Nodo Figlio Has Serial No,Ha Serial No +Head of Marketing and Sales,Responsabile Marketing e Vendite Header,Intestazione +Health Care,Health Care Health Concerns,Preoccupazioni per la salute Health Details,Dettagli Salute Held On,Held On @@ -1266,6 +1308,7 @@ In Words will be visible once you save the Sales Invoice.,In parole saranno visi In Words will be visible once you save the Sales Order.,In parole saranno visibili una volta che si salva l'ordine di vendita. In response to,In risposta a Incentives,Incentivi +Include Reconciled Entries,Includi Voci riconciliati Include holidays in Total no. of Working Days,Includi vacanze in totale n. dei giorni lavorativi Income,reddito Income / Expense,Proventi / oneri @@ -1302,7 +1345,9 @@ Installed Qty,Qtà installata Instructions,Istruzione Integrate incoming support emails to Support Ticket,Integrare le email di sostegno in arrivo per il supporto Ticket Interested,Interessati +Intern,interno Internal,Interno +Internet Publishing,Internet Publishing Introduction,Introduzione Invalid Barcode or Serial No,Codice a barre valido o Serial No Invalid Email: {0},Email non valida : {0} @@ -1313,6 +1358,7 @@ Invalid User Name or Support Password. Please rectify and try again.,Nome utente Invalid quantity specified for item {0}. Quantity should be greater than 0.,Quantità non valido specificato per l'elemento {0} . Quantità dovrebbe essere maggiore di 0 . Inventory,Inventario Inventory & Support,Inventario e supporto +Investment Banking,Investment Banking Investments,investimenti Invoice Date,Data fattura Invoice Details,Dettagli Fattura @@ -1430,6 +1476,9 @@ Item-wise Purchase History,Articolo-saggio Cronologia acquisti Item-wise Purchase Register,Articolo-saggio Acquisto Registrati Item-wise Sales History,Articolo-saggio Storia Vendite Item-wise Sales Register,Vendite articolo-saggio Registrati +"Item: {0} managed batch-wise, can not be reconciled using \ + Stock Reconciliation, instead use Stock Entry","Voce : {0} gestiti saggio - batch, non può conciliarsi con \ \ n riconciliazione Archivio , utilizzare invece dell'entrata Stock" +Item: {0} not found in the system,Voce : {0} non trovato nel sistema Items,Articoli Items To Be Requested,Articoli da richiedere Items required,elementi richiesti @@ -1448,9 +1497,10 @@ Journal Entry,Journal Entry Journal Voucher,Journal Voucher Journal Voucher Detail,Journal Voucher Detail Journal Voucher Detail No,Journal Voucher Detail No -Journal Voucher {0} does not have account {1}.,Journal Voucher {0} non ha conto {1} . +Journal Voucher {0} does not have account {1} or already matched,Journal Voucher {0} non ha conto {1} o già abbinate Journal Vouchers {0} are un-linked,Diario Buoni {0} sono non- linked Keep a track of communication related to this enquiry which will help for future reference.,Tenere una traccia delle comunicazioni relative a questa indagine che contribuirà per riferimento futuro. +Keep it web friendly 900px (w) by 100px (h),Keep it web amichevole 900px ( w ) di 100px ( h ) Key Performance Area,Area Key Performance Key Responsibility Area,Area Responsabilità Chiave Kg,kg @@ -1506,7 +1556,6 @@ Leave blank if considered for all branches,Lasciare vuoto se considerato per tut Leave blank if considered for all departments,Lasciare vuoto se considerato per tutti i reparti Leave blank if considered for all designations,Lasciare vuoto se considerato per tutte le designazioni Leave blank if considered for all employee types,Lasciare vuoto se considerato per tutti i tipi dipendenti -Leave blank if considered for all grades,Lasciare vuoto se considerato per tutti i gradi "Leave can be approved by users with Role, ""Leave Approver""","Lascia può essere approvato dagli utenti con il ruolo, "Leave Approvatore"" Leave of type {0} cannot be longer than {1},Lascia di tipo {0} non può essere superiore a {1} Leaves Allocated Successfully for {0},Foglie allocata con successo per {0} @@ -1515,6 +1564,7 @@ Leaves must be allocated in multiples of 0.5,"Le foglie devono essere assegnati Ledger,Ledger Ledgers,registri Left,Sinistra +Legal,legale Legal Expenses,Spese legali Less or equals,Minore o uguale Less than,meno di @@ -1522,16 +1572,16 @@ Letter Head,Carta intestata Letter Heads for print templates.,Lettera Teste per modelli di stampa . Level,Livello Lft,Lft +Liability,responsabilità Like,come Linked With,Collegato con List,Lista List a few of your customers. They could be organizations or individuals.,Elencare alcuni dei vostri clienti . Potrebbero essere organizzazioni o individui . List a few of your suppliers. They could be organizations or individuals.,Elencare alcuni dei vostri fornitori . Potrebbero essere organizzazioni o individui . -"List a few products or services you buy from your suppliers or vendors. If these are same as your products, then do not add them.","Elencare alcuni prodotti o servizi che si acquistano dai vostri fornitori o venditori . Se questi sono gli stessi come i vostri prodotti , allora non li aggiungere ." List items that form the package.,Voci di elenco che formano il pacchetto. List this Item in multiple groups on the website.,Elenco questo articolo a più gruppi sul sito. -"List your products or services that you sell to your customers. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Inserisci i tuoi prodotti o servizi che vendete ai vostri clienti . Assicuratevi di controllare il gruppo Item , unità di misura e altre proprietà quando si avvia ." -"List your tax heads (e.g. VAT, Excise) (upto 3) and their standard rates. This will create a standard template, you can edit and add more later.","Elencate i vostri capi d'imposta ( ad esempio IVA , accise ) ( fino a 3) e le loro tariffe standard . Questo creerà un modello standard , è possibile modificare e aggiungere più tardi ." +"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 . +"List your tax heads (e.g. VAT, Excise; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Elencate le vostre teste fiscali ( ad esempio IVA , accise , che devono avere nomi univoci ) e le loro tariffe standard ." Loading,Caricamento Loading Report,Caricamento report Loading...,Caricamento in corso ... @@ -1598,6 +1648,8 @@ Manage Customer Group Tree.,Gestire Gruppi clienti Tree. Manage Sales Person Tree.,Gestire Sales Person Tree. Manage Territory Tree.,Gestione Territorio Tree. Manage cost of operations,Gestione dei costi delle operazioni di +Management,gestione +Manager,direttore Mandatory fields required in {0},I campi obbligatori richiesti in {0} Mandatory filters required:\n,I filtri obbligatori richiesti : \ n "Mandatory if Stock Item is ""Yes"". Also the default warehouse where reserved quantity is set from Sales Order.",Obbligatorio se Disponibile Articolo è "Sì". Anche il magazzino di default in cui quantitativo riservato è impostato da ordine di vendita. @@ -1614,6 +1666,7 @@ Manufacturing Quantity is mandatory,Produzione La quantità è obbligatoria Margin,Margine Marital Status,Stato civile Market Segment,Segmento di Mercato +Marketing,marketing Marketing Expenses,Spese di marketing Married,Sposato Mass Mailing,Mailing di massa @@ -1640,6 +1693,7 @@ Material Requirement,Material Requirement Material Transfer,Material Transfer Materials,Materiali Materials Required (Exploded),Materiali necessari (esploso) +Max 5 characters,Max 5 caratteri Max Days Leave Allowed,Max giorni di ferie domestici Max Discount (%),Sconto Max (%) Max Qty,Qtà max @@ -1648,7 +1702,7 @@ Maximum {0} rows allowed,Massimo {0} righe ammessi Maxiumm discount for Item {0} is {1}%,Sconto Maxiumm per la voce {0} {1} % Medical,medico Medium,Media -"Merging is only possible if following properties are same in both records. Group or Ledger, Report Type, Company","La fusione è possibile solo se seguenti proprietà sono uguali in entrambi i record . Gruppo o Ledger , tipo di rapporto , Società" +"Merging is only possible if following properties are same in both records. Group or Ledger, Root Type, Company",La fusione è possibile solo se seguenti proprietà sono uguali in entrambi i record . Message,Messaggio Message Parameter,Messaggio Parametro Message Sent,messaggio inviato @@ -1662,6 +1716,7 @@ Milestones,Milestones Milestones will be added as Events in the Calendar,Pietre miliari saranno aggiunti come eventi nel calendario Min Order Qty,Qtà ordine minimo Min Qty,Qty +Min Qty can not be greater than Max Qty,Min quantità non può essere maggiore di Max Qtà Minimum Order Qty,Qtà ordine minimo Minute,minuto Misc Details,Varie Dettagli @@ -1684,6 +1739,7 @@ Monthly salary statement.,Certificato di salario mensile. More,Più More Details,Maggiori dettagli More Info,Ulteriori informazioni +Motion Picture & Video,Motion Picture & Video Move Down: {0},Sposta giù : {0} Move Up: {0},Move Up : {0} Moving Average,Media mobile @@ -1691,6 +1747,9 @@ Moving Average Rate,Media mobile Vota Mr,Sig. Ms,Ms Multiple Item prices.,Molteplici i prezzi articolo. +"Multiple Price Rule exists with same criteria, please resolve \ + conflict by assigning priority. Price Rules: {0}","Multipla Regola Prezzo esiste con gli stessi criteri , si prega di risolvere \ \ n conflitto assegnando priorità." +Music,musica Must be Whole Number,Devono essere intere Numero My Settings,Le mie impostazioni Name,Nome @@ -1702,7 +1761,9 @@ Name not permitted,Nome non consentito Name of person or organization that this address belongs to.,Nome della persona o organizzazione che questo indirizzo appartiene. Name of the Budget Distribution,Nome della distribuzione del bilancio Naming Series,Naming Series +Negative Quantity is not allowed,Quantità negative non è consentito Negative Stock Error ({6}) for Item {0} in Warehouse {1} on {2} {3} in {4} {5},Negativo Archivio Error ( {6} ) per la voce {0} in Magazzino {1} su {2} {3} {4} {5} +Negative Valuation Rate is not allowed,Negativo Tasso valutazione non è consentito Negative balance in Batch {0} for Item {1} at Warehouse {2} on {3} {4},Saldo negativo Lotto {0} per la voce {1} a Warehouse {2} su {3} {4} Net Pay,Retribuzione netta Net Pay (in words) will be visible once you save the Salary Slip.,Pay netto (in lettere) sarà visibile una volta che si salva il foglio paga. @@ -1750,6 +1811,7 @@ Newsletter Status,Newsletter di stato Newsletter has already been sent,Newsletter è già stato inviato Newsletters is not allowed for Trial users,Newsletter non è ammessa per gli utenti di prova "Newsletters to contacts, leads.","Newsletter ai contatti, lead." +Newspaper Publishers,Editori Giornali Next,prossimo Next Contact By,Avanti Contatto Con Next Contact Date,Avanti Contact Data @@ -1773,17 +1835,18 @@ No Results,Nessun risultato No Supplier Accounts found. Supplier Accounts are identified based on 'Master Type' value in account record.,Nessun account Fornitore trovato. Contabilità fornitori sono identificati in base al valore ' Master ' in conto record. No accounting entries for the following warehouses,Nessuna scritture contabili per le seguenti magazzini No addresses created,Nessun indirizzi creati -No amount allocated,Nessuna somma stanziata No contacts created,No contatti creati No default BOM exists for Item {0},Non esiste BOM predefinito per la voce {0} No description given,Nessuna descrizione fornita No document selected,Nessun documento selezionato No employee found,Nessun dipendente trovato +No employee found!,Nessun dipendente trovata! No of Requested SMS,No di SMS richiesto No of Sent SMS,No di SMS inviati No of Visits,No di visite No one,Nessuno No permission,Nessuna autorizzazione +No permission to '{0}' {1},Nessuna autorizzazione per ' {0} ' {1} No permission to edit,Non hai il permesso di modificare No record found,Nessun record trovato No records tagged.,Nessun record marcati. @@ -1843,6 +1906,7 @@ Old Parent,Vecchio genitore On Net Total,Sul totale netto On Previous Row Amount,Sul Fila Indietro Importo On Previous Row Total,Sul Fila Indietro totale +Online Auctions,Aste online Only Leave Applications with status 'Approved' can be submitted,Lasciare solo applicazioni con stato ' approvato ' possono essere presentate "Only Serial Nos with status ""Available"" can be delivered.",Possono essere consegnati solo i numeri seriali con stato "Disponibile". Only leaf nodes are allowed in transaction,Solo i nodi foglia sono ammessi nelle transazioni @@ -1888,6 +1952,7 @@ Organization Name,Nome organizzazione Organization Profile,Profilo dell'organizzazione Organization branch master.,Ramo Organizzazione master. Organization unit (department) master.,Unità organizzativa ( dipartimento) master. +Original Amount,Importo originale Original Message,Original Message Other,Altro Other Details,Altri dettagli @@ -1905,9 +1970,6 @@ Overlapping conditions found between:,Condizioni sovrapposti trovati tra : Overview,Panoramica Owned,Di proprietà Owner,proprietario -PAN Number,Numero PAN -PF No.,PF No. -PF Number,Numero PF PL or BS,PL o BS PO Date,PO Data PO No,PO No @@ -1919,7 +1981,6 @@ POS Setting,POS Impostazione POS Setting required to make POS Entry,Impostazione POS necessario per rendere POS Entry POS Setting {0} already created for user: {1} and company {2},POS Ambito {0} già creato per l'utente : {1} e della società {2} POS View,POS View -POS-Setting-.#,POS -Setting - . # PR Detail,PR Dettaglio PR Posting Date,PR Data Pubblicazione Package Item Details,Confezione Articolo Dettagli @@ -1955,6 +2016,7 @@ Parent Website Route,Parent Sito Percorso Parent account can not be a ledger,Conto principale non può essere un libro mastro Parent account does not exist,Conto principale non esiste Parenttype,ParentType +Part-time,A tempo parziale Partially Completed,Parzialmente completato Partly Billed,Parzialmente Fatturato Partly Delivered,Parzialmente Consegnato @@ -1972,7 +2034,6 @@ Payables,Debiti Payables Group,Debiti Gruppo Payment Days,Giorni di Pagamento Payment Due Date,Pagamento Due Date -Payment Entries,Voci di pagamento Payment Period Based On Invoice Date,Periodo di pagamento basati su Data fattura Payment Type,Tipo di pagamento Payment of salary for the month {0} and year {1},Il pagamento dello stipendio del mese {0} e l'anno {1} @@ -1989,6 +2050,7 @@ Pending Amount,In attesa di Importo Pending Items {0} updated,Elementi in sospeso {0} aggiornato Pending Review,In attesa recensione Pending SO Items For Purchase Request,Elementi in sospeso così per Richiesta di Acquisto +Pension Funds,Fondi Pensione Percent Complete,Percentuale completamento Percentage Allocation,Percentuale di allocazione Percentage Allocation should be equal to 100%,Percentuale di ripartizione dovrebbe essere pari al 100 % @@ -1997,7 +2059,6 @@ Percentage you are allowed to receive or deliver more against the quantity order Performance appraisal.,Valutazione delle prestazioni. Period,periodo Period Closing Voucher,Periodo di chiusura Voucher -Period is too short,Periodo è troppo breve Periodicity,Periodicità Permanent Address,Indirizzo permanente Permanent Address Is,Indirizzo permanente è @@ -2009,15 +2070,18 @@ Personal,Personale Personal Details,Dettagli personali Personal Email,Personal Email Pharmaceutical,farmaceutico +Pharmaceuticals,Pharmaceuticals Phone,Telefono Phone No,N. di telefono Pick Columns,Scegli Colonne +Piecework,lavoro a cottimo Pincode,PINCODE Place of Issue,Luogo di emissione Plan for maintenance visits.,Piano per le visite di manutenzione. Planned Qty,Qtà Planned "Planned Qty: Quantity, for which, Production Order has been raised, but is pending to be manufactured.","Planned Quantità : Quantità , per il quale , ordine di produzione è stata sollevata , ma è in attesa di essere lavorati." Planned Quantity,Prevista Quantità +Planning,pianificazione Plant,Impianto Plant and Machinery,Impianti e macchinari Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,Inserisci Abbreviazione o Nome breve correttamente in quanto verrà aggiunto come suffisso a tutti i Capi account. @@ -2054,7 +2118,6 @@ Please enter Planned Qty for Item {0} at row {1},Inserisci pianificato quantità Please enter Production Item first,Inserisci Produzione articolo prima Please enter Purchase Receipt No to proceed,Inserisci Acquisto Ricevuta No per procedere Please enter Reference date,Inserisci Data di riferimento -Please enter Start Date and End Date,Inserisci data di inizio e di fine Please enter Warehouse for which Material Request will be raised,Inserisci il Magazzino per cui Materiale richiesta sarà sollevata Please enter Write Off Account,Inserisci Scrivi Off conto Please enter atleast 1 invoice in the table,Inserisci atleast 1 fattura nella tabella @@ -2103,9 +2166,9 @@ Please select item code,Si prega di selezionare il codice articolo Please select month and year,Si prega di selezionare mese e anno Please select prefix first,Si prega di selezionare il prefisso prima Please select the document type first,Si prega di selezionare il tipo di documento prima -Please select valid Voucher No to proceed,Si prega di selezionare valido Voucher No a procedere Please select weekly off day,Seleziona il giorno di riposo settimanale Please select {0},Si prega di selezionare {0} +Please select {0} first,Si prega di selezionare {0} prima Please set Dropbox access keys in your site config,Si prega di impostare tasti di accesso Dropbox nel tuo sito config Please set Google Drive access keys in {0},Si prega di impostare le chiavi di accesso di Google Drive in {0} 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} @@ -2121,6 +2184,7 @@ Please specify Default Currency in Company Master and Global Defaults,Siete preg Please specify a,Si prega di specificare una Please specify a valid 'From Case No.',Si prega di specificare una valida 'Dalla sentenza n' Please specify a valid Row ID for {0} in row {1},Si prega di specificare un ID fila valido per {0} in riga {1} +Please specify either Quantity or Valuation Rate or both,Si prega di specificare Quantitativo o Tasso di valutazione o di entrambi Please submit to update Leave Balance.,Si prega di inviare per aggiornare Lascia Balance. Plot,trama Plot By,Plot By @@ -2170,11 +2234,14 @@ Print and Stationary,Stampa e Fermo Print...,Stampa ... Printing and Branding,Stampa e Branding Priority,Priorità +Private Equity,private Equity Privilege Leave,Lascia Privilege +Probation,prova Process Payroll,Processo Payroll Produced,prodotto Produced Quantity,Prodotto Quantità Product Enquiry,Prodotto Inchiesta +Production,produzione Production Order,Ordine di produzione Production Order status is {0},Stato ordine di produzione è {0} 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 @@ -2187,12 +2254,12 @@ Production Plan Sales Order,Produzione Piano di ordini di vendita Production Plan Sales Orders,Produzione piano di vendita Ordini Production Planning Tool,Production Planning Tool Products,prodotti -Products or Services You Buy,Prodotti o servizi che si acquistano "Products will be sorted by weight-age in default searches. More the weight-age, higher the product will appear in the list.","I prodotti saranno ordinati in peso-età nelle ricerche predefinite. Più il peso-età, più alto è il prodotto verrà visualizzato nell'elenco." Profit and Loss,Economico Project,Progetto Project Costing,Progetto Costing Project Details,Dettagli del progetto +Project Manager,Project Manager Project Milestone,Progetto Milestone Project Milestones,Tappe del progetto Project Name,Nome del progetto @@ -2209,9 +2276,10 @@ Projected Qty,Qtà Proiettata Projects,Progetti Projects & System,Progetti & Sistema Prompt for Email on Submission of,Richiedi Email su presentazione di +Proposal Writing,Scrivere proposta Provide email id registered in company,Fornire id-mail registrato in azienda Public,Pubblico -Pull Payment Entries,Tirare le voci di pagamento +Publishing,editoria Pull sales orders (pending to deliver) based on the above criteria,Tirare ordini di vendita (in attesa di consegnare) sulla base dei criteri di cui sopra Purchase,Acquisto Purchase / Manufacture Details,Acquisto / Produzione Dettagli @@ -2277,6 +2345,7 @@ Quality Inspection Parameters,Parametri di controllo qualità Quality Inspection Reading,Lettura Controllo Qualità Quality Inspection Readings,Letture di controllo di qualità Quality Inspection required for Item {0},Controllo qualità richiesta per la voce {0} +Quality Management,Gestione della qualità Quantity,Quantità Quantity Requested for Purchase,Quantità a fini di acquisto Quantity and Rate,Quantità e Prezzo @@ -2340,6 +2409,7 @@ Reading 6,Lettura 6 Reading 7,Leggendo 7 Reading 8,Lettura 8 Reading 9,Lettura 9 +Real Estate,real Estate Reason,Motivo Reason for Leaving,Ragione per lasciare Reason for Resignation,Motivo della Dimissioni @@ -2358,6 +2428,7 @@ Receiver List,Lista Ricevitore Receiver List is empty. Please create Receiver List,Lista Receiver è vuoto . Si prega di creare List Ricevitore Receiver Parameter,Ricevitore Parametro Recipients,Destinatari +Reconcile,conciliare Reconciliation Data,Dati Riconciliazione Reconciliation HTML,Riconciliazione HTML Reconciliation JSON,Riconciliazione JSON @@ -2407,6 +2478,7 @@ Report,Segnala Report Date,Data Segnala Report Type,Tipo di rapporto Report Type is mandatory,Tipo di rapporto è obbligatoria +Report an Issue,Segnala un problema Report was not saved (there were errors),Relazione non è stato salvato (ci sono stati errori) Reports to,Relazioni al Reqd By Date,Reqd Per Data @@ -2425,6 +2497,9 @@ Required Date,Data richiesta Required Qty,Quantità richiesta Required only for sample item.,Richiesto solo per la voce di esempio. Required raw materials issued to the supplier for producing a sub - contracted item.,Materie prime necessarie rilasciate al fornitore per la produzione di un sotto - voce contratta. +Research,ricerca +Research & Development,Ricerca & Sviluppo +Researcher,ricercatore Reseller,Rivenditore Reserved,riservato Reserved Qty,Riservato Quantità @@ -2444,11 +2519,14 @@ Resolution Details,Dettagli risoluzione Resolved By,Deliberato dall'Assemblea Rest Of The World,Resto del Mondo Retail,Vendita al dettaglio +Retail & Wholesale,Retail & Wholesale Retailer,Dettagliante Review Date,Data di revisione Rgt,Rgt Role Allowed to edit frozen stock,Ruolo ammessi da modificare stock congelato 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. +Root Type,Root Tipo +Root Type is mandatory,Root Type è obbligatorio Root account can not be deleted,Account root non può essere eliminato Root cannot be edited.,Root non può essere modificato . Root cannot have a parent cost center,Root non può avere un centro di costo genitore @@ -2456,6 +2534,16 @@ Rounded Off,arrotondato Rounded Total,Totale arrotondato Rounded Total (Company Currency),Totale arrotondato (Azienda valuta) Row # ,Row # +Row # {0}: , +"Row {0}: Account does not match with \ + Purchase Invoice Credit To account",Riga {0} : Account non corrisponde \ \ n Purchase Invoice accreditare sul suo conto +"Row {0}: Account does not match with \ + Sales Invoice Debit To account",Riga {0} : Account non corrisponde \ \ n Fattura Debito Per tenere conto +Row {0}: Credit entry can not be linked with a Purchase Invoice,Riga {0} : ingresso credito non può essere collegato con una fattura di acquisto +Row {0}: Debit entry can not be linked with a Sales Invoice,Riga {0} : ingresso debito non può essere collegato con una fattura di vendita +"Row {0}: To set {1} periodicity, difference between from and to date \ + must be greater than or equal to {2}","Riga {0} : Per impostare {1} periodicità , differenza tra da e per data \ \ n deve essere maggiore o uguale a {2}" +Row {0}:Start Date must be before End Date,Riga {0} : Data di inizio deve essere precedente Data di fine Rules for adding shipping costs.,Regole per l'aggiunta di spese di spedizione . Rules for applying pricing and discount.,Le modalità di applicazione di prezzi e sconti . Rules to calculate shipping amount for a sale,Regole per il calcolo dell'importo di trasporto per una vendita @@ -2547,7 +2635,6 @@ Schedule,Pianificare Schedule Date,Programma Data Schedule Details,Dettagli di pianificazione Scheduled,Pianificate -Scheduled Confirmation Date must be greater than Date of Joining,Programmata Conferma data deve essere maggiore di Data di giunzione Scheduled Date,Data prevista Scheduled to send to {0},Programmato per inviare {0} Scheduled to send to {0} recipients,Programmato per inviare {0} destinatari @@ -2559,7 +2646,9 @@ Score must be less than or equal to 5,Punteggio deve essere minore o uguale a 5 Scrap %,Scrap% Search,Cerca Seasonality for setting budgets.,Stagionalità di impostazione budget. +Secretary,segretario Secured Loans,Prestiti garantiti +Securities & Commodity Exchanges,Securities & borse merci Securities and Deposits,I titoli e depositi "See ""Rate Of Materials Based On"" in Costing Section",Vedere "tasso di materiali a base di" in Costing Sezione "Select ""Yes"" for sub - contracting items",Selezionare "Sì" per i sub - articoli contraenti @@ -2589,7 +2678,6 @@ Select dates to create a new ,Seleziona le date per creare un nuovo Select or drag across time slots to create a new event.,Selezionare o trascinare gli intervalli di tempo per creare un nuovo evento. Select template from which you want to get the Goals,Selezionare modello da cui si desidera ottenere gli Obiettivi Select the Employee for whom you are creating the Appraisal.,Selezionare il dipendente per il quale si sta creando la valutazione. -Select the Invoice against which you want to allocate payments.,Selezionare la fattura contro il quale si desidera assegnare i pagamenti . Select the period when the invoice will be generated automatically,Selezionare il periodo in cui la fattura viene generato automaticamente Select the relevant company name if you have multiple companies,"Selezionare il relativo nome della società, se si dispone di più le aziende" Select the relevant company name if you have multiple companies.,"Selezionare il relativo nome della società, se si dispone di più aziende." @@ -2640,7 +2728,8 @@ Serial No {0} status must be 'Available' to Deliver,Serial No {0} Stato deve ess Serial Nos Required for Serialized Item {0},Serial Nos Obbligatorio per la voce Serialized {0} Serial Number Series,Serial Number Series Serial number {0} entered more than once,Numero di serie {0} è entrato più di una volta -Serialized Item {0} cannot be updated using Stock Reconciliation,Voce Serialized {0} non può essere aggiornato utilizzando riconciliazione Archivio +"Serialized Item {0} cannot be updated \ + using Stock Reconciliation",Voce Serialized {0} non può essere aggiornato \ \ n utilizzando riconciliazione Archivio Series,serie Series List for this Transaction,Lista Serie per questa transazione Series Updated,serie Aggiornato @@ -2655,7 +2744,6 @@ Set,set "Set Default Values like Company, Currency, Current Fiscal Year, etc.","Impostare i valori predefiniti , come Società , valuta , corrente anno fiscale , ecc" Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,Impostare la voce del budget di Gruppo-saggi su questo territorio. È inoltre possibile includere la stagionalità impostando la distribuzione. Set Link,Set di collegamento -Set allocated amount against each Payment Entry and click 'Allocate'.,Set assegnato importo per ogni voce di pagamento e cliccare su ' Allocare ' . Set as Default,Imposta come predefinito Set as Lost,Imposta come persa Set prefix for numbering series on your transactions,Impostare prefisso per numerazione serie sulle transazioni @@ -2706,6 +2794,9 @@ Single,Singolo Single unit of an Item.,Unità singola di un articolo. Sit tight while your system is being setup. This may take a few moments.,Tenere duro mentre il sistema è in corso di installazione . Questa operazione potrebbe richiedere alcuni minuti . Slideshow,Slideshow +Soap & Detergent,Soap & Detergente +Software,software +Software Developer,Software Developer Sorry we were unable to find what you were looking for.,Spiacente non siamo riusciti a trovare quello che stavi cercando. Sorry you are not permitted to view this page.,Mi dispiace che non sei autorizzato a visualizzare questa pagina. "Sorry, Serial Nos cannot be merged","Siamo spiacenti , Serial Nos non può essere fusa" @@ -2719,8 +2810,6 @@ Source of Funds (Liabilities),Fonte di Fondi ( Passivo ) Source warehouse is mandatory for row {0},Magazzino Source è obbligatorio per riga {0} Spartan,Spartan "Special Characters except ""-"" and ""/"" not allowed in naming series","Caratteri speciali tranne "" - "" e "" / "" non ammessi nella denominazione serie" -Special Characters not allowed in Abbreviation,I caratteri speciali non consentiti in Abbreviazione -Special Characters not allowed in Company Name,I caratteri speciali non consentiti in Nome Azienda Specification Details,Specifiche Dettagli Specifications,specificazioni "Specify a list of Territories, for which, this Price List is valid","Specifica una lista di territori, per il quale, questo listino prezzi è valido" @@ -2728,16 +2817,18 @@ Specifications,specificazioni "Specify a list of Territories, for which, this Taxes Master is valid","Specifica una lista di territori, per il quale, questo Tasse Master è valido" "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." Split Delivery Note into packages.,Split di consegna Nota in pacchetti. +Sports,sportivo Standard,Standard +Standard Buying,Comprare standard Standard Rate,Standard Rate Standard Reports,Rapporti standard +Standard Selling,Selling standard Standard contract terms for Sales or Purchase.,Condizioni contrattuali standard per la vendita o di acquisto. Start,Inizio Start Date,Data di inizio Start Report For,Inizio Rapporto Per Start date of current invoice's period,Data finale del periodo di fatturazione corrente Avviare Start date should be less than end date for Item {0},Data di inizio dovrebbe essere inferiore a quella di fine per la voce {0} -Start date should be less than end date.,Data di inizio deve essere inferiore a quella di fine. State,Stato Static Parameters,Parametri statici Status,Stato @@ -2820,15 +2911,12 @@ Supplier Part Number,Numero di parte del fornitore Supplier Quotation,Quotazione Fornitore Supplier Quotation Item,Fornitore Quotazione articolo Supplier Reference,Fornitore di riferimento -Supplier Shipment Date,Fornitore Data di spedizione -Supplier Shipment No,Fornitore Spedizione No Supplier Type,Tipo Fornitore Supplier Type / Supplier,Fornitore Tipo / fornitore Supplier Type master.,Fornitore Tipo master. Supplier Warehouse,Magazzino Fornitore Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Magazzino Fornitore obbligatorio per subappaltato ricevuta d'acquisto Supplier database.,Banca dati dei fornitori. -Supplier delivery number duplicate in {0},Numero di consegna del fornitore duplicato in {0} Supplier master.,Maestro del fornitore . Supplier warehouse where you have issued raw materials for sub - contracting,Magazzino del fornitore in cui è stato rilasciato materie prime per la sub - contraente Supplier-Wise Sales Analytics,Fornitore - Wise vendita Analytics @@ -2869,7 +2957,7 @@ Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are no Tax Rate,Aliquota fiscale Tax and other salary deductions.,Fiscale e di altre deduzioni salariali. "Tax detail table fetched from item master as a string and stored in this field. -Used for Taxes and Charges", +Used for Taxes and Charges",Dettaglio tabella tassa prelevato dalla voce principale come una stringa e memorizzato in questo campo . \ Nused per imposte e oneri Tax template for buying transactions.,Modello fiscale per l'acquisto di transazioni. Tax template for selling transactions.,Modello fiscale per la vendita di transazioni. Taxable,Imponibile @@ -2881,13 +2969,16 @@ Taxes and Charges Deducted,Tasse e oneri dedotti Taxes and Charges Deducted (Company Currency),Tasse e oneri dedotti (Azienda valuta) Taxes and Charges Total,Tasse e oneri Totale Taxes and Charges Total (Company Currency),Tasse e oneri Totale (Azienda valuta) +Technology,tecnologia +Telecommunications,Telecomunicazioni Telephone Expenses,spese telefoniche +Television,televisione Template for performance appraisals.,Modello per la valutazione delle prestazioni . Template of terms or contract.,Template di termini o di contratto. -Temporary Account (Assets),Account Temporary ( Assets ) -Temporary Account (Liabilities),Account Temporary ( Passivo ) Temporary Accounts (Assets),Conti temporanee ( Assets ) Temporary Accounts (Liabilities),Conti temporanee ( Passivo ) +Temporary Assets,Le attività temporanee +Temporary Liabilities,Passivo temporanee Term Details,Dettagli termine Terms,condizioni Terms and Conditions,Termini e Condizioni @@ -2912,7 +3003,7 @@ The First User: You,Il primo utente : è The Organization,l'Organizzazione "The account head under Liability, in which Profit/Loss will be booked","La testa account con responsabilità, in cui sarà prenotato Utile / Perdita" "The date on which next invoice will be generated. It is generated on submit. -", +",La data in cui verrà generato prossima fattura . The date on which recurring invoice will be stop,La data in cui fattura ricorrente sarà ferma "The day of the month on which auto invoice will be generated e.g. 05, 28 etc ","Il giorno del mese in cui verrà generato fattura auto ad esempio 05, 28, ecc" The day(s) on which you are applying for leave are holiday. You need not apply for leave.,Il giorno ( s ) in cui si stanno applicando per ferie sono vacanze . Non c'è bisogno di domanda per il congedo . @@ -2997,6 +3088,8 @@ To track items using barcode. You will be able to enter items in Delivery Note a Tools,Strumenti Total,Totale Total Advance,Totale Advance +Total Allocated Amount,Importo totale allocato +Total Allocated Amount can not be greater than unmatched amount,Totale importo concesso non può essere superiore all'importo ineguagliata Total Amount,Totale Importo Total Amount To Pay,Importo totale da pagare Total Amount in Words,Importo totale in parole @@ -3006,6 +3099,7 @@ Total Commission,Commissione Totale Total Cost,Costo totale Total Credit,Totale credito Total Debit,Debito totale +Total Debit must be equal to Total Credit. The difference is {0},Debito totale deve essere pari al totale credito . Total Deduction,Deduzione totale Total Earning,Guadagnare totale Total Experience,Esperienza totale @@ -3033,8 +3127,10 @@ Total in words,Totale in parole Total points for all goals should be 100. It is {0},Punti totali per tutti gli obiettivi dovrebbero essere 100. È {0} Total weightage assigned should be 100%. It is {0},Weightage totale assegnato dovrebbe essere al 100 % . E ' {0} Totals,Totali +Track Leads by Industry Type.,Pista Leads per settore Type. Track this Delivery Note against any Project,Sottoscrivi questa bolla di consegna contro ogni progetto Track this Sales Order against any Project,Traccia questo ordine di vendita nei confronti di qualsiasi progetto +Trainee,apprendista Transaction,Transazioni Transaction Date,Transaction Data Transaction not allowed against stopped Production Order {0},Operazione non ammessi contro Production smesso di ordine {0} @@ -3042,10 +3138,10 @@ Transfer,Trasferimento Transfer Material,Material Transfer Transfer Raw Materials,Trasferimento materie prime Transferred Qty,Quantità trasferito +Transportation,Trasporti Transporter Info,Info Transporter Transporter Name,Trasportatore Nome Transporter lorry number,Numero di camion Transporter -Trash Reason,Trash Motivo Travel,viaggi Travel Expenses,Spese di viaggio Tree Type,albero Type @@ -3149,6 +3245,7 @@ Value,Valore Value or Qty,Valore o Quantità Vehicle Dispatch Date,Veicolo Spedizione Data Vehicle No,Veicolo No +Venture Capital,capitale a rischio Verified By,Verificato da View Ledger,vista Ledger View Now,Guarda ora @@ -3157,6 +3254,7 @@ Voucher #,Voucher # Voucher Detail No,Voucher Detail No Voucher ID,ID Voucher Voucher No,Voucher No +Voucher No is not valid,No Voucher non è valido Voucher Type,Voucher Tipo Voucher Type and Date,Tipo di Voucher e Data Walk In,Walk In @@ -3171,6 +3269,7 @@ Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt Warehouse cannot be changed for Serial No.,Magazzino non può essere modificato per Serial No. Warehouse is mandatory for stock Item {0} in row {1},Warehouse è obbligatorio per magazzino Voce {0} in riga {1} Warehouse is missing in Purchase Order,Warehouse manca in ordine d'acquisto +Warehouse not found in the system,Warehouse non trovato nel sistema Warehouse required for stock Item {0},Magazzino richiesto per magazzino Voce {0} Warehouse required in POS Setting,Warehouse richiesto POS Ambito Warehouse where you are maintaining stock of rejected items,Magazzino dove si sta mantenendo magazzino di articoli rifiutati @@ -3191,6 +3290,8 @@ Warranty / AMC Status,Garanzia / AMC Stato Warranty Expiry Date,Garanzia Data di scadenza Warranty Period (Days),Periodo di garanzia (Giorni) Warranty Period (in days),Periodo di garanzia (in giorni) +We buy this Item,Compriamo questo articolo +We sell this Item,Vendiamo questo articolo Website,Sito Website Description,Descrizione del sito Website Item Group,Sito Gruppo Articolo @@ -3217,6 +3318,7 @@ Will be calculated automatically when you enter the details,Vengono calcolati au Will be updated after Sales Invoice is Submitted.,Saranno aggiornate dopo fattura di vendita sia presentata. Will be updated when batched.,Verrà aggiornato quando dosati. Will be updated when billed.,Verrà aggiornato quando fatturati. +Wire Transfer,Bonifico bancario With Groups,con Groups With Ledgers,con Registri With Operations,Con operazioni @@ -3251,7 +3353,6 @@ Yearly,Annuale Yes,Sì Yesterday,Ieri You are not allowed to create / edit reports,Non hai il permesso di creare / modificare i rapporti -You are not allowed to create {0},Non ti è consentito creare {0} You are not allowed to export this report,Non sei autorizzato a esportare questo rapporto You are not allowed to print this document,Non sei autorizzato a stampare questo documento You are not allowed to send emails related to this document,Non hai i permessi per inviare e-mail relative a questo documento @@ -3269,12 +3370,15 @@ You can set Default Bank Account in Company master,È possibile impostare di def You can start by selecting backup frequency and granting access for sync,È possibile avviare selezionando la frequenza di backup e di concedere l'accesso per la sincronizzazione You can submit this Stock Reconciliation.,Puoi inviare questo Archivio Riconciliazione. You can update either Quantity or Valuation Rate or both.,È possibile aggiornare sia Quantitativo o Tasso di valutazione o di entrambi . -You cannot credit and debit same account at the same time.,Non si può di credito e debito stesso conto allo stesso tempo . +You cannot credit and debit same account at the same time,"Non si può di credito e debito stesso conto , allo stesso tempo" You have entered duplicate items. Please rectify and try again.,Hai inserito gli elementi duplicati . Si prega di correggere e riprovare . +You have unsaved changes in this form. Please save before you continue.,Hai modifiche non salvate in questa forma . You may need to update: {0},Potrebbe essere necessario aggiornare : {0} You must Save the form before proceeding,È necessario Salvare il modulo prima di procedere +You must allocate amount before reconcile,È necessario allocare importo prima di riconciliazione Your Customer's TAX registration numbers (if applicable) or any general information,FISCALI numeri di registrazione del vostro cliente (se applicabile) o qualsiasi informazione generale Your Customers,I vostri clienti +Your Login Id,Il tuo ID di accesso Your Products or Services,I vostri prodotti o servizi Your Suppliers,I vostri fornitori "Your download is being built, this may take a few moments...","Il download è in costruzione, l'operazione potrebbe richiedere alcuni minuti ..." @@ -3285,6 +3389,7 @@ Your sales person who will contact the customer in future,Il vostro agente di co Your sales person will get a reminder on this date to contact the customer,Il rivenditore avrà un ricordo in questa data per contattare il cliente Your setup is complete. Refreshing...,La configurazione è completa. Rinfrescante ... Your support email id - must be a valid email - this is where your emails will come!,Il vostro supporto e-mail id - deve essere un indirizzo email valido - questo è dove i vostri messaggi di posta elettronica verranno! +[Select],[Seleziona ] `Freeze Stocks Older Than` should be smaller than %d days.,` Stocks Blocca Anziani Than ` dovrebbero essere inferiori % d giorni . and,e are not allowed.,non sono ammessi . diff --git a/erpnext/translations/kn.csv b/erpnext/translations/kn.csv index 930372609e..bcf49379f0 100644 --- a/erpnext/translations/kn.csv +++ b/erpnext/translations/kn.csv @@ -26,14 +26,13 @@ 'From Date' must be after 'To Date',' ದಿನಾಂಕದಿಂದ ' ' ದಿನಾಂಕ ' ನಂತರ ಇರಬೇಕು 'Has Serial No' can not be 'Yes' for non-stock item,' ಸೀರಿಯಲ್ ನಂ ಹ್ಯಾಸ್ ' ನಾನ್ ಸ್ಟಾಕ್ ಐಟಂ ' ಹೌದು ' ಸಾಧ್ಯವಿಲ್ಲ 'Notification Email Addresses' not specified for recurring invoice,ಸರಕುಪಟ್ಟಿ ಮರುಕಳಿಸುವ ನಿರ್ದಿಷ್ಟಪಡಿಸಿಲ್ಲ ' ಅಧಿಸೂಚನೆ ಇಮೇಲ್ ವಿಳಾಸಗಳು' -'Profit and Loss' type Account {0} used be set for Opening Entry,' ಲಾಭ ಮತ್ತು ನಷ್ಟ ' ಮಾದರಿ ಖಾತೆಯನ್ನು {0} ಎಂಟ್ರಿ ತೆರೆಯುವ ಹೊಂದಿಸಲು ಬಳಸಲಾಗುತ್ತದೆ 'Profit and Loss' type account {0} not allowed in Opening Entry,' ಲಾಭ ಮತ್ತು ನಷ್ಟ ' ಮಾದರಿ ಖಾತೆಯನ್ನು {0} ಎಂಟ್ರಿ ತೆರೆಯುವ ಅನುಮತಿ ಇಲ್ಲ 'To Case No.' cannot be less than 'From Case No.',' ನಂ ಪ್ರಕರಣಕ್ಕೆ . ' ' ಕೇಸ್ ನಂ ಗೆ . ' ಕಡಿಮೆ ಸಾಧ್ಯವಿಲ್ಲ 'To Date' is required,' ದಿನಾಂಕ ' ಅಗತ್ಯವಿದೆ 'Update Stock' for Sales Invoice {0} must be set,ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ' ಅಪ್ಡೇಟ್ ಸ್ಟಾಕ್ ' {0} ಸೆಟ್ ಮಾಡಬೇಕು * Will be calculated in the transaction.,* ಲೆಕ್ಕಾಚಾರ ಮಾಡಲಾಗುತ್ತದೆ ವ್ಯವಹಾರದಲ್ಲಿ ಆಗಿದೆ . "1 Currency = [?] Fraction -For e.g. 1 USD = 100 Cent", +For e.g. 1 USD = 100 Cent",1 ಕರೆನ್ಸಿ = [ ? ] ಫ್ರ್ಯಾಕ್ಷನ್ \ nFor ಉದಾಹರಣೆಗೆ 1. To maintain the customer wise item code and to make them searchable based on their code use this option,1 ಬುದ್ಧಿವಂತ ಗ್ರಾಹಕ ಐಟಂ ಕೋಡ್ ನಿರ್ವಹಿಸಲು ಮತ್ತು ತಮ್ಮ ಕೋಡ್ ಬಳಕೆ ಈ ಆಯ್ಕೆಯನ್ನು ಆಧರಿಸಿ ಅವುಗಳನ್ನು ಹುಡುಕಲು ಸುಲಭವಾಗುವಂತೆ 2 days ago,2 ದಿನಗಳ ಹಿಂದೆ "Add / Edit","ಕವಿದ href=""#Sales Browser/Customer Group""> ಸೇರಿಸಿ / ಸಂಪಾದಿಸಿ " @@ -70,7 +69,6 @@ Account with child nodes cannot be converted to ledger,ಚೈಲ್ಡ್ ನ Account with existing transaction can not be converted to group.,ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ವಹಿವಾಟು ಖಾತೆ ಗುಂಪು ಪರಿವರ್ತನೆ ಸಾಧ್ಯವಿಲ್ಲ . Account with existing transaction can not be deleted,ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ವಹಿವಾಟು ಖಾತೆ ಅಳಿಸಲಾಗಿಲ್ಲ Account with existing transaction cannot be converted to ledger,ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ವಹಿವಾಟು ಖಾತೆ ಲೆಡ್ಜರ್ ಪರಿವರ್ತನೆ ಸಾಧ್ಯವಿಲ್ಲ -Account {0} can only be updated via Stock Transactions,ಖಾತೆ {0} ಕೇವಲ ಸ್ಟಾಕ್ ಟ್ರಾನ್ಸಾಕ್ಷನ್ಸ್ ಮೂಲಕ ಅಪ್ಡೇಟ್ಗೊಳಿಸಲಾಗಿದೆ ಮಾಡಬಹುದು Account {0} cannot be a Group,ಖಾತೆ {0} ಒಂದು ಗುಂಪು ಸಾಧ್ಯವಿಲ್ಲ Account {0} does not belong to Company {1},ಖಾತೆ {0} ಕಂಪನಿ ಸೇರುವುದಿಲ್ಲ {1} Account {0} does not exist,ಖಾತೆ {0} ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ @@ -78,6 +76,8 @@ Account {0} has been entered more than once for fiscal year {1},ಖಾತೆ {0} Account {0} is frozen,ಖಾತೆ {0} ಹೆಪ್ಪುಗಟ್ಟಿರುವ Account {0} is inactive,ಖಾತೆ {0} ನಿಷ್ಕ್ರಿಯ Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item,ಐಟಂ {1} ಆಸ್ತಿ ಐಟಂ ಖಾತೆ {0} ಬಗೆಯ ' ಸ್ಥಿರ ಆಸ್ತಿ ' ಇರಬೇಕು +"Account: {0} can only be updated via \ + Stock Transactions",ಖಾತೆ : {0} ಮಾತ್ರ ಎನ್ ಸ್ಟಾಕ್ ಟ್ರಾನ್ಸಾಕ್ಷನ್ಸ್ \ \ ಮೂಲಕ ಅಪ್ಡೇಟ್ಗೊಳಿಸಲಾಗಿದೆ ಮಾಡಬಹುದು Accountant,ಅಕೌಂಟೆಂಟ್ Accounting,ಲೆಕ್ಕಪರಿಶೋಧಕ "Accounting Entries can be made against leaf nodes, called","ಲೆಕ್ಕಪರಿಶೋಧಕ ನಮೂದುಗಳು ಎಂಬ , ಲೀಫ್ ನೋಡ್ಗಳು ವಿರುದ್ಧ ಮಾಡಬಹುದು" @@ -276,6 +276,7 @@ Arrear Amount,ಬಾಕಿ ಪ್ರಮಾಣ As per Stock UOM,ಸ್ಟಾಕ್ UOM ಪ್ರಕಾರ "As there are existing stock transactions for this item, you can not change the values of 'Has Serial No', 'Is Stock Item' and 'Valuation Method'","ಈ ಐಟಂ ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ಸ್ಟಾಕ್ ವ್ಯವಹಾರ ಇವೆ , ನೀವು ' ಯಾವುದೇ ಸೀರಿಯಲ್ ಹ್ಯಾಸ್ ' ಮೌಲ್ಯಗಳನ್ನು ಬದಲಾಯಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ , ಮತ್ತು ' ಮೌಲ್ಯಮಾಪನ ವಿಧಾನ ' ' ಸ್ಟಾಕ್ ಐಟಂ '" Ascending,ಆರೋಹಣ +Asset,ಆಸ್ತಿಪಾಸ್ತಿ Assign To,ನಿಗದಿ Assigned To,ನಿಯೋಜಿಸಲಾಗಿದೆ Assignments,ನಿಯೋಜನೆಗಳು @@ -844,6 +845,7 @@ Detailed Breakup of the totals,ಮೊತ್ತವನ್ನು ವಿವರವ Details,ವಿವರಗಳು Difference (Dr - Cr),ವ್ಯತ್ಯಾಸ ( ಡಾ - ಸಿಆರ್) Difference Account,ವ್ಯತ್ಯಾಸ ಖಾತೆ +"Difference Account must be a 'Liability' type account, since this Stock Reconciliation is an Opening Entry","ಈ ಸ್ಟಾಕ್ ಸಾಮರಸ್ಯ ಒಂದು ಆರಂಭಿಕ ಎಂಟ್ರಿ ಏಕೆಂದರೆ ವ್ಯತ್ಯಾಸ ಖಾತೆ , ಒಂದು ' ಹೊಣೆಗಾರಿಕೆ ' ರೀತಿಯ ಖಾತೆ ಇರಬೇಕು" 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 ಹೊಂದಿದೆ . Direct Expenses,ನೇರ ವೆಚ್ಚಗಳು Direct Income,ನೇರ ಆದಾಯ @@ -894,7 +896,7 @@ Download Template,ಡೌನ್ಲೋಡ್ ಟೆಂಪ್ಲೇಟು Download a report containing all raw materials with their latest inventory status,ಅವರ ಇತ್ತೀಚಿನ ದಾಸ್ತಾನು ಸ್ಥಿತಿಯನ್ನು ಕಚ್ಚಾ ವಸ್ತುಗಳನ್ನು ಹೊಂದಿದ ಒಂದು ವರದಿಯನ್ನು ಡೌನ್ಲೋಡ್ "Download the Template, fill appropriate data and attach the modified file.","ಟೆಂಪ್ಲೆಟ್ ಡೌನ್ಲೋಡ್ , ಸೂಕ್ತ ದಶಮಾಂಶ ತುಂಬಲು ಮತ್ತು ಬದಲಾಯಿಸಲಾಗಿತ್ತು ಕಡತ ಲಗತ್ತಿಸಬಹುದು ." "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", +All dates and employee combination in the selected period will come in the template, with existing attendance records","ಟೆಂಪ್ಲೇಟು , ಸೂಕ್ತ ದಶಮಾಂಶ ತುಂಬಲು ಮತ್ತು ಬದಲಾಯಿಸಲಾಗಿತ್ತು ಕಡತ ಲಗತ್ತಿಸಬಹುದು . \ NAll ಹಳೆಯದು ಮತ್ತು ಆಯ್ಕೆ ಅವಧಿಯಲ್ಲಿ ನೌಕರ ಸಂಯೋಜನೆಯನ್ನು ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ಹಾಜರಾತಿ ದಾಖಲೆಗಳನ್ನು , ಟೆಂಪ್ಲೇಟ್ ಬರುತ್ತವೆ" Draft,ಡ್ರಾಫ್ಟ್ Drafts,ಡ್ರಾಫ್ಟ್ಗಳು Drag to sort columns,ಕಾಲಮ್ಗಳನ್ನು ವಿಂಗಡಿಸಲು ಎಳೆಯಿರಿ @@ -907,11 +909,10 @@ Due Date cannot be after {0},ನಂತರ ಕಾರಣ ದಿನಾಂಕ ಸಾ Due Date cannot be before Posting Date,ಕಾರಣ ದಿನಾಂಕ ದಿನಾಂಕ ಪೋಸ್ಟ್ ಮುನ್ನ ಸಾಧ್ಯವಿಲ್ಲ Duplicate Entry. Please check Authorization Rule {0},ಎಂಟ್ರಿ ನಕಲು . ಅಧಿಕಾರ ರೂಲ್ ಪರಿಶೀಲಿಸಿ {0} Duplicate Serial No entered for Item {0},ಐಟಂ ಪ್ರವೇಶಿಸಿತು ಅನುಕ್ರಮ ಸಂಖ್ಯೆ ನಕಲು {0} +Duplicate entry,ಪ್ರವೇಶ ನಕಲು Duplicate row {0} with same {1},ನಕಲು ಸಾಲು {0} {1} ಒಂದೇ ಜೊತೆ Duties and Taxes,ಕರ್ತವ್ಯಗಳು ಮತ್ತು ತೆರಿಗೆಗಳು ERPNext Setup,ERPNext ಸೆಟಪ್ -ESIC CARD No,", ESIC ಚೀಟಿ ಸಂಖ್ಯೆ" -ESIC No.,"ಯಾವುದೇ , ESIC ." Earliest,ಮುಂಚಿನ Earnest Money,ಅರ್ನೆಸ್ಟ್ ಮನಿ Earning,ಗಳಿಕೆ @@ -1007,7 +1008,7 @@ Error: {0} > {1},ದೋಷ : {0} > {1} Estimated Material Cost,ಅಂದಾಜು ವೆಚ್ಚ ಮೆಟೀರಿಯಲ್ Everyone can read,ಪ್ರತಿಯೊಬ್ಬರೂ ಓದಬಹುದು "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.", +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 # # # # # \ ಮಾಡಿದಲ್ಲಿ ಸರಣಿ ಹೊಂದಿಸಲಾಗಿದೆ ಮತ್ತು ಸೀರಿಯಲ್ ಯಾವುದೇ ಸ್ವಯಂಚಾಲಿತ ಕ್ರಮಸಂಖ್ಯೆ ಈ ಸರಣಿಯ ಸೃಷ್ಟಿಸಲಾಯಿತು ಮಾಡಲಾಗುತ್ತದೆ ನಂತರ , ವ್ಯವಹಾರಗಳಲ್ಲಿ ಉಲ್ಲೇಖಿಸಲ್ಪಟ್ಟಿಲ್ಲ." Exchange Rate,ವಿನಿಮಯ ದರ Excise Page Number,ಅಬಕಾರಿ ಪುಟ ಸಂಖ್ಯೆ Excise Voucher,ಅಬಕಾರಿ ಚೀಟಿ @@ -1027,6 +1028,7 @@ Expected Delivery Date cannot be before Purchase Order Date,ನಿರೀಕ Expected Delivery Date cannot be before Sales Order Date,ನಿರೀಕ್ಷಿತ ವಿತರಣಾ ದಿನಾಂಕದ ಮೊದಲು ಮಾರಾಟದ ಆದೇಶ ದಿನಾಂಕ ಸಾಧ್ಯವಿಲ್ಲ Expected End Date,ನಿರೀಕ್ಷಿತ ಅಂತಿಮ ದಿನಾಂಕ Expected Start Date,ನಿರೀಕ್ಷಿತ ಪ್ರಾರಂಭ ದಿನಾಂಕ +Expense,ಖರ್ಚುವೆಚ್ಚಗಳು Expense Account,ವೆಚ್ಚದಲ್ಲಿ ಖಾತೆಯನ್ನು Expense Account is mandatory,ವೆಚ್ಚದಲ್ಲಿ ಖಾತೆಯನ್ನು ಕಡ್ಡಾಯ Expense Claim,ಖರ್ಚು ಹಕ್ಕು @@ -1073,7 +1075,6 @@ Fill the form and save it,ರೂಪ ಭರ್ತಿ ಮಾಡಿ ಮತ್ತು Filter,ಶೋಧಕ Filter based on customer,ಫಿಲ್ಟರ್ ಗ್ರಾಹಕ ಆಧಾರಿತ Filter based on item,ಐಟಂ ಆಧರಿಸಿ ಫಿಲ್ಟರ್ -Final Confirmation Date must be greater than Date of Joining,ಫೈನಲ್ ದೃಢೀಕರಣ ದಿನಾಂಕ ಸೇರುವ ದಿನಾಂಕ ಹೆಚ್ಚಿನ ಇರಬೇಕು Financial / accounting year.,ಹಣಕಾಸು / ಲೆಕ್ಕಪರಿಶೋಧಕ ವರ್ಷ . Financial Analytics,ಹಣಕಾಸು ಅನಾಲಿಟಿಕ್ಸ್ Financial Services,ಹಣಕಾಸು ಸೇವೆಗಳು @@ -1170,8 +1171,8 @@ Get Items,ಐಟಂಗಳನ್ನು ಪಡೆಯಿರಿ Get Items From Sales Orders,ಮಾರಾಟದ ಆರ್ಡರ್ಸ್ ವಸ್ತುಗಳನ್ನು ಪಡೆಯಲು Get Items from BOM,BOM ಐಟಂಗಳು ಪಡೆಯಿರಿ Get Last Purchase Rate,ಕೊನೆಯ ಖರೀದಿ ದರ ಸಿಗುತ್ತದೆ -Get Non Reconciled Entries,ಮಾಂಸಾಹಾರಿ ರಾಜಿ ನಮೂದುಗಳು ಪಡೆಯಿರಿ Get Outstanding Invoices,ಮಹೋನ್ನತ ಇನ್ವಾಯ್ಸಸ್ ಪಡೆಯಿರಿ +Get Relevant Entries,ಸಂಬಂಧಿತ ನಮೂದುಗಳು ಪಡೆಯಿರಿ Get Sales Orders,ಮಾರಾಟದ ಆರ್ಡರ್ಸ್ ಪಡೆಯಿರಿ Get Specification Details,ವಿಶಿಷ್ಟ ವಿವರಗಳನ್ನು ಪಡೆಯಲು Get Stock and Rate,ಸ್ಟಾಕ್ ಮತ್ತು ದರ ಪಡೆಯಿರಿ @@ -1193,7 +1194,6 @@ Government,ಸರ್ಕಾರ Graduate,ಪದವೀಧರ Grand Total,ಗ್ರ್ಯಾಂಡ್ ಒಟ್ಟು Grand Total (Company Currency),ಗ್ರ್ಯಾಂಡ್ ಒಟ್ಟು ( ಕಂಪನಿ ಕರೆನ್ಸಿ ) -Gratuity LIC ID,ಉಪದಾನ ಎಲ್ಐಸಿ ID ಯನ್ನು Greater or equals,ಗ್ರೇಟರ್ ಅಥವಾ ಸಮ Greater than,ಹೆಚ್ಚು "Grid ""","ಗ್ರಿಡ್ """ @@ -1308,6 +1308,7 @@ In Words will be visible once you save the Sales Invoice.,ನೀವು ಮಾ In Words will be visible once you save the Sales Order.,ನೀವು ಮಾರಾಟದ ಆರ್ಡರ್ ಉಳಿಸಲು ಒಮ್ಮೆ ವರ್ಡ್ಸ್ ಗೋಚರಿಸುತ್ತದೆ. In response to,ಪ್ರತಿಕ್ರಿಯೆಯಾಗಿ Incentives,ಪ್ರೋತ್ಸಾಹ +Include Reconciled Entries,ಮರುಕೌನ್ಸಿಲ್ ನಮೂದುಗಳು ಸೇರಿಸಿ Include holidays in Total no. of Working Days,ಒಟ್ಟು ರಜಾದಿನಗಳು ಸೇರಿಸಿ ಕೆಲಸ ದಿನಗಳ ಯಾವುದೇ Income,ಆದಾಯ Income / Expense,ಆದಾಯ / ಖರ್ಚು @@ -1475,6 +1476,9 @@ Item-wise Purchase History,ಐಟಂ ಬುದ್ಧಿವಂತ ಖರೀದ Item-wise Purchase Register,ಐಟಂ ಬುದ್ಧಿವಂತ ಖರೀದಿ ನೋಂದಣಿ Item-wise Sales History,ಐಟಂ ಬಲ್ಲ ಮಾರಾಟದ ಇತಿಹಾಸ Item-wise Sales Register,ಐಟಂ ಬಲ್ಲ ಮಾರಾಟದ ರಿಜಿಸ್ಟರ್ +"Item: {0} managed batch-wise, can not be reconciled using \ + Stock Reconciliation, instead use Stock Entry","ಐಟಂ : {0} ಬ್ಯಾಚ್ ಬಲ್ಲ ನಿರ್ವಹಿಸುತ್ತಿದ್ದ , \ \ N ಸ್ಟಾಕ್ ಸಾಮರಸ್ಯ ಬಳಸಿ ರಾಜಿ ಸಾಧ್ಯವಿಲ್ಲ , ಬದಲಿಗೆ ಸ್ಟಾಕ್ ಎಂಟ್ರಿ ಬಳಸಲು" +Item: {0} not found in the system,ಐಟಂ : {0} ವ್ಯವಸ್ಥೆಯ ಕಂಡುಬಂದಿಲ್ಲ Items,ಐಟಂಗಳನ್ನು Items To Be Requested,ಮನವಿ ಐಟಂಗಳನ್ನು Items required,ಅಗತ್ಯ ವಸ್ತುಗಳ @@ -1496,6 +1500,7 @@ Journal Voucher Detail No,ಜರ್ನಲ್ ಚೀಟಿ ವಿವರ ನಂ Journal Voucher {0} does not have account {1} or already matched,ಜರ್ನಲ್ ಚೀಟಿ {0} {1} ಖಾತೆಯನ್ನು ಅಥವಾ ಈಗಾಗಲೇ ದಾಖಲೆಗಳುಸರಿಹೊಂದಿವೆ ಇಲ್ಲ Journal Vouchers {0} are un-linked,ಜರ್ನಲ್ ರಶೀದಿ {0} UN- ಲಿಂಕ್ Keep a track of communication related to this enquiry which will help for future reference.,ಭವಿಷ್ಯದ ಉಲ್ಲೇಖಕ್ಕಾಗಿ ಸಹಾಯ whichwill ಈ ವಿಚಾರಣೆ ಸಂಬಂಧಿಸಿದ ಸಂವಹನದ ಒಂದು ಜಾಡನ್ನು ಇರಿಸಿ. +Keep it web friendly 900px (w) by 100px (h),100px ವೆಬ್ ಸ್ನೇಹಿ 900px ( W ) ನೋಡಿಕೊಳ್ಳಿ ( H ) Key Performance Area,ಪ್ರಮುಖ ಸಾಧನೆ ಪ್ರದೇಶ Key Responsibility Area,ಪ್ರಮುಖ ಜವಾಬ್ದಾರಿ ಪ್ರದೇಶ Kg,ಕೆಜಿ @@ -1567,16 +1572,16 @@ Letter Head,ತಲೆಬರಹ Letter Heads for print templates.,ಮುದ್ರಣ ಟೆಂಪ್ಲೆಟ್ಗಳನ್ನು letterheads . Level,ಮಟ್ಟ Lft,Lft +Liability,ಹೊಣೆಗಾರಿಕೆ Like,ಲೈಕ್ Linked With,ಸಂಬಂಧ List,ಕುತಂತ್ರ List a few of your customers. They could be organizations or individuals.,ನಿಮ್ಮ ಗ್ರಾಹಕರ ಕೆಲವು ಪಟ್ಟಿ. ಅವರು ಸಂಸ್ಥೆಗಳು ಅಥವಾ ವ್ಯಕ್ತಿಗಳು ಆಗಿರಬಹುದು . List a few of your suppliers. They could be organizations or individuals.,ನಿಮ್ಮ ಪೂರೈಕೆದಾರರ ಕೆಲವು ಪಟ್ಟಿ. ಅವರು ಸಂಸ್ಥೆಗಳು ಅಥವಾ ವ್ಯಕ್ತಿಗಳು ಆಗಿರಬಹುದು . -"List a few products or services you buy from your suppliers or vendors. If these are same as your products, then do not add them.","ನಿಮ್ಮ ಪೂರೈಕೆದಾರರು ಅಥವಾ ಮಾರಾಟಗಾರರಿಂದ ಖರೀದಿ ಕೆಲವು ಉತ್ಪನ್ನಗಳನ್ನು ಅಥವಾ ಸೇವೆಗಳನ್ನು ಪಟ್ಟಿ. ಸಂಶ್ಲೇಷಣೆ ನಿಮ್ಮ ಉತ್ಪನ್ನಗಳು ಅದೇ ಇದ್ದರೆ , ನಂತರ ಅವುಗಳನ್ನು ಸೇರಿಸಬೇಡಿ." List items that form the package.,ಪಟ್ಟಿ ಐಟಂಗಳನ್ನು ಪ್ಯಾಕೇಜ್ ರೂಪಿಸಲು ಮಾಡಿದರು . List this Item in multiple groups on the website.,ವೆಬ್ಸೈಟ್ನಲ್ಲಿ ಅನೇಕ ಗುಂಪುಗಳಲ್ಲಿ ಈ ಐಟಂ ಪಟ್ಟಿ . -"List your products or services that you sell to your customers. Make sure to check the Item Group, Unit of Measure and other properties when you start.","ನಿಮ್ಮ ಗ್ರಾಹಕರಿಗೆ ಮಾರಾಟ ಮಾಡಲಿಲ್ಲ ನಿಮ್ಮ ಉತ್ಪನ್ನಗಳನ್ನು ಅಥವಾ ಸೇವೆಗಳನ್ನು ಪಟ್ಟಿ. ನೀವು ಪ್ರಾರಂಭಿಸಿದಾಗ ಐಟಂ ಗುಂಪು , ಅಳತೆ ಮತ್ತು ಇತರ ಗುಣಗಳನ್ನು ಘಟಕ ಪರೀಕ್ಷಿಸಿ ಖಚಿತಪಡಿಸಿಕೊಳ್ಳಿ ." -"List your tax heads (e.g. VAT, Excise) (upto 3) and their standard rates. This will create a standard template, you can edit and add more later.","ನಿಮ್ಮ ತೆರಿಗೆ ಮುಖಂಡರು ( 3 ವರೆಗೆ ) ( ಉದಾ ವ್ಯಾಟ್ , ಅಬಕಾರಿ ) ಮತ್ತು ಅವರ ಸ್ಟ್ಯಾಂಡರ್ಡ್ ದರಗಳು ಪಟ್ಟಿ. ಈ ಮಾದರಿಯಲ್ಲಿ ರಚಿಸುತ್ತದೆ , ನೀವು ಸಂಪಾದಿಸಬಹುದು ಮತ್ತು ಹೆಚ್ಚಿನ ನಂತರ ಸೇರಿಸಬಹುದು." +"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 your tax heads (e.g. VAT, Excise; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","ಮತ್ತು ಅವುಗಳ ಗುಣಮಟ್ಟದ ದರಗಳು ; ನಿಮ್ಮ ತೆರಿಗೆ ತಲೆ ( ಅವರು ಅನನ್ಯ ಹೆಸರುಗಳು ಇರಬೇಕು ಉದಾ ವ್ಯಾಟ್ , ಅಬಕಾರಿ ) ಪಟ್ಟಿ." Loading,ಲೋಡ್ Loading Report,ಲೋಡ್ ವರದಿ Loading...,ಲೋಡ್ ಆಗುತ್ತಿದೆ ... @@ -1688,6 +1693,7 @@ Material Requirement,ಮೆಟೀರಿಯಲ್ ಅವಶ್ಯಕತೆ Material Transfer,ವಸ್ತು ವರ್ಗಾವಣೆ Materials,ಮೆಟೀರಿಯಲ್ Materials Required (Exploded),ಬೇಕಾದ ಸಾಮಗ್ರಿಗಳು (ಸ್ಫೋಟಿಸಿತು ) +Max 5 characters,ಮ್ಯಾಕ್ಸ್ 5 ಪಾತ್ರಗಳು Max Days Leave Allowed,ಮ್ಯಾಕ್ಸ್ ಡೇಸ್ ಹೊರಹೋಗಲು ಆಸ್ಪದ Max Discount (%),ಮ್ಯಾಕ್ಸ್ ಡಿಸ್ಕೌಂಟ್ ( % ) Max Qty,ಮ್ಯಾಕ್ಸ್ ಪ್ರಮಾಣ @@ -1696,7 +1702,7 @@ Maximum {0} rows allowed,{0} ಸಾಲುಗಳ ಗರಿಷ್ಠ ಅವಕಾ Maxiumm discount for Item {0} is {1}%,ಐಟಂ Maxiumm ರಿಯಾಯಿತಿ {0} {1} % ಆಗಿದೆ Medical,ವೈದ್ಯಕೀಯ Medium,ಮಧ್ಯಮ -"Merging is only possible if following properties are same in both records. Group or Ledger, Report Type, Company","ನಂತರ ಲಕ್ಷಣಗಳು ದಾಖಲೆಗಳನ್ನು ಸಾಮಾನ್ಯ ವೇಳೆ ಮರ್ಜಿಂಗ್ ಮಾತ್ರ ಸಾಧ್ಯ. ಗುಂಪು ಅಥವಾ ಲೆಡ್ಜರ್ , ವರದಿ ಪ್ರಕಾರ , ಕಂಪನಿ" +"Merging is only possible if following properties are same in both records. Group or Ledger, Root Type, Company",ಕೆಳಗಿನ ಲಕ್ಷಣಗಳು ದಾಖಲೆಗಳಲ್ಲಿ ಒಂದೇ ವೇಳೆ ಮರ್ಜಿಂಗ್ ಮಾತ್ರ ಸಾಧ್ಯ. Message,ಸಂದೇಶ Message Parameter,ಸಂದೇಶ ನಿಯತಾಂಕ Message Sent,ಕಳುಹಿಸಿದ ಸಂದೇಶವನ್ನು @@ -1742,7 +1748,7 @@ Mr,ಶ್ರೀ Ms,MS Multiple Item prices.,ಬಹು ಐಟಂ ಬೆಲೆಗಳು . "Multiple Price Rule exists with same criteria, please resolve \ - conflict by assigning priority. Price Rules: {0}", + conflict by assigning priority. Price Rules: {0}","ಬಹು ಬೆಲೆ ರೂಲ್ ಅದೇ ಮಾನದಂಡಗಳನ್ನು ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ , ಪ್ರಾಶಸ್ತ್ಯವನ್ನು ನಿಗದಿಪಡಿಸಬೇಕು \ \ N ಸಂಘರ್ಷ ಪರಿಹರಿಸಲು ದಯವಿಟ್ಟು ." Music,ಸಂಗೀತ Must be Whole Number,ಹೋಲ್ ಸಂಖ್ಯೆ ಇರಬೇಕು My Settings,ನನ್ನ ಸೆಟ್ಟಿಂಗ್ಗಳನ್ನು @@ -1755,7 +1761,9 @@ Name not permitted,ಅನುಮತಿ ಹೆಸರು Name of person or organization that this address belongs to.,ವ್ಯಕ್ತಿ ಅಥವಾ ಸಂಸ್ಥೆಯ ಹೆಸರು ಈ ವಿಳಾಸಕ್ಕೆ ಸೇರುತ್ತದೆ . Name of the Budget Distribution,ಬಜೆಟ್ ವಿತರಣೆಯ ಹೆಸರು Naming Series,ಸರಣಿ ಹೆಸರಿಸುವ +Negative Quantity is not allowed,ನಕಾರಾತ್ಮಕ ಪ್ರಮಾಣ ಅನುಮತಿಸಲಾಗುವುದಿಲ್ಲ Negative Stock Error ({6}) for Item {0} in Warehouse {1} on {2} {3} in {4} {5},ನಿರಾಕರಣೆಗಳು ಸ್ಟಾಕ್ ದೋಷ ( {6} ) ಐಟಂ {0} ಮೇಲೆ {1} ವೇರ್ಹೌಸ್ {2} {3} ಗೆ {4} {5} +Negative Valuation Rate is not allowed,ನಕಾರಾತ್ಮಕ ಮೌಲ್ಯಾಂಕನ ದರ ಅನುಮತಿಸಲಾಗುವುದಿಲ್ಲ Negative balance in Batch {0} for Item {1} at Warehouse {2} on {3} {4},ಬ್ಯಾಚ್ ಋಣಾತ್ಮಕ ಸಮತೋಲನ {0} ಐಟಂ {1} {2} ಮೇಲೆ ವೇರ್ಹೌಸ್ {3} {4} Net Pay,ನಿವ್ವಳ ವೇತನ Net Pay (in words) will be visible once you save the Salary Slip.,ನೀವು ಸಂಬಳ ಸ್ಲಿಪ್ ಉಳಿಸಲು ಒಮ್ಮೆ ( ಮಾತಿನಲ್ಲಿ) ನಿವ್ವಳ ವೇತನ ಗೋಚರಿಸುತ್ತದೆ. @@ -1832,6 +1840,7 @@ No default BOM exists for Item {0},ಯಾವುದೇ ಡೀಫಾಲ್ No description given,ಯಾವುದೇ ವಿವರಣೆ givenName No document selected,ಆಯ್ಕೆ ಯಾವುದೇ ದಾಖಲೆ No employee found,ಯಾವುದೇ ನೌಕರ +No employee found!,ಯಾವುದೇ ನೌಕರ ಕಂಡು ! No of Requested SMS,ವಿನಂತಿಸಲಾಗಿದೆ SMS ನ ನಂ No of Sent SMS,ಕಳುಹಿಸಲಾಗಿದೆ ಎಸ್ಎಂಎಸ್ ಸಂಖ್ಯೆ No of Visits,ಭೇಟಿ ಸಂಖ್ಯೆ @@ -1961,9 +1970,6 @@ Overlapping conditions found between:,ನಡುವೆ ಕಂಡುಬರುವ Overview,ಸ್ಥೂಲ ಸಮೀಕ್ಷೆ Owned,ಸ್ವಾಮ್ಯದ Owner,ಒಡೆಯ -PAN Number,ಪಾನ್ ಸಂಖ್ಯೆ -PF No.,ಪಿಎಫ್ ನಂ -PF Number,ಪಿಎಫ್ ಸಂಖ್ಯೆ PL or BS,ಪಿಎಲ್ ಅಥವಾ ಬಿಎಸ್ PO Date,ಪಿಒ ದಿನಾಂಕ PO No,ಪಿಒ ನಂ @@ -2053,7 +2059,6 @@ Percentage you are allowed to receive or deliver more against the quantity order Performance appraisal.,ಸಾಧನೆಯ ಮೌಲ್ಯ ನಿರ್ಣಯ . Period,ಅವಧಿ Period Closing Voucher,ಅವಧಿ ಮುಕ್ತಾಯ ಚೀಟಿ -Period is too short,ಅವಧಿ ತುಂಬಾ ಚಿಕ್ಕದಾಗಿದೆ Periodicity,ನಿಯತಕಾಲಿಕತೆ Permanent Address,ಖಾಯಂ ವಿಳಾಸ Permanent Address Is,ಖಾಯಂ ವಿಳಾಸ ಈಸ್ @@ -2113,7 +2118,6 @@ Please enter Planned Qty for Item {0} at row {1},ಐಟಂ ಯೋಜಿಸ Please enter Production Item first,ಮೊದಲ ಉತ್ಪಾದನೆ ಐಟಂ ನಮೂದಿಸಿ Please enter Purchase Receipt No to proceed,ಯಾವುದೇ ಮುಂದುವರೆಯಲು ಖರೀದಿ ರಸೀತಿ ನಮೂದಿಸಿ Please enter Reference date,ರೆಫರೆನ್ಸ್ ದಿನಾಂಕ ನಮೂದಿಸಿ -Please enter Start Date and End Date,ಪ್ರಾರಂಭ ದಿನಾಂಕ ಮತ್ತು ಅಂತಿಮ ದಿನಾಂಕ ನಮೂದಿಸಿ Please enter Warehouse for which Material Request will be raised,ವೇರ್ಹೌಸ್ ವಸ್ತು ವಿನಂತಿಯನ್ನು ಏರಿಸಲಾಗುತ್ತದೆ ಇದಕ್ಕಾಗಿ ನಮೂದಿಸಿ Please enter Write Off Account,ಖಾತೆ ಆಫ್ ಬರೆಯಿರಿ ನಮೂದಿಸಿ Please enter atleast 1 invoice in the table,ಕೋಷ್ಟಕದಲ್ಲಿ ಕನಿಷ್ಠ ಒಂದು ಸರಕುಪಟ್ಟಿ ನಮೂದಿಸಿ @@ -2180,6 +2184,7 @@ Please specify Default Currency in Company Master and Global Defaults,ಕಂಪ Please specify a,ಒಂದು ಸೂಚಿಸಲು ದಯವಿಟ್ಟು Please specify a valid 'From Case No.',ಮಾನ್ಯ ಸೂಚಿಸಲು ದಯವಿಟ್ಟು ' ಕೇಸ್ ನಂ ಗೆ . ' Please specify a valid Row ID for {0} in row {1},ಸತತವಾಗಿ {0} ಒಂದು ಮಾನ್ಯ ಸಾಲು ಐಡಿ ಸೂಚಿಸಲು ದಯವಿಟ್ಟು {1} +Please specify either Quantity or Valuation Rate or both,ಪ್ರಮಾಣ ಅಥವಾ ಮೌಲ್ಯಾಂಕನ ದರ ಅಥವಾ ಎರಡೂ ಸೂಚಿಸಲು ದಯವಿಟ್ಟು Please submit to update Leave Balance.,ಲೀವ್ ಸಮತೋಲನ ನವೀಕರಿಸಲು ಸಲ್ಲಿಸಿ. Plot,ಪ್ಲಾಟ್ Plot By,ಕಥಾವಸ್ತು @@ -2249,7 +2254,6 @@ Production Plan Sales Order,ನಿರ್ಮಾಣ ವೇಳಾಪಟ್ಟಿ Production Plan Sales Orders,ಉತ್ಪಾದನೆ ಯೋಜನೆ ಮಾರಾಟದ ಆರ್ಡರ್ಸ್ Production Planning Tool,ತಯಾರಿಕಾ ಯೋಜನೆ ಉಪಕರಣ Products,ಉತ್ಪನ್ನಗಳು -Products or Services You Buy,ಉತ್ಪನ್ನಗಳು ಅಥವಾ ನೀವು ಖರೀದಿ ಸೇವೆಗಳು "Products will be sorted by weight-age in default searches. More the weight-age, higher the product will appear in the list.","ಉತ್ಪನ್ನಗಳು ಡೀಫಾಲ್ಟ್ ಅನೂಶೋಧನೆಯ ತೂಕ ವಯಸ್ಸಿಗೆ ಜೋಡಿಸಲ್ಪಡುತ್ತದೆ. ಇನ್ನಷ್ಟು ತೂಕ ವಯಸ್ಸು , ಹೆಚ್ಚಿನ ಉತ್ಪನ್ನ ಪಟ್ಟಿಯಲ್ಲಿ ಕಾಣಿಸುತ್ತದೆ ." Profit and Loss,ಲಾಭ ಮತ್ತು ನಷ್ಟ Project,ಯೋಜನೆ @@ -2521,6 +2525,8 @@ Review Date,ರಿವ್ಯೂ ದಿನಾಂಕ Rgt,Rgt Role Allowed to edit frozen stock,ಪಾತ್ರ ಹೆಪ್ಪುಗಟ್ಟಿದ ಸ್ಟಾಕ್ ಸಂಪಾದಿಸಲು ಅನುಮತಿಸಲಾಗಿದೆ Role that is allowed to submit transactions that exceed credit limits set.,ಪಾತ್ರ ವ್ಯವಹಾರ ಸೆಟ್ ಕ್ರೆಡಿಟ್ ಮಿತಿಯನ್ನು ಮಾಡಲಿಲ್ಲ ಸಲ್ಲಿಸಲು ಅವಕಾಶ ನೀಡಲಿಲ್ಲ . +Root Type,ರೂಟ್ ಪ್ರಕಾರ +Root Type is mandatory,ರೂಟ್ ಪ್ರಕಾರ ಕಡ್ಡಾಯ Root account can not be deleted,ಮೂಲ ಖಾತೆಯನ್ನು ಅಳಿಸಲಾಗಿದೆ ಸಾಧ್ಯವಿಲ್ಲ Root cannot be edited.,ರೂಟ್ ಸಂಪಾದಿತವಾಗಿಲ್ಲ . Root cannot have a parent cost center,ರೂಟ್ ಪೋಷಕರು ವೆಚ್ಚ ಸೆಂಟರ್ ಸಾಧ್ಯವಿಲ್ಲ @@ -2528,12 +2534,16 @@ Rounded Off,ಆಫ್ ದುಂಡಾದ Rounded Total,ದುಂಡಾದ ಒಟ್ಟು Rounded Total (Company Currency),ದುಂಡಾದ ಒಟ್ಟು ( ಕಂಪನಿ ಕರೆನ್ಸಿ ) Row # , +Row # {0}: , "Row {0}: Account does not match with \ - Purchase Invoice Credit To account", + Purchase Invoice Credit To account",ರೋ {0} : ಖಾತೆ ಮಾಡಲು \ \ N ಖರೀದಿ ಸರಕುಪಟ್ಟಿ ಕ್ರೆಡಿಟ್ ಜೊತೆ ಹೊಂದಿಕೆಯಾಗುವುದಿಲ್ಲ "Row {0}: Account does not match with \ - Sales Invoice Debit To account", + Sales Invoice Debit To account",ರೋ {0} : ಖಾತೆ ಮಾಡಲು \ \ N ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ಡೆಬಿಟ್ ಹೊಂದಿಕೆಯಾಗುವುದಿಲ್ಲ Row {0}: Credit entry can not be linked with a Purchase Invoice,ರೋ {0} : ಕ್ರೆಡಿಟ್ ಪ್ರವೇಶ ಖರೀದಿಸಿ ಸರಕುಪಟ್ಟಿ ಸಂಬಂಧ ಸಾಧ್ಯವಿಲ್ಲ Row {0}: Debit entry can not be linked with a Sales Invoice,ರೋ {0} : ಡೆಬಿಟ್ ನಮೂದು ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ಸಂಬಂಧ ಸಾಧ್ಯವಿಲ್ಲ +"Row {0}: To set {1} periodicity, difference between from and to date \ + must be greater than or equal to {2}","ರೋ {0} : {1} ಅವಧಿಗೆ , \ \ n ಮತ್ತು ಇಲ್ಲಿಯವರೆಗೆ ನಡುವಿನ ವ್ಯತ್ಯಾಸ ಹೆಚ್ಚು ಅಥವಾ ಸಮ ಇರಬೇಕು ಹೊಂದಿಸಲು {2}" +Row {0}:Start Date must be before End Date,ರೋ {0} : ಪ್ರಾರಂಭ ದಿನಾಂಕ ಎಂಡ್ ದಿನಾಂಕದ ಮೊದಲು Rules for adding shipping costs.,ಹಡಗು ವೆಚ್ಚ ಸೇರಿಸುವ ನಿಯಮಗಳು . Rules for applying pricing and discount.,ಬೆಲೆ ಮತ್ತು ರಿಯಾಯಿತಿ ಅಳವಡಿಸುವ ನಿಯಮಗಳು . Rules to calculate shipping amount for a sale,ಒಂದು ಮಾರಾಟ ಹಡಗು ಪ್ರಮಾಣವನ್ನು ಲೆಕ್ಕಾಚಾರ ನಿಯಮಗಳು @@ -2625,7 +2635,6 @@ Schedule,ಕಾರ್ಯಕ್ರಮ Schedule Date,ವೇಳಾಪಟ್ಟಿ ದಿನಾಂಕ Schedule Details,ವೇಳಾಪಟ್ಟಿ ವಿವರಗಳು Scheduled,ಪರಿಶಿಷ್ಟ -Scheduled Confirmation Date must be greater than Date of Joining,ಪರಿಶಿಷ್ಟ ದೃಢೀಕರಣ ದಿನಾಂಕ ಸೇರುವ ದಿನಾಂಕ ಹೆಚ್ಚಿನ ಇರಬೇಕು Scheduled Date,ಪರಿಶಿಷ್ಟ ದಿನಾಂಕ Scheduled to send to {0},ಕಳುಹಿಸಿದನು ಪರಿಶಿಷ್ಟ {0} Scheduled to send to {0} recipients,{0} ಸ್ವೀಕರಿಸುವವರಿಗೆ ಕಳುಹಿಸಲು ಪರಿಶಿಷ್ಟ @@ -2719,7 +2728,8 @@ Serial No {0} status must be 'Available' to Deliver,ಯಾವುದೇ ಸಿ Serial Nos Required for Serialized Item {0},ಧಾರಾವಾಹಿಯಾಗಿ ಐಟಂ ಸೀರಿಯಲ್ ಸೂಲ ಅಗತ್ಯವಿದೆ {0} Serial Number Series,ಕ್ರಮ ಸಂಖ್ಯೆ ಸರಣಿ Serial number {0} entered more than once,ಕ್ರಮಸಂಖ್ಯೆ {0} ಒಮ್ಮೆ ಹೆಚ್ಚು ಪ್ರವೇಶಿಸಿತು -Serialized Item {0} cannot be updated using Stock Reconciliation,ಧಾರಾವಾಹಿಯಾಗಿ ಐಟಂ {0} ಸ್ಟಾಕ್ ಸಾಮರಸ್ಯ ಬಳಸಿ ಅಪ್ಡೇಟ್ ಸಾಧ್ಯವಿಲ್ಲ +"Serialized Item {0} cannot be updated \ + using Stock Reconciliation",ಧಾರಾವಾಹಿಯಾಗಿ ಐಟಂ {0} ಸ್ಟಾಕ್ ಸಾಮರಸ್ಯ ಬಳಸಿ \ \ N ಅಪ್ಡೇಟ್ ಸಾಧ್ಯವಿಲ್ಲ Series,ಸರಣಿ Series List for this Transaction,ಈ ಟ್ರಾನ್ಸಾಕ್ಷನ್ ಸರಣಿ ಪಟ್ಟಿ Series Updated,ಸರಣಿ Updated @@ -2800,8 +2810,6 @@ Source of Funds (Liabilities),ಗಳಂತಹವು ( ಹೊಣೆಗಾರ Source warehouse is mandatory for row {0},ಮೂಲ ಗೋದಾಮಿನ ಸಾಲು ಕಡ್ಡಾಯ {0} Spartan,ಸ್ಪಾರ್ಟಾದ "Special Characters except ""-"" and ""/"" not allowed in naming series","ಹೊರತುಪಡಿಸಿ ವಿಶೇಷ ಅಕ್ಷರಗಳು "" - "" ಮತ್ತು "" / "" ಸರಣಿ ಹೆಸರಿಸುವ ಅನುಮತಿಸಲಾಗುವುದಿಲ್ಲ" -Special Characters not allowed in Abbreviation,ಸಂಕ್ಷೇಪಣ ಅನುಮತಿಸಲಾಗುವುದಿಲ್ಲ ವಿಶೇಷ ಅಕ್ಷರಗಳು -Special Characters not allowed in Company Name,ಕಂಪನಿ ಹೆಸರು ಅನುಮತಿಸಲಾಗುವುದಿಲ್ಲ ವಿಶೇಷ ಅಕ್ಷರಗಳು Specification Details,ಸ್ಪೆಸಿಫಿಕೇಶನ್ ವಿವರಗಳು Specifications,ವಿಶೇಷಣಗಳು "Specify a list of Territories, for which, this Price List is valid","ಪ್ರಾಂತ್ಯಗಳು ಪಟ್ಟಿಯನ್ನು ಸೂಚಿಸಲು , ಇದಕ್ಕಾಗಿ , ಈ ಬೆಲೆ ಪಟ್ಟಿ ಮಾನ್ಯ" @@ -2811,15 +2819,16 @@ Specifications,ವಿಶೇಷಣಗಳು Split Delivery Note into packages.,ಪ್ರವಾಸ ಒಳಗೆ ಡೆಲಿವರಿ ಗಮನಿಸಿ ಸ್ಪ್ಲಿಟ್ . Sports,ಕ್ರೀಡೆ Standard,ಸ್ಟ್ಯಾಂಡರ್ಡ್ +Standard Buying,ಸ್ಟ್ಯಾಂಡರ್ಡ್ ಬೈಯಿಂಗ್ Standard Rate,ಸ್ಟ್ಯಾಂಡರ್ಡ್ ದರ Standard Reports,ಸ್ಟ್ಯಾಂಡರ್ಡ್ ವರದಿಗಳು +Standard Selling,ಸ್ಟ್ಯಾಂಡರ್ಡ್ ವಿಕ್ರಯ Standard contract terms for Sales or Purchase.,ಮಾರಾಟದ ಅಥವಾ ಖರೀದಿಗಾಗಿ ಸ್ಟ್ಯಾಂಡರ್ಡ್ ಒಪ್ಪಂದದ ವಿಚಾರದಲ್ಲಿ . Start,ಪ್ರಾರಂಭ Start Date,ಪ್ರಾರಂಭ ದಿನಾಂಕ Start Report For,ವರದಿಯ ಪ್ರಾರಂಭಿಸಿ Start date of current invoice's period,ಪ್ರಸ್ತುತ ಅವಧಿಯ ಸರಕುಪಟ್ಟಿ ದಿನಾಂಕ ಪ್ರಾರಂಭಿಸಿ Start date should be less than end date for Item {0},ಪ್ರಾರಂಭ ದಿನಾಂಕ ಐಟಂ ಅಂತಿಮ ದಿನಾಂಕವನ್ನು ಕಡಿಮೆ Shoulderstand {0} -Start date should be less than end date.,ಪ್ರಾರಂಭ ದಿನಾಂಕ ಅಂತಿಮ ದಿನಾಂಕವನ್ನು ಕಡಿಮೆ Shoulderstand . State,ರಾಜ್ಯ Static Parameters,ಸ್ಥಾಯೀ ನಿಯತಾಂಕಗಳನ್ನು Status,ಅಂತಸ್ತು @@ -2902,15 +2911,12 @@ Supplier Part Number,ಸರಬರಾಜುದಾರ ಭಾಗ ಸಂಖ್ಯೆ Supplier Quotation,ಸರಬರಾಜುದಾರ ನುಡಿಮುತ್ತುಗಳು Supplier Quotation Item,ಸರಬರಾಜುದಾರ ಉದ್ಧರಣ ಐಟಂ Supplier Reference,ಸರಬರಾಜುದಾರ ರೆಫರೆನ್ಸ್ -Supplier Shipment Date,ಸರಬರಾಜುದಾರ ಸಾಗಣೆ ದಿನಾಂಕ -Supplier Shipment No,ಸರಬರಾಜುದಾರ ಸಾಗಣೆ ನಂ Supplier Type,ಸರಬರಾಜುದಾರ ಪ್ರಕಾರ Supplier Type / Supplier,ಸರಬರಾಜುದಾರ ಟೈಪ್ / ಸರಬರಾಜುದಾರ Supplier Type master.,ಸರಬರಾಜುದಾರ ಟೈಪ್ ಮಾಸ್ಟರ್ . Supplier Warehouse,ಸರಬರಾಜುದಾರ ವೇರ್ಹೌಸ್ Supplier Warehouse mandatory for sub-contracted Purchase Receipt,ಉಪ ಒಪ್ಪಂದ ಖರೀದಿ ರಸೀತಿ ಕಡ್ಡಾಯ ಸರಬರಾಜುದಾರ ವೇರ್ಹೌಸ್ Supplier database.,ಸರಬರಾಜುದಾರ ಡೇಟಾಬೇಸ್ . -Supplier delivery number duplicate in {0},ಪೂರೈಕೆದಾರ ವಿತರಣಾ ನಕಲಿ ಸಂಖ್ಯೆ {0} Supplier master.,ಸರಬರಾಜುದಾರ ಮಾಸ್ಟರ್ . Supplier warehouse where you have issued raw materials for sub - contracting,ನೀವು ಉಪ ಕಚ್ಚಾ ವಸ್ತುಗಳನ್ನು ಜಾರಿಗೊಳಿಸಿದರು ಅಲ್ಲಿ ಸರಬರಾಜುದಾರ ಗೋದಾಮಿನ - ಗುತ್ತಿಗೆ Supplier-Wise Sales Analytics,ಸರಬರಾಜುದಾರ ವೈಸ್ ಮಾರಾಟದ ಅನಾಲಿಟಿಕ್ಸ್ @@ -2951,7 +2957,7 @@ Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are no Tax Rate,ತೆರಿಗೆ ದರ Tax and other salary deductions.,ತೆರಿಗೆ ಮತ್ತು ಇತರ ಸಂಬಳ ನಿರ್ಣಯಗಳಿಂದ . "Tax detail table fetched from item master as a string and stored in this field. -Used for Taxes and Charges", +Used for Taxes and Charges",ಸ್ಟ್ರಿಂಗ್ ಮತ್ತು ಈ ಕ್ಷೇತ್ರದಲ್ಲಿ ಸಂಗ್ರಹಿಸಲಾಗಿದೆ ಎಂದು ಐಟಂ ಮಾಸ್ಟರ್ ತರಲಾಗಿದೆ ತೆರಿಗೆ ವಿವರ ಟೇಬಲ್ . \ ತೆರಿಗೆಗಳು ಮತ್ತು ಶುಲ್ಕಗಳು ಫಾರ್ nUsed Tax template for buying transactions.,ವ್ಯವಹಾರ ಖರೀದಿ ತೆರಿಗೆ ಟೆಂಪ್ಲೆಟ್ . Tax template for selling transactions.,ವ್ಯವಹಾರ ಮಾರಾಟ ತೆರಿಗೆ ಟೆಂಪ್ಲೆಟ್ . Taxable,ಕರಾರ್ಹ @@ -2969,10 +2975,10 @@ Telephone Expenses,ಟೆಲಿಫೋನ್ ವೆಚ್ಚಗಳು Television,ಟೆಲಿವಿಷನ್ Template for performance appraisals.,ಪ್ರದರ್ಶನ ಅಂದಾಜಿಸುವಿಕೆಯು ಟೆಂಪ್ಲೇಟ್. Template of terms or contract.,ನಿಯಮಗಳು ಅಥವಾ ಒಪ್ಪಂದದ ಟೆಂಪ್ಲೇಟು . -Temporary Account (Assets),ತಾತ್ಕಾಲಿಕ ಖಾತೆ ( ಆಸ್ತಿಗಳು ) -Temporary Account (Liabilities),ತಾತ್ಕಾಲಿಕ ಖಾತೆ ( ಭಾದ್ಯತೆಗಳನ್ನು ) Temporary Accounts (Assets),ತಾತ್ಕಾಲಿಕ ಖಾತೆಗಳ ( ಆಸ್ತಿಗಳು ) Temporary Accounts (Liabilities),ತಾತ್ಕಾಲಿಕ ಖಾತೆಗಳ ( ಹೊಣೆಗಾರಿಕೆಗಳು ) +Temporary Assets,ತಾತ್ಕಾಲಿಕ ಸ್ವತ್ತುಗಳು +Temporary Liabilities,ತಾತ್ಕಾಲಿಕ ಹೊಣೆಗಾರಿಕೆಗಳು Term Details,ಟರ್ಮ್ ವಿವರಗಳು Terms,ನಿಯಮಗಳು Terms and Conditions,ನಿಯಮಗಳು ಮತ್ತು ನಿಯಮಗಳು @@ -2997,7 +3003,7 @@ The First User: You,ಮೊದಲ ಬಳಕೆದಾರ : ನೀವು The Organization,ಸಂಸ್ಥೆ "The account head under Liability, in which Profit/Loss will be booked","ಲಾಭ / ನಷ್ಟ ಗೊತ್ತು ಯಾವ ಹೊಣೆಗಾರಿಕೆ ಅಡಿಯಲ್ಲಿ ಖಾತೆ ತಲೆ ," "The date on which next invoice will be generated. It is generated on submit. -", +",ಮುಂದಿನ ಸರಕುಪಟ್ಟಿ ಸೃಷ್ಟಿಸಲಾಗುತ್ತಿಲ್ಲ ಯಾವ ದಿನಾಂಕ . The date on which recurring invoice will be stop,ಮರುಕಳಿಸುವ ಸರಕುಪಟ್ಟಿ ಸ್ಟಾಪ್ ಯಾವ ದಿನಾಂಕ "The day of the month on which auto invoice will be generated e.g. 05, 28 etc ", The day(s) on which you are applying for leave are holiday. You need not apply for leave.,ನೀವು ರಜೆ ಹಾಕುತ್ತಿವೆ ಮೇಲೆ ದಿನ (ಗಳು) ರಜಾ ಇವೆ . ನೀವು ಬಿಟ್ಟು ಅರ್ಜಿ ಅಗತ್ಯವಿದೆ . @@ -3136,7 +3142,6 @@ Transportation,ಸಾರಿಗೆ Transporter Info,ಸಾರಿಗೆ ಮಾಹಿತಿ Transporter Name,ಟ್ರಾನ್ಸ್ಪೋರ್ಟರ್ ಹೆಸರು Transporter lorry number,ಟ್ರಾನ್ಸ್ಪೋರ್ಟರ್ ಲಾರಿ ಸಂಖ್ಯೆ -Trash Reason,ಅನುಪಯುಕ್ತ ಕಾರಣ Travel,ಓಡಾಡು Travel Expenses,ಪ್ರಯಾಣ ವೆಚ್ಚ Tree Type,ಟ್ರೀ ಕೌಟುಂಬಿಕತೆ @@ -3264,6 +3269,7 @@ Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt Warehouse cannot be changed for Serial No.,ವೇರ್ಹೌಸ್ ನೆಯ ಬದಲಾಗಿದೆ ಸಾಧ್ಯವಿಲ್ಲ . Warehouse is mandatory for stock Item {0} in row {1},ವೇರ್ಹೌಸ್ ಸ್ಟಾಕ್ ಐಟಂ ಕಡ್ಡಾಯ {0} ಸತತವಾಗಿ {1} Warehouse is missing in Purchase Order,ವೇರ್ಹೌಸ್ ಪರ್ಚೇಸ್ ಆರ್ಡರ್ ಕಾಣೆಯಾಗಿದೆ +Warehouse not found in the system,ವ್ಯವಸ್ಥೆಯ ಕಂಡುಬಂದಿಲ್ಲ ವೇರ್ಹೌಸ್ Warehouse required for stock Item {0},ಸ್ಟಾಕ್ ಐಟಂ ಅಗತ್ಯವಿದೆ ವೇರ್ಹೌಸ್ {0} Warehouse required in POS Setting,ಪಿಓಎಸ್ ಸೆಟ್ಟಿಂಗ್ ಅಗತ್ಯವಿದೆ ವೇರ್ಹೌಸ್ Warehouse where you are maintaining stock of rejected items,ನೀವು ತಿರಸ್ಕರಿಸಿದರು ಐಟಂಗಳ ಸ್ಟಾಕ್ ನಿರ್ವಹಿಸುವುದು ಅಲ್ಲಿ ವೇರ್ಹೌಸ್ @@ -3284,6 +3290,8 @@ Warranty / AMC Status,ಖಾತರಿ / ಎಎಮ್ಸಿ ಸ್ಥಿತಿ Warranty Expiry Date,ಖಾತರಿ ಅಂತ್ಯ ದಿನಾಂಕ Warranty Period (Days),ಖಾತರಿ ಕಾಲ (ದಿನಗಳು) Warranty Period (in days),( ದಿನಗಳಲ್ಲಿ ) ಖಾತರಿ ಅವಧಿಯ +We buy this Item,ನಾವು ಈ ಐಟಂ ಖರೀದಿ +We sell this Item,ನಾವು ಈ ಐಟಂ ಮಾರಾಟ Website,ವೆಬ್ಸೈಟ್ Website Description,ವೆಬ್ಸೈಟ್ ವಿವರಣೆ Website Item Group,ಐಟಂ ಗ್ರೂಪ್ ವೆಬ್ಸೈಟ್ @@ -3364,11 +3372,13 @@ You can submit this Stock Reconciliation.,ನೀವು ಈ ಸ್ಟಾಕ್ You can update either Quantity or Valuation Rate or both.,ನೀವು ಪ್ರಮಾಣ ಅಥವಾ ಮೌಲ್ಯಾಂಕನ ದರ ಅಥವಾ ಎರಡೂ ನವೀಕರಿಸಬಹುದು. You cannot credit and debit same account at the same time,ನೀವು ಕ್ರೆಡಿಟ್ ಮತ್ತು sametime ನಲ್ಲಿ ಅದೇ ಖಾತೆಯನ್ನು ಡೆಬಿಟ್ ಸಾಧ್ಯವಿಲ್ಲ You have entered duplicate items. Please rectify and try again.,ನೀವು ನಕಲಿ ಐಟಂಗಳನ್ನು ನಮೂದಿಸಿದ್ದೀರಿ. ನಿವಾರಿಸಿಕೊಳ್ಳಲು ಹಾಗೂ ಮತ್ತೆ ಪ್ರಯತ್ನಿಸಿ . +You have unsaved changes in this form. Please save before you continue.,ನೀವು ಈ ರೂಪದಲ್ಲಿ ಬದಲಾವಣೆಗಳನ್ನು ಉಳಿಸಿಲ್ಲ. You may need to update: {0},ನೀವು ಅಪ್ಡೇಟ್ ಮಾಡಬೇಕಾಗುತ್ತದೆ ವಿಧಾನಗಳು {0} You must Save the form before proceeding,ನೀವು ಮುಂದುವರೆಯುವುದಕ್ಕೆ ಮುಂಚಿತವಾಗಿ ರೂಪ ಉಳಿಸಬೇಕು You must allocate amount before reconcile,ನೀವು ಸಮನ್ವಯಗೊಳಿಸಲು ಮೊದಲು ಪ್ರಮಾಣದ ನಿಯೋಜಿಸಿ ಮಾಡಬೇಕು Your Customer's TAX registration numbers (if applicable) or any general information,ನಿಮ್ಮ ಗ್ರಾಹಕರ ಟ್ಯಾಕ್ಸ್ ನೋಂದಣಿ ಸಂಖ್ಯೆಗಳನ್ನು ( ಒಂದು ವೇಳೆ ಅನ್ವಯಿಸಿದರೆ) ಅಥವಾ ಯಾವುದೇ ಸಾಮಾನ್ಯ ಮಾಹಿತಿ Your Customers,ನಿಮ್ಮ ಗ್ರಾಹಕರು +Your Login Id,ನಿಮ್ಮ ಲಾಗಿನ್ ID Your Products or Services,ನಿಮ್ಮ ಉತ್ಪನ್ನಗಳನ್ನು ಅಥವಾ ಸೇವೆಗಳನ್ನು Your Suppliers,ನಿಮ್ಮ ಪೂರೈಕೆದಾರರು "Your download is being built, this may take a few moments...","ನಿಮ್ಮ ಡೌನ್ಲೋಡ್ ಕಟ್ಟಲಾಗುತ್ತಿದೆ , ಈ ಜೂನ್ ಕೆಲವು ಕ್ಷಣಗಳನ್ನು ತೆಗೆದುಕೊಳ್ಳಬಹುದು ..." diff --git a/erpnext/translations/nl.csv b/erpnext/translations/nl.csv index 8f633ae972..ba9a6a4bd3 100644 --- a/erpnext/translations/nl.csv +++ b/erpnext/translations/nl.csv @@ -26,14 +26,13 @@ 'From Date' must be after 'To Date','From Date' moet na ' To Date' 'Has Serial No' can not be 'Yes' for non-stock item,' Heeft Serial No ' kan niet ' ja' voor niet- voorraad artikel 'Notification Email Addresses' not specified for recurring invoice,' Notification E-mailadressen ' niet gespecificeerd voor terugkerende factuur -'Profit and Loss' type Account {0} used be set for Opening Entry,"' Winst-en verliesrekening ""type account {0} gebruikt worden voor het openen van Entry" 'Profit and Loss' type account {0} not allowed in Opening Entry,' Winst-en verliesrekening ' accounttype {0} niet toegestaan ​​in Opening Entry 'To Case No.' cannot be less than 'From Case No.','Om Case No' kan niet minder zijn dan 'Van Case No' 'To Date' is required,' To Date' is vereist 'Update Stock' for Sales Invoice {0} must be set,'Bijwerken Stock ' voor verkoopfactuur {0} moet worden ingesteld * Will be calculated in the transaction.,* Zal worden berekend in de transactie. "1 Currency = [?] Fraction -For e.g. 1 USD = 100 Cent", +For e.g. 1 USD = 100 Cent",1 Valuta = [ ? ] Fraction \ Nfor bijv. 1. To maintain the customer wise item code and to make them searchable based on their code use this option,1. Om de klant wijzen artikelcode te behouden en om ze doorzoekbaar te maken op basis van hun code te gebruiken van deze optie 2 days ago,2 dagen geleden "Add / Edit"," toevoegen / bewerken < / a>" @@ -70,8 +69,6 @@ Account with child nodes cannot be converted to ledger,Rekening met kind nodes k Account with existing transaction can not be converted to group.,Rekening met bestaande transactie kan niet worden omgezet in groep . Account with existing transaction can not be deleted,Rekening met bestaande transactie kan niet worden verwijderd Account with existing transaction cannot be converted to ledger,Rekening met bestaande transactie kan niet worden geconverteerd naar grootboek -Account {0} already exists,Account {0} bestaat al -Account {0} can only be updated via Stock Transactions,Account {0} kan alleen worden bijgewerkt via Stock Transacties Account {0} cannot be a Group,Account {0} kan een groep niet Account {0} does not belong to Company {1},Account {0} behoort niet tot Company {1} Account {0} does not exist,Account {0} bestaat niet @@ -79,8 +76,9 @@ Account {0} has been entered more than once for fiscal year {1},Account {0} is i Account {0} is frozen,Account {0} is bevroren Account {0} is inactive,Account {0} is niet actief Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item,Account {0} moet van het type ' vaste activa ' zijn zoals Item {1} is een actiefpost -Account {0} must be sames as Credit To Account in Purchase Invoice in row {0},Account {0} moet sames als Credit rekening te houden in de inkoopfactuur in rij {0} -Account {0} must be sames as Debit To Account in Sales Invoice in row {0},Account {0} moet sames als Debet rekening te houden in de verkoopfactuur in rij {0} +"Account: {0} can only be updated via \ + Stock Transactions",Account : {0} kan alleen via \ bijgewerkt \ n Stock Transacties +Accountant,accountant Accounting,Rekening "Accounting Entries can be made against leaf nodes, called","Boekingen kunnen worden gemaakt tegen leaf nodes , genaamd" "Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","Boekhoudkundige afschrijving bevroren tot deze datum, kan niemand / te wijzigen toegang behalve rol hieronder aangegeven." @@ -145,10 +143,13 @@ Address Title is mandatory.,Adres titel is verplicht. Address Type,Adrestype Address master.,Adres meester . Administrative Expenses,administratieve Lasten +Administrative Officer,Administrative Officer Advance Amount,Advance Bedrag Advance amount,Advance hoeveelheid Advances,Vooruitgang Advertisement,Advertentie +Advertising,advertentie- +Aerospace,ruimte After Sale Installations,Na Verkoop Installaties Against,Tegen Against Account,Tegen account @@ -157,9 +158,11 @@ Against Docname,Tegen Docname Against Doctype,Tegen Doctype Against Document Detail No,Tegen Document Detail Geen Against Document No,Tegen document nr. +Against Entries,tegen Entries Against Expense Account,Tegen Expense Account Against Income Account,Tegen Inkomen account Against Journal Voucher,Tegen Journal Voucher +Against Journal Voucher {0} does not have any unmatched {1} entry,Tegen Journal Voucher {0} heeft geen ongeëvenaarde {1} toegang hebben Against Purchase Invoice,Tegen Aankoop Factuur Against Sales Invoice,Tegen Sales Invoice Against Sales Order,Tegen klantorder @@ -171,6 +174,8 @@ Ageing date is mandatory for opening entry,Vergrijzing datum is verplicht voor h Agent,Agent Aging Date,Aging Datum Aging Date is mandatory for opening entry,Veroudering Date is verplicht voor het openen van binnenkomst +Agriculture,landbouw +Airline,vliegmaatschappij All Addresses.,Alle adressen. All Contact,Alle Contact All Contacts.,Alle contactpersonen. @@ -188,14 +193,18 @@ All Supplier Types,Alle Leverancier Types All Territories,Alle gebieden "All export related fields like currency, conversion rate, export total, export grand total etc are available in Delivery Note, POS, Quotation, Sales Invoice, Sales Order etc.","Alle export gerelateerde gebieden zoals valuta , wisselkoers , export totaal, export eindtotaal enz. zijn beschikbaar in Delivery Note , POS , Offerte , verkoopfactuur , Sales Order etc." "All import related fields like currency, conversion rate, import total, import grand total etc are available in Purchase Receipt, Supplier Quotation, Purchase Invoice, Purchase Order etc.","Alle import gerelateerde gebieden zoals valuta , wisselkoers , import totaal, import eindtotaal enz. zijn beschikbaar in aankoopbewijs Leverancier offerte, factuur , bestelbon enz." +All items have already been invoiced,Alle items zijn reeds gefactureerde All items have already been transferred for this Production Order.,Alle items zijn reeds overgedragen voor deze productieorder . All these items have already been invoiced,Al deze items zijn reeds gefactureerde Allocate,Toewijzen +Allocate Amount Automatically,Toe te wijzen bedrag automatisch Allocate leaves for a period.,Toewijzen bladeren voor een periode . Allocate leaves for the year.,Wijs bladeren voor het jaar. Allocated Amount,Toegewezen bedrag Allocated Budget,Toegekende budget Allocated amount,Toegewezen bedrag +Allocated amount can not be negative,Toegekende bedrag kan niet negatief zijn +Allocated amount can not greater than unadusted amount,Toegekende bedrag kan niet hoger zijn dan unadusted bedrag Allow Bill of Materials,Laat Bill of Materials Allow Bill of Materials should be 'Yes'. Because one or many active BOMs present for this item,Laat Bill of Materials moet 'ja ' . Omdat een of veel actieve stuklijsten voor dit artikel aanwezig Allow Children,Kinderen laten @@ -223,10 +232,12 @@ Amount to Bill,Neerkomen op Bill An Customer exists with same name,Een klant bestaat met dezelfde naam "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" "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" +Analyst,analist Annual,jaar- Another Period Closing Entry {0} has been made after {1},Een ander Periode sluitpost {0} is gemaakt na {1} Another Salary Structure {0} is active for employee {0}. Please make its status 'Inactive' to proceed.,Een andere salarisstructuur {0} is actief voor werknemer {0} . Maak dan de status ' Inactief ' om verder te gaan . "Any other comments, noteworthy effort that should go in the records.","Eventuele andere opmerkingen, opmerkelijke inspanning die moet gaan in de administratie." +Apparel & Accessories,Kleding & Toebehoren Applicability,toepasselijkheid Applicable For,Toepasselijk voor Applicable Holiday List,Toepasselijk Holiday Lijst @@ -248,6 +259,7 @@ Appraisal Template,Beoordeling Sjabloon Appraisal Template Goal,Beoordeling Sjabloon Doel Appraisal Template Title,Beoordeling Template titel Appraisal {0} created for Employee {1} in the given date range,Beoordeling {0} gemaakt voor Employee {1} in de bepaalde periode +Apprentice,leerling Approval Status,Goedkeuringsstatus Approval Status must be 'Approved' or 'Rejected',Goedkeuring Status moet worden ' goedgekeurd ' of ' Afgewezen ' Approved,Aangenomen @@ -264,9 +276,12 @@ Arrear Amount,Achterstallig bedrag As per Stock UOM,Per Stock Verpakking "As there are existing stock transactions for this item, you can not change the values of 'Has Serial No', 'Is Stock Item' and 'Valuation Method'","Want er zijn bestaande voorraad transacties voor dit artikel , kunt u de waarden van ' Has Serial No ' niet veranderen , ' Is Stock Item ' en ' Valuation Method '" Ascending,Oplopend +Asset,aanwinst Assign To,Toewijzen aan Assigned To,toegewezen aan Assignments,opdrachten +Assistant,assistent +Associate,associëren Atleast one warehouse is mandatory,Tenminste een magazijn is verplicht Attach Document Print,Bevestig Document Print Attach Image,Bevestig Afbeelding @@ -293,6 +308,7 @@ Automatically compose message on submission of transactions.,Bericht automatisch Automatically extract Job Applicants from a mail box , Automatically extract Leads from a mail box e.g.,Leads automatisch extraheren uit een brievenbus bijv. Automatically updated via Stock Entry of type Manufacture/Repack,Automatisch geüpdate via Stock positie van het type Vervaardiging / Verpak +Automotive,Automotive Autoreply when a new mail is received,Autoreply wanneer er een nieuwe e-mail wordt ontvangen Available,beschikbaar Available Qty at Warehouse,Qty bij Warehouse @@ -333,6 +349,7 @@ Bank Account,Bankrekening Bank Account No.,Bank Account Nr Bank Accounts,bankrekeningen Bank Clearance Summary,Bank Ontruiming Samenvatting +Bank Draft,Bank Draft Bank Name,Naam van de bank Bank Overdraft Account,Bank Overdraft Account Bank Reconciliation,Bank Verzoening @@ -340,6 +357,7 @@ Bank Reconciliation Detail,Bank Verzoening Detail Bank Reconciliation Statement,Bank Verzoening Statement Bank Voucher,Bank Voucher Bank/Cash Balance,Bank / Geldsaldo +Banking,bank Barcode,Barcode Barcode {0} already used in Item {1},Barcode {0} al gebruikt in post {1} Based On,Gebaseerd op @@ -348,7 +366,6 @@ Basic Info,Basic Info Basic Information,Basisinformatie Basic Rate,Basic Rate Basic Rate (Company Currency),Basic Rate (Company Munt) -Basic Section,Basis Sectie Batch,Partij Batch (lot) of an Item.,Batch (lot) van een item. Batch Finished Date,Batch Afgewerkt Datum @@ -377,6 +394,7 @@ Bills raised by Suppliers.,Rekeningen die door leveranciers. Bills raised to Customers.,Bills verhoogd tot klanten. Bin,Bak Bio,Bio +Biotechnology,biotechnologie Birthday,verjaardag Block Date,Blokkeren Datum Block Days,Blokkeren Dagen @@ -393,6 +411,8 @@ Brand Name,Merknaam Brand master.,Brand meester. Brands,Merken Breakdown,Storing +Broadcasting,omroep +Brokerage,makelarij Budget,Begroting Budget Allocated,Budget Budget Detail,Budget Detail @@ -405,6 +425,7 @@ Budget cannot be set for Group Cost Centers,Begroting kan niet worden ingesteld Build Report,Build Report Built on,gebouwd op Bundle items at time of sale.,Bundel artikelen op moment van verkoop. +Business Development Manager,Business Development Manager Buying,Het kopen Buying & Selling,Kopen en verkopen Buying Amount,Kopen Bedrag @@ -484,7 +505,6 @@ Charity and Donations,Liefdadigheid en Donaties Chart Name,grafiek Chart of Accounts,Rekeningschema Chart of Cost Centers,Grafiek van Kostenplaatsen -Check for Duplicates,Controleren op duplicaten Check how the newsletter looks in an email by sending it to your email.,Controleer hoe de nieuwsbrief eruit ziet in een e-mail door te sturen naar uw e-mail. "Check if recurring invoice, uncheck to stop recurring or put proper End Date","Controleer of terugkerende factuur, schakelt u om te stoppen met terugkerende of zet de juiste Einddatum" "Check if you need automatic recurring invoices. After submitting any sales invoice, Recurring section will be visible.","Controleer of u de automatische terugkerende facturen. Na het indienen van elke verkoop factuur, zal terugkerende sectie zichtbaar zijn." @@ -496,6 +516,7 @@ Check this to pull emails from your mailbox,Vink dit aan om e-mails uit je mailb Check to activate,Controleer activeren Check to make Shipping Address,Controleer Verzendadres maken Check to make primary address,Controleer primaire adres maken +Chemical,chemisch Cheque,Cheque Cheque Date,Cheque Datum Cheque Number,Cheque nummer @@ -535,6 +556,7 @@ Comma separated list of email addresses,Komma's gescheiden lijst van e-maila Comment,Commentaar Comments,Reacties Commercial,commercieel +Commission,commissie Commission Rate,Commissie Rate Commission Rate (%),Commissie Rate (%) Commission on Sales,Commissie op de verkoop @@ -568,6 +590,7 @@ Completed Production Orders,Voltooide productieorders Completed Qty,Voltooide Aantal Completion Date,Voltooiingsdatum Completion Status,Afronding Status +Computer,computer Computers,Computers Confirmation Date,bevestiging Datum Confirmed orders from Customers.,Bevestigde orders van klanten. @@ -575,10 +598,12 @@ Consider Tax or Charge for,Overweeg belasting of heffing voor Considered as Opening Balance,Beschouwd als Opening Balance Considered as an Opening Balance,Beschouwd als een openingsbalans Consultant,Consultant +Consulting,raadgevend Consumable,verbruiksartikelen Consumable Cost,verbruiksartikelen Cost Consumable cost per hour,Verbruiksartikelen kosten per uur Consumed Qty,Consumed Aantal +Consumer Products,Consumer Products Contact,Contact Contact Control,Contact Controle Contact Desc,Contact Desc @@ -596,6 +621,7 @@ Contacts,contacten Content,Inhoud Content Type,Content Type Contra Voucher,Contra Voucher +Contract,contract Contract End Date,Contract Einddatum Contract End Date must be greater than Date of Joining,Contract Einddatum moet groter zijn dan Datum van Deelnemen zijn Contribution (%),Bijdrage (%) @@ -611,10 +637,10 @@ Convert to Ledger,Converteren naar Ledger Converted,Omgezet Copy,Kopiëren Copy From Item Group,Kopiëren van Item Group +Cosmetics,schoonheidsmiddelen Cost Center,Kostenplaats Cost Center Details,Kosten Center Details Cost Center Name,Kosten Center Naam -Cost Center Name already exists,Kostenplaats Naam bestaat al Cost Center is mandatory for Item {0},Kostenplaats is verplicht voor post {0} Cost Center is required for 'Profit and Loss' account {0},Kostenplaats is vereist voor ' winst-en verliesrekening ' rekening {0} Cost Center is required in row {0} in Taxes table for type {1},Kostenplaats is vereist in regel {0} in Belastingen tabel voor type {1} @@ -648,6 +674,7 @@ Creation Time,Aanmaaktijd Credentials,Geloofsbrieven Credit,Krediet Credit Amt,Credit Amt +Credit Card,creditkaart Credit Card Voucher,Credit Card Voucher Credit Controller,Credit Controller Credit Days,Credit Dagen @@ -696,6 +723,7 @@ Customer Issue,Probleem voor de klant Customer Issue against Serial No.,Klant Kwestie tegen Serienummer Customer Name,Klantnaam Customer Naming By,Klant Naming Door +Customer Service,Klantenservice Customer database.,Klantenbestand. Customer is required,Opdrachtgever is verplicht Customer master.,Klantstam . @@ -739,7 +767,6 @@ Debit Amt,Debet Amt Debit Note,Debetnota Debit To,Debitering van Debit and Credit not equal for this voucher. Difference is {0}.,Debet en Credit niet gelijk voor deze bon . Verschil is {0} . -Debit must equal Credit. The difference is {0},Debet Credit moeten evenaren. Het verschil is {0} Deduct,Aftrekken Deduction,Aftrek Deduction Type,Aftrek Type @@ -779,6 +806,7 @@ Default settings for accounting transactions.,Standaardinstellingen voor boekhou Default settings for buying transactions.,Standaardinstellingen voor het kopen van transacties . Default settings for selling transactions.,Standaardinstellingen voor verkooptransacties . Default settings for stock transactions.,Standaardinstellingen voor effectentransacties . +Defense,defensie "Define Budget for this Cost Center. To set budget action, see Company Master","Definieer budget voor deze kostenplaats. Om de begroting actie in te stellen, zie Company Master" Delete,Verwijder Delete Row,Rij verwijderen @@ -805,19 +833,23 @@ Delivery Status,Delivery Status Delivery Time,Levertijd Delivery To,Levering To Department,Afdeling +Department Stores,Warenhuizen Depends on LWP,Afhankelijk van LWP Depreciation,waardevermindering Descending,Aflopend Description,Beschrijving Description HTML,Beschrijving HTML Designation,Benaming +Designer,ontwerper Detailed Breakup of the totals,Gedetailleerde Breakup van de totalen Details,Details -Difference,Verschil +Difference (Dr - Cr),Verschil ( Dr - Cr ) Difference Account,verschil Account +"Difference Account must be a 'Liability' type account, since this Stock Reconciliation is an Opening Entry","Moet verschil account een ' Aansprakelijkheid ' account type te zijn , aangezien dit Stock Verzoening is een Opening Entry" 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 Verpakking voor items zal leiden tot een onjuiste (Totaal ) Netto gewicht waarde . Zorg ervoor dat Netto gewicht van elk item is in dezelfde Verpakking . Direct Expenses,directe kosten Direct Income,direct Inkomen +Director,directeur Disable,onbruikbaar maken Disable Rounded Total,Uitschakelen Afgeronde Totaal Disabled,Invalide @@ -829,6 +861,7 @@ Discount Amount,korting Bedrag Discount Percentage,kortingspercentage Discount must be less than 100,Korting moet minder dan 100 zijn Discount(%),Korting (%) +Dispatch,verzending Display all the individual items delivered with the main items,Toon alle afzonderlijke onderdelen geleverd met de belangrijkste onderwerpen Distribute transport overhead across items.,Verdeel het vervoer overhead van verschillende items. Distribution,Distributie @@ -863,7 +896,7 @@ Download Template,Download Template Download a report containing all raw materials with their latest inventory status,Download een verslag met alle grondstoffen met hun nieuwste inventaris status "Download the Template, fill appropriate data and attach the modified file.","Download de Template , vul de juiste gegevens en bevestig het gewijzigde bestand ." "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", +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 en bevestig het gewijzigde bestand . \ NAlle dateert en werknemer combinatie in de gekozen periode zal komen in de template , met bestaande presentielijsten" Draft,Ontwerp Drafts,Concepten Drag to sort columns,Sleep om te sorteren kolommen @@ -876,11 +909,10 @@ Due Date cannot be after {0},Due Date mag niet na {0} Due Date cannot be before Posting Date,Einddatum kan niet voor de Boekingsdatum Duplicate Entry. Please check Authorization Rule {0},Dubbele vermelding . Controleer Authorization Regel {0} Duplicate Serial No entered for Item {0},Duplicate Serial Geen ingevoerd voor post {0} +Duplicate entry,dubbele vermelding Duplicate row {0} with same {1},Duplicate rij {0} met dezelfde {1} Duties and Taxes,Accijnzen en invoerrechten ERPNext Setup,ERPNext Setup -ESIC CARD No,ESIC CARD Geen -ESIC No.,ESIC Nee Earliest,vroegste Earnest Money,Earnest Money Earning,Verdienen @@ -889,6 +921,7 @@ Earning Type,Verdienen Type Earning1,Earning1 Edit,Redigeren Editable,Bewerkbare +Education,onderwijs Educational Qualification,Educatieve Kwalificatie Educational Qualification Details,Educatieve Kwalificatie Details Eg. smsgateway.com/api/send_sms.cgi,Bijv. smsgateway.com / api / send_sms.cgi @@ -898,6 +931,7 @@ Either target qty or target amount is mandatory.,Ofwel doelwit aantal of streefb Electrical,elektrisch Electricity Cost,elektriciteitskosten Electricity cost per hour,Kosten elektriciteit per uur +Electronics,elektronica Email,E-mail Email Digest,E-mail Digest Email Digest Settings,E-mail Digest Instellingen @@ -931,7 +965,6 @@ Employee Records to be created by,Werknemer Records worden gecreëerd door Employee Settings,werknemer Instellingen Employee Type,Type werknemer "Employee designation (e.g. CEO, Director etc.).","Werknemer aanduiding ( bijv. CEO , directeur enz. ) ." -Employee grade.,Werknemer rang. Employee master.,Werknemer meester . Employee record is created using selected field. ,Werknemer record wordt gemaakt met behulp van geselecteerde veld. Employee records.,Employee records. @@ -949,6 +982,8 @@ End Date,Einddatum End Date can not be less than Start Date,Einddatum kan niet lager zijn dan startdatum End date of current invoice's period,Einddatum van de periode huidige factuur's End of Life,End of Life +Energy,energie +Engineer,ingenieur Enter Value,Waarde invoeren Enter Verification Code,Voer Verification Code Enter campaign name if the source of lead is campaign.,Voer naam voor de campagne als de bron van lood is campagne. @@ -961,6 +996,7 @@ Enter name of campaign if source of enquiry is campaign,Voer de naam van de camp Enter the company name under which Account Head will be created for this Supplier,Voer de bedrijfsnaam waaronder Account hoofd zal worden aangemaakt voor dit bedrijf Enter url parameter for message,Voer URL-parameter voor bericht Enter url parameter for receiver nos,Voer URL-parameter voor de ontvanger nos +Entertainment & Leisure,Uitgaan & Vrije Tijd Entertainment Expenses,representatiekosten Entries,Inzendingen Entries against,inzendingen tegen @@ -972,10 +1008,12 @@ Error: {0} > {1},Fout : {0} > {1} Estimated Material Cost,Geschatte Materiaal Kosten Everyone can read,Iedereen kan lezen "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.", +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.","Voorbeeld : . ABCD # # # # # \ nAls serie speelt zich af en volgnummer wordt niet bij transacties vermeld , dan is automatische serienummer zal worden gemaakt op basis van deze serie ." Exchange Rate,Wisselkoers Excise Page Number,Accijnzen Paginanummer Excise Voucher,Accijnzen Voucher +Execution,uitvoering +Executive Search,Executive Search Exemption Limit,Vrijstelling Limit Exhibition,Tentoonstelling Existing Customer,Bestaande klant @@ -990,6 +1028,7 @@ Expected Delivery Date cannot be before Purchase Order Date,Verwachte leverdatum Expected Delivery Date cannot be before Sales Order Date,Verwachte leverdatum kan voordat Sales Order Date niet Expected End Date,Verwachte einddatum Expected Start Date,Verwachte startdatum +Expense,kosten Expense Account,Expense Account Expense Account is mandatory,Expense Account is verplicht Expense Claim,Expense Claim @@ -1007,7 +1046,7 @@ Expense Date,Expense Datum Expense Details,Expense Details Expense Head,Expense Hoofd Expense account is mandatory for item {0},Kostenrekening is verplicht voor punt {0} -Expense or Difference account is mandatory for Item {0} as there is difference in value,Kosten of Difference account is verplicht voor post {0} omdat er verschil in waarde +Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Kosten of Difference account is verplicht voor post {0} als het invloed totale voorraadwaarde Expenses,uitgaven Expenses Booked,Kosten geboekt Expenses Included In Valuation,Kosten inbegrepen In Valuation @@ -1034,13 +1073,11 @@ File,Bestand Files Folder ID,Bestanden Folder ID Fill the form and save it,Vul het formulier in en sla het Filter,Filteren -Filter By Amount,Filteren op Bedrag -Filter By Date,Filter op datum Filter based on customer,Filteren op basis van klant Filter based on item,Filteren op basis van artikel -Final Confirmation Date must be greater than Date of Joining,Definitieve bevestiging Datum moet groter zijn dan Datum van Deelnemen zijn Financial / accounting year.,Financiële / boekjaar . Financial Analytics,Financiële Analytics +Financial Services,Financial Services Financial Year End Date,Boekjaar Einddatum Financial Year Start Date,Boekjaar Startdatum Finished Goods,afgewerkte producten @@ -1052,6 +1089,7 @@ Fixed Assets,vaste activa Follow via Email,Volg via e-mail "Following table will show values if items are sub - contracted. These values will be fetched from the master of ""Bill of Materials"" of sub - contracted items.",Na tafel zal waarden als items zijn sub - gecontracteerde. Deze waarden zullen worden opgehaald van de meester van de "Bill of Materials" van sub - gecontracteerde items. Food,voedsel +"Food, Beverage & Tobacco","Voedsel , drank en tabak" For Company,Voor Bedrijf For Employee,Uitvoeringsinstituut Werknemersverzekeringen For Employee Name,Voor Naam werknemer @@ -1106,6 +1144,7 @@ Frozen,Bevroren Frozen Accounts Modifier,Bevroren rekeningen Modifikatie Fulfilled,Vervulde Full Name,Volledige naam +Full-time,Full -time Fully Completed,Volledig ingevulde Furniture and Fixture,Meubilair en Inrichting Further accounts can be made under Groups but entries can be made against Ledger,"Verder rekeningen kunnen onder Groepen worden gemaakt, maar data kan worden gemaakt tegen Ledger" @@ -1125,14 +1164,15 @@ Generates HTML to include selected image in the description,Genereert HTML aan g Get,Krijgen Get Advances Paid,Get betaalde voorschotten Get Advances Received,Get ontvangen voorschotten +Get Against Entries,Krijgen Tegen Entries Get Current Stock,Get Huidige voorraad Get From ,Get Van Get Items,Get Items Get Items From Sales Orders,Krijg Items Van klantorders Get Items from BOM,Items ophalen van BOM Get Last Purchase Rate,Get Laatst Purchase Rate -Get Non Reconciled Entries,Get Niet Reconciled reacties Get Outstanding Invoices,Get openstaande facturen +Get Relevant Entries,Krijgen relevante gegevens Get Sales Orders,Get Verkooporders Get Specification Details,Get Specificatie Details Get Stock and Rate,Get voorraad en Rate @@ -1151,14 +1191,13 @@ Goods received from Suppliers.,Goederen ontvangen van leveranciers. Google Drive,Google Drive Google Drive Access Allowed,Google Drive Access toegestaan Government,overheid -Grade,Graad Graduate,Afstuderen Grand Total,Algemeen totaal Grand Total (Company Currency),Grand Total (Company Munt) -Gratuity LIC ID,Fooi LIC ID Greater or equals,Groter of gelijk Greater than,groter dan "Grid ""","Grid """ +Grocery,kruidenierswinkel Gross Margin %,Winstmarge% Gross Margin Value,Winstmarge Value Gross Pay,Brutoloon @@ -1173,6 +1212,7 @@ Group by Account,Groep door Account Group by Voucher,Groep door Voucher Group or Ledger,Groep of Ledger Groups,Groepen +HR Manager,HR Manager HR Settings,HR-instellingen HTML / Banner that will show on the top of product list.,HTML / Banner dat zal laten zien op de bovenkant van het product lijst. Half Day,Halve dag @@ -1183,7 +1223,9 @@ Hardware,hardware Has Batch No,Heeft Batch nr. Has Child Node,Heeft het kind Node Has Serial No,Heeft Serienummer +Head of Marketing and Sales,Hoofd Marketing en Sales Header,Hoofd +Health Care,Gezondheidszorg Health Concerns,Gezondheid Zorgen Health Details,Gezondheid Details Held On,Held Op @@ -1266,6 +1308,7 @@ In Words will be visible once you save the Sales Invoice.,In Woorden zijn zichtb In Words will be visible once you save the Sales Order.,In Woorden zijn zichtbaar zodra u bespaart de Verkooporder. In response to,In reactie op Incentives,Incentives +Include Reconciled Entries,Omvatten Reconciled Entries Include holidays in Total no. of Working Days,Onder meer vakanties in Total nee. van Werkdagen Income,inkomen Income / Expense,Inkomsten / Uitgaven @@ -1302,7 +1345,9 @@ Installed Qty,Aantal geïnstalleerd Instructions,Instructies Integrate incoming support emails to Support Ticket,Integreer inkomende support e-mails naar ticket support Interested,Geïnteresseerd +Intern,intern Internal,Intern +Internet Publishing,internet Publishing Introduction,Introductie Invalid Barcode or Serial No,Ongeldige streepjescode of Serienummer Invalid Email: {0},Ongeldig E-mail : {0} @@ -1313,6 +1358,7 @@ Invalid User Name or Support Password. Please rectify and try again.,Ongeldige g Invalid quantity specified for item {0}. Quantity should be greater than 0.,Ongeldig aantal opgegeven voor product {0} . Hoeveelheid moet groter zijn dan 0 . Inventory,Inventaris Inventory & Support,Inventarisatie & Support +Investment Banking,Investment Banking Investments,investeringen Invoice Date,Factuurdatum Invoice Details,Factuurgegevens @@ -1430,6 +1476,9 @@ Item-wise Purchase History,Post-wise Aankoop Geschiedenis Item-wise Purchase Register,Post-wise Aankoop Register Item-wise Sales History,Post-wise Sales Geschiedenis Item-wise Sales Register,Post-wise sales Registreren +"Item: {0} managed batch-wise, can not be reconciled using \ + Stock Reconciliation, instead use Stock Entry","Item: {0} beheerd batchgewijs , niet kan worden verzoend met behulp van \ \ n Stock Verzoening , in plaats daarvan gebruik Stock Entry" +Item: {0} not found in the system,Item: {0} niet gevonden in het systeem Items,Artikelen Items To Be Requested,Items worden aangevraagd Items required,items nodig @@ -1448,9 +1497,10 @@ Journal Entry,Journal Entry Journal Voucher,Journal Voucher Journal Voucher Detail,Journal Voucher Detail Journal Voucher Detail No,Journal Voucher Detail Geen -Journal Voucher {0} does not have account {1}.,Journal Voucher {0} heeft geen rekening {1} . +Journal Voucher {0} does not have account {1} or already matched,Journal Voucher {0} heeft geen rekening {1} of al geëvenaard Journal Vouchers {0} are un-linked,Dagboek Vouchers {0} zijn niet- verbonden Keep a track of communication related to this enquiry which will help for future reference.,Houd een spoor van communicatie met betrekking tot dit onderzoek dat zal helpen voor toekomstig gebruik. +Keep it web friendly 900px (w) by 100px (h),Houd het web vriendelijk 900px ( w ) door 100px ( h ) Key Performance Area,Key Performance Area Key Responsibility Area,Belangrijke verantwoordelijkheid Area Kg,kg @@ -1506,7 +1556,6 @@ Leave blank if considered for all branches,Laat leeg indien dit voor alle vestig Leave blank if considered for all departments,Laat leeg indien dit voor alle afdelingen Leave blank if considered for all designations,Laat leeg indien overwogen voor alle aanduidingen Leave blank if considered for all employee types,Laat leeg indien overwogen voor alle werknemer soorten -Leave blank if considered for all grades,Laat leeg indien dit voor alle soorten "Leave can be approved by users with Role, ""Leave Approver""",Laat kan worden goedgekeurd door gebruikers met Role: "Laat Fiatteur" Leave of type {0} cannot be longer than {1},Verlof van type {0} kan niet langer zijn dan {1} Leaves Allocated Successfully for {0},Bladeren succesvol Toegewezen voor {0} @@ -1515,6 +1564,7 @@ Leaves must be allocated in multiples of 0.5,"Bladeren moeten in veelvouden van Ledger,Grootboek Ledgers,grootboeken Left,Links +Legal,wettelijk Legal Expenses,Juridische uitgaven Less or equals,Minder of gelijk Less than,minder dan @@ -1522,16 +1572,16 @@ Letter Head,Brief Hoofd Letter Heads for print templates.,Letter Heads voor print templates . Level,Niveau Lft,Lft +Liability,aansprakelijkheid Like,zoals Linked With,Linked Met List,Lijst List a few of your customers. They could be organizations or individuals.,Lijst een paar van uw klanten. Ze kunnen organisaties of personen . List a few of your suppliers. They could be organizations or individuals.,Lijst een paar van uw leveranciers . Ze kunnen organisaties of personen . -"List a few products or services you buy from your suppliers or vendors. If these are same as your products, then do not add them.","Lijst een paar producten of diensten die u koopt bij uw leveranciers of verkopers . Als deze hetzelfde zijn als uw producten , dan is ze niet toe te voegen ." List items that form the package.,Lijst items die het pakket vormen. List this Item in multiple groups on the website.,Lijst deze post in meerdere groepen op de website. -"List your products or services that you sell to your customers. 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 verkoopt aan uw klanten . Zorg ervoor dat u de artikelgroep , maateenheid en andere eigenschappen te controleren wanneer u begint ." -"List your tax heads (e.g. VAT, Excise) (upto 3) and their standard rates. This will create a standard template, you can edit and add more later.","Een lijst van uw fiscale koppen ( zoals btw , accijnzen ) ( tot 3 ) en hun standaard tarieven. Dit zal een standaard template te maken, kunt u deze bewerken en voeg later meer ." +"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 . +"List your tax heads (e.g. VAT, Excise; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Een lijst van uw fiscale koppen ( zoals btw , accijnzen , ze moeten unieke namen hebben ) en hun standaard tarieven." Loading,Het laden Loading Report,Laden Rapport Loading...,Loading ... @@ -1598,6 +1648,8 @@ Manage Customer Group Tree.,Beheer Customer Group Boom . Manage Sales Person Tree.,Beheer Sales Person Boom . Manage Territory Tree.,Beheer Grondgebied Boom. Manage cost of operations,Beheer kosten van de operaties +Management,beheer +Manager,Manager Mandatory fields required in {0},Verplichte velden zijn verplicht in {0} Mandatory filters required:\n,Verplichte filters nodig : \ n "Mandatory if Stock Item is ""Yes"". Also the default warehouse where reserved quantity is set from Sales Order.",Verplicht als Stock Item is "ja". Ook de standaard opslagplaats waar de gereserveerde hoeveelheid is ingesteld van Sales Order. @@ -1614,6 +1666,7 @@ Manufacturing Quantity is mandatory,Manufacturing Kwantiteit is verplicht Margin,Marge Marital Status,Burgerlijke staat Market Segment,Marktsegment +Marketing,afzet Marketing Expenses,marketingkosten Married,Getrouwd Mass Mailing,Mass Mailing @@ -1640,6 +1693,7 @@ Material Requirement,Material Requirement Material Transfer,Materiaaloverdracht Materials,Materieel Materials Required (Exploded),Benodigde materialen (Exploded) +Max 5 characters,Max. 5 tekens Max Days Leave Allowed,Max Dagen Laat toegestaan Max Discount (%),Max Korting (%) Max Qty,Max Aantal @@ -1648,7 +1702,7 @@ Maximum {0} rows allowed,Maximum {0} rijen toegestaan Maxiumm discount for Item {0} is {1}%,Maxiumm korting voor post {0} is {1} % Medical,medisch Medium,Medium -"Merging is only possible if following properties are same in both records. Group or Ledger, Report Type, Company","Samenvoegen is alleen mogelijk als volgende eigenschappen zijn hetzelfde in beide dossiers . Groep of Ledger , Soort rapport Company" +"Merging is only possible if following properties are same in both records. Group or Ledger, Root Type, Company",Samenvoegen is alleen mogelijk als volgende eigenschappen zijn hetzelfde in beide dossiers . Message,Bericht Message Parameter,Bericht Parameter Message Sent,bericht verzonden @@ -1662,6 +1716,7 @@ Milestones,Mijlpalen Milestones will be added as Events in the Calendar,Mijlpalen worden toegevoegd als evenementen in deze kalender Min Order Qty,Minimum Aantal Min Qty,min Aantal +Min Qty can not be greater than Max Qty,Min Aantal kan niet groter zijn dan Max Aantal zijn Minimum Order Qty,Minimum Aantal Minute,minuut Misc Details,Misc Details @@ -1684,6 +1739,7 @@ Monthly salary statement.,Maandsalaris verklaring. More,Meer More Details,Meer details More Info,Meer info +Motion Picture & Video,Motion Picture & Video Move Down: {0},Omlaag : {0} Move Up: {0},Move Up : {0} Moving Average,Moving Average @@ -1691,6 +1747,9 @@ Moving Average Rate,Moving Average Rate Mr,De heer Ms,Mevrouw Multiple Item prices.,Meerdere Artikelprijzen . +"Multiple Price Rule exists with same criteria, please resolve \ + conflict by assigning priority. Price Rules: {0}","Prijs Regel Meerdere bestaat met dezelfde criteria , dan kunt u oplossen \ \ n conflict door het toekennen van prioriteit." +Music,muziek Must be Whole Number,Moet heel getal zijn My Settings,Mijn instellingen Name,Naam @@ -1702,7 +1761,9 @@ Name not permitted,Naam niet toegestaan Name of person or organization that this address belongs to.,Naam van de persoon of organisatie die dit adres behoort. Name of the Budget Distribution,Naam van de begroting Distribution Naming Series,Benoemen Series +Negative Quantity is not allowed,Negatieve Hoeveelheid is niet toegestaan Negative Stock Error ({6}) for Item {0} in Warehouse {1} on {2} {3} in {4} {5},Negatieve Stock Error ( {6} ) voor post {0} in Pakhuis {1} op {2} {3} in {4} {5} +Negative Valuation Rate is not allowed,Negatieve waardering Rate is niet toegestaan Negative balance in Batch {0} for Item {1} at Warehouse {2} on {3} {4},Negatief saldo in Lot {0} voor post {1} bij Warehouse {2} op {3} {4} Net Pay,Nettoloon Net Pay (in words) will be visible once you save the Salary Slip.,Netto loon (in woorden) zal zichtbaar zodra het opslaan van de loonstrook. @@ -1750,6 +1811,7 @@ Newsletter Status,Nieuwsbrief Status Newsletter has already been sent,Newsletter reeds verzonden Newsletters is not allowed for Trial users,Nieuwsbrieven is niet toegestaan ​​voor Trial gebruikers "Newsletters to contacts, leads.","Nieuwsbrieven naar contacten, leidt." +Newspaper Publishers,Newspaper Publishers Next,volgende Next Contact By,Volgende Contact Door Next Contact Date,Volgende Contact Datum @@ -1773,17 +1835,18 @@ No Results,geen resultaten No Supplier Accounts found. Supplier Accounts are identified based on 'Master Type' value in account record.,Geen Leverancier Accounts gevonden . Leverancier Accounts worden geïdentificeerd op basis van 'Master Type' waarde in rekening te nemen. No accounting entries for the following warehouses,Geen boekingen voor de volgende magazijnen No addresses created,Geen adressen aangemaakt -No amount allocated,Geen bedrag toegewezen No contacts created,Geen contacten gemaakt No default BOM exists for Item {0},Geen standaard BOM bestaat voor post {0} No description given,Geen beschrijving gegeven No document selected,Geen document geselecteerd No employee found,Geen enkele werknemer gevonden +No employee found!,Geen enkele werknemer gevonden ! No of Requested SMS,Geen van de gevraagde SMS No of Sent SMS,Geen van Sent SMS No of Visits,Geen van bezoeken No one,Niemand No permission,geen toestemming +No permission to '{0}' {1},Geen toestemming om ' {0} ' {1} No permission to edit,Geen toestemming te bewerken No record found,Geen record gevonden No records tagged.,Geen records gelabeld. @@ -1843,6 +1906,7 @@ Old Parent,Oude Parent On Net Total,On Net Totaal On Previous Row Amount,Op de vorige toer Bedrag On Previous Row Total,Op de vorige toer Totaal +Online Auctions,online Veilingen Only Leave Applications with status 'Approved' can be submitted,Alleen Laat Toepassingen met de status ' Goedgekeurd ' kunnen worden ingediend "Only Serial Nos with status ""Available"" can be delivered.","Alleen serienummers met de status ""Beschikbaar"" kan worden geleverd." Only leaf nodes are allowed in transaction,Alleen leaf nodes zijn toegestaan ​​in transactie @@ -1888,6 +1952,7 @@ Organization Name,Naam van de Organisatie Organization Profile,organisatie Profiel Organization branch master.,Organisatie tak meester . Organization unit (department) master.,Organisatie -eenheid (departement) meester. +Original Amount,originele Bedrag Original Message,Oorspronkelijk bericht Other,Ander Other Details,Andere Details @@ -1905,9 +1970,6 @@ Overlapping conditions found between:,Overlappende voorwaarden gevonden tussen : Overview,Overzicht Owned,Owned Owner,eigenaar -PAN Number,PAN-nummer -PF No.,PF Nee -PF Number,PF nummer PL or BS,PL of BS PO Date,PO Datum PO No,PO Geen @@ -1919,7 +1981,6 @@ POS Setting,POS-instelling POS Setting required to make POS Entry,POS -instelling verplicht om POS Entry maken POS Setting {0} already created for user: {1} and company {2},POS -instelling {0} al gemaakt voor de gebruiker : {1} en {2} bedrijf POS View,POS View -POS-Setting-.#,POS - Instelling . # PR Detail,PR Detail PR Posting Date,PR Boekingsdatum Package Item Details,Pakket Item Details @@ -1955,6 +2016,7 @@ Parent Website Route,Ouder Website Route Parent account can not be a ledger,Bovenliggende account kan een grootboek niet Parent account does not exist,Bovenliggende account niet bestaat Parenttype,Parenttype +Part-time,Deeltijds Partially Completed,Gedeeltelijk afgesloten Partly Billed,Deels Gefactureerd Partly Delivered,Deels geleverd @@ -1972,7 +2034,6 @@ Payables,Schulden Payables Group,Schulden Groep Payment Days,Betaling Dagen Payment Due Date,Betaling Due Date -Payment Entries,Betaling Entries Payment Period Based On Invoice Date,Betaling Periode Based On Factuurdatum Payment Type,betaling Type Payment of salary for the month {0} and year {1},Betaling van salaris voor de maand {0} en {1} jaar @@ -1989,6 +2050,7 @@ Pending Amount,In afwachting van Bedrag Pending Items {0} updated,Wachtende items {0} bijgewerkt Pending Review,In afwachting Beoordeling Pending SO Items For Purchase Request,In afwachting van SO Artikelen te Purchase Request +Pension Funds,pensioenfondsen Percent Complete,Percentage voltooid Percentage Allocation,Percentage Toewijzing Percentage Allocation should be equal to 100%,Percentage toewijzing moet gelijk zijn aan 100 % te zijn @@ -1997,7 +2059,6 @@ Percentage you are allowed to receive or deliver more against the quantity order Performance appraisal.,Beoordeling van de prestaties. Period,periode Period Closing Voucher,Periode Closing Voucher -Period is too short,Periode is te kort Periodicity,Periodiciteit Permanent Address,Permanente Adres Permanent Address Is,Vast adres @@ -2009,15 +2070,18 @@ Personal,Persoonlijk Personal Details,Persoonlijke Gegevens Personal Email,Persoonlijke e-mail Pharmaceutical,farmaceutisch +Pharmaceuticals,Pharmaceuticals Phone,Telefoon Phone No,Telefoon nr. Pick Columns,Kies Kolommen +Piecework,stukwerk Pincode,Pincode Place of Issue,Plaats van uitgave Plan for maintenance visits.,Plan voor onderhoud bezoeken. Planned Qty,Geplande Aantal "Planned Qty: Quantity, for which, Production Order has been raised, but is pending to be manufactured.","Geplande Aantal : Aantal , waarvoor , productieorder is verhoogd , maar is in afwachting van te worden vervaardigd." Planned Quantity,Geplande Aantal +Planning,planning Plant,Plant Plant and Machinery,Plant and Machinery Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,Gelieve goed op Enter Afkorting of korte naam als het zal worden toegevoegd als suffix aan alle Account Heads. @@ -2054,7 +2118,6 @@ Please enter Planned Qty for Item {0} at row {1},Vul Geplande Aantal voor post { Please enter Production Item first,Vul Productie Item eerste Please enter Purchase Receipt No to proceed,Vul Kwitantie Nee om door te gaan Please enter Reference date,Vul Peildatum -Please enter Start Date and End Date,Vul de Begindatum en Einddatum Please enter Warehouse for which Material Request will be raised,Vul Warehouse waarvoor Materiaal Request zal worden verhoogd Please enter Write Off Account,Vul Schrijf Off account Please enter atleast 1 invoice in the table,Vul tenminste 1 factuur in de tabel @@ -2103,9 +2166,9 @@ Please select item code,Selecteer aub artikelcode Please select month and year,Selecteer maand en jaar Please select prefix first,Selecteer prefix eerste Please select the document type first,Selecteer het documenttype eerste -Please select valid Voucher No to proceed,Selecteer geldige blad nr. om verder te gaan Please select weekly off day,Selecteer wekelijkse rotdag Please select {0},Selecteer dan {0} +Please select {0} first,Selecteer {0} eerste Please set Dropbox access keys in your site config,Stel Dropbox toegang sleutels in uw site config Please set Google Drive access keys in {0},Stel Google Drive toegang sleutels in {0} Please set default Cash or Bank account in Mode of Payment {0},Stel standaard Cash of bankrekening in wijze van betaling {0} @@ -2121,6 +2184,7 @@ Please specify Default Currency in Company Master and Global Defaults,Gelieve te Please specify a,Geef een Please specify a valid 'From Case No.',Geef een geldige 'Van Case No' Please specify a valid Row ID for {0} in row {1},Geef een geldig rij -ID voor {0} in rij {1} +Please specify either Quantity or Valuation Rate or both,Specificeer ofwel Hoeveelheid of Valuation Rate of beide Please submit to update Leave Balance.,Gelieve te werken verlofsaldo . Plot,plot Plot By,plot Door @@ -2170,11 +2234,14 @@ Print and Stationary,Print en stationaire Print...,Print ... Printing and Branding,Printen en Branding Priority,Prioriteit +Private Equity,private Equity Privilege Leave,Privilege Leave +Probation,proeftijd Process Payroll,Proces Payroll Produced,geproduceerd Produced Quantity,Geproduceerd Aantal Product Enquiry,Product Aanvraag +Production,productie Production Order,Productieorder Production Order status is {0},Productie Order status is {0} Production Order {0} must be cancelled before cancelling this Sales Order,Productie Order {0} moet worden geannuleerd voordat het annuleren van deze verkooporder @@ -2187,12 +2254,12 @@ Production Plan Sales Order,Productie Plan Verkooporder Production Plan Sales Orders,Productie Plan Verkooporders Production Planning Tool,Productie Planning Tool Products,producten -Products or Services You Buy,Producten of diensten die u kopen "Products will be sorted by weight-age in default searches. More the weight-age, higher the product will appear in the list.","Producten worden gesorteerd op gewicht-leeftijd in verzuim zoekopdrachten. Meer van het gewicht-leeftijd, zal een hogere het product in de lijst." Profit and Loss,Winst-en verliesrekening Project,Project Project Costing,Project Costing Project Details,Details van het project +Project Manager,project Manager Project Milestone,Project Milestone Project Milestones,Project Milestones Project Name,Naam van het project @@ -2209,9 +2276,10 @@ Projected Qty,Verwachte Aantal Projects,Projecten Projects & System,Projecten & Systeem Prompt for Email on Submission of,Vragen om E-mail op Indiening van +Proposal Writing,voorstel Schrijven Provide email id registered in company,Zorg voor e-id geregistreerd in bedrijf Public,Publiek -Pull Payment Entries,Trek Betaling Entries +Publishing,Publishing Pull sales orders (pending to deliver) based on the above criteria,Trek verkooporders (in afwachting van te leveren) op basis van de bovengenoemde criteria Purchase,Kopen Purchase / Manufacture Details,Aankoop / Productie Details @@ -2277,6 +2345,7 @@ Quality Inspection Parameters,Quality Inspection Parameters Quality Inspection Reading,Kwaliteitscontrole Reading Quality Inspection Readings,Kwaliteitscontrole Lezingen Quality Inspection required for Item {0},Kwaliteitscontrole vereist voor post {0} +Quality Management,Quality Management Quantity,Hoeveelheid Quantity Requested for Purchase,Aantal op aankoop Quantity and Rate,Hoeveelheid en Prijs @@ -2340,6 +2409,7 @@ Reading 6,Lezen 6 Reading 7,Het lezen van 7 Reading 8,Het lezen van 8 Reading 9,Lezen 9 +Real Estate,Real Estate Reason,Reden Reason for Leaving,Reden voor vertrek Reason for Resignation,Reden voor ontslag @@ -2358,6 +2428,7 @@ Receiver List,Ontvanger Lijst Receiver List is empty. Please create Receiver List,Ontvanger is leeg. Maak Receiver Lijst Receiver Parameter,Receiver Parameter Recipients,Ontvangers +Reconcile,verzoenen Reconciliation Data,Reconciliatiegegevens Reconciliation HTML,Verzoening HTML Reconciliation JSON,Verzoening JSON @@ -2407,6 +2478,7 @@ Report,Verslag Report Date,Verslag Datum Report Type,Meld Type Report Type is mandatory,Soort rapport is verplicht +Report an Issue,Een probleem rapporteren? Report was not saved (there were errors),Rapport werd niet opgeslagen (er waren fouten) Reports to,Rapporteert aan Reqd By Date,Reqd op datum @@ -2425,6 +2497,9 @@ Required Date,Vereiste Datum Required Qty,Vereist aantal Required only for sample item.,Alleen vereist voor monster item. Required raw materials issued to the supplier for producing a sub - contracted item.,Benodigde grondstoffen uitgegeven aan de leverancier voor het produceren van een sub - gecontracteerde item. +Research,onderzoek +Research & Development,Research & Development +Researcher,onderzoeker Reseller,Reseller Reserved,gereserveerd Reserved Qty,Gereserveerd Aantal @@ -2444,11 +2519,14 @@ Resolution Details,Resolutie Details Resolved By,Opgelost door Rest Of The World,Rest van de Wereld Retail,Kleinhandel +Retail & Wholesale,Retail & Wholesale Retailer,Kleinhandelaar Review Date,Herzieningsdatum Rgt,Rgt Role Allowed to edit frozen stock,Rol toegestaan ​​op bevroren voorraad bewerken Role that is allowed to submit transactions that exceed credit limits set.,"Rol die is toegestaan ​​om transacties die kredietlimieten, te overschrijden indienen." +Root Type,Root Type +Root Type is mandatory,Root Type is verplicht Root account can not be deleted,Root-account kan niet worden verwijderd Root cannot be edited.,Root kan niet worden bewerkt . Root cannot have a parent cost center,Root kan niet een ouder kostenplaats @@ -2456,6 +2534,16 @@ Rounded Off,afgerond Rounded Total,Afgeronde Totaal Rounded Total (Company Currency),Afgeronde Totaal (Bedrijf Munt) Row # ,Rij # +Row # {0}: , +"Row {0}: Account does not match with \ + Purchase Invoice Credit To account",Rij {0} : Account komt niet overeen met \ \ n Purchase Invoice Credit Om rekening te houden +"Row {0}: Account does not match with \ + Sales Invoice Debit To account",Rij {0} : Account komt niet overeen met \ \ n verkoopfactuur Debit Om rekening te houden +Row {0}: Credit entry can not be linked with a Purchase Invoice,Rij {0} : Credit invoer kan niet worden gekoppeld aan een inkoopfactuur +Row {0}: Debit entry can not be linked with a Sales Invoice,Rij {0} : debitering kan niet worden gekoppeld aan een verkoopfactuur +"Row {0}: To set {1} periodicity, difference between from and to date \ + must be greater than or equal to {2}",Regel {0} : Instellen {1} periodiciteit moet tussen begin-en einddatum \ \ n groter dan of gelijk aan {2} +Row {0}:Start Date must be before End Date,Rij {0} : Start Datum moet zijn voordat Einddatum Rules for adding shipping costs.,Regels voor het toevoegen van verzendkosten. Rules for applying pricing and discount.,Regels voor de toepassing van prijzen en kortingen . Rules to calculate shipping amount for a sale,Regels voor de scheepvaart bedrag te berekenen voor een verkoop @@ -2547,7 +2635,6 @@ Schedule,Plan Schedule Date,tijdschema Schedule Details,Schema Details Scheduled,Geplande -Scheduled Confirmation Date must be greater than Date of Joining,Geplande Bevestiging Datum moet groter zijn dan Datum van Deelnemen zijn Scheduled Date,Geplande Datum Scheduled to send to {0},Gepland om te sturen naar {0} Scheduled to send to {0} recipients,Gepland om te sturen naar {0} ontvangers @@ -2559,7 +2646,9 @@ Score must be less than or equal to 5,Score moet lager dan of gelijk aan 5 zijn Scrap %,Scrap% Search,Zoek Seasonality for setting budgets.,Seizoensinvloeden voor het instellen van budgetten. +Secretary,secretaresse Secured Loans,Beveiligde Leningen +Securities & Commodity Exchanges,Securities & Commodity Exchanges Securities and Deposits,Effecten en deposito's "See ""Rate Of Materials Based On"" in Costing Section",Zie "Rate Of Materials Based On" in Costing Sectie "Select ""Yes"" for sub - contracting items",Selecteer "Ja" voor sub - aanbestedende artikelen @@ -2589,7 +2678,6 @@ Select dates to create a new ,Kies een datum om een ​​nieuwe te maken Select or drag across time slots to create a new event.,Selecteer of sleep over tijdsloten om een ​​nieuwe gebeurtenis te maken. Select template from which you want to get the Goals,Selecteer template van waaruit u de Doelen te krijgen Select the Employee for whom you are creating the Appraisal.,Selecteer de werknemer voor wie u het maken van de Beoordeling. -Select the Invoice against which you want to allocate payments.,Selecteer de factuur waartegen u wilt betalingen toewijzen . Select the period when the invoice will be generated automatically,Selecteer de periode waarin de factuur wordt automatisch gegenereerd Select the relevant company name if you have multiple companies,Selecteer de gewenste bedrijfsnaam als u meerdere bedrijven Select the relevant company name if you have multiple companies.,Selecteer de gewenste bedrijfsnaam als u meerdere bedrijven. @@ -2640,7 +2728,8 @@ Serial No {0} status must be 'Available' to Deliver,Serienummer {0} statuut moet Serial Nos Required for Serialized Item {0},Volgnummers Vereiste voor Serialized Item {0} Serial Number Series,Serienummer Series Serial number {0} entered more than once,Serienummer {0} ingevoerd meer dan eens -Serialized Item {0} cannot be updated using Stock Reconciliation,Geserialiseerde Item {0} kan niet worden bijgewerkt met behulp van Stock Verzoening +"Serialized Item {0} cannot be updated \ + using Stock Reconciliation",Geserialiseerde Item {0} niet kan worden bijgewerkt \ \ n behulp Stock Verzoening Series,serie Series List for this Transaction,Series Lijst voor deze transactie Series Updated,serie update @@ -2655,7 +2744,6 @@ Set,reeks "Set Default Values like Company, Currency, Current Fiscal Year, etc.","Standaardwaarden zoals onderneming , Valuta , huidige boekjaar , etc." Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,Set Item Group-wise budgetten op dit gebied. U kunt ook seizoensinvloeden door de Distribution. Set Link,Stel Link -Set allocated amount against each Payment Entry and click 'Allocate'.,Set toegewezen bedrag tegen elkaar Betaling Entry en klik op ' toewijzen ' . Set as Default,Instellen als standaard Set as Lost,Instellen als Lost Set prefix for numbering series on your transactions,Stel prefix voor het nummeren van serie over uw transacties @@ -2706,6 +2794,9 @@ Single,Single Single unit of an Item.,Enkele eenheid van een item. Sit tight while your system is being setup. This may take a few moments.,Hou je vast terwijl uw systeem wordt setup. Dit kan even duren . Slideshow,Diashow +Soap & Detergent,Soap & Wasmiddel +Software,software +Software Developer,software Developer Sorry we were unable to find what you were looking for.,Sorry we waren niet in staat om te vinden wat u zocht. Sorry you are not permitted to view this page.,Sorry dat je niet toegestaan ​​om deze pagina te bekijken. "Sorry, Serial Nos cannot be merged","Sorry , kan de serienummers niet worden samengevoegd" @@ -2719,8 +2810,6 @@ Source of Funds (Liabilities),Bron van fondsen (passiva) Source warehouse is mandatory for row {0},Bron magazijn is verplicht voor rij {0} Spartan,Spartaans "Special Characters except ""-"" and ""/"" not allowed in naming series","Speciale tekens behalve "" - "" en "" / "" niet toegestaan ​​in het benoemen serie" -Special Characters not allowed in Abbreviation,Speciale tekens niet toegestaan ​​in Afkorting -Special Characters not allowed in Company Name,Speciale tekens niet toegestaan ​​in Bedrijf Naam Specification Details,Specificatie Details Specifications,specificaties "Specify a list of Territories, for which, this Price List is valid","Geef een lijst van gebieden, waarvoor deze prijslijst is geldig" @@ -2728,16 +2817,18 @@ Specifications,specificaties "Specify a list of Territories, for which, this Taxes Master is valid","Geef een lijst van gebieden, waarvoor dit Belastingen Master is geldig" "Specify the operations, operating cost and give a unique Operation no to your operations.","Geef de operaties , operationele kosten en geven een unieke operatie niet aan uw activiteiten ." Split Delivery Note into packages.,Split pakbon in pakketten. +Sports,sport- Standard,Standaard +Standard Buying,Standard kopen Standard Rate,Standaard Tarief Standard Reports,standaard rapporten +Standard Selling,Standaard Selling Standard contract terms for Sales or Purchase.,Standaard contractvoorwaarden voor Sales en Inkoop . Start,begin Start Date,Startdatum Start Report For,Start Rapport Voor Start date of current invoice's period,Begindatum van de periode huidige factuur's Start date should be less than end date for Item {0},Startdatum moet kleiner zijn dan einddatum voor post zijn {0} -Start date should be less than end date.,Startdatum moet kleiner zijn dan einddatum. State,Staat Static Parameters,Statische Parameters Status,Staat @@ -2820,15 +2911,12 @@ Supplier Part Number,Leverancier Onderdeelnummer Supplier Quotation,Leverancier Offerte Supplier Quotation Item,Leverancier Offerte Item Supplier Reference,Leverancier Referentie -Supplier Shipment Date,Leverancier Verzending Datum -Supplier Shipment No,Leverancier Verzending Geen Supplier Type,Leverancier Type Supplier Type / Supplier,Leverancier Type / leverancier Supplier Type master.,Leverancier Type meester . Supplier Warehouse,Leverancier Warehouse Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Leverancier Warehouse verplicht voor onderaannemers Kwitantie Supplier database.,Leverancier database. -Supplier delivery number duplicate in {0},Leverancier aflevering nummer dupliceren in {0} Supplier master.,Leverancier meester . Supplier warehouse where you have issued raw materials for sub - contracting,Leverancier magazijn waar u grondstoffen afgegeven voor sub - aanbestedende Supplier-Wise Sales Analytics,Leveranciers Wise Sales Analytics @@ -2869,7 +2957,7 @@ Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are no Tax Rate,Belastingtarief Tax and other salary deductions.,Belastingen en andere inhoudingen op het loon. "Tax detail table fetched from item master as a string and stored in this field. -Used for Taxes and Charges", +Used for Taxes and Charges",Tax detail tafel haalden van post meester als een string en opgeslagen in dit gebied . \ Nused voor belastingen en-heffingen Tax template for buying transactions.,Belasting sjabloon voor het kopen van transacties . Tax template for selling transactions.,Belasting sjabloon voor de verkoop transacties. Taxable,Belastbaar @@ -2881,13 +2969,16 @@ Taxes and Charges Deducted,Belastingen en heffingen Afgetrokken Taxes and Charges Deducted (Company Currency),Belastingen en kosten afgetrokken (Company Munt) Taxes and Charges Total,Belastingen en kosten Totaal Taxes and Charges Total (Company Currency),Belastingen en bijkomende kosten Totaal (Bedrijf Munt) +Technology,technologie +Telecommunications,telecommunicatie Telephone Expenses,telefoonkosten +Television,televisie Template for performance appraisals.,Sjabloon voor functioneringsgesprekken . Template of terms or contract.,Sjabloon van termen of contract. -Temporary Account (Assets),Tijdelijke account ( Activa ) -Temporary Account (Liabilities),Tijdelijke Account (passiva) Temporary Accounts (Assets),Tijdelijke Accounts ( Activa ) Temporary Accounts (Liabilities),Tijdelijke rekeningen ( passiva ) +Temporary Assets,tijdelijke activa +Temporary Liabilities,tijdelijke Verplichtingen Term Details,Term Details Terms,Voorwaarden Terms and Conditions,Algemene Voorwaarden @@ -2912,7 +3003,7 @@ The First User: You,De eerste gebruiker : U The Organization,de Organisatie "The account head under Liability, in which Profit/Loss will be booked","De rekening hoofd onder Aansprakelijkheid , waarin Winst / verlies zal worden geboekt" "The date on which next invoice will be generated. It is generated on submit. -", +",De datum waarop de volgende factuur wordt gegenereerd . The date on which recurring invoice will be stop,De datum waarop terugkerende factuur stoppen "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 wordt gegenereerd bv 05, 28 etc" The day(s) on which you are applying for leave are holiday. You need not apply for leave.,De dag (en ) waarop je solliciteert verlof zijn vakantie . Je hoeft niet voor verlof . @@ -2997,6 +3088,8 @@ To track items using barcode. You will be able to enter items in Delivery Note a Tools,Gereedschap Total,Totaal Total Advance,Totaal Advance +Total Allocated Amount,Totaal toegewezen bedrag +Total Allocated Amount can not be greater than unmatched amount,Totaal toegewezen bedrag kan niet hoger zijn dan een ongeëvenaarde bedrag Total Amount,Totaal bedrag Total Amount To Pay,Totaal te betalen bedrag Total Amount in Words,Totaal bedrag in woorden @@ -3006,6 +3099,7 @@ Total Commission,Totaal Commissie Total Cost,Totale kosten Total Credit,Totaal Krediet Total Debit,Totaal Debet +Total Debit must be equal to Total Credit. The difference is {0},Totaal Debet moet gelijk zijn aan de totale krediet. Total Deduction,Totaal Aftrek Total Earning,Totaal Verdienen Total Experience,Total Experience @@ -3033,8 +3127,10 @@ Total in words,Totaal in woorden Total points for all goals should be 100. It is {0},Totaal aantal punten voor alle doelen moet 100 . Het is {0} Total weightage assigned should be 100%. It is {0},Totaal weightage toegewezen moet 100 % zijn. Het is {0} Totals,Totalen +Track Leads by Industry Type.,Track Leads door de industrie type . Track this Delivery Note against any Project,Volg dit pakbon tegen elke Project Track this Sales Order against any Project,Volg dit Verkooporder tegen elke Project +Trainee,stagiair Transaction,Transactie Transaction Date,Transactie Datum Transaction not allowed against stopped Production Order {0},Transactie niet toegestaan ​​tegen gestopt productieorder {0} @@ -3042,10 +3138,10 @@ Transfer,Overdracht Transfer Material,Transfer Materiaal Transfer Raw Materials,Transfer Grondstoffen Transferred Qty,overgedragen hoeveelheid +Transportation,vervoer Transporter Info,Transporter Info Transporter Name,Vervoerder Naam Transporter lorry number,Transporter vrachtwagen nummer -Trash Reason,Trash Reden Travel,reizen Travel Expenses,reiskosten Tree Type,boom Type @@ -3149,6 +3245,7 @@ Value,Waarde Value or Qty,Waarde of Aantal Vehicle Dispatch Date,Vehicle Dispatch Datum Vehicle No,Voertuig Geen +Venture Capital,Venture Capital Verified By,Verified By View Ledger,Bekijk Ledger View Now,Bekijk nu @@ -3157,6 +3254,7 @@ Voucher #,voucher # Voucher Detail No,Voucher Detail Geen Voucher ID,Voucher ID Voucher No,Blad nr. +Voucher No is not valid,Voucher Nee is niet geldig Voucher Type,Voucher Type Voucher Type and Date,Voucher Type en Date Walk In,Walk In @@ -3171,6 +3269,7 @@ Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt Warehouse cannot be changed for Serial No.,Magazijn kan niet worden gewijzigd voor Serienummer Warehouse is mandatory for stock Item {0} in row {1},Warehouse is verplicht voor voorraad Item {0} in rij {1} Warehouse is missing in Purchase Order,Warehouse ontbreekt in Purchase Order +Warehouse not found in the system,Magazijn niet gevonden in het systeem Warehouse required for stock Item {0},Magazijn nodig voor voorraad Item {0} Warehouse required in POS Setting,Warehouse vereist POS Setting Warehouse where you are maintaining stock of rejected items,Warehouse waar u het handhaven voorraad van afgewezen artikelen @@ -3191,6 +3290,8 @@ Warranty / AMC Status,Garantie / AMC Status Warranty Expiry Date,Garantie Vervaldatum Warranty Period (Days),Garantieperiode (dagen) Warranty Period (in days),Garantieperiode (in dagen) +We buy this Item,We kopen dit item +We sell this Item,Wij verkopen dit item Website,Website Website Description,Website Beschrijving Website Item Group,Website Item Group @@ -3217,6 +3318,7 @@ Will be calculated automatically when you enter the details,Wordt automatisch be Will be updated after Sales Invoice is Submitted.,Zal worden bijgewerkt na verkoopfactuur wordt ingediend. Will be updated when batched.,Zal worden bijgewerkt wanneer gedoseerd. Will be updated when billed.,Zal worden bijgewerkt wanneer gefactureerd. +Wire Transfer,overboeking With Groups,met Groepen With Ledgers,met Ledgers With Operations,Met Operations @@ -3251,7 +3353,6 @@ Yearly,Jaar- Yes,Ja Yesterday,Gisteren You are not allowed to create / edit reports,U bent niet toegestaan ​​om / bewerken van rapporten -You are not allowed to create {0},U bent niet toegestaan ​​om {0} You are not allowed to export this report,U bent niet bevoegd om dit rapport te exporteren You are not allowed to print this document,U bent niet gemachtigd om dit document af te drukken You are not allowed to send emails related to this document,Het is niet toegestaan ​​om e-mails met betrekking tot dit document te versturen @@ -3269,12 +3370,15 @@ You can set Default Bank Account in Company master,U kunt Default Bank Account i You can start by selecting backup frequency and granting access for sync,U kunt beginnen met back- frequentie te selecteren en het verlenen van toegang voor synchronisatie You can submit this Stock Reconciliation.,U kunt indienen dit Stock Verzoening . You can update either Quantity or Valuation Rate or both.,U kunt Hoeveelheid of Valuation Rate of beide te werken. -You cannot credit and debit same account at the same time.,U kunt geen creditcards en betaalkaarten dezelfde account op hetzelfde moment . +You cannot credit and debit same account at the same time,Je kunt niet crediteren en debiteren dezelfde account op hetzelfde moment You have entered duplicate items. Please rectify and try again.,U heeft dubbele items ingevoerd. Aub verwijderen en probeer het opnieuw . +You have unsaved changes in this form. Please save before you continue.,Je hebt opgeslagen wijzigingen in deze vorm . You may need to update: {0},U kan nodig zijn om te werken: {0} You must Save the form before proceeding,U moet het formulier opslaan voordat u verder gaat +You must allocate amount before reconcile,U moet dit bedrag gebruiken voor elkaar te verzoenen Your Customer's TAX registration numbers (if applicable) or any general information,Uw klant fiscale nummers (indien van toepassing) of een algemene informatie Your Customers,uw klanten +Your Login Id,Uw login-ID Your Products or Services,Uw producten of diensten Your Suppliers,uw Leveranciers "Your download is being built, this may take a few moments...","Uw download wordt gebouwd, kan dit enige tijd duren ..." @@ -3285,6 +3389,7 @@ Your sales person who will contact the customer in future,Uw verkoop persoon die Your sales person will get a reminder on this date to contact the customer,Uw verkoop persoon krijgt een herinnering op deze datum aan de klant contact op te nemen Your setup is complete. Refreshing...,Uw installatie is voltooid . Verfrissend ... Your support email id - must be a valid email - this is where your emails will come!,Uw steun e-id - moet een geldig e zijn - dit is waar je e-mails zal komen! +[Select],[Selecteer ] `Freeze Stocks Older Than` should be smaller than %d days.,`Freeze Voorraden Ouder dan` moet kleiner zijn dan %d dagen. and,en are not allowed.,zijn niet toegestaan ​​. diff --git a/erpnext/translations/pt-BR.csv b/erpnext/translations/pt-BR.csv index f5380be863..89456836dc 100644 --- a/erpnext/translations/pt-BR.csv +++ b/erpnext/translations/pt-BR.csv @@ -26,14 +26,13 @@ 'From Date' must be after 'To Date','De Data ' deve ser depois de ' To Date ' 'Has Serial No' can not be 'Yes' for non-stock item,'Não tem de série ' não pode ser 'Sim' para o item não- estoque 'Notification Email Addresses' not specified for recurring invoice,"«Notificação endereços de email "" não especificadas para fatura recorrentes" -'Profit and Loss' type Account {0} used be set for Opening Entry,""" Lucros e Perdas "" Tipo de conta {0} usado ser definida para abertura de entrada" 'Profit and Loss' type account {0} not allowed in Opening Entry,""" Lucros e Perdas "" tipo de conta {0} não é permitido na abertura de entrada" 'To Case No.' cannot be less than 'From Case No.',"Para Processo n º ' não pode ser inferior a 'From Processo n' 'To Date' is required,' To Date ' é necessária 'Update Stock' for Sales Invoice {0} must be set,"'Atualizar Estoque ""para vendas Invoice {0} deve ser definido" * Will be calculated in the transaction.,* Será calculado na transação. "1 Currency = [?] Fraction -For e.g. 1 USD = 100 Cent", +For e.g. 1 USD = 100 Cent",1 Moeda = [?] Fração \ nPor exemplo 1. To maintain the customer wise item code and to make them searchable based on their code use this option,1. Para manter o código de item do cliente e para torná-los pesquisáveis ​​com base em seu código use esta opção 2 days ago,Há 2 dias "Add / Edit"," Adicionar / Editar " @@ -70,8 +69,6 @@ Account with child nodes cannot be converted to ledger,Conta com nós filhos nã Account with existing transaction can not be converted to group.,Conta com a transação existente não pode ser convertido em grupo. Account with existing transaction can not be deleted,Conta com a transação existente não pode ser excluído Account with existing transaction cannot be converted to ledger,Conta com a transação existente não pode ser convertido em livro -Account {0} already exists,Conta {0} já existe -Account {0} can only be updated via Stock Transactions,Conta {0} só pode ser atualizado através de transações com ações Account {0} cannot be a Group,Conta {0} não pode ser um grupo Account {0} does not belong to Company {1},Conta {0} não pertence à empresa {1} Account {0} does not exist,Conta {0} não existe @@ -79,8 +76,9 @@ Account {0} has been entered more than once for fiscal year {1},Conta {0} foi in Account {0} is frozen,Conta {0} está congelado Account {0} is inactive,Conta {0} está inativo Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item,"Conta {0} deve ser do tipo "" Ativo Fixo "" como item {1} é um item de ativos" -Account {0} must be sames as Credit To Account in Purchase Invoice in row {0},Conta {0} deve ser sames como crédito para a conta no factura de compra na linha {0} -Account {0} must be sames as Debit To Account in Sales Invoice in row {0},Conta {0} deve ser sames como de débito em conta em Vendas fatura em linha {0} +"Account: {0} can only be updated via \ + Stock Transactions",Conta: {0} só pode ser atualizado via \ \ n Stock Transações +Accountant,contador Accounting,Contabilidade "Accounting Entries can be made against leaf nodes, called","Lançamentos contábeis podem ser feitas contra nós folha , chamado" "Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","Registro contábil congelado até a presente data, ninguém pode fazer / modificar entrada exceto papel especificado abaixo." @@ -145,10 +143,13 @@ Address Title is mandatory.,Endereço de título é obrigatório. Address Type,Tipo de Endereço Address master.,Mestre de endereços. Administrative Expenses,despesas administrativas +Administrative Officer,Diretor Administrativo Advance Amount,Quantidade Antecipada Advance amount,Valor do adiantamento Advances,Avanços Advertisement,Anúncio +Advertising,publicidade +Aerospace,aeroespaço After Sale Installations,Instalações Pós-Venda Against,Contra Against Account,Contra Conta @@ -157,9 +158,11 @@ Against Docname,Contra Docname Against Doctype,Contra Doctype Against Document Detail No,Contra Detalhe do Documento nº Against Document No,Contra Documento nº +Against Entries,contra Entradas Against Expense Account,Contra a Conta de Despesas Against Income Account,Contra a Conta de Rendimentos Against Journal Voucher,Contra Comprovante do livro Diário +Against Journal Voucher {0} does not have any unmatched {1} entry,Contra Jornal Vale {0} não tem {1} entrada incomparável Against Purchase Invoice,Contra a Nota Fiscal de Compra Against Sales Invoice,Contra a Nota Fiscal de Venda Against Sales Order,Contra Ordem de Vendas @@ -171,6 +174,8 @@ Ageing date is mandatory for opening entry,Data Envelhecer é obrigatória para Agent,Agente Aging Date,Data de Envelhecimento Aging Date is mandatory for opening entry,Envelhecimento Data é obrigatória para a abertura de entrada +Agriculture,agricultura +Airline,companhia aérea All Addresses.,Todos os Endereços. All Contact,Todo Contato All Contacts.,Todos os contatos. @@ -188,14 +193,18 @@ All Supplier Types,Todos os tipos de fornecedores All Territories,Todos os Territórios "All export related fields like currency, conversion rate, export total, export grand total etc are available in Delivery Note, POS, Quotation, Sales Invoice, Sales Order etc.","Todas as exportações campos relacionados, como moeda, taxa de conversão , a exportação total, a exportação total etc estão disponíveis na nota de entrega , POS, Cotação , Vendas fatura , Ordem de vendas etc" "All import related fields like currency, conversion rate, import total, import grand total etc are available in Purchase Receipt, Supplier Quotation, Purchase Invoice, Purchase Order etc.","Todos os campos de importação relacionados, como moeda , taxa de conversão total de importação , importação total etc estão disponíveis no Recibo de compra , fornecedor de cotação , factura de compra , ordem de compra , etc" +All items have already been invoiced,Todos os itens já foram faturados All items have already been transferred for this Production Order.,Todos os itens já foram transferidos para esta ordem de produção . All these items have already been invoiced,Todos esses itens já foram faturados Allocate,Alocar +Allocate Amount Automatically,Alocar o valor automaticamente Allocate leaves for a period.,Alocar folhas por um período . Allocate leaves for the year.,Alocar licenças para o ano. Allocated Amount,Montante alocado Allocated Budget,Orçamento alocado Allocated amount,Montante alocado +Allocated amount can not be negative,Montante atribuído não pode ser negativo +Allocated amount can not greater than unadusted amount,Montante atribuído não pode superior à quantia unadusted Allow Bill of Materials,Permitir Lista de Materiais Allow Bill of Materials should be 'Yes'. Because one or many active BOMs present for this item,"Permitir Lista de Materiais deve ser ""sim"" . Porque uma ou várias listas de materiais ativos presentes para este item" Allow Children,permitir que as crianças @@ -223,10 +232,12 @@ Amount to Bill,Elevar-se a Bill An Customer exists with same name,Existe um cliente com o mesmo nome "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 mudar o nome do grupo de itens" "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 renomear o item" +Analyst,analista Annual,anual Another Period Closing Entry {0} has been made after {1},Outra entrada Período de Encerramento {0} foi feita após {1} Another Salary Structure {0} is active for employee {0}. Please make its status 'Inactive' to proceed.,"Outra estrutura salarial {0} está ativo para empregado {0}. Por favor, faça seu status ' inativo ' para prosseguir ." "Any other comments, noteworthy effort that should go in the records.","Quaisquer outros comentários, esforço notável que deva ir para os registros." +Apparel & Accessories,Vestuário e Acessórios Applicability,aplicabilidade Applicable For,aplicável Applicable Holiday List,Lista de Férias Aplicável @@ -248,6 +259,7 @@ Appraisal Template,Modelo de Avaliação Appraisal Template Goal,Meta do Modelo de Avaliação Appraisal Template Title,Título do Modelo de Avaliação Appraisal {0} created for Employee {1} in the given date range,Appraisal {0} criado para Employee {1} no intervalo de datas +Apprentice,aprendiz Approval Status,Estado da Aprovação Approval Status must be 'Approved' or 'Rejected',"Status de Aprovação deve ser ""Aprovado"" ou "" Rejeitado """ Approved,Aprovado @@ -264,9 +276,12 @@ Arrear Amount,Quantidade em atraso As per Stock UOM,Como UDM do Estoque "As there are existing stock transactions for this item, you can not change the values of 'Has Serial No', 'Is Stock Item' and 'Valuation Method'","Como existem operações com ações existentes para este item , você não pode alterar os valores de 'não tem de série ', ' é Stock Item' e ' Método de avaliação '" Ascending,Ascendente +Asset,ativos Assign To,Atribuir a Assigned To,Atribuído a Assignments,Atribuições +Assistant,assistente +Associate,associado Atleast one warehouse is mandatory,Pelo menos um almoxarifado é obrigatório Attach Document Print,Anexar Cópia do Documento Attach Image,anexar imagem @@ -293,6 +308,7 @@ Automatically compose message on submission of transactions.,Compor automaticame Automatically extract Job Applicants from a mail box , Automatically extract Leads from a mail box e.g.,"Extrair automaticamente Leads de uma caixa de correio , por exemplo," Automatically updated via Stock Entry of type Manufacture/Repack,Atualizado automaticamente através do lançamento de Estoque do tipo Fabricação/Reempacotamento +Automotive,automotivo Autoreply when a new mail is received,Responder automaticamente quando um novo e-mail é recebido Available,disponível Available Qty at Warehouse,Qtde Disponível em Almoxarifado @@ -333,6 +349,7 @@ Bank Account,Conta Bancária Bank Account No.,Nº Conta Bancária Bank Accounts,Contas Bancárias Bank Clearance Summary,Banco Resumo Clearance +Bank Draft,cheque administrativo Bank Name,Nome do Banco Bank Overdraft Account,Conta Garantida Banco Bank Reconciliation,Reconciliação Bancária @@ -340,6 +357,7 @@ Bank Reconciliation Detail,Detalhe da Reconciliação Bancária Bank Reconciliation Statement,Declaração de reconciliação bancária Bank Voucher,Comprovante Bancário Bank/Cash Balance,Banco / Saldo de Caixa +Banking,bancário Barcode,Código de barras Barcode {0} already used in Item {1},Barcode {0} já utilizado em item {1} Based On,Baseado em @@ -348,7 +366,6 @@ Basic Info,Informações Básicas Basic Information,Informações Básicas Basic Rate,Taxa Básica Basic Rate (Company Currency),Taxa Básica (Moeda Company) -Basic Section,Seção Básico Batch,Lote Batch (lot) of an Item.,Lote de um item. Batch Finished Date,Data de Término do Lote @@ -377,6 +394,7 @@ Bills raised by Suppliers.,Contas levantada por Fornecedores. Bills raised to Customers.,Contas levantdas para Clientes. Bin,Caixa Bio,Bio +Biotechnology,biotecnologia Birthday,aniversário Block Date,Bloquear Data Block Days,Dias bloco @@ -393,6 +411,8 @@ Brand Name,Marca Brand master.,Cadastro de Marca. Brands,Marcas Breakdown,Colapso +Broadcasting,radiodifusão +Brokerage,corretagem Budget,Orçamento Budget Allocated,Orçamento Alocado Budget Detail,Detalhe do Orçamento @@ -405,6 +425,7 @@ Budget cannot be set for Group Cost Centers,Orçamento não pode ser definido po Build Report,Criar relatório Built on,construído sobre Bundle items at time of sale.,Empacotar itens no momento da venda. +Business Development Manager,Gerente de Desenvolvimento de Negócios Buying,Compras Buying & Selling,Compra e Venda Buying Amount,Comprar Valor @@ -484,7 +505,6 @@ Charity and Donations,Caridade e Doações Chart Name,Nome do gráfico Chart of Accounts,Plano de Contas Chart of Cost Centers,Plano de Centros de Custo -Check for Duplicates,Verifique a existência de duplicatas Check how the newsletter looks in an email by sending it to your email.,Verifique como a newsletter é exibido em um e-mail enviando-o para o seu e-mail. "Check if recurring invoice, uncheck to stop recurring or put proper End Date","Marque se é uma nota fiscal recorrente, desmarque para parar a recorrência ou colocar uma Data Final adequada" "Check if you need automatic recurring invoices. After submitting any sales invoice, Recurring section will be visible.","Marque se você precisa de notas fiscais recorrentes automáticas. Depois de enviar qualquer nota fiscal de venda, a seção Recorrente será visível." @@ -496,6 +516,7 @@ Check this to pull emails from your mailbox,Marque esta a puxar os e-mails de su Check to activate,Marque para ativar Check to make Shipping Address,Marque para criar Endereço de Remessa Check to make primary address,Marque para criar Endereço Principal +Chemical,químico Cheque,Cheque Cheque Date,Data do Cheque Cheque Number,Número do cheque @@ -535,6 +556,7 @@ Comma separated list of email addresses,Lista separada por vírgulas de endereç Comment,Comentário Comments,Comentários Commercial,comercial +Commission,comissão Commission Rate,Taxa de Comissão Commission Rate (%),Taxa de Comissão (%) Commission on Sales,Comissão sobre Vendas @@ -568,6 +590,7 @@ Completed Production Orders,Ordens de produção concluídas Completed Qty,Qtde concluída Completion Date,Data de Conclusão Completion Status,Estado de Conclusão +Computer,computador Computers,informática Confirmation Date,confirmação Data Confirmed orders from Customers.,Pedidos confirmados de clientes. @@ -575,10 +598,12 @@ Consider Tax or Charge for,Considere Imposto ou Encargo para Considered as Opening Balance,Considerado como Saldo Considered as an Opening Balance,Considerado como um saldo de abertura Consultant,Consultor +Consulting,consultor Consumable,Consumíveis Consumable Cost,Custo dos consumíveis Consumable cost per hour,Custo de consumíveis por hora Consumed Qty,Qtde consumida +Consumer Products,produtos para o Consumidor Contact,Contato Contact Control,Controle de Contato Contact Desc,Descrição do Contato @@ -596,6 +621,7 @@ Contacts,Contactos Content,Conteúdo Content Type,Tipo de Conteúdo Contra Voucher,Comprovante de Caixa +Contract,contrato Contract End Date,Data Final do contrato Contract End Date must be greater than Date of Joining,Data Contrato Final deve ser maior que Data de Participar Contribution (%),Contribuição (%) @@ -611,10 +637,10 @@ Convert to Ledger,Converter para Ledger Converted,Convertido Copy,Copie Copy From Item Group,Copiar do item do grupo +Cosmetics,Cosméticos Cost Center,Centro de Custos Cost Center Details,Detalhes do Centro de Custo Cost Center Name,Nome do Centro de Custo -Cost Center Name already exists,Centro de Custo nome já existe Cost Center is mandatory for Item {0},Centro de Custo é obrigatória para item {0} Cost Center is required for 'Profit and Loss' account {0},"Centro de custo é necessário para "" Lucros e Perdas "" conta {0}" Cost Center is required in row {0} in Taxes table for type {1},Centro de Custo é necessária na linha {0} no Imposto de mesa para o tipo {1} @@ -648,6 +674,7 @@ Creation Time,Data de Criação Credentials,Credenciais Credit,Crédito Credit Amt,Montante de Crédito +Credit Card,cartão de crédito Credit Card Voucher,Comprovante do cartão de crédito Credit Controller,Controlador de crédito Credit Days,Dias de Crédito @@ -696,6 +723,7 @@ Customer Issue,Questão do Cliente Customer Issue against Serial No.,Emissão cliente contra Serial No. Customer Name,Nome do cliente Customer Naming By,Cliente de nomeação +Customer Service,atendimento ao cliente Customer database.,Banco de dados do cliente. Customer is required,É necessário ao cliente Customer master.,Mestre de clientes. @@ -739,7 +767,6 @@ Debit Amt,Montante de Débito Debit Note,Nota de Débito Debit To,Débito Para Debit and Credit not equal for this voucher. Difference is {0}.,Débito e Crédito não é igual para este voucher. A diferença é {0}. -Debit must equal Credit. The difference is {0},Débito deve ser igual a crédito . A diferença é {0} Deduct,Subtrair Deduction,Dedução Deduction Type,Tipo de dedução @@ -779,6 +806,7 @@ Default settings for accounting transactions.,As configurações padrão para as Default settings for buying transactions.,As configurações padrão para a compra de transações. Default settings for selling transactions.,As configurações padrão para a venda de transações. Default settings for stock transactions.,As configurações padrão para transações com ações . +Defense,defesa "Define Budget for this Cost Center. To set budget action, see Company Master","Definir Orçamento para este Centro de Custo. Para definir ação do orçamento, consulte Cadastro de Empresa" Delete,Excluir Delete Row,Apagar Linha @@ -805,19 +833,23 @@ Delivery Status,Estado da entrega Delivery Time,Prazo de entrega Delivery To,Entrega Department,Departamento +Department Stores,Lojas de Departamento Depends on LWP,Dependem do LWP Depreciation,depreciação Descending,Descendente Description,Descrição Description HTML,Descrição HTML Designation,Designação +Designer,estilista Detailed Breakup of the totals,Detalhamento dos totais Details,Detalhes -Difference,Diferença +Difference (Dr - Cr),Diferença ( Dr - Cr) Difference Account,Conta Diferença +"Difference Account must be a 'Liability' type account, since this Stock Reconciliation is an Opening Entry","Conta diferença deve ser um tipo de conta ' Responsabilidade ' , uma vez que este Banco de reconciliação é uma entrada de Abertura" 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 diferente para itens levará a incorreta valor Peso Líquido (Total ) . Certifique-se de que o peso líquido de cada item está na mesma UOM . Direct Expenses,Despesas Diretas Direct Income,Resultado direto +Director,diretor Disable,incapacitar Disable Rounded Total,Desativar total arredondado Disabled,Desativado @@ -829,6 +861,7 @@ Discount Amount,Montante do Desconto Discount Percentage,Percentagem de Desconto Discount must be less than 100,Desconto deve ser inferior a 100 Discount(%),Desconto (%) +Dispatch,expedição Display all the individual items delivered with the main items,Exibir todos os itens individuais entregues com os itens principais Distribute transport overhead across items.,Distribuir o custo de transporte através dos itens. Distribution,Distribuição @@ -863,7 +896,7 @@ Download Template,Baixar o Modelo 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 estado mais recente do inventário "Download the Template, fill appropriate data and attach the modified file.","Baixe o modelo , preencha os dados apropriados e anexe o arquivo modificado." "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", +All dates and employee combination in the selected period will come in the template, with existing attendance records","Baixe o modelo , preencha os dados apropriados e anexe o arquivo modificado. \ NTodas datas e combinação de funcionários no período selecionado virá no modelo, com registros de freqüência existentes" Draft,Rascunho Drafts,Rascunhos Drag to sort columns,Arraste para classificar colunas @@ -876,11 +909,10 @@ Due Date cannot be after {0},Due Date não pode ser posterior a {0} Due Date cannot be before Posting Date,Due Date não pode ser antes de Postar Data Duplicate Entry. Please check Authorization Rule {0},"Duplicar entrada . Por favor, verifique Regra de Autorização {0}" Duplicate Serial No entered for Item {0},Duplicar Serial Não entrou para item {0} +Duplicate entry,duplicar entrada Duplicate row {0} with same {1},Linha duplicada {0} com o mesmo {1} Duties and Taxes,Impostos e Contribuições ERPNext Setup,Setup ERPNext -ESIC CARD No,Nº CARTÃO ESIC -ESIC No.,Nº ESIC. Earliest,Mais antigas Earnest Money,Dinheiro Earnest Earning,Ganho @@ -889,6 +921,7 @@ Earning Type,Tipo de Ganho Earning1,Earning1 Edit,Editar Editable,Editável +Education,educação Educational Qualification,Qualificação Educacional Educational Qualification Details,Detalhes da Qualificação Educacional Eg. smsgateway.com/api/send_sms.cgi,Por exemplo: smsgateway.com / api / send_sms.cgi @@ -898,6 +931,7 @@ Either target qty or target amount is mandatory.,Ou qty alvo ou valor alvo é ob Electrical,elétrico Electricity Cost,Custo de Energia Elétrica Electricity cost per hour,Custo de eletricidade por hora +Electronics,eletrônica Email,E-mail Email Digest,Resumo por E-mail Email Digest Settings,Configurações do Resumo por E-mail @@ -931,7 +965,6 @@ Employee Records to be created by,Empregado Records para ser criado por Employee Settings,Configurações Empregado Employee Type,Tipo de empregado "Employee designation (e.g. CEO, Director etc.).","Designação do empregado (por exemplo, CEO , diretor , etc.)" -Employee grade.,Grau Employee. Employee master.,Mestre Employee. Employee record is created using selected field. ,Registro de empregado é criado usando o campo selecionado. Employee records.,Registros de funcionários. @@ -949,6 +982,8 @@ End Date,Data final End Date can not be less than Start Date,Data final não pode ser inferior a data de início End date of current invoice's period,Data final do período de fatura atual End of Life,Fim de Vida +Energy,energia +Engineer,engenheiro Enter Value,Digite o Valor Enter Verification Code,Digite o Código de Verificação Enter campaign name if the source of lead is campaign.,Digite o nome da campanha se a origem do Prospecto foi uma campanha. @@ -961,6 +996,7 @@ Enter name of campaign if source of enquiry is campaign,Digite o nome da campanh Enter the company name under which Account Head will be created for this Supplier,Digite o nome da empresa sob a qual a Conta será criada para este fornecedor Enter url parameter for message,Digite o parâmetro da url para mensagem Enter url parameter for receiver nos,Digite o parâmetro da url para os números de receptores +Entertainment & Leisure,Entretenimento & Lazer Entertainment Expenses,despesas de representação Entries,Lançamentos Entries against,Entradas contra @@ -972,10 +1008,12 @@ Error: {0} > {1},Erro: {0} > {1} Estimated Material Cost,Custo estimado de Material Everyone can read,Todo mundo pode ler "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.", +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.","Exemplo: . ABCD # # # # # \ nSe série está definido e número de série não é mencionado em transações , então o número de série automático será criado com base nessa série." Exchange Rate,Taxa de Câmbio Excise Page Number,Número de página do imposto Excise Voucher,Comprovante do imposto +Execution,execução +Executive Search,Executive Search Exemption Limit,Limite de isenção Exhibition,Exposição Existing Customer,Cliente existente @@ -990,6 +1028,7 @@ Expected Delivery Date cannot be before Purchase Order Date,Previsão de Entrega Expected Delivery Date cannot be before Sales Order Date,Previsão de Entrega A data não pode ser antes de Ordem de Vendas Data Expected End Date,Data Final prevista Expected Start Date,Data Inicial prevista +Expense,despesa Expense Account,Conta de Despesas Expense Account is mandatory,Conta de despesa é obrigatória Expense Claim,Pedido de Reembolso de Despesas @@ -1007,7 +1046,7 @@ Expense Date,Data da despesa Expense Details,Detalhes da despesa Expense Head,Conta de despesas Expense account is mandatory for item {0},Conta de despesa é obrigatória para item {0} -Expense or Difference account is mandatory for Item {0} as there is difference in value,Despesa ou Diferença conta é obrigatória para item {0} como há diferença de valor +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 Expenses,Despesas Expenses Booked,Despesas agendadas Expenses Included In Valuation,Despesas incluídos na avaliação @@ -1034,13 +1073,11 @@ File,Arquivo Files Folder ID,Arquivos de ID de pasta Fill the form and save it,Preencha o formulário e salvá-lo Filter,Filtre -Filter By Amount,Filtrar por Quantidade -Filter By Date,Filtrar por data Filter based on customer,Filtrar baseado em cliente Filter based on item,Filtrar baseado no item -Final Confirmation Date must be greater than Date of Joining,Data final de confirmação deve ser maior que Data de Participar Financial / accounting year.,Exercício / contabilidade. Financial Analytics,Análise Financeira +Financial Services,Serviços Financeiros Financial Year End Date,Encerramento do Exercício Social Data Financial Year Start Date,Exercício Data de Início Finished Goods,Produtos Acabados @@ -1052,6 +1089,7 @@ Fixed Assets,Imobilizado Follow via Email,Siga por e-mail "Following table will show values if items are sub - contracted. These values will be fetched from the master of ""Bill of Materials"" of sub - contracted items.",A tabela a seguir mostrará valores se os itens são sub-contratados. Estes valores serão obtidos a partir do cadastro da "Lista de Materiais" de itens sub-contratados. Food,comida +"Food, Beverage & Tobacco","Alimentos, Bebidas e Fumo" For Company,Para a Empresa For Employee,Para o Funcionário For Employee Name,Para Nome do Funcionário @@ -1106,6 +1144,7 @@ Frozen,Congelado Frozen Accounts Modifier,Contas congeladas Modifier Fulfilled,Cumprido Full Name,Nome Completo +Full-time,De tempo integral Fully Completed,Totalmente concluída Furniture and Fixture,Móveis e utensílios Further accounts can be made under Groups but entries can be made against Ledger,"Outras contas podem ser feitas em grupos , mas as entradas podem ser feitas contra Ledger" @@ -1125,14 +1164,15 @@ Generates HTML to include selected image in the description,Gera HTML para inclu Get,Obter Get Advances Paid,Obter adiantamentos pagos Get Advances Received,Obter adiantamentos recebidos +Get Against Entries,Obter Contra Entradas Get Current Stock,Obter Estoque atual Get From ,Obter do Get Items,Obter itens Get Items From Sales Orders,Obter itens de Pedidos de Vendas Get Items from BOM,Obter itens de BOM Get Last Purchase Rate,Obter Valor da Última Compra -Get Non Reconciled Entries,Obter lançamentos não Reconciliados Get Outstanding Invoices,Obter faturas pendentes +Get Relevant Entries,Obter entradas relevantes Get Sales Orders,Obter Ordens de Venda Get Specification Details,Obter detalhes da Especificação Get Stock and Rate,Obter Estoque e Valor @@ -1151,14 +1191,13 @@ Goods received from Suppliers.,Mercadorias recebidas de fornecedores. Google Drive,Google Drive Google Drive Access Allowed,Acesso Google Drive admitidos Government,governo -Grade,Grau Graduate,Pós-graduação Grand Total,Total Geral Grand Total (Company Currency),Grande Total (moeda da empresa) -Gratuity LIC ID,ID LIC gratuidade Greater or equals,Maior ou igual Greater than,maior do que "Grid ""","Grid """ +Grocery,mercearia Gross Margin %,Margem Bruta % Gross Margin Value,Valor Margem Bruta Gross Pay,Salário bruto @@ -1173,6 +1212,7 @@ Group by Account,Grupo por Conta Group by Voucher,Grupo pela Vale Group or Ledger,Grupo ou Razão Groups,Grupos +HR Manager,Gerente de RH HR Settings,Configurações HR HTML / Banner that will show on the top of product list.,HTML / Faixa que vai ser mostrada no topo da lista de produtos. Half Day,Meio Dia @@ -1183,7 +1223,9 @@ Hardware,ferragens Has Batch No,Tem nº de Lote Has Child Node,Tem nó filho Has Serial No,Tem nº de Série +Head of Marketing and Sales,Diretor de Marketing e Vendas Header,Cabeçalho +Health Care,Atenção à Saúde Health Concerns,Preocupações com a Saúde Health Details,Detalhes sobre a Saúde Held On,Realizada em @@ -1266,6 +1308,7 @@ In Words will be visible once you save the Sales Invoice.,Por extenso será vis In Words will be visible once you save the Sales Order.,Por extenso será visível quando você salvar a Ordem de Venda. In response to,Em resposta ao(s) Incentives,Incentivos +Include Reconciled Entries,Incluir entradas Reconciliados Include holidays in Total no. of Working Days,Incluir feriados em nenhuma total. de dias de trabalho Income,renda Income / Expense,Receitas / Despesas @@ -1302,7 +1345,9 @@ Installed Qty,Quantidade Instalada Instructions,Instruções Integrate incoming support emails to Support Ticket,Integrar e-mails de apoio recebidas de Apoio Ticket Interested,Interessado +Intern,internar Internal,Interno +Internet Publishing,Publishing Internet Introduction,Introdução Invalid Barcode or Serial No,Código de barras inválido ou Serial Não Invalid Email: {0},E-mail inválido : {0} @@ -1313,6 +1358,7 @@ Invalid User Name or Support Password. Please rectify and try again.,"Nome de us Invalid quantity specified for item {0}. Quantity should be greater than 0.,Quantidade inválido especificado para o item {0} . Quantidade deve ser maior do que 0 . Inventory,Inventário Inventory & Support,Inventário e Suporte +Investment Banking,Banca de Investimento Investments,Investimentos Invoice Date,Data da nota fiscal Invoice Details,Detalhes da nota fiscal @@ -1430,6 +1476,9 @@ Item-wise Purchase History,Item-wise Histórico de compras Item-wise Purchase Register,Item-wise Compra Register Item-wise Sales History,Item-wise Histórico de Vendas Item-wise Sales Register,Vendas de item sábios Registrar +"Item: {0} managed batch-wise, can not be reconciled using \ + Stock Reconciliation, instead use Stock Entry","Item : {0} gerido por lotes , não podem ser reconciliadas usando \ \ n Stock Reconciliação , em vez usar Banco de Entrada" +Item: {0} not found in the system,Item : {0} não foi encontrado no sistema Items,Itens Items To Be Requested,Itens a ser solicitado Items required,Itens exigidos @@ -1448,9 +1497,10 @@ Journal Entry,Lançamento do livro Diário Journal Voucher,Comprovante do livro Diário Journal Voucher Detail,Detalhe do Comprovante do livro Diário Journal Voucher Detail No,Nº do Detalhe do Comprovante do livro Diário -Journal Voucher {0} does not have account {1}.,Jornal Vale {0} não tem conta {1}. +Journal Voucher {0} does not have account {1} or already matched,Jornal Vale {0} não tem conta {1} ou já combinava Journal Vouchers {0} are un-linked,Jornal Vouchers {0} são não- ligado Keep a track of communication related to this enquiry which will help for future reference.,"Mantenha o controle de comunicações relacionadas a esta consulta, o que irá ajudar para futuras referências." +Keep it web friendly 900px (w) by 100px (h),Mantenha- web 900px amigável (w) por 100px ( h ) Key Performance Area,Área Chave de Performance Key Responsibility Area,Área Chave de Responsabilidade Kg,Kg. @@ -1506,7 +1556,6 @@ Leave blank if considered for all branches,Deixe em branco se considerado para t Leave blank if considered for all departments,Deixe em branco se considerado para todos os departamentos Leave blank if considered for all designations,Deixe em branco se considerado para todas as designações Leave blank if considered for all employee types,Deixe em branco se considerado para todos os tipos de empregados -Leave blank if considered for all grades,Deixe em branco se considerado para todos os graus "Leave can be approved by users with Role, ""Leave Approver""",A licença pode ser aprovado por usuários com função de "Aprovador de Licenças" Leave of type {0} cannot be longer than {1},Deixar do tipo {0} não pode ser maior que {1} Leaves Allocated Successfully for {0},Folhas atribuídos com sucesso para {0} @@ -1515,6 +1564,7 @@ Leaves must be allocated in multiples of 0.5,"Folhas devem ser alocados em múlt Ledger,Razão Ledgers,livros Left,Esquerda +Legal,legal Legal Expenses,despesas legais Less or equals,Menor ou igual Less than,menor que @@ -1522,16 +1572,16 @@ Letter Head,Timbrado Letter Heads for print templates.,Chefes de letras para modelos de impressão . Level,Nível Lft,Esq. +Liability,responsabilidade Like,como Linked With,Ligado com List,Lista List a few of your customers. They could be organizations or individuals.,Liste alguns de seus clientes. Eles podem ser organizações ou indivíduos . List a few of your suppliers. They could be organizations or individuals.,Liste alguns de seus fornecedores. Eles podem ser organizações ou indivíduos . -"List a few products or services you buy from your suppliers or vendors. If these are same as your products, then do not add them.","Lista de alguns produtos ou serviços que você comprar de seus fornecedores ou vendedores . Se estes são os mesmos que os seus produtos , então não adicioná-los." List items that form the package.,Lista de itens que compõem o pacote. List this Item in multiple groups on the website.,Listar este item em vários grupos no site. -"List your products or services that you sell to your customers. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Liste seus produtos ou serviços que você vende aos seus clientes. Certifique-se de verificar o Grupo Item, Unidade de Medida e outras propriedades quando você começa." -"List your tax heads (e.g. VAT, Excise) (upto 3) and their standard rates. This will create a standard template, you can edit and add more later.","Liste seus chefes de impostos (por exemplo, IVA , Impostos Especiais de Consumo ) (até 3) e suas taxas normais . Isto irá criar um modelo padrão , você pode editar e adicionar mais tarde ." +"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 seus produtos ou serviços que você comprar ou vender . +"List your tax heads (e.g. VAT, Excise; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Liste seus chefes de impostos (por exemplo, IVA , impostos especiais de consumo , que devem ter nomes exclusivos ) e suas taxas normais." Loading,Carregando Loading Report,Relatório de carregamento Loading...,Carregando ... @@ -1598,6 +1648,8 @@ Manage Customer Group Tree.,Gerenciar Grupo Cliente Tree. Manage Sales Person Tree.,Gerenciar Vendas Pessoa Tree. Manage Territory Tree.,Gerenciar Árvore Território. Manage cost of operations,Gerenciar custo das operações +Management,gestão +Manager,gerente Mandatory fields required in {0},Os campos obrigatórios exigidos no {0} Mandatory filters required:\n,Filtros obrigatórios exigidos : \ n "Mandatory if Stock Item is ""Yes"". Also the default warehouse where reserved quantity is set from Sales Order.","Obrigatório se o estoque do item é "Sim". Além disso, o armazém padrão onde quantidade reservada é definido a partir de Ordem de Vendas." @@ -1614,6 +1666,7 @@ Manufacturing Quantity is mandatory,Manufacturing Quantidade é obrigatório Margin,Margem Marital Status,Estado civil Market Segment,Segmento de mercado +Marketing,marketing Marketing Expenses,Despesas de Marketing Married,Casado Mass Mailing,Divulgação em massa @@ -1640,6 +1693,7 @@ Material Requirement,Material Requirement Material Transfer,Transferência de material Materials,Materiais Materials Required (Exploded),Materiais necessários (explodida) +Max 5 characters,Max 5 caracteres Max Days Leave Allowed,Período máximo de Licença Max Discount (%),Desconto Máx. (%) Max Qty,Max Qtde @@ -1648,7 +1702,7 @@ Maximum {0} rows allowed,Máximo de {0} linhas permitido Maxiumm discount for Item {0} is {1}%,Maxiumm desconto para item {0} {1} % Medical,médico Medium,Médio -"Merging is only possible if following properties are same in both records. Group or Ledger, Report Type, Company","A fusão só é possível se seguintes propriedades são as mesmas em ambos os registros. Grupo ou Ledger, tipo de relatório , Company" +"Merging is only possible if following properties are same in both records. Group or Ledger, Root Type, Company",A fusão só é possível se seguintes propriedades são as mesmas em ambos os registros. Message,Mensagem Message Parameter,Parâmetro da mensagem Message Sent,mensagem enviada @@ -1662,6 +1716,7 @@ Milestones,Marcos Milestones will be added as Events in the Calendar,Marcos serão adicionados como eventos no calendário Min Order Qty,Pedido Mínimo Min Qty,min Qty +Min Qty can not be greater than Max Qty,Qty mínimo não pode ser maior do que Max Qtde Minimum Order Qty,Pedido Mínimo Minute,minuto Misc Details,Detalhes Diversos @@ -1684,6 +1739,7 @@ Monthly salary statement.,Declaração salarial mensal. More,Mais More Details,Mais detalhes More Info,Mais informações +Motion Picture & Video,Motion Picture & Video Move Down: {0},Mover para baixo : {0} Move Up: {0},Mover para cima : {0} Moving Average,Média móvel @@ -1691,6 +1747,9 @@ Moving Average Rate,Taxa da Média Móvel Mr,Sr. Ms,Sra. Multiple Item prices.,Vários preços item. +"Multiple Price Rule exists with same criteria, please resolve \ + conflict by assigning priority. Price Rules: {0}","Várias Rule Preço existe com os mesmos critérios , por favor resolver \ \ n conflito , atribuindo prioridade." +Music,música Must be Whole Number,Deve ser Número inteiro My Settings,Minhas Configurações Name,Nome @@ -1702,7 +1761,9 @@ Name not permitted,Nome não é permitida Name of person or organization that this address belongs to.,Nome da pessoa ou organização a que este endereço pertence. Name of the Budget Distribution,Nome da Distribuição de Orçamento Naming Series,Séries nomeadas +Negative Quantity is not allowed,Negativo Quantidade não é permitido Negative Stock Error ({6}) for Item {0} in Warehouse {1} on {2} {3} in {4} {5},Negativo Banco de Erro ( {6} ) para item {0} no Armazém {1} em {2} {3} em {4} {5} +Negative Valuation Rate is not allowed,Negativa Avaliação Taxa não é permitido Negative balance in Batch {0} for Item {1} at Warehouse {2} on {3} {4},Saldo negativo em lote {0} para {1} item no Armazém {2} em {3} {4} Net Pay,Pagamento Líquido Net Pay (in words) will be visible once you save the Salary Slip.,Pagamento líquido (por extenso) será visível quando você salvar a folha de pagamento. @@ -1750,6 +1811,7 @@ Newsletter Status,Estado do boletim Newsletter has already been sent,Boletim informativo já foi enviado Newsletters is not allowed for Trial users,Newsletters não é permitido para usuários experimentais "Newsletters to contacts, leads.","Newsletters para contatos, leva." +Newspaper Publishers,Editores de Jornais Next,próximo Next Contact By,Próximo Contato Por Next Contact Date,Data do próximo Contato @@ -1773,17 +1835,18 @@ No Results,nenhum resultado No Supplier Accounts found. Supplier Accounts are identified based on 'Master Type' value in account record.,Nenhum fornecedor responde encontrado. Contas de fornecedores são identificados com base no valor 'Master Type' na conta de registro. No accounting entries for the following warehouses,Nenhuma entrada de contabilidade para os seguintes armazéns No addresses created,Nenhum endereço criadas -No amount allocated,No montante atribuído No contacts created,Nenhum contato criadas No default BOM exists for Item {0},No BOM padrão existe para item {0} No description given,Sem descrição dada No document selected,Nenhum documento selecionado No employee found,Nenhum funcionário encontrado +No employee found!,Nenhum funcionário encontrado! No of Requested SMS,Nº de SMS pedidos No of Sent SMS,Nº de SMS enviados No of Visits,Nº de Visitas No one,Ninguém No permission,Sem permissão +No permission to '{0}' {1},Sem permissão para '{0} ' {1} No permission to edit,Sem permissão para editar No record found,Nenhum registro encontrado No records tagged.,Não há registros marcados. @@ -1843,6 +1906,7 @@ Old Parent,Pai Velho On Net Total,No Total Líquido On Previous Row Amount,No Valor na linha anterior On Previous Row Total,No Total na linha anterior +Online Auctions,Leilões Online Only Leave Applications with status 'Approved' can be submitted,"Só Deixar Aplicações com status ""Aprovado"" podem ser submetidos" "Only Serial Nos with status ""Available"" can be delivered.","Apenas os números de ordem , com status de "" disponível"" pode ser entregue." Only leaf nodes are allowed in transaction,Somente nós-folha são permitidos em transações @@ -1888,6 +1952,7 @@ Organization Name,Nome da Organização Organization Profile,Perfil da Organização Organization branch master.,Mestre Organização ramo . Organization unit (department) master.,Organização unidade (departamento) mestre. +Original Amount,Valor original Original Message,Mensagem original Other,Outro Other Details,Outros detalhes @@ -1905,9 +1970,6 @@ Overlapping conditions found between:,Condições sobreposição encontradas ent Overview,visão global Owned,Pertencente Owner,proprietário -PAN Number,Número PAN -PF No.,Nº PF. -PF Number,Número PF PL or BS,PL ou BS PO Date,PO Data PO No,No PO @@ -1919,7 +1981,6 @@ POS Setting,Configuração de PDV POS Setting required to make POS Entry,Setting POS obrigados a fazer POS Entry POS Setting {0} already created for user: {1} and company {2},POS Setting {0} já criado para o usuário : {1} e {2} empresa POS View,POS Ver -POS-Setting-.#,POS- Setting - . # PR Detail,Detalhe PR PR Posting Date,PR Data da Publicação Package Item Details,Detalhes do Item do Pacote @@ -1955,6 +2016,7 @@ Parent Website Route,Pai site Route Parent account can not be a ledger,Pai conta não pode ser um livro Parent account does not exist,Pai conta não existe Parenttype,Parenttype +Part-time,De meio expediente Partially Completed,Parcialmente concluída Partly Billed,Parcialmente faturado Partly Delivered,Parcialmente entregue @@ -1972,7 +2034,6 @@ Payables,Contas a pagar Payables Group,Grupo de contas a pagar Payment Days,Datas de Pagamento Payment Due Date,Data de Vencimento -Payment Entries,Lançamentos de pagamento Payment Period Based On Invoice Date,Período de pagamento com base no fatura Data Payment Type,Tipo de pagamento Payment of salary for the month {0} and year {1},Pagamento de salário para o mês {0} e {1} ano @@ -1989,6 +2050,7 @@ Pending Amount,Enquanto aguarda Valor Pending Items {0} updated,Itens Pendentes {0} atualizada Pending Review,Revisão pendente Pending SO Items For Purchase Request,"Itens Pendentes Assim, por solicitação de compra" +Pension Funds,Fundos de Pensão Percent Complete,Porcentagem Concluída Percentage Allocation,Alocação percentual Percentage Allocation should be equal to 100%,Percentual de alocação deve ser igual a 100% @@ -1997,7 +2059,6 @@ Percentage you are allowed to receive or deliver more against the quantity order Performance appraisal.,Avaliação de desempenho. Period,período Period Closing Voucher,Comprovante de Encerramento período -Period is too short,Período é muito curta Periodicity,Periodicidade Permanent Address,Endereço permanente Permanent Address Is,Endereço permanente é @@ -2009,15 +2070,18 @@ Personal,Pessoal Personal Details,Detalhes pessoais Personal Email,E-mail pessoal Pharmaceutical,farmacêutico +Pharmaceuticals,Pharmaceuticals Phone,Telefone Phone No,Nº de telefone Pick Columns,Escolha as Colunas +Piecework,trabalho por peça Pincode,PINCODE Place of Issue,Local de Emissão Plan for maintenance visits.,Plano de visitas de manutenção. Planned Qty,Qtde. planejada "Planned Qty: Quantity, for which, Production Order has been raised, but is pending to be manufactured.","Planned Qtde: Quantidade , para a qual, ordem de produção foi levantada , mas está pendente para ser fabricado." Planned Quantity,Quantidade planejada +Planning,planejamento Plant,Planta Plant and Machinery,Máquinas e instalações Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,Por favor insira a correta Abreviação ou Nome Curto pois ele será adicionado como sufixo a todas as Contas. @@ -2054,7 +2118,6 @@ Please enter Planned Qty for Item {0} at row {1},"Por favor, indique Planned Qt Please enter Production Item first,"Por favor, indique item Produção primeiro" Please enter Purchase Receipt No to proceed,Por favor insira Compra recibo Não para continuar Please enter Reference date,"Por favor, indique data de referência" -Please enter Start Date and End Date,"Por favor, digite Data de início e término" Please enter Warehouse for which Material Request will be raised,"Por favor, indique Armazém para que Pedido de materiais serão levantados" Please enter Write Off Account,"Por favor, indique Escrever Off Conta" Please enter atleast 1 invoice in the table,"Por favor, indique pelo menos uma fatura na tabela" @@ -2103,9 +2166,9 @@ Please select item code,Por favor seleccione código do item Please select month and year,Selecione mês e ano Please select prefix first,Por favor seleccione prefixo primeiro Please select the document type first,"Por favor, selecione o tipo de documento primeiro" -Please select valid Voucher No to proceed,Por favor seleccione válido Comprovante Não para continuar Please select weekly off day,Por favor seleccione dia de folga semanal Please select {0},Por favor seleccione {0} +Please select {0} first,Por favor seleccione {0} primeiro Please set Dropbox access keys in your site config,Defina teclas de acesso Dropbox em sua configuração local Please set Google Drive access keys in {0},Defina teclas de acesso do Google Drive em {0} 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} @@ -2121,6 +2184,7 @@ Please specify Default Currency in Company Master and Global Defaults,"Por favor Please specify a,"Por favor, especifique um" Please specify a valid 'From Case No.',"Por favor, especifique um válido 'De Caso No.'" Please specify a valid Row ID for {0} in row {1},"Por favor, especifique um ID Row válido para {0} na linha {1}" +Please specify either Quantity or Valuation Rate or both,"Por favor, especifique a quantidade ou Taxa de Valorização ou ambos" Please submit to update Leave Balance.,Por favor envie para atualizar Deixar Balance. Plot,enredo Plot By,Lote por @@ -2170,11 +2234,14 @@ Print and Stationary,Imprimir e estacionária Print...,Imprimir ... Printing and Branding,Impressão e Branding Priority,Prioridade +Private Equity,Private Equity Privilege Leave,Privilege Deixar +Probation,provação Process Payroll,Processa folha de pagamento Produced,produzido Produced Quantity,Quantidade produzida Product Enquiry,Consulta de Produto +Production,produção Production Order,Ordem de Produção Production Order status is {0},Status de ordem de produção é {0} Production Order {0} must be cancelled before cancelling this Sales Order,Ordem de produção {0} deve ser cancelado antes de cancelar esta ordem de venda @@ -2187,12 +2254,12 @@ Production Plan Sales Order,Ordem de Venda do Plano de Produção Production Plan Sales Orders,Ordens de Venda do Plano de Produção Production Planning Tool,Ferramenta de Planejamento da Produção Products,produtos -Products or Services You Buy,Produtos ou Serviços de comprar "Products will be sorted by weight-age in default searches. More the weight-age, higher the product will appear in the list.","Os produtos serão classificados por peso em buscas padrão. Maior o peso, mais alto o produto irá aparecer na lista." Profit and Loss,Lucros e perdas Project,Projeto Project Costing,Custo do Projeto Project Details,Detalhes do Projeto +Project Manager,Gerente de Projetos Project Milestone,Marco do Projeto Project Milestones,Marcos do Projeto Project Name,Nome do Projeto @@ -2209,9 +2276,10 @@ Projected Qty,Qtde. Projetada Projects,Projetos Projects & System,Projetos e Sistema Prompt for Email on Submission of,Solicitar e-mail no envio da +Proposal Writing,Proposta Redação Provide email id registered in company,Fornecer Endereço de E-mail registrado na empresa Public,Público -Pull Payment Entries,Puxar os lançamentos de pagamento +Publishing,Publishing Pull sales orders (pending to deliver) based on the above criteria,Puxar as Ordens de Venda (pendentes de entrega) com base nos critérios acima Purchase,Compras Purchase / Manufacture Details,Detalhes Compra / Fabricação @@ -2277,6 +2345,7 @@ Quality Inspection Parameters,Parâmetros da Inspeção de Qualidade Quality Inspection Reading,Leitura da Inspeção de Qualidade Quality Inspection Readings,Leituras da Inspeção de Qualidade Quality Inspection required for Item {0},Inspeção de Qualidade exigido para item {0} +Quality Management,Gestão da Qualidade Quantity,Quantidade Quantity Requested for Purchase,Quantidade Solicitada para Compra Quantity and Rate,Quantidade e Taxa @@ -2340,6 +2409,7 @@ Reading 6,Leitura 6 Reading 7,Leitura 7 Reading 8,Leitura 8 Reading 9,Leitura 9 +Real Estate,imóveis Reason,Motivo Reason for Leaving,Motivo da saída Reason for Resignation,Motivo para Demissão @@ -2358,6 +2428,7 @@ Receiver List,Lista de recebedores Receiver List is empty. Please create Receiver List,"Lista Receiver está vazio. Por favor, crie Lista Receiver" Receiver Parameter,Parâmetro do recebedor Recipients,Destinatários +Reconcile,conciliar Reconciliation Data,Dados de reconciliação Reconciliation HTML,Reconciliação HTML Reconciliation JSON,Reconciliação JSON @@ -2407,6 +2478,7 @@ Report,Relatório Report Date,Data do Relatório Report Type,Tipo de relatório Report Type is mandatory,Tipo de relatório é obrigatória +Report an Issue,Relatar um incidente Report was not saved (there were errors),O Relatório não foi salvo (houve erros) Reports to,Relatórios para Reqd By Date,Requisições Por Data @@ -2425,6 +2497,9 @@ Required Date,Data Obrigatória Required Qty,Quantidade requerida Required only for sample item.,Necessário apenas para o item de amostra. Required raw materials issued to the supplier for producing a sub - contracted item.,Matérias-primas necessárias emitidas para o fornecedor para a produção de um item sub-contratado. +Research,pesquisa +Research & Development,Pesquisa e Desenvolvimento +Researcher,investigador Reseller,Revendedor Reserved,reservado Reserved Qty,reservados Qtde @@ -2444,11 +2519,14 @@ Resolution Details,Detalhes da Resolução Resolved By,Resolvido por Rest Of The World,Resto do mundo Retail,Varejo +Retail & Wholesale,Varejo e Atacado Retailer,Varejista Review Date,Data da Revisão Rgt,Dir. Role Allowed to edit frozen stock,Papel permissão para editar estoque congelado 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. +Root Type,Tipo de Raiz +Root Type is mandatory,Tipo de Raiz é obrigatório Root account can not be deleted,Conta root não pode ser excluído Root cannot be edited.,Root não pode ser editado . Root cannot have a parent cost center,Root não pode ter um centro de custos pai @@ -2456,6 +2534,16 @@ Rounded Off,arredondado Rounded Total,Total arredondado Rounded Total (Company Currency),Total arredondado (Moeda Company) Row # ,Linha # +Row # {0}: , +"Row {0}: Account does not match with \ + Purchase Invoice Credit To account",Row {0} : Conta não coincide com \ \ n factura de compra de crédito para conta +"Row {0}: Account does not match with \ + Sales Invoice Debit To account",Row {0} : Conta não coincide com \ \ n vendas fatura de débito em conta +Row {0}: Credit entry can not be linked with a Purchase Invoice,Row {0}: entrada de crédito não pode ser associada com uma fatura de compra +Row {0}: Debit entry can not be linked with a Sales Invoice,Row {0}: lançamento de débito não pode ser associada com uma factura de venda +"Row {0}: To set {1} periodicity, difference between from and to date \ + must be greater than or equal to {2}","Fila {0} : Para definir {1} periodicidade , diferença entre a data de e \ \ n deve ser maior do que ou igual a {2}" +Row {0}:Start Date must be before End Date,Row {0}: Data de início deve ser anterior a data de término Rules for adding shipping costs.,Regras para adicionar os custos de envio . Rules for applying pricing and discount.,Regras para aplicação de preços e de desconto. Rules to calculate shipping amount for a sale,Regras para calcular valor de frete para uma venda @@ -2547,7 +2635,6 @@ Schedule,Agendar Schedule Date,Programação Data Schedule Details,Detalhes da Agenda Scheduled,Agendado -Scheduled Confirmation Date must be greater than Date of Joining,Agendada Confirmação Data deve ser maior que Data de Juntando Scheduled Date,Data Agendada Scheduled to send to {0},Programado para enviar para {0} Scheduled to send to {0} recipients,Programado para enviar para {0} destinatários @@ -2559,7 +2646,9 @@ Score must be less than or equal to 5,Pontuação deve ser inferior ou igual a 5 Scrap %,Sucata % Search,Pesquisar Seasonality for setting budgets.,Sazonalidade para definir orçamentos. +Secretary,secretário Secured Loans,Empréstimos garantidos +Securities & Commodity Exchanges,Valores Mobiliários e Bolsas de Mercadorias Securities and Deposits,Títulos e depósitos "See ""Rate Of Materials Based On"" in Costing Section",Consulte "taxa de materiais baseados em" no Custeio Seção "Select ""Yes"" for sub - contracting items",Selecione "Sim" para a itens sub-contratados @@ -2589,7 +2678,6 @@ Select dates to create a new ,Selecione as datas para criar uma nova Select or drag across time slots to create a new event.,Selecione ou arraste intervalos de tempo para criar um novo evento. Select template from which you want to get the Goals,Selecione o modelo a partir do qual você deseja obter as Metas Select the Employee for whom you are creating the Appraisal.,Selecione o funcionário para quem você está criando a Avaliação. -Select the Invoice against which you want to allocate payments.,Selecione a fatura contra o qual você deseja alocar pagamentos. Select the period when the invoice will be generated automatically,Selecione o período em que a fatura será gerada automaticamente Select the relevant company name if you have multiple companies,"Selecione o nome da empresa em questão, se você tem várias empresas" Select the relevant company name if you have multiple companies.,"Selecione o nome da empresa em questão, se você tem várias empresas." @@ -2640,7 +2728,8 @@ Serial No {0} status must be 'Available' to Deliver,Serial No {0} Estado deve se Serial Nos Required for Serialized Item {0},Serial Nos Obrigatório para Serialized item {0} Serial Number Series,Serial Series Número Serial number {0} entered more than once,Número de série {0} entrou mais de uma vez -Serialized Item {0} cannot be updated using Stock Reconciliation,Serialized item {0} não pode ser atualizado usando Banco de Reconciliação +"Serialized Item {0} cannot be updated \ + using Stock Reconciliation",Serialized item {0} não pode ser atualizado \ \ n usando Banco de Reconciliação Series,série Series List for this Transaction,Lista de séries para esta transação Series Updated,Série Atualizado @@ -2655,7 +2744,6 @@ Set,conjunto "Set Default Values like Company, Currency, Current Fiscal Year, etc.","Definir valores padrão , como Company, de moeda, Atual Exercício , etc" Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,"Definir orçamentos para Grupos de Itens neste território. Você também pode incluir a sazonalidade, defininda na Distribuição." Set Link,Definir ligação -Set allocated amount against each Payment Entry and click 'Allocate'.,"Set montante atribuído a cada entrada de pagamento e clique em "" Atribuir "" ." Set as Default,Definir como padrão Set as Lost,Definir como perdida Set prefix for numbering series on your transactions,Definir prefixo para séries de numeração em suas transações @@ -2706,6 +2794,9 @@ Single,Único Single unit of an Item.,Unidade única de um item. Sit tight while your system is being setup. This may take a few moments.,Sente-se apertado enquanto o sistema está sendo configurado . Isso pode demorar alguns instantes. Slideshow,Apresentação de slides +Soap & Detergent,Soap & detergente +Software,Software +Software Developer,Software Developer Sorry we were unable to find what you were looking for.,"Desculpe, não encontramos o que você estava procurando." Sorry you are not permitted to view this page.,"Desculpe, você não tem permissão para visualizar esta página." "Sorry, Serial Nos cannot be merged","Desculpe, os números de ordem não podem ser mescladas" @@ -2719,8 +2810,6 @@ Source of Funds (Liabilities),Fonte de Recursos ( Passivo) Source warehouse is mandatory for row {0},Origem do Warehouse é obrigatória para a linha {0} Spartan,Espartano "Special Characters except ""-"" and ""/"" not allowed in naming series","Caracteres especiais , exceto "" - "" e ""/ "" não é permitido em série nomeando" -Special Characters not allowed in Abbreviation,Caracteres especiais não permitidos em Sigla -Special Characters not allowed in Company Name,Caracteres especiais não permitidos em Nome da Empresa Specification Details,Detalhes da especificação Specifications,especificações "Specify a list of Territories, for which, this Price List is valid","Especificar uma lista de territórios, para a qual, esta lista de preços é válida" @@ -2728,16 +2817,18 @@ Specifications,especificações "Specify a list of Territories, for which, this Taxes Master is valid","Especificar uma lista de territórios, para a qual, este Impostos Master é válido" "Specify the operations, operating cost and give a unique Operation no to your operations.","Especificar as operações , custos operacionais e dar uma operação única não às suas operações." Split Delivery Note into packages.,Dividir Guia de Remessa em pacotes. +Sports,esportes Standard,Padrão +Standard Buying,Compra padrão Standard Rate,Taxa normal Standard Reports,Relatórios padrão +Standard Selling,venda padrão Standard contract terms for Sales or Purchase.,Termos do contrato padrão para vendas ou compra. Start,começo Start Date,Data de Início Start Report For,Começar Relatório para Start date of current invoice's period,Data de início do período de fatura atual Start date should be less than end date for Item {0},Data de início deve ser inferior a data final para o item {0} -Start date should be less than end date.,Data de início deve ser inferior a data de término. State,Estado Static Parameters,Parâmetros estáticos Status,Estado @@ -2820,15 +2911,12 @@ Supplier Part Number,Número da peça do Fornecedor Supplier Quotation,Cotação do Fornecedor Supplier Quotation Item,Item da Cotação do Fornecedor Supplier Reference,Referência do Fornecedor -Supplier Shipment Date,Fornecedor Expedição Data -Supplier Shipment No,Fornecedor Expedição Não Supplier Type,Tipo de Fornecedor Supplier Type / Supplier,Fornecedor Tipo / Fornecedor Supplier Type master.,Fornecedor Tipo de mestre. Supplier Warehouse,Almoxarifado do Fornecedor Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Fornecedor Armazém obrigatório para sub- contratados Recibo de compra Supplier database.,Banco de dados do Fornecedor. -Supplier delivery number duplicate in {0},Número de entrega Fornecedor duplicar em {0} Supplier master.,Fornecedor mestre. Supplier warehouse where you have issued raw materials for sub - contracting,Almoxarifado do fornecedor onde você emitiu matérias-primas para a subcontratação Supplier-Wise Sales Analytics,Fornecedor -wise vendas Analytics @@ -2869,7 +2957,7 @@ Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are no Tax Rate,Taxa de Imposto Tax and other salary deductions.,Impostos e outras deduções salariais. "Tax detail table fetched from item master as a string and stored in this field. -Used for Taxes and Charges", +Used for Taxes and Charges",Pormenor tabela do Imposto buscados mestre como uma string e armazenada neste campo. \ NUsed dos Impostos e Taxas Tax template for buying transactions.,Modelo de impostos para a compra de transações. Tax template for selling transactions.,Modelo imposto pela venda de transações. Taxable,Tributável @@ -2881,13 +2969,16 @@ Taxes and Charges Deducted,Impostos e Encargos Deduzidos Taxes and Charges Deducted (Company Currency),Impostos e taxas Deduzido (Moeda Company) Taxes and Charges Total,Total de Impostos e Encargos Taxes and Charges Total (Company Currency),Impostos e Encargos Total (moeda da empresa) +Technology,tecnologia +Telecommunications,Telecomunicações Telephone Expenses,Despesas de telefone +Television,televisão Template for performance appraisals.,Modelo para avaliação de desempenho . Template of terms or contract.,Modelo de termos ou contratos. -Temporary Account (Assets),Conta Temporária (Ativo ) -Temporary Account (Liabilities),Conta temporária ( Passivo) Temporary Accounts (Assets),Contas Transitórias (Ativo ) Temporary Accounts (Liabilities),Contas temporárias ( Passivo) +Temporary Assets,Ativos temporários +Temporary Liabilities,Passivo temporárias Term Details,Detalhes dos Termos Terms,condições Terms and Conditions,Termos e Condições @@ -2912,7 +3003,7 @@ The First User: You,O primeiro usuário : Você The Organization,a Organização "The account head under Liability, in which Profit/Loss will be booked","O chefe conta com Responsabilidade , no qual Lucro / Prejuízo será reservado" "The date on which next invoice will be generated. It is generated on submit. -", +",A data em que próxima fatura será gerada. The date on which recurring invoice will be stop,A data em que fatura recorrente será interrompida "The day of the month on which auto invoice will be generated e.g. 05, 28 etc ","O dia do mês em que factura automática será gerada, por exemplo 05, 28 etc" The day(s) on which you are applying for leave are holiday. You need not apply for leave.,No dia (s) em que você está se candidatando para a licença estão de férias. Você não precisa solicitar uma licença . @@ -2997,6 +3088,8 @@ To track items using barcode. You will be able to enter items in Delivery Note a Tools,Ferramentas Total,Total Total Advance,Antecipação Total +Total Allocated Amount,Montante total atribuído +Total Allocated Amount can not be greater than unmatched amount,Montante total atribuído não pode ser maior do que a quantidade inigualável Total Amount,Valor Total Total Amount To Pay,Valor total a pagar Total Amount in Words,Valor Total por extenso @@ -3006,6 +3099,7 @@ Total Commission,Total da Comissão Total Cost,Custo Total Total Credit,Crédito Total Total Debit,Débito Total +Total Debit must be equal to Total Credit. The difference is {0},Débito total deve ser igual ao total de crédito. Total Deduction,Dedução Total Total Earning,Total de Ganhos Total Experience,Experiência total @@ -3033,8 +3127,10 @@ Total in words,Total por extenso Total points for all goals should be 100. It is {0},Total de pontos para todos os objetivos devem ser 100. Ele é {0} Total weightage assigned should be 100%. It is {0},Weightage total atribuído deve ser de 100 %. É {0} Totals,Totais +Track Leads by Industry Type.,Trilha leva por setor Type. Track this Delivery Note against any Project,Acompanhar este Guia de Remessa contra qualquer projeto Track this Sales Order against any Project,Acompanhar este Ordem de Venda contra qualquer projeto +Trainee,estagiário Transaction,Transação Transaction Date,Data da Transação Transaction not allowed against stopped Production Order {0},Transação não é permitido contra parou Ordem de produção {0} @@ -3042,10 +3138,10 @@ Transfer,Transferir Transfer Material,transferência de Material Transfer Raw Materials,Transferência de Matérias-Primas Transferred Qty,transferido Qtde +Transportation,transporte Transporter Info,Informações da Transportadora Transporter Name,Nome da Transportadora Transporter lorry number,Número do caminhão da Transportadora -Trash Reason,Razão de pôr no lixo Travel,viagem Travel Expenses,Despesas de viagem Tree Type,Tipo de árvore @@ -3149,6 +3245,7 @@ Value,Valor Value or Qty,Valor ou Qt Vehicle Dispatch Date,Veículo Despacho Data Vehicle No,No veículo +Venture Capital,venture Capital Verified By,Verificado Por View Ledger,Ver Ledger View Now,Ver Agora @@ -3157,6 +3254,7 @@ Voucher #,vale # Voucher Detail No,Nº do Detalhe do comprovante Voucher ID,ID do Comprovante Voucher No,Nº do comprovante +Voucher No is not valid,No voucher não é válido Voucher Type,Tipo de comprovante Voucher Type and Date,Tipo Vale e Data Walk In,Walk In @@ -3171,6 +3269,7 @@ Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt Warehouse cannot be changed for Serial No.,Armazém não pode ser alterado para Serial No. Warehouse is mandatory for stock Item {0} in row {1},Armazém é obrigatória para stock o item {0} na linha {1} Warehouse is missing in Purchase Order,Armazém está faltando na Ordem de Compra +Warehouse not found in the system,Warehouse não foi encontrado no sistema Warehouse required for stock Item {0},Armazém necessário para stock o item {0} Warehouse required in POS Setting,Armazém exigido em POS Setting Warehouse where you are maintaining stock of rejected items,Almoxarifado onde você está mantendo estoque de itens rejeitados @@ -3191,6 +3290,8 @@ Warranty / AMC Status,Garantia / Estado do CAM Warranty Expiry Date,Data de validade da garantia Warranty Period (Days),Período de Garantia (Dias) Warranty Period (in days),Período de Garantia (em dias) +We buy this Item,Nós compramos este item +We sell this Item,Nós vendemos este item Website,Site Website Description,Descrição do site Website Item Group,Grupo de Itens do site @@ -3217,6 +3318,7 @@ Will be calculated automatically when you enter the details,Será calculado auto Will be updated after Sales Invoice is Submitted.,Será atualizado após a factura de venda é submetido. Will be updated when batched.,Será atualizado quando agrupadas. Will be updated when billed.,Será atualizado quando faturado. +Wire Transfer,por transferência bancária With Groups,com Grupos With Ledgers,com Ledgers With Operations,Com Operações @@ -3251,7 +3353,6 @@ Yearly,Anual Yes,Sim Yesterday,Ontem You are not allowed to create / edit reports,Você não tem permissão para criar / editar relatórios -You are not allowed to create {0},Você não tem permissão para criar {0} You are not allowed to export this report,Você não tem permissão para exportar este relatório You are not allowed to print this document,Você não tem permissão para imprimir este documento You are not allowed to send emails related to this document,Você não tem permissão para enviar e-mails relacionados a este documento @@ -3269,12 +3370,15 @@ You can set Default Bank Account in Company master,Você pode definir padrão Co You can start by selecting backup frequency and granting access for sync,Você pode começar por selecionar a freqüência de backup e concessão de acesso para sincronização You can submit this Stock Reconciliation.,Você pode enviar este Stock Reconciliação. You can update either Quantity or Valuation Rate or both.,Você pode atualizar ou Quantidade ou Taxa de Valorização ou ambos. -You cannot credit and debit same account at the same time.,Você não pode de crédito e débito mesma conta ao mesmo tempo . +You cannot credit and debit same account at the same time,Você não pode de crédito e débito mesma conta ao mesmo tempo You have entered duplicate items. Please rectify and try again.,"Você digitou itens duplicados . Por favor, corrigir e tentar novamente." +You have unsaved changes in this form. Please save before you continue.,Você tem alterações não salvas neste formulário. You may need to update: {0},Você pode precisar atualizar : {0} You must Save the form before proceeding,Você deve salvar o formulário antes de continuar +You must allocate amount before reconcile,Você deve alocar o valor antes de reconciliação Your Customer's TAX registration numbers (if applicable) or any general information,Os números de inscrição fiscal do seu Cliente (se aplicável) ou qualquer outra informação geral Your Customers,seus Clientes +Your Login Id,Seu ID de login Your Products or Services,Seus produtos ou serviços Your Suppliers,seus Fornecedores "Your download is being built, this may take a few moments...","O seu download está sendo construído, isso pode demorar alguns instantes ..." @@ -3285,6 +3389,7 @@ Your sales person who will contact the customer in future,Seu vendedor que entra Your sales person will get a reminder on this date to contact the customer,Seu vendedor receberá um lembrete nesta data para contatar o cliente Your setup is complete. Refreshing...,Sua configuração está concluída. Atualizando ... Your support email id - must be a valid email - this is where your emails will come!,O seu E-mail de suporte - deve ser um e-mail válido - este é o lugar de onde seus e-mails virão! +[Select],[ Select] `Freeze Stocks Older Than` should be smaller than %d days.,` Stocks Congelar Mais velho do que ` deve ser menor que %d dias . and,e are not allowed.,não são permitidos. diff --git a/erpnext/translations/pt.csv b/erpnext/translations/pt.csv index 6e49d3af38..c656f5991b 100644 --- a/erpnext/translations/pt.csv +++ b/erpnext/translations/pt.csv @@ -26,14 +26,13 @@ 'From Date' must be after 'To Date','De Data ' deve ser depois de ' To Date ' 'Has Serial No' can not be 'Yes' for non-stock item,'Não tem de série ' não pode ser 'Sim' para o item não- estoque 'Notification Email Addresses' not specified for recurring invoice,"«Notificação endereços de email "" não especificadas para fatura recorrentes" -'Profit and Loss' type Account {0} used be set for Opening Entry,""" Lucros e Perdas "" Tipo de conta {0} usado ser definida para abertura de entrada" 'Profit and Loss' type account {0} not allowed in Opening Entry,""" Lucros e Perdas "" tipo de conta {0} não é permitido na abertura de entrada" 'To Case No.' cannot be less than 'From Case No.',"Para Processo n º ' não pode ser inferior a 'From Processo n' 'To Date' is required,' To Date ' é necessária 'Update Stock' for Sales Invoice {0} must be set,"'Atualizar Estoque ""para vendas Invoice {0} deve ser definido" * Will be calculated in the transaction.,* Será calculado na transação. "1 Currency = [?] Fraction -For e.g. 1 USD = 100 Cent", +For e.g. 1 USD = 100 Cent",1 Moeda = [?] Fração \ nPor exemplo 1. To maintain the customer wise item code and to make them searchable based on their code use this option,1. Para manter o cliente código do item sábio e para torná-los pesquisáveis ​​com base em seu código usar esta opção 2 days ago,Há 2 dias "Add / Edit"," toevoegen / bewerken < / a>" @@ -70,8 +69,6 @@ Account with child nodes cannot be converted to ledger,Conta com nós filhos nã Account with existing transaction can not be converted to group.,Conta com a transação existente não pode ser convertido em grupo. Account with existing transaction can not be deleted,Conta com a transação existente não pode ser excluído Account with existing transaction cannot be converted to ledger,Conta com a transação existente não pode ser convertido em livro -Account {0} already exists,Conta {0} já existe -Account {0} can only be updated via Stock Transactions,Conta {0} só pode ser atualizado através de transações com ações Account {0} cannot be a Group,Conta {0} não pode ser um grupo Account {0} does not belong to Company {1},Conta {0} não pertence à empresa {1} Account {0} does not exist,Conta {0} não existe @@ -79,8 +76,9 @@ Account {0} has been entered more than once for fiscal year {1},Conta {0} foi in Account {0} is frozen,Conta {0} está congelado Account {0} is inactive,Conta {0} está inativo Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item,"Conta {0} deve ser do tipo "" Ativo Fixo "" como item {1} é um item de ativos" -Account {0} must be sames as Credit To Account in Purchase Invoice in row {0},Conta {0} deve ser sames como crédito para a conta no factura de compra na linha {0} -Account {0} must be sames as Debit To Account in Sales Invoice in row {0},Conta {0} deve ser sames como de débito em conta em Vendas fatura em linha {0} +"Account: {0} can only be updated via \ + Stock Transactions",Conta: {0} só pode ser atualizado via \ \ n Stock Transações +Accountant,contador Accounting,Contabilidade "Accounting Entries can be made against leaf nodes, called","Boekingen kunnen worden gemaakt tegen leaf nodes , genaamd" "Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","Registro contábil congelado até a presente data, ninguém pode fazer / modificar entrada exceto papel especificado abaixo." @@ -145,10 +143,13 @@ Address Title is mandatory.,Endereço de título é obrigatório. Address Type,Tipo de endereço Address master.,Mestre de endereços. Administrative Expenses,despesas administrativas +Administrative Officer,Diretor Administrativo Advance Amount,Quantidade antecedência Advance amount,Valor do adiantamento Advances,Avanços Advertisement,Anúncio +Advertising,publicidade +Aerospace,aeroespaço After Sale Installations,Após instalações Venda Against,Contra Against Account,Contra Conta @@ -157,9 +158,11 @@ Against Docname,Contra docName Against Doctype,Contra Doctype Against Document Detail No,Contra Detalhe documento n Against Document No,Contra documento n +Against Entries,contra Entradas Against Expense Account,Contra a conta de despesas Against Income Account,Contra Conta Renda Against Journal Voucher,Contra Vale Jornal +Against Journal Voucher {0} does not have any unmatched {1} entry,Contra Jornal Vale {0} não tem {1} entrada incomparável Against Purchase Invoice,Contra a Nota Fiscal de Compra Against Sales Invoice,Contra a nota fiscal de venda Against Sales Order,Tegen klantorder @@ -171,6 +174,8 @@ Ageing date is mandatory for opening entry,Data Envelhecer é obrigatória para Agent,Agente Aging Date,Envelhecimento Data Aging Date is mandatory for opening entry,Envelhecimento Data é obrigatória para a abertura de entrada +Agriculture,agricultura +Airline,companhia aérea All Addresses.,Todos os endereços. All Contact,Todos Contato All Contacts.,Todos os contatos. @@ -188,14 +193,18 @@ All Supplier Types,Alle Leverancier Types All Territories,Todos os Territórios "All export related fields like currency, conversion rate, export total, export grand total etc are available in Delivery Note, POS, Quotation, Sales Invoice, Sales Order etc.","Todas as exportações campos relacionados, como moeda, taxa de conversão , a exportação total, a exportação total etc estão disponíveis na nota de entrega , POS, Cotação , Vendas fatura , Ordem de vendas etc" "All import related fields like currency, conversion rate, import total, import grand total etc are available in Purchase Receipt, Supplier Quotation, Purchase Invoice, Purchase Order etc.","Todos os campos de importação relacionados, como moeda , taxa de conversão total de importação , importação total etc estão disponíveis no Recibo de compra , fornecedor de cotação , factura de compra , ordem de compra , etc" +All items have already been invoiced,Todos os itens já foram faturados All items have already been transferred for this Production Order.,Todos os itens já foram transferidos para esta ordem de produção . All these items have already been invoiced,Todos esses itens já foram faturados Allocate,Distribuir +Allocate Amount Automatically,Alocar o valor automaticamente Allocate leaves for a period.,Alocar folhas por um período . Allocate leaves for the year.,Alocar folhas para o ano. Allocated Amount,Montante afectado Allocated Budget,Orçamento atribuído Allocated amount,Montante atribuído +Allocated amount can not be negative,Montante atribuído não pode ser negativo +Allocated amount can not greater than unadusted amount,Montante atribuído não pode superior à quantia unadusted Allow Bill of Materials,Permitir Lista de Materiais Allow Bill of Materials should be 'Yes'. Because one or many active BOMs present for this item,"Permitir Lista de Materiais deve ser ""sim"" . Porque uma ou várias listas de materiais ativos presentes para este item" Allow Children,permitir que as crianças @@ -223,10 +232,12 @@ Amount to Bill,Neerkomen op Bill An Customer exists with same name,Existe um cliente com o mesmo nome "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 mudar o nome do grupo de itens" "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 renomear o item" +Analyst,analista Annual,anual Another Period Closing Entry {0} has been made after {1},Outra entrada Período de Encerramento {0} foi feita após {1} Another Salary Structure {0} is active for employee {0}. Please make its status 'Inactive' to proceed.,"Outra estrutura salarial {0} está ativo para empregado {0}. Por favor, faça seu status ' inativo ' para prosseguir ." "Any other comments, noteworthy effort that should go in the records.","Quaisquer outros comentários, esforço notável que deve ir para os registros." +Apparel & Accessories,Vestuário e Acessórios Applicability,aplicabilidade Applicable For,aplicável Applicable Holiday List,Lista de férias aplicável @@ -248,6 +259,7 @@ Appraisal Template,Modelo de avaliação Appraisal Template Goal,Meta Modelo de avaliação Appraisal Template Title,Título do modelo de avaliação Appraisal {0} created for Employee {1} in the given date range,Appraisal {0} criado para Employee {1} no intervalo de datas +Apprentice,aprendiz Approval Status,Status de Aprovação Approval Status must be 'Approved' or 'Rejected',"Status de Aprovação deve ser ""Aprovado"" ou "" Rejeitado """ Approved,Aprovado @@ -264,9 +276,12 @@ Arrear Amount,Quantidade atraso As per Stock UOM,Como por Banco UOM "As there are existing stock transactions for this item, you can not change the values of 'Has Serial No', 'Is Stock Item' and 'Valuation Method'","Want er zijn bestaande voorraad transacties voor dit artikel , kunt u de waarden van ' Has Serial No ' niet veranderen , ' Is Stock Item ' en ' Valuation Method '" Ascending,Ascendente +Asset,ativos Assign To,Atribuir a Assigned To,toegewezen aan Assignments,Atribuições +Assistant,assistente +Associate,associado Atleast one warehouse is mandatory,Pelo menos um armazém é obrigatório Attach Document Print,Anexar cópia do documento Attach Image,anexar imagem @@ -293,6 +308,7 @@ Automatically compose message on submission of transactions.,Compor automaticame Automatically extract Job Applicants from a mail box , Automatically extract Leads from a mail box e.g.,Leads automatisch extraheren uit een brievenbus bijv. Automatically updated via Stock Entry of type Manufacture/Repack,Atualizado automaticamente através da entrada de Fabricação tipo / Repack +Automotive,automotivo Autoreply when a new mail is received,Autoreply quando um novo e-mail é recebido Available,beschikbaar Available Qty at Warehouse,Qtde Disponível em Armazém @@ -333,6 +349,7 @@ Bank Account,Conta bancária Bank Account No.,Banco Conta N º Bank Accounts,bankrekeningen Bank Clearance Summary,Banco Resumo Clearance +Bank Draft,cheque administrativo Bank Name,Nome do banco Bank Overdraft Account,Conta Garantida Banco Bank Reconciliation,Banco Reconciliação @@ -340,6 +357,7 @@ Bank Reconciliation Detail,Banco Detalhe Reconciliação Bank Reconciliation Statement,Declaração de reconciliação bancária Bank Voucher,Vale banco Bank/Cash Balance,Banco / Saldo de Caixa +Banking,bancário Barcode,Código de barras Barcode {0} already used in Item {1},Barcode {0} já utilizado em item {1} Based On,Baseado em @@ -348,7 +366,6 @@ Basic Info,Informações Básicas Basic Information,Informações Básicas Basic Rate,Taxa Básica Basic Rate (Company Currency),Taxa Básica (Moeda Company) -Basic Section,Seção Básico Batch,Fornada Batch (lot) of an Item.,Batch (lote) de um item. Batch Finished Date,Terminado lote Data @@ -377,6 +394,7 @@ Bills raised by Suppliers.,Contas levantada por Fornecedores. Bills raised to Customers.,Contas levantou a Clientes. Bin,Caixa Bio,Bio +Biotechnology,biotecnologia Birthday,verjaardag Block Date,Bloquear Data Block Days,Dias bloco @@ -393,6 +411,8 @@ Brand Name,Marca Brand master.,Mestre marca. Brands,Marcas Breakdown,Colapso +Broadcasting,radiodifusão +Brokerage,corretagem Budget,Orçamento Budget Allocated,Orçamento alocado Budget Detail,Detalhe orçamento @@ -405,6 +425,7 @@ Budget cannot be set for Group Cost Centers,Orçamento não pode ser definido po Build Report,Build Report Built on,construído sobre Bundle items at time of sale.,Bundle itens no momento da venda. +Business Development Manager,Gerente de Desenvolvimento de Negócios Buying,Comprar Buying & Selling,Compra e Venda Buying Amount,Comprar Valor @@ -484,7 +505,6 @@ Charity and Donations,Caridade e Doações Chart Name,Nome do gráfico Chart of Accounts,Plano de Contas Chart of Cost Centers,Plano de Centros de Custo -Check for Duplicates,Controleren op duplicaten Check how the newsletter looks in an email by sending it to your email.,Verifique como o boletim olha em um e-mail enviando-o para o seu e-mail. "Check if recurring invoice, uncheck to stop recurring or put proper End Date","Verifique se factura recorrente, desmarque a parar recorrente ou colocar Data final adequada" "Check if you need automatic recurring invoices. After submitting any sales invoice, Recurring section will be visible.","Verifique se você precisa automáticos de facturas recorrentes. Depois de apresentar qualquer nota fiscal de venda, seção Recorrente será visível." @@ -496,6 +516,7 @@ Check this to pull emails from your mailbox,Marque esta a puxar e-mails de sua c Check to activate,Marque para ativar Check to make Shipping Address,Verifique para ter endereço de entrega Check to make primary address,Verifique para ter endereço principal +Chemical,químico Cheque,Cheque Cheque Date,Data Cheque Cheque Number,Número de cheques @@ -535,6 +556,7 @@ Comma separated list of email addresses,Lista separada por vírgulas de endereç Comment,Comentário Comments,Comentários Commercial,comercial +Commission,comissão Commission Rate,Taxa de Comissão Commission Rate (%),Comissão Taxa (%) Commission on Sales,Comissão sobre Vendas @@ -568,6 +590,7 @@ Completed Production Orders,Voltooide productieorders Completed Qty,Concluído Qtde Completion Date,Data de Conclusão Completion Status,Status de conclusão +Computer,computador Computers,informática Confirmation Date,bevestiging Datum Confirmed orders from Customers.,Confirmado encomendas de clientes. @@ -575,10 +598,12 @@ Consider Tax or Charge for,Considere imposto ou encargo para Considered as Opening Balance,Considerado como Saldo Considered as an Opening Balance,Considerado como um saldo de abertura Consultant,Consultor +Consulting,consultor Consumable,Consumíveis Consumable Cost,verbruiksartikelen Cost Consumable cost per hour,Verbruiksartikelen kosten per uur Consumed Qty,Qtde consumida +Consumer Products,produtos para o Consumidor Contact,Contato Contact Control,Fale Controle Contact Desc,Contato Descr @@ -596,6 +621,7 @@ Contacts,Contactos Content,Conteúdo Content Type,Tipo de conteúdo Contra Voucher,Vale Contra +Contract,contrato Contract End Date,Data final do contrato Contract End Date must be greater than Date of Joining,Data Contrato Final deve ser maior que Data de Participar Contribution (%),Contribuição (%) @@ -611,10 +637,10 @@ Convert to Ledger,Converteren naar Ledger Converted,Convertido Copy,Copie Copy From Item Group,Copiar do item do grupo +Cosmetics,Cosméticos Cost Center,Centro de Custos Cost Center Details,Custo Detalhes Centro Cost Center Name,Custo Nome Centro -Cost Center Name already exists,Centro de Custo nome já existe Cost Center is mandatory for Item {0},Centro de Custo é obrigatória para item {0} Cost Center is required for 'Profit and Loss' account {0},"Centro de custo é necessário para "" Lucros e Perdas "" conta {0}" Cost Center is required in row {0} in Taxes table for type {1},Centro de Custo é necessária na linha {0} no Imposto de mesa para o tipo {1} @@ -648,6 +674,7 @@ Creation Time,Aanmaaktijd Credentials,Credenciais Credit,Crédito Credit Amt,Crédito Amt +Credit Card,cartão de crédito Credit Card Voucher,Comprovante do cartão de crédito Credit Controller,Controlador de crédito Credit Days,Dias de crédito @@ -696,6 +723,7 @@ Customer Issue,Edição cliente Customer Issue against Serial No.,Emissão cliente contra Serial No. Customer Name,Nome do cliente Customer Naming By,Cliente de nomeação +Customer Service,atendimento ao cliente Customer database.,Banco de dados do cliente. Customer is required,É necessário ao cliente Customer master.,Mestre de clientes. @@ -739,7 +767,6 @@ Debit Amt,Débito Amt Debit Note,Nota de Débito Debit To,Para débito Debit and Credit not equal for this voucher. Difference is {0}.,Débito e Crédito não é igual para este voucher. A diferença é {0}. -Debit must equal Credit. The difference is {0},Débito deve ser igual a crédito . A diferença é {0} Deduct,Subtrair Deduction,Dedução Deduction Type,Tipo de dedução @@ -779,6 +806,7 @@ Default settings for accounting transactions.,As configurações padrão para as Default settings for buying transactions.,As configurações padrão para a compra de transações. Default settings for selling transactions.,As configurações padrão para a venda de transações. Default settings for stock transactions.,As configurações padrão para transações com ações . +Defense,defesa "Define Budget for this Cost Center. To set budget action, see Company Master","Definir Orçamento para este Centro de Custo. Para definir ação do orçamento, consulte Mestre Empresa" Delete,Excluir Delete Row,Apagar Linha @@ -805,19 +833,23 @@ Delivery Status,Estado entrega Delivery Time,Prazo de entrega Delivery To,Entrega Department,Departamento +Department Stores,Lojas de Departamento Depends on LWP,Depende LWP Depreciation,depreciação Descending,Descendente Description,Descrição Description HTML,Descrição HTML Designation,Designação +Designer,estilista Detailed Breakup of the totals,Breakup detalhada dos totais Details,Detalhes -Difference,Diferença +Difference (Dr - Cr),Diferença ( Dr - Cr) Difference Account,verschil Account +"Difference Account must be a 'Liability' type account, since this Stock Reconciliation is an Opening Entry","Conta diferença deve ser um tipo de conta ' Responsabilidade ' , uma vez que este Banco de reconciliação é uma entrada de Abertura" 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 diferente para itens levará a incorreta valor Peso Líquido (Total ) . Certifique-se de que o peso líquido de cada item está na mesma UOM . Direct Expenses,Despesas Diretas Direct Income,Resultado direto +Director,diretor Disable,incapacitar Disable Rounded Total,Desativar total arredondado Disabled,Inválido @@ -829,6 +861,7 @@ Discount Amount,Montante do Desconto Discount Percentage,Percentagem de Desconto Discount must be less than 100,Desconto deve ser inferior a 100 Discount(%),Desconto (%) +Dispatch,expedição Display all the individual items delivered with the main items,Exibir todos os itens individuais entregues com os principais itens Distribute transport overhead across items.,Distribua por cima o transporte através itens. Distribution,Distribuição @@ -863,7 +896,7 @@ Download Template,Baixe Template Download a report containing all raw materials with their latest inventory status,Baixe um relatório contendo todas as matérias-primas com o seu estado mais recente inventário "Download the Template, fill appropriate data and attach the modified file.","Baixe o modelo , preencha os dados apropriados e anexe o arquivo modificado." "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", +All dates and employee combination in the selected period will come in the template, with existing attendance records","Baixe o modelo , preencha os dados apropriados e anexe o arquivo modificado. \ NTodas datas e combinação de funcionários no período selecionado virá no modelo, com registros de freqüência existentes" Draft,Rascunho Drafts,Rascunhos Drag to sort columns,Arraste para classificar colunas @@ -876,11 +909,10 @@ Due Date cannot be after {0},Due Date não pode ser posterior a {0} Due Date cannot be before Posting Date,Due Date não pode ser antes de Postar Data Duplicate Entry. Please check Authorization Rule {0},"Duplicar entrada . Por favor, verifique Regra de Autorização {0}" Duplicate Serial No entered for Item {0},Duplicar Serial Não entrou para item {0} +Duplicate entry,duplicar entrada Duplicate row {0} with same {1},Linha duplicada {0} com o mesmo {1} Duties and Taxes,Impostos e Contribuições ERPNext Setup,ERPNext Setup -ESIC CARD No,CARTÃO ESIC Não -ESIC No.,ESIC Não. Earliest,vroegste Earnest Money,Dinheiro Earnest Earning,Ganhando @@ -889,6 +921,7 @@ Earning Type,Ganhando Tipo Earning1,Earning1 Edit,Editar Editable,Editável +Education,educação Educational Qualification,Qualificação Educacional Educational Qualification Details,Detalhes educacionais de qualificação Eg. smsgateway.com/api/send_sms.cgi,Por exemplo. smsgateway.com / api / send_sms.cgi @@ -898,6 +931,7 @@ Either target qty or target amount is mandatory.,Ou qty alvo ou valor alvo é ob Electrical,elétrico Electricity Cost,elektriciteitskosten Electricity cost per hour,Kosten elektriciteit per uur +Electronics,eletrônica Email,E-mail Email Digest,E-mail Digest Email Digest Settings,E-mail Digest Configurações @@ -931,7 +965,6 @@ Employee Records to be created by,Empregado Records para ser criado por Employee Settings,werknemer Instellingen Employee Type,Tipo de empregado "Employee designation (e.g. CEO, Director etc.).","Designação do empregado (por exemplo, CEO , diretor , etc.)" -Employee grade.,Grau Employee. Employee master.,Mestre Employee. Employee record is created using selected field. ,Registro de empregado é criado usando o campo selecionado. Employee records.,Registros de funcionários. @@ -949,6 +982,8 @@ End Date,Data final End Date can not be less than Start Date,Data final não pode ser inferior a data de início End date of current invoice's period,Data final do período de fatura atual End of Life,Fim da Vida +Energy,energia +Engineer,engenheiro Enter Value,Digite o Valor Enter Verification Code,Digite o Código de Verificação Enter campaign name if the source of lead is campaign.,Digite o nome da campanha que a fonte de chumbo é a campanha. @@ -961,6 +996,7 @@ Enter name of campaign if source of enquiry is campaign,Digite o nome da campanh Enter the company name under which Account Head will be created for this Supplier,Digite o nome da empresa em que Chefe da conta será criada para este fornecedor Enter url parameter for message,Digite o parâmetro url para mensagem Enter url parameter for receiver nos,Digite o parâmetro url para nn receptor +Entertainment & Leisure,Entretenimento & Lazer Entertainment Expenses,despesas de representação Entries,Entradas Entries against,inzendingen tegen @@ -972,10 +1008,12 @@ Error: {0} > {1},Erro: {0} > {1} Estimated Material Cost,Custo de Material estimada Everyone can read,Todo mundo pode ler "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.", +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.","Exemplo: . ABCD # # # # # \ nSe série está definido e número de série não é mencionado em transações , então o número de série automático será criado com base nessa série." Exchange Rate,Taxa de Câmbio Excise Page Number,Número de página especial sobre o consumo Excise Voucher,Vale especiais de consumo +Execution,execução +Executive Search,Executive Search Exemption Limit,Limite de isenção Exhibition,Exposição Existing Customer,Cliente existente @@ -990,6 +1028,7 @@ Expected Delivery Date cannot be before Purchase Order Date,Previsão de Entrega Expected Delivery Date cannot be before Sales Order Date,Previsão de Entrega A data não pode ser antes de Ordem de Vendas Data Expected End Date,Data final esperado Expected Start Date,Data de Início do esperado +Expense,despesa Expense Account,Conta Despesa Expense Account is mandatory,Conta de despesa é obrigatória Expense Claim,Relatório de Despesas @@ -1007,7 +1046,7 @@ Expense Date,Data despesa Expense Details,Detalhes despesas Expense Head,Chefe despesa Expense account is mandatory for item {0},Conta de despesa é obrigatória para item {0} -Expense or Difference account is mandatory for Item {0} as there is difference in value,Despesa ou Diferença conta é obrigatória para item {0} como há diferença de valor +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 Expenses,Despesas Expenses Booked,Despesas Reservado Expenses Included In Valuation,Despesas incluídos na avaliação @@ -1034,13 +1073,11 @@ File,Arquivo Files Folder ID,Arquivos de ID de pasta Fill the form and save it,Vul het formulier in en sla het Filter,Filtre -Filter By Amount,Filtrar por Quantidade -Filter By Date,Filtrar por data Filter based on customer,Filtrar baseado em cliente Filter based on item,Filtrar com base no item -Final Confirmation Date must be greater than Date of Joining,Data final de confirmação deve ser maior que Data de Participar Financial / accounting year.,Exercício / contabilidade. Financial Analytics,Análise Financeira +Financial Services,Serviços Financeiros Financial Year End Date,Encerramento do Exercício Social Data Financial Year Start Date,Exercício Data de Início Finished Goods,afgewerkte producten @@ -1052,6 +1089,7 @@ Fixed Assets,Imobilizado Follow via Email,Siga por e-mail "Following table will show values if items are sub - contracted. These values will be fetched from the master of ""Bill of Materials"" of sub - contracted items.",Após tabela mostrará valores se os itens são sub - contratada. Estes valores serão obtidos a partir do mestre de "Bill of Materials" de sub - itens contratados. Food,comida +"Food, Beverage & Tobacco","Alimentos, Bebidas e Fumo" For Company,Para a Empresa For Employee,Para Empregado For Employee Name,Para Nome do Funcionário @@ -1106,6 +1144,7 @@ Frozen,Congelado Frozen Accounts Modifier,Bevroren rekeningen Modifikatie Fulfilled,Cumprido Full Name,Nome Completo +Full-time,De tempo integral Fully Completed,Totalmente concluída Furniture and Fixture,Móveis e utensílios Further accounts can be made under Groups but entries can be made against Ledger,"Outras contas podem ser feitas em grupos , mas as entradas podem ser feitas contra Ledger" @@ -1125,14 +1164,15 @@ Generates HTML to include selected image in the description,Gera HTML para inclu Get,Obter Get Advances Paid,Obter adiantamentos pagos Get Advances Received,Obter adiantamentos recebidos +Get Against Entries,Obter Contra Entradas Get Current Stock,Obter Estoque atual Get From ,Obter do Get Items,Obter itens Get Items From Sales Orders,Obter itens de Pedidos de Vendas Get Items from BOM,Items ophalen van BOM Get Last Purchase Rate,Obter Tarifa de Compra Última -Get Non Reconciled Entries,Obter entradas não Reconciliados Get Outstanding Invoices,Obter faturas pendentes +Get Relevant Entries,Obter entradas relevantes Get Sales Orders,Obter Pedidos de Vendas Get Specification Details,Obtenha detalhes Especificação Get Stock and Rate,Obter Estoque e Taxa de @@ -1151,14 +1191,13 @@ Goods received from Suppliers.,Mercadorias recebidas de fornecedores. Google Drive,Google Drive Google Drive Access Allowed,Acesso Google Drive admitidos Government,governo -Grade,Grau Graduate,Pós-graduação Grand Total,Total geral Grand Total (Company Currency),Grande Total (moeda da empresa) -Gratuity LIC ID,ID LIC gratuidade Greater or equals,Groter of gelijk Greater than,groter dan "Grid ""","Grid """ +Grocery,mercearia Gross Margin %,Margem Bruta% Gross Margin Value,Valor Margem Bruta Gross Pay,Salário bruto @@ -1173,6 +1212,7 @@ Group by Account,Grupo por Conta Group by Voucher,Grupo pela Vale Group or Ledger,Grupo ou Ledger Groups,Grupos +HR Manager,Gerente de RH HR Settings,Configurações HR HTML / Banner that will show on the top of product list.,HTML bandeira / que vai mostrar no topo da lista de produtos. Half Day,Meio Dia @@ -1183,7 +1223,9 @@ Hardware,ferragens Has Batch No,Não tem Batch Has Child Node,Tem nó filho Has Serial No,Não tem de série +Head of Marketing and Sales,Diretor de Marketing e Vendas Header,Cabeçalho +Health Care,Atenção à Saúde Health Concerns,Preocupações com a Saúde Health Details,Detalhes saúde Held On,Realizada em @@ -1266,6 +1308,7 @@ In Words will be visible once you save the Sales Invoice.,Em Palavras será vis In Words will be visible once you save the Sales Order.,Em Palavras será visível quando você salvar a Ordem de Vendas. In response to,Em resposta aos Incentives,Incentivos +Include Reconciled Entries,Incluir entradas Reconciliados Include holidays in Total no. of Working Days,Incluir feriados em nenhuma total. de dias de trabalho Income,renda Income / Expense,Receitas / Despesas @@ -1302,7 +1345,9 @@ Installed Qty,Quantidade instalada Instructions,Instruções Integrate incoming support emails to Support Ticket,Integreer inkomende support e-mails naar ticket support Interested,Interessado +Intern,internar Internal,Interno +Internet Publishing,Publishing Internet Introduction,Introdução Invalid Barcode or Serial No,Código de barras inválido ou Serial Não Invalid Email: {0},E-mail inválido : {0} @@ -1313,6 +1358,7 @@ Invalid User Name or Support Password. Please rectify and try again.,"Nome de us Invalid quantity specified for item {0}. Quantity should be greater than 0.,Quantidade inválido especificado para o item {0} . Quantidade deve ser maior do que 0 . Inventory,Inventário Inventory & Support,Inventário e Suporte +Investment Banking,Banca de Investimento Investments,Investimentos Invoice Date,Data da fatura Invoice Details,Detalhes da fatura @@ -1430,6 +1476,9 @@ Item-wise Purchase History,Item-wise Histórico de compras Item-wise Purchase Register,Item-wise Compra Register Item-wise Sales History,Item-wise Histórico de Vendas Item-wise Sales Register,Vendas de item sábios Registrar +"Item: {0} managed batch-wise, can not be reconciled using \ + Stock Reconciliation, instead use Stock Entry","Item : {0} gerido por lotes , não podem ser reconciliadas usando \ \ n Stock Reconciliação , em vez usar Banco de Entrada" +Item: {0} not found in the system,Item : {0} não foi encontrado no sistema Items,Itens Items To Be Requested,Items worden aangevraagd Items required,Itens exigidos @@ -1448,9 +1497,10 @@ Journal Entry,Journal Entry Journal Voucher,Vale Jornal Journal Voucher Detail,Jornal Detalhe Vale Journal Voucher Detail No,Jornal Detalhe folha no -Journal Voucher {0} does not have account {1}.,Jornal Vale {0} não tem conta {1}. +Journal Voucher {0} does not have account {1} or already matched,Jornal Vale {0} não tem conta {1} ou já combinava Journal Vouchers {0} are un-linked,Jornal Vouchers {0} são não- ligado Keep a track of communication related to this enquiry which will help for future reference.,Mantenha uma faixa de comunicação relacionada a este inquérito que irá ajudar para referência futura. +Keep it web friendly 900px (w) by 100px (h),Mantenha- web 900px amigável (w) por 100px ( h ) Key Performance Area,Área Key Performance Key Responsibility Area,Área de Responsabilidade chave Kg,Kg. @@ -1506,7 +1556,6 @@ Leave blank if considered for all branches,Deixe em branco se considerado para t Leave blank if considered for all departments,Deixe em branco se considerado para todos os departamentos Leave blank if considered for all designations,Deixe em branco se considerado para todas as designações Leave blank if considered for all employee types,Deixe em branco se considerado para todos os tipos de empregados -Leave blank if considered for all grades,Deixe em branco se considerado para todos os graus "Leave can be approved by users with Role, ""Leave Approver""","A licença pode ser aprovado por usuários com papel, "Deixe Aprovador"" Leave of type {0} cannot be longer than {1},Deixar do tipo {0} não pode ser maior que {1} Leaves Allocated Successfully for {0},Folhas atribuídos com sucesso para {0} @@ -1515,6 +1564,7 @@ Leaves must be allocated in multiples of 0.5,"Folhas devem ser alocados em múlt Ledger,Livro-razão Ledgers,grootboeken Left,Esquerda +Legal,legal Legal Expenses,despesas legais Less or equals,Minder of gelijk Less than,minder dan @@ -1522,16 +1572,16 @@ Letter Head,Cabeça letra Letter Heads for print templates.,Chefes de letras para modelos de impressão . Level,Nível Lft,Lft +Liability,responsabilidade Like,zoals Linked With,Com ligados List,Lista List a few of your customers. They could be organizations or individuals.,Lijst een paar van uw klanten. Ze kunnen organisaties of personen . List a few of your suppliers. They could be organizations or individuals.,Lijst een paar van uw leveranciers . Ze kunnen organisaties of personen . -"List a few products or services you buy from your suppliers or vendors. If these are same as your products, then do not add them.","Lijst een paar producten of diensten die u koopt bij uw leveranciers of verkopers . Als deze hetzelfde zijn als uw producten , dan is ze niet toe te voegen ." List items that form the package.,Lista de itens que compõem o pacote. List this Item in multiple groups on the website.,Lista este item em vários grupos no site. -"List your products or services that you sell to your customers. 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 verkoopt aan uw klanten . Zorg ervoor dat u de artikelgroep , maateenheid en andere eigenschappen te controleren wanneer u begint ." -"List your tax heads (e.g. VAT, Excise) (upto 3) and their standard rates. This will create a standard template, you can edit and add more later.","Een lijst van uw fiscale koppen ( zoals btw , accijnzen ) ( tot 3 ) en hun standaard tarieven. Dit zal een standaard template te maken, kunt u deze bewerken en voeg later meer ." +"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 seus produtos ou serviços que você comprar ou vender . +"List your tax heads (e.g. VAT, Excise; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Liste seus chefes de impostos (por exemplo, IVA , impostos especiais de consumo , que devem ter nomes exclusivos ) e suas taxas normais." Loading,Carregamento Loading Report,Relatório de carregamento Loading...,Loading ... @@ -1598,6 +1648,8 @@ Manage Customer Group Tree.,Gerenciar Grupo Cliente Tree. Manage Sales Person Tree.,Gerenciar Vendas Pessoa Tree. Manage Territory Tree.,Gerenciar Árvore Território. Manage cost of operations,Gerenciar custo das operações +Management,gestão +Manager,gerente Mandatory fields required in {0},Os campos obrigatórios exigidos no {0} Mandatory filters required:\n,Verplichte filters nodig : \ n "Mandatory if Stock Item is ""Yes"". Also the default warehouse where reserved quantity is set from Sales Order.","Obrigatório se o estoque do item é "Sim". Além disso, o armazém padrão onde quantidade reservada é definido a partir de Ordem de Vendas." @@ -1614,6 +1666,7 @@ Manufacturing Quantity is mandatory,Manufacturing Kwantiteit is verplicht Margin,Margem Marital Status,Estado civil Market Segment,Segmento de mercado +Marketing,marketing Marketing Expenses,Despesas de Marketing Married,Casado Mass Mailing,Divulgação em massa @@ -1640,6 +1693,7 @@ Material Requirement,Material Requirement Material Transfer,Transferência de Material Materials,Materiais Materials Required (Exploded),Materiais necessários (explodida) +Max 5 characters,Max 5 caracteres Max Days Leave Allowed,Dias Max Deixe admitidos Max Discount (%),Max Desconto (%) Max Qty,Max Qtde @@ -1648,7 +1702,7 @@ Maximum {0} rows allowed,Máximo de {0} linhas permitido Maxiumm discount for Item {0} is {1}%,Maxiumm desconto para item {0} {1} % Medical,médico Medium,Médio -"Merging is only possible if following properties are same in both records. Group or Ledger, Report Type, Company","A fusão só é possível se seguintes propriedades são as mesmas em ambos os registros. Grupo ou Ledger, tipo de relatório , Company" +"Merging is only possible if following properties are same in both records. Group or Ledger, Root Type, Company",A fusão só é possível se seguintes propriedades são as mesmas em ambos os registros. Message,Mensagem Message Parameter,Parâmetro mensagem Message Sent,bericht verzonden @@ -1662,6 +1716,7 @@ Milestones,Milestones Milestones will be added as Events in the Calendar,Marcos será adicionado como eventos no calendário Min Order Qty,Min Qty Ordem Min Qty,min Qty +Min Qty can not be greater than Max Qty,Qty mínimo não pode ser maior do que Max Qtde Minimum Order Qty,Qtde mínima Minute,minuto Misc Details,Detalhes Diversos @@ -1684,6 +1739,7 @@ Monthly salary statement.,Declaração salário mensal. More,Mais More Details,Mais detalhes More Info,Mais informações +Motion Picture & Video,Motion Picture & Video Move Down: {0},Mover para baixo : {0} Move Up: {0},Mover para cima : {0} Moving Average,Média móvel @@ -1691,6 +1747,9 @@ Moving Average Rate,Movendo Taxa Média Mr,Sr. Ms,Ms Multiple Item prices.,Meerdere Artikelprijzen . +"Multiple Price Rule exists with same criteria, please resolve \ + conflict by assigning priority. Price Rules: {0}","Várias Rule Preço existe com os mesmos critérios , por favor resolver \ \ n conflito , atribuindo prioridade." +Music,música Must be Whole Number,Deve ser Número inteiro My Settings,Minhas Configurações Name,Nome @@ -1702,7 +1761,9 @@ Name not permitted,Nome não é permitida Name of person or organization that this address belongs to.,Nome da pessoa ou organização que este endereço pertence. Name of the Budget Distribution,Nome da Distribuição de Orçamento Naming Series,Nomeando Series +Negative Quantity is not allowed,Negativo Quantidade não é permitido Negative Stock Error ({6}) for Item {0} in Warehouse {1} on {2} {3} in {4} {5},Negativo Banco de Erro ( {6} ) para item {0} no Armazém {1} em {2} {3} em {4} {5} +Negative Valuation Rate is not allowed,Negativa Avaliação Taxa não é permitido Negative balance in Batch {0} for Item {1} at Warehouse {2} on {3} {4},Saldo negativo em lote {0} para {1} item no Armazém {2} em {3} {4} Net Pay,Pagamento Net Net Pay (in words) will be visible once you save the Salary Slip.,Pagamento líquido (em palavras) será visível quando você salvar a folha de salário. @@ -1750,6 +1811,7 @@ Newsletter Status,Estado boletim Newsletter has already been sent,Boletim informativo já foi enviado Newsletters is not allowed for Trial users,Newsletters não é permitido para usuários experimentais "Newsletters to contacts, leads.","Newsletters para contatos, leva." +Newspaper Publishers,Editores de Jornais Next,próximo Next Contact By,Contato Próxima Por Next Contact Date,Data Contato próximo @@ -1773,17 +1835,18 @@ No Results,nenhum resultado No Supplier Accounts found. Supplier Accounts are identified based on 'Master Type' value in account record.,Geen Leverancier Accounts gevonden . Leverancier Accounts worden geïdentificeerd op basis van 'Master Type' waarde in rekening te nemen. No accounting entries for the following warehouses,Nenhuma entrada de contabilidade para os seguintes armazéns No addresses created,Geen adressen aangemaakt -No amount allocated,No montante atribuído No contacts created,Geen contacten gemaakt No default BOM exists for Item {0},No BOM padrão existe para item {0} No description given,Sem descrição dada No document selected,Nenhum documento selecionado No employee found,Nenhum funcionário encontrado +No employee found!,Nenhum funcionário encontrado! No of Requested SMS,No pedido de SMS No of Sent SMS,N º de SMS enviados No of Visits,N º de Visitas No one,Ninguém No permission,Sem permissão +No permission to '{0}' {1},Sem permissão para '{0} ' {1} No permission to edit,Geen toestemming te bewerken No record found,Nenhum registro encontrado No records tagged.,Não há registros marcados. @@ -1843,6 +1906,7 @@ Old Parent,Pai Velho On Net Total,Em Líquida Total On Previous Row Amount,Quantidade em linha anterior On Previous Row Total,No total linha anterior +Online Auctions,Leilões Online Only Leave Applications with status 'Approved' can be submitted,"Só Deixar Aplicações com status ""Aprovado"" podem ser submetidos" "Only Serial Nos with status ""Available"" can be delivered.","Alleen serienummers met de status ""Beschikbaar"" kan worden geleverd." Only leaf nodes are allowed in transaction,Nós folha apenas são permitidos em operação @@ -1888,6 +1952,7 @@ Organization Name,Naam van de Organisatie Organization Profile,Perfil da Organização Organization branch master.,Mestre Organização ramo . Organization unit (department) master.,Organização unidade (departamento) mestre. +Original Amount,Valor original Original Message,Mensagem original Other,Outro Other Details,Outros detalhes @@ -1905,9 +1970,6 @@ Overlapping conditions found between:,Condições sobreposição encontradas ent Overview,Overzicht Owned,Possuído Owner,eigenaar -PAN Number,Número PAN -PF No.,PF Não. -PF Number,Número PF PL or BS,PL of BS PO Date,PO Datum PO No,PO Geen @@ -1919,7 +1981,6 @@ POS Setting,Definição POS POS Setting required to make POS Entry,Setting POS obrigados a fazer POS Entry POS Setting {0} already created for user: {1} and company {2},POS Setting {0} já criado para o usuário : {1} e {2} empresa POS View,POS Ver -POS-Setting-.#,POS- Setting - . # PR Detail,Detalhe PR PR Posting Date,PR Boekingsdatum Package Item Details,Item Detalhes do pacote @@ -1955,6 +2016,7 @@ Parent Website Route,Pai site Route Parent account can not be a ledger,Pai conta não pode ser um livro Parent account does not exist,Pai conta não existe Parenttype,ParentType +Part-time,De meio expediente Partially Completed,Parcialmente concluída Partly Billed,Parcialmente faturado Partly Delivered,Entregue em parte @@ -1972,7 +2034,6 @@ Payables,Contas a pagar Payables Group,Grupo de contas a pagar Payment Days,Datas de Pagamento Payment Due Date,Betaling Due Date -Payment Entries,Entradas de pagamento Payment Period Based On Invoice Date,Betaling Periode Based On Factuurdatum Payment Type,betaling Type Payment of salary for the month {0} and year {1},Pagamento de salário para o mês {0} e {1} ano @@ -1989,6 +2050,7 @@ Pending Amount,In afwachting van Bedrag Pending Items {0} updated,Itens Pendentes {0} atualizada Pending Review,Revisão pendente Pending SO Items For Purchase Request,"Itens Pendentes Assim, por solicitação de compra" +Pension Funds,Fundos de Pensão Percent Complete,Porcentagem Concluída Percentage Allocation,Alocação percentual Percentage Allocation should be equal to 100%,Percentual de alocação deve ser igual a 100% @@ -1997,7 +2059,6 @@ Percentage you are allowed to receive or deliver more against the quantity order Performance appraisal.,Avaliação de desempenho. Period,periode Period Closing Voucher,Comprovante de Encerramento período -Period is too short,Período é muito curta Periodicity,Periodicidade Permanent Address,Endereço permanente Permanent Address Is,Vast adres @@ -2009,15 +2070,18 @@ Personal,Pessoal Personal Details,Detalhes pessoais Personal Email,E-mail pessoal Pharmaceutical,farmacêutico +Pharmaceuticals,Pharmaceuticals Phone,Telefone Phone No,N º de telefone Pick Columns,Escolha Colunas +Piecework,trabalho por peça Pincode,PINCODE Place of Issue,Local de Emissão Plan for maintenance visits.,Plano de visitas de manutenção. Planned Qty,Qtde planejada "Planned Qty: Quantity, for which, Production Order has been raised, but is pending to be manufactured.","Planned Qtde: Quantidade , para a qual, ordem de produção foi levantada , mas está pendente para ser fabricado." Planned Quantity,Quantidade planejada +Planning,planejamento Plant,Planta Plant and Machinery,Máquinas e instalações Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,Por favor insira Abreviação ou Nome Curto corretamente como ele será adicionado como sufixo a todos os chefes de Conta. @@ -2054,7 +2118,6 @@ Please enter Planned Qty for Item {0} at row {1},"Por favor, indique Planned Qt Please enter Production Item first,Vul Productie Item eerste Please enter Purchase Receipt No to proceed,Por favor insira Compra recibo Não para continuar Please enter Reference date,"Por favor, indique data de referência" -Please enter Start Date and End Date,Vul de Begindatum en Einddatum Please enter Warehouse for which Material Request will be raised,Vul Warehouse waarvoor Materiaal Request zal worden verhoogd Please enter Write Off Account,"Por favor, indique Escrever Off Conta" Please enter atleast 1 invoice in the table,"Por favor, indique pelo menos uma fatura na tabela" @@ -2103,9 +2166,9 @@ Please select item code,Por favor seleccione código do item Please select month and year,Selecione mês e ano Please select prefix first,Por favor seleccione prefixo primeiro Please select the document type first,"Por favor, selecione o tipo de documento primeiro" -Please select valid Voucher No to proceed,Por favor seleccione válido Comprovante Não para continuar Please select weekly off day,Por favor seleccione dia de folga semanal Please select {0},Por favor seleccione {0} +Please select {0} first,Por favor seleccione {0} primeiro Please set Dropbox access keys in your site config,Defina teclas de acesso Dropbox em sua configuração local Please set Google Drive access keys in {0},Defina teclas de acesso do Google Drive em {0} 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} @@ -2121,6 +2184,7 @@ Please specify Default Currency in Company Master and Global Defaults,"Por favor Please specify a,"Por favor, especifique um" Please specify a valid 'From Case No.',"Por favor, especifique um válido 'De Caso No.'" Please specify a valid Row ID for {0} in row {1},"Por favor, especifique um ID Row válido para {0} na linha {1}" +Please specify either Quantity or Valuation Rate or both,"Por favor, especifique a quantidade ou Taxa de Valorização ou ambos" Please submit to update Leave Balance.,Gelieve te werken verlofsaldo . Plot,plot Plot By,plot Door @@ -2170,11 +2234,14 @@ Print and Stationary,Imprimir e estacionária Print...,Imprimir ... Printing and Branding,Impressão e Branding Priority,Prioridade +Private Equity,Private Equity Privilege Leave,Privilege Deixar +Probation,provação Process Payroll,Payroll processo Produced,geproduceerd Produced Quantity,Quantidade produzida Product Enquiry,Produto Inquérito +Production,produção Production Order,Ordem de Produção Production Order status is {0},Status de ordem de produção é {0} Production Order {0} must be cancelled before cancelling this Sales Order,Ordem de produção {0} deve ser cancelado antes de cancelar esta ordem de venda @@ -2187,12 +2254,12 @@ Production Plan Sales Order,Produção Plano de Ordem de Vendas Production Plan Sales Orders,Vendas de produção do Plano de Ordens Production Planning Tool,Ferramenta de Planejamento da Produção Products,produtos -Products or Services You Buy,Producten of diensten die u kopen "Products will be sorted by weight-age in default searches. More the weight-age, higher the product will appear in the list.","Os produtos serão classificados por peso-idade em buscas padrão. Mais o peso-idade, maior o produto irá aparecer na lista." Profit and Loss,Lucros e perdas Project,Projeto Project Costing,Project Costing Project Details,Detalhes do projeto +Project Manager,Gerente de Projetos Project Milestone,Projeto Milestone Project Milestones,Etapas do Projeto Project Name,Nome do projeto @@ -2209,9 +2276,10 @@ Projected Qty,Qtde Projetada Projects,Projetos Projects & System,Projetos e Sistema Prompt for Email on Submission of,Solicitar-mail mediante a apresentação da +Proposal Writing,Proposta Redação Provide email id registered in company,Fornecer ID e-mail registrado na empresa Public,Público -Pull Payment Entries,Puxe as entradas de pagamento +Publishing,Publishing Pull sales orders (pending to deliver) based on the above criteria,Puxe pedidos de vendas pendentes (de entregar) com base nos critérios acima Purchase,Comprar Purchase / Manufacture Details,Aankoop / Productie Details @@ -2277,6 +2345,7 @@ Quality Inspection Parameters,Inspeção parâmetros de qualidade Quality Inspection Reading,Leitura de Inspeção de Qualidade Quality Inspection Readings,Leituras de inspeção de qualidade Quality Inspection required for Item {0},Inspeção de Qualidade exigido para item {0} +Quality Management,Gestão da Qualidade Quantity,Quantidade Quantity Requested for Purchase,Quantidade Solicitada para Compra Quantity and Rate,Quantidade e Taxa @@ -2340,6 +2409,7 @@ Reading 6,Leitura 6 Reading 7,Lendo 7 Reading 8,Leitura 8 Reading 9,Leitura 9 +Real Estate,imóveis Reason,Razão Reason for Leaving,Motivo da saída Reason for Resignation,Motivo para Demissão @@ -2358,6 +2428,7 @@ Receiver List,Lista de receptor Receiver List is empty. Please create Receiver List,"Lista Receiver está vazio. Por favor, crie Lista Receiver" Receiver Parameter,Parâmetro receptor Recipients,Destinatários +Reconcile,conciliar Reconciliation Data,Dados de reconciliação Reconciliation HTML,Reconciliação HTML Reconciliation JSON,Reconciliação JSON @@ -2407,6 +2478,7 @@ Report,Relatório Report Date,Relatório Data Report Type,Tipo de relatório Report Type is mandatory,Tipo de relatório é obrigatória +Report an Issue,Relatar um incidente Report was not saved (there were errors),Relatório não foi salvo (houve erros) Reports to,Relatórios para Reqd By Date,Reqd Por Data @@ -2425,6 +2497,9 @@ Required Date,Data Obrigatório Required Qty,Quantidade requerida Required only for sample item.,Necessário apenas para o item amostra. Required raw materials issued to the supplier for producing a sub - contracted item.,Matérias-primas necessárias emitidos para o fornecedor para a produção de um sub - item contratado. +Research,pesquisa +Research & Development,Pesquisa e Desenvolvimento +Researcher,investigador Reseller,Revendedor Reserved,gereserveerd Reserved Qty,Gereserveerd Aantal @@ -2444,11 +2519,14 @@ Resolution Details,Detalhes de Resolução Resolved By,Resolvido por Rest Of The World,Resto do mundo Retail,Varejo +Retail & Wholesale,Varejo e Atacado Retailer,Varejista Review Date,Comente Data Rgt,Rgt Role Allowed to edit frozen stock,Papel permissão para editar estoque congelado 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. +Root Type,Tipo de Raiz +Root Type is mandatory,Tipo de Raiz é obrigatório Root account can not be deleted,Conta root não pode ser excluído Root cannot be edited.,Root não pode ser editado . Root cannot have a parent cost center,Root não pode ter um centro de custos pai @@ -2456,6 +2534,16 @@ Rounded Off,arredondado Rounded Total,Total arredondado Rounded Total (Company Currency),Total arredondado (Moeda Company) Row # ,Linha # +Row # {0}: , +"Row {0}: Account does not match with \ + Purchase Invoice Credit To account",Row {0} : Conta não coincide com \ \ n factura de compra de crédito para conta +"Row {0}: Account does not match with \ + Sales Invoice Debit To account",Row {0} : Conta não coincide com \ \ n vendas fatura de débito em conta +Row {0}: Credit entry can not be linked with a Purchase Invoice,Row {0}: entrada de crédito não pode ser associada com uma fatura de compra +Row {0}: Debit entry can not be linked with a Sales Invoice,Row {0}: lançamento de débito não pode ser associada com uma factura de venda +"Row {0}: To set {1} periodicity, difference between from and to date \ + must be greater than or equal to {2}","Fila {0} : Para definir {1} periodicidade , diferença entre a data de e \ \ n deve ser maior do que ou igual a {2}" +Row {0}:Start Date must be before End Date,Row {0}: Data de início deve ser anterior a data de término Rules for adding shipping costs.,Regras para adicionar os custos de envio . Rules for applying pricing and discount.,Regras para aplicação de preços e de desconto. Rules to calculate shipping amount for a sale,Regras para calcular valor de frete para uma venda @@ -2547,7 +2635,6 @@ Schedule,Programar Schedule Date,tijdschema Schedule Details,Detalhes da Agenda Scheduled,Programado -Scheduled Confirmation Date must be greater than Date of Joining,Agendada Confirmação Data deve ser maior que Data de Juntando Scheduled Date,Data prevista Scheduled to send to {0},Programado para enviar para {0} Scheduled to send to {0} recipients,Programado para enviar para {0} destinatários @@ -2559,7 +2646,9 @@ Score must be less than or equal to 5,Score moet lager dan of gelijk aan 5 zijn Scrap %,Sucata% Search,Pesquisar Seasonality for setting budgets.,Sazonalidade para definir orçamentos. +Secretary,secretário Secured Loans,Empréstimos garantidos +Securities & Commodity Exchanges,Valores Mobiliários e Bolsas de Mercadorias Securities and Deposits,Títulos e depósitos "See ""Rate Of Materials Based On"" in Costing Section",Consulte "taxa de materiais baseados em" no Custeio Seção "Select ""Yes"" for sub - contracting items",Selecione "Sim" para a sub - itens contratantes @@ -2589,7 +2678,6 @@ Select dates to create a new ,Selecione as datas para criar uma nova Select or drag across time slots to create a new event.,Selecione ou arraste intervalos de tempo para criar um novo evento. Select template from which you want to get the Goals,Selecione o modelo a partir do qual você deseja obter as Metas Select the Employee for whom you are creating the Appraisal.,Selecione o funcionário para quem você está criando a Avaliação. -Select the Invoice against which you want to allocate payments.,Selecteer de factuur waartegen u wilt betalingen toewijzen . Select the period when the invoice will be generated automatically,Selecione o período em que a factura será gerado automaticamente Select the relevant company name if you have multiple companies,"Selecione o nome da empresa em questão, se você tem várias empresas" Select the relevant company name if you have multiple companies.,"Selecione o nome da empresa em questão, se você tem várias empresas." @@ -2640,7 +2728,8 @@ Serial No {0} status must be 'Available' to Deliver,Serial No {0} Estado deve se Serial Nos Required for Serialized Item {0},Serial Nos Obrigatório para Serialized item {0} Serial Number Series,Serienummer Series Serial number {0} entered more than once,Número de série {0} entrou mais de uma vez -Serialized Item {0} cannot be updated using Stock Reconciliation,Serialized item {0} não pode ser atualizado usando Banco de Reconciliação +"Serialized Item {0} cannot be updated \ + using Stock Reconciliation",Serialized item {0} não pode ser atualizado \ \ n usando Banco de Reconciliação Series,serie Series List for this Transaction,Lista de séries para esta transação Series Updated,Série Atualizado @@ -2655,7 +2744,6 @@ Set,conjunto "Set Default Values like Company, Currency, Current Fiscal Year, etc.","Definir valores padrão , como Company, de moeda, Atual Exercício , etc" Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,"Definir item Group-wise orçamentos sobre este território. Você também pode incluir sazonalidade, definindo a distribuição." Set Link,Stel Link -Set allocated amount against each Payment Entry and click 'Allocate'.,Set toegewezen bedrag tegen elkaar Betaling Entry en klik op ' toewijzen ' . Set as Default,Instellen als standaard Set as Lost,Instellen als Lost Set prefix for numbering series on your transactions,Definir prefixo para numeração de série em suas transações @@ -2706,6 +2794,9 @@ Single,Único Single unit of an Item.,Única unidade de um item. Sit tight while your system is being setup. This may take a few moments.,Hou je vast terwijl uw systeem wordt setup. Dit kan even duren . Slideshow,Slideshow +Soap & Detergent,Soap & detergente +Software,Software +Software Developer,Software Developer Sorry we were unable to find what you were looking for.,"Desculpe, não foram capazes de encontrar o que você estava procurando." Sorry you are not permitted to view this page.,"Desculpe, você não tem permissão para visualizar esta página." "Sorry, Serial Nos cannot be merged","Sorry , kan de serienummers niet worden samengevoegd" @@ -2719,8 +2810,6 @@ Source of Funds (Liabilities),Fonte de Recursos ( Passivo) Source warehouse is mandatory for row {0},Origem do Warehouse é obrigatória para a linha {0} Spartan,Espartano "Special Characters except ""-"" and ""/"" not allowed in naming series","Caracteres especiais , exceto "" - "" e ""/ "" não é permitido em série nomeando" -Special Characters not allowed in Abbreviation,Caracteres especiais não permitidos em Sigla -Special Characters not allowed in Company Name,Caracteres especiais não permitidos em Nome da Empresa Specification Details,Detalhes especificação Specifications,especificações "Specify a list of Territories, for which, this Price List is valid","Especificar uma lista de territórios, para a qual, esta lista de preços é válida" @@ -2728,16 +2817,18 @@ Specifications,especificações "Specify a list of Territories, for which, this Taxes Master is valid","Especificar uma lista de territórios, para a qual, este Impostos Master é válido" "Specify the operations, operating cost and give a unique Operation no to your operations.","Geef de operaties , operationele kosten en geven een unieke operatie niet aan uw activiteiten ." Split Delivery Note into packages.,Nota de Entrega dividir em pacotes. +Sports,esportes Standard,Padrão +Standard Buying,Compra padrão Standard Rate,Taxa normal Standard Reports,Relatórios padrão +Standard Selling,venda padrão Standard contract terms for Sales or Purchase.,Termos do contrato padrão para vendas ou compra. Start,begin Start Date,Data de Início Start Report For,Para começar Relatório Start date of current invoice's period,A data de início do período de fatura atual Start date should be less than end date for Item {0},Data de início deve ser inferior a data final para o item {0} -Start date should be less than end date.,Data de início deve ser inferior a data de término. State,Estado Static Parameters,Parâmetros estáticos Status,Estado @@ -2820,15 +2911,12 @@ Supplier Part Number,Número da peça de fornecedor Supplier Quotation,Cotação fornecedor Supplier Quotation Item,Cotação do item fornecedor Supplier Reference,Referência fornecedor -Supplier Shipment Date,Fornecedor Expedição Data -Supplier Shipment No,Fornecedor Expedição Não Supplier Type,Tipo de fornecedor Supplier Type / Supplier,Leverancier Type / leverancier Supplier Type master.,Fornecedor Tipo de mestre. Supplier Warehouse,Armazém fornecedor Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Fornecedor Armazém obrigatório para sub- contratados Recibo de compra Supplier database.,Banco de dados de fornecedores. -Supplier delivery number duplicate in {0},Número de entrega Fornecedor duplicar em {0} Supplier master.,Fornecedor mestre. Supplier warehouse where you have issued raw materials for sub - contracting,Armazém do fornecedor onde você emitiu matérias-primas para a sub - contratação Supplier-Wise Sales Analytics,Leveranciers Wise Sales Analytics @@ -2869,7 +2957,7 @@ Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are no Tax Rate,Taxa de Imposto Tax and other salary deductions.,Fiscais e deduções salariais outros. "Tax detail table fetched from item master as a string and stored in this field. -Used for Taxes and Charges", +Used for Taxes and Charges",Pormenor tabela do Imposto buscados mestre como uma string e armazenada neste campo. \ NUsed dos Impostos e Taxas Tax template for buying transactions.,Modelo de impostos para a compra de transações. Tax template for selling transactions.,Modelo imposto pela venda de transações. Taxable,Tributável @@ -2881,13 +2969,16 @@ Taxes and Charges Deducted,Impostos e Encargos Deduzidos Taxes and Charges Deducted (Company Currency),Impostos e taxas Deduzido (Moeda Company) Taxes and Charges Total,Impostos e encargos totais Taxes and Charges Total (Company Currency),Impostos e Encargos Total (moeda da empresa) +Technology,tecnologia +Telecommunications,Telecomunicações Telephone Expenses,Despesas de telefone +Television,televisão Template for performance appraisals.,Modelo para avaliação de desempenho . Template of terms or contract.,Modelo de termos ou contratos. -Temporary Account (Assets),Conta Temporária (Ativo ) -Temporary Account (Liabilities),Conta temporária ( Passivo) Temporary Accounts (Assets),Contas Transitórias (Ativo ) Temporary Accounts (Liabilities),Contas temporárias ( Passivo) +Temporary Assets,Ativos temporários +Temporary Liabilities,Passivo temporárias Term Details,Detalhes prazo Terms,Voorwaarden Terms and Conditions,Termos e Condições @@ -2912,7 +3003,7 @@ The First User: You,De eerste gebruiker : U The Organization,de Organisatie "The account head under Liability, in which Profit/Loss will be booked","De rekening hoofd onder Aansprakelijkheid , waarin Winst / verlies zal worden geboekt" "The date on which next invoice will be generated. It is generated on submit. -", +",A data em que próxima fatura será gerada. The date on which recurring invoice will be stop,A data em que fatura recorrente será parar "The day of the month on which auto invoice will be generated e.g. 05, 28 etc ","O dia do mês em que factura automática será gerada, por exemplo 05, 28 etc" The day(s) on which you are applying for leave are holiday. You need not apply for leave.,No dia (s) em que você está se candidatando para a licença estão de férias. Você não precisa solicitar uma licença . @@ -2997,6 +3088,8 @@ To track items using barcode. You will be able to enter items in Delivery Note a Tools,Ferramentas Total,Total Total Advance,Antecipação total +Total Allocated Amount,Montante total atribuído +Total Allocated Amount can not be greater than unmatched amount,Montante total atribuído não pode ser maior do que a quantidade inigualável Total Amount,Valor Total Total Amount To Pay,Valor total a pagar Total Amount in Words,Valor Total em Palavras @@ -3006,6 +3099,7 @@ Total Commission,Total Comissão Total Cost,Custo Total Total Credit,Crédito Total Total Debit,Débito total +Total Debit must be equal to Total Credit. The difference is {0},Débito total deve ser igual ao total de crédito. Total Deduction,Dedução Total Total Earning,Ganhar total Total Experience,Experiência total @@ -3033,8 +3127,10 @@ Total in words,Total em palavras Total points for all goals should be 100. It is {0},Total de pontos para todos os objetivos devem ser 100. Ele é {0} Total weightage assigned should be 100%. It is {0},Weightage total atribuído deve ser de 100 %. É {0} Totals,Totais +Track Leads by Industry Type.,Trilha leva por setor Type. Track this Delivery Note against any Project,Acompanhar este Nota de Entrega contra qualquer projeto Track this Sales Order against any Project,Acompanhar este Ordem de vendas contra qualquer projeto +Trainee,estagiário Transaction,Transação Transaction Date,Data Transação Transaction not allowed against stopped Production Order {0},Transação não é permitido contra parou Ordem de produção {0} @@ -3042,10 +3138,10 @@ Transfer,Transferir Transfer Material,Transfer Materiaal Transfer Raw Materials,Transfer Grondstoffen Transferred Qty,overgedragen hoeveelheid +Transportation,transporte Transporter Info,Informações Transporter Transporter Name,Nome Transporter Transporter lorry number,Número caminhão transportador -Trash Reason,Razão lixo Travel,viagem Travel Expenses,Despesas de viagem Tree Type,boom Type @@ -3149,6 +3245,7 @@ Value,Valor Value or Qty,Waarde of Aantal Vehicle Dispatch Date,Veículo Despacho Data Vehicle No,No veículo +Venture Capital,venture Capital Verified By,Verified By View Ledger,Bekijk Ledger View Now,Bekijk nu @@ -3157,6 +3254,7 @@ Voucher #,voucher # Voucher Detail No,Detalhe folha no Voucher ID,ID comprovante Voucher No,Não vale +Voucher No is not valid,No voucher não é válido Voucher Type,Tipo comprovante Voucher Type and Date,Tipo Vale e Data Walk In,Walk In @@ -3171,6 +3269,7 @@ Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt Warehouse cannot be changed for Serial No.,Magazijn kan niet worden gewijzigd voor Serienummer Warehouse is mandatory for stock Item {0} in row {1},Armazém é obrigatória para stock o item {0} na linha {1} Warehouse is missing in Purchase Order,Warehouse ontbreekt in Purchase Order +Warehouse not found in the system,Warehouse não foi encontrado no sistema Warehouse required for stock Item {0},Armazém necessário para stock o item {0} Warehouse required in POS Setting,Armazém exigido em POS Setting Warehouse where you are maintaining stock of rejected items,Armazém onde você está mantendo estoque de itens rejeitados @@ -3191,6 +3290,8 @@ Warranty / AMC Status,Garantia / AMC Estado Warranty Expiry Date,Data de validade da garantia Warranty Period (Days),Período de Garantia (Dias) Warranty Period (in days),Período de Garantia (em dias) +We buy this Item,Nós compramos este item +We sell this Item,Nós vendemos este item Website,Site Website Description,Descrição do site Website Item Group,Grupo Item site @@ -3217,6 +3318,7 @@ Will be calculated automatically when you enter the details,Será calculado auto Will be updated after Sales Invoice is Submitted.,Será atualizado após a factura de venda é submetido. Will be updated when batched.,Será atualizado quando agrupadas. Will be updated when billed.,Será atualizado quando faturado. +Wire Transfer,por transferência bancária With Groups,com Grupos With Ledgers,com Ledgers With Operations,Com Operações @@ -3251,7 +3353,6 @@ Yearly,Anual Yes,Sim Yesterday,Ontem You are not allowed to create / edit reports,Você não tem permissão para criar / editar relatórios -You are not allowed to create {0},Você não tem permissão para criar {0} You are not allowed to export this report,Você não tem permissão para exportar este relatório You are not allowed to print this document,Você não tem permissão para imprimir este documento You are not allowed to send emails related to this document,Você não tem permissão para enviar e-mails relacionados a este documento @@ -3269,12 +3370,15 @@ You can set Default Bank Account in Company master,Você pode definir padrão Co You can start by selecting backup frequency and granting access for sync,Você pode começar por selecionar a freqüência de backup e concessão de acesso para sincronização You can submit this Stock Reconciliation.,U kunt indienen dit Stock Verzoening . You can update either Quantity or Valuation Rate or both.,U kunt Hoeveelheid of Valuation Rate of beide te werken. -You cannot credit and debit same account at the same time.,Você não pode de crédito e débito mesma conta ao mesmo tempo . +You cannot credit and debit same account at the same time,Você não pode de crédito e débito mesma conta ao mesmo tempo You have entered duplicate items. Please rectify and try again.,U heeft dubbele items ingevoerd. Aub verwijderen en probeer het opnieuw . +You have unsaved changes in this form. Please save before you continue.,Você tem alterações não salvas neste formulário. You may need to update: {0},Você pode precisar atualizar : {0} You must Save the form before proceeding,Você deve salvar o formulário antes de continuar +You must allocate amount before reconcile,Você deve alocar o valor antes de reconciliação Your Customer's TAX registration numbers (if applicable) or any general information,Seu cliente FISCAIS números de inscrição (se aplicável) ou qualquer outra informação geral Your Customers,uw klanten +Your Login Id,Seu ID de login Your Products or Services,Uw producten of diensten Your Suppliers,uw Leveranciers "Your download is being built, this may take a few moments...","O seu download está sendo construída, isso pode demorar alguns instantes ..." @@ -3285,6 +3389,7 @@ Your sales person who will contact the customer in future,Sua pessoa de vendas q Your sales person will get a reminder on this date to contact the customer,Seu vendedor receberá um lembrete sobre esta data para contato com o cliente Your setup is complete. Refreshing...,Uw installatie is voltooid . Verfrissend ... Your support email id - must be a valid email - this is where your emails will come!,O seu ID e-mail de apoio - deve ser um email válido - este é o lugar onde seus e-mails virão! +[Select],[ Select] `Freeze Stocks Older Than` should be smaller than %d days.,` Stocks Congelar Mais velho do que ` deve ser menor que %d dias . and,e are not allowed.,zijn niet toegestaan ​​. diff --git a/erpnext/translations/sr.csv b/erpnext/translations/sr.csv index bff6722511..0c535cedfd 100644 --- a/erpnext/translations/sr.csv +++ b/erpnext/translations/sr.csv @@ -26,14 +26,13 @@ 'From Date' must be after 'To Date',""" С даты 'должно быть после ' To Date '" 'Has Serial No' can not be 'Yes' for non-stock item,"' Имеет Серийный номер ' не может быть ""Да"" для не- фондовой пункта" 'Notification Email Addresses' not specified for recurring invoice,"' Notification Адреса электронной почты ' , не предназначенных для повторяющихся счет" -'Profit and Loss' type Account {0} used be set for Opening Entry,""" Прибыль и убытки "" Тип счета {0} используется быть установлены для открытия запись" 'Profit and Loss' type account {0} not allowed in Opening Entry,""" Прибыль и убытки "" тип счета {0} не допускаются в Открытие запись" 'To Case No.' cannot be less than 'From Case No.','Да Предмет бр' не може бити мањи од 'Од Предмет бр' 'To Date' is required,' To Date ' требуется 'Update Stock' for Sales Invoice {0} must be set,""" Обновление со 'для Расходная накладная {0} должен быть установлен" * Will be calculated in the transaction.,* Хоће ли бити обрачуната у трансакцији. "1 Currency = [?] Fraction -For e.g. 1 USD = 100 Cent", +For e.g. 1 USD = 100 Cent",1 Валута = [ ? ] Фракција \ нНа пример 1. To maintain the customer wise item code and to make them searchable based on their code use this option,1. Да бисте задржали купца мудрог код ставке и да их претраживати на основу њиховог кода користили ову опцију 2 days ago,Пре 2 дана "Add / Edit","<а хреф=""#Салес Бровсер/Цустомер Гроуп""> Додај / Уреди < />" @@ -70,8 +69,6 @@ Account with child nodes cannot be converted to ledger,Счет с дочерн Account with existing transaction can not be converted to group.,Счет с существующей сделки не могут быть преобразованы в группы . Account with existing transaction can not be deleted,Счет с существующей сделки не могут быть удалены Account with existing transaction cannot be converted to ledger,Счет с существующей сделки не могут быть преобразованы в книге -Account {0} already exists,Счет {0} уже существует -Account {0} can only be updated via Stock Transactions,Счет {0} может быть обновлен только через операции с ценными бумагами Account {0} cannot be a Group,Счет {0} не может быть группа Account {0} does not belong to Company {1},Счет {0} не принадлежит компании {1} Account {0} does not exist,Счет {0} не существует @@ -79,8 +76,9 @@ Account {0} has been entered more than once for fiscal year {1},Счет {0} б Account {0} is frozen,Счет {0} заморожен Account {0} is inactive,Счет {0} неактивен Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item,"Счет {0} должен быть типа "" Fixed Asset "", как товара {1} является активом Пункт" -Account {0} must be sames as Credit To Account in Purchase Invoice in row {0},Счет {0} должно быть Sames как в плюс на счет в счете-фактуре в строке {0} -Account {0} must be sames as Debit To Account in Sales Invoice in row {0},Счет {0} должно быть Sames как дебету счета в счет-фактура в строке {0} +"Account: {0} can only be updated via \ + Stock Transactions",Рачун : {0} може да се ажурира само преко \ \ н Сток трансакција +Accountant,рачуновођа Accounting,Рачуноводство "Accounting Entries can be made against leaf nodes, called","Рачуноводствене Уноси могу бити против листа чворова , зове" "Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","Рачуноводствени унос замрзнуте до овог датума, нико не може / изменити унос осим улоге доле наведеном." @@ -145,10 +143,13 @@ Address Title is mandatory.,Адрес Название является обя Address Type,Врста адресе Address master.,Адрес мастер . Administrative Expenses,административные затраты +Administrative Officer,Административни службеник Advance Amount,Унапред Износ Advance amount,Унапред износ Advances,Аванси Advertisement,Реклама +Advertising,оглашавање +Aerospace,ваздушно-космички простор After Sale Installations,Након инсталације продају Against,Против Against Account,Против налога @@ -157,9 +158,11 @@ Against Docname,Против Доцнаме Against Doctype,Против ДОЦТИПЕ Against Document Detail No,Против докумената детаља Нема Against Document No,Против документу Нема +Against Entries,Против Ентриес Against Expense Account,Против трошковником налог Against Income Account,Против приход Against Journal Voucher,Против Јоурнал ваучер +Against Journal Voucher {0} does not have any unmatched {1} entry,Против Јоурнал ваучер {0} нема премца {1} унос Against Purchase Invoice,Против фактури Against Sales Invoice,Против продаје фактура Against Sales Order,Против продаје налога @@ -171,6 +174,8 @@ Ageing date is mandatory for opening entry,Дата Старение являе Agent,Агент Aging Date,Старење Дате Aging Date is mandatory for opening entry,Старение Дата является обязательным для открытия запись +Agriculture,пољопривреда +Airline,ваздушна линија All Addresses.,Све адресе. All Contact,Све Контакт All Contacts.,Сви контакти. @@ -188,14 +193,18 @@ All Supplier Types,Сви Типови добављача All Territories,Все территории "All export related fields like currency, conversion rate, export total, export grand total etc are available in Delivery Note, POS, Quotation, Sales Invoice, Sales Order etc.","Все экспорт смежных областях , как валюты, обменный курс , экспорт Количество , экспорт общего итога и т.д. доступны в накладной , POS, цитаты , счет-фактура , заказ клиента и т.д." "All import related fields like currency, conversion rate, import total, import grand total etc are available in Purchase Receipt, Supplier Quotation, Purchase Invoice, Purchase Order etc.","Все импорта смежных областях , как валюты, обменный курс , общий объем импорта , импорт общего итога и т.д. доступны в ТОВАРНЫЙ ЧЕК , поставщиков цитаты , счета-фактуры Заказа т.д." +All items have already been invoiced,Све ставке су већ фактурисано All items have already been transferred for this Production Order.,Все детали уже переданы для этого производственного заказа . All these items have already been invoiced,Все эти предметы уже выставлен счет Allocate,Доделити +Allocate Amount Automatically,Алокација износ Аутоматски Allocate leaves for a period.,Выделите листья на определенный срок. Allocate leaves for the year.,Додела лишће за годину. Allocated Amount,Издвојена Износ Allocated Budget,Издвојена буџета Allocated amount,Издвојена износ +Allocated amount can not be negative,Додељена сума не може бити негативан +Allocated amount can not greater than unadusted amount,Додељена сума не може већи од износа унадустед Allow Bill of Materials,Дозволи Саставнице Allow Bill of Materials should be 'Yes'. Because one or many active BOMs present for this item,"Разрешить Ведомость материалов должно быть ""Да"" . Потому что один или много активных спецификаций представляют для этого элемента" Allow Children,разрешайте детям @@ -223,10 +232,12 @@ Amount to Bill,Износ на Предлог закона An Customer exists with same name,Существуетклиентов с одноименным названием "An Item Group exists with same name, please change the item name or rename the item group","Пункт Группа существует с тем же именем , пожалуйста, измените имя элемента или переименовать группу товаров" "An item exists with same name ({0}), please change the item group name or rename the item","Элемент существует с тем же именем ({0} ) , пожалуйста, измените название группы или переименовать пункт" +Analyst,аналитичар Annual,годовой Another Period Closing Entry {0} has been made after {1},Другой Период Окончание Вступление {0} был сделан после {1} Another Salary Structure {0} is active for employee {0}. Please make its status 'Inactive' to proceed.,"Другой Зарплата Структура {0} активна для работника {0} . Пожалуйста, убедитесь, свой ​​статус "" неактивного "" ​​, чтобы продолжить." "Any other comments, noteworthy effort that should go in the records.","Било који други коментар, истаћи напор који би требало да иде у евиденцији." +Apparel & Accessories,Одећа и прибор Applicability,применимость Applicable For,Применимо для Applicable Holiday List,Важећи Холидаи Листа @@ -248,6 +259,7 @@ Appraisal Template,Процена Шаблон Appraisal Template Goal,Процена Шаблон Гол Appraisal Template Title,Процена Шаблон Наслов Appraisal {0} created for Employee {1} in the given date range,Оценка {0} создан Требуются {1} в указанный диапазон дат +Apprentice,шегрт Approval Status,Статус одобравања Approval Status must be 'Approved' or 'Rejected',"Состояние утверждения должны быть ""Одобрено"" или "" Отклонено """ Approved,Одобрен @@ -264,9 +276,12 @@ Arrear Amount,Заостатак Износ As per Stock UOM,По берза ЗОЦГ "As there are existing stock transactions for this item, you can not change the values of 'Has Serial No', 'Is Stock Item' and 'Valuation Method'","Као што постоје постојеће трансакције акција за ову ставку , не можете да промените вредности ' има серијски број ' , ' Да ли лагеру предмета ' и ' Процена Метод '" Ascending,Растући +Asset,преимућство Assign To,Додели Assigned To,Додељено Assignments,Задания +Assistant,асистент +Associate,помоћник Atleast one warehouse is mandatory,Атлеаст једно складиште је обавезно Attach Document Print,Приложите Принт документа Attach Image,Прикрепите изображение @@ -293,6 +308,7 @@ Automatically compose message on submission of transactions.,Автоматич Automatically extract Job Applicants from a mail box , Automatically extract Leads from a mail box e.g.,Аутоматски екстракт води од кутије маил нпр Automatically updated via Stock Entry of type Manufacture/Repack,Аутоматски ажурира путем берзе Унос типа Производња / препаковати +Automotive,аутомобилски Autoreply when a new mail is received,Ауторепли када нова порука стигне Available,доступан Available Qty at Warehouse,Доступно Кол у складишту @@ -333,6 +349,7 @@ Bank Account,Банковни рачун Bank Account No.,Банковни рачун бр Bank Accounts,Банковни рачуни Bank Clearance Summary,Банка Чишћење Резиме +Bank Draft,Банка Нацрт Bank Name,Име банке Bank Overdraft Account,Банк Овердрафт счета Bank Reconciliation,Банка помирење @@ -340,6 +357,7 @@ Bank Reconciliation Detail,Банка помирење Детаљ Bank Reconciliation Statement,Банка помирење Изјава Bank Voucher,Банка ваучера Bank/Cash Balance,Банка / стање готовине +Banking,банкарство Barcode,Баркод Barcode {0} already used in Item {1},Штрих {0} уже используется в пункте {1} Based On,На Дана @@ -348,7 +366,6 @@ Basic Info,Основне информације Basic Information,Основне информације Basic Rate,Основна стопа Basic Rate (Company Currency),Основни курс (Друштво валута) -Basic Section,Основные Раздел Batch,Серија Batch (lot) of an Item.,Групно (много) од стране јединице. Batch Finished Date,Групно Завршено Дате @@ -377,6 +394,7 @@ Bills raised by Suppliers.,Рачуни подигао Добављачи. Bills raised to Customers.,Рачуни подигао купцима. Bin,Бункер Bio,Био +Biotechnology,биотехнологија Birthday,рођендан Block Date,Блоцк Дате Block Days,Блок Дана @@ -393,6 +411,8 @@ Brand Name,Бранд Наме Brand master.,Бренд господар. Brands,Брендови Breakdown,Слом +Broadcasting,радиодифузија +Brokerage,посредништво Budget,Буџет Budget Allocated,Буџет Издвојена Budget Detail,Буџет Детаљ @@ -405,6 +425,7 @@ Budget cannot be set for Group Cost Centers,Бюджет не может быт Build Report,Буилд Пријави Built on,Построенный на Bundle items at time of sale.,Бундле ставке у време продаје. +Business Development Manager,Менаџер за пословни развој Buying,Куповина Buying & Selling,Покупка и продажа Buying Amount,Куповина Износ @@ -484,7 +505,6 @@ Charity and Donations,Благотворительность и пожертво Chart Name,График Имя Chart of Accounts,Контни Chart of Cost Centers,Дијаграм трошкова центара -Check for Duplicates,Проверите преписа Check how the newsletter looks in an email by sending it to your email.,Проверите колико билтен изгледа у емаил тако да шаљете е-пошту. "Check if recurring invoice, uncheck to stop recurring or put proper End Date","Проверите да ли понавља фактура, поништите да се заустави или да се понавља правилан датум завршетка" "Check if you need automatic recurring invoices. After submitting any sales invoice, Recurring section will be visible.","Проверите да ли вам је потребна аутоматским понављајућих рачуне. Након подношења било продаје фактуру, понавља одељак ће бити видљив." @@ -496,6 +516,7 @@ Check this to pull emails from your mailbox,Проверите то повући Check to activate,Проверите да активирате Check to make Shipping Address,Проверите да адреса испоруке Check to make primary address,Проверите да примарну адресу +Chemical,хемијски Cheque,Чек Cheque Date,Чек Датум Cheque Number,Чек Број @@ -535,6 +556,7 @@ Comma separated list of email addresses,Зарез раздвојен списа Comment,Коментар Comments,Коментари Commercial,коммерческий +Commission,комисија Commission Rate,Комисија Оцени Commission Rate (%),Комисија Стопа (%) Commission on Sales,Комиссия по продажам @@ -568,6 +590,7 @@ Completed Production Orders,Завршени Продуцтион Поруџби Completed Qty,Завршен Кол Completion Date,Завршетак датум Completion Status,Завршетак статус +Computer,рачунар Computers,Компьютеры Confirmation Date,Потврда Датум Confirmed orders from Customers.,Потврђена наређења од купаца. @@ -575,10 +598,12 @@ Consider Tax or Charge for,Размислите пореза или оптужб Considered as Opening Balance,Сматра почетно стање Considered as an Opening Balance,Сматра као почетни биланс Consultant,Консултант +Consulting,Консалтинг Consumable,потребляемый Consumable Cost,Потрошни трошкова Consumable cost per hour,Потрошни цена по сату Consumed Qty,Потрошено Кол +Consumer Products,Производи широке потрошње Contact,Контакт Contact Control,Контакт Цонтрол Contact Desc,Контакт Десц @@ -596,6 +621,7 @@ Contacts,связи Content,Садржина Content Type,Тип садржаја Contra Voucher,Цонтра ваучера +Contract,уговор Contract End Date,Уговор Датум завршетка Contract End Date must be greater than Date of Joining,"Конец контракта Дата должна быть больше, чем дата вступления" Contribution (%),Учешће (%) @@ -611,10 +637,10 @@ Convert to Ledger,Претвори у књизи Converted,Претворено Copy,Копирајте Copy From Item Group,Копирање из ставке групе +Cosmetics,козметика Cost Center,Трошкови центар Cost Center Details,Трошкови Детаљи центар Cost Center Name,Трошкови Име центар -Cost Center Name already exists,МВЗ Имя уже существует Cost Center is mandatory for Item {0},МВЗ является обязательным для п. {0} Cost Center is required for 'Profit and Loss' account {0},Стоимость Центр необходим для ' о прибылях и убытках » счета {0} Cost Center is required in row {0} in Taxes table for type {1},МВЗ требуется в строке {0} в виде налогов таблицы для типа {1} @@ -648,6 +674,7 @@ Creation Time,Време креирања Credentials,Акредитив Credit,Кредит Credit Amt,Кредитни Амт +Credit Card,кредитна картица Credit Card Voucher,Кредитна картица ваучера Credit Controller,Кредитни контролер Credit Days,Кредитни Дана @@ -696,6 +723,7 @@ Customer Issue,Кориснички издање Customer Issue against Serial No.,Корисник бр против серијски број Customer Name,Име клијента Customer Naming By,Кориснички назив под +Customer Service,Кориснички сервис Customer database.,Кориснички базе података. Customer is required,Требуется клиентов Customer master.,Мастер клиентов . @@ -739,7 +767,6 @@ Debit Amt,Дебитна Амт Debit Note,Задужењу Debit To,Дебитна Да Debit and Credit not equal for this voucher. Difference is {0}.,"Дебет и Кредит не равны для этого ваучера . Разница в том, {0} ." -Debit must equal Credit. The difference is {0},"Дебет должна равняться кредит . Разница в том, {0}" Deduct,Одбити Deduction,Одузимање Deduction Type,Одбитак Тип @@ -779,6 +806,7 @@ Default settings for accounting transactions.,Настройки по умолч Default settings for buying transactions.,Настройки по умолчанию для покупки сделок . Default settings for selling transactions.,Настройки по умолчанию для продажи сделок . Default settings for stock transactions.,Настройки по умолчанию для биржевых операций . +Defense,одбрана "Define Budget for this Cost Center. To set budget action, see Company Master","Дефинисање буџета за ову трошкова Центра. Да бисте поставили радњу буџета, види Мастер Цомпани" Delete,Избрисати Delete Row,Делете Ров @@ -805,19 +833,23 @@ Delivery Status,Статус испоруке Delivery Time,Време испоруке Delivery To,Достава Да Department,Одељење +Department Stores,Робне куце Depends on LWP,Зависи ЛВП Depreciation,амортизация Descending,Спуштање Description,Опис Description HTML,Опис ХТМЛ Designation,Ознака +Designer,дизајнер Detailed Breakup of the totals,Детаљан Распад укупне вредности Details,Детаљи -Difference,Разлика +Difference (Dr - Cr),Разлика ( др - Кр ) Difference Account,Разлика налог +"Difference Account must be a 'Liability' type account, since this Stock Reconciliation is an Opening Entry","Разлика Рачун мора бити"" одговорност"" тип рачуна , јер ово со Помирење јена отварању Ступање" 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 ." Direct Expenses,прямые расходы Direct Income,Прямая прибыль +Director,директор Disable,запрещать Disable Rounded Total,Онемогући Роундед Укупно Disabled,Онеспособљен @@ -829,6 +861,7 @@ Discount Amount,Сумма скидки Discount Percentage,Скидка в процентах Discount must be less than 100,Скидка должна быть меньше 100 Discount(%),Попуст (%) +Dispatch,депеша Display all the individual items delivered with the main items,Приказ све појединачне ставке испоручене са главним ставкама Distribute transport overhead across items.,Поделити режијске трошкове транспорта преко ставки. Distribution,Дистрибуција @@ -863,7 +896,7 @@ Download Template,Преузмите шаблон Download a report containing all raw materials with their latest inventory status,Преузмите извештај садржи све сировине са њиховим најновијим инвентара статусу "Download the Template, fill appropriate data and attach the modified file.","Скачать шаблон , заполнить соответствующие данные и приложить измененный файл ." "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", +All dates and employee combination in the selected period will come in the template, with existing attendance records","Преузмите шаблон , попуните одговарајуће податке и приложите измењену датотеку \ . НАЛЛ датира и комбинација запослени у изабраном периоду ће доћи у шаблону , са постојећим евиденцију радног" Draft,Нацрт Drafts,Нацрти Drag to sort columns,Превуците за сортирање колоне @@ -876,11 +909,10 @@ Due Date cannot be after {0},Впритык не может быть после Due Date cannot be before Posting Date,"Впритык не может быть , прежде чем отправлять Дата" Duplicate Entry. Please check Authorization Rule {0},"Дублировать запись. Пожалуйста, проверьте Авторизация Правило {0}" Duplicate Serial No entered for Item {0},Дубликат Серийный номер вводится для Пункт {0} +Duplicate entry,Дупликат унос Duplicate row {0} with same {1},Дубликат строка {0} с же {1} Duties and Taxes,Пошлины и налоги ERPNext Setup,ЕРПНект подешавање -ESIC CARD No,ЕСИЦ КАРТИЦА Нема -ESIC No.,Но ЕСИЦ Earliest,Најраније Earnest Money,задаток Earning,Стицање @@ -889,6 +921,7 @@ Earning Type,Зарада Вид Earning1,Еарнинг1 Edit,Едит Editable,Едитабле +Education,образовање Educational Qualification,Образовни Квалификације Educational Qualification Details,Образовни Квалификације Детаљи Eg. smsgateway.com/api/send_sms.cgi,Нпр. смсгатеваи.цом / апи / сенд_смс.цги @@ -898,6 +931,7 @@ Either target qty or target amount is mandatory.,Либо целевой Кол Electrical,электрический Electricity Cost,Струја Трошкови Electricity cost per hour,Цена електричне енергије по сату +Electronics,електроника Email,Е-маил Email Digest,Е-маил Дигест Email Digest Settings,Е-маил подешавања Дигест @@ -931,7 +965,6 @@ Employee Records to be created by,Евиденција запослених ко Employee Settings,Подешавања запослених Employee Type,Запослени Тип "Employee designation (e.g. CEO, Director etc.).","Сотрудник обозначение (например генеральный директор , директор и т.д.) ." -Employee grade.,Сотрудник класса . Employee master.,Мастер сотрудников . Employee record is created using selected field. ,Запослени Запис се креира коришћењем изабрано поље. Employee records.,Запослених евиденција. @@ -949,6 +982,8 @@ End Date,Датум завршетка End Date can not be less than Start Date,"Дата окончания не может быть меньше , чем Дата начала" End date of current invoice's period,Крајњи датум периода актуелне фактуре за End of Life,Крај живота +Energy,енергија +Engineer,инжењер Enter Value,Введите значение Enter Verification Code,Унесите верификациони код Enter campaign name if the source of lead is campaign.,"Унесите назив кампање, ако извор олова кампања." @@ -961,6 +996,7 @@ Enter name of campaign if source of enquiry is campaign,"Унесите нази Enter the company name under which Account Head will be created for this Supplier,Унесите назив предузећа под којима ће налог бити шеф креирали за ову добављача Enter url parameter for message,Унесите УРЛ параметар за поруке Enter url parameter for receiver nos,Унесите УРЛ параметар за пријемник бр +Entertainment & Leisure,Забава и слободно време Entertainment Expenses,представительские расходы Entries,Уноси Entries against,Уноси против @@ -972,10 +1008,12 @@ Error: {0} > {1},Ошибка: {0} > {1} Estimated Material Cost,Процењени трошкови материјала Everyone can read,Свако може да чита "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.", +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.","Пример : . АБЦД # # # # # \ нАко је смештена и серијски Не се не помиње у трансакцијама , онда аутоматски серијски број ће бити креирана на основу ове серије ." Exchange Rate,Курс Excise Page Number,Акцизе Број странице Excise Voucher,Акцизе ваучера +Execution,извршење +Executive Search,Екецутиве Сеарцх Exemption Limit,Изузеће Лимит Exhibition,Изложба Existing Customer,Постојећи Кориснички @@ -990,6 +1028,7 @@ Expected Delivery Date cannot be before Purchase Order Date,Ожидаемая Expected Delivery Date cannot be before Sales Order Date,Ожидаемая дата поставки не может быть до даты заказа на продажу Expected End Date,Очекивани датум завршетка Expected Start Date,Очекивани датум почетка +Expense,расход Expense Account,Трошкови налога Expense Account is mandatory,Расходи Рачун је обавезан Expense Claim,Расходи потраживање @@ -1007,7 +1046,7 @@ Expense Date,Расходи Датум Expense Details,Расходи Детаљи Expense Head,Расходи шеф Expense account is mandatory for item {0},Расходов счета является обязательным для пункта {0} -Expense or Difference account is mandatory for Item {0} as there is difference in value,"Расходов или Разница счета является обязательным для п. {0} , поскольку есть разница в стоимости" +Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,"Расходи или Разлика рачун је обавезно за пункт {0} , јер утиче укупна вредност залиха" Expenses,расходы Expenses Booked,Расходи Боокед Expenses Included In Valuation,Трошкови укључени у процене @@ -1034,13 +1073,11 @@ File,Фајл Files Folder ID,Фајлови Фолдер ИД Fill the form and save it,Попуните формулар и да га сачувате Filter,Филтер -Filter By Amount,Филтер по количини -Filter By Date,Филтер Би Дате Filter based on customer,Филтер на бази купца Filter based on item,Филтер на бази ставке -Final Confirmation Date must be greater than Date of Joining,Окончательная дата подтверждения должно быть больше даты присоединения Financial / accounting year.,Финансовый / отчетного года . Financial Analytics,Финансијски Аналитика +Financial Services,Финансијске услуге Financial Year End Date,Финансовый год Дата окончания Financial Year Start Date,Финансовый год Дата начала Finished Goods,готове робе @@ -1052,6 +1089,7 @@ Fixed Assets,капитальные активы Follow via Email,Пратите преко е-поште "Following table will show values if items are sub - contracted. These values will be fetched from the master of ""Bill of Materials"" of sub - contracted items.",Након сто ће показати вредности ако су ставке под - уговорена. Ове вредности ће бити преузета од мајстора "Бил материјала" за под - уговорених ставки. Food,еда +"Food, Beverage & Tobacco","Храна , пиће и дуван" For Company,За компаније For Employee,За запосленог For Employee Name,За запосленог Име @@ -1106,6 +1144,7 @@ Frozen,Фрозен Frozen Accounts Modifier,Смрзнута Рачуни Модификатор Fulfilled,Испуњена Full Name,Пуно име +Full-time,Пуно радно време Fully Completed,Потпуно Завршено Furniture and Fixture,Мебель и приспособления Further accounts can be made under Groups but entries can be made against Ledger,"Дальнейшие счета могут быть сделаны в соответствии с группами , но записи могут быть сделаны против Леджер" @@ -1125,14 +1164,15 @@ Generates HTML to include selected image in the description,Ствара ХТМ Get,Добити Get Advances Paid,Гет аванси Get Advances Received,Гет аванси +Get Against Entries,Гет Против Ентриес Get Current Stock,Гет тренутним залихама Get From ,Од Гет Get Items,Гет ставке Get Items From Sales Orders,Набавите ставке из наруџбина купаца Get Items from BOM,Се ставке из БОМ Get Last Purchase Rate,Гет Ласт Рате Куповина -Get Non Reconciled Entries,Гет Нон помирили Ентриес Get Outstanding Invoices,Гет неплаћене рачуне +Get Relevant Entries,Гет Релевантне уносе Get Sales Orders,Гет продајних налога Get Specification Details,Гет Детаљи Спецификација Get Stock and Rate,Гет Стоцк анд рате @@ -1151,14 +1191,13 @@ Goods received from Suppliers.,Роба примљена од добављача Google Drive,Гоогле диск Google Drive Access Allowed,Гоогле диск дозвољен приступ Government,правительство -Grade,Разред Graduate,Пређите Grand Total,Свеукупно Grand Total (Company Currency),Гранд Укупно (Друштво валута) -Gratuity LIC ID,Напојница ЛИЦ ИД Greater or equals,Већа или једнаки Greater than,Веће од "Grid ""","Мрежа """ +Grocery,бакалница Gross Margin %,Бруто маржа% Gross Margin Value,Бруто маржа Вредност Gross Pay,Бруто Паи @@ -1173,6 +1212,7 @@ Group by Account,Группа по Счет Group by Voucher,Группа по ваучером Group or Ledger,Група или Леџер Groups,Групе +HR Manager,ХР Менаџер HR Settings,ХР Подешавања HTML / Banner that will show on the top of product list.,ХТМЛ / банер који ће се појавити на врху листе производа. Half Day,Пола дана @@ -1183,7 +1223,9 @@ Hardware,аппаратные средства Has Batch No,Има Батцх Нема Has Child Node,Има деце Ноде Has Serial No,Има Серијски број +Head of Marketing and Sales,Шеф маркетинга и продаје Header,Заглавље +Health Care,здравство Health Concerns,Здравље Забринутост Health Details,Здравље Детаљи Held On,Одржана @@ -1266,6 +1308,7 @@ In Words will be visible once you save the Sales Invoice.,У речи ће би In Words will be visible once you save the Sales Order.,У речи ће бити видљив када сачувате продајних налога. In response to,У одговору на Incentives,Подстицаји +Include Reconciled Entries,Укључи помирили уносе Include holidays in Total no. of Working Days,Укључи одмор у Укупан бр. радних дана Income,доход Income / Expense,Приходи / расходи @@ -1302,7 +1345,9 @@ Installed Qty,Инсталирани Кол Instructions,Инструкције Integrate incoming support emails to Support Ticket,Интегрисати долазне е-поруке подршке за подршку Тицкет Interested,Заинтересован +Intern,стажиста Internal,Интерни +Internet Publishing,Интернет издаваштво Introduction,Увод Invalid Barcode or Serial No,Неверный код или Серийный номер Invalid Email: {0},Неверный e-mail: {0} @@ -1313,6 +1358,7 @@ Invalid User Name or Support Password. Please rectify and try again.,"Невер Invalid quantity specified for item {0}. Quantity should be greater than 0.,"Неверный количество, указанное для элемента {0} . Количество должно быть больше 0 ." Inventory,Инвентар Inventory & Support,Инвентаризация и поддержка +Investment Banking,Инвестиционо банкарство Investments,инвестиции Invoice Date,Фактуре Invoice Details,Детаљи фактуре @@ -1430,6 +1476,9 @@ Item-wise Purchase History,Тачка-мудар Историја куповин Item-wise Purchase Register,Тачка-мудар Куповина Регистрација Item-wise Sales History,Тачка-мудар Продаја Историја Item-wise Sales Register,Предмет продаје-мудре Регистрација +"Item: {0} managed batch-wise, can not be reconciled using \ + Stock Reconciliation, instead use Stock Entry","Шифра : {0} је успео серије питању , не може да се помири користећи \ \ н со помирење , уместо тога користите Стоцк Ентри" +Item: {0} not found in the system,Шифра : {0} није пронађен у систему Items,Артикли Items To Be Requested,Артикли бити затражено Items required,"Элементы , необходимые" @@ -1448,9 +1497,10 @@ Journal Entry,Јоурнал Ентри Journal Voucher,Часопис ваучера Journal Voucher Detail,Часопис Ваучер Детаљ Journal Voucher Detail No,Часопис Ваучер Детаљ Нема -Journal Voucher {0} does not have account {1}.,Журнал Ваучер {0} не имеет учетной записи {1} . +Journal Voucher {0} does not have account {1} or already matched,Часопис Ваучер {0} нема рачун {1} или већ упарен Journal Vouchers {0} are un-linked,Журнал Ваучеры {0} являются не- связаны Keep a track of communication related to this enquiry which will help for future reference.,Водите евиденцију о комуникацији у вези са овом истрагу која ће помоћи за будућу референцу. +Keep it web friendly 900px (w) by 100px (h),Држите га веб пријатељски 900пк ( В ) од 100пк ( х ) Key Performance Area,Кључна Перформансе Област Key Responsibility Area,Кључна Одговорност Површина Kg,кг @@ -1506,7 +1556,6 @@ Leave blank if considered for all branches,Оставите празно ако Leave blank if considered for all departments,Оставите празно ако се сматра за сва одељења Leave blank if considered for all designations,Оставите празно ако се сматра за све ознакама Leave blank if considered for all employee types,Оставите празно ако се сматра за све типове запослених -Leave blank if considered for all grades,Оставите празно ако се сматра за све разреде "Leave can be approved by users with Role, ""Leave Approver""",Оставите може бити одобрен од стране корисника са улогом "Оставите Аппровер" Leave of type {0} cannot be longer than {1},"Оставить типа {0} не может быть больше, чем {1}" Leaves Allocated Successfully for {0},Листья Выделенные Успешно для {0} @@ -1515,6 +1564,7 @@ Leaves must be allocated in multiples of 0.5,"Листья должны быть Ledger,Надгробна плоча Ledgers,књигама Left,Лево +Legal,правни Legal Expenses,судебные издержки Less or equals,Мање или једнако Less than,Мање од @@ -1522,16 +1572,16 @@ Letter Head,Писмо Глава Letter Heads for print templates.,Письмо главы для шаблонов печати . Level,Ниво Lft,ЛФТ +Liability,одговорност Like,као Linked With,Повезан са List,Списак List a few of your customers. They could be organizations or individuals.,Листанеколико ваших клијената . Они могу бити организације и појединци . List a few of your suppliers. They could be organizations or individuals.,Листанеколико ваших добављача . Они могу бити организације и појединци . -"List a few products or services you buy from your suppliers or vendors. If these are same as your products, then do not add them.","Листа неколико производа или услуге које купујете од својих добављача или продаваца . Ако су исте као ваше производе , онда их не додате ." List items that form the package.,Листа ствари које чине пакет. List this Item in multiple groups on the website.,Наведи ову ставку у више група на сајту. -"List your products or services that you sell to your customers. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Наведите своје производе или услуге које се продају у ваше клијенте . Уверите се да проверите Гроуп ставку, јединица мере и других добара када почнете ." -"List your tax heads (e.g. VAT, Excise) (upto 3) and their standard rates. This will create a standard template, you can edit and add more later.","Наведите своје пореске главе ( нпр. ПДВ , акцизе ) (до 3 ) и њихове стандардне стопе . Ово ће створити стандардну предложак , можете да измените и додате још касније ." +"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 your tax heads (e.g. VAT, Excise; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Наведите своје пореске главе ( нпр. ПДВ , акцизе , они треба да имају јединствена имена ) и њихове стандардне цене ." Loading,Утовар Loading Report,Учитавање извештај Loading...,Учитавање ... @@ -1598,6 +1648,8 @@ Manage Customer Group Tree.,Управление групповой клиент Manage Sales Person Tree.,Управление менеджера по продажам дерево . Manage Territory Tree.,Управление Территория дерево . Manage cost of operations,Управљање трошкове пословања +Management,управљање +Manager,менаџер Mandatory fields required in {0},"Обязательные поля , необходимые в {0}" Mandatory filters required:\n,Обавезни филтери потребни : \ н "Mandatory if Stock Item is ""Yes"". Also the default warehouse where reserved quantity is set from Sales Order.","Обавезно ако лагеру предмета је "Да". Такође, стандардна складиште у коме је резервисано количина постављен од продајних налога." @@ -1614,6 +1666,7 @@ Manufacturing Quantity is mandatory,Производња Количина је Margin,Маржа Marital Status,Брачни статус Market Segment,Сегмент тржишта +Marketing,маркетинг Marketing Expenses,Маркетинговые расходы Married,Ожењен Mass Mailing,Масовна Маилинг @@ -1640,6 +1693,7 @@ Material Requirement,Материјал Захтев Material Transfer,Пренос материјала Materials,Материјали Materials Required (Exploded),Материјали Обавезно (Екплодед) +Max 5 characters,Макс 5 знакова Max Days Leave Allowed,Мак Дани Оставите животиње Max Discount (%),Максимална Попуст (%) Max Qty,Макс Кол-во @@ -1648,7 +1702,7 @@ Maximum {0} rows allowed,Максимальные {0} строк разреше Maxiumm discount for Item {0} is {1}%,Maxiumm скидка на Пункт {0} {1} % Medical,медицинский Medium,Средњи -"Merging is only possible if following properties are same in both records. Group or Ledger, Report Type, Company","Слияние возможно только при следующие свойства одинаковы в обоих записей . Группа или Леджер, типа отчета , Компания" +"Merging is only possible if following properties are same in both records. Group or Ledger, Root Type, Company",Спајање је могуће само ако следеће особине су исте у оба записа . Message,Порука Message Parameter,Порука Параметар Message Sent,Порука је послата @@ -1662,6 +1716,7 @@ Milestones,Прекретнице Milestones will be added as Events in the Calendar,Прекретнице ће бити додат као Догађаји у календару Min Order Qty,Минимална количина за поручивање Min Qty,Мин Кол-во +Min Qty can not be greater than Max Qty,Минимална Кол не може бити већи од Мак Кол Minimum Order Qty,Минимална количина за поручивање Minute,минут Misc Details,Остало Детаљи @@ -1684,6 +1739,7 @@ Monthly salary statement.,Месечна плата изјава. More,Више More Details,Више детаља More Info,Више информација +Motion Picture & Video,Мотион Пицтуре & Видео Move Down: {0},Вниз : {0} Move Up: {0},Вверх : {0} Moving Average,Мовинг Авераге @@ -1691,6 +1747,9 @@ Moving Average Rate,Мовинг Авераге рате Mr,Господин Ms,Мс Multiple Item prices.,Више цене аукцији . +"Multiple Price Rule exists with same criteria, please resolve \ + conflict by assigning priority. Price Rules: {0}","Вишеструки Цена Правило постоји са истим критеријумима , молимо вас да реши \ \ н сукоб са приоритетом ." +Music,музика Must be Whole Number,Мора да буде цео број My Settings,Моја подешавања Name,Име @@ -1702,7 +1761,9 @@ Name not permitted,Имя не допускается Name of person or organization that this address belongs to.,Име особе или организације која је ова адреса припада. Name of the Budget Distribution,Име дистрибуције буџета Naming Series,Именовање Сериес +Negative Quantity is not allowed,Негативна Количина није дозвољено Negative Stock Error ({6}) for Item {0} in Warehouse {1} on {2} {3} in {4} {5},Отрицательный Ошибка со ( {6} ) по пункту {0} в Склад {1} на {2} {3} в {4} {5} +Negative Valuation Rate is not allowed,Негативно Вредновање курс није дозвољен Negative balance in Batch {0} for Item {1} at Warehouse {2} on {3} {4},Отрицательное сальдо в пакетном {0} для Пункт {1} в Хранилище {2} на {3} {4} Net Pay,Нето плата Net Pay (in words) will be visible once you save the Salary Slip.,Нето плата (у речи) ће бити видљив када сачувате Слип плату. @@ -1713,7 +1774,7 @@ Net Weight UOM,Тежина УОМ Net Weight of each Item,Тежина сваког артикла Net pay cannot be negative,Чистая зарплата не может быть отрицательным Never,Никад -New,новый +New,нови New , New Account,Нови налог New Account Name,Нови налог Име @@ -1750,6 +1811,7 @@ Newsletter Status,Билтен статус Newsletter has already been sent,Информационный бюллетень уже был отправлен Newsletters is not allowed for Trial users,"Бюллетени не допускается, за Trial пользователей" "Newsletters to contacts, leads.","Билтене контактима, води." +Newspaper Publishers,Новински издавачи Next,следующий Next Contact By,Следеће Контакт По Next Contact Date,Следеће Контакт Датум @@ -1773,17 +1835,18 @@ No Results,Нет результатов No Supplier Accounts found. Supplier Accounts are identified based on 'Master Type' value in account record.,Нема Супплиер Рачуни фоунд . Добављач Рачуни су идентификовани на основу ' Мастер ' тип вредности рачуна запису . No accounting entries for the following warehouses,Нет учетной записи для следующих складов No addresses created,Нема адресе створене -No amount allocated,"Нет Сумма, выделенная" No contacts created,Нема контаката створене No default BOM exists for Item {0},Нет умолчанию спецификации не существует Пункт {0} No description given,Не введено описание No document selected,Не выбрано ни одного документа No employee found,Не работник не найдено +No employee found!,Ниједан запослени фоунд ! No of Requested SMS,Нема тражених СМС No of Sent SMS,Број послатих СМС No of Visits,Број посета No one,Нико No permission,Нет доступа +No permission to '{0}' {1},Немате дозволу за ' {0} ' {1} No permission to edit,Немате дозволу да измените No record found,Нема података фоунд No records tagged.,Нема података означени. @@ -1843,6 +1906,7 @@ Old Parent,Стари Родитељ On Net Total,Он Нет Укупно On Previous Row Amount,На претходни ред Износ On Previous Row Total,На претходни ред Укупно +Online Auctions,Онлине Аукције Only Leave Applications with status 'Approved' can be submitted,"Только Оставьте приложений с статуса ""Одобрено"" могут быть представлены" "Only Serial Nos with status ""Available"" can be delivered.","Само Серијски Нос са статусом "" Доступно "" може бити испоручена ." Only leaf nodes are allowed in transaction,Само листа чворови су дозвољени у трансакцији @@ -1888,6 +1952,7 @@ Organization Name,Име организације Organization Profile,Профиль организации Organization branch master.,Организация филиал мастер . Organization unit (department) master.,Название подразделения (департамент) хозяин. +Original Amount,Оригинални Износ Original Message,Оригинал Мессаге Other,Други Other Details,Остали детаљи @@ -1905,9 +1970,6 @@ Overlapping conditions found between:,Перекрытие условия най Overview,преглед Owned,Овнед Owner,власник -PAN Number,ПАН Број -PF No.,ПФ број -PF Number,ПФ број PL or BS,ПЛ или БС PO Date,ПО Датум PO No,ПО Нема @@ -1919,7 +1981,6 @@ POS Setting,ПОС Подешавање POS Setting required to make POS Entry,POS Настройка требуется сделать POS запись POS Setting {0} already created for user: {1} and company {2},POS Установка {0} уже создали для пользователя: {1} и компания {2} POS View,ПОС Погледај -POS-Setting-.#,POS - Настройка - . # PR Detail,ПР Детаљ PR Posting Date,ПР датум постовања Package Item Details,Пакет Детаљи артикла @@ -1955,6 +2016,7 @@ Parent Website Route,Родитель Сайт Маршрут Parent account can not be a ledger,Родитель счета не может быть книга Parent account does not exist,Родитель счета не существует Parenttype,Паренттипе +Part-time,Скраћено Partially Completed,Дјелимично Завршено Partly Billed,Делимично Изграђена Partly Delivered,Делимично Испоручено @@ -1972,7 +2034,6 @@ Payables,Обавезе Payables Group,Обавезе Група Payment Days,Дана исплате Payment Due Date,Плаћање Дуе Дате -Payment Entries,Платни Ентриес Payment Period Based On Invoice Date,Период отплате Басед Он Фактура Дате Payment Type,Плаћање Тип Payment of salary for the month {0} and year {1},Выплата заработной платы за месяц {0} и год {1} @@ -1989,6 +2050,7 @@ Pending Amount,Чека Износ Pending Items {0} updated,Нерешенные вопросы {0} обновляется Pending Review,Чека критику Pending SO Items For Purchase Request,Чекању СО Артикли за куповину захтеву +Pension Funds,Пензиони фондови Percent Complete,Проценат Комплетна Percentage Allocation,Проценат расподеле Percentage Allocation should be equal to 100%,Процент Распределение должно быть равно 100% @@ -1997,7 +2059,6 @@ Percentage you are allowed to receive or deliver more against the quantity order Performance appraisal.,Учинка. Period,период Period Closing Voucher,Период Затварање ваучера -Period is too short,Период слишком короткий Periodicity,Периодичност Permanent Address,Стална адреса Permanent Address Is,Стална адреса је @@ -2009,15 +2070,18 @@ Personal,Лични Personal Details,Лични детаљи Personal Email,Лични Е-маил Pharmaceutical,фармацевтический +Pharmaceuticals,Фармација Phone,Телефон Phone No,Тел Pick Columns,Пицк колоне +Piecework,рад плаћен на акорд Pincode,Пинцоде Place of Issue,Место издавања Plan for maintenance visits.,План одржавања посете. Planned Qty,Планирани Кол "Planned Qty: Quantity, for which, Production Order has been raised, but is pending to be manufactured.","Планируемые Кол-во: Кол-во, для которых , производственного заказа был поднят , но находится на рассмотрении , которые будут изготовлены ." Planned Quantity,Планирана количина +Planning,планирање Plant,Биљка Plant and Machinery,Сооружения и оборудование Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,"Молимо Вас да унесете знак или скраћени назив исправно, јер ће бити додат као суфикса свим налог шефовима." @@ -2054,7 +2118,6 @@ Please enter Planned Qty for Item {0} at row {1},"Пожалуйста, введ Please enter Production Item first,Молимо унесите прво Производња пункт Please enter Purchase Receipt No to proceed,Унесите фискални рачун Не да наставите Please enter Reference date,"Пожалуйста, введите дату Ссылка" -Please enter Start Date and End Date,Молимо Вас да унесете датум почетка и датум завршетка Please enter Warehouse for which Material Request will be raised,Унесите складиште за које Материјал Захтев ће бити подигнута Please enter Write Off Account,"Пожалуйста, введите списать счет" Please enter atleast 1 invoice in the table,"Пожалуйста, введите не менее чем 1 -фактуру в таблице" @@ -2103,9 +2166,9 @@ Please select item code,"Пожалуйста, выберите элемент Please select month and year,Изаберите месец и годину Please select prefix first,"Пожалуйста, выберите префикс первым" Please select the document type first,Прво изаберите врсту документа -Please select valid Voucher No to proceed,"Пожалуйста, выберите правильный ваучера Нет, чтобы продолжить" Please select weekly off day,"Пожалуйста, выберите в неделю выходной" Please select {0},"Пожалуйста, выберите {0}" +Please select {0} first,Изаберите {0} први Please set Dropbox access keys in your site config,"Пожалуйста, установите ключи доступа Dropbox на своем сайте конфигурации" Please set Google Drive access keys in {0},"Пожалуйста, установите ключи доступа Google Drive, в {0}" Please set default Cash or Bank account in Mode of Payment {0},"Пожалуйста, установите Cash умолчанию или банковский счет в режим оплаты {0}" @@ -2121,6 +2184,7 @@ Please specify Default Currency in Company Master and Global Defaults,"Пожа Please specify a,Наведите Please specify a valid 'From Case No.',Наведите тачну 'Од Предмет бр' Please specify a valid Row ID for {0} in row {1},Укажите правильный Row ID для {0} в строке {1} +Please specify either Quantity or Valuation Rate or both,Наведите било Количина или вредновања оцену или обоје Please submit to update Leave Balance.,Молимо поднесе да ажурирате Леаве биланс . Plot,заплет Plot By,цртеж @@ -2170,11 +2234,14 @@ Print and Stationary,Печать и стационарное Print...,Штампа ... Printing and Branding,Печать и брендинг Priority,Приоритет +Private Equity,Приватни капитал Privilege Leave,Привилегированный Оставить +Probation,пробни рад Process Payroll,Процес Паиролл Produced,произведен Produced Quantity,Произведена количина Product Enquiry,Производ Енкуири +Production,производња Production Order,Продуцтион Ордер Production Order status is {0},Статус производственного заказа {0} Production Order {0} must be cancelled before cancelling this Sales Order,Производственный заказ {0} должно быть отменено до отмены этого заказ клиента @@ -2187,12 +2254,12 @@ Production Plan Sales Order,Производња Продаја план Нар Production Plan Sales Orders,Производни план продаје Поруџбине Production Planning Tool,Планирање производње алата Products,Продукты -Products or Services You Buy,Производе или услуге које Купи "Products will be sorted by weight-age in default searches. More the weight-age, higher the product will appear in the list.","Производи ће бити сортирани по тежини узраста у подразумеваним претрагама. Више тежине старости, већа производ ће се појавити на листи." Profit and Loss,Прибыль и убытки Project,Пројекат Project Costing,Трошкови пројекта Project Details,Пројекат Детаљи +Project Manager,Пројецт Манагер Project Milestone,Пројекат Милестоне Project Milestones,Пројекат Прекретнице Project Name,Назив пројекта @@ -2209,9 +2276,10 @@ Projected Qty,Пројектовани Кол Projects,Пројекти Projects & System,Проекты и система Prompt for Email on Submission of,Упитај Емаил за подношење +Proposal Writing,Писање предлога Provide email id registered in company,Обезбедити ид е регистрован у предузећу Public,Јавност -Pull Payment Entries,Пулл уносе плаћања +Publishing,објављивање Pull sales orders (pending to deliver) based on the above criteria,Повуците продајне налоге (чека да испоручи) на основу наведених критеријума Purchase,Куповина Purchase / Manufacture Details,Куповина / Производња Детаљи @@ -2277,6 +2345,7 @@ Quality Inspection Parameters,Провера квалитета Параметр Quality Inspection Reading,Провера квалитета Рединг Quality Inspection Readings,Провера квалитета Литература Quality Inspection required for Item {0},"Контроль качества , необходимые для Пункт {0}" +Quality Management,Управљање квалитетом Quantity,Количина Quantity Requested for Purchase,Количина Затражено за куповину Quantity and Rate,Количина и Оцените @@ -2340,6 +2409,7 @@ Reading 6,Читање 6 Reading 7,Читање 7 Reading 8,Читање 8 Reading 9,Читање 9 +Real Estate,Некретнине Reason,Разлог Reason for Leaving,Разлог за напуштање Reason for Resignation,Разлог за оставку @@ -2358,6 +2428,7 @@ Receiver List,Пријемник Листа Receiver List is empty. Please create Receiver List,"Приемник Список пуст . Пожалуйста, создайте приемник Список" Receiver Parameter,Пријемник Параметар Recipients,Примаоци +Reconcile,помирити Reconciliation Data,Помирење података Reconciliation HTML,Помирење ХТМЛ Reconciliation JSON,Помирење ЈСОН @@ -2407,6 +2478,7 @@ Report,Извештај Report Date,Извештај Дате Report Type,Врста извештаја Report Type is mandatory,Тип отчета является обязательным +Report an Issue,Пријави грешку Report was not saved (there were errors),Извештај није сачуван (било грешака) Reports to,Извештаји Reqd By Date,Рекд по датуму @@ -2425,6 +2497,9 @@ Required Date,Потребан датум Required Qty,Обавезно Кол Required only for sample item.,Потребно само за узорак ставку. Required raw materials issued to the supplier for producing a sub - contracted item.,Потребна сировина издате до добављача за производњу суб - уговорена артикал. +Research,истраживање +Research & Development,Истраживање и развој +Researcher,истраживач Reseller,Продавац Reserved,Резервисано Reserved Qty,Резервисано Кол @@ -2444,11 +2519,14 @@ Resolution Details,Резолуција Детаљи Resolved By,Решен Rest Of The World,Остальной мир Retail,Малопродаја +Retail & Wholesale,Малопродаја и велепродаја Retailer,Продавац на мало Review Date,Прегледајте Дате Rgt,Пука Role Allowed to edit frozen stock,Улога дозвољено да мењате замрзнуте залихе Role that is allowed to submit transactions that exceed credit limits set.,Улога која је дозвољено да поднесе трансакције које превазилазе кредитне лимите. +Root Type,Корен Тип +Root Type is mandatory,Корен Тип је обавезно Root account can not be deleted,Корневая учетная запись не может быть удалена Root cannot be edited.,Корневая не могут быть изменены . Root cannot have a parent cost center,Корен не може имати центар родитеља трошкова @@ -2456,6 +2534,16 @@ Rounded Off,округляется Rounded Total,Роундед Укупно Rounded Total (Company Currency),Заобљени Укупно (Друштво валута) Row # ,Ред # +Row # {0}: , +"Row {0}: Account does not match with \ + Purchase Invoice Credit To account",Ред {0} : Рачун не подудара са \ \ н фактури кредита на рачун +"Row {0}: Account does not match with \ + Sales Invoice Debit To account",Ред {0} : Рачун не подудара са \ \ н продаје Фактура Дебит на рачун +Row {0}: Credit entry can not be linked with a Purchase Invoice,Ред {0} : Кредитни унос не може да буде повезан са фактури +Row {0}: Debit entry can not be linked with a Sales Invoice,Ред {0} : Дебит унос не може да буде повезан са продаје фактуре +"Row {0}: To set {1} periodicity, difference between from and to date \ + must be greater than or equal to {2}","Ред {0} : За постављање {1} периодику , разлика између од и до данас \ \ н мора бити већи од или једнака {2}" +Row {0}:Start Date must be before End Date,Ред {0} : Датум почетка мора да буде пре крајњег датума Rules for adding shipping costs.,Правила для добавления стоимости доставки . Rules for applying pricing and discount.,Правила применения цен и скидки . Rules to calculate shipping amount for a sale,Правила за израчунавање износа испоруке за продају @@ -2547,7 +2635,6 @@ Schedule,Распоред Schedule Date,Распоред Датум Schedule Details,Распоред Детаљи Scheduled,Планиран -Scheduled Confirmation Date must be greater than Date of Joining,Запланированная дата подтверждения должно быть больше даты присоединения Scheduled Date,Планиран датум Scheduled to send to {0},Планируется отправить {0} Scheduled to send to {0} recipients,Планируется отправить {0} получателей @@ -2559,7 +2646,9 @@ Score must be less than or equal to 5,Коначан мора бити мања Scrap %,Отпад% Search,Претрага Seasonality for setting budgets.,Сезонски за постављање буџете. +Secretary,секретар Secured Loans,Обеспеченные кредиты +Securities & Commodity Exchanges,Хартије од вредности и робним берзама Securities and Deposits,Ценные бумаги и депозиты "See ""Rate Of Materials Based On"" in Costing Section",Погледајте "стопа материјала на бази" у Цостинг одељак "Select ""Yes"" for sub - contracting items",Изаберите "Да" за под - уговорне ставке @@ -2589,7 +2678,6 @@ Select dates to create a new ,Изаберите датум да створи н Select or drag across time slots to create a new event.,Изаберите или превуците преко терминима да креирате нови догађај. Select template from which you want to get the Goals,Изаберите шаблон из којег желите да добијете циљеве Select the Employee for whom you are creating the Appraisal.,Изаберите запосленог за кога правите процену. -Select the Invoice against which you want to allocate payments.,Изаберите фактуру против које желите да издвоји плаћања . Select the period when the invoice will be generated automatically,Изаберите период када ће рачун бити аутоматски генерисан Select the relevant company name if you have multiple companies,"Изаберите одговарајућу име компаније, ако имате више предузећа" Select the relevant company name if you have multiple companies.,"Изаберите одговарајућу име компаније, ако имате више компанија." @@ -2640,7 +2728,8 @@ Serial No {0} status must be 'Available' to Deliver,"Серийный номер Serial Nos Required for Serialized Item {0},Серийный Нос Требуется для сериализованный элемент {0} Serial Number Series,Серијски број серија Serial number {0} entered more than once,Серийный номер {0} вошли более одного раза -Serialized Item {0} cannot be updated using Stock Reconciliation,Серийный Пункт {0} не может быть обновлен с помощью со примирения +"Serialized Item {0} cannot be updated \ + using Stock Reconciliation",Серијализованој шифра {0} не може да се ажурира \ \ н користећи Стоцк помирење Series,серија Series List for this Transaction,Серија Листа за ову трансакције Series Updated,Серия Обновлено @@ -2655,7 +2744,6 @@ Set,набор "Set Default Values like Company, Currency, Current Fiscal Year, etc.","Установить значения по умолчанию , как Болгарии, Валюта , текущий финансовый год и т.д." Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,Сет тачка Групе мудрих буџете на овој територији. Такође можете укључити сезонски постављањем дистрибуције. Set Link,Сет линк -Set allocated amount against each Payment Entry and click 'Allocate'.,"Гарнитура издвојила износ од сваког плаћања улазак и кликните на "" Додела "" ." Set as Default,Постави као подразумевано Set as Lost,Постави као Лост Set prefix for numbering series on your transactions,Сет префикс за нумерисање серију на својим трансакцијама @@ -2706,6 +2794,9 @@ Single,Самац Single unit of an Item.,Једна јединица једне тачке. Sit tight while your system is being setup. This may take a few moments.,Стрпите се док ваш систем бити подешавање . Ово може да потраје неколико тренутака . Slideshow,Слидесхов +Soap & Detergent,Сапун и детерџент +Software,софтвер +Software Developer,Софтваре Девелопер Sorry we were unable to find what you were looking for.,Жао ми је што нису могли да пронађу оно што сте тражили. Sorry you are not permitted to view this page.,Жао ми је што није дозвољено да видите ову страницу. "Sorry, Serial Nos cannot be merged","Извини , Серијски Нос не може да се споје" @@ -2719,8 +2810,6 @@ Source of Funds (Liabilities),Источник финансирования ( о Source warehouse is mandatory for row {0},Источник склад является обязательным для ряда {0} Spartan,Спартанац "Special Characters except ""-"" and ""/"" not allowed in naming series","Специальные символы , кроме ""-"" и ""/"" не допускается в серию называя" -Special Characters not allowed in Abbreviation,Специальные символы не допускаются в Аббревиатура -Special Characters not allowed in Company Name,Специальные символы не допускаются в Название компании Specification Details,Спецификација Детаљније Specifications,технические условия "Specify a list of Territories, for which, this Price List is valid","Наведите списак територија, за које, Овај ценовник важи" @@ -2728,16 +2817,18 @@ Specifications,технические условия "Specify a list of Territories, for which, this Taxes Master is valid","Наведите списак територија, за које, ово порези Мастер важи" "Specify the operations, operating cost and give a unique Operation no to your operations.","Наведите операције , оперативне трошкове и дају јединствену операцију без своје пословање ." Split Delivery Note into packages.,Сплит Напомена Испорука у пакетима. +Sports,спортски Standard,Стандард +Standard Buying,Стандардна Куповина Standard Rate,Стандардна стопа Standard Reports,Стандартные отчеты +Standard Selling,Стандардна Продаја Standard contract terms for Sales or Purchase.,Стандартные условия договора для продажи или покупки. Start,старт Start Date,Датум почетка Start Report For,Почетак ИЗВЕШТАЈ ЗА Start date of current invoice's period,Почетак датум периода текуће фактуре за Start date should be less than end date for Item {0},Дата начала должна быть меньше даты окончания для Пункт {0} -Start date should be less than end date.,Дата начала должна быть меньше даты окончания . State,Држава Static Parameters,Статички параметри Status,Статус @@ -2820,15 +2911,12 @@ Supplier Part Number,Снабдевач Број дела Supplier Quotation,Снабдевач Понуда Supplier Quotation Item,Снабдевач Понуда шифра Supplier Reference,Снабдевач Референтна -Supplier Shipment Date,Снабдевач датума пошиљке -Supplier Shipment No,Снабдевач пошиљке Нема Supplier Type,Снабдевач Тип Supplier Type / Supplier,Добављач Тип / Добављач Supplier Type master.,Тип Поставщик мастер . Supplier Warehouse,Снабдевач Магацин Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Поставщик Склад обязательным для субподрядчиком ТОВАРНЫЙ ЧЕК Supplier database.,Снабдевач базе података. -Supplier delivery number duplicate in {0},Поставщик номер поставки дублировать в {0} Supplier master.,Мастер Поставщик . Supplier warehouse where you have issued raw materials for sub - contracting,Добављач складиште где сте издали сировине за под - уговарање Supplier-Wise Sales Analytics,Добављач - Висе Салес Аналитика @@ -2869,7 +2957,7 @@ Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are no Tax Rate,Пореска стопа Tax and other salary deductions.,Порески и други плата одбитака. "Tax detail table fetched from item master as a string and stored in this field. -Used for Taxes and Charges", +Used for Taxes and Charges",Пореска детаљ табела преузета из тачке мајстора као стринг и складишти у овој области . \ НУсед за порезе и накнаде Tax template for buying transactions.,Налоговый шаблон для покупки сделок. Tax template for selling transactions.,Налоговый шаблон для продажи сделок. Taxable,Опорезиви @@ -2881,13 +2969,16 @@ Taxes and Charges Deducted,Порези и накнаде одузима Taxes and Charges Deducted (Company Currency),Порези и накнаде одузима (Друштво валута) Taxes and Charges Total,Порези и накнаде Тотал Taxes and Charges Total (Company Currency),Порези и накнаде Укупно (Друштво валута) +Technology,технологија +Telecommunications,телекомуникација Telephone Expenses,Телефон Расходы +Television,телевизија Template for performance appraisals.,Шаблон для аттестации . Template of terms or contract.,Предложак термина или уговору. -Temporary Account (Assets),Временный счет ( активы ) -Temporary Account (Liabilities),Временный счет ( обязательства) Temporary Accounts (Assets),Временные счета ( активы ) Temporary Accounts (Liabilities),Временные счета ( обязательства) +Temporary Assets,Привремени Актива +Temporary Liabilities,Привремени Обавезе Term Details,Орочена Детаљи Terms,услови Terms and Conditions,Услови @@ -2912,7 +3003,7 @@ The First User: You,Први Корисник : Ви The Organization,Организација "The account head under Liability, in which Profit/Loss will be booked","Глава рачун под одговорности , у којој ће Добитак / Губитак се резервисати" "The date on which next invoice will be generated. It is generated on submit. -", +",Датум на који ће бити генерисан следећи фактура . The date on which recurring invoice will be stop,Датум на који се понавља фактура ће бити зауставити "The day of the month on which auto invoice will be generated e.g. 05, 28 etc ","Дан у месецу за који ће аутоматски бити генерисан фактура нпр 05, 28 итд" The day(s) on which you are applying for leave are holiday. You need not apply for leave.,"День (дни) , на котором вы подаете заявление на отпуск , отпуск . Вам не нужно обратиться за разрешением ." @@ -2997,6 +3088,8 @@ To track items using barcode. You will be able to enter items in Delivery Note a Tools,Алат Total,Укупан Total Advance,Укупно Адванце +Total Allocated Amount,Укупан износ Издвојена +Total Allocated Amount can not be greater than unmatched amount,Укупан износ Додељени не може бити већи од износа премца Total Amount,Укупан износ Total Amount To Pay,Укупан износ за исплату Total Amount in Words,Укупан износ у речи @@ -3006,6 +3099,7 @@ Total Commission,Укупно Комисија Total Cost,Укупни трошкови Total Credit,Укупна кредитна Total Debit,Укупно задуживање +Total Debit must be equal to Total Credit. The difference is {0},Укупно задуживање мора бити једнак укупном кредитном . Total Deduction,Укупно Одбитак Total Earning,Укупна Зарада Total Experience,Укупно Искуство @@ -3033,8 +3127,10 @@ Total in words,Укупно у речима Total points for all goals should be 100. It is {0},Общее количество очков для всех целей должна быть 100 . Это {0} Total weightage assigned should be 100%. It is {0},Всего Weightage назначен должна быть 100% . Это {0} Totals,Укупно +Track Leads by Industry Type.,Стаза води од индустрије Типе . Track this Delivery Note against any Project,Прати ову напомену Испорука против било ког пројекта Track this Sales Order against any Project,Прати овај продајни налог против било ког пројекта +Trainee,новајлија Transaction,Трансакција Transaction Date,Трансакција Датум Transaction not allowed against stopped Production Order {0},Сделка не допускается в отношении остановил производство ордена {0} @@ -3042,10 +3138,10 @@ Transfer,Пренос Transfer Material,Пренос материјала Transfer Raw Materials,Трансфер Сировине Transferred Qty,Пренето Кти +Transportation,транспорт Transporter Info,Транспортер Инфо Transporter Name,Транспортер Име Transporter lorry number,Транспортер камиона број -Trash Reason,Смеће Разлог Travel,путешествие Travel Expenses,Командировочные расходы Tree Type,Дрво Тип @@ -3149,6 +3245,7 @@ Value,Вредност Value or Qty,Вредност или Кол Vehicle Dispatch Date,Отпрема Возила Датум Vehicle No,Нема возила +Venture Capital,Вентуре Цапитал Verified By,Верифиед би View Ledger,Погледај Леџер View Now,Погледај Сада @@ -3157,6 +3254,7 @@ Voucher #,Ваучер # Voucher Detail No,Ваучер Детаљ Нема Voucher ID,Ваучер ИД Voucher No,Ваучер Нема +Voucher No is not valid,Ваучер Не није важећа Voucher Type,Ваучер Тип Voucher Type and Date,Ваучер врсту и датум Walk In,Шетња у @@ -3171,6 +3269,7 @@ Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt Warehouse cannot be changed for Serial No.,Магацин не може да се промени за серијским бројем Warehouse is mandatory for stock Item {0} in row {1},Склад является обязательным для складе Пункт {0} в строке {1} Warehouse is missing in Purchase Order,Магацин недостаје у Наруџбеница +Warehouse not found in the system,Складиште није пронађен у систему Warehouse required for stock Item {0},Склад требуется для складе Пункт {0} Warehouse required in POS Setting,Склад требуется в POS Настройка Warehouse where you are maintaining stock of rejected items,Магацин где се одржава залихе одбачених предмета @@ -3191,6 +3290,8 @@ Warranty / AMC Status,Гаранција / АМЦ статус Warranty Expiry Date,Гаранција Датум истека Warranty Period (Days),Гарантни период (дани) Warranty Period (in days),Гарантни период (у данима) +We buy this Item,Купујемо ову ставку +We sell this Item,Ми продајемо ову ставку Website,Вебсајт Website Description,Сајт Опис Website Item Group,Сајт тачка Група @@ -3217,6 +3318,7 @@ Will be calculated automatically when you enter the details,Ће бити аут Will be updated after Sales Invoice is Submitted.,Да ли ће бити ажурирани након продаје Рачун се подноси. Will be updated when batched.,Да ли ће се ажурирати када дозирају. Will be updated when billed.,Да ли ће се ажурирати када наплаћени. +Wire Transfer,Вире Трансфер With Groups,С группы With Ledgers,С Ledgers With Operations,Са операције @@ -3251,7 +3353,6 @@ Yearly,Годишње Yes,Да Yesterday,Јуче You are not allowed to create / edit reports,Вы не можете создавать / редактировать отчеты -You are not allowed to create {0},Вы не можете создать {0} You are not allowed to export this report,Вам не разрешено экспортировать этот отчет You are not allowed to print this document,Вы не можете распечатать этот документ You are not allowed to send emails related to this document,"Вы не можете отправлять письма , связанные с этим документом" @@ -3269,12 +3370,15 @@ You can set Default Bank Account in Company master,Вы можете устан You can start by selecting backup frequency and granting access for sync,Вы можете начать с выбора частоты резервного копирования и предоставления доступа для синхронизации You can submit this Stock Reconciliation.,Можете да пошаљете ову Стоцк помирење . You can update either Quantity or Valuation Rate or both.,Можете да ажурирате или Количина или вредновања Рате или обоје . -You cannot credit and debit same account at the same time.,Вы не можете кредитные и дебетовые же учетную запись одновременно . +You cannot credit and debit same account at the same time,Ви не можете кредитних и дебитних исти налог у исто време You have entered duplicate items. Please rectify and try again.,Унели дупликате . Молимо исправи и покушајте поново . +You have unsaved changes in this form. Please save before you continue.,Имате сачували све промене у овом облику . You may need to update: {0},"Возможно, вам придется обновить : {0}" You must Save the form before proceeding,"Вы должны Сохраните форму , прежде чем приступить" +You must allocate amount before reconcile,Морате издвоји износ пре помире Your Customer's TAX registration numbers (if applicable) or any general information,Ваш клијент је ПОРЕСКЕ регистарски бројеви (ако постоји) или било опште информације Your Customers,Ваши Купци +Your Login Id,Ваше корисничко име Your Products or Services,Ваши производи или услуге Your Suppliers,Ваши Добављачи "Your download is being built, this may take a few moments...","Преузимање се гради, ово може да потраје неколико тренутака ..." @@ -3285,6 +3389,7 @@ Your sales person who will contact the customer in future,Ваш продава Your sales person will get a reminder on this date to contact the customer,Ваша особа продаја ће добити подсетник на овај датум да се контактира купца Your setup is complete. Refreshing...,Ваш подешавање је завршено . Освежавање ... Your support email id - must be a valid email - this is where your emails will come!,Ваш емаил подршка ид - мора бити важећа е-маил - то је место где ваше емаил-ови ће доћи! +[Select],[ Изаберите ] `Freeze Stocks Older Than` should be smaller than %d days.,` Мораторий Акции старше ` должен быть меньше % D дней. and,и are not allowed.,нису дозвољени . diff --git a/erpnext/translations/ta.csv b/erpnext/translations/ta.csv index 119a750cc0..124f5c5624 100644 --- a/erpnext/translations/ta.csv +++ b/erpnext/translations/ta.csv @@ -26,14 +26,13 @@ 'From Date' must be after 'To Date',' வரம்பு தேதி ' தேதி ' பிறகு இருக்க வேண்டும் 'Has Serial No' can not be 'Yes' for non-stock item,' சீரியல் இல்லை உள்ளது ' அல்லாத பங்கு உருப்படியை 'ஆம்' இருக்க முடியாது 'Notification Email Addresses' not specified for recurring invoice,விலைப்பட்டியல் மீண்டும் மீண்டும் குறிப்பிடப்படவில்லை ' அறிவித்தல் மின்னஞ்சல் முகவரிகள் ' -'Profit and Loss' type Account {0} used be set for Opening Entry,' இலாப நட்ட ' வகை கணக்கு {0} நுழைவு திறந்து அமைக்க பயன்படுத்தப்படும் 'Profit and Loss' type account {0} not allowed in Opening Entry,' இலாப நட்ட ' வகை கணக்கு {0} நுழைவு திறந்து அனுமதி இல்லை 'To Case No.' cannot be less than 'From Case No.','வழக்கு எண் வேண்டும்' 'வழக்கு எண் வரம்பு' விட குறைவாக இருக்க முடியாது 'To Date' is required,' தேதி ' தேவைப்படுகிறது 'Update Stock' for Sales Invoice {0} must be set,கவிஞருக்கு 'என்று புதுப்பி பங்கு ' {0} அமைக்க வேண்டும் * Will be calculated in the transaction.,* பரிமாற்றத்தில் கணக்கிடப்படுகிறது. "1 Currency = [?] Fraction -For e.g. 1 USD = 100 Cent", +For e.g. 1 USD = 100 Cent","1 நாணய = [?] பின்னம் \ nFor , எ.கா." 1. To maintain the customer wise item code and to make them searchable based on their code use this option,1. வாடிக்கையாளர் வாரியாக உருப்படியை குறியீடு பராமரிக்க மற்றும் அவற்றின் குறியீடு அடிப்படையில் அவர்களை தேடும் செய்ய இந்த விருப்பத்தை பயன்படுத்த 2 days ago,2 நாட்களுக்கு முன்பு "Add / Edit","மிக href=""#Sales Browser/Customer Group""> சேர் / திருத்து " @@ -70,8 +69,6 @@ Account with child nodes cannot be converted to ledger,குழந்தை ம Account with existing transaction can not be converted to group.,ஏற்கனவே பரிவர்த்தனை கணக்கு குழு மாற்றப்பட முடியாது . Account with existing transaction can not be deleted,ஏற்கனவே பரிவர்த்தனை கணக்கு நீக்க முடியாது Account with existing transaction cannot be converted to ledger,ஏற்கனவே பரிவர்த்தனை கணக்கு பேரேடு மாற்றப்பட முடியாது -Account {0} already exists,கணக்கு {0} ஏற்கனவே உள்ளது -Account {0} can only be updated via Stock Transactions,கணக்கு {0} மட்டுமே பங்கு பரிவர்த்தனைகள் மூலம் மேம்படுத்தப்பட்டது Account {0} cannot be a Group,கணக்கு {0} ஒரு குழு இருக்க முடியாது Account {0} does not belong to Company {1},கணக்கு {0} நிறுவனத்திற்கு சொந்தமானது இல்லை {1} Account {0} does not exist,கணக்கு {0} இல்லை @@ -79,8 +76,9 @@ Account {0} has been entered more than once for fiscal year {1},கணக்க Account {0} is frozen,கணக்கு {0} உறைந்திருக்கும் Account {0} is inactive,கணக்கு {0} செயலற்று Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item,பொருள் {1} சொத்து பொருள் என கணக்கு {0} வகை ' நிலையான சொத்து ' இருக்க வேண்டும் -Account {0} must be sames as Credit To Account in Purchase Invoice in row {0},கடன் வரிசையில் கொள்முதல் விலைப்பட்டியல் உள்ள கணக்கில் என கணக்கு {0} sames இருக்க வேண்டும் {0} -Account {0} must be sames as Debit To Account in Sales Invoice in row {0},பற்று வரிசையில் கவிஞருக்கு உள்ள கணக்கில் என கணக்கு {0} sames இருக்க வேண்டும் {0} +"Account: {0} can only be updated via \ + Stock Transactions",கணக்கு : {0} மட்டுமே n பங்கு பரிவர்த்தனைகள் \ \ வழியாக மேம்படுத்தப்பட்டது +Accountant,கணக்கர் Accounting,கணக்கு வைப்பு "Accounting Entries can be made against leaf nodes, called","கணக்கியல் உள்ளீடுகள் என்று , இலை முனைகள் எதிராக" "Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","இந்த தேதி வரை உறைநிலையில் பைனான்ஸ் நுழைவு, யாரும் / கீழே குறிப்பிட்ட பங்கை தவிர நுழைவு மாற்ற முடியும்." @@ -145,10 +143,13 @@ Address Title is mandatory.,முகவரி தலைப்பு கட் Address Type,முகவரி வகை Address master.,முகவரி மாஸ்டர் . Administrative Expenses,நிர்வாக செலவுகள் +Administrative Officer,நிர்வாக அதிகாரி Advance Amount,முன்கூட்டியே தொகை Advance amount,முன்கூட்டியே அளவு Advances,முன்னேற்றங்கள் Advertisement,விளம்பரம் +Advertising,விளம்பரம் +Aerospace,ஏரோஸ்பேஸ் After Sale Installations,விற்பனை நிறுவல்கள் பிறகு Against,எதிராக Against Account,கணக்கு எதிராக @@ -157,9 +158,11 @@ Against Docname,Docname எதிராக Against Doctype,Doctype எதிராக Against Document Detail No,ஆவண விரிவாக இல்லை எதிராக Against Document No,ஆவண எதிராக இல்லை +Against Entries,பதிவுகள் எதிராக Against Expense Account,செலவு கணக்கு எதிராக Against Income Account,வருமான கணக்கு எதிராக Against Journal Voucher,ஜர்னல் வவுச்சர் எதிராக +Against Journal Voucher {0} does not have any unmatched {1} entry,ஜர்னல் வவுச்சர் எதிரான {0} எந்த வேறொன்றும் {1} நுழைவு இல்லை Against Purchase Invoice,கொள்முதல் விலை விவரம் எதிராக Against Sales Invoice,விற்பனை விலைப்பட்டியல் எதிராக Against Sales Order,விற்னையாளர் எதிராக @@ -171,6 +174,8 @@ Ageing date is mandatory for opening entry,தேதி வயதான நு Agent,முகவர் Aging Date,தேதி வயதான Aging Date is mandatory for opening entry,தேதி வயதான நுழைவு திறந்து கட்டாய +Agriculture,விவசாயம் +Airline,விமானத்துறை All Addresses.,அனைத்து முகவரிகள். All Contact,அனைத்து தொடர்பு All Contacts.,அனைத்து தொடர்புகள். @@ -188,14 +193,18 @@ All Supplier Types,அனைத்து வழங்குபவர் வக All Territories,அனைத்து பிரதேசங்களையும் "All export related fields like currency, conversion rate, export total, export grand total etc are available in Delivery Note, POS, Quotation, Sales Invoice, Sales Order etc.","நாணய , மாற்று விகிதம், ஏற்றுமதி மொத்த ஏற்றுமதி பெரும் மொத்த போன்ற அனைத்து ஏற்றுமதி தொடர்பான துறைகள் டெலிவரி குறிப்பு , பிஓஎஸ் , மேற்கோள் , கவிஞருக்கு , விற்பனை முதலியன உள்ளன" "All import related fields like currency, conversion rate, import total, import grand total etc are available in Purchase Receipt, Supplier Quotation, Purchase Invoice, Purchase Order etc.","நாணய , மாற்று விகிதம் , இறக்குமதி மொத்த இறக்குமதி பெரும் மொத்த போன்ற அனைத்து இறக்குமதி சார்ந்த துறைகள் கொள்முதல் ரசீது , வழங்குபவர் மேற்கோள் கொள்முதல் விலைப்பட்டியல் , கொள்முதல் ஆணை முதலியன உள்ளன" +All items have already been invoiced,அனைத்து பொருட்களும் ஏற்கனவே விலை விவரம் All items have already been transferred for this Production Order.,அனைத்து பொருட்களும் ஏற்கனவே இந்த உற்பத்தி ஆர்டர் மாற்றப்பட்டுள்ளனர். All these items have already been invoiced,இந்த பொருட்கள் ஏற்கனவே விலை விவரம் Allocate,நிர்ணயி +Allocate Amount Automatically,தானாக தொகை ஒதுக்க Allocate leaves for a period.,ஒரு காலத்தில் இலைகள் ஒதுக்க. Allocate leaves for the year.,ஆண்டு இலைகள் ஒதுக்க. Allocated Amount,ஒதுக்கப்பட்ட தொகை Allocated Budget,ஒதுக்கப்பட்ட பட்ஜெட் Allocated amount,ஒதுக்கப்பட்ட தொகை +Allocated amount can not be negative,ஒதுக்கப்பட்ட தொகை எதிர்மறை இருக்க முடியாது +Allocated amount can not greater than unadusted amount,ஒதுக்கப்பட்ட தொகை unadusted தொகையை விட கூடுதலான முடியாது Allow Bill of Materials,பொருட்களை பில் அனுமதி Allow Bill of Materials should be 'Yes'. Because one or many active BOMs present for this item,பொருட்கள் பில் 'ஆம்' இருக்க வேண்டும் அனுமதிக்கவும். ஏனெனில் ஒன்று அல்லது இந்த உருப்படி தற்போது பல செயலில் BOM கள் Allow Children,குழந்தைகள் அனுமதி @@ -223,10 +232,12 @@ Amount to Bill,பில் தொகை An Customer exists with same name,"ஒரு வாடிக்கையாளர் , அதே பெயரில்" "An Item Group exists with same name, please change the item name or rename the item group","ஒரு உருப்படி குழு அதே பெயரில் , உருப்படி பெயர் மாற்ற அல்லது உருப்படியை குழு பெயர்மாற்றம் செய்க" "An item exists with same name ({0}), please change the item group name or rename the item","ஒரு பொருளை ( {0} ) , உருப்படி குழு பெயர் மாற்ற அல்லது மறுபெயரிட தயவு செய்து அதே பெயரில்" +Analyst,ஆய்வாளர் Annual,வருடாந்திர Another Period Closing Entry {0} has been made after {1},மற்றொரு காலம் நிறைவு நுழைவு {0} பின்னர் செய்யப்பட்ட {1} Another Salary Structure {0} is active for employee {0}. Please make its status 'Inactive' to proceed.,மற்றொரு சம்பள கட்டமைப்பு {0} ஊழியர் செயல்பாட்டில் உள்ளது {0} . தொடர அதன் நிலை 'செயலற்ற ' செய்து கொள்ளவும். "Any other comments, noteworthy effort that should go in the records.","மற்ற கருத்துக்கள், பதிவுகள் செல்ல வேண்டும் என்று குறிப்பிடத்தக்கது முயற்சி." +Apparel & Accessories,ஆடை & ஆபரனங்கள் Applicability,பொருந்துதல் Applicable For,பொருந்தும் Applicable Holiday List,பொருந்தும் விடுமுறை பட்டியல் @@ -248,6 +259,7 @@ Appraisal Template,மதிப்பீட்டு வார்ப்புர Appraisal Template Goal,மதிப்பீட்டு வார்ப்புரு கோல் Appraisal Template Title,மதிப்பீட்டு வார்ப்புரு தலைப்பு Appraisal {0} created for Employee {1} in the given date range,மதிப்பீடு {0} {1} தேதியில் வரம்பில் பணியாளர் உருவாக்கப்பட்டது +Apprentice,வேலை கற்க நியமி Approval Status,ஒப்புதல் நிலைமை Approval Status must be 'Approved' or 'Rejected',அங்கீகாரநிலையை அங்கீகரிக்கப்பட்ட 'அல்லது' நிராகரிக்கப்பட்டது ' Approved,ஏற்பளிக்கப்பட்ட @@ -264,9 +276,12 @@ Arrear Amount,நிலுவை தொகை As per Stock UOM,பங்கு மொறட்டுவ பல்கலைகழகம் படி "As there are existing stock transactions for this item, you can not change the values of 'Has Serial No', 'Is Stock Item' and 'Valuation Method'","இந்த உருப்படி இருக்கும் பங்கு பரிவர்த்தனைகள் உள்ளன , நீங்கள் ' சீரியல் இல்லை உள்ளது ' மதிப்புகள் மாற்ற முடியாது , மற்றும் ' மதிப்பீட்டு முறை ' பங்கு உருப்படாது '" Ascending,ஏறுமுகம் +Asset,சொத்து Assign To,என்று ஒதுக்க Assigned To,ஒதுக்கப்படும் Assignments,பணிகள் +Assistant,உதவியாளர் +Associate,இணை Atleast one warehouse is mandatory,குறைந்தது ஒரு கிடங்கில் அவசியமானதாகும் Attach Document Print,ஆவண அச்சிடுக இணைக்கவும் Attach Image,படத்தை இணைக்கவும் @@ -293,6 +308,7 @@ Automatically compose message on submission of transactions.,தானாக ந Automatically extract Job Applicants from a mail box , Automatically extract Leads from a mail box e.g.,"தானாக ஒரு மின்னஞ்சல் பெட்டியில் இருந்து செல்கிறது பெறுவதற்கு , எ.கா." Automatically updated via Stock Entry of type Manufacture/Repack,தானாக வகை உற்பத்தி / Repack பங்கு நுழைவு வழியாக மேம்படுத்தப்பட்டது +Automotive,வாகன Autoreply when a new mail is received,ஒரு புதிய மின்னஞ்சல் பெற்றார் Autoreply போது Available,கிடைக்கக்கூடிய Available Qty at Warehouse,சேமிப்பு கிடங்கு கிடைக்கும் அளவு @@ -333,6 +349,7 @@ Bank Account,வங்கி கணக்கு Bank Account No.,வங்கி கணக்கு எண் Bank Accounts,வங்கி கணக்குகள் Bank Clearance Summary,வங்கி இசைவு சுருக்கம் +Bank Draft,வங்கி உண்டியல் Bank Name,வங்கி பெயர் Bank Overdraft Account,வங்கி மிகைஎடுப்பு கணக்கு Bank Reconciliation,வங்கி நல்லிணக்க @@ -340,6 +357,7 @@ Bank Reconciliation Detail,வங்கி நல்லிணக்க விர Bank Reconciliation Statement,வங்கி நல்லிணக்க அறிக்கை Bank Voucher,வங்கி வவுச்சர் Bank/Cash Balance,வங்கி / ரொக்க இருப்பு +Banking,வங்கி Barcode,பார்கோடு Barcode {0} already used in Item {1},பார்கோடு {0} ஏற்கனவே பொருள் பயன்படுத்தப்படுகிறது {1} Based On,அடிப்படையில் @@ -348,7 +366,6 @@ Basic Info,அடிப்படை தகவல் Basic Information,அடிப்படை தகவல் Basic Rate,அடிப்படை விகிதம் Basic Rate (Company Currency),அடிப்படை விகிதம் (நிறுவனத்தின் கரன்சி) -Basic Section,அடிப்படை பிரிவு Batch,கூட்டம் Batch (lot) of an Item.,ஒரு பொருள் ஒரு தொகுதி (நிறைய). Batch Finished Date,தொகுதி தேதி முடிந்தது @@ -377,6 +394,7 @@ Bills raised by Suppliers.,பில்கள் விநியோகஸ் Bills raised to Customers.,பில்கள் வாடிக்கையாளர்கள் உயர்த்தப்பட்டுள்ளது. Bin,தொட்டி Bio,உயிரி +Biotechnology,பயோடெக்னாலஜி Birthday,பிறந்த நாள் Block Date,தேதி தடை Block Days,தொகுதி நாட்கள் @@ -393,6 +411,8 @@ Brand Name,குறியீட்டு பெயர் Brand master.,பிராண்ட் மாஸ்டர். Brands,பிராண்ட்கள் Breakdown,முறிவு +Broadcasting,ஒலிபரப்புதல் +Brokerage,தரக Budget,வரவு செலவு திட்டம் Budget Allocated,பட்ஜெட் ஒதுக்கப்பட்ட Budget Detail,வரவு செலவு திட்ட விரிவாக @@ -405,6 +425,7 @@ Budget cannot be set for Group Cost Centers,பட்ஜெட் குழு Build Report,அறிக்கை கட்ட Built on,கட்டப்பட்டது Bundle items at time of sale.,விற்பனை நேரத்தில் பொருட்களை மூட்டை. +Business Development Manager,வணிக மேம்பாட்டு மேலாளர் Buying,வாங்குதல் Buying & Selling,வாங்குதல் & விற்பனை Buying Amount,தொகை வாங்கும் @@ -484,7 +505,6 @@ Charity and Donations,அறக்கட்டளை மற்றும் ந Chart Name,விளக்கப்படம் பெயர் Chart of Accounts,கணக்கு விளக்கப்படம் Chart of Cost Centers,செலவு மையங்கள் விளக்கப்படம் -Check for Duplicates,நகல்களை பாருங்கள் Check how the newsletter looks in an email by sending it to your email.,செய்திமடல் உங்கள் மின்னஞ்சல் அனுப்பும் ஒரு மின்னஞ்சல் எப்படி சரி. "Check if recurring invoice, uncheck to stop recurring or put proper End Date","மீண்டும் விலைப்பட்டியல் என்றால் மீண்டும் நிறுத்த அல்லது சரியான முடிவு தேதி வைத்து தேர்வை நீக்குக, சோதனை" "Check if you need automatic recurring invoices. After submitting any sales invoice, Recurring section will be visible.","தானாக வரும் பொருள் தேவை என்பதை அறியவும். எந்த விற்பனை விலைப்பட்டியல் சமர்ப்பித்த பிறகு, தொடர் பகுதியில் காண முடியும்." @@ -496,6 +516,7 @@ Check this to pull emails from your mailbox,உங்கள் அஞ்சல Check to activate,செயல்படுத்த சோதனை Check to make Shipping Address,ஷிப்பிங் முகவரி சரிபார்க்கவும் Check to make primary address,முதன்மை முகவரியை சரிபார்க்கவும் +Chemical,இரசாயன Cheque,காசோலை Cheque Date,காசோலை தேதி Cheque Number,காசோலை எண் @@ -535,6 +556,7 @@ Comma separated list of email addresses,மின்னஞ்சல் முக Comment,கருத்து Comments,கருத்துரைகள் Commercial,வர்த்தகம் +Commission,தரகு Commission Rate,கமிஷன் விகிதம் Commission Rate (%),கமிஷன் விகிதம் (%) Commission on Sales,விற்பனையில் கமிஷன் @@ -568,6 +590,7 @@ Completed Production Orders,இதன் தயாரிப்பு நிற Completed Qty,நிறைவு அளவு Completion Date,நிறைவு நாள் Completion Status,நிறைவு நிலைமை +Computer,கம்ப்யூட்டர் Computers,கணினி Confirmation Date,உறுதிப்படுத்தல் தேதி Confirmed orders from Customers.,வாடிக்கையாளர்கள் இருந்து உத்தரவுகளை உறுதி. @@ -575,10 +598,12 @@ Consider Tax or Charge for,வரி அல்லது பொறுப்ப Considered as Opening Balance,இருப்பு திறந்து கருதப்படுகிறது Considered as an Opening Balance,ஒரு ஆரம்ப இருப்பு கருதப்படுகிறது Consultant,பிறர் அறிவுரை வேண்டுபவர் +Consulting,ஆலோசனை Consumable,நுகர்வோர் Consumable Cost,நுகர்வோர் விலை Consumable cost per hour,ஒரு மணி நேரத்திற்கு நுகர்வோர் விலை Consumed Qty,நுகரப்படும் அளவு +Consumer Products,நுகர்வோர் தயாரிப்புகள் Contact,தொடர்பு Contact Control,கட்டுப்பாடு தொடர்பு Contact Desc,தொடர்பு DESC @@ -596,6 +621,7 @@ Contacts,தொடர்புகள் Content,உள்ளடக்கம் Content Type,உள்ளடக்க வகை Contra Voucher,எதிர் வவுச்சர் +Contract,ஒப்பந்த Contract End Date,ஒப்பந்தம் முடிவு தேதி Contract End Date must be greater than Date of Joining,இந்த ஒப்பந்தம் முடிவுக்கு தேதி சேர தேதி விட அதிகமாக இருக்க வேண்டும் Contribution (%),பங்களிப்பு (%) @@ -611,10 +637,10 @@ Convert to Ledger,லெட்ஜர் மாற்ற Converted,மாற்றப்படுகிறது Copy,நகலெடுக்க Copy From Item Group,பொருள் குழு நகல் +Cosmetics,ஒப்பனை Cost Center,செலவு மையம் Cost Center Details,மையம் விவரம் செலவு Cost Center Name,மையம் பெயர் செலவு -Cost Center Name already exists,செலவு மையம் பெயர் ஏற்கனவே உள்ளது Cost Center is mandatory for Item {0},செலவு மையம் பொருள் கட்டாய {0} Cost Center is required for 'Profit and Loss' account {0},செலவு மையம் ' இலாப நட்ட ' கணக்கு தேவைப்படுகிறது {0} Cost Center is required in row {0} in Taxes table for type {1},செலவு மையம் வரிசையில் தேவைப்படுகிறது {0} வரி அட்டவணையில் வகை {1} @@ -648,6 +674,7 @@ Creation Time,உருவாக்கம் நேரம் Credentials,அறிமுக ஆவணம் Credit,கடன் Credit Amt,கடன் AMT +Credit Card,கடன் அட்டை Credit Card Voucher,கடன் அட்டை வவுச்சர் Credit Controller,கடன் கட்டுப்பாட்டாளர் Credit Days,கடன் நாட்கள் @@ -696,6 +723,7 @@ Customer Issue,வாடிக்கையாளர் வெளியீடு Customer Issue against Serial No.,சீரியல் எண் எதிரான வாடிக்கையாளர் வெளியீடு Customer Name,வாடிக்கையாளர் பெயர் Customer Naming By,மூலம் பெயரிடுதல் வாடிக்கையாளர் +Customer Service,வாடிக்கையாளர் சேவை Customer database.,வாடிக்கையாளர் தகவல். Customer is required,வாடிக்கையாளர் தேவை Customer master.,வாடிக்கையாளர் மாஸ்டர் . @@ -739,7 +767,6 @@ Debit Amt,பற்று AMT Debit Note,பற்றுக்குறிப்பு Debit To,செய்ய பற்று Debit and Credit not equal for this voucher. Difference is {0}.,டெபிட் மற்றும் இந்த ரசீது சம அல்ல கடன் . வித்தியாசம் {0} ஆகிறது . -Debit must equal Credit. The difference is {0},பற்று கடன் சமமாக வேண்டும். வித்தியாசம் {0} Deduct,தள்ளு Deduction,கழித்தல் Deduction Type,துப்பறியும் வகை @@ -779,6 +806,7 @@ Default settings for accounting transactions.,கணக்கு பரிமா Default settings for buying transactions.,பரிவர்த்தனைகள் வாங்கும் இயல்புநிலை அமைப்புகளை. Default settings for selling transactions.,பரிவர்த்தனைகள் விற்பனை இயல்புநிலை அமைப்புகளை. Default settings for stock transactions.,பங்கு பரிவர்த்தனை இயல்புநிலை அமைப்புகளை . +Defense,பாதுகாப்பு "Define Budget for this Cost Center. To set budget action, see Company Master","இந்த செலவு மையம் பட்ஜெட் வரையறை. வரவு செலவு திட்ட நடவடிக்கை அமைக்க, பார்க்க நிறுவனத்தின் முதன்மை" Delete,நீக்கு Delete Row,வரிசையை நீக்கு @@ -805,19 +833,23 @@ Delivery Status,விநியோக நிலைமை Delivery Time,விநியோக நேரம் Delivery To,வழங்கும் Department,இலாகா +Department Stores,டிபார்ட்மெண்ட் ஸ்டோர்கள் Depends on LWP,LWP பொறுத்தது Depreciation,மதிப்பிறக்கம் தேய்மானம் Descending,இறங்கு Description,விளக்கம் Description HTML,விளக்கம் HTML Designation,பதவி +Designer,வடிவமைப்புகள் Detailed Breakup of the totals,மொத்த எண்ணிக்கையில் விரிவான முறிவுக்கு Details,விவரம் -Difference,வேற்றுமை +Difference (Dr - Cr),வேறுபாடு ( டாக்டர் - CR) Difference Account,வித்தியாசம் கணக்கு +"Difference Account must be a 'Liability' type account, since this Stock Reconciliation is an Opening Entry","இந்த பங்கு நல்லிணக்க உறவுகள் நுழைவு என்பதால் வேறுபாடு கணக்கு , ஒரு ' பொறுப்பு ' வகை கணக்கு இருக்க வேண்டும்" 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.,பொருட்களை பல்வேறு மொறட்டுவ பல்கலைகழகம் தவறான ( மொத்த ) நிகர எடை மதிப்பு வழிவகுக்கும். ஒவ்வொரு பொருளின் நிகர எடை அதே மொறட்டுவ பல்கலைகழகம் உள்ளது என்று உறுதி. Direct Expenses,நேரடி செலவுகள் Direct Income,நேரடி வருமானம் +Director,இயக்குநர் Disable,முடக்கு Disable Rounded Total,வட்டமான மொத்த முடக்கு Disabled,முடக்கப்பட்டது @@ -829,6 +861,7 @@ Discount Amount,தள்ளுபடி தொகை Discount Percentage,தள்ளுபடி சதவீதம் Discount must be less than 100,தள்ளுபடி 100 க்கும் குறைவான இருக்க வேண்டும் Discount(%),தள்ளுபடி (%) +Dispatch,கொல் Display all the individual items delivered with the main items,முக்கிய பொருட்கள் விநியோகிக்கப்படும் அனைத்து தனிப்பட்ட உருப்படிகள் Distribute transport overhead across items.,பொருட்கள் முழுவதும் போக்குவரத்து செலவுகள் விநியோகிக்க. Distribution,பகிர்ந்தளித்தல் @@ -863,7 +896,7 @@ Download Template,வார்ப்புரு பதிவிறக்க Download a report containing all raw materials with their latest inventory status,அவர்களின் சமீபத்திய சரக்கு நிலை அனைத்து மூலப்பொருட்கள் கொண்ட ஒரு அறிக்கையை பதிவிறக்கு "Download the Template, fill appropriate data and attach the modified file.","டெம்ப்ளேட் பதிவிறக்க , அதற்கான தரவு நிரப்ப மாற்றம் கோப்பினை இணைக்கவும் ." "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", +All dates and employee combination in the selected period will come in the template, with existing attendance records","டெம்ப்ளேட் பதிவிறக்க , அதற்கான தரவு நிரப்ப மாற்றம் கோப்பினை இணைக்கவும் . \ NAll தேதிகள் மற்றும் தேர்ந்தெடுக்கப்பட்ட காலத்தில் ஊழியர் இணைந்து இருக்கும் வருகை பதிவேடுகள் , டெம்ப்ளேட் வரும்" Draft,காற்று வீச்சு Drafts,வரைவுகள் Drag to sort columns,வகை நெடுவரிசைகள் இழுக்கவும் @@ -876,11 +909,10 @@ Due Date cannot be after {0},தேதி பின்னர் இருக் Due Date cannot be before Posting Date,காரணம் தேதி தேதி தகவல்களுக்கு முன் இருக்க முடியாது Duplicate Entry. Please check Authorization Rule {0},நுழைவு நகல். அங்கீகார விதி சரிபார்க்கவும் {0} Duplicate Serial No entered for Item {0},நகல் சீரியல் இல்லை உருப்படி உள்ளிட்ட {0} +Duplicate entry,நுழைவு நகல் Duplicate row {0} with same {1},பிரதி வரிசையில் {0} அதே {1} Duties and Taxes,கடமைகள் மற்றும் வரி ERPNext Setup,ERPNext அமைப்பு -ESIC CARD No,ESIC CARD இல்லை -ESIC No.,ESIC இல்லை Earliest,மிகமுந்திய Earnest Money,பிணை உறுதி பணம் Earning,சம்பாதித்து @@ -889,6 +921,7 @@ Earning Type,வகை சம்பாதித்து Earning1,Earning1 Edit,திருத்த Editable,திருத்தும்படி +Education,கல்வி Educational Qualification,கல்வி தகுதி Educational Qualification Details,கல்வி தகுதி விவரம் Eg. smsgateway.com/api/send_sms.cgi,உதாரணம். smsgateway.com / API / send_sms.cgi @@ -898,6 +931,7 @@ Either target qty or target amount is mandatory.,இலக்கு அளவு Electrical,மின் Electricity Cost,மின்சார செலவு Electricity cost per hour,ஒரு மணி நேரத்திற்கு மின்சாரம் செலவு +Electronics,மின்னணுவியல் Email,மின்னஞ்சல் Email Digest,மின்னஞ்சல் டைஜஸ்ட் Email Digest Settings,மின்னஞ்சல் டைஜஸ்ட் அமைப்புகள் @@ -931,7 +965,6 @@ Employee Records to be created by,பணியாளர் ரெக்கார Employee Settings,பணியாளர் அமைப்புகள் Employee Type,பணியாளர் அமைப்பு "Employee designation (e.g. CEO, Director etc.).","பணியாளர் பதவி ( எ.கா., தலைமை நிர்வாக அதிகாரி , இயக்குனர் முதலியன) ." -Employee grade.,பணியாளர் தரம் . Employee master.,பணியாளர் மாஸ்டர் . Employee record is created using selected field. ,பணியாளர் பதிவு தேர்ந்தெடுக்கப்பட்ட துறையில் பயன்படுத்தி உருவாக்கப்பட்டது. Employee records.,ஊழியர் பதிவுகள். @@ -949,6 +982,8 @@ End Date,இறுதி நாள் End Date can not be less than Start Date,முடிவு தேதி தொடங்கும் நாள் விட குறைவாக இருக்க முடியாது End date of current invoice's period,தற்போதைய விலைப்பட்டியல் நேரத்தில் முடிவு தேதி End of Life,வாழ்க்கை முடிவுக்கு +Energy,சக்தி +Engineer,பொறியாளர் Enter Value,மதிப்பு சேர்க்கவும் Enter Verification Code,அதிகாரமளித்தல் குறியீடு உள்ளிடவும் Enter campaign name if the source of lead is campaign.,முன்னணி மூலம் பிரச்சாரம் என்று பிரச்சாரம் பெயரை உள்ளிடவும். @@ -961,6 +996,7 @@ Enter name of campaign if source of enquiry is campaign,விசாரணை Enter the company name under which Account Head will be created for this Supplier,கணக்கு தலைமை இந்த சப்ளையர் உருவாக்கப்படும் கீழ் நிறுவனத்தின் பெயரை Enter url parameter for message,செய்தி இணைய அளவுரு உள்ளிடவும் Enter url parameter for receiver nos,ரிசீவர் இலக்கங்கள் URL ஐ அளவுரு உள்ளிடவும் +Entertainment & Leisure,பொழுதுபோக்கு & ஓய்வு Entertainment Expenses,பொழுதுபோக்கு செலவினங்கள் Entries,பதிவுகள் Entries against,பதிவுகள் எதிராக @@ -972,10 +1008,12 @@ Error: {0} > {1},பிழை: {0} > {1} Estimated Material Cost,கிட்டத்தட்ட பொருள் செலவு Everyone can read,அனைவரும் படிக்க முடியும் "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.", +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 # # # # # \ n தொடர் அமைக்கப்படுகிறது மற்றும் சீரியல் இல்லை தானியங்கி வரிசை எண் இந்த தொடரை அடிப்படையாக கொண்டு உருவாக்கப்பட்ட பின்னர் , பரிவர்த்தனைகள் குறிப்பிட்டுள்ளார் ." Exchange Rate,அயல்நாட்டு நாணய பரிமாற்ற விகிதம் வீதம் Excise Page Number,கலால் பக்கம் எண் Excise Voucher,கலால் வவுச்சர் +Execution,நிர்வாகத்தினருக்கு +Executive Search,நிறைவேற்று தேடல் Exemption Limit,விலக்கு வரம்பு Exhibition,கண்காட்சி Existing Customer,ஏற்கனவே வாடிக்கையாளர் @@ -990,6 +1028,7 @@ Expected Delivery Date cannot be before Purchase Order Date,எதிர்ப Expected Delivery Date cannot be before Sales Order Date,எதிர்பார்க்கப்படுகிறது பிரசவ தேதி முன் விற்பனை ஆணை தேதி இருக்க முடியாது Expected End Date,எதிர்பார்க்கப்படுகிறது முடிவு தேதி Expected Start Date,எதிர்பார்க்கப்படுகிறது தொடக்க தேதி +Expense,செலவு Expense Account,செலவு கணக்கு Expense Account is mandatory,செலவு கணக்கு அத்தியாவசியமானதாகும் Expense Claim,இழப்பில் கோரிக்கை @@ -1007,7 +1046,7 @@ Expense Date,இழப்பில் தேதி Expense Details,செலவு விவரம் Expense Head,இழப்பில் தலைமை Expense account is mandatory for item {0},செலவு கணக்கு உருப்படியை கட்டாய {0} -Expense or Difference account is mandatory for Item {0} as there is difference in value,செலவு வேறுபாடு கணக்கு கட்டாய உருப்படி {0} மதிப்பு வித்தியாசம் இருக்கிறது என +Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,செலவு வேறுபாடு கணக்கு கட்டாய உருப்படி {0} பாதிப்பை ஒட்டுமொத்த பங்கு மதிப்பு Expenses,செலவுகள் Expenses Booked,செலவுகள் பதிவு Expenses Included In Valuation,செலவுகள் மதிப்பீட்டு சேர்க்கப்பட்டுள்ளது @@ -1034,13 +1073,11 @@ File,கோப்பு Files Folder ID,கோப்புகளை அடைவு ஐடி Fill the form and save it,"படிவத்தை பூர்த்தி செய்து, அதை காப்பாற்ற" Filter,வடிகட்ட -Filter By Amount,மொத்த தொகை மூலம் வடிகட்ட -Filter By Date,தேதி வாக்கில் வடிகட்ட Filter based on customer,வாடிக்கையாளர் அடிப்படையில் வடிகட்ட Filter based on item,உருப்படியை அடிப்படையில் வடிகட்ட -Final Confirmation Date must be greater than Date of Joining,இறுதி உறுதிப்படுத்தல் தேதி சேர தேதி விட அதிகமாக இருக்க வேண்டும் Financial / accounting year.,நிதி / கணக்கு ஆண்டு . Financial Analytics,நிதி பகுப்பாய்வு +Financial Services,நிதி சேவைகள் Financial Year End Date,நிதி ஆண்டு முடிவு தேதி Financial Year Start Date,நிதி ஆண்டு தொடக்கம் தேதி Finished Goods,முடிக்கப்பட்ட பொருட்கள் @@ -1052,6 +1089,7 @@ Fixed Assets,நிலையான சொத்துக்கள் Follow via Email,மின்னஞ்சல் வழியாக பின்பற்றவும் "Following table will show values if items are sub - contracted. These values will be fetched from the master of ""Bill of Materials"" of sub - contracted items.",ஒப்பந்த - உருப்படிகளை துணை இருந்தால் அட்டவணை தொடர்ந்து மதிப்புகள் காண்பிக்கும். ஒப்பந்த பொருட்கள் - இந்த மதிப்புகள் துணை பற்றிய "பொருட்களை பில்" தலைவனா இருந்து எடுக்கப்படவில்லை. Food,உணவு +"Food, Beverage & Tobacco","உணவு , குளிர்பானங்கள் & புகையிலை" For Company,நிறுவனத்தின் For Employee,பணியாளர் தேவை For Employee Name,பணியாளர் பெயர் @@ -1106,6 +1144,7 @@ Frozen,நிலையாக்கப்பட்டன Frozen Accounts Modifier,உறைந்த கணக்குகள் மாற்றி Fulfilled,பூர்த்தி Full Name,முழு பெயர் +Full-time,முழு நேர Fully Completed,முழுமையாக பூர்த்தி Furniture and Fixture,"மரச்சாமான்கள் , திருவோணம்," Further accounts can be made under Groups but entries can be made against Ledger,மேலும் கணக்குகள் குழுக்கள் கீழ் முடியும் ஆனால் உள்ளீடுகளை லெட்ஜர் எதிரான முடியும் @@ -1125,14 +1164,15 @@ Generates HTML to include selected image in the description,விளக்க Get,கிடைக்கும் Get Advances Paid,கட்டண முன்னேற்றங்கள் கிடைக்கும் Get Advances Received,முன்னேற்றம் பெற்ற கிடைக்கும் +Get Against Entries,பதிவுகள் எதிராக பெறவும் Get Current Stock,தற்போதைய பங்கு கிடைக்கும் Get From ,முதல் கிடைக்கும் Get Items,பொருட்கள் கிடைக்கும் Get Items From Sales Orders,விற்பனை ஆணைகள் உருப்படிகளை கிடைக்கும் Get Items from BOM,BOM இருந்து பொருட்களை பெற Get Last Purchase Rate,கடைசியாக கொள்முதல் விலை கிடைக்கும் -Get Non Reconciled Entries,அசைவம் ஒருமைப்படுத்திய பதிவுகள் பெற Get Outstanding Invoices,சிறந்த பற்றுச்சீட்டுகள் கிடைக்கும் +Get Relevant Entries,தொடர்புடைய பதிவுகள் பெற Get Sales Orders,விற்பனை ஆணைகள் கிடைக்கும் Get Specification Details,குறிப்பு விவரம் கிடைக்கும் Get Stock and Rate,பங்கு மற்றும் விகிதம் கிடைக்கும் @@ -1151,14 +1191,13 @@ Goods received from Suppliers.,பொருட்கள் விநியே Google Drive,Google இயக்ககம் Google Drive Access Allowed,Google Drive ஐ அனுமதி Government,அரசாங்கம் -Grade,கிரமம் Graduate,பல்கலை கழக பட்டம் பெற்றவர் Grand Total,ஆக மொத்தம் Grand Total (Company Currency),கிராண்ட் மொத்த (நிறுவனத்தின் கரன்சி) -Gratuity LIC ID,பணிக்கொடை எல்.ஐ. சி ஐடி Greater or equals,கிரேட்டர் அல்லது சமமாக Greater than,அதிகமாக "Grid ""","கிரிட் """ +Grocery,மளிகை Gross Margin %,மொத்த அளவு% Gross Margin Value,மொத்த அளவு மதிப்பு Gross Pay,ஒட்டு மொத்த ஊதியம் / சம்பளம் @@ -1173,6 +1212,7 @@ Group by Account,கணக்கு குழு Group by Voucher,வவுச்சர் மூலம் குழு Group or Ledger,குழு அல்லது லெட்ஜர் Groups,குழுக்கள் +HR Manager,அலுவலக மேலாளர் HR Settings,அலுவலக அமைப்புகள் HTML / Banner that will show on the top of product list.,தயாரிப்பு பட்டியலில் காண்பிக்கும் என்று HTML / பதாகை. Half Day,அரை நாள் @@ -1183,7 +1223,9 @@ Hardware,வன்பொருள் Has Batch No,கூறு எண் உள்ளது Has Child Node,குழந்தை கணு உள்ளது Has Serial No,இல்லை வரிசை உள்ளது +Head of Marketing and Sales,சந்தைப்படுத்தல் மற்றும் விற்பனை தலைவர் Header,தலை கீழாக நீரில் மூழ்குதல் +Health Care,உடல்நலம் Health Concerns,சுகாதார கவலைகள் Health Details,சுகாதார விவரம் Held On,இல் நடைபெற்றது @@ -1266,6 +1308,7 @@ In Words will be visible once you save the Sales Invoice.,நீங்கள் In Words will be visible once you save the Sales Order.,நீங்கள் விற்பனை ஆணை சேமிக்க முறை சொற்கள் காணக்கூடியதாக இருக்கும். In response to,பதில் Incentives,செயல் தூண்டுதல் +Include Reconciled Entries,ஆர தழுவி பதிவுகள் சேர்க்கிறது Include holidays in Total no. of Working Days,மொத்த எந்த விடுமுறை அடங்கும். வேலை நாட்கள் Income,வருமானம் Income / Expense,வருமான / செலவின @@ -1302,7 +1345,9 @@ Installed Qty,நிறுவப்பட்ட அளவு Instructions,அறிவுறுத்தல்கள் Integrate incoming support emails to Support Ticket,டிக்கெட் ஆதரவு உள்வரும் ஆதரவு மின்னஞ்சல்கள் ஒருங்கிணை Interested,அக்கறை உள்ள +Intern,நடமாட்டத்தை கட்டுபடுத்து Internal,உள்ளக +Internet Publishing,இணைய பப்ளிஷிங் Introduction,அறிமுகப்படுத்துதல் Invalid Barcode or Serial No,செல்லாத பார்கோடு அல்லது சீரியல் இல்லை Invalid Email: {0},தவறான மின்னஞ்சல் : {0} @@ -1313,6 +1358,7 @@ Invalid User Name or Support Password. Please rectify and try again.,செல Invalid quantity specified for item {0}. Quantity should be greater than 0.,உருப்படி குறிப்பிடப்பட்டது அளவு {0} . அளவு 0 அதிகமாக இருக்க வேண்டும் . Inventory,சரக்கு Inventory & Support,சரக்கு & ஆதரவு +Investment Banking,முதலீட்டு வங்கி Investments,முதலீடுகள் Invoice Date,விலைப்பட்டியல் தேதி Invoice Details,விலைப்பட்டியல் விவரம் @@ -1430,6 +1476,9 @@ Item-wise Purchase History,உருப்படியை வாரியான Item-wise Purchase Register,உருப்படியை வாரியான வாங்குதல் பதிவு Item-wise Sales History,உருப்படியை வாரியான விற்பனை வரலாறு Item-wise Sales Register,உருப்படியை வாரியான விற்பனை பதிவு +"Item: {0} managed batch-wise, can not be reconciled using \ + Stock Reconciliation, instead use Stock Entry","பொருள் : {0} தொகுதி வாரியான நிர்வகிக்கப்படும் , \ \ N பங்கு நல்லிணக்க பயன்படுத்தி சமரசப்படுத்த முடியாது , அதற்கு பதிலாக பங்கு நுழைவு பயன்படுத்த" +Item: {0} not found in the system,பொருள் : {0} அமைப்பு இல்லை Items,உருப்படிகள் Items To Be Requested,கோரிய பொருட்களை Items required,தேவையான பொருட்கள் @@ -1448,9 +1497,10 @@ Journal Entry,பத்திரிகை நுழைவு Journal Voucher,பத்திரிகை வவுச்சர் Journal Voucher Detail,பத்திரிகை வவுச்சர் விரிவாக Journal Voucher Detail No,பத்திரிகை வவுச்சர் விரிவாக இல்லை -Journal Voucher {0} does not have account {1}.,ஜர்னல் வவுச்சர் {0} கணக்கு இல்லை {1} . +Journal Voucher {0} does not have account {1} or already matched,ஜர்னல் வவுச்சர் {0} கணக்கு இல்லை {1} அல்லது ஏற்கனவே பொருந்தியது Journal Vouchers {0} are un-linked,ஜர்னல் கே {0} ஐ.நா. இணைக்கப்பட்ட Keep a track of communication related to this enquiry which will help for future reference.,எதிர்கால உதவும் இந்த விசாரணை தொடர்பான தகவல் ஒரு கண்காணிக்க. +Keep it web friendly 900px (w) by 100px (h),100px வலை நட்பு 900px ( W ) வைத்து ( H ) Key Performance Area,முக்கிய செயல்திறன் பகுதி Key Responsibility Area,முக்கிய பொறுப்பு பகுதி Kg,கிலோ @@ -1506,7 +1556,6 @@ Leave blank if considered for all branches,அனைத்து கிளைக Leave blank if considered for all departments,அனைத்து துறைகளில் கருதப்படுகிறது என்றால் வெறுமையாக Leave blank if considered for all designations,அனைத்து வடிவ கருத்தில் இருந்தால் வெறுமையாக Leave blank if considered for all employee types,அனைத்து பணியாளர் வகையான கருதப்படுகிறது என்றால் வெறுமையாக -Leave blank if considered for all grades,அனைத்து தரங்களாக கருத்தில் இருந்தால் வெறுமையாக "Leave can be approved by users with Role, ""Leave Approver""","விட்டு பாத்திரம் பயனர்கள் ஒப்புதல் முடியும், "சர்க்கார் தரப்பில் சாட்சி விடு"" Leave of type {0} cannot be longer than {1},வகை விடுப்பு {0} மேலாக இருக்க முடியாது {1} Leaves Allocated Successfully for {0},இலைகள் வெற்றிகரமாக ஒதுக்கப்பட்ட {0} @@ -1515,6 +1564,7 @@ Leaves must be allocated in multiples of 0.5,இலைகள் 0.5 மடங் Ledger,பேரேடு Ledgers,பேரேடுகளால் Left,விட்டு +Legal,சட்ட Legal Expenses,சட்ட செலவுகள் Less or equals,குறைவாக அல்லது சமமாக Less than,குறைவான @@ -1522,16 +1572,16 @@ Letter Head,முகவரியடங்கல் Letter Heads for print templates.,அச்சு வார்ப்புருக்கள் லெடர்ஹெட்ஸ் . Level,நிலை Lft,Lft +Liability,கடமை Like,போன்ற Linked With,உடன் இணைக்கப்பட்ட List,பட்டியல் List a few of your customers. They could be organizations or individuals.,உங்கள் வாடிக்கையாளர்களுக்கு ஒரு சில பட்டியல் . அவர்கள் நிறுவனங்கள் அல்லது தனிநபர்கள் இருக்க முடியும் . List a few of your suppliers. They could be organizations or individuals.,உங்கள் சப்ளையர்கள் ஒரு சில பட்டியல் . அவர்கள் நிறுவனங்கள் அல்லது தனிநபர்கள் இருக்க முடியும் . -"List a few products or services you buy from your suppliers or vendors. If these are same as your products, then do not add them.","உங்கள் சப்ளையர்கள் அல்லது விற்பனையாளர்கள் இருந்து வாங்க ஒரு சில பொருட்கள் அல்லது சேவைகள் பட்டியலில் . இந்த உங்கள் தயாரிப்புகள் அதே இருந்தால், அவற்றை சேர்க்க வேண்டாம் ." List items that form the package.,தொகுப்பு அமைக்க என்று பட்டியல் உருப்படிகள். List this Item in multiple groups on the website.,வலைத்தளத்தில் பல குழுக்கள் இந்த உருப்படி பட்டியல். -"List your products or services that you sell to your customers. Make sure to check the Item Group, Unit of Measure and other properties when you start.","நீங்கள் உங்கள் வாடிக்கையாளர்களுக்கு விற்க என்று உங்கள் தயாரிப்புகள் அல்லது சேவைகளை பட்டியல் . நீங்கள் தொடங்கும் போது பொருள் குழு , அளவிட மற்றும் பிற பண்புகள் அலகு பார்க்க உறுதி ." -"List your tax heads (e.g. VAT, Excise) (upto 3) and their standard rates. This will create a standard template, you can edit and add more later.","உங்கள் வரி தலைகள் ( 3 வரை) (எ.கா. பெறுமதிசேர் வரி, உற்பத்தி ) மற்றும் அவற்றின் தரத்தை விகிதங்கள் பட்டியல் . இந்த ஒரு நிலையான டெம்ப்ளேட் உருவாக்க வேண்டும் , நீங்கள் திருத்த இன்னும் பின்னர் சேர்க்க முடியும் ." +"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 your tax heads (e.g. VAT, Excise; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","மற்றும் அவற்றின் தரத்தை விகிதங்கள், உங்கள் வரி தலைகள் ( அவர்கள் தனிப்பட்ட பெயர்கள் வேண்டும் எ.கா. பெறுமதிசேர் வரி, உற்பத்தி ) பட்டியலில் ." Loading,சுமையேற்றம் Loading Report,அறிக்கை ஏற்றும் Loading...,ஏற்றுகிறது ... @@ -1598,6 +1648,8 @@ Manage Customer Group Tree.,வாடிக்கையாளர் குழு Manage Sales Person Tree.,விற்பனை நபர் மரம் நிர்வகி . Manage Territory Tree.,மண்டலம் மரம் நிர்வகி . Manage cost of operations,நடவடிக்கைகள் செலவு மேலாண்மை +Management,மேலாண்மை +Manager,மேலாளர் Mandatory fields required in {0},தேவையான கட்டாய துறைகள் {0} Mandatory filters required:\n,கட்டாய வடிகட்டிகள் தேவை: \ n "Mandatory if Stock Item is ""Yes"". Also the default warehouse where reserved quantity is set from Sales Order.",கட்டாய என்றால் பங்கு பொருள் "ஆமாம்" என்று. மேலும் ஒதுக்கப்பட்ட அளவு விற்பனை ஆர்டர் இருந்து அமைக்க அமைந்துள்ள இயல்புநிலை கிடங்கு. @@ -1614,6 +1666,7 @@ Manufacturing Quantity is mandatory,உற்பத்தி அளவு கட Margin,விளிம்பு Marital Status,திருமண தகுதி Market Segment,சந்தை பிரிவு +Marketing,மார்கெட்டிங் Marketing Expenses,மார்க்கெட்டிங் செலவுகள் Married,திருமணம் Mass Mailing,வெகுஜன அஞ்சல் @@ -1640,6 +1693,7 @@ Material Requirement,பொருள் தேவை Material Transfer,பொருள் மாற்றம் Materials,மூலப்பொருள்கள் Materials Required (Exploded),பொருட்கள் தேவை (விரிவான) +Max 5 characters,மேக்ஸ் 5 எழுத்துக்கள் Max Days Leave Allowed,மேக்ஸ் நாட்கள் அனுமதிக்கப்பட்ட விடவும் Max Discount (%),மேக்ஸ் தள்ளுபடி (%) Max Qty,மேக்ஸ் அளவு @@ -1648,7 +1702,7 @@ Maximum {0} rows allowed,அதிகபட்ச {0} வரிசைகள் Maxiumm discount for Item {0} is {1}%,உருப்படி Maxiumm தள்ளுபடி {0} {1} % ஆகிறது Medical,மருத்துவம் Medium,ஊடகம் -"Merging is only possible if following properties are same in both records. Group or Ledger, Report Type, Company","பின்வரும் பண்புகள் இரண்டு பதிவுகளை அதே இருந்தால் ஞானக்குகை மட்டுமே சாத்தியம். குழு அல்லது லெட்ஜர் , அறிக்கை , நிறுவனத்தின்" +"Merging is only possible if following properties are same in both records. Group or Ledger, Root Type, Company",பின்வரும் பண்புகள் இரண்டு பதிவுகளை அதே இருந்தால் ஞானக்குகை மட்டுமே சாத்தியம். Message,செய்தி Message Parameter,செய்தி அளவுரு Message Sent,செய்தி அனுப்பப்பட்டது @@ -1662,6 +1716,7 @@ Milestones,மைல்கற்கள் Milestones will be added as Events in the Calendar,மைல்கற்கள் அட்டவணை நிகழ்வுகள் சேர்த்துள்ளார் Min Order Qty,Min ஆர்டர் அளவு Min Qty,min அளவு +Min Qty can not be greater than Max Qty,Min அளவு மேக்ஸ் அளவு அதிகமாக இருக்க முடியாது Minimum Order Qty,குறைந்தபட்ச ஆணை அளவு Minute,நிமிஷம் Misc Details,மற்றவை விவரம் @@ -1684,6 +1739,7 @@ Monthly salary statement.,மாத சம்பளம் அறிக்கை. More,அதிக More Details,மேலும் விபரங்கள் More Info,மேலும் தகவல் +Motion Picture & Video,மோஷன் பிக்சர் & வீடியோ Move Down: {0},: கீழே நகர்த்து {0} Move Up: {0},மேல் நகர்த்து : {0} Moving Average,சராசரி நகரும் @@ -1691,6 +1747,9 @@ Moving Average Rate,சராசரி விகிதம் நகரும் Mr,திரு Ms,Ms Multiple Item prices.,பல பொருள் விலை . +"Multiple Price Rule exists with same criteria, please resolve \ + conflict by assigning priority. Price Rules: {0}","பல விலை விதி அதே அளவுகோலை கொண்டு உள்ளது , முன்னுரிமை ஒதுக்க மூலம் \ \ N மோதலை தீர்க்க , தயவு செய்து ." +Music,இசை Must be Whole Number,முழு எண் இருக்க வேண்டும் My Settings,என் அமைப்புகள் Name,பெயர் @@ -1702,7 +1761,9 @@ Name not permitted,அனுமதி இல்லை பெயர் Name of person or organization that this address belongs to.,நபர் அல்லது இந்த முகவரியை சொந்தமானது என்று நிறுவனத்தின் பெயர். Name of the Budget Distribution,பட்ஜெட் விநியோகம் பெயர் Naming Series,தொடர் பெயரிடும் +Negative Quantity is not allowed,எதிர்மறை அளவு அனுமதி இல்லை Negative Stock Error ({6}) for Item {0} in Warehouse {1} on {2} {3} in {4} {5},எதிர்மறை பங்கு பிழை ( {6} ) உருப்படி {0} கிடங்கு உள்ள {1} ம் {2} {3} ல் {4} {5} +Negative Valuation Rate is not allowed,எதிர்மறை மதிப்பீட்டு விகிதம் அனுமதி இல்லை Negative balance in Batch {0} for Item {1} at Warehouse {2} on {3} {4},தொகுதி எதிர்மறை சமநிலை {0} உருப்படி {1} கிடங்கு {2} ம் {3} {4} Net Pay,நிகர சம்பளம் Net Pay (in words) will be visible once you save the Salary Slip.,நீங்கள் சம்பளம் ஸ்லிப் சேமிக்க முறை நிகர வருவாய் (வார்த்தைகளில்) காண முடியும். @@ -1750,6 +1811,7 @@ Newsletter Status,செய்திமடல் நிலைமை Newsletter has already been sent,செய்திமடல் ஏற்கனவே அனுப்பப்பட்டுள்ளது Newsletters is not allowed for Trial users,செய்தி சோதனை செய்த அனுமதி இல்லை "Newsletters to contacts, leads.","தொடர்புகள் செய்திமடல்கள், வழிவகுக்கிறது." +Newspaper Publishers,பத்திரிகை வெளியீட்டாளர்கள் Next,அடுத்து Next Contact By,அடுத்த தொடர்பு Next Contact Date,அடுத்த தொடர்பு தேதி @@ -1773,17 +1835,18 @@ No Results,இல்லை முடிவுகள் No Supplier Accounts found. Supplier Accounts are identified based on 'Master Type' value in account record.,இல்லை வழங்குபவர் கணக்குகள் எதுவும் இல்லை. வழங்குபவர் கணக்கு கணக்கு பதிவு ' மாஸ்டர் வகை ' மதிப்பு அடிப்படையில் அடையாளம். No accounting entries for the following warehouses,பின்வரும் கிடங்குகள் இல்லை கணக்கியல் உள்ளீடுகள் No addresses created,உருவாக்கப்பட்ட முகவரிகள் -No amount allocated,ஒதுக்கீடு எந்த அளவு No contacts created,உருவாக்கப்பட்ட எந்த தொடர்பும் இல்லை No default BOM exists for Item {0},இயல்புநிலை BOM உள்ளது உருப்படி {0} No description given,கொடுக்கப்பட்ட விளக்கம் இல்லை No document selected,தேர்வு இல்லை ஆவணம் No employee found,எதுவும் ஊழியர் +No employee found!,இல்லை ஊழியர் இல்லை! No of Requested SMS,கோரப்பட்ட எஸ்எம்எஸ் இல்லை No of Sent SMS,அனுப்பிய எஸ்எம்எஸ் இல்லை No of Visits,வருகைகள் எண்ணிக்கை No one,எந்த ஒரு No permission,அனுமதி இல்லை +No permission to '{0}' {1},அனுமதி இல்லை ' {0}' {1} No permission to edit,திருத்த அனுமதி இல்லை No record found,எந்த பதிவும் இல்லை No records tagged.,இல்லை பதிவுகளை குறித்துள்ளார். @@ -1843,6 +1906,7 @@ Old Parent,பழைய பெற்றோர் On Net Total,நிகர மொத்தம் உள்ள On Previous Row Amount,முந்தைய வரிசை தொகை On Previous Row Total,முந்தைய வரிசை மொத்த மீது +Online Auctions,ஆன்லைன் ஏலங்களில் Only Leave Applications with status 'Approved' can be submitted,மட்டுமே சமர்ப்பிக்க முடியும் ' அங்கீகரிக்கப்பட்ட ' நிலை பயன்பாடுகள் விட்டு "Only Serial Nos with status ""Available"" can be delivered.","நிலை மட்டும் சீரியல் இலக்கங்கள் "" கிடைக்கும் "" வழங்க முடியும் ." Only leaf nodes are allowed in transaction,ஒரே இலை முனைகள் பரிமாற்றத்தில் அனுமதிக்கப்படுகிறது @@ -1888,6 +1952,7 @@ Organization Name,நிறுவன பெயர் Organization Profile,அமைப்பு செய்தது Organization branch master.,அமைப்பு கிளை மாஸ்டர் . Organization unit (department) master.,அமைப்பு அலகு ( துறை ) மாஸ்டர் . +Original Amount,அசல் தொகை Original Message,அசல் செய்தி Other,வேறு Other Details,மற்ற விவரங்கள் @@ -1905,9 +1970,6 @@ Overlapping conditions found between:,இடையே காணப்படு Overview,கண்ணோட்டம் Owned,சொந்தமானது Owner,சொந்தக்காரர் -PAN Number,நிரந்தர கணக்கு எண் எண் -PF No.,PF இல்லை -PF Number,PF எண் PL or BS,PL அல்லது BS PO Date,அஞ்சல் தேதி PO No,அஞ்சல் இல்லை @@ -1919,7 +1981,6 @@ POS Setting,பிஓஎஸ் அமைக்கிறது POS Setting required to make POS Entry,POS நுழைவு செய்ய வேண்டும் POS அமைக்கிறது POS Setting {0} already created for user: {1} and company {2},POS அமைக்கிறது {0} ஏற்கனவே பயனர் உருவாக்கப்பட்டது: {1} நிறுவனத்தின் {2} POS View,பிஓஎஸ் பார்வையிடு -POS-Setting-.#,பிஓஎஸ் அமைப்பதற்கு . # PR Detail,PR விரிவாக PR Posting Date,பொது தகவல்களுக்கு தேதி Package Item Details,தொகுப்பு பொருள் விவரம் @@ -1955,6 +2016,7 @@ Parent Website Route,பெற்றோர் இணையத்தளம் வ Parent account can not be a ledger,பெற்றோர் கணக்கு பேரேடு இருக்க முடியாது Parent account does not exist,பெற்றோர் கணக்கு இல்லை Parenttype,Parenttype +Part-time,பகுதி நேர Partially Completed,ஓரளவிற்கு பூர்த்தி Partly Billed,இதற்கு கட்டணம் Partly Delivered,இதற்கு அனுப்பப்பட்டது @@ -1972,7 +2034,6 @@ Payables,Payables Payables Group,Payables குழு Payment Days,கட்டணம் நாட்கள் Payment Due Date,கொடுப்பனவு காரணமாக தேதி -Payment Entries,பணம் பதிவுகள் Payment Period Based On Invoice Date,விலைப்பட்டியல் தேதியின் அடிப்படையில் கொடுப்பனவு காலம் Payment Type,கொடுப்பனவு வகை Payment of salary for the month {0} and year {1},மாதம் சம்பளம் கொடுப்பனவு {0} மற்றும் ஆண்டு {1} @@ -1989,6 +2050,7 @@ Pending Amount,நிலுவையில் தொகை Pending Items {0} updated,நிலுவையில் பொருட்கள் {0} மேம்படுத்தப்பட்டது Pending Review,விமர்சனம் நிலுவையில் Pending SO Items For Purchase Request,கொள்முதல் கோரிக்கை நிலுவையில் எனவே விடயங்கள் +Pension Funds,ஓய்வூதிய நிதி Percent Complete,முழுமையான சதவீதம் Percentage Allocation,சதவீத ஒதுக்கீடு Percentage Allocation should be equal to 100%,சதவீதம் ஒதுக்கீடு 100% சமமாக இருக்க வேண்டும் @@ -1997,7 +2059,6 @@ Percentage you are allowed to receive or deliver more against the quantity order Performance appraisal.,செயல்திறன் மதிப்பிடுதல். Period,காலம் Period Closing Voucher,காலம் முடிவுறும் வவுச்சர் -Period is too short,காலத்தில் மிகவும் குறுகிய ஆகிறது Periodicity,வட்டம் Permanent Address,நிரந்தர முகவரி Permanent Address Is,நிரந்தர முகவரி @@ -2009,15 +2070,18 @@ Personal,தனிப்பட்ட Personal Details,தனிப்பட்ட விவரங்கள் Personal Email,தனிப்பட்ட மின்னஞ்சல் Pharmaceutical,மருந்து +Pharmaceuticals,மருந்துப்பொருள்கள் Phone,தொலைபேசி Phone No,இல்லை போன் Pick Columns,பத்திகள் தேர்வு +Piecework,சிறுதுண்டு வேலைக்கு Pincode,ப ன்ேகா Place of Issue,இந்த இடத்தில் Plan for maintenance visits.,பராமரிப்பு வருகைகள் திட்டம். Planned Qty,திட்டமிட்ட அளவு "Planned Qty: Quantity, for which, Production Order has been raised, but is pending to be manufactured.","திட்டமிட்ட அளவு: அளவு , எந்த , உற்பத்தி ஆர்டர் உயர்த்தி வருகிறது, ஆனால் உற்பத்தி நிலுவையில் உள்ளது." Planned Quantity,திட்டமிட்ட அளவு +Planning,திட்டமிடல் Plant,தாவரம் Plant and Machinery,இயந்திரங்களில் Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,இது அனைத்து கணக்கு தலைவர்கள் என்று பின்னொட்டு என சேர்க்கப்படும் என ஒழுங்காக சுருக்கமான அல்லது குறுகிய பெயர் உள்ளிடுக. @@ -2054,7 +2118,6 @@ Please enter Planned Qty for Item {0} at row {1},பொருள் திட் Please enter Production Item first,முதல் உற்பத்தி பொருள் உள்ளிடவும் Please enter Purchase Receipt No to proceed,தொடர இல்லை கொள்முதல் ரசீது உள்ளிடவும் Please enter Reference date,குறிப்பு தேதியை உள்ளிடவும் -Please enter Start Date and End Date,தொடக்க தேதி மற்றும் தேதி உள்ளிடவும் Please enter Warehouse for which Material Request will be raised,பொருள் கோரிக்கை எழுப்பப்படும் எந்த கிடங்கு உள்ளிடவும் Please enter Write Off Account,கணக்கு எழுத உள்ளிடவும் Please enter atleast 1 invoice in the table,அட்டவணையில் குறைந்தது 1 விலைப்பட்டியல் உள்ளிடவும் @@ -2103,9 +2166,9 @@ Please select item code,உருப்படியை குறியீடு Please select month and year,மாதம் மற்றும் ஆண்டு தேர்ந்தெடுக்கவும் Please select prefix first,முதல் முன்னொட்டு தேர்வு செய்க Please select the document type first,முதல் ஆவணம் வகையை தேர்ந்தெடுக்கவும் -Please select valid Voucher No to proceed,தொடர சரியான ரசீது இல்லை தேர்வு செய்க Please select weekly off day,வாராந்திர ஆஃப் நாள் தேர்வு செய்க Please select {0},தேர்வு செய்க {0} +Please select {0} first,முதல் {0} தேர்வு செய்க Please set Dropbox access keys in your site config,உங்கள் தளத்தில் கட்டமைப்பு டிராப்பாக்ஸ் அணுகல் விசைகள் அமைக்கவும் Please set Google Drive access keys in {0},கூகிள் டிரைவ் அணுகல் விசைகள் அமைக்கவும் {0} Please set default Cash or Bank account in Mode of Payment {0},கொடுப்பனவு முறையில் இயல்புநிலை பண அல்லது வங்கி கணக்கு அமைக்கவும் {0} @@ -2121,6 +2184,7 @@ Please specify Default Currency in Company Master and Global Defaults,நிற Please specify a,குறிப்பிடவும் ஒரு Please specify a valid 'From Case No.','வழக்கு எண் வரம்பு' சரியான குறிப்பிடவும் Please specify a valid Row ID for {0} in row {1},வரிசையில் {0} ஒரு செல்லுபடியாகும் வரிசை எண் குறிப்பிடவும் {1} +Please specify either Quantity or Valuation Rate or both,அளவு அல்லது மதிப்பீட்டு விகிதம் அல்லது இரண்டு அல்லது குறிப்பிடவும் Please submit to update Leave Balance.,விடுப்பு இருப்பு மேம்படுத்த சமர்ப்பிக்கவும். Plot,சதி Plot By,கதை @@ -2170,11 +2234,14 @@ Print and Stationary,அச்சு மற்றும் நிலையான Print...,அச்சு ... Printing and Branding,அச்சிடுதல் மற்றும் பிராண்டிங் Priority,முதன்மை +Private Equity,தனியார் சமபங்கு Privilege Leave,தனிச்சலுகை விடுப்பு +Probation,சோதனை காலம் Process Payroll,செயல்முறை சம்பளப்பட்டியல் Produced,உற்பத்தி Produced Quantity,உற்பத்தி அளவு Product Enquiry,தயாரிப்பு விசாரணை +Production,உற்பத்தி Production Order,உற்பத்தி ஆணை Production Order status is {0},உற்பத்தி ஒழுங்கு நிலை ஆகிறது {0} Production Order {0} must be cancelled before cancelling this Sales Order,உத்தரவு {0} இந்த விற்பனை ஆணை ரத்து முன் ரத்து செய்யப்பட வேண்டும் @@ -2187,12 +2254,12 @@ Production Plan Sales Order,உற்பத்தி திட்டம் வ Production Plan Sales Orders,உற்பத்தி திட்டம் விற்பனை ஆணைகள் Production Planning Tool,உற்பத்தி திட்டமிடல் கருவி Products,தயாரிப்புகள் -Products or Services You Buy,தயாரிப்புகள் அல்லது நீங்கள் வாங்க சேவைகள் "Products will be sorted by weight-age in default searches. More the weight-age, higher the product will appear in the list.","பொருட்கள் முன்னிருப்பு தேடல்கள் எடை வயது வாரியாக. மேலும் எடை வயதில், அதிக தயாரிப்பு பட்டியலில் தோன்றும்." Profit and Loss,இலாப நட்ட Project,திட்டம் Project Costing,செயற் கைக்கோள் நிலாவிலிருந்து திட்டம் Project Details,திட்டம் விவரம் +Project Manager,திட்ட மேலாளர் Project Milestone,திட்டம் மைல்கல் Project Milestones,திட்டம் மைல்கற்கள் Project Name,திட்டம் பெயர் @@ -2209,9 +2276,10 @@ Projected Qty,திட்டமிட்டிருந்தது அளவ Projects,திட்டங்கள் Projects & System,திட்டங்கள் & கணினி Prompt for Email on Submission of,இந்த சமர்ப்பிக்கும் மீது மின்னஞ்சல் கேட்டு +Proposal Writing,மானசாவுடன் Provide email id registered in company,நிறுவனத்தின் பதிவு மின்னஞ்சல் ஐடி வழங்கும் Public,பொது -Pull Payment Entries,பண பதிவுகள் இழுக்க +Publishing,வெளியீடு Pull sales orders (pending to deliver) based on the above criteria,மேலே அடிப்படை அடிப்படையில் விற்பனை ஆணைகள் (வழங்க நிலுவையில்) இழுக்க Purchase,கொள்முதல் Purchase / Manufacture Details,கொள்முதல் / உற்பத்தி விவரம் @@ -2277,6 +2345,7 @@ Quality Inspection Parameters,தரமான ஆய்வு அளவுரு Quality Inspection Reading,தரமான ஆய்வு படித்தல் Quality Inspection Readings,தரமான ஆய்வு அளவீடுகளும் Quality Inspection required for Item {0},பொருள் தேவை தரமான ஆய்வு {0} +Quality Management,தர மேலாண்மை Quantity,அளவு Quantity Requested for Purchase,அளவு கொள்முதல் செய்ய கோரப்பட்ட Quantity and Rate,அளவு மற்றும் விகிதம் @@ -2340,6 +2409,7 @@ Reading 6,6 படித்தல் Reading 7,7 படித்தல் Reading 8,8 படித்தல் Reading 9,9 படித்தல் +Real Estate,வீடு Reason,காரணம் Reason for Leaving,விட்டு காரணம் Reason for Resignation,ராஜினாமாவுக்கான காரணம் @@ -2358,6 +2428,7 @@ Receiver List,ரிசீவர் பட்டியல் Receiver List is empty. Please create Receiver List,"ரிசீவர் பட்டியல் காலியாக உள்ளது . பெறுநர் பட்டியலை உருவாக்க , தயவு செய்து" Receiver Parameter,ரிசீவர் அளவுரு Recipients,பெறுநர்கள் +Reconcile,சமரசம் Reconciliation Data,சமரசம் தகவல்கள் Reconciliation HTML,சமரசம் HTML Reconciliation JSON,சமரசம் JSON @@ -2407,6 +2478,7 @@ Report,புகார் Report Date,தேதி அறிக்கை Report Type,வகை புகார் Report Type is mandatory,புகார் வகை கட்டாய ஆகிறது +Report an Issue,சிக்கலை புகார் Report was not saved (there were errors),அறிக்கை சேமிக்க (பிழைகள் இருந்தன) Reports to,அறிக்கைகள் Reqd By Date,தேதி வாக்கில் Reqd @@ -2425,6 +2497,9 @@ Required Date,தேவையான தேதி Required Qty,தேவையான அளவு Required only for sample item.,ஒரே மாதிரி உருப்படியை தேவைப்படுகிறது. Required raw materials issued to the supplier for producing a sub - contracted item.,துணை உற்பத்தி சப்ளையர் வழங்கப்படும் தேவையான மூலப்பொருட்கள் - ஒப்பந்த உருப்படியை. +Research,ஆராய்ச்சி +Research & Development,ஆராய்ச்சி மற்றும் அபிவிருத்தி +Researcher,ஆராய்ச்சியாளர் Reseller,மறுவிற்பனையாளர் Reserved,முன்பதிவு Reserved Qty,பாதுகாக்கப்பட்டவை அளவு @@ -2444,11 +2519,14 @@ Resolution Details,தீர்மானம் விவரம் Resolved By,மூலம் தீர்க்கப்பட Rest Of The World,உலகம் முழுவதும் Retail,சில்லறை +Retail & Wholesale,சில்லறை & விற்பனை Retailer,சில்லறை Review Date,தேதி Rgt,Rgt Role Allowed to edit frozen stock,உறைந்த பங்கு திருத்த அனுமதி பங்கு Role that is allowed to submit transactions that exceed credit limits set.,அமைக்க கடன் எல்லை மீறிய நடவடிக்கைகளை சமர்ப்பிக்க அனுமதி என்று பாத்திரம். +Root Type,ரூட் வகை +Root Type is mandatory,ரூட் வகை கட்டாய ஆகிறது Root account can not be deleted,ரூட் கணக்கை நீக்க முடியாது Root cannot be edited.,ரூட் திருத்த முடியாது . Root cannot have a parent cost center,ரூட் ஒரு பெற்றோர் செலவு சென்டர் முடியாது @@ -2456,6 +2534,16 @@ Rounded Off,வட்டமான இனிய Rounded Total,வட்டமான மொத்த Rounded Total (Company Currency),வட்டமான மொத்த (நிறுவனத்தின் கரன்சி) Row # ,# வரிசையை +Row # {0}: , +"Row {0}: Account does not match with \ + Purchase Invoice Credit To account",ரோ {0} : கணக்கு கணக்கு வேண்டும் \ \ N கொள்முதல் விலைப்பட்டியல் கடன் உடன் பொருந்தவில்லை +"Row {0}: Account does not match with \ + Sales Invoice Debit To account",ரோ {0} : கணக்கு கணக்கு வேண்டும் \ \ N கவிஞருக்கு பற்று பொருந்தவில்லை +Row {0}: Credit entry can not be linked with a Purchase Invoice,ரோ {0} : கடன் நுழைவு கொள்முதல் விலைப்பட்டியல் இணைந்தவர் முடியாது +Row {0}: Debit entry can not be linked with a Sales Invoice,ரோ {0} பற்று நுழைவு கவிஞருக்கு தொடர்புடைய முடியாது +"Row {0}: To set {1} periodicity, difference between from and to date \ + must be greater than or equal to {2}","ரோ {0} {1} காலகட்டம் , \ \ n மற்றும் தேதி வித்தியாசம் அதிகமாக அல்லது சமமாக இருக்க வேண்டும் அமைக்க {2}" +Row {0}:Start Date must be before End Date,ரோ {0} : தொடங்கும் நாள் நிறைவு நாள் முன்னதாக இருக்க வேண்டும் Rules for adding shipping costs.,கப்பல் செலவுகள் சேர்த்து விதிகள் . Rules for applying pricing and discount.,விலை மற்றும் தள்ளுபடி விண்ணப்பம் செய்வதற்கான விதிமுறைகள் . Rules to calculate shipping amount for a sale,ஒரு விற்பனை கப்பல் அளவு கணக்கிட விதிகள் @@ -2547,7 +2635,6 @@ Schedule,அனுபந்தம் Schedule Date,அட்டவணை தேதி Schedule Details,அட்டவணை விவரம் Scheduled,திட்டமிடப்பட்ட -Scheduled Confirmation Date must be greater than Date of Joining,திட்டமிடப்பட்ட உறுதிப்படுத்தல் தேதி சேர தேதி விட அதிகமாக இருக்க வேண்டும் Scheduled Date,திட்டமிடப்பட்ட தேதி Scheduled to send to {0},அனுப்ப திட்டமிடப்பட்டுள்ளது {0} Scheduled to send to {0} recipients,{0} பெறுபவர்கள் அனுப்ப திட்டமிடப்பட்டுள்ளது @@ -2559,7 +2646,9 @@ Score must be less than or equal to 5,ஸ்கோர் குறைவா Scrap %,% கைவிட்டால் Search,தேடல் Seasonality for setting budgets.,வரவு செலவு திட்டம் அமைக்க பருவகாலம். +Secretary,காரியதரிசி Secured Loans,பிணை கடன்கள் +Securities & Commodity Exchanges,செக்யூரிட்டிஸ் & பண்ட பரிமாற்ற Securities and Deposits,பத்திரங்கள் மற்றும் வைப்பு "See ""Rate Of Materials Based On"" in Costing Section",பகுதி செயற் கைக்கோள் நிலாவிலிருந்து உள்ள "அடிப்படையில் பொருட்களின் விகிதம்" பார்க்க "Select ""Yes"" for sub - contracting items",துணை க்கான "ஆம்" என்பதை தேர்ந்தெடுக்கவும் - ஒப்பந்த உருப்படிகளை @@ -2589,7 +2678,6 @@ Select dates to create a new ,ஒரு புதிய உருவாக்க Select or drag across time slots to create a new event.,தேர்வு அல்லது ஒரு புதிய நிகழ்வை உருவாக்க நேரம் இடங்கள் முழுவதும் இழுக்கவும். Select template from which you want to get the Goals,நீங்கள் இலக்குகள் பெற விரும்பும் டெம்ப்ளேட்டை தேர்வு Select the Employee for whom you are creating the Appraisal.,நீங்கள் மதிப்பீடு உருவாக்கும் யாருக்காக பணியாளர் தேர்வு. -Select the Invoice against which you want to allocate payments.,"நீங்கள் பணம் ஒதுக்க வேண்டும் என்றும், அதற்கு எதிராக விலைப்பட்டியல் தேர்ந்தெடுக்கவும்." Select the period when the invoice will be generated automatically,விலைப்பட்டியல் தானாக உருவாக்கப்படும் போது காலம் தேர்வு Select the relevant company name if you have multiple companies,நீங்கள் பல நிறுவனங்கள் இருந்தால் சம்பந்தப்பட்ட நிறுவனத்தின் பெயர் தேர்வு Select the relevant company name if you have multiple companies.,நீங்கள் பல நிறுவனங்கள் இருந்தால் சம்பந்தப்பட்ட நிறுவனத்தின் பெயர் தேர்ந்தெடுக்கவும். @@ -2640,7 +2728,8 @@ Serial No {0} status must be 'Available' to Deliver,தொடர் இல {0} Serial Nos Required for Serialized Item {0},தொடராக பொருள் தொடர் இலக்கங்கள் தேவையான {0} Serial Number Series,வரிசை எண் தொடர் Serial number {0} entered more than once,சீரியல் எண்ணை {0} க்கும் மேற்பட்ட முறை உள்ளிட்ட -Serialized Item {0} cannot be updated using Stock Reconciliation,தொடராக பொருள் {0} பங்கு நல்லிணக்க பயன்படுத்தி மேம்படுத்தப்பட்டது முடியாது +"Serialized Item {0} cannot be updated \ + using Stock Reconciliation",தொடராக பொருள் {0} பங்கு நல்லிணக்க பயன்படுத்தி \ \ N மேம்படுத்தப்பட்டது முடியாது Series,தொடர் Series List for this Transaction,இந்த பரிவர்த்தனை தொடர் பட்டியல் Series Updated,தொடர் இற்றை @@ -2655,7 +2744,6 @@ Set,அமை "Set Default Values like Company, Currency, Current Fiscal Year, etc.","முதலியன கம்பெனி, நாணய , நடப்பு நிதியாண்டில் , போன்ற அமை கலாச்சாரம்" Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,இந்த மண்டலம் உருப்படி பிரிவு வாரியான வரவு செலவு திட்டம் அமைக்க. நீங்கள் விநியோகம் அமைக்க பருவகாலம் சேர்க்க முடியும். Set Link,அமை இணைப்பு -Set allocated amount against each Payment Entry and click 'Allocate'.,அமை ஒவ்வொரு கொடுப்பனவு நுழைவு எதிராக அளவு ஒதுக்கீடு மற்றும் ' ஒதுக்கி ' கிளிக் செய்யவும். Set as Default,இயல்புநிலை அமை Set as Lost,லாஸ்ட் அமை Set prefix for numbering series on your transactions,உங்கள் நடவடிக்கைகள் மீது தொடர் எண்ணுவதற்கான முன்னொட்டு அமைக்க @@ -2706,6 +2794,9 @@ Single,ஒற்றை Single unit of an Item.,ஒரு பொருள் ஒரே யூனிட். Sit tight while your system is being setup. This may take a few moments.,உங்கள் கணினி அமைப்பு என்றாலும் அமர்ந்து . இந்த ஒரு சில நிமிடங்கள் ஆகலாம். Slideshow,ஸ்லைடுஷோ +Soap & Detergent,சோப் & சோப்பு +Software,மென்பொருள் +Software Developer,மென்பொருள் டெவலப்பர் Sorry we were unable to find what you were looking for.,"மன்னிக்கவும், நீங்கள் தேடும் என்ன கண்டுபிடிக்க முடியவில்லை." Sorry you are not permitted to view this page.,"மன்னிக்கவும், நீங்கள் இந்த பக்கம் பார்க்க அனுமதியில்லை." "Sorry, Serial Nos cannot be merged","மன்னிக்கவும், சீரியல் இலக்கங்கள் ஒன்றாக்க முடியாது" @@ -2719,8 +2810,6 @@ Source of Funds (Liabilities),நிதி ஆதாரம் ( கடன்) Source warehouse is mandatory for row {0},மூல கிடங்கில் வரிசையில் கட்டாய {0} Spartan,எளிய வாழ்க்கை வாழ்பவர் "Special Characters except ""-"" and ""/"" not allowed in naming series","தவிர சிறப்பு எழுத்துக்கள் "" - "" மற்றும் "" / "" தொடர் பெயரிடும் அனுமதி இல்லை" -Special Characters not allowed in Abbreviation,சுருக்கமான அனுமதி இல்லை சிறப்பு எழுத்துக்கள் -Special Characters not allowed in Company Name,நிறுவனத்தின் பெயர் அனுமதி இல்லை சிறப்பு எழுத்துக்கள் Specification Details,விவரக்குறிப்பு விவரம் Specifications,விருப்பம் "Specify a list of Territories, for which, this Price List is valid","பிரதேசங்களின் பட்டியலை குறிப்பிட, இது, இந்த விலை பட்டியல் செல்லுபடியாகும்" @@ -2728,16 +2817,18 @@ Specifications,விருப்பம் "Specify a list of Territories, for which, this Taxes Master is valid","பிரதேசங்களின் பட்டியலை குறிப்பிட, இது, இந்த வரி மாஸ்டர் செல்லுபடியாகும்" "Specify the operations, operating cost and give a unique Operation no to your operations.","நடவடிக்கைகள் , இயக்க செலவு குறிப்பிட உங்கள் நடவடிக்கைகள் ஒரு தனிப்பட்ட நடவடிக்கை இல்லை கொடுக்க ." Split Delivery Note into packages.,தொகுப்புகளை கொண்டு டெலிவரி குறிப்பு பிரிந்தது. +Sports,விளையாட்டு Standard,நிலையான +Standard Buying,ஸ்டாண்டர்ட் வாங்குதல் Standard Rate,நிலையான விகிதம் Standard Reports,ஸ்டாண்டர்ட் அறிக்கைகள் +Standard Selling,ஸ்டாண்டர்ட் விற்பனை Standard contract terms for Sales or Purchase.,விற்பனை அல்லது கொள்முதல் தரநிலை ஒப்பந்த அடிப்படையில் . Start,தொடக்கம் Start Date,தொடக்க தேதி Start Report For,இந்த அறிக்கை தொடங்க Start date of current invoice's period,தற்போதைய விலைப்பட்டியல் நேரத்தில் தேதி தொடங்கும் Start date should be less than end date for Item {0},தொடக்க தேதி பொருள் முடிவு தேதி விட குறைவாக இருக்க வேண்டும் {0} -Start date should be less than end date.,"தொடக்க தேதி, முடிவு தேதி விட குறைவாக இருக்க வேண்டும்." State,நிலை Static Parameters,நிலையான அளவுருக்களை Status,அந்தஸ்து @@ -2820,15 +2911,12 @@ Supplier Part Number,வழங்குபவர் பாகம் எண் Supplier Quotation,வழங்குபவர் விலைப்பட்டியல் Supplier Quotation Item,வழங்குபவர் மேற்கோள் பொருள் Supplier Reference,வழங்குபவர் குறிப்பு -Supplier Shipment Date,வழங்குபவர் கப்பல் ஏற்றுமதி தேதி -Supplier Shipment No,வழங்குபவர் கப்பல் ஏற்றுமதி இல்லை Supplier Type,வழங்குபவர் வகை Supplier Type / Supplier,வழங்குபவர் வகை / வழங்குபவர் Supplier Type master.,வழங்குபவர் வகை மாஸ்டர் . Supplier Warehouse,வழங்குபவர் கிடங்கு Supplier Warehouse mandatory for sub-contracted Purchase Receipt,துணை ஒப்பந்த கொள்முதல் ரசீது கட்டாயமாக வழங்குபவர் கிடங்கு Supplier database.,வழங்குபவர் தரவுத்தள. -Supplier delivery number duplicate in {0},வழங்குபவர் விநியோக எண்ணிக்கை நகல் {0} Supplier master.,வழங்குபவர் மாஸ்டர் . Supplier warehouse where you have issued raw materials for sub - contracting,நீங்கள் துணை கச்சா பொருட்கள் வழங்கப்படும் அங்கு சப்ளையர் கிடங்கில் - ஒப்பந்த Supplier-Wise Sales Analytics,வழங்குபவர் - தம்பதியினர் அனலிட்டிக்ஸ் @@ -2869,7 +2957,7 @@ Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are no Tax Rate,வரி விகிதம் Tax and other salary deductions.,வரி மற்றும் பிற சம்பளம் கழிவுகள். "Tax detail table fetched from item master as a string and stored in this field. -Used for Taxes and Charges", +Used for Taxes and Charges",ஒரு சரம் இந்த துறையில் சேமிக்கப்படும் என உருப்படியை மாஸ்டர் இருந்து எடுக்கப்படவில்லை வரி விவரம் அட்டவணை . \ வரிகள் மற்றும் கட்டணங்களுக்கு n பயன்படுத்தியது Tax template for buying transactions.,பரிவர்த்தனைகள் வாங்கும் வரி வார்ப்புரு . Tax template for selling transactions.,பரிவர்த்தனைகள் விற்பனை வரி வார்ப்புரு . Taxable,வரி @@ -2881,13 +2969,16 @@ Taxes and Charges Deducted,கழிக்கப்படும் வரி ம Taxes and Charges Deducted (Company Currency),வரிகள் மற்றும் கட்டணங்கள் கழிக்கப்படும் (நிறுவனத்தின் கரன்சி) Taxes and Charges Total,வரிகள் மற்றும் கட்டணங்கள் மொத்தம் Taxes and Charges Total (Company Currency),வரிகள் மற்றும் கட்டணங்கள் மொத்த (நிறுவனத்தின் கரன்சி) +Technology,தொழில்நுட்ப +Telecommunications,தொலைத்தொடர்பு Telephone Expenses,தொலைபேசி செலவுகள் +Television,தொலை காட்சி Template for performance appraisals.,செயல்பாடு மதிப்பீடு டெம்ப்ளேட் . Template of terms or contract.,சொற்கள் அல்லது ஒப்பந்த வார்ப்புரு. -Temporary Account (Assets),தற்காலிக கணக்கு ( சொத்துக்கள் ) -Temporary Account (Liabilities),தற்காலிக கணக்கு ( கடன்) Temporary Accounts (Assets),தற்காலிக கணக்குகள் ( சொத்துக்கள் ) Temporary Accounts (Liabilities),தற்காலிக கணக்குகள் ( கடன்) +Temporary Assets,தற்காலிக சொத்துக்கள் +Temporary Liabilities,தற்காலிக பொறுப்புகள் Term Details,கால விவரம் Terms,விதிமுறைகள் Terms and Conditions,நிபந்தனைகள் @@ -2912,7 +3003,7 @@ The First User: You,முதல் பயனர் : நீங்கள் The Organization,அமைப்பு "The account head under Liability, in which Profit/Loss will be booked","லாபம் / நஷ்டம் பதிவு வேண்டிய பொறுப்பு கீழ் கணக்கு தலைவர் ," "The date on which next invoice will be generated. It is generated on submit. -", +",அடுத்த விலைப்பட்டியல் உருவாக்கப்படும் எந்த தேதி . The date on which recurring invoice will be stop,மீண்டும் விலைப்பட்டியல் நிறுத்த வேண்டும் எந்த தேதி "The day of the month on which auto invoice will be generated e.g. 05, 28 etc ","கார் விலைப்பட்டியல் எ.கா. 05, 28 ஹிப்ரு உருவாக்கப்படும் எந்த மாதம் நாள்" The day(s) on which you are applying for leave are holiday. You need not apply for leave.,நீங்கள் விடுப்பு விண்ணப்பிக்கும் எந்த நாள் (கள்) விடுமுறை இருக்கிறது . நீங்கள் விடுப்பு விண்ணப்பிக்க தேவையில்லை . @@ -2997,6 +3088,8 @@ To track items using barcode. You will be able to enter items in Delivery Note a Tools,கருவிகள் Total,மொத்தம் Total Advance,மொத்த முன்பணம் +Total Allocated Amount,மொத்த ஒதுக்கீடு தொகை +Total Allocated Amount can not be greater than unmatched amount,மொத்த ஒதுக்கப்பட்ட பணத்தில் வேறொன்றும் அளவு அதிகமாக இருக்க முடியாது Total Amount,மொத்த தொகை Total Amount To Pay,செலுத்த மொத்த தொகை Total Amount in Words,சொற்கள் மொத்த தொகை @@ -3006,6 +3099,7 @@ Total Commission,மொத்த ஆணையம் Total Cost,மொத்த செலவு Total Credit,மொத்த கடன் Total Debit,மொத்த பற்று +Total Debit must be equal to Total Credit. The difference is {0},மொத்த பற்று மொத்த கடன் சமமாக இருக்க வேண்டும் . Total Deduction,மொத்த பொருத்தியறிதல் Total Earning,மொத்த வருமானம் Total Experience,மொத்த அனுபவம் @@ -3033,8 +3127,10 @@ Total in words,வார்த்தைகளில் மொத்த Total points for all goals should be 100. It is {0},அனைத்து இலக்குகளை மொத்த புள்ளிகள் 100 இருக்க வேண்டும் . இது {0} Total weightage assigned should be 100%. It is {0},ஒதுக்கப்படும் மொத்த தாக்கத்தில் 100 % இருக்க வேண்டும். இது {0} Totals,மொத்த +Track Leads by Industry Type.,ட்ராக் தொழில் வகை செல்கிறது. Track this Delivery Note against any Project,எந்த திட்டம் எதிரான இந்த டெலிவரி குறிப்பு கண்காணிக்க Track this Sales Order against any Project,எந்த திட்டம் எதிரான இந்த விற்பனை ஆணை கண்காணிக்க +Trainee,பயிற்சி பெறுபவர் Transaction,பரிவர்த்தனை Transaction Date,பரிவர்த்தனை தேதி Transaction not allowed against stopped Production Order {0},பரிவர்த்தனை நிறுத்தி உத்தரவு எதிரான அனுமதி இல்லை {0} @@ -3042,10 +3138,10 @@ Transfer,பரிமாற்றம் Transfer Material,மாற்றம் பொருள் Transfer Raw Materials,மூலப்பொருட்கள் பரிமாற்றம் Transferred Qty,அளவு மாற்றம் +Transportation,போக்குவரத்து Transporter Info,போக்குவரத்து தகவல் Transporter Name,இடமாற்றி பெயர் Transporter lorry number,இடமாற்றி லாரி எண் -Trash Reason,குப்பை காரணம் Travel,சுற்றுலா Travel Expenses,போக்குவரத்து செலவுகள் Tree Type,மரம் வகை @@ -3149,6 +3245,7 @@ Value,மதிப்பு Value or Qty,மதிப்பு அல்லது அளவு Vehicle Dispatch Date,வாகன அனுப்புகை தேதி Vehicle No,வாகனம் இல்லை +Venture Capital,துணிகர முதலீடு Verified By,மூலம் சரிபார்க்கப்பட்ட View Ledger,காட்சி லெட்ஜர் View Now,இப்போது காண்க @@ -3157,6 +3254,7 @@ Voucher #,வவுச்சர் # Voucher Detail No,ரசீது விரிவாக இல்லை Voucher ID,ரசீது அடையாள Voucher No,ரசீது இல்லை +Voucher No is not valid,வவுச்சர் செல்லுபடியாகும் அல்ல Voucher Type,ரசீது வகை Voucher Type and Date,ரசீது வகை மற்றும் தேதி Walk In,ல் நடக்க @@ -3171,6 +3269,7 @@ Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt Warehouse cannot be changed for Serial No.,கிடங்கு சீரியல் எண் மாற்றப்பட கூடாது Warehouse is mandatory for stock Item {0} in row {1},கிடங்கு பங்கு பொருள் கட்டாய {0} வரிசையில் {1} Warehouse is missing in Purchase Order,கிடங்கு கொள்முதல் ஆணை காணவில்லை +Warehouse not found in the system,அமைப்பு இல்லை கிடங்கு Warehouse required for stock Item {0},பங்கு பொருள் தேவை கிடங்கு {0} Warehouse required in POS Setting,POS அமைப்பு தேவைப்படுகிறது கிடங்கு Warehouse where you are maintaining stock of rejected items,நீங்கள் நிராகரித்து பொருட்களை பங்கு வைத்து எங்கே கிடங்கு @@ -3191,6 +3290,8 @@ Warranty / AMC Status,உத்தரவாதத்தை / AMC நிலைம Warranty Expiry Date,உத்தரவாதத்தை காலாவதியாகும் தேதி Warranty Period (Days),உத்தரவாதத்தை காலம் (நாட்கள்) Warranty Period (in days),உத்தரவாதத்தை காலம் (நாட்கள்) +We buy this Item,நாம் இந்த பொருள் வாங்க +We sell this Item,நாம் இந்த பொருளை விற்க Website,இணையதளம் Website Description,இணையதளத்தில் விளக்கம் Website Item Group,இணைய தகவல்கள் குழு @@ -3217,6 +3318,7 @@ Will be calculated automatically when you enter the details,நீங்கள Will be updated after Sales Invoice is Submitted.,விற்பனை விலைப்பட்டியல் சமர்பிக்கப்பட்டதும் புதுப்பிக்கப்படும். Will be updated when batched.,Batched போது புதுப்பிக்கப்படும். Will be updated when billed.,கணக்கில் போது புதுப்பிக்கப்படும். +Wire Transfer,வயர் மாற்றம் With Groups,குழுக்கள் With Ledgers,பேரேடுகளும் With Operations,செயல்பாடுகள் மூலம் @@ -3251,7 +3353,6 @@ Yearly,வருடாந்திர Yes,ஆம் Yesterday,நேற்று You are not allowed to create / edit reports,நீங்கள் / தொகு அறிக்கைகள் உருவாக்க அனுமதி இல்லை -You are not allowed to create {0},நீங்கள் உருவாக்க அனுமதி இல்லை {0} You are not allowed to export this report,நீங்கள் இந்த அறிக்கையை ஏற்றுமதி செய்ய அனுமதி இல்லை You are not allowed to print this document,நீங்கள் இந்த ஆவணத்தை அச்சிட அனுமதி இல்லை You are not allowed to send emails related to this document,இந்த ஆவணம் தொடர்பான மின்னஞ்சல்களை அனுப்ப அனுமதி இல்லை @@ -3269,12 +3370,15 @@ You can set Default Bank Account in Company master,நீங்கள் நி You can start by selecting backup frequency and granting access for sync,நீங்கள் காப்பு அதிர்வெண் தேர்வு மற்றும் ஒருங்கிணைப்பு அணுகல் வழங்குவதன் மூலம் தொடங்க முடியும் You can submit this Stock Reconciliation.,இந்த பங்கு நல்லிணக்க சமர்ப்பிக்க முடியும் . You can update either Quantity or Valuation Rate or both.,நீங்கள் அளவு அல்லது மதிப்பீட்டு விகிதம் அல்லது இரண்டு அல்லது மேம்படுத்த முடியும் . -You cannot credit and debit same account at the same time.,நீங்கள் கடன் மற்றும் அதே நேரத்தில் அதே கணக்கு பற்று முடியாது . +You cannot credit and debit same account at the same time,நீங்கள் கடன் மற்றும் அதே நேரத்தில் அதே கணக்கு பற்று முடியாது You have entered duplicate items. Please rectify and try again.,நீங்கள் போலி பொருட்களை நுழைந்தது. சரிசெய்து மீண்டும் முயற்சிக்கவும். +You have unsaved changes in this form. Please save before you continue.,நீங்கள் இந்த படிவத்தை சேமிக்கப்படாத மாற்றங்கள் உள்ளன . You may need to update: {0},நீங்கள் மேம்படுத்த வேண்டும் : {0} You must Save the form before proceeding,தொடர்வதற்கு முன் படிவத்தை சேமிக்க வேண்டும் +You must allocate amount before reconcile,நீங்கள் சரிசெய்யும் முன் தொகை ஒதுக்க வேண்டும் Your Customer's TAX registration numbers (if applicable) or any general information,உங்கள் வாடிக்கையாளர் வரி பதிவு எண்கள் (பொருந்தினால்) அல்லது எந்த பொது தகவல் Your Customers,உங்கள் வாடிக்கையாளர்கள் +Your Login Id,உங்கள் உள்நுழைவு ஐடி Your Products or Services,உங்கள் தயாரிப்புகள் அல்லது சேவைகள் Your Suppliers,உங்கள் சப்ளையர்கள் "Your download is being built, this may take a few moments...","உங்கள் பதிவிறக்க கட்டப்பட உள்ளது, இந்த ஒரு சில நிமிடங்கள் ஆகலாம் ..." @@ -3285,6 +3389,7 @@ Your sales person who will contact the customer in future,எதிர்கா Your sales person will get a reminder on this date to contact the customer,உங்கள் விற்பனை நபர் வாடிக்கையாளர் தொடர்பு கொள்ள இந்த தேதியில் ஒரு நினைவூட்டல் வரும் Your setup is complete. Refreshing...,உங்கள் அமைப்பு முழு ஆகிறது . புதுப்பிக்கிறது ... Your support email id - must be a valid email - this is where your emails will come!,"உங்கள் ஆதரவு மின்னஞ்சல் ஐடி - ஒரு சரியான மின்னஞ்சல் இருக்க வேண்டும் - உங்கள் மின்னஞ்சல்கள் வரும், அங்கு இது!" +[Select],[ தேர்ந்தெடு ] `Freeze Stocks Older Than` should be smaller than %d days.,` விட பழைய உறைந்து பங்குகள் ` % d நாட்கள் குறைவாக இருக்க வேண்டும் . and,மற்றும் are not allowed.,அனுமதி இல்லை. diff --git a/erpnext/translations/th.csv b/erpnext/translations/th.csv index e0020ec2bf..9b713c6d82 100644 --- a/erpnext/translations/th.csv +++ b/erpnext/translations/th.csv @@ -26,14 +26,13 @@ 'From Date' must be after 'To Date','จาก วันที่ ' ต้อง เป็นหลังจากที่ ' นัด ' 'Has Serial No' can not be 'Yes' for non-stock item,'มี ซีเรียล ไม่' ไม่สามารถ 'ใช่' สำหรับรายการ ที่ไม่มี สต็อก 'Notification Email Addresses' not specified for recurring invoice,' ที่อยู่อีเมล์ แจ้งเตือน ' ไม่ได้ ระบุไว้ใน ใบแจ้งหนี้ ที่เกิดขึ้น -'Profit and Loss' type Account {0} used be set for Opening Entry,' กำไรขาดทุน ประเภท บัญชี {0} ใช้ ตั้งค่าสำหรับ การเปิด รายการ 'Profit and Loss' type account {0} not allowed in Opening Entry,' กำไรขาดทุน ประเภท บัญชี {0} ไม่ได้รับอนุญาต ใน การเปิด รายการ 'To Case No.' cannot be less than 'From Case No.','to คดีหมายเลข' ไม่สามารถจะน้อยกว่า 'จากคดีหมายเลข' 'To Date' is required,' นัด ' จะต้อง 'Update Stock' for Sales Invoice {0} must be set,' หุ้น ปรับปรุง สำหรับการ ขายใบแจ้งหนี้ {0} จะต้องตั้งค่า * Will be calculated in the transaction.,* จะได้รับการคำนวณในการทำธุรกรรม "1 Currency = [?] Fraction -For e.g. 1 USD = 100 Cent", +For e.g. 1 USD = 100 Cent",1 สกุลเงิน = [ ?] เศษส่วน \ n สำหรับ เช่นผู้ 1. To maintain the customer wise item code and to make them searchable based on their code use this option,1 เพื่อรักษารหัสรายการลูกค้าที่ฉลาดและจะทำให้พวกเขาค้นหาตามรหัสของพวกเขาใช้ตัวเลือกนี้ 2 days ago,2 วันที่ผ่านมา "Add / Edit"," เพิ่ม / แก้ไข " @@ -70,8 +69,6 @@ Account with child nodes cannot be converted to ledger,บัญชีที่ Account with existing transaction can not be converted to group.,บัญชี กับการทำธุรกรรม ที่มีอยู่ ไม่สามารถ แปลงเป็น กลุ่ม Account with existing transaction can not be deleted,บัญชี ที่มีอยู่ กับการทำธุรกรรม ไม่สามารถลบได้ Account with existing transaction cannot be converted to ledger,บัญชี กับการทำธุรกรรม ที่มีอยู่ ไม่สามารถ แปลงเป็น บัญชีแยกประเภท -Account {0} already exists,บัญชี {0} แล้ว -Account {0} can only be updated via Stock Transactions,บัญชี {0} สามารถปรับปรุงได้ เพียง ผ่าน การทำธุรกรรม สต็อก Account {0} cannot be a Group,บัญชี {0} ไม่สามารถเป็น กลุ่ม Account {0} does not belong to Company {1},บัญชี {0} ไม่ได้เป็นของ บริษัท {1} Account {0} does not exist,บัญชี {0} ไม่อยู่ @@ -79,8 +76,9 @@ Account {0} has been entered more than once for fiscal year {1},บัญชี Account {0} is frozen,บัญชี {0} จะถูก แช่แข็ง Account {0} is inactive,บัญชี {0} ไม่ได้ใช้งาน Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item,บัญชี {0} ต้องเป็นชนิด ' สินทรัพย์ถาวร ' เป็น รายการ {1} เป็น รายการสินทรัพย์ -Account {0} must be sames as Credit To Account in Purchase Invoice in row {0},บัญชี {0} ต้อง sames เป็น เครดิต ไปยังบัญชี ใน การสั่งซื้อ ใบแจ้งหนี้ ในแถว {0} -Account {0} must be sames as Debit To Account in Sales Invoice in row {0},บัญชี {0} ต้อง sames เดบิต เพื่อ เป็น บัญชี ในการขาย ใบแจ้งหนี้ ในแถว {0} +"Account: {0} can only be updated via \ + Stock Transactions",บัญชี: {0} สามารถปรับปรุง เพียง ผ่าน \ \ n การทำธุรกรรม หุ้น +Accountant,นักบัญชี Accounting,การบัญชี "Accounting Entries can be made against leaf nodes, called",รายการ บัญชี สามารถ ทำกับ โหนดใบ ที่เรียกว่า "Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.",รายการบัญชีแช่แข็งถึงวันนี้ไม่มีใครสามารถทำ / แก้ไขรายการยกเว้นบทบาทที่ระบุไว้ด้านล่าง @@ -145,10 +143,13 @@ Address Title is mandatory.,ที่อยู่ ชื่อเรื่อง Address Type,ประเภทของที่อยู่ Address master.,ต้นแบบ ที่อยู่ Administrative Expenses,ค่าใช้จ่ายใน การดูแลระบบ +Administrative Officer,พนักงานธุรการ Advance Amount,จำนวนล่วงหน้า Advance amount,จำนวนเงิน Advances,ความก้าวหน้า Advertisement,การโฆษณา +Advertising,การโฆษณา +Aerospace,การบินและอวกาศ After Sale Installations,หลังจากการติดตั้งขาย Against,กับ Against Account,กับบัญชี @@ -157,9 +158,11 @@ Against Docname,กับ Docname Against Doctype,กับ Doctype Against Document Detail No,กับรายละเอียดเอกสารไม่มี Against Document No,กับเอกสารไม่มี +Against Entries,กับ รายการ Against Expense Account,กับบัญชีค่าใช้จ่าย Against Income Account,กับบัญชีรายได้ Against Journal Voucher,กับบัตรกำนัลวารสาร +Against Journal Voucher {0} does not have any unmatched {1} entry,กับ วารสาร คูปอง {0} ไม่มี ใครเทียบ {1} รายการ Against Purchase Invoice,กับใบกำกับซื้อ Against Sales Invoice,กับขายใบแจ้งหนี้ Against Sales Order,กับ การขายสินค้า @@ -171,6 +174,8 @@ Ageing date is mandatory for opening entry,เอจจิ้ง วันที Agent,ตัวแทน Aging Date,Aging วันที่ Aging Date is mandatory for opening entry,Aging วันที่ มีผลบังคับใช้ สำหรับการเปิด รายการ +Agriculture,การเกษตร +Airline,สายการบิน All Addresses.,ที่อยู่ทั้งหมด All Contact,ติดต่อทั้งหมด All Contacts.,ติดต่อทั้งหมด @@ -188,14 +193,18 @@ All Supplier Types,ทุก ประเภท ของผู้ผลิต All Territories,ดินแดน ทั้งหมด "All export related fields like currency, conversion rate, export total, export grand total etc are available in Delivery Note, POS, Quotation, Sales Invoice, Sales Order etc.","เขตข้อมูล ทั้งหมดที่เกี่ยวข้องกับ การส่งออก เช่นเดียวกับ สกุลเงิน อัตราการแปลง รวม การส่งออก ส่งออก อื่น ๆ รวมใหญ่ ที่มีอยู่ใน หมายเหตุ การจัดส่ง POS , ใบเสนอราคา , ขายใบแจ้งหนี้ การขายสินค้า อื่น ๆ" "All import related fields like currency, conversion rate, import total, import grand total etc are available in Purchase Receipt, Supplier Quotation, Purchase Invoice, Purchase Order etc.","ทุก สาขา ที่เกี่ยวข้องกับ การนำเข้า เช่น สกุลเงิน อัตราการแปลง ทั้งหมด นำเข้า นำเข้า อื่น ๆ รวมใหญ่ ที่มีอยู่ใน การซื้อ ใบเสร็จรับเงิน ใบเสนอราคา ของผู้ผลิต , การสั่งซื้อ ใบแจ้งหนี้ ใบสั่งซื้อ ฯลฯ" +All items have already been invoiced,รายการทั้งหมดที่ ได้รับการ ออกใบแจ้งหนี้ แล้ว All items have already been transferred for this Production Order.,รายการทั้งหมดที่ ได้รับการ โอน ไปแล้วสำหรับ การผลิต การสั่งซื้อ นี้ All these items have already been invoiced,รายการทั้งหมด เหล่านี้ได้รับ ใบแจ้งหนี้ แล้ว Allocate,จัดสรร +Allocate Amount Automatically,จัดสรร เงิน โดยอัตโนมัติ Allocate leaves for a period.,จัดสรร ใบ เป็นระยะเวลา Allocate leaves for the year.,จัดสรรใบสำหรับปี Allocated Amount,จำนวนที่จัดสรร Allocated Budget,งบประมาณที่จัดสรร Allocated amount,จำนวนที่จัดสรร +Allocated amount can not be negative,จำนวนเงินที่จัดสรร ไม่สามารถ ลบ +Allocated amount can not greater than unadusted amount,จำนวนเงินที่จัดสรร ไม่สามารถ มากกว่าจำนวน unadusted Allow Bill of Materials,อนุญาตให้ Bill of Materials Allow Bill of Materials should be 'Yes'. Because one or many active BOMs present for this item,อนุญาตให้ Bill of Materials ควรจะ 'ใช่' เพราะ หนึ่งหรือ BOMs ใช้งาน จำนวนมาก ในปัจจุบัน สำหรับรายการนี้ Allow Children,อนุญาตให้ เด็ก @@ -223,10 +232,12 @@ Amount to Bill,เป็นจำนวนเงิน บิล An Customer exists with same name,ลูกค้าที่มีอยู่ ที่มีชื่อเดียวกัน "An Item Group exists with same name, please change the item name or rename the item group",รายการกลุ่ม ที่มีอยู่ ที่มีชื่อเดียวกัน กรุณาเปลี่ยน ชื่อรายการหรือเปลี่ยนชื่อ กลุ่ม รายการ "An item exists with same name ({0}), please change the item group name or rename the item",รายการที่มีอยู่ ที่มีชื่อเดียวกัน ({0}) กรุณาเปลี่ยนชื่อกลุ่ม รายการ หรือเปลี่ยนชื่อ รายการ +Analyst,นักวิเคราะห์ Annual,ประจำปี Another Period Closing Entry {0} has been made after {1},อีก รายการ ระยะเวลา ปิด {0} ได้รับการทำ หลังจาก {1} Another Salary Structure {0} is active for employee {0}. Please make its status 'Inactive' to proceed.,โครงสร้าง เงินเดือน อีก {0} มีการใช้งาน สำหรับพนักงาน {0} กรุณา สถานะ ' ใช้งาน ' เพื่อ ดำเนินการต่อไป "Any other comments, noteworthy effort that should go in the records.",ความเห็นอื่น ๆ ความพยายามที่น่าสังเกตว่าควรจะไปในบันทึก +Apparel & Accessories,เครื่องแต่งกาย และอุปกรณ์เสริม Applicability,การบังคับใช้ Applicable For,สามารถใช้งานได้ สำหรับ Applicable Holiday List,รายการวันหยุดที่ใช้บังคับ @@ -248,6 +259,7 @@ Appraisal Template,แม่แบบการประเมิน Appraisal Template Goal,เป้าหมายเทมเพลทประเมิน Appraisal Template Title,หัวข้อแม่แบบประเมิน Appraisal {0} created for Employee {1} in the given date range,ประเมิน {0} สร้างขึ้นสำหรับ พนักงาน {1} ใน ช่วงวันที่ ที่กำหนด +Apprentice,เด็กฝึกงาน Approval Status,สถานะการอนุมัติ Approval Status must be 'Approved' or 'Rejected',สถานะการอนุมัติ ต้อง 'อนุมัติ ' หรือ ' ปฏิเสธ ' Approved,ได้รับการอนุมัติ @@ -264,9 +276,12 @@ Arrear Amount,จำนวน Arrear As per Stock UOM,เป็นต่อสต็อก UOM "As there are existing stock transactions for this item, you can not change the values of 'Has Serial No', 'Is Stock Item' and 'Valuation Method'","เนื่องจากมี การทำธุรกรรม หุ้น ที่มีอยู่ สำหรับรายการนี้ คุณจะไม่สามารถ เปลี่ยนค่า ของ 'มี ซีเรียล ไม่', ' เป็น รายการ สินค้า ' และ ' วิธี การประเมิน '" Ascending,Ascending +Asset,สินทรัพย์ Assign To,กำหนดให้ Assigned To,มอบหมายให้ Assignments,ที่ได้รับมอบหมาย +Assistant,ผู้ช่วย +Associate,ภาคี Atleast one warehouse is mandatory,อย่างน้อยหนึ่งคลังสินค้ามีผลบังคับใช้ Attach Document Print,แนบเอกสารพิมพ์ Attach Image,แนบ ภาพ @@ -293,6 +308,7 @@ Automatically compose message on submission of transactions.,เขียนข Automatically extract Job Applicants from a mail box , Automatically extract Leads from a mail box e.g.,สารสกัดจาก Leads โดยอัตโนมัติจาก กล่องจดหมายเช่นผู้ Automatically updated via Stock Entry of type Manufacture/Repack,ปรับปรุงโดยอัตโนมัติผ่านทางรายการในสต็อกการผลิตประเภท / Repack +Automotive,ยานยนต์ Autoreply when a new mail is received,autoreply เมื่อมีอีเมลใหม่ได้รับ Available,ที่มีจำหน่าย Available Qty at Warehouse,จำนวนที่คลังสินค้า @@ -333,6 +349,7 @@ Bank Account,บัญชีเงินฝาก Bank Account No.,เลขที่บัญชีธนาคาร Bank Accounts,บัญชี ธนาคาร Bank Clearance Summary,ข้อมูลอย่างย่อ Clearance ธนาคาร +Bank Draft,ร่าง ธนาคาร Bank Name,ชื่อธนาคาร Bank Overdraft Account,บัญชี เงินเบิกเกินบัญชี ธนาคาร Bank Reconciliation,กระทบยอดธนาคาร @@ -340,6 +357,7 @@ Bank Reconciliation Detail,รายละเอียดการกระท Bank Reconciliation Statement,งบกระทบยอดธนาคาร Bank Voucher,บัตรกำนัลธนาคาร Bank/Cash Balance,ธนาคารเงินสด / ยอดคงเหลือ +Banking,การธนาคาร Barcode,บาร์โค้ด Barcode {0} already used in Item {1},บาร์โค้ด {0} ใช้แล้ว ใน รายการ {1} Based On,ขึ้นอยู่กับ @@ -348,7 +366,6 @@ Basic Info,ข้อมูลพื้นฐาน Basic Information,ข้อมูลพื้นฐาน Basic Rate,อัตราขั้นพื้นฐาน Basic Rate (Company Currency),อัตราขั้นพื้นฐาน (สกุลเงิน บริษัท ) -Basic Section,มาตรา ขั้นพื้นฐาน Batch,ชุด Batch (lot) of an Item.,แบทช์ (มาก) ของรายการ Batch Finished Date,ชุดสำเร็จรูปวันที่ @@ -377,6 +394,7 @@ Bills raised by Suppliers.,ตั๋วเงินยกโดยซัพพ Bills raised to Customers.,ตั๋วเงินยกให้กับลูกค้า Bin,ถัง Bio,ไบโอ +Biotechnology,เทคโนโลยีชีวภาพ Birthday,วันเกิด Block Date,บล็อกวันที่ Block Days,วันที่ถูกบล็อก @@ -393,6 +411,8 @@ Brand Name,ชื่อยี่ห้อ Brand master.,ต้นแบบแบรนด์ Brands,แบรนด์ Breakdown,การเสีย +Broadcasting,บรอดคาสติ้ง +Brokerage,ค่านายหน้า Budget,งบ Budget Allocated,งบประมาณที่จัดสรร Budget Detail,รายละเอียดงบประมาณ @@ -405,6 +425,7 @@ Budget cannot be set for Group Cost Centers,งบประมาณ ไม่ Build Report,สร้าง รายงาน Built on,สร้างขึ้นบน Bundle items at time of sale.,กำรายการในเวลาของการขาย +Business Development Manager,ผู้จัดการฝ่ายพัฒนาธุรกิจ Buying,การซื้อ Buying & Selling,การซื้อ และการ ขาย Buying Amount,ซื้อจำนวน @@ -484,7 +505,6 @@ Charity and Donations,องค์กรการกุศล และ บร Chart Name,ชื่อ แผนภูมิ Chart of Accounts,ผังบัญชี Chart of Cost Centers,แผนภูมิของศูนย์ต้นทุน -Check for Duplicates,ตรวจสอบ รายการที่ซ้ำกัน Check how the newsletter looks in an email by sending it to your email.,ตรวจสอบว่ามีลักษณะจดหมายในอีเมลโดยส่งอีเมลของคุณ "Check if recurring invoice, uncheck to stop recurring or put proper End Date",ตรวจสอบว่าใบแจ้งหนี้ที่เกิดขึ้นให้ยกเลิกการหยุดที่เกิดขึ้นหรือใส่วันที่สิ้นสุดที่เหมาะสม "Check if you need automatic recurring invoices. After submitting any sales invoice, Recurring section will be visible.",ตรวจสอบว่าใบแจ้งหนี้ที่คุณต้องเกิดขึ้นโดยอัตโนมัติ หลังจากส่งใบแจ้งหนี้ใด ๆ ขายส่วนกิจวัตรจะสามารถมองเห็น @@ -496,6 +516,7 @@ Check this to pull emails from your mailbox,ตรวจสอบนี้จะ Check to activate,ตรวจสอบเพื่อเปิดใช้งาน Check to make Shipping Address,ตรวจสอบเพื่อให้การจัดส่งสินค้าที่อยู่ Check to make primary address,ตรวจสอบเพื่อให้อยู่หลัก +Chemical,สารเคมี Cheque,เช็ค Cheque Date,วันที่เช็ค Cheque Number,จำนวนเช็ค @@ -535,6 +556,7 @@ Comma separated list of email addresses,รายการที่คั่น Comment,ความเห็น Comments,ความเห็น Commercial,เชิงพาณิชย์ +Commission,ค่านายหน้า Commission Rate,อัตราค่าคอมมิชชั่น Commission Rate (%),อัตราค่าคอมมิชชั่น (%) Commission on Sales,สำนักงานคณะกรรมการกำกับ การขาย @@ -568,6 +590,7 @@ Completed Production Orders,เสร็จสิ้นการ สั่งซ Completed Qty,จำนวนเสร็จ Completion Date,วันที่เสร็จสมบูรณ์ Completion Status,สถานะเสร็จ +Computer,คอมพิวเตอร์ Computers,คอมพิวเตอร์ Confirmation Date,ยืนยัน วันที่ Confirmed orders from Customers.,คำสั่งซื้อได้รับการยืนยันจากลูกค้า @@ -575,10 +598,12 @@ Consider Tax or Charge for,พิจารณาภาษีหรือคิ Considered as Opening Balance,ถือได้ว่าเป็นยอดคงเหลือ Considered as an Opening Balance,ถือได้ว่าเป็นยอดคงเหลือเปิด Consultant,ผู้ให้คำปรึกษา +Consulting,การให้คำปรึกษา Consumable,วัสดุสิ้นเปลือง Consumable Cost,ค่าใช้จ่ายที่ สิ้นเปลือง Consumable cost per hour,ค่าใช้จ่าย สิ้นเปลือง ต่อชั่วโมง Consumed Qty,จำนวนการบริโภค +Consumer Products,สินค้าอุปโภคบริโภค Contact,ติดต่อ Contact Control,ติดต่อควบคุม Contact Desc,Desc ติดต่อ @@ -596,6 +621,7 @@ Contacts,ติดต่อ Content,เนื้อหา Content Type,ประเภทเนื้อหา Contra Voucher,บัตรกำนัลต้าน +Contract,สัญญา Contract End Date,วันที่สิ้นสุดสัญญา Contract End Date must be greater than Date of Joining,วันที่สิ้นสุด สัญญา จะต้องมากกว่า วันที่ เข้าร่วม Contribution (%),สมทบ (%) @@ -611,10 +637,10 @@ Convert to Ledger,แปลงเป็น บัญชีแยกประเ Converted,แปลง Copy,คัดลอก Copy From Item Group,คัดลอกจากกลุ่มสินค้า +Cosmetics,เครื่องสำอาง Cost Center,ศูนย์ต้นทุน Cost Center Details,ค่าใช้จ่ายรายละเอียดศูนย์ Cost Center Name,ค่าใช้จ่ายชื่อศูนย์ -Cost Center Name already exists,ค่าใช้จ่ายใน ชื่อ ศูนย์ ที่มีอยู่แล้ว Cost Center is mandatory for Item {0},ศูนย์ต้นทุน จำเป็นสำหรับ รายการ {0} Cost Center is required for 'Profit and Loss' account {0},ศูนย์ต้นทุน เป็นสิ่งจำเป็นสำหรับ บัญชี ' กำไรขาดทุน ' {0} Cost Center is required in row {0} in Taxes table for type {1},ศูนย์ต้นทุน ที่จะต้อง อยู่ในแถว {0} ในตาราง ภาษี สำหรับประเภท {1} @@ -648,6 +674,7 @@ Creation Time,เวลาที่ สร้าง Credentials,ประกาศนียบัตร Credit,เครดิต Credit Amt,จำนวนเครดิต +Credit Card,บัตรเครดิต Credit Card Voucher,บัตรกำนัลชำระด้วยบัตรเครดิต Credit Controller,ควบคุมเครดิต Credit Days,วันเครดิต @@ -696,6 +723,7 @@ Customer Issue,ปัญหาของลูกค้า Customer Issue against Serial No.,ลูกค้าออกกับหมายเลขเครื่อง Customer Name,ชื่อลูกค้า Customer Naming By,การตั้งชื่อตามลูกค้า +Customer Service,บริการลูกค้า Customer database.,ฐานข้อมูลลูกค้า Customer is required,ลูกค้า จะต้อง Customer master.,หลักของลูกค้า @@ -739,7 +767,6 @@ Debit Amt,จำนวนบัตรเดบิต Debit Note,หมายเหตุเดบิต Debit To,เดบิตเพื่อ Debit and Credit not equal for this voucher. Difference is {0}.,เดบิต และเครดิต ไม่ เท่าเทียมกันสำหรับ บัตรกำนัล นี้ ความแตกต่าง คือ {0} -Debit must equal Credit. The difference is {0},เดบิต จะต้องเท่ากับ เครดิต ความแตกต่างคือ {0} Deduct,หัก Deduction,การหัก Deduction Type,ประเภทหัก @@ -779,6 +806,7 @@ Default settings for accounting transactions.,ตั้งค่าเริ่ Default settings for buying transactions.,การตั้งค่า เริ่มต้นสำหรับ การทำธุรกรรม การซื้อ Default settings for selling transactions.,ตั้งค่าเริ่มต้น สำหรับการขาย ในการทำธุรกรรม Default settings for stock transactions.,ตั้งค่าเริ่มต้น สำหรับการทำธุรกรรม หุ้น +Defense,ฝ่ายจำเลย "Define Budget for this Cost Center. To set budget action, see Company Master","กำหนดงบประมาณสำหรับศูนย์ต้นทุนนี้ เพื่อตั้งกระทำงบประมาณเห็น บริษัท มาสเตอร์" Delete,ลบ Delete Row,ลบแถว @@ -805,19 +833,23 @@ Delivery Status,สถานะการจัดส่งสินค้า Delivery Time,เวลาจัดส่งสินค้า Delivery To,เพื่อจัดส่งสินค้า Department,แผนก +Department Stores,ห้างสรรพสินค้า Depends on LWP,ขึ้นอยู่กับ LWP Depreciation,ค่าเสื่อมราคา Descending,น้อย Description,ลักษณะ Description HTML,HTML รายละเอียด Designation,การแต่งตั้ง +Designer,นักออกแบบ Detailed Breakup of the totals,กระจัดกระจายรายละเอียดของผลรวม Details,รายละเอียด -Difference,ข้อแตกต่าง +Difference (Dr - Cr),แตกต่าง ( ดร. - Cr ) Difference Account,บัญชี ที่แตกต่างกัน +"Difference Account must be a 'Liability' type account, since this Stock Reconciliation is an Opening Entry",บัญชี ที่แตกต่างกัน จะต้องเป็น บัญชี ' รับผิด ประเภท ตั้งแต่นี้ หุ้น สมานฉันท์ เป็นรายการ เปิด 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 เดียวกัน Direct Expenses,ค่าใช้จ่าย โดยตรง Direct Income,รายได้ โดยตรง +Director,ผู้อำนวยการ Disable,ปิดการใช้งาน Disable Rounded Total,ปิดการใช้งานรวมโค้ง Disabled,พิการ @@ -829,6 +861,7 @@ Discount Amount,จำนวน ส่วนลด Discount Percentage,ร้อยละ ส่วนลด Discount must be less than 100,ส่วนลด จะต้อง น้อยกว่า 100 Discount(%),ส่วนลด (%) +Dispatch,ส่งไป Display all the individual items delivered with the main items,แสดงรายการทั้งหมดของแต่ละบุคคลมาพร้อมกับรายการหลัก Distribute transport overhead across items.,แจกจ่ายค่าใช้จ่ายการขนส่งข้ามรายการ Distribution,การกระจาย @@ -863,7 +896,7 @@ Download Template,ดาวน์โหลดแม่แบบ Download a report containing all raw materials with their latest inventory status,ดาวน์โหลดรายงานที่มีวัตถุดิบทั้งหมดที่มีสถานะสินค้าคงคลังของพวกเขาล่าสุด "Download the Template, fill appropriate data and attach the modified file.",ดาวน์โหลด แม่แบบกรอก ข้อมูลที่เหมาะสม และแนบ ไฟล์ ที่มีการแก้ไข "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", +All dates and employee combination in the selected period will come in the template, with existing attendance records",ดาวน์โหลด แม่แบบกรอก ข้อมูลที่เหมาะสม และแนบ ไฟล์ ที่มีการแก้ไข . \ nAll วัน และการรวมกัน ของพนักงาน ใน ระยะเวลาที่เลือกจะมาใน แบบ ที่มีการ บันทึกการเข้าร่วม ที่มีอยู่ Draft,ร่าง Drafts,ร่าง Drag to sort columns,ลากเพื่อเรียงลำดับคอลัมน์ @@ -876,11 +909,10 @@ Due Date cannot be after {0},วันที่ครบกำหนด ต้ Due Date cannot be before Posting Date,วันที่ครบกำหนด ไม่สามารถ ก่อน วันที่ประกาศ Duplicate Entry. Please check Authorization Rule {0},รายการ ที่ซ้ำกัน กรุณาตรวจสอบ การอนุมัติ กฎ {0} Duplicate Serial No entered for Item {0},ซ้ำ หมายเลขเครื่อง ป้อนสำหรับ รายการ {0} +Duplicate entry,รายการ ที่ซ้ำกัน Duplicate row {0} with same {1},แถว ที่ซ้ำกัน {0} ด้วย เหมือนกัน {1} Duties and Taxes,หน้าที่ และภาษี ERPNext Setup,การติดตั้ง ERPNext -ESIC CARD No,CARD ESIC ไม่มี -ESIC No.,หมายเลข ESIC Earliest,ที่เก่าแก่ที่สุด Earnest Money,เงินมัดจำ Earning,รายได้ @@ -889,6 +921,7 @@ Earning Type,รายได้ประเภท Earning1,Earning1 Edit,แก้ไข Editable,ที่สามารถแก้ไขได้ +Education,การศึกษา Educational Qualification,วุฒิการศึกษา Educational Qualification Details,รายละเอียดคุ​​ณสมบัติการศึกษา Eg. smsgateway.com/api/send_sms.cgi,เช่น smsgateway.com / API / send_sms.cgi @@ -898,6 +931,7 @@ Either target qty or target amount is mandatory.,ทั้ง จำนวน Electrical,ไฟฟ้า Electricity Cost,ค่าใช้จ่าย ไฟฟ้า Electricity cost per hour,ต้นทุนค่าไฟฟ้า ต่อชั่วโมง +Electronics,อิเล็กทรอนิกส์ Email,อีเมล์ Email Digest,ข่าวสารทางอีเมล Email Digest Settings,การตั้งค่าอีเมลเด่น @@ -931,7 +965,6 @@ Employee Records to be created by,ระเบียนพนักงานท Employee Settings,การตั้งค่า การทำงานของพนักงาน Employee Type,ประเภทพนักงาน "Employee designation (e.g. CEO, Director etc.).",การแต่งตั้ง พนักงาน ของคุณ (เช่น ซีอีโอ ผู้อำนวยการ ฯลฯ ) -Employee grade.,เกรด พนักงาน Employee master.,โท พนักงาน Employee record is created using selected field. ,ระเบียนของพนักงานจะถูกสร้างขึ้นโดยใช้เขตข้อมูลที่เลือก Employee records.,ระเบียนพนักงาน @@ -949,6 +982,8 @@ End Date,วันที่สิ้นสุด End Date can not be less than Start Date,วันที่สิ้นสุด ไม่สามารถ จะน้อยกว่า วันเริ่มต้น End date of current invoice's period,วันที่สิ้นสุดของรอบระยะเวลาใบแจ้งหนี้ปัจจุบัน End of Life,ในตอนท้ายของชีวิต +Energy,พลังงาน +Engineer,วิศวกร Enter Value,ใส่ ความคุ้มค่า Enter Verification Code,ใส่รหัสยืนยัน Enter campaign name if the source of lead is campaign.,ป้อนชื่อแคมเปญหากแหล่งที่มาของสารตะกั่วเป็นแคมเปญ @@ -961,6 +996,7 @@ Enter name of campaign if source of enquiry is campaign,ป้อนชื่อ Enter the company name under which Account Head will be created for this Supplier,ป้อนชื่อ บริษัท ภายใต้ซึ่งหัวหน้าบัญชีจะถูกสร้างขึ้นสำหรับผู้ผลิตนี้ Enter url parameter for message,ป้อนพารามิเตอร์ URL สำหรับข้อความ Enter url parameter for receiver nos,ป้อนพารามิเตอร์ URL สำหรับ Nos รับ +Entertainment & Leisure,บันเทิงและ การพักผ่อน Entertainment Expenses,ค่าใช้จ่ายใน ความบันเทิง Entries,คอมเมนต์ Entries against,คอมเมนต์ กับ @@ -972,10 +1008,12 @@ Error: {0} > {1},ข้อผิดพลาด: {0}> {1} Estimated Material Cost,ต้นทุนวัสดุประมาณ Everyone can read,ทุกคนสามารถอ่าน "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.", +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 # # # # # \ n ถ้า ชุด การตั้งค่า และ หมายเลขเครื่อง ไม่ได้กล่าวถึง ในการทำธุรกรรม แล้ว หมายเลขประจำเครื่อง อัตโนมัติ จะถูกสร้างขึ้น บนพื้นฐานของ ซีรีส์ นี้ Exchange Rate,อัตราแลกเปลี่ยน Excise Page Number,หมายเลขหน้าสรรพสามิต Excise Voucher,บัตรกำนัลสรรพสามิต +Execution,การปฏิบัติ +Executive Search,การค้นหา ผู้บริหาร Exemption Limit,วงเงินข้อยกเว้น Exhibition,งานมหกรรม Existing Customer,ลูกค้าที่มีอยู่ @@ -990,6 +1028,7 @@ Expected Delivery Date cannot be before Purchase Order Date,วันที่ Expected Delivery Date cannot be before Sales Order Date,วันที่ส่ง ที่คาดว่าจะ ไม่สามารถเป็น วัน ก่อนที่จะ ขายสินค้า Expected End Date,คาดว่าวันที่สิ้นสุด Expected Start Date,วันที่เริ่มต้นคาดว่า +Expense,ค่าใช้จ่าย Expense Account,บัญชีค่าใช้จ่าย Expense Account is mandatory,บัญชีค่าใช้จ่ายที่มีผลบังคับใช้ Expense Claim,เรียกร้องค่าใช้จ่าย @@ -1007,7 +1046,7 @@ Expense Date,วันที่ค่าใช้จ่าย Expense Details,รายละเอียดค่าใช้จ่าย Expense Head,หัวหน้าค่าใช้จ่าย Expense account is mandatory for item {0},บัญชีค่าใช้จ่าย ที่จำเป็น สำหรับรายการที่ {0} -Expense or Difference account is mandatory for Item {0} as there is difference in value,ค่าใช้จ่าย หรือ ความแตกต่าง บัญชี มีผลบังคับใช้ กับ รายการ {0} ที่มี ความแตกต่างใน ค่า +Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,ค่าใช้จ่าย หรือ ความแตกต่าง บัญชี มีผลบังคับใช้ กับ รายการ {0} ที่มัน มีผลกระทบต่อ มูลค่า หุ้น โดยรวม Expenses,รายจ่าย Expenses Booked,ค่าใช้จ่ายใน Booked Expenses Included In Valuation,ค่าใช้จ่ายรวมอยู่ในการประเมินมูลค่า @@ -1034,13 +1073,11 @@ File,ไฟล์ Files Folder ID,ไฟล์ ID โฟลเดอร์ Fill the form and save it,กรอกแบบฟอร์ม และบันทึกไว้ Filter,กรอง -Filter By Amount,กรองตามจํานวนเงิน -Filter By Date,กรองตามวันที่ Filter based on customer,กรองขึ้นอยู่กับลูกค้า Filter based on item,กรองขึ้นอยู่กับสินค้า -Final Confirmation Date must be greater than Date of Joining,วันที่ ยืนยัน ขั้นสุดท้าย จะต้องมากกว่า วันที่ เข้าร่วม Financial / accounting year.,การเงิน รอบปีบัญชี / Financial Analytics,Analytics การเงิน +Financial Services,บริการทางการเงิน Financial Year End Date,ปี การเงิน สิ้นสุด วันที่ Financial Year Start Date,วันเริ่มต้น ปี การเงิน Finished Goods,สินค้า สำเร็จรูป @@ -1052,6 +1089,7 @@ Fixed Assets,สินทรัพย์ถาวร Follow via Email,ผ่านทางอีเมล์ตาม "Following table will show values if items are sub - contracted. These values will be fetched from the master of ""Bill of Materials"" of sub - contracted items.",ตารางต่อไปนี้จะแสดงค่าหากรายการย่อย - สัญญา ค่าเหล่านี้จะถูกเรียกจากต้นแบบของ "Bill of Materials" ย่อย - รายการสัญญา Food,อาหาร +"Food, Beverage & Tobacco","อาหาร, เครื่องดื่ม และ ยาสูบ" For Company,สำหรับ บริษัท For Employee,สำหรับพนักงาน For Employee Name,สำหรับชื่อของพนักงาน @@ -1106,6 +1144,7 @@ Frozen,แช่แข็ง Frozen Accounts Modifier,แช่แข็ง บัญชี ปรับปรุง Fulfilled,สม Full Name,ชื่อเต็ม +Full-time,เต็มเวลา Fully Completed,เสร็จสมบูรณ์ Furniture and Fixture,เฟอร์นิเจอร์และ ตารางการแข่งขัน Further accounts can be made under Groups but entries can be made against Ledger,บัญชี เพิ่มเติมสามารถ ทำภายใต้ กลุ่ม แต่ รายการที่สามารถ ทำกับ บัญชีแยกประเภท @@ -1125,14 +1164,15 @@ Generates HTML to include selected image in the description,สร้าง HTM Get,ได้รับ Get Advances Paid,รับเงินทดรองจ่าย Get Advances Received,รับเงินรับล่วงหน้า +Get Against Entries,คอมเมนต์ ได้รับการ ต่อต้าน Get Current Stock,รับสินค้าปัจจุบัน Get From ,ได้รับจาก Get Items,รับสินค้า Get Items From Sales Orders,รับรายการจากคำสั่งซื้อขาย Get Items from BOM,รับสินค้า จาก BOM Get Last Purchase Rate,รับซื้อให้ล่าสุด -Get Non Reconciled Entries,รับคอมเมนต์คืนดีไม่ Get Outstanding Invoices,รับใบแจ้งหนี้ค้าง +Get Relevant Entries,ได้รับ คอมเมนต์ ที่เกี่ยวข้อง Get Sales Orders,รับการสั่งซื้อการขาย Get Specification Details,ดูรายละเอียดสเปค Get Stock and Rate,รับสินค้าและอัตรา @@ -1151,14 +1191,13 @@ Goods received from Suppliers.,สินค้าที่ได้รับจ Google Drive,ใน Google Drive Google Drive Access Allowed,เข้าถึงไดรฟ์ Google อนุญาต Government,รัฐบาล -Grade,เกรด Graduate,จบการศึกษา Grand Total,รวมทั้งสิ้น Grand Total (Company Currency),แกรนด์รวม (สกุลเงิน บริษัท ) -Gratuity LIC ID,ID LIC บำเหน็จ Greater or equals,ที่มากกว่าหรือ เท่ากับ Greater than,ที่ยิ่งใหญ่กว่า "Grid ""","ตาราง """ +Grocery,ร้านขายของชำ Gross Margin %,อัตรากำไรขั้นต้น% Gross Margin Value,ค่าอัตรากำไรขั้นต้น Gross Pay,จ่ายขั้นต้น @@ -1173,6 +1212,7 @@ Group by Account,โดย กลุ่ม บัญชี Group by Voucher,กลุ่ม โดย คูปอง Group or Ledger,กลุ่มหรือบัญชีแยกประเภท Groups,กลุ่ม +HR Manager,HR Manager HR Settings,การตั้งค่าทรัพยากรบุคคล HTML / Banner that will show on the top of product list.,HTML / แบนเนอร์ที่จะแสดงอยู่ด้านบนของรายการสินค้า Half Day,ครึ่งวัน @@ -1183,7 +1223,9 @@ Hardware,ฮาร์ดแวร์ Has Batch No,ชุดมีไม่มี Has Child Node,มีโหนดลูก Has Serial No,มีซีเรียลไม่มี +Head of Marketing and Sales,หัวหน้าฝ่ายการตลาด และการขาย Header,ส่วนหัว +Health Care,การดูแลสุขภาพ Health Concerns,ความกังวลเรื่องสุขภาพ Health Details,รายละเอียดสุขภาพ Held On,จัดขึ้นเมื่อวันที่ @@ -1266,6 +1308,7 @@ In Words will be visible once you save the Sales Invoice.,ในคำพูด In Words will be visible once you save the Sales Order.,ในคำพูดของจะสามารถมองเห็นได้เมื่อคุณบันทึกการสั่งซื้อการขาย In response to,ในการตอบสนองต่อ Incentives,แรงจูงใจ +Include Reconciled Entries,รวมถึง คอมเมนต์ Reconciled Include holidays in Total no. of Working Days,รวมถึงวันหยุดในไม่รวม ของวันทําการ Income,เงินได้ Income / Expense,รายได้ / ค่าใช้จ่าย @@ -1302,7 +1345,9 @@ Installed Qty,จำนวนการติดตั้ง Instructions,คำแนะนำ Integrate incoming support emails to Support Ticket,บูรณาการ การสนับสนุน อีเมล ที่เข้ามา เพื่อสนับสนุน ตั๋ว Interested,สนใจ +Intern,แพทย์ฝึกหัด Internal,ภายใน +Internet Publishing,สำนักพิมพ์ ทางอินเทอร์เน็ต Introduction,การแนะนำ Invalid Barcode or Serial No,บาร์โค้ด ที่ไม่ถูกต้อง หรือ ไม่มี Serial Invalid Email: {0},อีเมล์ ไม่ถูกต้อง: {0} @@ -1313,6 +1358,7 @@ Invalid User Name or Support Password. Please rectify and try again.,ชื่ Invalid quantity specified for item {0}. Quantity should be greater than 0.,ปริมาณ ที่ไม่ถูกต้อง ที่ระบุไว้ สำหรับรายการที่ {0} ปริมาณ ที่ควรจะเป็น มากกว่า 0 Inventory,รายการสินค้า Inventory & Support,สินค้าคงคลัง และการสนับสนุน +Investment Banking,วาณิชธนกิจ Investments,เงินลงทุน Invoice Date,วันที่ออกใบแจ้งหนี้ Invoice Details,รายละเอียดใบแจ้งหนี้ @@ -1430,6 +1476,9 @@ Item-wise Purchase History,ประวัติการซื้อสิน Item-wise Purchase Register,สมัครสมาชิกสั่งซื้อสินค้าที่ชาญฉลาด Item-wise Sales History,รายการที่ชาญฉลาดขายประวัติการ Item-wise Sales Register,การขายสินค้าที่ชาญฉลาดสมัครสมาชิก +"Item: {0} managed batch-wise, can not be reconciled using \ + Stock Reconciliation, instead use Stock Entry",รายการ: {0} การจัดการ ชุด ฉลาด ไม่สามารถคืนดี ใช้ \ \ n หุ้น สมานฉันท์ แทนที่จะ ใช้ สต็อก รายการ +Item: {0} not found in the system,รายการ: {0} ไม่พบใน ระบบ Items,รายการ Items To Be Requested,รายการที่จะ ได้รับการร้องขอ Items required,รายการที่ต้องการ @@ -1448,9 +1497,10 @@ Journal Entry,รายการวารสาร Journal Voucher,บัตรกำนัลวารสาร Journal Voucher Detail,รายละเอียดบัตรกำนัลวารสาร Journal Voucher Detail No,รายละเอียดบัตรกำนัลวารสารไม่มี -Journal Voucher {0} does not have account {1}.,วารสาร คูปอง {0} ไม่ได้มี บัญชี {1} +Journal Voucher {0} does not have account {1} or already matched,วารสาร คูปอง {0} ไม่ได้มี บัญชี {1} หรือ การจับคู่ แล้ว Journal Vouchers {0} are un-linked,วารสาร บัตรกำนัล {0} จะ ยกเลิกการ เชื่อมโยง Keep a track of communication related to this enquiry which will help for future reference.,ติดตามของการสื่อสารที่เกี่ยวข้องกับการสืบสวนเรื่องนี้ซึ่งจะช่วยให้สำหรับการอ้างอิงในอนาคต +Keep it web friendly 900px (w) by 100px (h),ให้มัน เว็บ 900px มิตร (กว้าง ) โดย 100px (ซ) Key Performance Area,พื้นที่การดำเนินงานหลัก Key Responsibility Area,พื้นที่ความรับผิดชอบหลัก Kg,กิโลกรัม @@ -1506,7 +1556,6 @@ Leave blank if considered for all branches,เว้นไว้หากพิ Leave blank if considered for all departments,เว้นไว้หากพิจารณาให้หน่วยงานทั้งหมด Leave blank if considered for all designations,เว้นไว้หากพิจารณากำหนดทั้งหมด Leave blank if considered for all employee types,เว้นไว้หากพิจารณาให้พนักงานทุกประเภท -Leave blank if considered for all grades,เว้นไว้หากพิจารณาให้เกรดทั้งหมด "Leave can be approved by users with Role, ""Leave Approver""",ฝากสามารถได้รับการอนุมัติโดยผู้ใช้ที่มีบทบาท "ฝากอนุมัติ" Leave of type {0} cannot be longer than {1},การลา ประเภท {0} ไม่สามารถ จะยาวกว่า {1} Leaves Allocated Successfully for {0},ใบ จัดสรร ประสบความสำเร็จ ในการ {0} @@ -1515,6 +1564,7 @@ Leaves must be allocated in multiples of 0.5,ใบ จะต้องมีก Ledger,บัญชีแยกประเภท Ledgers,บัญชีแยกประเภท Left,ซ้าย +Legal,ถูกกฎหมาย Legal Expenses,ค่าใช้จ่าย ทางกฎหมาย Less or equals,น้อยกว่าหรือ เท่ากับ Less than,น้อยกว่า @@ -1522,16 +1572,16 @@ Letter Head,หัวจดหมาย Letter Heads for print templates.,หัว จดหมาย สำหรับการพิมพ์ แม่แบบ Level,ชั้น Lft,lft +Liability,ความรับผิดชอบ Like,เช่น Linked With,เชื่อมโยงกับ List,รายการ List a few of your customers. They could be organizations or individuals.,รายการ บางส่วนของ ลูกค้าของคุณ พวกเขาจะเป็น องค์กร หรือบุคคล List a few of your suppliers. They could be organizations or individuals.,รายการ บางส่วนของ ซัพพลายเออร์ ของคุณ พวกเขาจะเป็น องค์กร หรือบุคคล -"List a few products or services you buy from your suppliers or vendors. If these are same as your products, then do not add them.",รายการ ไม่กี่ผลิตภัณฑ์หรือบริการที่คุณ ซื้อ จากซัพพลายเออร์ หรือ ผู้ขาย ของคุณ ถ้าสิ่งเหล่านี้ เช่นเดียวกับ ผลิตภัณฑ์ของคุณ แล้วไม่ได้ เพิ่มพวกเขา List items that form the package.,รายการที่สร้างแพคเกจ List this Item in multiple groups on the website.,รายการนี​​้ในหลายกลุ่มในเว็บไซต์ -"List your products or services that you sell to your customers. Make sure to check the Item Group, Unit of Measure and other properties when you start.",รายการ สินค้าหรือบริการ ของคุณที่คุณ ขายให้กับลูกค้า ของคุณ ตรวจสอบให้แน่ใจ ในการตรวจสอบกลุ่มสินค้า หน่วย ของการวัด และคุณสมบัติอื่น ๆ เมื่อคุณเริ่มต้น -"List your tax heads (e.g. VAT, Excise) (upto 3) and their standard rates. This will create a standard template, you can edit and add more later.",หัว รายการ ภาษีของคุณ (เช่น ภาษีมูลค่าเพิ่ม สรรพสามิต ) ( ไม่เกิน 3 ) และอัตรา มาตรฐาน ของพวกเขา นี้จะสร้างมาตรฐานแม่แบบ คุณสามารถแก้ไข และเพิ่ม มากขึ้นในภายหลัง +"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 your tax heads (e.g. VAT, Excise; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.",หัว รายการ ภาษีของคุณ (เช่น ภาษีมูลค่าเพิ่ม สรรพสามิต ; พวกเขาควรจะ มีชื่อ ไม่ซ้ำกัน ) และอัตรา มาตรฐาน ของพวกเขา Loading,โหลด Loading Report,โหลดรายงาน Loading...,กำลังโหลด ... @@ -1598,6 +1648,8 @@ Manage Customer Group Tree.,จัดการ กลุ่ม ลูกค้ Manage Sales Person Tree.,จัดการ คนขาย ต้นไม้ Manage Territory Tree.,จัดการ ต้นไม้ มณฑล Manage cost of operations,จัดการค่าใช้จ่ายในการดำเนินงาน +Management,การจัดการ +Manager,ผู้จัดการ Mandatory fields required in {0},เขตข้อมูล ที่จำเป็นในการ บังคับ {0} Mandatory filters required:\n,กรอง ต้อง บังคับ : \ n "Mandatory if Stock Item is ""Yes"". Also the default warehouse where reserved quantity is set from Sales Order.",บังคับรายการสินค้าหากคือ "ใช่" ยังคลังสินค้าเริ่มต้นที่ปริมาณสำรองจะถูกตั้งค่าจากการสั่งซื้อการขาย @@ -1614,6 +1666,7 @@ Manufacturing Quantity is mandatory,จำนวน การผลิต มี Margin,ขอบ Marital Status,สถานภาพการสมรส Market Segment,ส่วนตลาด +Marketing,การตลาด Marketing Expenses,ค่าใช้จ่ายใน การตลาด Married,แต่งงาน Mass Mailing,จดหมายมวล @@ -1640,6 +1693,7 @@ Material Requirement,ความต้องการวัสดุ Material Transfer,โอนวัสดุ Materials,วัสดุ Materials Required (Exploded),วัสดุบังคับ (ระเบิด) +Max 5 characters,สูงสุด 5 ตัวอักษร Max Days Leave Allowed,วันแม็กซ์ฝากอนุญาตให้นำ Max Discount (%),ส่วนลดสูงสุด (%) Max Qty,แม็กซ์ จำนวน @@ -1648,7 +1702,7 @@ Maximum {0} rows allowed,สูงสุด {0} แถว รับอนุญ Maxiumm discount for Item {0} is {1}%,ส่วนลด Maxiumm กับ รายการ {0} เป็น {1} % Medical,ทางการแพทย์ Medium,กลาง -"Merging is only possible if following properties are same in both records. Group or Ledger, Report Type, Company",การรวม เป็นไปได้ เฉพาะในกรณีที่ คุณสมบัติต่อไปนี้ จะเหมือนกัน ในบันทึก ทั้ง กลุ่มหรือ บัญชีแยกประเภท ประเภทรายงาน บริษัท +"Merging is only possible if following properties are same in both records. Group or Ledger, Root Type, Company",การรวม เป็นไปได้ เฉพาะในกรณีที่ คุณสมบัติต่อไปนี้ จะเหมือนกัน ในบันทึก ทั้ง Message,ข่าวสาร Message Parameter,พารามิเตอร์ข้อความ Message Sent,ข้อความ ที่ส่ง @@ -1662,6 +1716,7 @@ Milestones,ความคืบหน้า Milestones will be added as Events in the Calendar,ความคืบหน้าจะเพิ่มเป็นเหตุการณ์ในปฏิทิน Min Order Qty,จำนวนสั่งซื้อขั้นต่ำ Min Qty,นาที จำนวน +Min Qty can not be greater than Max Qty,นาที จำนวน ไม่สามารถ จะมากกว่า จำนวน สูงสุด Minimum Order Qty,จำนวนสั่งซื้อขั้นต่ำ Minute,นาที Misc Details,รายละเอียดอื่น ๆ @@ -1684,6 +1739,7 @@ Monthly salary statement.,งบเงินเดือน More,ขึ้น More Details,รายละเอียดเพิ่มเติม More Info,ข้อมูลเพิ่มเติม +Motion Picture & Video,ภาพยนตร์ และวิดีโอ Move Down: {0},ย้ายลง : {0} Move Up: {0},Move Up : {0} Moving Average,ค่าเฉลี่ยเคลื่อนที่ @@ -1691,6 +1747,9 @@ Moving Average Rate,ย้ายอัตราเฉลี่ย Mr,นาย Ms,ms Multiple Item prices.,ราคา หลายรายการ +"Multiple Price Rule exists with same criteria, please resolve \ + conflict by assigning priority. Price Rules: {0}",ราคา หลาย กฎ ที่มีอยู่ ด้วย เกณฑ์ เดียวกัน กรุณา แก้ไข \ \ n ความขัดแย้ง โดยการกำหนด ลำดับความสำคัญ +Music,เพลง Must be Whole Number,ต้องเป็นจำนวนเต็ม My Settings,การตั้งค่าของฉัน Name,ชื่อ @@ -1702,7 +1761,9 @@ Name not permitted,ชื่อ ไม่ได้รับอนุญาต Name of person or organization that this address belongs to.,ชื่อบุคคลหรือองค์กรที่อยู่นี้เป็นของ Name of the Budget Distribution,ชื่อของการกระจายงบประมาณ Naming Series,การตั้งชื่อซีรีส์ +Negative Quantity is not allowed,จำนวน เชิงลบ ไม่ได้รับอนุญาต Negative Stock Error ({6}) for Item {0} in Warehouse {1} on {2} {3} in {4} {5},ข้อผิดพลาด หุ้น ลบ ( {6}) กับ รายการ {0} ใน คลังสินค้า {1} ใน {2} {3} ใน {4} {5} +Negative Valuation Rate is not allowed,อัตรา การประเมิน เชิงลบ ไม่ได้รับอนุญาต Negative balance in Batch {0} for Item {1} at Warehouse {2} on {3} {4},สมดุลเชิงลบ ใน ชุด {0} กับ รายการ {1} ที่โกดัง {2} ใน {3} {4} Net Pay,จ่ายสุทธิ Net Pay (in words) will be visible once you save the Salary Slip.,จ่ายสุทธิ (คำ) จะสามารถมองเห็นได้เมื่อคุณบันทึกสลิปเงินเดือน @@ -1750,6 +1811,7 @@ Newsletter Status,สถานะจดหมาย Newsletter has already been sent,จดหมายข่าว ได้ถูกส่งไป แล้ว Newsletters is not allowed for Trial users,จดหมายข่าว ไม่ได้รับอนุญาต สำหรับผู้ใช้ ทดลอง "Newsletters to contacts, leads.",จดหมายข่าวไปยังรายชื่อนำไปสู่ +Newspaper Publishers,หนังสือพิมพ์ สำนักพิมพ์ Next,ต่อไป Next Contact By,ติดต่อถัดไป Next Contact Date,วันที่ถัดไปติดต่อ @@ -1773,17 +1835,18 @@ No Results,ไม่มี ผล No Supplier Accounts found. Supplier Accounts are identified based on 'Master Type' value in account record.,ไม่มี บัญชี ผู้ผลิต พบว่า บัญชี ผู้จัดจำหน่าย จะมีการระบุ ขึ้นอยู่กับ 'ประเภท โท ค่าใน การบันทึก บัญชี No accounting entries for the following warehouses,ไม่มี รายการบัญชี สำหรับคลังสินค้า ดังต่อไปนี้ No addresses created,ไม่มี ที่อยู่ ที่สร้างขึ้น -No amount allocated,จำนวนเงินที่จัดสรร ไม่ No contacts created,ไม่มี รายชื่อ ที่สร้างขึ้น No default BOM exists for Item {0},ไม่มี BOM เริ่มต้น แล้วสำหรับ รายการ {0} No description given,ให้ คำอธิบาย No document selected,เอกสาร ที่เลือก ไม่มี No employee found,พบว่า พนักงานที่ ไม่มี +No employee found!,พนักงาน ไม่พบ ! No of Requested SMS,ไม่มีของ SMS ขอ No of Sent SMS,ไม่มี SMS ที่ส่ง No of Visits,ไม่มีการเข้าชม No one,ไม่มีใคร No permission,ไม่อนุญาต +No permission to '{0}' {1},ไม่ อนุญาตให้ ' {0} ' {1} No permission to edit,ได้รับอนุญาตให้ แก้ไข ไม่ No record found,บันทึกไม่พบ No records tagged.,ระเบียนที่ไม่มีการติดแท็ก @@ -1843,6 +1906,7 @@ Old Parent,ผู้ปกครองเก่า On Net Total,เมื่อรวมสุทธิ On Previous Row Amount,เกี่ยวกับจำนวนเงินแถวก่อนหน้า On Previous Row Total,เมื่อรวมแถวก่อนหน้า +Online Auctions,การประมูล ออนไลน์ Only Leave Applications with status 'Approved' can be submitted,เพียง ปล่อยให้ การใช้งาน ที่มีสถานะ 'อนุมัติ ' สามารถ ส่ง "Only Serial Nos with status ""Available"" can be delivered.","เพียง อนุกรม Nos ที่มีสถานะ "" มี "" สามารถส่ง" Only leaf nodes are allowed in transaction,โหนดใบเท่านั้นที่จะเข้าในการทำธุรกรรม @@ -1888,6 +1952,7 @@ Organization Name,ชื่อองค์กร Organization Profile,องค์กร รายละเอียด Organization branch master.,ปริญญาโท สาขา องค์กร Organization unit (department) master.,หน่วย องค์กร (เขตปกครอง) ต้นแบบ +Original Amount,จำนวนเงินที่ เดิม Original Message,ข้อความเดิม Other,อื่น ๆ Other Details,รายละเอียดอื่น ๆ @@ -1905,9 +1970,6 @@ Overlapping conditions found between:,เงื่อนไข ที่ทั Overview,ภาพรวม Owned,เจ้าของ Owner,เจ้าของ -PAN Number,จำนวน PAN -PF No.,หมายเลข PF -PF Number,จำนวน PF PL or BS,PL หรือ BS PO Date,PO วันที่ PO No,PO ไม่มี @@ -1919,7 +1981,6 @@ POS Setting,การตั้งค่า POS POS Setting required to make POS Entry,การตั้งค่า POS ต้องทำให้ POS รายการ POS Setting {0} already created for user: {1} and company {2},การตั้งค่า POS {0} สร้างไว้แล้ว สำหรับผู้ใช้ : {1} และ บริษัท {2} POS View,ดู POS -POS-Setting-.#,POS - Setting- . # PR Detail,รายละเอียดประชาสัมพันธ์ PR Posting Date,พีอาร์ โพสต์ วันที่ Package Item Details,รายละเอียดแพคเกจสินค้า @@ -1955,6 +2016,7 @@ Parent Website Route,ผู้ปกครอง เว็บไซต์ เส Parent account can not be a ledger,บัญชี ผู้ปกครอง ไม่สามารถที่จะ แยกประเภท Parent account does not exist,บัญชี ผู้ปกครอง ไม่อยู่ Parenttype,Parenttype +Part-time,Part-time Partially Completed,เสร็จบางส่วน Partly Billed,จำนวนมากที่สุดเป็นส่วนใหญ่ Partly Delivered,ส่งบางส่วน @@ -1972,7 +2034,6 @@ Payables,เจ้าหนี้ Payables Group,กลุ่มเจ้าหนี้ Payment Days,วันชำระเงิน Payment Due Date,วันที่ครบกำหนด ชำระเงิน -Payment Entries,คอมเมนต์การชำระเงิน Payment Period Based On Invoice Date,ระยะเวลา ในการชำระเงิน ตาม ใบแจ้งหนี้ ใน วันที่ Payment Type,ประเภท การชำระเงิน Payment of salary for the month {0} and year {1},การชำระเงิน ของเงินเดือน สำหรับเดือน{0} และปี {1} @@ -1989,6 +2050,7 @@ Pending Amount,จำนวนเงินที่ รอดำเนินก Pending Items {0} updated,รายการที่รออนุมัติ {0} การปรับปรุง Pending Review,รอตรวจทาน Pending SO Items For Purchase Request,รายการที่รอดำเนินการเพื่อให้ใบขอซื้อ +Pension Funds,กองทุน บำเหน็จบำนาญ Percent Complete,ร้อยละสมบูรณ์ Percentage Allocation,การจัดสรรร้อยละ Percentage Allocation should be equal to 100%,ร้อยละ จัดสรร ควรจะเท่ากับ 100% @@ -1997,7 +2059,6 @@ Percentage you are allowed to receive or deliver more against the quantity order Performance appraisal.,ประเมินผลการปฏิบัติ Period,ระยะเวลา Period Closing Voucher,บัตรกำนัลปิดงวด -Period is too short,ระยะเวลาที่ สั้นเกินไป Periodicity,การเป็นช่วง ๆ Permanent Address,ที่อยู่ถาวร Permanent Address Is,ที่อยู่ ถาวร เป็น @@ -2009,15 +2070,18 @@ Personal,ส่วนตัว Personal Details,รายละเอียดส่วนบุคคล Personal Email,อีเมลส่วนตัว Pharmaceutical,เภสัชกรรม +Pharmaceuticals,ยา Phone,โทรศัพท์ Phone No,โทรศัพท์ไม่มี Pick Columns,เลือกคอลัมน์ +Piecework,งานเหมา Pincode,Pincode Place of Issue,สถานที่ได้รับการรับรอง Plan for maintenance visits.,แผนสำหรับการเข้าชมการบำรุงรักษา Planned Qty,จำนวนวางแผน "Planned Qty: Quantity, for which, Production Order has been raised, but is pending to be manufactured.",วางแผน จำนวน: ปริมาณ ที่ ผลิต ได้รับการ สั่งซื้อสินค้าที่ เพิ่มขึ้น แต่ อยู่ระหว่างดำเนินการ ที่จะผลิต Planned Quantity,จำนวนวางแผน +Planning,การวางแผน Plant,พืช Plant and Machinery,อาคารและ เครื่องจักร Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,กรุณาใส่ชื่อย่อหรือชื่อสั้นอย่างถูกต้องตามก็จะถูกเพิ่มเป็นคำต่อท้ายทุกหัวบัญชี @@ -2054,7 +2118,6 @@ Please enter Planned Qty for Item {0} at row {1},กรุณากรอก จ Please enter Production Item first,กรุณากรอก ผลิต รายการ แรก Please enter Purchase Receipt No to proceed,กรุณากรอกใบเสร็จรับเงินยังไม่ได้ดำเนินการต่อไป Please enter Reference date,กรุณากรอก วันที่ อ้างอิง -Please enter Start Date and End Date,กรุณากรอก วันที่ เริ่มต้นและสิ้นสุด วันที่ Please enter Warehouse for which Material Request will be raised,กรุณากรอก คลังสินค้า ที่ ขอ วัสดุ จะ ได้รับการเลี้ยงดู Please enter Write Off Account,กรุณากรอกตัวอักษร เขียน ปิด บัญชี Please enter atleast 1 invoice in the table,กรุณากรอก atleast 1 ใบแจ้งหนี้ ในตาราง @@ -2103,9 +2166,9 @@ Please select item code,กรุณา เลือกรหัส สินค Please select month and year,กรุณาเลือกเดือนและปี Please select prefix first,กรุณาเลือก คำนำหน้า เป็นครั้งแรก Please select the document type first,เลือกประเภทของเอกสารที่แรก -Please select valid Voucher No to proceed,กรุณาเลือก คูปอง ไม่ ถูกต้องในการ ดำเนินการต่อไป Please select weekly off day,กรุณาเลือก วันหยุด ประจำสัปดาห์ Please select {0},กรุณาเลือก {0} +Please select {0} first,กรุณาเลือก {0} ครั้งแรก Please set Dropbox access keys in your site config,โปรดตั้งค่า คีย์ การเข้าถึง Dropbox ใน การตั้งค่า เว็บไซต์ของคุณ Please set Google Drive access keys in {0},โปรดตั้งค่า คีย์ การเข้าถึง ไดรฟ์ ของ Google ใน {0} Please set default Cash or Bank account in Mode of Payment {0},กรุณาตั้ง ค่าเริ่มต้น เงินสด หรือ บัญชีเงินฝากธนาคาร ใน โหมด ของ การชำระเงิน {0} @@ -2121,6 +2184,7 @@ Please specify Default Currency in Company Master and Global Defaults,โปร Please specify a,โปรดระบุ Please specify a valid 'From Case No.',โปรดระบุที่ถูกต้อง 'จากคดีหมายเลข' Please specify a valid Row ID for {0} in row {1},โปรดระบุ ID แถวที่ถูกต้องสำหรับ {0} ในแถว {1} +Please specify either Quantity or Valuation Rate or both,โปรดระบุ ทั้ง จำนวน หรือ อัตรา การประเมิน หรือทั้งสองอย่าง Please submit to update Leave Balance.,โปรดส่ง ออก ในการปรับปรุง ยอดคงเหลือ Plot,พล็อต Plot By,พล็อต จาก @@ -2170,11 +2234,14 @@ Print and Stationary,การพิมพ์และ เครื่องเ Print...,พิมพ์ ... Printing and Branding,การพิมพ์และ การสร้างแบรนด์ Priority,บุริมสิทธิ์ +Private Equity,ส่วนของภาคเอกชน Privilege Leave,สิทธิ ออก +Probation,การทดลอง Process Payroll,เงินเดือนกระบวนการ Produced,ผลิต Produced Quantity,จำนวนที่ผลิต Product Enquiry,สอบถามสินค้า +Production,การผลิต Production Order,สั่งซื้อการผลิต Production Order status is {0},สถานะการผลิต การสั่งซื้อ เป็น {0} Production Order {0} must be cancelled before cancelling this Sales Order,สั่งผลิต {0} ต้อง ถูกยกเลิก ก่อนที่จะ ยกเลิกการ สั่งซื้อการขาย นี้ @@ -2187,12 +2254,12 @@ Production Plan Sales Order,แผนสั่งซื้อขาย Production Plan Sales Orders,ผลิตคำสั่งขายแผน Production Planning Tool,เครื่องมือการวางแผนการผลิต Products,ผลิตภัณฑ์ -Products or Services You Buy,ผลิตภัณฑ์หรือ บริการ ที่คุณจะซื้อ "Products will be sorted by weight-age in default searches. More the weight-age, higher the product will appear in the list.",สินค้าจะถูกจัดเรียงโดยน้ำหนักอายุเริ่มต้นในการค้นหา เพิ่มเติมน้ำหนักอายุผลิตภัณฑ์ที่สูงขึ้นจะปรากฏในรายการ Profit and Loss,กำไรและ ขาดทุน Project,โครงการ Project Costing,โครงการต้นทุน Project Details,รายละเอียดของโครงการ +Project Manager,ผู้จัดการโครงการ Project Milestone,Milestone โครงการ Project Milestones,ความคืบหน้าโครงการ Project Name,ชื่อโครงการ @@ -2209,9 +2276,10 @@ Projected Qty,จำนวนที่คาดการณ์ไว้ Projects,โครงการ Projects & System,โครงการ ระบบ Prompt for Email on Submission of,แจ้งอีเมลในการยื่น +Proposal Writing,การเขียน ข้อเสนอ Provide email id registered in company,ให้ ID อีเมลที่ลงทะเบียนใน บริษัท Public,สาธารณะ -Pull Payment Entries,ดึงคอมเมนต์การชำระเงิน +Publishing,การประกาศ Pull sales orders (pending to deliver) based on the above criteria,ดึงยอดขาย (รอการส่งมอบ) คำสั่งตามเกณฑ์ดังกล่าวข้างต้น Purchase,ซื้อ Purchase / Manufacture Details,รายละเอียด การซื้อ / การผลิต @@ -2277,6 +2345,7 @@ Quality Inspection Parameters,พารามิเตอร์ตรวจส Quality Inspection Reading,การตรวจสอบคุณภาพการอ่าน Quality Inspection Readings,การตรวจสอบคุณภาพการอ่าน Quality Inspection required for Item {0},การตรวจสอบคุณภาพ ที่จำเป็นสำหรับ รายการ {0} +Quality Management,การบริหารจัดการ ที่มีคุณภาพ Quantity,ปริมาณ Quantity Requested for Purchase,ปริมาณที่ขอซื้อ Quantity and Rate,จำนวนและอัตรา @@ -2340,6 +2409,7 @@ Reading 6,Reading 6 Reading 7,อ่าน 7 Reading 8,อ่าน 8 Reading 9,อ่าน 9 +Real Estate,อสังหาริมทรัพย์ Reason,เหตุผล Reason for Leaving,เหตุผลที่ลาออก Reason for Resignation,เหตุผลในการลาออก @@ -2358,6 +2428,7 @@ Receiver List,รายชื่อผู้รับ Receiver List is empty. Please create Receiver List,รายชื่อ ผู้รับ ว่างเปล่า กรุณาสร้าง รายชื่อ รับ Receiver Parameter,พารามิเตอร์รับ Recipients,ผู้รับ +Reconcile,คืนดี Reconciliation Data,ข้อมูลการตรวจสอบ Reconciliation HTML,HTML สมานฉันท์ Reconciliation JSON,JSON สมานฉันท์ @@ -2407,6 +2478,7 @@ Report,รายงาน Report Date,รายงานวันที่ Report Type,ประเภทรายงาน Report Type is mandatory,ประเภทรายงาน มีผลบังคับใช้ +Report an Issue,รายงาน ฉบับ Report was not saved (there were errors),รายงานไม่ถูกบันทึกไว้ (มีข้อผิดพลาด) Reports to,รายงานไปยัง Reqd By Date,reqd โดยวันที่ @@ -2425,6 +2497,9 @@ Required Date,วันที่ที่ต้องการ Required Qty,จำนวนที่ต้องการ Required only for sample item.,ที่จำเป็นสำหรับรายการตัวอย่าง Required raw materials issued to the supplier for producing a sub - contracted item.,ต้องออกวัตถ​​ุดิบเพื่อจำหน่ายสำหรับการผลิตย่อย - รายการสัญญา +Research,การวิจัย +Research & Development,การวิจัยและพัฒนา +Researcher,นักวิจัย Reseller,ผู้ค้าปลีก Reserved,ที่สงวนไว้ Reserved Qty,สงวนไว้ จำนวน @@ -2444,11 +2519,14 @@ Resolution Details,รายละเอียดความละเอีย Resolved By,แก้ไขได้โดยการ Rest Of The World,ส่วนที่เหลือ ของโลก Retail,ค้าปลีก +Retail & Wholesale,ค้าปลีกและ ขายส่ง Retailer,พ่อค้าปลีก Review Date,ทบทวนวันที่ Rgt,RGT Role Allowed to edit frozen stock,บทบาทอนุญาตให้แก้ไขหุ้นแช่แข็ง Role that is allowed to submit transactions that exceed credit limits set.,บทบาทที่ได้รับอนุญาตให้ส่งการทำธุรกรรมที่เกินวงเงินที่กำหนด +Root Type,ประเภท ราก +Root Type is mandatory,ประเภท ราก มีผลบังคับใช้ Root account can not be deleted,บัญชี ราก ไม่สามารถลบได้ Root cannot be edited.,ราก ไม่สามารถแก้ไขได้ Root cannot have a parent cost center,รากไม่สามารถมีศูนย์ต้นทุนผู้ปกครอง @@ -2456,6 +2534,16 @@ Rounded Off,โค้ง ปิด Rounded Total,รวมกลม Rounded Total (Company Currency),รวมกลม (สกุลเงิน บริษัท ) Row # ,แถว # +Row # {0}: , +"Row {0}: Account does not match with \ + Purchase Invoice Credit To account",แถว {0}: บัญชี ไม่ตรงกับ ที่มีการ \ \ n ซื้อ ใบแจ้งหนี้ บัตรเครดิต เพื่อ บัญชี +"Row {0}: Account does not match with \ + Sales Invoice Debit To account",แถว {0}: บัญชี ไม่ตรงกับ ที่มีการ \ \ n ขายใบแจ้งหนี้ บัตรเดบิต ในการ บัญชี +Row {0}: Credit entry can not be linked with a Purchase Invoice,แถว {0}: รายการ เครดิต ไม่สามารถ เชื่อมโยงกับใบแจ้งหนี้ ซื้อ +Row {0}: Debit entry can not be linked with a Sales Invoice,แถว {0}: รายการ เดบิต ไม่สามารถ เชื่อมโยงกับใบแจ้งหนี้ การขาย +"Row {0}: To set {1} periodicity, difference between from and to date \ + must be greater than or equal to {2}",แถว {0}: การตั้งค่า {1} ระยะเวลา แตกต่างระหว่าง จากและไปยัง วันที่ \ \ n ต้องมากกว่า หรือเท่ากับ {2} +Row {0}:Start Date must be before End Date,แถว {0}: วันที่ เริ่มต้น ต้องอยู่ก่อน วันที่สิ้นสุด Rules for adding shipping costs.,กฎระเบียบ สำหรับการเพิ่ม ค่าใช้จ่ายใน การจัดส่งสินค้า Rules for applying pricing and discount.,กฎระเบียบ สำหรับการใช้ การกำหนดราคาและ ส่วนลด Rules to calculate shipping amount for a sale,กฎระเบียบในการคำนวณปริมาณการขนส่งสินค้าสำหรับการขาย @@ -2547,7 +2635,6 @@ Schedule,กำหนด Schedule Date,กำหนดการ วันที่ Schedule Details,รายละเอียดตาราง Scheduled,กำหนด -Scheduled Confirmation Date must be greater than Date of Joining,วัน ยืนยัน กำหนดเวลา จะต้องมากกว่า วันที่ เข้าร่วม Scheduled Date,วันที่กำหนด Scheduled to send to {0},กำหนดให้ ส่งไปที่ {0} Scheduled to send to {0} recipients,กำหนดให้ ส่งไปที่ {0} ผู้รับ @@ -2559,7 +2646,9 @@ Score must be less than or equal to 5,คะแนน ต้องน้อย Scrap %,เศษ% Search,ค้นหา Seasonality for setting budgets.,ฤดูกาลสำหรับงบประมาณการตั้งค่า +Secretary,เลขานุการ Secured Loans,เงินให้กู้ยืม ที่มีหลักประกัน +Securities & Commodity Exchanges,หลักทรัพย์และ การแลกเปลี่ยน สินค้าโภคภัณฑ์ Securities and Deposits,หลักทรัพย์และ เงินฝาก "See ""Rate Of Materials Based On"" in Costing Section",โปรดดูที่ "ค่าของวัสดุบนพื้นฐานของ" ต้นทุนในมาตรา "Select ""Yes"" for sub - contracting items",เลือก "Yes" สำหรับ sub - รายการที่ทำสัญญา @@ -2589,7 +2678,6 @@ Select dates to create a new ,เลือกวันที่จะสร้ Select or drag across time slots to create a new event.,เลือกหรือลากผ่านช่วงเวลาที่จะสร้างเหตุการณ์ใหม่ Select template from which you want to get the Goals,เลือกแม่แบบที่คุณต้องการที่จะได้รับเป้าหมาย Select the Employee for whom you are creating the Appraisal.,เลือกพนักงานสำหรับคนที่คุณกำลังสร้างการประเมิน -Select the Invoice against which you want to allocate payments.,เลือก ใบแจ้งหนี้กับ ที่คุณต้องการ ในการจัดสรร การชำระเงิน Select the period when the invoice will be generated automatically,เลือกระยะเวลาเมื่อใบแจ้งหนี้จะถูกสร้างขึ้นโดยอัตโนมัติ Select the relevant company name if you have multiple companies,เลือกชื่อ บริษัท ที่เกี่ยวข้องถ้าคุณมีหลาย บริษัท Select the relevant company name if you have multiple companies.,เลือกชื่อ บริษัท ที่เกี่ยวข้องถ้าคุณมีหลาย บริษัท @@ -2640,7 +2728,8 @@ Serial No {0} status must be 'Available' to Deliver,อนุกรม ไม่ Serial Nos Required for Serialized Item {0},อนุกรม Nos จำเป็นสำหรับ รายการ เนื่อง {0} Serial Number Series,ชุด หมายเลข Serial number {0} entered more than once,หมายเลข {0} เข้ามา มากกว่าหนึ่งครั้ง -Serialized Item {0} cannot be updated using Stock Reconciliation,รายการ ต่อเนื่อง {0} ไม่สามารถปรับปรุง การใช้ สต็อก สมานฉันท์ +"Serialized Item {0} cannot be updated \ + using Stock Reconciliation",รายการ ต่อเนื่อง {0} ไม่สามารถปรับปรุง \ \ n การใช้ สต็อก สมานฉันท์ Series,ชุด Series List for this Transaction,รายชื่อชุดสำหรับการทำธุรกรรมนี้ Series Updated,ชุด ล่าสุด @@ -2655,7 +2744,6 @@ Set,ชุด "Set Default Values like Company, Currency, Current Fiscal Year, etc.",การตั้ง ค่าเริ่มต้น เช่น บริษัท สกุลเงิน ปัจจุบัน ปีงบประมาณ ฯลฯ Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,กำหนดงบประมาณกลุ่มฉลาดรายการในมณฑลนี้ คุณยังสามารถรวมฤดูกาลโดยการตั้งค่าการกระจาย Set Link,ตั้งค่า การเชื่อมโยง -Set allocated amount against each Payment Entry and click 'Allocate'.,ชุด การจัดสรร เงิน กับแต่ละ รายการ ชำระเงิน และคลิก จัดสรร ' Set as Default,Set as Default Set as Lost,ตั้งเป็น ที่หายไป Set prefix for numbering series on your transactions,กำหนดคำนำหน้าสำหรับหมายเลขชุดทำธุรกรรมของคุณ @@ -2706,6 +2794,9 @@ Single,เดียว Single unit of an Item.,หน่วยเดียวของรายการ Sit tight while your system is being setup. This may take a few moments.,นั่งตึงตัว ในขณะที่ ระบบของคุณ จะถูก ติดตั้ง ซึ่งอาจใช้เวลา สักครู่ Slideshow,สไลด์โชว์ +Soap & Detergent,สบู่ และ ผงซักฟอก +Software,ซอฟต์แวร์ +Software Developer,นักพัฒนาซอฟต์แวร์ Sorry we were unable to find what you were looking for.,ขออภัยเราไม่สามารถที่จะหาสิ่งที่คุณกำลังมองหา Sorry you are not permitted to view this page.,ขออภัยคุณไม่ได้รับอนุญาตให้ดูหน้านี้ "Sorry, Serial Nos cannot be merged",ขออภัย อนุกรม Nos ไม่สามารถ รวม @@ -2719,8 +2810,6 @@ Source of Funds (Liabilities),แหล่งที่มาของ เงิ Source warehouse is mandatory for row {0},คลังสินค้า ที่มา มีผลบังคับใช้ แถว {0} Spartan,สปาร์ตัน "Special Characters except ""-"" and ""/"" not allowed in naming series","อักขระพิเศษ ยกเว้น ""-"" และ ""/"" ไม่ได้รับอนุญาต ในการตั้งชื่อ ชุด" -Special Characters not allowed in Abbreviation,อักขระพิเศษ ไม่ได้รับอนุญาต ใน ชื่อย่อ -Special Characters not allowed in Company Name,อักขระพิเศษ ไม่ได้รับอนุญาต ใน ชื่อ บริษัท Specification Details,รายละเอียดสเปค Specifications,ข้อมูลจำเพาะของ "Specify a list of Territories, for which, this Price List is valid",ระบุรายการของดินแดนซึ่งรายการนี​​้เป็นราคาที่ถูกต้อง @@ -2728,16 +2817,18 @@ Specifications,ข้อมูลจำเพาะของ "Specify a list of Territories, for which, this Taxes Master is valid",ระบุรายการของดินแดนซึ่งนี้โทภาษีถูกต้อง "Specify the operations, operating cost and give a unique Operation no to your operations.",ระบุการดำเนินการ ค่าใช้จ่าย ในการดำเนินงาน และให้การดำเนินการ ที่ไม่ซ้ำกัน ในการ ดำเนินงานของคุณ Split Delivery Note into packages.,แยกหมายเหตุจัดส่งสินค้าเข้าไปในแพคเกจ +Sports,กีฬา Standard,มาตรฐาน +Standard Buying,ซื้อ มาตรฐาน Standard Rate,อัตรามาตรฐาน Standard Reports,รายงาน มาตรฐาน +Standard Selling,ขาย มาตรฐาน Standard contract terms for Sales or Purchase.,ข้อสัญญา มาตรฐานสำหรับ การขายหรือการ ซื้อ Start,เริ่มต้น Start Date,วันที่เริ่มต้น Start Report For,เริ่มรายงานสำหรับ Start date of current invoice's period,วันที่เริ่มต้นของระยะเวลาการออกใบแจ้งหนี้ปัจจุบัน Start date should be less than end date for Item {0},วันที่เริ่มต้น ควรจะน้อยกว่า วันที่ สิ้นสุดสำหรับ รายการ {0} -Start date should be less than end date.,วันที่เริ่มต้น ควรจะน้อยกว่า วันที่สิ้นสุด State,รัฐ Static Parameters,พารามิเตอร์คง Status,สถานะ @@ -2820,15 +2911,12 @@ Supplier Part Number,หมายเลขชิ้นส่วนของผ Supplier Quotation,ใบเสนอราคาของผู้ผลิต Supplier Quotation Item,รายการใบเสนอราคาของผู้ผลิต Supplier Reference,อ้างอิงจำหน่าย -Supplier Shipment Date,วันที่จัดส่งสินค้า -Supplier Shipment No,การจัดส่งสินค้าไม่มี Supplier Type,ประเภทผู้ผลิต Supplier Type / Supplier,ประเภท ผู้ผลิต / ผู้จัดจำหน่าย Supplier Type master.,ประเภท ผู้ผลิต หลัก Supplier Warehouse,คลังสินค้าผู้จัดจำหน่าย Supplier Warehouse mandatory for sub-contracted Purchase Receipt,คลังสินค้า ผู้จัดจำหน่าย ผลบังคับใช้สำหรับ ย่อย ทำสัญญา รับซื้อ Supplier database.,ฐานข้อมูลผู้ผลิต -Supplier delivery number duplicate in {0},จำนวน การส่งมอบ ผู้ผลิต ซ้ำ ใน {0} Supplier master.,ผู้จัดจำหน่าย หลัก Supplier warehouse where you have issued raw materials for sub - contracting,คลังสินค้าผู้จัดจำหน่ายที่คุณได้ออกวัตถ​​ุดิบสำหรับ sub - สัญญา Supplier-Wise Sales Analytics,ผู้ผลิต ฉลาด Analytics ขาย @@ -2869,7 +2957,7 @@ Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are no Tax Rate,อัตราภาษี Tax and other salary deductions.,ภาษีและอื่น ๆ หักเงินเดือน "Tax detail table fetched from item master as a string and stored in this field. -Used for Taxes and Charges", +Used for Taxes and Charges",ตาราง รายละเอียด ภาษี มาจาก รายการ หลัก เป็นสตริง และเก็บไว้ใน เขตข้อมูลนี้ . \ n ใช้งาน กับ ภาษี และ ค่าใช้จ่าย Tax template for buying transactions.,แม่แบบ ภาษี สำหรับการซื้อ ในการทำธุรกรรม Tax template for selling transactions.,แม่แบบ ภาษี สำหรับการขาย ในการทำธุรกรรม Taxable,ต้องเสียภาษี @@ -2881,13 +2969,16 @@ Taxes and Charges Deducted,ภาษีและค่าบริการห Taxes and Charges Deducted (Company Currency),ภาษีและค่าใช้จ่ายหัก (สกุลเงิน บริษัท ) Taxes and Charges Total,ภาษีและค่าใช้จ่ายทั้งหมด Taxes and Charges Total (Company Currency),ภาษีและค่าใช้จ่ายรวม (สกุลเงิน บริษัท ) +Technology,เทคโนโลยี +Telecommunications,การสื่อสารโทรคมนาคม Telephone Expenses,ค่าใช้จ่าย โทรศัพท์ +Television,โทรทัศน์ Template for performance appraisals.,แม่แบบสำหรับ การประเมิน ผลการปฏิบัติงาน Template of terms or contract.,แม่ของข้อตกลงหรือสัญญา -Temporary Account (Assets),บัญชี ชั่วคราว ( สินทรัพย์ ) -Temporary Account (Liabilities),บัญชี ชั่วคราว ( หนี้สิน ) Temporary Accounts (Assets),บัญชี ชั่วคราว ( สินทรัพย์ ) Temporary Accounts (Liabilities),บัญชี ชั่วคราว ( หนี้สิน ) +Temporary Assets,สินทรัพย์ ชั่วคราว +Temporary Liabilities,หนี้สิน ชั่วคราว Term Details,รายละเอียดคำ Terms,ข้อตกลงและเงื่อนไข Terms and Conditions,ข้อตกลงและเงื่อนไข @@ -2912,7 +3003,7 @@ The First User: You,ผู้ใช้งาน ครั้งแรก: คุ The Organization,องค์การ "The account head under Liability, in which Profit/Loss will be booked",หัว บัญชีภายใต้ ความรับผิด ในการที่ กำไร / ขาดทุน จะได้รับการ จอง "The date on which next invoice will be generated. It is generated on submit. -", +",วันที่ ใบแจ้งหนี้ ต่อไป จะถูกสร้างขึ้น The date on which recurring invoice will be stop,วันที่ใบแจ้งหนี้ที่เกิดขึ้นจะถูกหยุด "The day of the month on which auto invoice will be generated e.g. 05, 28 etc ","วันของเดือนที่ใบแจ้งหนี้อัตโนมัติจะถูกสร้างขึ้นเช่น 05, 28 ฯลฯ" The day(s) on which you are applying for leave are holiday. You need not apply for leave.,วัน(s) ที่ คุณจะใช้สำหรับ การลา เป็น วันหยุด คุณไม่จำเป็นต้อง ใช้สำหรับการ ออก @@ -2997,6 +3088,8 @@ To track items using barcode. You will be able to enter items in Delivery Note a Tools,เครื่องมือ Total,ทั้งหมด Total Advance,ล่วงหน้ารวม +Total Allocated Amount,จำนวนเงินที่ จัดสรร รวม +Total Allocated Amount can not be greater than unmatched amount,รวม จำนวนเงินที่จัดสรร ไม่สามารถ จะสูง กว่าจำนวนเงินที่ ไม่มีที่เปรียบ Total Amount,รวมเป็นเงิน Total Amount To Pay,รวมเป็นเงินการชำระเงิน Total Amount in Words,จำนวนเงินทั้งหมดในคำ @@ -3006,6 +3099,7 @@ Total Commission,คณะกรรมการรวม Total Cost,ค่าใช้จ่ายรวม Total Credit,เครดิตรวม Total Debit,เดบิตรวม +Total Debit must be equal to Total Credit. The difference is {0},เดบิต รวม ต้องเท่ากับ เครดิต รวม Total Deduction,หักรวม Total Earning,กำไรรวม Total Experience,ประสบการณ์รวม @@ -3033,8 +3127,10 @@ Total in words,รวมอยู่ในคำพูด Total points for all goals should be 100. It is {0},จุด รวมของ เป้าหมายทั้งหมด ควรจะเป็น 100 . มันเป็น {0} Total weightage assigned should be 100%. It is {0},weightage รวม ที่ได้รับมอบหมาย ควรจะ 100% มันเป็น {0} Totals,ผลรวม +Track Leads by Industry Type.,ติดตาม นำ ตามประเภท อุตสาหกรรม Track this Delivery Note against any Project,ติดตามการจัดส่งสินค้าหมายเหตุนี้กับโครงการใด ๆ Track this Sales Order against any Project,ติดตามนี้สั่งซื้อขายกับโครงการใด ๆ +Trainee,ผู้ฝึกงาน Transaction,การซื้อขาย Transaction Date,วันที่ทำรายการ Transaction not allowed against stopped Production Order {0},การทำธุรกรรมที่ ไม่ได้รับอนุญาต กับ หยุด การผลิต สั่งซื้อ {0} @@ -3042,10 +3138,10 @@ Transfer,โอน Transfer Material,โอน วัสดุ Transfer Raw Materials,โอน วัตถุดิบ Transferred Qty,โอน จำนวน +Transportation,การขนส่ง Transporter Info,ข้อมูลการขนย้าย Transporter Name,ชื่อ Transporter Transporter lorry number,จำนวนรถบรรทุกขนย้าย -Trash Reason,เหตุผลถังขยะ Travel,การเดินทาง Travel Expenses,ค่าใช้จ่ายใน การเดินทาง Tree Type,ประเภท ต้นไม้ @@ -3149,6 +3245,7 @@ Value,มูลค่า Value or Qty,ค่าหรือ จำนวน Vehicle Dispatch Date,วันที่ส่งรถ Vehicle No,รถไม่มี +Venture Capital,บริษัท ร่วมทุน Verified By,ตรวจสอบโดย View Ledger,ดู บัญชีแยกประเภท View Now,ดู ตอนนี้ @@ -3157,6 +3254,7 @@ Voucher #,บัตรกำนัล # Voucher Detail No,รายละเอียดบัตรกำนัลไม่มี Voucher ID,ID บัตรกำนัล Voucher No,บัตรกำนัลไม่มี +Voucher No is not valid,ไม่มี คูปองนี้ ไม่ถูกต้อง Voucher Type,ประเภทบัตรกำนัล Voucher Type and Date,ประเภทคูปองและวันที่ Walk In,Walk In @@ -3171,6 +3269,7 @@ Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt Warehouse cannot be changed for Serial No.,คลังสินค้า ไม่สามารถ เปลี่ยนเป็น เลข อนุกรม Warehouse is mandatory for stock Item {0} in row {1},คลังสินค้า จำเป็นสำหรับ รายการ หุ้น {0} ในแถว {1} Warehouse is missing in Purchase Order,คลังสินค้า ขาดหายไปใน การสั่งซื้อ +Warehouse not found in the system,โกดัง ไม่พบใน ระบบ Warehouse required for stock Item {0},คลังสินค้า ที่จำเป็นสำหรับ รายการ หุ้น {0} Warehouse required in POS Setting,คลังสินค้า จำเป็นต้องใช้ใน การตั้งค่า POS Warehouse where you are maintaining stock of rejected items,คลังสินค้าที่คุณจะรักษาสต็อกของรายการปฏิเสธ @@ -3191,6 +3290,8 @@ Warranty / AMC Status,สถานะการรับประกัน / AMC Warranty Expiry Date,วันหมดอายุการรับประกัน Warranty Period (Days),ระยะเวลารับประกัน (วัน) Warranty Period (in days),ระยะเวลารับประกัน (วัน) +We buy this Item,เราซื้อ รายการ นี้ +We sell this Item,เราขาย สินค้า นี้ Website,เว็บไซต์ Website Description,คำอธิบายเว็บไซต์ Website Item Group,กลุ่มสินค้าเว็บไซต์ @@ -3217,6 +3318,7 @@ Will be calculated automatically when you enter the details,จะถูกค Will be updated after Sales Invoice is Submitted.,จะมีการปรับปรุงหลังจากที่ใบแจ้งหนี้การขายมีการส่ง Will be updated when batched.,จะมีการปรับปรุงเมื่อ batched Will be updated when billed.,จะมีการปรับปรุงเมื่อเรียกเก็บเงิน +Wire Transfer,โอนเงิน With Groups,ด้วย กลุ่ม With Ledgers,ด้วย Ledgers With Operations,กับการดำเนินงาน @@ -3251,7 +3353,6 @@ Yearly,ประจำปี Yes,ใช่ Yesterday,เมื่อวาน You are not allowed to create / edit reports,คุณยังไม่ได้ รับอนุญาตให้ สร้าง / แก้ไข รายงาน -You are not allowed to create {0},คุณยังไม่ได้ รับอนุญาตให้สร้าง {0} You are not allowed to export this report,คุณยังไม่ได้ รับอนุญาต ในการส่งออก รายงานฉบับนี้ You are not allowed to print this document,คุณยังไม่ได้ รับอนุญาตให้ พิมพ์เอกสาร นี้ You are not allowed to send emails related to this document,คุณยังไม่ได้ รับอนุญาตให้ส่ง อีเมล ที่เกี่ยวข้องกับ เอกสารฉบับนี้ @@ -3269,12 +3370,15 @@ You can set Default Bank Account in Company master,คุณสามารถ You can start by selecting backup frequency and granting access for sync,คุณสามารถเริ่มต้น ด้วยการเลือก ความถี่ สำรองข้อมูลและ การอนุญาต การเข้าถึงสำหรับ การซิงค์ You can submit this Stock Reconciliation.,คุณสามารถส่ง รูป นี้ สมานฉันท์ You can update either Quantity or Valuation Rate or both.,คุณสามารถปรับปรุง ทั้ง จำนวน หรือ อัตรา การประเมิน หรือทั้งสองอย่าง -You cannot credit and debit same account at the same time.,คุณไม่ สามารถเครดิต และ หักเงินจากบัญชี เดียวกันในเวลาเดียวกัน +You cannot credit and debit same account at the same time,คุณไม่ สามารถเครดิต และ หักเงินจากบัญชี เดียวกันในเวลาเดียวกัน You have entered duplicate items. Please rectify and try again.,คุณได้ป้อน รายการที่ซ้ำกัน กรุณา แก้ไข และลองอีกครั้ง +You have unsaved changes in this form. Please save before you continue.,คุณมีการเปลี่ยนแปลง ที่ไม่ได้บันทึก ในรูปแบบ นี้ You may need to update: {0},คุณ อาจจำเป็นต้องปรับปรุง : {0} You must Save the form before proceeding,คุณต้อง บันทึกแบบฟอร์ม ก่อนที่จะดำเนิน +You must allocate amount before reconcile,คุณต้อง จัดสรร จำนวน ก่อนที่จะ ตกลงกันได้ Your Customer's TAX registration numbers (if applicable) or any general information,ของลูกค้าของคุณหมายเลขทะเบียนภาษี (ถ้ามี) หรือข้อมูลทั่วไป Your Customers,ลูกค้าของคุณ +Your Login Id,รหัส เข้าสู่ระบบ Your Products or Services,สินค้า หรือ บริการของคุณ Your Suppliers,ซัพพลายเออร์ ของคุณ "Your download is being built, this may take a few moments...",การดาวน์โหลดของคุณจะถูกสร้างขึ้นนี้อาจใช้เวลาสักครู่ ... @@ -3285,6 +3389,7 @@ Your sales person who will contact the customer in future,คนขายขอ Your sales person will get a reminder on this date to contact the customer,คนขายของคุณจะรับการแจ้งเตือนในวันนี้ที่จะติดต่อลูกค้า Your setup is complete. Refreshing...,การตั้งค่า ของคุณเสร็จสมบูรณ์ สดชื่น ... Your support email id - must be a valid email - this is where your emails will come!,id อีเมลของคุณสนับสนุน - ต้องอีเมลที่ถูกต้อง - นี่คือที่อีเมลของคุณจะมา! +[Select],[เลือก ] `Freeze Stocks Older Than` should be smaller than %d days.,` ตรึง หุ้น เก่า กว่า ` ควรจะ มีขนาดเล็กกว่า % d วัน and,และ are not allowed.,ไม่ได้รับอนุญาต diff --git a/erpnext/translations/zh-cn.csv b/erpnext/translations/zh-cn.csv index 7bd36d692f..94e4aaa52b 100644 --- a/erpnext/translations/zh-cn.csv +++ b/erpnext/translations/zh-cn.csv @@ -26,14 +26,13 @@ 'From Date' must be after 'To Date',“起始日期”必须经过'终止日期' 'Has Serial No' can not be 'Yes' for non-stock item,'有序列号'不能为'是'非库存项目 'Notification Email Addresses' not specified for recurring invoice,经常性发票未指定“通知电子邮件地址” -'Profit and Loss' type Account {0} used be set for Opening Entry,{0}用'损益表'类型的账户,打开输入设置 'Profit and Loss' type account {0} not allowed in Opening Entry,“损益”账户类型{0}不开放允许入境 'To Case No.' cannot be less than 'From Case No.',“要案件编号”不能少于'从案号“ 'To Date' is required,“至今”是必需的 'Update Stock' for Sales Invoice {0} must be set,'更新库存“的销售发票{0}必须设置 * Will be calculated in the transaction.,*将被计算在该交易。 "1 Currency = [?] Fraction -For e.g. 1 USD = 100 Cent", +For e.g. 1 USD = 100 Cent",1货币= [?]分数\ n对于如 1. To maintain the customer wise item code and to make them searchable based on their code use this option,1。为了保持客户明智的项目代码,并使其搜索根据自己的代码中使用这个选项 2 days ago,3天前 "Add / Edit","添加/编辑" @@ -70,8 +69,6 @@ Account with child nodes cannot be converted to ledger,账户与子节点不能 Account with existing transaction can not be converted to group.,帐户与现有的事务不能被转换成团。 Account with existing transaction can not be deleted,帐户与现有的事务不能被删除 Account with existing transaction cannot be converted to ledger,帐户与现有的事务不能被转换为总账 -Account {0} already exists,帐户{0}已存在 -Account {0} can only be updated via Stock Transactions,帐户{0}只能通过股权交易进行更新 Account {0} cannot be a Group,帐户{0}不能为集团 Account {0} does not belong to Company {1},帐户{0}不属于公司{1} Account {0} does not exist,帐户{0}不存在 @@ -79,8 +76,9 @@ Account {0} has been entered more than once for fiscal year {1},帐户{0}已多 Account {0} is frozen,帐户{0}被冻结 Account {0} is inactive,帐户{0}是无效的 Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item,帐户{0}的类型必须为“固定资产”作为项目{1}是一个资产项目 -Account {0} must be sames as Credit To Account in Purchase Invoice in row {0},帐户{0}必须是萨姆斯作为信贷帐户购买发票行{0} -Account {0} must be sames as Debit To Account in Sales Invoice in row {0},帐户{0}必须是萨姆斯作为借方账户的销售发票行{0} +"Account: {0} can only be updated via \ + Stock Transactions",帐户: {0}只能通过\更新\ n股票交易 +Accountant,会计 Accounting,会计 "Accounting Entries can be made against leaf nodes, called",会计分录可以对叶节点进行,称为 "Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.",会计分录冻结截至目前为止,没有人可以做/修改除以下指定角色条目。 @@ -145,10 +143,13 @@ Address Title is mandatory.,地址标题是强制性的。 Address Type,地址类型 Address master.,地址主人。 Administrative Expenses,行政开支 +Administrative Officer,政务主任 Advance Amount,提前量 Advance amount,提前量 Advances,进展 Advertisement,广告 +Advertising,广告 +Aerospace,航天 After Sale Installations,销售后安装 Against,针对 Against Account,针对帐户 @@ -157,9 +158,11 @@ Against Docname,可采用DocName反对 Against Doctype,针对文档类型 Against Document Detail No,对文件详细说明暂无 Against Document No,对文件无 +Against Entries,对参赛作品 Against Expense Account,对费用帐户 Against Income Account,对收入账户 Against Journal Voucher,对日记帐凭证 +Against Journal Voucher {0} does not have any unmatched {1} entry,对日记帐凭证{0}没有任何无可比拟{1}项目 Against Purchase Invoice,对采购发票 Against Sales Invoice,对销售发票 Against Sales Order,对销售订单 @@ -171,6 +174,8 @@ Ageing date is mandatory for opening entry,账龄日期是强制性的打开进 Agent,代理人 Aging Date,老化时间 Aging Date is mandatory for opening entry,老化时间是强制性的打开进入 +Agriculture,农业 +Airline,航空公司 All Addresses.,所有地址。 All Contact,所有联系 All Contacts.,所有联系人。 @@ -188,14 +193,18 @@ All Supplier Types,所有供应商类型 All Territories,所有的领土 "All export related fields like currency, conversion rate, export total, export grand total etc are available in Delivery Note, POS, Quotation, Sales Invoice, Sales Order etc.",在送货单, POS机,报价单,销售发票,销售订单等可像货币,转换率,进出口总额,出口总计等所有出口相关领域 "All import related fields like currency, conversion rate, import total, import grand total etc are available in Purchase Receipt, Supplier Quotation, Purchase Invoice, Purchase Order etc.",在外购入库单,供应商报价单,采购发票,采购订单等所有可像货币,转换率,总进口,进口总计进口等相关领域 +All items have already been invoiced,所有项目已开具发票 All items have already been transferred for this Production Order.,所有的物品已经被转移该生产订单。 All these items have already been invoiced,所有这些项目已开具发票 Allocate,分配 +Allocate Amount Automatically,自动分配金额 Allocate leaves for a period.,分配叶子一段时间。 Allocate leaves for the year.,分配叶子的一年。 Allocated Amount,分配金额 Allocated Budget,分配预算 Allocated amount,分配量 +Allocated amount can not be negative,分配金额不能为负 +Allocated amount can not greater than unadusted amount,分配的金额不能超过unadusted量较大 Allow Bill of Materials,材料让比尔 Allow Bill of Materials should be 'Yes'. Because one or many active BOMs present for this item,允许物料清单应该是'是' 。因为一个或目前这个项目的许多活动的材料明细表 Allow Children,允许儿童 @@ -223,10 +232,12 @@ Amount to Bill,帐单数额 An Customer exists with same name,一个客户存在具有相同名称 "An Item Group exists with same name, please change the item name or rename the item group",项目组存在具有相同名称,请更改项目名称或重命名的项目组 "An item exists with same name ({0}), please change the item group name or rename the item",具有相同名称的项目存在( {0} ) ,请更改项目组名或重命名的项目 +Analyst,分析人士 Annual,全年 Another Period Closing Entry {0} has been made after {1},另一个期末录入{0}作出后{1} Another Salary Structure {0} is active for employee {0}. Please make its status 'Inactive' to proceed.,另一种薪酬结构{0}是积极为员工{0} 。请其状态“无效”继续。 "Any other comments, noteworthy effort that should go in the records.",任何其他意见,值得注意的努力,应该在记录中。 +Apparel & Accessories,服装及配饰 Applicability,适用性 Applicable For,适用 Applicable Holiday List,适用假期表 @@ -248,6 +259,7 @@ Appraisal Template,评估模板 Appraisal Template Goal,考核目标模板 Appraisal Template Title,评估模板标题 Appraisal {0} created for Employee {1} in the given date range,鉴定{0}为员工在给定日期范围{1}创建 +Apprentice,学徒 Approval Status,审批状态 Approval Status must be 'Approved' or 'Rejected',审批状态必须被“批准”或“拒绝” Approved,批准 @@ -264,9 +276,12 @@ Arrear Amount,欠款金额 As per Stock UOM,按库存计量单位 "As there are existing stock transactions for this item, you can not change the values of 'Has Serial No', 'Is Stock Item' and 'Valuation Method'",首先从仓库中取出,然后将其删除。 Ascending,升序 +Asset,财富 Assign To,分配给 Assigned To,分配给 Assignments,作业 +Assistant,助理 +Associate,关联 Atleast one warehouse is mandatory,ATLEAST一间仓库是强制性的 Attach Document Print,附加文档打印 Attach Image,附上图片 @@ -293,6 +308,7 @@ Automatically compose message on submission of transactions.,自动编写邮件 Automatically extract Job Applicants from a mail box , Automatically extract Leads from a mail box e.g.,从一个信箱,例如自动提取信息 Automatically updated via Stock Entry of type Manufacture/Repack,通过股票输入型制造/重新包装的自动更新 +Automotive,汽车 Autoreply when a new mail is received,在接收到新邮件时自动回复 Available,可用的 Available Qty at Warehouse,有货数量在仓库 @@ -333,6 +349,7 @@ Bank Account,银行帐户 Bank Account No.,银行账号 Bank Accounts,银行账户 Bank Clearance Summary,银行结算摘要 +Bank Draft,银行汇票 Bank Name,银行名称 Bank Overdraft Account,银行透支户口 Bank Reconciliation,银行对帐 @@ -340,6 +357,7 @@ Bank Reconciliation Detail,银行对帐详细 Bank Reconciliation Statement,银行对帐表 Bank Voucher,银行券 Bank/Cash Balance,银行/现金结余 +Banking,银行业 Barcode,条码 Barcode {0} already used in Item {1},条码{0}已经用在项目{1} Based On,基于 @@ -348,7 +366,6 @@ Basic Info,基本信息 Basic Information,基本信息 Basic Rate,基础速率 Basic Rate (Company Currency),基本速率(公司货币) -Basic Section,基本组 Batch,批量 Batch (lot) of an Item.,一批该产品的(很多)。 Batch Finished Date,批完成日期 @@ -377,6 +394,7 @@ Bills raised by Suppliers.,由供应商提出的法案。 Bills raised to Customers.,提高对客户的账单。 Bin,箱子 Bio,生物 +Biotechnology,生物技术 Birthday,生日 Block Date,座日期 Block Days,天座 @@ -393,6 +411,8 @@ Brand Name,商标名称 Brand master.,品牌大师。 Brands,品牌 Breakdown,击穿 +Broadcasting,广播 +Brokerage,佣金 Budget,预算 Budget Allocated,分配的预算 Budget Detail,预算案详情 @@ -405,6 +425,7 @@ Budget cannot be set for Group Cost Centers,预算不能为集团成本中心设 Build Report,建立举报 Built on,建 Bundle items at time of sale.,捆绑项目在销售时。 +Business Development Manager,业务发展经理 Buying,求购 Buying & Selling,购买与销售 Buying Amount,客户买入金额 @@ -484,7 +505,6 @@ Charity and Donations,慈善和捐款 Chart Name,图表名称 Chart of Accounts,科目表 Chart of Cost Centers,成本中心的图 -Check for Duplicates,请在公司主\指定默认货币 Check how the newsletter looks in an email by sending it to your email.,如何检查的通讯通过其发送到您的邮箱中查找电子邮件。 "Check if recurring invoice, uncheck to stop recurring or put proper End Date",检查经常性发票,取消,停止经常性或将适当的结束日期 "Check if you need automatic recurring invoices. After submitting any sales invoice, Recurring section will be visible.",检查是否需要自动周期性发票。提交任何销售发票后,经常性部分可见。 @@ -496,6 +516,7 @@ Check this to pull emails from your mailbox,检查这从你的邮箱的邮件拉 Check to activate,检查启动 Check to make Shipping Address,检查并送货地址 Check to make primary address,检查以主地址 +Chemical,化学药品 Cheque,支票 Cheque Date,支票日期 Cheque Number,支票号码 @@ -535,6 +556,7 @@ Comma separated list of email addresses,逗号分隔的电子邮件地址列表 Comment,评论 Comments,评论 Commercial,广告 +Commission,佣金 Commission Rate,佣金率 Commission Rate (%),佣金率(%) Commission on Sales,销售佣金 @@ -568,6 +590,7 @@ Completed Production Orders,完成生产订单 Completed Qty,完成数量 Completion Date,完成日期 Completion Status,完成状态 +Computer,电脑 Computers,电脑 Confirmation Date,确认日期 Confirmed orders from Customers.,确认订单的客户。 @@ -575,10 +598,12 @@ Consider Tax or Charge for,考虑税收或收费 Considered as Opening Balance,视为期初余额 Considered as an Opening Balance,视为期初余额 Consultant,顾问 +Consulting,咨询 Consumable,耗材 Consumable Cost,耗材成本 Consumable cost per hour,每小时可消耗成本 Consumed Qty,消耗的数量 +Consumer Products,消费类产品 Contact,联系 Contact Control,接触控制 Contact Desc,联系倒序 @@ -596,6 +621,7 @@ Contacts,往来 Content,内容 Content Type,内容类型 Contra Voucher,魂斗罗券 +Contract,合同 Contract End Date,合同结束日期 Contract End Date must be greater than Date of Joining,合同结束日期必须大于加入的日期 Contribution (%),贡献(%) @@ -611,10 +637,10 @@ Convert to Ledger,转换到总帐 Converted,转换 Copy,复制 Copy From Item Group,复制从项目组 +Cosmetics,化妆品 Cost Center,成本中心 Cost Center Details,成本中心详情 Cost Center Name,成本中心名称 -Cost Center Name already exists,成本中心名称已经存在 Cost Center is mandatory for Item {0},成本中心是强制性的项目{0} Cost Center is required for 'Profit and Loss' account {0},成本中心是必需的“损益”账户{0} Cost Center is required in row {0} in Taxes table for type {1},成本中心是必需的行{0}税表型{1} @@ -648,6 +674,7 @@ Creation Time,创作时间 Credentials,证书 Credit,信用 Credit Amt,信用额 +Credit Card,信用卡 Credit Card Voucher,信用卡券 Credit Controller,信用控制器 Credit Days,信贷天 @@ -696,6 +723,7 @@ Customer Issue,客户问题 Customer Issue against Serial No.,客户对发行序列号 Customer Name,客户名称 Customer Naming By,客户通过命名 +Customer Service,顾客服务 Customer database.,客户数据库。 Customer is required,客户需 Customer master.,客户主。 @@ -739,7 +767,6 @@ Debit Amt,借记额 Debit Note,缴费单 Debit To,借记 Debit and Credit not equal for this voucher. Difference is {0}.,借记和信用为这个券不相等。不同的是{0} 。 -Debit must equal Credit. The difference is {0},借方必须等于信用。所不同的是{0} Deduct,扣除 Deduction,扣除 Deduction Type,扣类型 @@ -779,6 +806,7 @@ Default settings for accounting transactions.,默认设置的会计事务。 Default settings for buying transactions.,默认设置为买入交易。 Default settings for selling transactions.,默认设置为卖出交易。 Default settings for stock transactions.,默认设置为股票交易。 +Defense,防御 "Define Budget for this Cost Center. To set budget action, see Company Master","定义预算这个成本中心。要设置预算行动,见公司主" Delete,删除 Delete Row,删除行 @@ -805,19 +833,23 @@ Delivery Status,交货状态 Delivery Time,交货时间 Delivery To,为了交付 Department,部门 +Department Stores,百货 Depends on LWP,依赖于LWP Depreciation,折旧 Descending,降 Description,描述 Description HTML,说明HTML Designation,指定 +Designer,设计师 Detailed Breakup of the totals,总计详细分手 Details,详细信息 -Difference,差异 +Difference (Dr - Cr),差异(博士 - 铬) Difference Account,差异帐户 +"Difference Account must be a 'Liability' type account, since this Stock Reconciliation is an Opening Entry",差的帐户必须是'责任'类型的帐户,因为这个股票和解是一个开放报名 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.,不同计量单位的项目会导致不正确的(总)净重值。确保每个项目的净重是在同一个计量单位。 Direct Expenses,直接费用 Direct Income,直接收入 +Director,导演 Disable,关闭 Disable Rounded Total,禁用圆角总 Disabled,残 @@ -829,6 +861,7 @@ Discount Amount,折扣金额 Discount Percentage,折扣百分比 Discount must be less than 100,折扣必须小于100 Discount(%),折让(%) +Dispatch,调度 Display all the individual items delivered with the main items,显示所有交付使用的主要项目的单个项目 Distribute transport overhead across items.,分布到项目的传输开销。 Distribution,分配 @@ -863,7 +896,7 @@ Download Template,下载模板 Download a report containing all raw materials with their latest inventory status,下载一个包含所有原料一份报告,他们最新的库存状态 "Download the Template, fill appropriate data and attach the modified file.",下载模板,填写相应的数据,并附加了修改后的文件。 "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", +All dates and employee combination in the selected period will come in the template, with existing attendance records",下载模板,填写相应的数据,并附加了修改后的文件。 \ n所有的日期,并在所选期间员工的组合会在模板中,与现有的考勤记录 Draft,草案 Drafts,草稿箱 Drag to sort columns,拖动进行排序的列 @@ -876,11 +909,10 @@ Due Date cannot be after {0},截止日期后不能{0} Due Date cannot be before Posting Date,到期日不能寄发日期或之前 Duplicate Entry. Please check Authorization Rule {0},重复的条目。请检查授权规则{0} Duplicate Serial No entered for Item {0},重复的序列号输入的项目{0} +Duplicate entry,重复的条目 Duplicate row {0} with same {1},重复的行{0}同{1} Duties and Taxes,关税和税款 ERPNext Setup,ERPNext设置 -ESIC CARD No,ESIC卡无 -ESIC No.,ESIC号 Earliest,最早 Earnest Money,保证金 Earning,盈利 @@ -889,6 +921,7 @@ Earning Type,收入类型 Earning1,Earning1 Edit,编辑 Editable,编辑 +Education,教育 Educational Qualification,学历 Educational Qualification Details,学历详情 Eg. smsgateway.com/api/send_sms.cgi,例如:。 smsgateway.com / API / send_sms.cgi @@ -898,6 +931,7 @@ Either target qty or target amount is mandatory.,无论是数量目标或目标 Electrical,电动 Electricity Cost,电力成本 Electricity cost per hour,每小时电费 +Electronics,电子 Email,电子邮件 Email Digest,电子邮件摘要 Email Digest Settings,电子邮件摘要设置 @@ -931,7 +965,6 @@ Employee Records to be created by,员工纪录的创造者 Employee Settings,员工设置 Employee Type,员工类型 "Employee designation (e.g. CEO, Director etc.).",员工指定(例如总裁,总监等) 。 -Employee grade.,员工级。 Employee master.,员工大师。 Employee record is created using selected field. ,使用所选字段创建员工记录。 Employee records.,员工记录。 @@ -949,6 +982,8 @@ End Date,结束日期 End Date can not be less than Start Date,结束日期不能小于开始日期 End date of current invoice's period,当前发票的期限的最后一天 End of Life,寿命结束 +Energy,能源 +Engineer,工程师 Enter Value,输入值 Enter Verification Code,输入验证码 Enter campaign name if the source of lead is campaign.,输入活动名称,如果铅的来源是运动。 @@ -961,6 +996,7 @@ Enter name of campaign if source of enquiry is campaign,输入活动的名称, Enter the company name under which Account Head will be created for this Supplier,输入据此帐户总的公司名称将用于此供应商建立 Enter url parameter for message,输入url参数的消息 Enter url parameter for receiver nos,输入URL参数的接收器号 +Entertainment & Leisure,娱乐休闲 Entertainment Expenses,娱乐费用 Entries,项 Entries against,将成为 @@ -972,10 +1008,12 @@ Error: {0} > {1},错误: {0} > {1} Estimated Material Cost,预计材料成本 Everyone can read,每个人都可以阅读 "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.", +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 #### # \ n如果串联设置和序列号没有在交易中提到,然后自动序列号将基于该系列被创建。 Exchange Rate,汇率 Excise Page Number,消费页码 Excise Voucher,消费券 +Execution,执行 +Executive Search,猎头 Exemption Limit,免税限额 Exhibition,展览 Existing Customer,现有客户 @@ -990,6 +1028,7 @@ Expected Delivery Date cannot be before Purchase Order Date,预计交货日期 Expected Delivery Date cannot be before Sales Order Date,预计交货日期不能前销售订单日期 Expected End Date,预计结束日期 Expected Start Date,预计开始日期 +Expense,费用 Expense Account,费用帐户 Expense Account is mandatory,费用帐户是必需的 Expense Claim,报销 @@ -1007,7 +1046,7 @@ Expense Date,牺牲日期 Expense Details,费用详情 Expense Head,总支出 Expense account is mandatory for item {0},交际费是强制性的项目{0} -Expense or Difference account is mandatory for Item {0} as there is difference in value,费用或差异帐户是强制性的项目{0} ,因为在价值差异 +Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,费用或差异帐户是强制性的项目{0} ,因为它影响整个股票价值 Expenses,开支 Expenses Booked,支出预订 Expenses Included In Valuation,支出计入估值 @@ -1034,13 +1073,11 @@ File,文件 Files Folder ID,文件夹的ID Fill the form and save it,填写表格,并将其保存 Filter,过滤器 -Filter By Amount,过滤器以交易金额计算 -Filter By Date,筛选通过日期 Filter based on customer,过滤器可根据客户 Filter based on item,根据项目筛选 -Final Confirmation Date must be greater than Date of Joining,最后确认日期必须大于加入的日期 Financial / accounting year.,财务/会计年度。 Financial Analytics,财务分析 +Financial Services,金融服务 Financial Year End Date,财政年度年结日 Financial Year Start Date,财政年度开始日期 Finished Goods,成品 @@ -1052,6 +1089,7 @@ Fixed Assets,固定资产 Follow via Email,通过电子邮件跟随 "Following table will show values if items are sub - contracted. These values will be fetched from the master of ""Bill of Materials"" of sub - contracted items.",下表将显示值,如果项目有子 - 签约。这些值将被从子的“材料清单”的主人进账 - 已签约的项目。 Food,食物 +"Food, Beverage & Tobacco",食品,饮料与烟草 For Company,对于公司 For Employee,对于员工 For Employee Name,对于员工姓名 @@ -1106,6 +1144,7 @@ Frozen,冻结的 Frozen Accounts Modifier,冻结帐户修改 Fulfilled,适合 Full Name,全名 +Full-time,全日制 Fully Completed,全面完成 Furniture and Fixture,家具及固定装置 Further accounts can be made under Groups but entries can be made against Ledger,进一步帐户可以根据组进行,但项目可以对总帐进行 @@ -1125,14 +1164,15 @@ Generates HTML to include selected image in the description,生成HTML,包括 Get,得到 Get Advances Paid,获取有偿进展 Get Advances Received,取得进展收稿 +Get Against Entries,获取对条目 Get Current Stock,获取当前库存 Get From ,得到 Get Items,找项目 Get Items From Sales Orders,获取项目从销售订单 Get Items from BOM,获取项目从物料清单 Get Last Purchase Rate,获取最新预订价 -Get Non Reconciled Entries,获取非对帐项目 Get Outstanding Invoices,获取未付发票 +Get Relevant Entries,获取相关条目 Get Sales Orders,获取销售订单 Get Specification Details,获取详细规格 Get Stock and Rate,获取股票和速率 @@ -1151,14 +1191,13 @@ Goods received from Suppliers.,从供应商收到货。 Google Drive,谷歌驱动器 Google Drive Access Allowed,谷歌驱动器允许访问 Government,政府 -Grade,等级 Graduate,毕业生 Grand Total,累计 Grand Total (Company Currency),总计(公司货币) -Gratuity LIC ID,酬金LIC ID Greater or equals,大于或等于 Greater than,大于 "Grid """,电网“ +Grocery,杂货 Gross Margin %,毛利率% Gross Margin Value,毛利率价值 Gross Pay,工资总额 @@ -1173,6 +1212,7 @@ Group by Account,集团账户 Group by Voucher,集团透过券 Group or Ledger,集团或Ledger Groups,组 +HR Manager,人力资源经理 HR Settings,人力资源设置 HTML / Banner that will show on the top of product list.,HTML /横幅,将显示在产品列表的顶部。 Half Day,半天 @@ -1183,7 +1223,9 @@ Hardware,硬件 Has Batch No,有批号 Has Child Node,有子节点 Has Serial No,有序列号 +Head of Marketing and Sales,营销和销售主管 Header,头 +Health Care,保健 Health Concerns,健康问题 Health Details,健康细节 Held On,举行 @@ -1266,6 +1308,7 @@ In Words will be visible once you save the Sales Invoice.,在词将是可见的 In Words will be visible once you save the Sales Order.,在词将是可见的,一旦你保存销售订单。 In response to,响应于 Incentives,奖励 +Include Reconciled Entries,包括对账项目 Include holidays in Total no. of Working Days,包括节假日的总数。工作日 Income,收入 Income / Expense,收入/支出 @@ -1302,7 +1345,9 @@ Installed Qty,安装数量 Instructions,说明 Integrate incoming support emails to Support Ticket,支付工资的月份: Interested,有兴趣 +Intern,实习生 Internal,内部 +Internet Publishing,互联网出版 Introduction,介绍 Invalid Barcode or Serial No,无效的条码或序列号 Invalid Email: {0},无效的电子邮件: {0} @@ -1313,6 +1358,7 @@ Invalid User Name or Support Password. Please rectify and try again.,无效的 Invalid quantity specified for item {0}. Quantity should be greater than 0.,为项目指定了无效的数量{0} 。量应大于0 。 Inventory,库存 Inventory & Support,库存与支持 +Investment Banking,投资银行业务 Investments,投资 Invoice Date,发票日期 Invoice Details,发票明细 @@ -1430,6 +1476,9 @@ Item-wise Purchase History,项目明智的购买历史 Item-wise Purchase Register,项目明智的购买登记 Item-wise Sales History,项目明智的销售历史 Item-wise Sales Register,项目明智的销售登记 +"Item: {0} managed batch-wise, can not be reconciled using \ + Stock Reconciliation, instead use Stock Entry",货号: {0}管理分批,不能使用\ \ ñ库存对账不甘心,改用股票输入 +Item: {0} not found in the system,货号: {0}没有在系统中找到 Items,项目 Items To Be Requested,项目要请求 Items required,所需物品 @@ -1448,9 +1497,10 @@ Journal Entry,日记帐分录 Journal Voucher,期刊券 Journal Voucher Detail,日记帐凭证详细信息 Journal Voucher Detail No,日记帐凭证详细说明暂无 -Journal Voucher {0} does not have account {1}.,记账凭单{0}没有帐号{1} 。 +Journal Voucher {0} does not have account {1} or already matched,记账凭单{0}没有帐号{1}或已经匹配 Journal Vouchers {0} are un-linked,日记帐凭单{0}被取消链接 Keep a track of communication related to this enquiry which will help for future reference.,保持跟踪的沟通与此相关的调查,这将有助于以供将来参考。 +Keep it web friendly 900px (w) by 100px (h),保持它的Web友好900px (宽)x 100像素(高) Key Performance Area,关键绩效区 Key Responsibility Area,关键责任区 Kg,公斤 @@ -1506,7 +1556,6 @@ Leave blank if considered for all branches,离开,如果考虑所有分支空 Leave blank if considered for all departments,离开,如果考虑各部门的空白 Leave blank if considered for all designations,离开,如果考虑所有指定空白 Leave blank if considered for all employee types,离开,如果考虑所有的员工类型空白 -Leave blank if considered for all grades,离开,如果考虑所有级别空白 "Leave can be approved by users with Role, ""Leave Approver""",离开可以通过用户与角色的批准,“给审批” Leave of type {0} cannot be longer than {1},请假类型{0}不能长于{1} Leaves Allocated Successfully for {0},叶分配成功为{0} @@ -1515,6 +1564,7 @@ Leaves must be allocated in multiples of 0.5,叶必须分配在0.5的倍数 Ledger,莱杰 Ledgers,总帐 Left,左 +Legal,法律 Legal Expenses,法律费用 Less or equals,小于或等于 Less than,小于 @@ -1522,16 +1572,16 @@ Letter Head,信头 Letter Heads for print templates.,信头的打印模板。 Level,级别 Lft,LFT +Liability,责任 Like,喜欢 Linked With,挂具 List,表 List a few of your customers. They could be organizations or individuals.,列出一些你的客户。他们可以是组织或个人。 List a few of your suppliers. They could be organizations or individuals.,列出一些你的供应商。他们可以是组织或个人。 -"List a few products or services you buy from your suppliers or vendors. If these are same as your products, then do not add them.",列出你从你的供应商或供应商买几个产品或服务。如果这些是与您的产品,那么就不要添加它们。 List items that form the package.,形成包列表项。 List this Item in multiple groups on the website.,列出这个项目在网站上多个组。 -"List your products or services that you sell to your customers. Make sure to check the Item Group, Unit of Measure and other properties when you start.",列出您的产品或服务,你卖你的客户。确保当你开始检查项目组,测量及其他物业单位。 -"List your tax heads (e.g. VAT, Excise) (upto 3) and their standard rates. This will create a standard template, you can edit and add more later.",列出你的头税(如增值税,消费税)(截至3)和它们的标准费率。这将创建一个标准的模板,您可以编辑和更多的稍后添加。 +"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 your tax heads (e.g. VAT, Excise; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.",列出你的头税(如增值税,消费税,他们应该有唯一的名称)及其标准费率。 Loading,载入中 Loading Report,加载报表 Loading...,载入中... @@ -1598,6 +1648,8 @@ Manage Customer Group Tree.,管理客户组树。 Manage Sales Person Tree.,管理销售人员树。 Manage Territory Tree.,管理领地树。 Manage cost of operations,管理运营成本 +Management,管理 +Manager,经理 Mandatory fields required in {0},在需要的必填字段{0} Mandatory filters required:\n,需要强制性的过滤器: \ ñ "Mandatory if Stock Item is ""Yes"". Also the default warehouse where reserved quantity is set from Sales Order.",如果股票的强制性项目为“是”。也是默认仓库,保留数量从销售订单设置。 @@ -1614,6 +1666,7 @@ Manufacturing Quantity is mandatory,付款方式 Margin,余量 Marital Status,婚姻状况 Market Segment,市场分类 +Marketing,市场营销 Marketing Expenses,市场推广开支 Married,已婚 Mass Mailing,邮件群发 @@ -1640,6 +1693,7 @@ Material Requirement,物料需求 Material Transfer,材料转让 Materials,物料 Materials Required (Exploded),所需材料(分解) +Max 5 characters,最多5个字符 Max Days Leave Allowed,最大天假宠物 Max Discount (%),最大折让(%) Max Qty,最大数量的 @@ -1648,7 +1702,7 @@ Maximum {0} rows allowed,最大{0}行获准 Maxiumm discount for Item {0} is {1}%,对于项目Maxiumm折扣{0} {1} % Medical,医 Medium,中 -"Merging is only possible if following properties are same in both records. Group or Ledger, Report Type, Company",合并是唯一可能的,如果下面的属性是相同的两个记录。集团或总帐,报表类型,公司 +"Merging is only possible if following properties are same in both records. Group or Ledger, Root Type, Company",合并是唯一可能的,如果下面的属性是相同的两个记录。 Message,信息 Message Parameter,消息参数 Message Sent,发送消息 @@ -1662,6 +1716,7 @@ Milestones,里程碑 Milestones will be added as Events in the Calendar,里程碑将被添加为日历事件 Min Order Qty,最小订货量 Min Qty,最小数量 +Min Qty can not be greater than Max Qty,最小数量不能大于最大数量的 Minimum Order Qty,最低起订量 Minute,分钟 Misc Details,其它详细信息 @@ -1684,6 +1739,7 @@ Monthly salary statement.,月薪声明。 More,更多 More Details,更多详情 More Info,更多信息 +Motion Picture & Video,电影和视频 Move Down: {0},下移: {0} Move Up: {0},上移: {0} Moving Average,移动平均线 @@ -1691,6 +1747,9 @@ Moving Average Rate,移动平均房价 Mr,先生 Ms,女士 Multiple Item prices.,多个项目的价格。 +"Multiple Price Rule exists with same criteria, please resolve \ + conflict by assigning priority. Price Rules: {0}",多价规则存在具有相同的标准,请通过分配优先解决\ \ ñ冲突。 +Music,音乐 Must be Whole Number,必须是整数 My Settings,我的设置 Name,名称 @@ -1702,7 +1761,9 @@ Name not permitted,名称不允许 Name of person or organization that this address belongs to.,的人或组织该地址所属的命名。 Name of the Budget Distribution,在预算分配的名称 Naming Series,命名系列 +Negative Quantity is not allowed,负数量是不允许 Negative Stock Error ({6}) for Item {0} in Warehouse {1} on {2} {3} in {4} {5},负库存错误( {6})的项目{0}在仓库{1}在{2} {3} {4} {5} +Negative Valuation Rate is not allowed,负面评价率是不允许的 Negative balance in Batch {0} for Item {1} at Warehouse {2} on {3} {4},在批处理负平衡{0}项目{1}在仓库{2}在{3} {4} Net Pay,净收费 Net Pay (in words) will be visible once you save the Salary Slip.,净收费(字)将会看到,一旦你保存工资单。 @@ -1750,6 +1811,7 @@ Newsletter Status,通讯状态 Newsletter has already been sent,通讯已发送 Newsletters is not allowed for Trial users,简讯不允许用户试用 "Newsletters to contacts, leads.",通讯,联系人,线索。 +Newspaper Publishers,报纸出版商 Next,下一个 Next Contact By,接着联系到 Next Contact Date,下一步联络日期 @@ -1773,17 +1835,18 @@ No Results,没有结果 No Supplier Accounts found. Supplier Accounts are identified based on 'Master Type' value in account record.,#,## # ### No accounting entries for the following warehouses,没有以下的仓库会计分录 No addresses created,没有发起任何地址 -No amount allocated,无分配金额 No contacts created,没有发起任何接触 No default BOM exists for Item {0},默认情况下不存在的BOM项目为{0} No description given,未提供描述 No document selected,没有选择文件 No employee found,任何员工发现 +No employee found!,任何员工发现! No of Requested SMS,无的请求短信 No of Sent SMS,没有发送短信 No of Visits,没有访问量的 No one,没有人 No permission,没有权限 +No permission to '{0}' {1},没有权限“{0}” {1} No permission to edit,无权限进行编辑 No record found,没有资料 No records tagged.,没有记录标记。 @@ -1843,6 +1906,7 @@ Old Parent,老家长 On Net Total,在总净 On Previous Row Amount,在上一行金额 On Previous Row Total,在上一行共 +Online Auctions,网上拍卖 Only Leave Applications with status 'Approved' can be submitted,只留下带有状态的应用“已批准” ,可以提交 "Only Serial Nos with status ""Available"" can be delivered.",只有串行NOS与状态“可用”可交付使用。 Only leaf nodes are allowed in transaction,只有叶节点中允许交易 @@ -1888,6 +1952,7 @@ Organization Name,组织名称 Organization Profile,组织简介 Organization branch master.,组织分支主。 Organization unit (department) master.,组织单位(部门)的主人。 +Original Amount,原来的金额 Original Message,原始消息 Other,其他 Other Details,其他详细信息 @@ -1905,9 +1970,6 @@ Overlapping conditions found between:,之间存在重叠的条件: Overview,概观 Owned,资 Owner,业主 -PAN Number,潘号码 -PF No.,PF号 -PF Number,PF数 PL or BS,PL或BS PO Date,PO日期 PO No,订单号码 @@ -1919,7 +1981,6 @@ POS Setting,POS机设置 POS Setting required to make POS Entry,使POS机输入所需设置POS机 POS Setting {0} already created for user: {1} and company {2},POS机设置{0}用户已创建: {1}和公司{2} POS View,POS机查看 -POS-Setting-.#,POS-设置 - # PR Detail,PR详细 PR Posting Date,公关寄发日期 Package Item Details,包装物品详情 @@ -1955,6 +2016,7 @@ Parent Website Route,父网站路线 Parent account can not be a ledger,家长帐户不能是一个总账 Parent account does not exist,家长帐户不存在 Parenttype,Parenttype +Part-time,兼任 Partially Completed,部分完成 Partly Billed,天色帐单 Partly Delivered,部分交付 @@ -1972,7 +2034,6 @@ Payables,应付账款 Payables Group,集团的应付款项 Payment Days,金天 Payment Due Date,付款到期日 -Payment Entries,付款项 Payment Period Based On Invoice Date,已经提交。 Payment Type,针对选择您要分配款项的发票。 Payment of salary for the month {0} and year {1},支付工资的月{0}和年{1} @@ -1989,6 +2050,7 @@ Pending Amount,待审核金额 Pending Items {0} updated,待批项目{0}更新 Pending Review,待审核 Pending SO Items For Purchase Request,待处理的SO项目对于采购申请 +Pension Funds,养老基金 Percent Complete,完成百分比 Percentage Allocation,百分比分配 Percentage Allocation should be equal to 100%,百分比分配应该等于100 % @@ -1997,7 +2059,6 @@ Percentage you are allowed to receive or deliver more against the quantity order Performance appraisal.,绩效考核。 Period,期 Period Closing Voucher,期末券 -Period is too short,期太短 Periodicity,周期性 Permanent Address,永久地址 Permanent Address Is,永久地址 @@ -2009,15 +2070,18 @@ Personal,个人 Personal Details,个人资料 Personal Email,个人电子邮件 Pharmaceutical,医药 +Pharmaceuticals,制药 Phone,电话 Phone No,电话号码 Pick Columns,摘列 +Piecework,计件工作 Pincode,PIN代码 Place of Issue,签发地点 Plan for maintenance visits.,规划维护访问。 Planned Qty,计划数量 "Planned Qty: Quantity, for which, Production Order has been raised, but is pending to be manufactured.",计划数量:数量,为此,生产订单已经提高,但正在等待被制造。 Planned Quantity,计划数量 +Planning,规划 Plant,厂 Plant and Machinery,厂房及机器 Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,请输入缩写或简称恰当,因为它会被添加为后缀的所有帐户头。 @@ -2054,7 +2118,6 @@ Please enter Planned Qty for Item {0} at row {1},请输入计划数量的项目{ Please enter Production Item first,请先输入生产项目 Please enter Purchase Receipt No to proceed,请输入外购入库单没有进行 Please enter Reference date,参考日期请输入 -Please enter Start Date and End Date,请输入开始日期和结束日期 Please enter Warehouse for which Material Request will be raised,请重新拉。 Please enter Write Off Account,请输入核销帐户 Please enter atleast 1 invoice in the table,请在表中输入ATLEAST 1发票 @@ -2103,9 +2166,9 @@ Please select item code,请选择商品代码 Please select month and year,请选择年份和月份 Please select prefix first,请选择前缀第一 Please select the document type first,请选择文档类型第一 -Please select valid Voucher No to proceed,请选择有效的优惠券没有继续进行 Please select weekly off day,请选择每周休息日 Please select {0},请选择{0} +Please select {0} first,请选择{0}第一 Please set Dropbox access keys in your site config,请在您的网站配置设置Dropbox的访问键 Please set Google Drive access keys in {0},请设置谷歌驱动器的访问键{0} Please set default Cash or Bank account in Mode of Payment {0},请设置默认的现金或银行账户的付款方式{0} @@ -2121,6 +2184,7 @@ Please specify Default Currency in Company Master and Global Defaults,请在公 Please specify a,请指定一个 Please specify a valid 'From Case No.',请指定一个有效的“从案号” Please specify a valid Row ID for {0} in row {1},行{0}请指定一个有效的行ID {1} +Please specify either Quantity or Valuation Rate or both,请注明无论是数量或估价率或两者 Please submit to update Leave Balance.,请提交更新休假余额。 Plot,情节 Plot By,阴谋 @@ -2170,11 +2234,14 @@ Print and Stationary,印刷和文具 Print...,打印... Printing and Branding,印刷及品牌 Priority,优先 +Private Equity,私募股权投资 Privilege Leave,特权休假 +Probation,缓刑 Process Payroll,处理工资 Produced,生产 Produced Quantity,生产的产品数量 Product Enquiry,产品查询 +Production,生产 Production Order,生产订单 Production Order status is {0},生产订单状态为{0} Production Order {0} must be cancelled before cancelling this Sales Order,生产订单{0}必须取消这个销售订单之前被取消 @@ -2187,12 +2254,12 @@ Production Plan Sales Order,生产计划销售订单 Production Plan Sales Orders,生产计划销售订单 Production Planning Tool,生产规划工具 Products,产品展示 -Products or Services You Buy,产品或服务您选购 "Products will be sorted by weight-age in default searches. More the weight-age, higher the product will appear in the list.",产品将重量年龄在默认搜索排序。更多的重量,年龄,更高的产品会出现在列表中。 Profit and Loss,损益 Project,项目 Project Costing,项目成本核算 Project Details,项目详情 +Project Manager,项目经理 Project Milestone,项目里程碑 Project Milestones,项目里程碑 Project Name,项目名称 @@ -2209,9 +2276,10 @@ Projected Qty,预计数量 Projects,项目 Projects & System,工程及系统 Prompt for Email on Submission of,提示电子邮件的提交 +Proposal Writing,提案写作 Provide email id registered in company,提供的电子邮件ID在公司注册 Public,公 -Pull Payment Entries,拉付款项 +Publishing,出版 Pull sales orders (pending to deliver) based on the above criteria,基于上述标准拉销售订单(待定提供) Purchase,采购 Purchase / Manufacture Details,采购/制造详细信息 @@ -2277,6 +2345,7 @@ Quality Inspection Parameters,质量检验参数 Quality Inspection Reading,质量检验阅读 Quality Inspection Readings,质量检验读物 Quality Inspection required for Item {0},要求项目质量检验{0} +Quality Management,质量管理 Quantity,数量 Quantity Requested for Purchase,需求数量的购买 Quantity and Rate,数量和速率 @@ -2340,6 +2409,7 @@ Reading 6,6阅读 Reading 7,7阅读 Reading 8,阅读8 Reading 9,9阅读 +Real Estate,房地产 Reason,原因 Reason for Leaving,离职原因 Reason for Resignation,原因辞职 @@ -2358,6 +2428,7 @@ Receiver List,接收器列表 Receiver List is empty. Please create Receiver List,接收器列表为空。请创建接收器列表 Receiver Parameter,接收机参数 Recipients,受助人 +Reconcile,调和 Reconciliation Data,数据对账 Reconciliation HTML,和解的HTML Reconciliation JSON,JSON对账 @@ -2407,6 +2478,7 @@ Report,报告 Report Date,报告日期 Report Type,报告类型 Report Type is mandatory,报告类型是强制性的 +Report an Issue,报告问题 Report was not saved (there were errors),报告没有被保存(有错误) Reports to,报告以 Reqd By Date,REQD按日期 @@ -2425,6 +2497,9 @@ Required Date,所需时间 Required Qty,所需数量 Required only for sample item.,只对样品项目所需。 Required raw materials issued to the supplier for producing a sub - contracted item.,发给供应商,生产子所需的原材料 - 承包项目。 +Research,研究 +Research & Development,研究与发展 +Researcher,研究员 Reseller,经销商 Reserved,保留的 Reserved Qty,保留数量 @@ -2444,11 +2519,14 @@ Resolution Details,详细解析 Resolved By,议决 Rest Of The World,世界其他地区 Retail,零售 +Retail & Wholesale,零售及批发 Retailer,零售商 Review Date,评论日期 Rgt,RGT Role Allowed to edit frozen stock,角色可以编辑冻结股票 Role that is allowed to submit transactions that exceed credit limits set.,作用是允许提交超过设定信用额度交易的。 +Root Type,根类型 +Root Type is mandatory,根类型是强制性的 Root account can not be deleted,root帐号不能被删除 Root cannot be edited.,根不能被编辑。 Root cannot have a parent cost center,根本不能有一个父成本中心 @@ -2456,6 +2534,16 @@ Rounded Off,四舍五入 Rounded Total,总圆角 Rounded Total (Company Currency),圆润的总计(公司货币) Row # ,行# +Row # {0}: , +"Row {0}: Account does not match with \ + Purchase Invoice Credit To account",行{0} :帐号不与\ \ ñ采购发票计入帐户相匹配, +"Row {0}: Account does not match with \ + Sales Invoice Debit To account",行{0} :帐号不与\ \ ñ销售发票借记帐户相匹配, +Row {0}: Credit entry can not be linked with a Purchase Invoice,行{0} :信用记录无法与采购发票联 +Row {0}: Debit entry can not be linked with a Sales Invoice,行{0} :借记不能与一个销售发票联 +"Row {0}: To set {1} periodicity, difference between from and to date \ + must be greater than or equal to {2}",行{0} :设置{1}的周期性,从和到日期\ \ n的差必须大于或等于{2} +Row {0}:Start Date must be before End Date,行{0} :开始日期必须是之前结束日期 Rules for adding shipping costs.,规则增加运输成本。 Rules for applying pricing and discount.,规则适用的定价和折扣。 Rules to calculate shipping amount for a sale,规则来计算销售运输量 @@ -2547,7 +2635,6 @@ Schedule,时间表 Schedule Date,时间表日期 Schedule Details,计划详细信息 Scheduled,预定 -Scheduled Confirmation Date must be greater than Date of Joining,预定确认日期必须大于加入的日期 Scheduled Date,预定日期 Scheduled to send to {0},原定发送到{0} Scheduled to send to {0} recipients,原定发送到{0}受助人 @@ -2559,7 +2646,9 @@ Score must be less than or equal to 5,得分必须小于或等于5 Scrap %,废钢% Search,搜索 Seasonality for setting budgets.,季节性设定预算。 +Secretary,秘书 Secured Loans,抵押贷款 +Securities & Commodity Exchanges,证券及商品交易所 Securities and Deposits,证券及存款 "See ""Rate Of Materials Based On"" in Costing Section",见“率材料基于”在成本核算节 "Select ""Yes"" for sub - contracting items",选择“是”子 - 承包项目 @@ -2589,7 +2678,6 @@ Select dates to create a new ,选择日期以创建一个新的 Select or drag across time slots to create a new event.,选择或拖动整个时隙,以创建一个新的事件。 Select template from which you want to get the Goals,选择您想要得到的目标模板 Select the Employee for whom you are creating the Appraisal.,选择要为其创建的考核员工。 -Select the Invoice against which you want to allocate payments.,10 。添加或减去:无论你想添加或扣除的税款。 Select the period when the invoice will be generated automatically,当选择发票会自动生成期间 Select the relevant company name if you have multiple companies,选择相关的公司名称,如果您有多个公司 Select the relevant company name if you have multiple companies.,如果您有多个公司选择相关的公司名称。 @@ -2640,7 +2728,8 @@ Serial No {0} status must be 'Available' to Deliver,序列号{0}的状态必须 Serial Nos Required for Serialized Item {0},序列号为必填项序列为{0} Serial Number Series,序列号系列 Serial number {0} entered more than once,序号{0}多次输入 -Serialized Item {0} cannot be updated using Stock Reconciliation,序列化的项目{0}无法使用股票对账更新 +"Serialized Item {0} cannot be updated \ + using Stock Reconciliation",序列化的项目{0}使用库存对账不能更新\ \ ñ Series,系列 Series List for this Transaction,系列对表本交易 Series Updated,系列更新 @@ -2655,7 +2744,6 @@ Set,集 "Set Default Values like Company, Currency, Current Fiscal Year, etc.",像公司,货币,当前财政年度,等设置默认值 Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,设置这个领地项目组间的预算。您还可以包括季节性通过设置分发。 Set Link,设置链接 -Set allocated amount against each Payment Entry and click 'Allocate'.,是不允许的。 Set as Default,设置为默认 Set as Lost,设为失落 Set prefix for numbering series on your transactions,为你的交易编号序列设置的前缀 @@ -2706,6 +2794,9 @@ Single,单 Single unit of an Item.,该产品的一个单元。 Sit tight while your system is being setup. This may take a few moments.,稳坐在您的系统正在安装。这可能需要一些时间。 Slideshow,连续播放 +Soap & Detergent,肥皂和洗涤剂 +Software,软件 +Software Developer,软件开发人员 Sorry we were unable to find what you were looking for.,对不起,我们无法找到您所期待的。 Sorry you are not permitted to view this page.,对不起,您没有权限浏览这个页面。 "Sorry, Serial Nos cannot be merged",对不起,序列号无法合并 @@ -2719,8 +2810,6 @@ Source of Funds (Liabilities),资金来源(负债) Source warehouse is mandatory for row {0},源仓库是强制性的行{0} Spartan,斯巴达 "Special Characters except ""-"" and ""/"" not allowed in naming series",除了特殊字符“ - ”和“/”未命名中不允许系列 -Special Characters not allowed in Abbreviation,在缩写不允许特殊字符 -Special Characters not allowed in Company Name,在企业名称不允许特殊字符 Specification Details,详细规格 Specifications,产品规格 "Specify a list of Territories, for which, this Price List is valid",指定领土的名单,为此,本价格表是有效的 @@ -2728,16 +2817,18 @@ Specifications,产品规格 "Specify a list of Territories, for which, this Taxes Master is valid",新界指定一个列表,其中,该税金法师是有效的 "Specify the operations, operating cost and give a unique Operation no to your operations.",与全球默认值 Split Delivery Note into packages.,分裂送货单成包。 +Sports,体育 Standard,标准 +Standard Buying,标准采购 Standard Rate,标准房价 Standard Reports,标准报告 +Standard Selling,标准销售 Standard contract terms for Sales or Purchase.,标准合同条款的销售或采购。 Start,开始 Start Date,开始日期 Start Report For,启动年报 Start date of current invoice's period,启动电流发票的日期内 Start date should be less than end date for Item {0},开始日期必须小于结束日期项目{0} -Start date should be less than end date.,开始日期必须小于结束日期。 State,态 Static Parameters,静态参数 Status,状态 @@ -2820,15 +2911,12 @@ Supplier Part Number,供应商零件编号 Supplier Quotation,供应商报价 Supplier Quotation Item,供应商报价项目 Supplier Reference,信用参考 -Supplier Shipment Date,供应商出货日期 -Supplier Shipment No,供应商出货无 Supplier Type,供应商类型 Supplier Type / Supplier,供应商类型/供应商 Supplier Type master.,供应商类型高手。 Supplier Warehouse,供应商仓库 Supplier Warehouse mandatory for sub-contracted Purchase Receipt,供应商仓库强制性分包外购入库单 Supplier database.,供应商数据库。 -Supplier delivery number duplicate in {0},在供应商交货编号重复的{0} Supplier master.,供应商主。 Supplier warehouse where you have issued raw materials for sub - contracting,供应商的仓库,你已发出原材料子 - 承包 Supplier-Wise Sales Analytics,可在首页所有像货币,转换率,总进口,进口总计进口等相关领域 @@ -2869,7 +2957,7 @@ Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are no Tax Rate,税率 Tax and other salary deductions.,税务及其他薪金中扣除。 "Tax detail table fetched from item master as a string and stored in this field. -Used for Taxes and Charges", +Used for Taxes and Charges",税表的细节从项目主作为一个字符串,并存储在此字段中取出。 \ n已使用的税费和费用 Tax template for buying transactions.,税务模板购买交易。 Tax template for selling transactions.,税务模板卖出的交易。 Taxable,应课税 @@ -2881,13 +2969,16 @@ Taxes and Charges Deducted,税收和费用扣除 Taxes and Charges Deducted (Company Currency),税收和扣除(公司货币) Taxes and Charges Total,税费总计 Taxes and Charges Total (Company Currency),营业税金及费用合计(公司货币) +Technology,技术 +Telecommunications,电信 Telephone Expenses,电话费 +Television,电视 Template for performance appraisals.,模板的绩效考核。 Template of terms or contract.,模板条款或合同。 -Temporary Account (Assets),临时账户(资产) -Temporary Account (Liabilities),临时账户(负债) Temporary Accounts (Assets),临时账户(资产) Temporary Accounts (Liabilities),临时账户(负债) +Temporary Assets,临时资产 +Temporary Liabilities,临时负债 Term Details,长期详情 Terms,条款 Terms and Conditions,条款和条件 @@ -2912,7 +3003,7 @@ The First User: You,第一个用户:您 The Organization,本组织 "The account head under Liability, in which Profit/Loss will be booked",根据责任账号头,其中利润/亏损将被黄牌警告 "The date on which next invoice will be generated. It is generated on submit. -", +",在这接下来的发票将生成的日期。 The date on which recurring invoice will be stop,在其经常性发票将被停止日期 "The day of the month on which auto invoice will be generated e.g. 05, 28 etc ",这个月的日子,汽车发票将会产生如05,28等 The day(s) on which you are applying for leave are holiday. You need not apply for leave.,在天在你申请许可的假期。你不需要申请许可。 @@ -2997,6 +3088,8 @@ To track items using barcode. You will be able to enter items in Delivery Note a Tools,工具 Total,总 Total Advance,总垫款 +Total Allocated Amount,合计分配金额 +Total Allocated Amount can not be greater than unmatched amount,合计分配的金额不能大于无与伦比的金额 Total Amount,总金额 Total Amount To Pay,支付总计 Total Amount in Words,总金额词 @@ -3006,6 +3099,7 @@ Total Commission,总委员会 Total Cost,总成本 Total Credit,总积分 Total Debit,总借记 +Total Debit must be equal to Total Credit. The difference is {0},总借记必须等于总积分。 Total Deduction,扣除总额 Total Earning,总盈利 Total Experience,总经验 @@ -3033,8 +3127,10 @@ Total in words,总字 Total points for all goals should be 100. It is {0},总积分为所有的目标应该是100 ,这是{0} Total weightage assigned should be 100%. It is {0},分配的总权重应为100 % 。这是{0} Totals,总计 +Track Leads by Industry Type.,轨道信息通过行业类型。 Track this Delivery Note against any Project,跟踪此送货单反对任何项目 Track this Sales Order against any Project,跟踪对任何项目这个销售订单 +Trainee,实习生 Transaction,交易 Transaction Date,交易日期 Transaction not allowed against stopped Production Order {0},交易不反对停止生产订单允许{0} @@ -3042,10 +3138,10 @@ Transfer,转让 Transfer Material,转印材料 Transfer Raw Materials,转移原材料 Transferred Qty,转让数量 +Transportation,运输 Transporter Info,转运信息 Transporter Name,转运名称 Transporter lorry number,转运货车数量 -Trash Reason,垃圾桶原因 Travel,旅游 Travel Expenses,差旅费 Tree Type,树类型 @@ -3149,6 +3245,7 @@ Value,值 Value or Qty,价值或数量 Vehicle Dispatch Date,车辆调度日期 Vehicle No,车辆无 +Venture Capital,创业投资 Verified By,认证机构 View Ledger,查看总帐 View Now,立即观看 @@ -3157,6 +3254,7 @@ Voucher #,# ## #,## Voucher Detail No,券详细说明暂无 Voucher ID,优惠券编号 Voucher No,无凭证 +Voucher No is not valid,无凭证无效 Voucher Type,凭证类型 Voucher Type and Date,凭证类型和日期 Walk In,走在 @@ -3171,6 +3269,7 @@ Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt Warehouse cannot be changed for Serial No.,仓库不能为序​​列号改变 Warehouse is mandatory for stock Item {0} in row {1},仓库是强制性的股票项目{0}行{1} Warehouse is missing in Purchase Order,仓库在采购订单失踪 +Warehouse not found in the system,仓库系统中未找到 Warehouse required for stock Item {0},需要现货产品仓库{0} Warehouse required in POS Setting,在POS机需要设置仓库 Warehouse where you are maintaining stock of rejected items,仓库你在哪里维护拒绝的项目库存 @@ -3191,6 +3290,8 @@ Warranty / AMC Status,保修/ AMC状态 Warranty Expiry Date,保证期到期日 Warranty Period (Days),保修期限(天数) Warranty Period (in days),保修期限(天数) +We buy this Item,我们买这个项目 +We sell this Item,我们卖这种产品 Website,网站 Website Description,网站简介 Website Item Group,网站项目组 @@ -3217,6 +3318,7 @@ Will be calculated automatically when you enter the details,当你输入详细 Will be updated after Sales Invoice is Submitted.,之后销售发票已提交将被更新。 Will be updated when batched.,批处理时将被更新。 Will be updated when billed.,计费时将被更新。 +Wire Transfer,电汇 With Groups,与团体 With Ledgers,与总帐 With Operations,随着运营 @@ -3251,7 +3353,6 @@ Yearly,每年 Yes,是的 Yesterday,昨天 You are not allowed to create / edit reports,你不允许创建/编辑报道 -You are not allowed to create {0},你不允许创建{0} You are not allowed to export this report,你不准出口本报告 You are not allowed to print this document,你不允许打印此文档 You are not allowed to send emails related to this document,你是不是允许发送与此相关的文档的电子邮件 @@ -3269,12 +3370,15 @@ You can set Default Bank Account in Company master,您可以在公司主设置 You can start by selecting backup frequency and granting access for sync,您可以通过选择备份的频率和授权访问的同步启动 You can submit this Stock Reconciliation.,您可以提交该股票对账。 You can update either Quantity or Valuation Rate or both.,你可以更新数量或估值速率或两者兼而有之。 -You cannot credit and debit same account at the same time.,你无法信用卡和借记同一账户在同一时间。 +You cannot credit and debit same account at the same time,你无法信用卡和借记同一账户在同一时间 You have entered duplicate items. Please rectify and try again.,您输入重复的项目。请纠正,然后再试一次。 +You have unsaved changes in this form. Please save before you continue.,你在本表格未保存的更改。 You may need to update: {0},你可能需要更新: {0} You must Save the form before proceeding,在继续之前,您必须保存表单 +You must allocate amount before reconcile,调和之前,你必须分配金额 Your Customer's TAX registration numbers (if applicable) or any general information,你的客户的税务登记证号码(如适用)或任何股东信息 Your Customers,您的客户 +Your Login Id,您的登录ID Your Products or Services,您的产品或服务 Your Suppliers,您的供应商 "Your download is being built, this may take a few moments...",您的下载正在修建,这可能需要一些时间...... @@ -3285,6 +3389,7 @@ Your sales person who will contact the customer in future,你的销售人员谁 Your sales person will get a reminder on this date to contact the customer,您的销售人员将获得在此日期提醒联系客户 Your setup is complete. Refreshing...,你的设置就完成了。清爽... Your support email id - must be a valid email - this is where your emails will come!,您的支持电子邮件ID - 必须是一个有效的电子邮件 - 这就是你的邮件会来! +[Select],[选择] `Freeze Stocks Older Than` should be smaller than %d days.,`冻结股票早于`应该是%d天前小。 and,和 are not allowed.,项目组树 diff --git a/erpnext/translations/zh-tw.csv b/erpnext/translations/zh-tw.csv index 8ab24662d5..6115cdd760 100644 --- a/erpnext/translations/zh-tw.csv +++ b/erpnext/translations/zh-tw.csv @@ -26,14 +26,13 @@ 'From Date' must be after 'To Date',“起始日期”必須經過'終止日期' 'Has Serial No' can not be 'Yes' for non-stock item,'有序列號'不能為'是'非庫存項目 'Notification Email Addresses' not specified for recurring invoice,經常性發票未指定“通知電子郵件地址” -'Profit and Loss' type Account {0} used be set for Opening Entry,{0}用'損益表'類型的賬戶,打開輸入設置 'Profit and Loss' type account {0} not allowed in Opening Entry,“損益”賬戶類型{0}不開放允許入境 'To Case No.' cannot be less than 'From Case No.',“要案件編號”不能少於'從案號“ 'To Date' is required,“至今”是必需的 'Update Stock' for Sales Invoice {0} must be set,'更新庫存“的銷售發票{0}必須設置 * Will be calculated in the transaction.,*將被計算在該交易。 "1 Currency = [?] Fraction -For e.g. 1 USD = 100 Cent", +For e.g. 1 USD = 100 Cent",1貨幣= [?]分數\ n對於如 1. To maintain the customer wise item code and to make them searchable based on their code use this option,1。為了保持客戶明智的項目代碼,並使其搜索根據自己的代碼中使用這個選項 2 days ago,3天前 "Add / Edit","添加/編輯" @@ -70,8 +69,6 @@ Account with child nodes cannot be converted to ledger,賬戶與子節點不能 Account with existing transaction can not be converted to group.,帳戶與現有的事務不能被轉換成團。 Account with existing transaction can not be deleted,帳戶與現有的事務不能被刪除 Account with existing transaction cannot be converted to ledger,帳戶與現有的事務不能被轉換為總賬 -Account {0} already exists,帳戶{0}已存在 -Account {0} can only be updated via Stock Transactions,帳戶{0}只能通過股權交易進行更新 Account {0} cannot be a Group,帳戶{0}不能為集團 Account {0} does not belong to Company {1},帳戶{0}不屬於公司{1} Account {0} does not exist,帳戶{0}不存在 @@ -79,8 +76,9 @@ Account {0} has been entered more than once for fiscal year {1},帳戶{0}已多 Account {0} is frozen,帳戶{0}被凍結 Account {0} is inactive,帳戶{0}是無效的 Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item,帳戶{0}的類型必須為“固定資產”作為項目{1}是一個資產項目 -Account {0} must be sames as Credit To Account in Purchase Invoice in row {0},帳戶{0}必須是薩姆斯作為信貸帳戶購買發票行{0} -Account {0} must be sames as Debit To Account in Sales Invoice in row {0},帳戶{0}必須是薩姆斯作為借方賬戶的銷售發票行{0} +"Account: {0} can only be updated via \ + Stock Transactions",帳戶: {0}只能通過\更新\ n股票交易 +Accountant,會計 Accounting,會計 "Accounting Entries can be made against leaf nodes, called",會計分錄可以對葉節點進行,稱為 "Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.",會計分錄凍結截至目前為止,沒有人可以做/修改除以下指定角色條目。 @@ -145,10 +143,13 @@ Address Title is mandatory.,地址標題是強制性的。 Address Type,地址類型 Address master.,地址主人。 Administrative Expenses,行政開支 +Administrative Officer,政務主任 Advance Amount,提前量 Advance amount,提前量 Advances,進展 Advertisement,廣告 +Advertising,廣告 +Aerospace,航天 After Sale Installations,銷售後安裝 Against,針對 Against Account,針對帳戶 @@ -157,9 +158,11 @@ Against Docname,可採用DocName反對 Against Doctype,針對文檔類型 Against Document Detail No,對文件詳細說明暫無 Against Document No,對文件無 +Against Entries,對參賽作品 Against Expense Account,對費用帳戶 Against Income Account,對收入賬戶 Against Journal Voucher,對日記帳憑證 +Against Journal Voucher {0} does not have any unmatched {1} entry,對日記帳憑證{0}沒有任何無可比擬{1}項目 Against Purchase Invoice,對採購發票 Against Sales Invoice,對銷售發票 Against Sales Order,對銷售訂單 @@ -171,6 +174,8 @@ Ageing date is mandatory for opening entry,賬齡日期是強制性的打開進 Agent,代理人 Aging Date,老化時間 Aging Date is mandatory for opening entry,老化時間是強制性的打開進入 +Agriculture,農業 +Airline,航空公司 All Addresses.,所有地址。 All Contact,所有聯繫 All Contacts.,所有聯繫人。 @@ -188,14 +193,18 @@ All Supplier Types,所有供應商類型 All Territories,所有的領土 "All export related fields like currency, conversion rate, export total, export grand total etc are available in Delivery Note, POS, Quotation, Sales Invoice, Sales Order etc.",在送貨單, POS機,報價單,銷售發票,銷售訂單等可像貨幣,轉換率,進出口總額,出口總計等所有出口相關領域 "All import related fields like currency, conversion rate, import total, import grand total etc are available in Purchase Receipt, Supplier Quotation, Purchase Invoice, Purchase Order etc.",在外購入庫單,供應商報價單,採購發票,採購訂單等所有可像貨幣,轉換率,總進口,進口總計進口等相關領域 +All items have already been invoiced,所有項目已開具發票 All items have already been transferred for this Production Order.,所有的物品已經被轉移該生產訂單。 All these items have already been invoiced,所有這些項目已開具發票 Allocate,分配 +Allocate Amount Automatically,自動分配金額 Allocate leaves for a period.,分配葉子一段時間。 Allocate leaves for the year.,分配葉子的一年。 Allocated Amount,分配金額 Allocated Budget,分配預算 Allocated amount,分配量 +Allocated amount can not be negative,分配金額不能為負 +Allocated amount can not greater than unadusted amount,分配的金額不能超過unadusted量較大 Allow Bill of Materials,材料讓比爾 Allow Bill of Materials should be 'Yes'. Because one or many active BOMs present for this item,允許物料清單應該是'是' 。因為一個或目前這個項目的許多活動的材料明細表 Allow Children,允許兒童 @@ -223,10 +232,12 @@ Amount to Bill,帳單數額 An Customer exists with same name,一個客戶存在具有相同名稱 "An Item Group exists with same name, please change the item name or rename the item group",項目組存在具有相同名稱,請更改項目名稱或重命名的項目組 "An item exists with same name ({0}), please change the item group name or rename the item",具有相同名稱的項目存在( {0} ) ,請更改項目組名或重命名的項目 +Analyst,分析人士 Annual,全年 Another Period Closing Entry {0} has been made after {1},另一個期末錄入{0}作出後{1} Another Salary Structure {0} is active for employee {0}. Please make its status 'Inactive' to proceed.,另一種薪酬結構{0}是積極為員工{0} 。請其狀態“無效”繼續。 "Any other comments, noteworthy effort that should go in the records.",任何其他意見,值得注意的努力,應該在記錄中。 +Apparel & Accessories,服裝及配飾 Applicability,適用性 Applicable For,適用 Applicable Holiday List,適用假期表 @@ -248,6 +259,7 @@ Appraisal Template,評估模板 Appraisal Template Goal,考核目標模板 Appraisal Template Title,評估模板標題 Appraisal {0} created for Employee {1} in the given date range,鑑定{0}為員工在給定日期範圍{1}創建 +Apprentice,學徒 Approval Status,審批狀態 Approval Status must be 'Approved' or 'Rejected',審批狀態必須被“批准”或“拒絕” Approved,批准 @@ -264,9 +276,12 @@ Arrear Amount,欠款金額 As per Stock UOM,按庫存計量單位 "As there are existing stock transactions for this item, you can not change the values of 'Has Serial No', 'Is Stock Item' and 'Valuation Method'",首先從倉庫中取出,然後將其刪除。 Ascending,升序 +Asset,財富 Assign To,分配給 Assigned To,分配給 Assignments,作業 +Assistant,助理 +Associate,關聯 Atleast one warehouse is mandatory,ATLEAST一間倉庫是強制性的 Attach Document Print,附加文檔打印 Attach Image,附上圖片 @@ -293,6 +308,7 @@ Automatically compose message on submission of transactions.,自動編寫郵件 Automatically extract Job Applicants from a mail box , Automatically extract Leads from a mail box e.g.,從一個信箱,例如自動提取信息 Automatically updated via Stock Entry of type Manufacture/Repack,通過股票輸入型製造/重新包裝的自動更新 +Automotive,汽車 Autoreply when a new mail is received,在接收到新郵件時自動回复 Available,可用的 Available Qty at Warehouse,有貨數量在倉庫 @@ -333,6 +349,7 @@ Bank Account,銀行帳戶 Bank Account No.,銀行賬號 Bank Accounts,銀行賬戶 Bank Clearance Summary,銀行結算摘要 +Bank Draft,銀行匯票 Bank Name,銀行名稱 Bank Overdraft Account,銀行透支戶口 Bank Reconciliation,銀行對帳 @@ -340,6 +357,7 @@ Bank Reconciliation Detail,銀行對帳詳細 Bank Reconciliation Statement,銀行對帳表 Bank Voucher,銀行券 Bank/Cash Balance,銀行/現金結餘 +Banking,銀行業 Barcode,條碼 Barcode {0} already used in Item {1},條碼{0}已經用在項目{1} Based On,基於 @@ -348,7 +366,6 @@ Basic Info,基本信息 Basic Information,基本信息 Basic Rate,基礎速率 Basic Rate (Company Currency),基本速率(公司貨幣) -Basic Section,基本組 Batch,批量 Batch (lot) of an Item.,一批該產品的(很多)。 Batch Finished Date,批完成日期 @@ -377,6 +394,7 @@ Bills raised by Suppliers.,由供應商提出的法案。 Bills raised to Customers.,提高對客戶的賬單。 Bin,箱子 Bio,生物 +Biotechnology,生物技術 Birthday,生日 Block Date,座日期 Block Days,天座 @@ -393,6 +411,8 @@ Brand Name,商標名稱 Brand master.,品牌大師。 Brands,品牌 Breakdown,擊穿 +Broadcasting,廣播 +Brokerage,佣金 Budget,預算 Budget Allocated,分配的預算 Budget Detail,預算案詳情 @@ -405,6 +425,7 @@ Budget cannot be set for Group Cost Centers,預算不能為集團成本中心設 Build Report,建立舉報 Built on,建 Bundle items at time of sale.,捆綁項目在銷售時。 +Business Development Manager,業務發展經理 Buying,求購 Buying & Selling,購買與銷售 Buying Amount,客戶買入金額 @@ -484,7 +505,6 @@ Charity and Donations,慈善和捐款 Chart Name,圖表名稱 Chart of Accounts,科目表 Chart of Cost Centers,成本中心的圖 -Check for Duplicates,請在公司主\指定默認貨幣 Check how the newsletter looks in an email by sending it to your email.,如何檢查的通訊通過其發送到您的郵箱中查找電子郵件。 "Check if recurring invoice, uncheck to stop recurring or put proper End Date",檢查經常性發票,取消,停止經常性或將適當的結束日期 "Check if you need automatic recurring invoices. After submitting any sales invoice, Recurring section will be visible.",檢查是否需要自動週期性發票。提交任何銷售發票後,經常性部分可見。 @@ -496,6 +516,7 @@ Check this to pull emails from your mailbox,檢查這從你的郵箱的郵件拉 Check to activate,檢查啟動 Check to make Shipping Address,檢查並送貨地址 Check to make primary address,檢查以主地址 +Chemical,化學藥品 Cheque,支票 Cheque Date,支票日期 Cheque Number,支票號碼 @@ -535,6 +556,7 @@ Comma separated list of email addresses,逗號分隔的電子郵件地址列表 Comment,評論 Comments,評論 Commercial,廣告 +Commission,佣金 Commission Rate,佣金率 Commission Rate (%),佣金率(%) Commission on Sales,銷售佣金 @@ -568,6 +590,7 @@ Completed Production Orders,完成生產訂單 Completed Qty,完成數量 Completion Date,完成日期 Completion Status,完成狀態 +Computer,電腦 Computers,電腦 Confirmation Date,確認日期 Confirmed orders from Customers.,確認訂單的客戶。 @@ -575,10 +598,12 @@ Consider Tax or Charge for,考慮稅收或收費 Considered as Opening Balance,視為期初餘額 Considered as an Opening Balance,視為期初餘額 Consultant,顧問 +Consulting,諮詢 Consumable,耗材 Consumable Cost,耗材成本 Consumable cost per hour,每小時可消耗成本 Consumed Qty,消耗的數量 +Consumer Products,消費類產品 Contact,聯繫 Contact Control,接觸控制 Contact Desc,聯繫倒序 @@ -596,6 +621,7 @@ Contacts,往來 Content,內容 Content Type,內容類型 Contra Voucher,魂斗羅券 +Contract,合同 Contract End Date,合同結束日期 Contract End Date must be greater than Date of Joining,合同結束日期必須大於加入的日期 Contribution (%),貢獻(%) @@ -611,10 +637,10 @@ Convert to Ledger,轉換到總帳 Converted,轉換 Copy,複製 Copy From Item Group,複製從項目組 +Cosmetics,化妝品 Cost Center,成本中心 Cost Center Details,成本中心詳情 Cost Center Name,成本中心名稱 -Cost Center Name already exists,成本中心名稱已經存在 Cost Center is mandatory for Item {0},成本中心是強制性的項目{0} Cost Center is required for 'Profit and Loss' account {0},成本中心是必需的“損益”賬戶{0} Cost Center is required in row {0} in Taxes table for type {1},成本中心是必需的行{0}稅表型{1} @@ -648,6 +674,7 @@ Creation Time,創作時間 Credentials,證書 Credit,信用 Credit Amt,信用額 +Credit Card,信用卡 Credit Card Voucher,信用卡券 Credit Controller,信用控制器 Credit Days,信貸天 @@ -696,6 +723,7 @@ Customer Issue,客戶問題 Customer Issue against Serial No.,客戶對發行序列號 Customer Name,客戶名稱 Customer Naming By,客戶通過命名 +Customer Service,顧客服務 Customer database.,客戶數據庫。 Customer is required,客戶需 Customer master.,客戶主。 @@ -739,7 +767,6 @@ Debit Amt,借記額 Debit Note,繳費單 Debit To,借記 Debit and Credit not equal for this voucher. Difference is {0}.,借記和信用為這個券不相等。不同的是{0} 。 -Debit must equal Credit. The difference is {0},借方必須等於信用。所不同的是{0} Deduct,扣除 Deduction,扣除 Deduction Type,扣類型 @@ -779,6 +806,7 @@ Default settings for accounting transactions.,默認設置的會計事務。 Default settings for buying transactions.,默認設置為買入交易。 Default settings for selling transactions.,默認設置為賣出交易。 Default settings for stock transactions.,默認設置為股票交易。 +Defense,防禦 "Define Budget for this Cost Center. To set budget action, see Company Master","定義預算這個成本中心。要設置預算行動,見公司主" Delete,刪除 Delete Row,刪除行 @@ -805,19 +833,23 @@ Delivery Status,交貨狀態 Delivery Time,交貨時間 Delivery To,為了交付 Department,部門 +Department Stores,百貨 Depends on LWP,依賴於LWP Depreciation,折舊 Descending,降 Description,描述 Description HTML,說明HTML Designation,指定 +Designer,設計師 Detailed Breakup of the totals,總計詳細分手 Details,詳細信息 -Difference,差異 +Difference (Dr - Cr),差異(博士 - 鉻) Difference Account,差異帳戶 +"Difference Account must be a 'Liability' type account, since this Stock Reconciliation is an Opening Entry",差的帳戶必須是'責任'類型的帳戶,因為這個股票和解是一個開放報名 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.,不同計量單位的項目會導致不正確的(總)淨重值。確保每個項目的淨重是在同一個計量單位。 Direct Expenses,直接費用 Direct Income,直接收入 +Director,導演 Disable,關閉 Disable Rounded Total,禁用圓角總 Disabled,殘 @@ -829,6 +861,7 @@ Discount Amount,折扣金額 Discount Percentage,折扣百分比 Discount must be less than 100,折扣必須小於100 Discount(%),折讓(%) +Dispatch,調度 Display all the individual items delivered with the main items,顯示所有交付使用的主要項目的單個項目 Distribute transport overhead across items.,分佈到項目的傳輸開銷。 Distribution,分配 @@ -863,7 +896,7 @@ Download Template,下載模板 Download a report containing all raw materials with their latest inventory status,下載一個包含所有原料一份報告,他們最新的庫存狀態 "Download the Template, fill appropriate data and attach the modified file.",下載模板,填寫相應的數據,並附加了修改後的文件。 "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", +All dates and employee combination in the selected period will come in the template, with existing attendance records",下載模板,填寫相應的數據,並附加了修改後的文件。 \ n所有的日期,並在所選期間員工的組合會在模板中,與現有的考勤記錄 Draft,草案 Drafts,草稿箱 Drag to sort columns,拖動進行排序的列 @@ -876,11 +909,10 @@ Due Date cannot be after {0},截止日期後不能{0} Due Date cannot be before Posting Date,到期日不能寄發日期或之前 Duplicate Entry. Please check Authorization Rule {0},重複的條目。請檢查授權規則{0} Duplicate Serial No entered for Item {0},重複的序列號輸入的項目{0} +Duplicate entry,重複的條目 Duplicate row {0} with same {1},重複的行{0}同{1} Duties and Taxes,關稅和稅款 ERPNext Setup,ERPNext設置 -ESIC CARD No,ESIC卡無 -ESIC No.,ESIC號 Earliest,最早 Earnest Money,保證金 Earning,盈利 @@ -889,6 +921,7 @@ Earning Type,收入類型 Earning1,Earning1 Edit,編輯 Editable,編輯 +Education,教育 Educational Qualification,學歷 Educational Qualification Details,學歷詳情 Eg. smsgateway.com/api/send_sms.cgi,例如:。 smsgateway.com / API / send_sms.cgi @@ -898,6 +931,7 @@ Either target qty or target amount is mandatory.,無論是數量目標或目標 Electrical,電動 Electricity Cost,電力成本 Electricity cost per hour,每小時電費 +Electronics,電子 Email,電子郵件 Email Digest,電子郵件摘要 Email Digest Settings,電子郵件摘要設置 @@ -931,7 +965,6 @@ Employee Records to be created by,員工紀錄的創造者 Employee Settings,員工設置 Employee Type,員工類型 "Employee designation (e.g. CEO, Director etc.).",員工指定(例如總裁,總監等) 。 -Employee grade.,員工級。 Employee master.,員工大師。 Employee record is created using selected field. ,使用所選字段創建員工記錄。 Employee records.,員工記錄。 @@ -949,6 +982,8 @@ End Date,結束日期 End Date can not be less than Start Date,結束日期不能小於開始日期 End date of current invoice's period,當前發票的期限的最後一天 End of Life,壽命結束 +Energy,能源 +Engineer,工程師 Enter Value,輸入值 Enter Verification Code,輸入驗證碼 Enter campaign name if the source of lead is campaign.,輸入活動名稱,如果鉛的來源是運動。 @@ -961,6 +996,7 @@ Enter name of campaign if source of enquiry is campaign,輸入活動的名稱, Enter the company name under which Account Head will be created for this Supplier,輸入據此帳戶總的公司名稱將用於此供應商建立 Enter url parameter for message,輸入url參數的消息 Enter url parameter for receiver nos,輸入URL參數的接收器號 +Entertainment & Leisure,娛樂休閒 Entertainment Expenses,娛樂費用 Entries,項 Entries against,將成為 @@ -972,10 +1008,12 @@ Error: {0} > {1},錯誤: {0} > {1} Estimated Material Cost,預計材料成本 Everyone can read,每個人都可以閱讀 "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.", +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 #### # \ n如果串聯設置和序列號沒有在交易中提到,然後自動序列號將基於該系列被創建。 Exchange Rate,匯率 Excise Page Number,消費頁碼 Excise Voucher,消費券 +Execution,執行 +Executive Search,獵頭 Exemption Limit,免稅限額 Exhibition,展覽 Existing Customer,現有客戶 @@ -990,6 +1028,7 @@ Expected Delivery Date cannot be before Purchase Order Date,預計交貨日期 Expected Delivery Date cannot be before Sales Order Date,預計交貨日期不能前銷售訂單日期 Expected End Date,預計結束日期 Expected Start Date,預計開始日期 +Expense,費用 Expense Account,費用帳戶 Expense Account is mandatory,費用帳戶是必需的 Expense Claim,報銷 @@ -1007,7 +1046,7 @@ Expense Date,犧牲日期 Expense Details,費用詳情 Expense Head,總支出 Expense account is mandatory for item {0},交際費是強制性的項目{0} -Expense or Difference account is mandatory for Item {0} as there is difference in value,費用或差異帳戶是強制性的項目{0} ,因為在價值差異 +Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,費用或差異帳戶是強制性的項目{0} ,因為它影響整個股票價值 Expenses,開支 Expenses Booked,支出預訂 Expenses Included In Valuation,支出計入估值 @@ -1034,13 +1073,11 @@ File,文件 Files Folder ID,文件夾的ID Fill the form and save it,填寫表格,並將其保存 Filter,過濾器 -Filter By Amount,過濾器以交易金額計算 -Filter By Date,篩選通過日期 Filter based on customer,過濾器可根據客戶 Filter based on item,根據項目篩選 -Final Confirmation Date must be greater than Date of Joining,最後確認日期必須大於加入的日期 Financial / accounting year.,財務/會計年度。 Financial Analytics,財務分析 +Financial Services,金融服務 Financial Year End Date,財政年度年結日 Financial Year Start Date,財政年度開始日期 Finished Goods,成品 @@ -1052,6 +1089,7 @@ Fixed Assets,固定資產 Follow via Email,通過電子郵件跟隨 "Following table will show values if items are sub - contracted. These values will be fetched from the master of ""Bill of Materials"" of sub - contracted items.",下表將顯示值,如果項目有子 - 簽約。這些值將被從子的“材料清單”的主人進賬 - 已簽約的項目。 Food,食物 +"Food, Beverage & Tobacco",食品,飲料與煙草 For Company,對於公司 For Employee,對於員工 For Employee Name,對於員工姓名 @@ -1106,6 +1144,7 @@ Frozen,凍結的 Frozen Accounts Modifier,凍結帳戶修改 Fulfilled,適合 Full Name,全名 +Full-time,全日制 Fully Completed,全面完成 Furniture and Fixture,家具及固定裝置 Further accounts can be made under Groups but entries can be made against Ledger,進一步帳戶可以根據組進行,但項目可以對總帳進行 @@ -1125,14 +1164,15 @@ Generates HTML to include selected image in the description,生成HTML,包括 Get,得到 Get Advances Paid,獲取有償進展 Get Advances Received,取得進展收稿 +Get Against Entries,獲取對條目 Get Current Stock,獲取當前庫存 Get From ,得到 Get Items,找項目 Get Items From Sales Orders,獲取項目從銷售訂單 Get Items from BOM,獲取項目從物料清單 Get Last Purchase Rate,獲取最新預訂價 -Get Non Reconciled Entries,獲取非對帳項目 Get Outstanding Invoices,獲取未付發票 +Get Relevant Entries,獲取相關條目 Get Sales Orders,獲取銷售訂單 Get Specification Details,獲取詳細規格 Get Stock and Rate,獲取股票和速率 @@ -1151,14 +1191,13 @@ Goods received from Suppliers.,從供應商收到貨。 Google Drive,谷歌驅動器 Google Drive Access Allowed,谷歌驅動器允許訪問 Government,政府 -Grade,等級 Graduate,畢業生 Grand Total,累計 Grand Total (Company Currency),總計(公司貨幣) -Gratuity LIC ID,酬金LIC ID Greater or equals,大於或等於 Greater than,大於 "Grid """,電網“ +Grocery,雜貨 Gross Margin %,毛利率% Gross Margin Value,毛利率價值 Gross Pay,工資總額 @@ -1173,6 +1212,7 @@ Group by Account,集團賬戶 Group by Voucher,集團透過券 Group or Ledger,集團或Ledger Groups,組 +HR Manager,人力資源經理 HR Settings,人力資源設置 HTML / Banner that will show on the top of product list.,HTML /橫幅,將顯示在產品列表的頂部。 Half Day,半天 @@ -1183,7 +1223,9 @@ Hardware,硬件 Has Batch No,有批號 Has Child Node,有子節點 Has Serial No,有序列號 +Head of Marketing and Sales,營銷和銷售主管 Header,頭 +Health Care,保健 Health Concerns,健康問題 Health Details,健康細節 Held On,舉行 @@ -1266,6 +1308,7 @@ In Words will be visible once you save the Sales Invoice.,在詞將是可見的 In Words will be visible once you save the Sales Order.,在詞將是可見的,一旦你保存銷售訂單。 In response to,響應於 Incentives,獎勵 +Include Reconciled Entries,包括對賬項目 Include holidays in Total no. of Working Days,包括節假日的總數。工作日 Income,收入 Income / Expense,收入/支出 @@ -1302,7 +1345,9 @@ Installed Qty,安裝數量 Instructions,說明 Integrate incoming support emails to Support Ticket,支付工資的月份: Interested,有興趣 +Intern,實習生 Internal,內部 +Internet Publishing,互聯網出版 Introduction,介紹 Invalid Barcode or Serial No,無效的條碼或序列號 Invalid Email: {0},無效的電子郵件: {0} @@ -1313,6 +1358,7 @@ Invalid User Name or Support Password. Please rectify and try again.,無效的 Invalid quantity specified for item {0}. Quantity should be greater than 0.,為項目指定了無效的數量{0} 。量應大於0 。 Inventory,庫存 Inventory & Support,庫存與支持 +Investment Banking,投資銀行業務 Investments,投資 Invoice Date,發票日期 Invoice Details,發票明細 @@ -1430,6 +1476,9 @@ Item-wise Purchase History,項目明智的購買歷史 Item-wise Purchase Register,項目明智的購買登記 Item-wise Sales History,項目明智的銷售歷史 Item-wise Sales Register,項目明智的銷售登記 +"Item: {0} managed batch-wise, can not be reconciled using \ + Stock Reconciliation, instead use Stock Entry",貨號: {0}管理分批,不能使用\ \ ñ庫存對賬不甘心,改用股票輸入 +Item: {0} not found in the system,貨號: {0}沒有在系統中找到 Items,項目 Items To Be Requested,項目要請求 Items required,所需物品 @@ -1448,9 +1497,10 @@ Journal Entry,日記帳分錄 Journal Voucher,期刊券 Journal Voucher Detail,日記帳憑證詳細信息 Journal Voucher Detail No,日記帳憑證詳細說明暫無 -Journal Voucher {0} does not have account {1}.,記賬憑單{0}沒有帳號{1} 。 +Journal Voucher {0} does not have account {1} or already matched,記賬憑單{0}沒有帳號{1}或已經匹配 Journal Vouchers {0} are un-linked,日記帳憑單{0}被取消鏈接 Keep a track of communication related to this enquiry which will help for future reference.,保持跟踪的溝通與此相關的調查,這將有助於以供將來參考。 +Keep it web friendly 900px (w) by 100px (h),保持它的Web友好900px (寬)x 100像素(高) Key Performance Area,關鍵績效區 Key Responsibility Area,關鍵責任區 Kg,公斤 @@ -1506,7 +1556,6 @@ Leave blank if considered for all branches,離開,如果考慮所有分支空 Leave blank if considered for all departments,離開,如果考慮各部門的空白 Leave blank if considered for all designations,離開,如果考慮所有指定空白 Leave blank if considered for all employee types,離開,如果考慮所有的員工類型空白 -Leave blank if considered for all grades,離開,如果考慮所有級別空白 "Leave can be approved by users with Role, ""Leave Approver""",離開可以通過用戶與角色的批准,“給審批” Leave of type {0} cannot be longer than {1},請假類型{0}不能長於{1} Leaves Allocated Successfully for {0},葉分配成功為{0} @@ -1515,6 +1564,7 @@ Leaves must be allocated in multiples of 0.5,葉必須分配在0.5的倍數 Ledger,萊傑 Ledgers,總帳 Left,左 +Legal,法律 Legal Expenses,法律費用 Less or equals,小於或等於 Less than,小於 @@ -1522,16 +1572,16 @@ Letter Head,信頭 Letter Heads for print templates.,信頭的打印模板。 Level,級別 Lft,LFT +Liability,責任 Like,喜歡 Linked With,掛具 List,表 List a few of your customers. They could be organizations or individuals.,列出一些你的客戶。他們可以是組織或個人。 List a few of your suppliers. They could be organizations or individuals.,列出一些你的供應商。他們可以是組織或個人。 -"List a few products or services you buy from your suppliers or vendors. If these are same as your products, then do not add them.",列出你從你的供應商或供應商買幾個產品或服務。如果這些是與您的產品,那麼就不要添加它們。 List items that form the package.,形成包列表項。 List this Item in multiple groups on the website.,列出這個項目在網站上多個組。 -"List your products or services that you sell to your customers. Make sure to check the Item Group, Unit of Measure and other properties when you start.",列出您的產品或服務,你賣你的客戶。確保當你開始檢查項目組,測量及其他物業單位。 -"List your tax heads (e.g. VAT, Excise) (upto 3) and their standard rates. This will create a standard template, you can edit and add more later.",列出你的頭稅(如增值稅,消費稅)(截至3)和它們的標準費率。這將創建一個標準的模板,您可以編輯和更多的稍後添加。 +"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 your tax heads (e.g. VAT, Excise; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.",列出你的頭稅(如增值稅,消費稅,他們應該有唯一的名稱)及其標準費率。 Loading,載入中 Loading Report,加載報表 Loading...,載入中... @@ -1598,6 +1648,8 @@ Manage Customer Group Tree.,管理客戶組樹。 Manage Sales Person Tree.,管理銷售人員樹。 Manage Territory Tree.,管理領地樹。 Manage cost of operations,管理運營成本 +Management,管理 +Manager,經理 Mandatory fields required in {0},在需要的必填字段{0} Mandatory filters required:\n,需要強制性的過濾器: \ ñ "Mandatory if Stock Item is ""Yes"". Also the default warehouse where reserved quantity is set from Sales Order.",如果股票的強制性項目為“是”。也是默認倉庫,保留數量從銷售訂單設置。 @@ -1614,6 +1666,7 @@ Manufacturing Quantity is mandatory,付款方式 Margin,餘量 Marital Status,婚姻狀況 Market Segment,市場分類 +Marketing,市場營銷 Marketing Expenses,市場推廣開支 Married,已婚 Mass Mailing,郵件群發 @@ -1640,6 +1693,7 @@ Material Requirement,物料需求 Material Transfer,材料轉讓 Materials,物料 Materials Required (Exploded),所需材料(分解) +Max 5 characters,最多5個字符 Max Days Leave Allowed,最大天假寵物 Max Discount (%),最大折讓(%) Max Qty,最大數量的 @@ -1648,7 +1702,7 @@ Maximum {0} rows allowed,最大{0}行獲准 Maxiumm discount for Item {0} is {1}%,對於項目Maxiumm折扣{0} {1} % Medical,醫 Medium,中 -"Merging is only possible if following properties are same in both records. Group or Ledger, Report Type, Company",合併是唯一可能的,如果下面的屬性是相同的兩個記錄。集團或總帳,報表類型,公司 +"Merging is only possible if following properties are same in both records. Group or Ledger, Root Type, Company",合併是唯一可能的,如果下面的屬性是相同的兩個記錄。 Message,信息 Message Parameter,消息參數 Message Sent,發送消息 @@ -1662,6 +1716,7 @@ Milestones,里程碑 Milestones will be added as Events in the Calendar,里程碑將被添加為日曆事件 Min Order Qty,最小訂貨量 Min Qty,最小數量 +Min Qty can not be greater than Max Qty,最小數量不能大於最大數量的 Minimum Order Qty,最低起訂量 Minute,分鐘 Misc Details,其它詳細信息 @@ -1684,6 +1739,7 @@ Monthly salary statement.,月薪聲明。 More,更多 More Details,更多詳情 More Info,更多信息 +Motion Picture & Video,電影和視頻 Move Down: {0},下移: {0} Move Up: {0},上移: {0} Moving Average,移動平均線 @@ -1691,6 +1747,9 @@ Moving Average Rate,移動平均房價 Mr,先生 Ms,女士 Multiple Item prices.,多個項目的價格。 +"Multiple Price Rule exists with same criteria, please resolve \ + conflict by assigning priority. Price Rules: {0}",多價規則存在具有相同的標準,請通過分配優先解決\ \ ñ衝突。 +Music,音樂 Must be Whole Number,必須是整數 My Settings,我的設置 Name,名稱 @@ -1702,7 +1761,9 @@ Name not permitted,名稱不允許 Name of person or organization that this address belongs to.,的人或組織該地址所屬的命名。 Name of the Budget Distribution,在預算分配的名稱 Naming Series,命名系列 +Negative Quantity is not allowed,負數量是不允許 Negative Stock Error ({6}) for Item {0} in Warehouse {1} on {2} {3} in {4} {5},負庫存錯誤( {6})的項目{0}在倉庫{1}在{2} {3} {4} {5} +Negative Valuation Rate is not allowed,負面評價率是不允許的 Negative balance in Batch {0} for Item {1} at Warehouse {2} on {3} {4},在批處理負平衡{0}項目{1}在倉庫{2}在{3} {4} Net Pay,淨收費 Net Pay (in words) will be visible once you save the Salary Slip.,淨收費(字)將會看到,一旦你保存工資單。 @@ -1750,6 +1811,7 @@ Newsletter Status,通訊狀態 Newsletter has already been sent,通訊已發送 Newsletters is not allowed for Trial users,簡訊不允許用戶試用 "Newsletters to contacts, leads.",通訊,聯繫人,線索。 +Newspaper Publishers,報紙出版商 Next,下一個 Next Contact By,接著聯繫到 Next Contact Date,下一步聯絡日期 @@ -1773,17 +1835,18 @@ No Results,沒有結果 No Supplier Accounts found. Supplier Accounts are identified based on 'Master Type' value in account record.,#,## # ### No accounting entries for the following warehouses,沒有以下的倉庫會計分錄 No addresses created,沒有發起任何地址 -No amount allocated,無分配金額 No contacts created,沒有發起任何接觸 No default BOM exists for Item {0},默認情況下不存在的BOM項目為{0} No description given,未提供描述 No document selected,沒有選擇文件 No employee found,任何員工發現 +No employee found!,任何員工發現! No of Requested SMS,無的請求短信 No of Sent SMS,沒有發送短信 No of Visits,沒有訪問量的 No one,沒有人 No permission,沒有權限 +No permission to '{0}' {1},沒有權限“{0}” {1} No permission to edit,無權限進行編輯 No record found,沒有資料 No records tagged.,沒有記錄標記。 @@ -1843,6 +1906,7 @@ Old Parent,老家長 On Net Total,在總淨 On Previous Row Amount,在上一行金額 On Previous Row Total,在上一行共 +Online Auctions,網上拍賣 Only Leave Applications with status 'Approved' can be submitted,只留下帶有狀態的應用“已批准” ,可以提交 "Only Serial Nos with status ""Available"" can be delivered.",只有串行NOS與狀態“可用”可交付使用。 Only leaf nodes are allowed in transaction,只有葉節點中允許交易 @@ -1888,6 +1952,7 @@ Organization Name,組織名稱 Organization Profile,組織簡介 Organization branch master.,組織分支主。 Organization unit (department) master.,組織單位(部門)的主人。 +Original Amount,原來的金額 Original Message,原始消息 Other,其他 Other Details,其他詳細信息 @@ -1905,9 +1970,6 @@ Overlapping conditions found between:,之間存在重疊的條件: Overview,概觀 Owned,資 Owner,業主 -PAN Number,潘號碼 -PF No.,PF號 -PF Number,PF數 PL or BS,PL或BS PO Date,PO日期 PO No,訂單號碼 @@ -1919,7 +1981,6 @@ POS Setting,POS機設置 POS Setting required to make POS Entry,使POS機輸入所需設置POS機 POS Setting {0} already created for user: {1} and company {2},POS機設置{0}用戶已創建: {1}和公司{2} POS View,POS機查看 -POS-Setting-.#,POS-設置 - # PR Detail,PR詳細 PR Posting Date,公關寄發日期 Package Item Details,包裝物品詳情 @@ -1955,6 +2016,7 @@ Parent Website Route,父網站路線 Parent account can not be a ledger,家長帳戶不能是一個總賬 Parent account does not exist,家長帳戶不存在 Parenttype,Parenttype +Part-time,兼任 Partially Completed,部分完成 Partly Billed,天色帳單 Partly Delivered,部分交付 @@ -1972,7 +2034,6 @@ Payables,應付賬款 Payables Group,集團的應付款項 Payment Days,金天 Payment Due Date,付款到期日 -Payment Entries,付款項 Payment Period Based On Invoice Date,已經提交。 Payment Type,針對選擇您要分配款項的發票。 Payment of salary for the month {0} and year {1},支付工資的月{0}和年{1} @@ -1989,6 +2050,7 @@ Pending Amount,待審核金額 Pending Items {0} updated,待批項目{0}更新 Pending Review,待審核 Pending SO Items For Purchase Request,待處理的SO項目對於採購申請 +Pension Funds,養老基金 Percent Complete,完成百分比 Percentage Allocation,百分比分配 Percentage Allocation should be equal to 100%,百分比分配應該等於100 % @@ -1997,7 +2059,6 @@ Percentage you are allowed to receive or deliver more against the quantity order Performance appraisal.,績效考核。 Period,期 Period Closing Voucher,期末券 -Period is too short,期太短 Periodicity,週期性 Permanent Address,永久地址 Permanent Address Is,永久地址 @@ -2009,15 +2070,18 @@ Personal,個人 Personal Details,個人資料 Personal Email,個人電子郵件 Pharmaceutical,醫藥 +Pharmaceuticals,製藥 Phone,電話 Phone No,電話號碼 Pick Columns,摘列 +Piecework,計件工作 Pincode,PIN代碼 Place of Issue,簽發地點 Plan for maintenance visits.,規劃維護訪問。 Planned Qty,計劃數量 "Planned Qty: Quantity, for which, Production Order has been raised, but is pending to be manufactured.",計劃數量:數量,為此,生產訂單已經提高,但正在等待被製造。 Planned Quantity,計劃數量 +Planning,規劃 Plant,廠 Plant and Machinery,廠房及機器 Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,請輸入縮寫或簡稱恰當,因為它會被添加為後綴的所有帳戶頭。 @@ -2054,7 +2118,6 @@ Please enter Planned Qty for Item {0} at row {1},請輸入計劃數量的項目{ Please enter Production Item first,請先輸入生產項目 Please enter Purchase Receipt No to proceed,請輸入外購入庫單沒有進行 Please enter Reference date,參考日期請輸入 -Please enter Start Date and End Date,請輸入開始日期和結束日期 Please enter Warehouse for which Material Request will be raised,請重新拉。 Please enter Write Off Account,請輸入核銷帳戶 Please enter atleast 1 invoice in the table,請在表中輸入ATLEAST 1發票 @@ -2103,9 +2166,9 @@ Please select item code,請選擇商品代碼 Please select month and year,請選擇年份和月份 Please select prefix first,請選擇前綴第一 Please select the document type first,請選擇文檔類型第一 -Please select valid Voucher No to proceed,請選擇有效的優惠券沒有繼續進行 Please select weekly off day,請選擇每週休息日 Please select {0},請選擇{0} +Please select {0} first,請選擇{0}第一 Please set Dropbox access keys in your site config,請在您的網站配置設置Dropbox的訪問鍵 Please set Google Drive access keys in {0},請設置谷歌驅動器的訪問鍵{0} Please set default Cash or Bank account in Mode of Payment {0},請設置默認的現金或銀行賬戶的付款方式{0} @@ -2121,6 +2184,7 @@ Please specify Default Currency in Company Master and Global Defaults,請在公 Please specify a,請指定一個 Please specify a valid 'From Case No.',請指定一個有效的“從案號” Please specify a valid Row ID for {0} in row {1},行{0}請指定一個有效的行ID {1} +Please specify either Quantity or Valuation Rate or both,請註明無論是數量或估價率或兩者 Please submit to update Leave Balance.,請提交更新休假餘額。 Plot,情節 Plot By,陰謀 @@ -2170,11 +2234,14 @@ Print and Stationary,印刷和文具 Print...,打印... Printing and Branding,印刷及品牌 Priority,優先 +Private Equity,私募股權投資 Privilege Leave,特權休假 +Probation,緩刑 Process Payroll,處理工資 Produced,生產 Produced Quantity,生產的產品數量 Product Enquiry,產品查詢 +Production,生產 Production Order,生產訂單 Production Order status is {0},生產訂單狀態為{0} Production Order {0} must be cancelled before cancelling this Sales Order,生產訂單{0}必須取消這個銷售訂單之前被取消 @@ -2187,12 +2254,12 @@ Production Plan Sales Order,生產計劃銷售訂單 Production Plan Sales Orders,生產計劃銷售訂單 Production Planning Tool,生產規劃工具 Products,產品展示 -Products or Services You Buy,產品或服務您選購 "Products will be sorted by weight-age in default searches. More the weight-age, higher the product will appear in the list.",產品將重量年齡在默認搜索排序。更多的重量,年齡,更高的產品會出現在列表中。 Profit and Loss,損益 Project,項目 Project Costing,項目成本核算 Project Details,項目詳情 +Project Manager,項目經理 Project Milestone,項目里程碑 Project Milestones,項目里程碑 Project Name,項目名稱 @@ -2209,9 +2276,10 @@ Projected Qty,預計數量 Projects,項目 Projects & System,工程及系統 Prompt for Email on Submission of,提示電子郵件的提交 +Proposal Writing,提案寫作 Provide email id registered in company,提供的電子郵件ID在公司註冊 Public,公 -Pull Payment Entries,拉付款項 +Publishing,出版 Pull sales orders (pending to deliver) based on the above criteria,基於上述標準拉銷售訂單(待定提供) Purchase,採購 Purchase / Manufacture Details,採購/製造詳細信息 @@ -2277,6 +2345,7 @@ Quality Inspection Parameters,質量檢驗參數 Quality Inspection Reading,質量檢驗閱讀 Quality Inspection Readings,質量檢驗讀物 Quality Inspection required for Item {0},要求項目質量檢驗{0} +Quality Management,質量管理 Quantity,數量 Quantity Requested for Purchase,需求數量的購買 Quantity and Rate,數量和速率 @@ -2340,6 +2409,7 @@ Reading 6,6閱讀 Reading 7,7閱讀 Reading 8,閱讀8 Reading 9,9閱讀 +Real Estate,房地產 Reason,原因 Reason for Leaving,離職原因 Reason for Resignation,原因辭職 @@ -2358,6 +2428,7 @@ Receiver List,接收器列表 Receiver List is empty. Please create Receiver List,接收器列表為空。請創建接收器列表 Receiver Parameter,接收機參數 Recipients,受助人 +Reconcile,調和 Reconciliation Data,數據對賬 Reconciliation HTML,和解的HTML Reconciliation JSON,JSON對賬 @@ -2407,6 +2478,7 @@ Report,報告 Report Date,報告日期 Report Type,報告類型 Report Type is mandatory,報告類型是強制性的 +Report an Issue,報告問題 Report was not saved (there were errors),報告沒有被保存(有錯誤) Reports to,報告以 Reqd By Date,REQD按日期 @@ -2425,6 +2497,9 @@ Required Date,所需時間 Required Qty,所需數量 Required only for sample item.,只對樣品項目所需。 Required raw materials issued to the supplier for producing a sub - contracted item.,發給供應商,生產子所需的原材料 - 承包項目。 +Research,研究 +Research & Development,研究與發展 +Researcher,研究員 Reseller,經銷商 Reserved,保留的 Reserved Qty,保留數量 @@ -2444,11 +2519,14 @@ Resolution Details,詳細解析 Resolved By,議決 Rest Of The World,世界其他地區 Retail,零售 +Retail & Wholesale,零售及批發 Retailer,零售商 Review Date,評論日期 Rgt,RGT Role Allowed to edit frozen stock,角色可以編輯凍結股票 Role that is allowed to submit transactions that exceed credit limits set.,作用是允許提交超過設定信用額度交易的。 +Root Type,根類型 +Root Type is mandatory,根類型是強制性的 Root account can not be deleted,root帳號不能被刪除 Root cannot be edited.,根不能被編輯。 Root cannot have a parent cost center,根本不能有一個父成本中心 @@ -2456,6 +2534,16 @@ Rounded Off,四捨五入 Rounded Total,總圓角 Rounded Total (Company Currency),圓潤的總計(公司貨幣) Row # ,行# +Row # {0}: , +"Row {0}: Account does not match with \ + Purchase Invoice Credit To account",行{0} :帳號不與\ \ ñ採購發票計入帳戶相匹配, +"Row {0}: Account does not match with \ + Sales Invoice Debit To account",行{0} :帳號不與\ \ ñ銷售發票借記帳戶相匹配, +Row {0}: Credit entry can not be linked with a Purchase Invoice,行{0} :信用記錄無法與採購發票聯 +Row {0}: Debit entry can not be linked with a Sales Invoice,行{0} :借記不能與一個銷售發票聯 +"Row {0}: To set {1} periodicity, difference between from and to date \ + must be greater than or equal to {2}",行{0} :設置{1}的週期性,從和到日期\ \ n的差必須大於或等於{2} +Row {0}:Start Date must be before End Date,行{0} :開始日期必須是之前結束日期 Rules for adding shipping costs.,規則增加運輸成本。 Rules for applying pricing and discount.,規則適用的定價和折扣。 Rules to calculate shipping amount for a sale,規則來計算銷售運輸量 @@ -2547,7 +2635,6 @@ Schedule,時間表 Schedule Date,時間表日期 Schedule Details,計劃詳細信息 Scheduled,預定 -Scheduled Confirmation Date must be greater than Date of Joining,預定確認日期必須大於加入的日期 Scheduled Date,預定日期 Scheduled to send to {0},原定發送到{0} Scheduled to send to {0} recipients,原定發送到{0}受助人 @@ -2559,7 +2646,9 @@ Score must be less than or equal to 5,得分必須小於或等於5 Scrap %,廢鋼% Search,搜索 Seasonality for setting budgets.,季節性設定預算。 +Secretary,秘書 Secured Loans,抵押貸款 +Securities & Commodity Exchanges,證券及商品交易所 Securities and Deposits,證券及存款 "See ""Rate Of Materials Based On"" in Costing Section",見“率材料基於”在成本核算節 "Select ""Yes"" for sub - contracting items",選擇“是”子 - 承包項目 @@ -2589,7 +2678,6 @@ Select dates to create a new ,選擇日期以創建一個新的 Select or drag across time slots to create a new event.,選擇或拖動整個時隙,以創建一個新的事件。 Select template from which you want to get the Goals,選擇您想要得到的目標模板 Select the Employee for whom you are creating the Appraisal.,選擇要為其創建的考核員工。 -Select the Invoice against which you want to allocate payments.,10 。添加或減去:無論你想添加或扣除的稅款。 Select the period when the invoice will be generated automatically,當選擇發票會自動生成期間 Select the relevant company name if you have multiple companies,選擇相關的公司名稱,如果您有多個公司 Select the relevant company name if you have multiple companies.,如果您有多個公司選擇相關的公司名稱。 @@ -2640,7 +2728,8 @@ Serial No {0} status must be 'Available' to Deliver,序列號{0}的狀態必須 Serial Nos Required for Serialized Item {0},序列號為必填項序列為{0} Serial Number Series,序列號系列 Serial number {0} entered more than once,序號{0}多次輸入 -Serialized Item {0} cannot be updated using Stock Reconciliation,序列化的項目{0}無法使用股票對賬更新 +"Serialized Item {0} cannot be updated \ + using Stock Reconciliation",序列化的項目{0}使用庫存對賬不能更新\ \ ñ Series,系列 Series List for this Transaction,系列對表本交易 Series Updated,系列更新 @@ -2655,7 +2744,6 @@ Set,集 "Set Default Values like Company, Currency, Current Fiscal Year, etc.",像公司,貨幣,當前財政年度,等設置默認值 Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,設置這個領地項目組間的預算。您還可以包括季節性通過設置分發。 Set Link,設置鏈接 -Set allocated amount against each Payment Entry and click 'Allocate'.,是不允許的。 Set as Default,設置為默認 Set as Lost,設為失落 Set prefix for numbering series on your transactions,為你的交易編號序列設置的前綴 @@ -2706,6 +2794,9 @@ Single,單 Single unit of an Item.,該產品的一個單元。 Sit tight while your system is being setup. This may take a few moments.,穩坐在您的系統正在安裝。這可能需要一些時間。 Slideshow,連續播放 +Soap & Detergent,肥皂和洗滌劑 +Software,軟件 +Software Developer,軟件開發人員 Sorry we were unable to find what you were looking for.,對不起,我們無法找到您所期待的。 Sorry you are not permitted to view this page.,對不起,您沒有權限瀏覽這個頁面。 "Sorry, Serial Nos cannot be merged",對不起,序列號無法合併 @@ -2719,8 +2810,6 @@ Source of Funds (Liabilities),資金來源(負債) Source warehouse is mandatory for row {0},源倉庫是強制性的行{0} Spartan,斯巴達 "Special Characters except ""-"" and ""/"" not allowed in naming series",除了特殊字符“ - ”和“/”未命名中不允許系列 -Special Characters not allowed in Abbreviation,在縮寫不允許特殊字符 -Special Characters not allowed in Company Name,在企業名稱不允許特殊字符 Specification Details,詳細規格 Specifications,產品規格 "Specify a list of Territories, for which, this Price List is valid",指定領土的名單,為此,本價格表是有效的 @@ -2728,16 +2817,18 @@ Specifications,產品規格 "Specify a list of Territories, for which, this Taxes Master is valid",新界指定一個列表,其中,該稅金法師是有效的 "Specify the operations, operating cost and give a unique Operation no to your operations.",與全球默認值 Split Delivery Note into packages.,分裂送貨單成包。 +Sports,體育 Standard,標準 +Standard Buying,標準採購 Standard Rate,標準房價 Standard Reports,標準報告 +Standard Selling,標準銷售 Standard contract terms for Sales or Purchase.,標準合同條款的銷售或採購。 Start,開始 Start Date,開始日期 Start Report For,啟動年報 Start date of current invoice's period,啟動電流發票的日期內 Start date should be less than end date for Item {0},開始日期必須小於結束日期項目{0} -Start date should be less than end date.,開始日期必須小於結束日期。 State,態 Static Parameters,靜態參數 Status,狀態 @@ -2820,15 +2911,12 @@ Supplier Part Number,供應商零件編號 Supplier Quotation,供應商報價 Supplier Quotation Item,供應商報價項目 Supplier Reference,信用參考 -Supplier Shipment Date,供應商出貨日期 -Supplier Shipment No,供應商出貨無 Supplier Type,供應商類型 Supplier Type / Supplier,供應商類型/供應商 Supplier Type master.,供應商類型高手。 Supplier Warehouse,供應商倉庫 Supplier Warehouse mandatory for sub-contracted Purchase Receipt,供應商倉庫強制性分包外購入庫單 Supplier database.,供應商數據庫。 -Supplier delivery number duplicate in {0},在供應商交貨編號重複的{0} Supplier master.,供應商主。 Supplier warehouse where you have issued raw materials for sub - contracting,供應商的倉庫,你已發出原材料子 - 承包 Supplier-Wise Sales Analytics,可在首頁所有像貨幣,轉換率,總進口,進口總計進口等相關領域 @@ -2869,7 +2957,7 @@ Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are no Tax Rate,稅率 Tax and other salary deductions.,稅務及其他薪金中扣除。 "Tax detail table fetched from item master as a string and stored in this field. -Used for Taxes and Charges", +Used for Taxes and Charges",稅務詳細表由項目主作為一個字符串,並存儲在此字段中取出。 \ n已使用的稅費和費用 Tax template for buying transactions.,稅務模板購買交易。 Tax template for selling transactions.,稅務模板賣出的交易。 Taxable,應課稅 @@ -2881,13 +2969,16 @@ Taxes and Charges Deducted,稅收和費用扣除 Taxes and Charges Deducted (Company Currency),稅收和扣除(公司貨幣) Taxes and Charges Total,稅費總計 Taxes and Charges Total (Company Currency),營業稅金及費用合計(公司貨幣) +Technology,技術 +Telecommunications,電信 Telephone Expenses,電話費 +Television,電視 Template for performance appraisals.,模板的績效考核。 Template of terms or contract.,模板條款或合同。 -Temporary Account (Assets),臨時賬戶(資產) -Temporary Account (Liabilities),臨時賬戶(負債) Temporary Accounts (Assets),臨時賬戶(資產) Temporary Accounts (Liabilities),臨時賬戶(負債) +Temporary Assets,臨時資產 +Temporary Liabilities,臨時負債 Term Details,長期詳情 Terms,條款 Terms and Conditions,條款和條件 @@ -2912,7 +3003,7 @@ The First User: You,第一個用戶:您 The Organization,本組織 "The account head under Liability, in which Profit/Loss will be booked",根據責任賬號頭,其中利潤/虧損將被黃牌警告 "The date on which next invoice will be generated. It is generated on submit. -", +",在這接下來的發票將生成的日期。 The date on which recurring invoice will be stop,在其經常性發票將被停止日期 "The day of the month on which auto invoice will be generated e.g. 05, 28 etc ",這個月的日子,汽車發票將會產生如05,28等 The day(s) on which you are applying for leave are holiday. You need not apply for leave.,在天在你申請許可的假期。你不需要申請許可。 @@ -2997,6 +3088,8 @@ To track items using barcode. You will be able to enter items in Delivery Note a Tools,工具 Total,總 Total Advance,總墊款 +Total Allocated Amount,合計分配金額 +Total Allocated Amount can not be greater than unmatched amount,合計分配的金額不能大於無與倫比的金額 Total Amount,總金額 Total Amount To Pay,支付總計 Total Amount in Words,總金額詞 @@ -3006,6 +3099,7 @@ Total Commission,總委員會 Total Cost,總成本 Total Credit,總積分 Total Debit,總借記 +Total Debit must be equal to Total Credit. The difference is {0},總借記必須等於總積分。 Total Deduction,扣除總額 Total Earning,總盈利 Total Experience,總經驗 @@ -3033,8 +3127,10 @@ Total in words,總字 Total points for all goals should be 100. It is {0},總積分為所有的目標應該是100 ,這是{0} Total weightage assigned should be 100%. It is {0},分配的總權重應為100 % 。這是{0} Totals,總計 +Track Leads by Industry Type.,軌道信息通過行業類型。 Track this Delivery Note against any Project,跟踪此送貨單反對任何項目 Track this Sales Order against any Project,跟踪對任何項目這個銷售訂單 +Trainee,實習生 Transaction,交易 Transaction Date,交易日期 Transaction not allowed against stopped Production Order {0},交易不反對停止生產訂單允許{0} @@ -3042,10 +3138,10 @@ Transfer,轉讓 Transfer Material,轉印材料 Transfer Raw Materials,轉移原材料 Transferred Qty,轉讓數量 +Transportation,運輸 Transporter Info,轉運信息 Transporter Name,轉運名稱 Transporter lorry number,轉運貨車數量 -Trash Reason,垃圾桶原因 Travel,旅遊 Travel Expenses,差旅費 Tree Type,樹類型 @@ -3149,6 +3245,7 @@ Value,值 Value or Qty,價值或數量 Vehicle Dispatch Date,車輛調度日期 Vehicle No,車輛無 +Venture Capital,創業投資 Verified By,認證機構 View Ledger,查看總帳 View Now,立即觀看 @@ -3157,6 +3254,7 @@ Voucher #,# ## #,## Voucher Detail No,券詳細說明暫無 Voucher ID,優惠券編號 Voucher No,無憑證 +Voucher No is not valid,無憑證無效 Voucher Type,憑證類型 Voucher Type and Date,憑證類型和日期 Walk In,走在 @@ -3171,6 +3269,7 @@ Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt Warehouse cannot be changed for Serial No.,倉庫不能為序列號改變 Warehouse is mandatory for stock Item {0} in row {1},倉庫是強制性的股票項目{0}行{1} Warehouse is missing in Purchase Order,倉庫在採購訂單失踪 +Warehouse not found in the system,倉庫系統中未找到 Warehouse required for stock Item {0},需要現貨產品倉庫{0} Warehouse required in POS Setting,在POS機需要設置倉庫 Warehouse where you are maintaining stock of rejected items,倉庫你在哪裡維護拒絕的項目庫存 @@ -3191,6 +3290,8 @@ Warranty / AMC Status,保修/ AMC狀態 Warranty Expiry Date,保證期到期日 Warranty Period (Days),保修期限(天數) Warranty Period (in days),保修期限(天數) +We buy this Item,我們買這個項目 +We sell this Item,我們賣這種產品 Website,網站 Website Description,網站簡介 Website Item Group,網站項目組 @@ -3217,6 +3318,7 @@ Will be calculated automatically when you enter the details,當你輸入詳細 Will be updated after Sales Invoice is Submitted.,之後銷售發票已提交將被更新。 Will be updated when batched.,批處理時將被更新。 Will be updated when billed.,計費時將被更新。 +Wire Transfer,電匯 With Groups,與團體 With Ledgers,與總帳 With Operations,隨著運營 @@ -3251,7 +3353,6 @@ Yearly,每年 Yes,是的 Yesterday,昨天 You are not allowed to create / edit reports,你不允許創建/編輯報導 -You are not allowed to create {0},你不允許創建{0} You are not allowed to export this report,你不准出口本報告 You are not allowed to print this document,你不允許打印此文檔 You are not allowed to send emails related to this document,你是不是允許發送與此相關的文檔的電子郵件 @@ -3269,12 +3370,15 @@ You can set Default Bank Account in Company master,您可以在公司主設置 You can start by selecting backup frequency and granting access for sync,您可以通過選擇備份的頻率和授權訪問的同步啟動 You can submit this Stock Reconciliation.,您可以提交該股票對賬。 You can update either Quantity or Valuation Rate or both.,你可以更新數量或估值速率或兩者兼而有之。 -You cannot credit and debit same account at the same time.,你無法信用卡和借記同一賬戶在同一時間。 +You cannot credit and debit same account at the same time,你無法信用卡和借記同一賬戶在同一時間 You have entered duplicate items. Please rectify and try again.,您輸入重複的項目。請糾正,然後再試一次。 +You have unsaved changes in this form. Please save before you continue.,你在本表格未保存的更改。 You may need to update: {0},你可能需要更新: {0} You must Save the form before proceeding,在繼續之前,您必須保存表單 +You must allocate amount before reconcile,調和之前,你必須分配金額 Your Customer's TAX registration numbers (if applicable) or any general information,你的客戶的稅務登記證號碼(如適用)或任何股東信息 Your Customers,您的客戶 +Your Login Id,您的登錄ID Your Products or Services,您的產品或服務 Your Suppliers,您的供應商 "Your download is being built, this may take a few moments...",您的下載正在修建,這可能需要一些時間...... @@ -3285,6 +3389,7 @@ Your sales person who will contact the customer in future,你的銷售人員誰 Your sales person will get a reminder on this date to contact the customer,您的銷售人員將獲得在此日期提醒聯繫客戶 Your setup is complete. Refreshing...,你的設置就完成了。清爽... Your support email id - must be a valid email - this is where your emails will come!,您的支持電子郵件ID - 必須是一個有效的電子郵件 - 這就是你的郵件會來! +[Select],[選擇] `Freeze Stocks Older Than` should be smaller than %d days.,`凍結股票早於`應該是%d天前小。 and,和 are not allowed.,項目組樹 From 8d321446adaab85b9fc8819ecd05827547bc8193 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Fri, 23 May 2014 10:29:37 +0530 Subject: [PATCH 019/630] Updated translations --- erpnext/translations/ar.csv | 221 -------------------------------- erpnext/translations/de.csv | 221 -------------------------------- erpnext/translations/el.csv | 221 -------------------------------- erpnext/translations/es.csv | 221 -------------------------------- erpnext/translations/fr.csv | 221 -------------------------------- erpnext/translations/hi.csv | 221 -------------------------------- erpnext/translations/hr.csv | 221 -------------------------------- erpnext/translations/it.csv | 221 -------------------------------- erpnext/translations/kn.csv | 221 -------------------------------- erpnext/translations/nl.csv | 223 +------------------------------- erpnext/translations/pt-BR.csv | 221 -------------------------------- erpnext/translations/pt.csv | 221 -------------------------------- erpnext/translations/sr.csv | 221 -------------------------------- erpnext/translations/ta.csv | 221 -------------------------------- erpnext/translations/th.csv | 223 +------------------------------- erpnext/translations/zh-cn.csv | 223 +------------------------------- erpnext/translations/zh-tw.csv | 225 +-------------------------------- 17 files changed, 5 insertions(+), 3762 deletions(-) diff --git a/erpnext/translations/ar.csv b/erpnext/translations/ar.csv index d7b133db76..4f64eda0e1 100644 --- a/erpnext/translations/ar.csv +++ b/erpnext/translations/ar.csv @@ -1,7 +1,5 @@ (Half Day),(نصف يوم) and year: ,والسنة: - by Role ,بالتخصص - is not set,لم يتم تعيين """ does not exists",""" لا يوجد" % Delivered,ألقيت٪ % Amount Billed,المبلغ٪ صفت @@ -34,7 +32,6 @@ "1 Currency = [?] Fraction For e.g. 1 USD = 100 Cent",1 العملة = [ ؟ ] جزء \ n للحصول على سبيل المثال 1. To maintain the customer wise item code and to make them searchable based on their code use this option,1. للحفاظ على العملاء رمز البند الحكيمة والبحث فيها لجعلها تقوم على التعليمات البرمجية الخاصة بهم استخدام هذا الخيار -2 days ago,2 منذ أيام "Add / Edit"," إضافة / تحرير < / A>" "Add / Edit"," إضافة / تحرير < / A>" "Add / Edit"," إضافة / تحرير < / A>" @@ -89,7 +86,6 @@ Accounts Frozen Upto,حسابات مجمدة لغاية Accounts Payable,ذمم دائنة Accounts Receivable,حسابات القبض Accounts Settings,إعدادات الحسابات -Actions,الإجراءات Active,نشط Active: Will extract emails from ,نشط: سيتم استخراج رسائل البريد الإلكتروني من Activity,نشاط @@ -111,23 +107,13 @@ Actual Quantity,الكمية الفعلية Actual Start Date,تاريخ البدء الفعلي Add,إضافة Add / Edit Taxes and Charges,إضافة / تعديل الضرائب والرسوم -Add Attachments,إضافة مرفقات -Add Bookmark,إضافة علامة Add Child,إضافة الطفل -Add Column,إضافة عمود -Add Message,إضافة رسالة -Add Reply,إضافة رد Add Serial No,إضافة رقم المسلسل Add Taxes,إضافة الضرائب Add Taxes and Charges,إضافة الضرائب والرسوم -Add This To User's Restrictions,هذا إضافة إلى تقييد المستخدم -Add attachment,إضافة المرفقات -Add new row,إضافة صف جديد Add or Deduct,إضافة أو خصم Add rows to set annual budgets on Accounts.,إضافة صفوف لوضع الميزانيات السنوية على الحسابات. Add to Cart,إضافة إلى العربة -Add to To Do,إضافة إلى المهام -Add to To Do List of,إضافة إلى قائمة المهام من Add to calendar on this date,إضافة إلى التقويم في هذا التاريخ Add/Remove Recipients,إضافة / إزالة المستلمين Address,عنوان @@ -220,9 +206,6 @@ Allow user to edit Price List Rate in transactions,تسمح للمستخدم ل Allowance Percent,بدل النسبة Allowance for over-delivery / over-billing crossed for Item {0},بدل عن الإفراط في تسليم / الإفراط في الفواتير عبرت القطعة ل {0} Allowed Role to Edit Entries Before Frozen Date,دور سمح ل تحرير مقالات المجمدة قبل التسجيل -"Allowing DocType, DocType. Be careful!",السماح DOCTYPE ، DOCTYPE . كن حذرا! -Alternative download link,رابط تحميل بديل -Amend,تعديل Amended From,عدل من Amount,كمية Amount (Company Currency),المبلغ (عملة الشركة) @@ -270,26 +253,18 @@ Approving User,الموافقة العضو Approving User cannot be same as user the rule is Applicable To,الموافقة العضو لا يمكن أن يكون نفس المستخدم القاعدة تنطبق على Are you sure you want to STOP , Are you sure you want to UNSTOP , -Are you sure you want to delete the attachment?,هل أنت متأكد أنك تريد حذف المرفق؟ Arrear Amount,متأخرات المبلغ "As Production Order can be made for this item, it must be a stock item.",كما يمكن أن يتم ترتيب الإنتاج لهذا البند، يجب أن يكون بند الأوراق المالية . As per Stock UOM,وفقا للأوراق UOM "As there are existing stock transactions for this item, you can not change the values of 'Has Serial No', 'Is Stock Item' and 'Valuation Method'","كما أن هناك معاملات الأوراق المالية الموجودة لهذا البند ، لا يمكنك تغيير قيم "" ليس لديه المسلسل '،' هل البند الأسهم "" و "" أسلوب التقييم """ -Ascending,تصاعدي Asset,الأصول -Assign To,تعيين إلى -Assigned To,تعيين ل -Assignments,تعيينات Assistant,المساعد Associate,مساعد Atleast one warehouse is mandatory,واحدة على الاقل مستودع إلزامي -Attach Document Print,إرفاق طباعة المستند Attach Image,إرفاق صورة Attach Letterhead,نعلق رأسية Attach Logo,نعلق شعار Attach Your Picture,نعلق صورتك -Attach as web link,كما نعلق رابط موقع -Attachments,المرفقات Attendance,الحضور Attendance Date,تاريخ الحضور Attendance Details,تفاصيل الحضور @@ -402,7 +377,6 @@ Block leave applications by department.,منع مغادرة الطلبات ال Blog Post,بلوق وظيفة Blog Subscriber,بلوق المشترك Blood Group,فصيلة الدم -Bookmarks,الإشارات المرجعية Both Warehouse must belong to same Company,كلا مستودع يجب أن تنتمي إلى نفس الشركة Box,صندوق Branch,فرع @@ -437,7 +411,6 @@ C-Form No,C-الاستمارة رقم C-Form records,سجلات نموذج C- Calculate Based On,حساب الربح بناء على Calculate Total Score,حساب النتيجة الإجمالية -Calendar,تقويم Calendar Events,الأحداث Call,دعوة Calls,المكالمات @@ -450,7 +423,6 @@ Can be approved by {0},يمكن أن يكون وافق عليها {0} "Can not filter based on Account, if grouped by Account",لا يمكن تصفية استنادا إلى الحساب ، إذا جمعت بواسطة حساب "Can not filter based on Voucher No, if grouped by Voucher",لا يمكن تصفية استنادا قسيمة لا، إذا تم تجميعها حسب قسيمة Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"يمكن الرجوع صف فقط إذا كان نوع التهمة هي "" في السابق المبلغ صف 'أو' السابق صف إجمالي '" -Cancel,إلغاء Cancel Material Visit {0} before cancelling this Customer Issue,إلغاء المواد زيارة {0} قبل إلغاء هذا العدد العملاء Cancel Material Visits {0} before cancelling this Maintenance Visit,إلغاء المواد الزيارات {0} قبل إلغاء هذه الصيانة زيارة Cancelled,إلغاء @@ -469,11 +441,7 @@ Cannot deactive or cancle BOM as it is linked with other BOMs,لا يمكن deac Cannot deduct when category is for 'Valuation' or 'Valuation and Total',لا يمكن أن تقتطع عند الفئة هو ل ' التقييم ' أو ' تقييم وتوتال ' "Cannot delete Serial No {0} in stock. First remove from stock, then delete.",لا يمكن حذف أي مسلسل {0} في الأوراق المالية. أولا إزالة من الأسهم ، ثم حذف . "Cannot directly set amount. For 'Actual' charge type, use the rate field",لا يمكن تعيين مباشرة المبلغ. ل ' الفعلية ' نوع التهمة ، استخدم الحقل معدل -Cannot edit standard fields,لا تستطيع تعديل الحقول القياسية -Cannot open instance when its {0} is open,لا يمكن فتح المثال عندما ه {0} مفتوح -Cannot open {0} when its instance is open,لا يمكن فتح {0} عندما مثيل لها مفتوح "Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in 'Setup' > 'Global Defaults'","لا يمكن overbill القطعة ل {0} في الصف {0} أكثر من {1} . للسماح بالمغالاة في الفواتير ، الرجاء تعيين في ' إعداد '> ' الافتراضية العالمية """ -Cannot print cancelled documents,لا يمكن طباعة المستندات إلغاء Cannot produce more Item {0} than Sales Order quantity {1},لا يمكن أن تنتج أكثر تفاصيل {0} من المبيعات كمية الطلب {1} Cannot refer row number greater than or equal to current row number for this Charge type,لا يمكن أن يشير رقم الصف أكبر من أو يساوي رقم الصف الحالي لهذا النوع المسؤول Cannot return more than {0} for Item {1},لا يمكن أن يعود أكثر من {0} القطعة ل {1} @@ -527,19 +495,14 @@ Claim Amount,المطالبة المبلغ Claims for company expense.,مطالبات لحساب الشركة. Class / Percentage,فئة / النسبة المئوية Classic,كلاسيكي -Clear Cache,مسح ذاكرة التخزين المؤقت Clear Table,الجدول واضح Clearance Date,إزالة التاريخ Clearance Date not mentioned,إزالة التاريخ لم يرد ذكرها Clearance date cannot be before check date in row {0},تاريخ التخليص لا يمكن أن يكون قبل تاريخ الاختيار في الصف {0} Click on 'Make Sales Invoice' button to create a new Sales Invoice.,انقر على 'جعل مبيعات الفاتورة "الزر لإنشاء فاتورة مبيعات جديدة. Click on a link to get options to expand get options , -Click on row to view / edit.,انقر على صف لعرض / تحرير . -Click to Expand / Collapse,انقر لتوسيع / ​​طي Client,زبون -Close,أغلق Close Balance Sheet and book Profit or Loss.,وثيقة الميزانية العمومية و كتاب الربح أو الخسارة . -Close: {0},وثيقة : {0} Closed,مغلق Closing Account Head,إغلاق حساب رئيس Closing Account {0} must be of type 'Liability',إغلاق الحساب {0} يجب أن تكون من النوع ' المسؤولية ' @@ -550,10 +513,8 @@ Closing Value,القيمة إغلاق CoA Help,تعليمات لجنة الزراعة Code,رمز Cold Calling,ووصف الباردة -Collapse,انهيار Color,اللون Comma separated list of email addresses,فاصلة فصل قائمة من عناوين البريد الإلكتروني -Comment,تعليق Comments,تعليقات Commercial,تجاري Commission,عمولة @@ -564,7 +525,6 @@ Commission rate cannot be greater than 100,معدل العمولة لا يمكن Communication,اتصالات Communication HTML,الاتصالات HTML Communication History,الاتصال التاريخ -Communication Medium,الاتصالات متوسطة Communication log.,سجل الاتصالات. Communications,الاتصالات Company,شركة @@ -583,7 +543,6 @@ Company registration numbers for your reference. Tax numbers etc.,أرقام ت "Company, Month and Fiscal Year is mandatory",شركة والشهر و السنة المالية إلزامي Compensatory Off,التعويضية Complete,كامل -Complete By,الكامل من جانب Complete Setup,الإعداد الكامل Completed,الانتهاء Completed Production Orders,أوامر الإنتاج الانتهاء @@ -635,7 +594,6 @@ Convert into Recurring Invoice,تحويل الفاتورة إلى التكرار Convert to Group,تحويل إلى المجموعة Convert to Ledger,تحويل ل يدجر Converted,تحويل -Copy,نسخ Copy From Item Group,نسخة من المجموعة السلعة Cosmetics,مستحضرات التجميل Cost Center,مركز التكلفة @@ -666,7 +624,6 @@ Create Stock Ledger Entries when you submit a Sales Invoice,إنشاء ألبو Create rules to restrict transactions based on values.,إنشاء قواعد لتقييد المعاملات على أساس القيم. Created By,التي أنشأتها Creates salary slip for above mentioned criteria.,يخلق زلة مرتبات المعايير المذكورة أعلاه. -Creation / Modified By,إنشاء / تم التعديل بواسطة Creation Date,تاريخ الإنشاء Creation Document No,إنشاء وثيقة لا Creation Document Type,نوع الوثيقة إنشاء @@ -697,11 +654,9 @@ Current Liabilities,الخصوم الحالية Current Stock,الأسهم الحالية Current Stock UOM,الأسهم الحالية UOM Current Value,القيمة الحالية -Current status,الوضع الحالي Custom,عرف Custom Autoreply Message,رد تلقائي المخصصة رسالة Custom Message,رسالة مخصصة -Custom Reports,تقارير مخصصة Customer,زبون Customer (Receivable) Account,حساب العميل (ذمم مدينة) Customer / Item Name,العميل / البند الاسم @@ -750,7 +705,6 @@ Date Format,تنسيق التاريخ Date Of Retirement,تاريخ التقاعد Date Of Retirement must be greater than Date of Joining,تاريخ التقاعد يجب أن يكون أكبر من تاريخ الالتحاق بالعمل Date is repeated,ويتكرر التاريخ -Date must be in format: {0},يجب أن تكون الآن في شكل : {0} Date of Birth,تاريخ الميلاد Date of Issue,تاريخ الإصدار Date of Joining,تاريخ الانضمام @@ -761,7 +715,6 @@ Dates,التواريخ Days Since Last Order,منذ أيام طلب آخر Days for which Holidays are blocked for this department.,يتم حظر أيام الأعياد التي لهذا القسم. Dealer,تاجر -Dear,العزيز Debit,مدين Debit Amt,الخصم AMT Debit Note,ملاحظة الخصم @@ -809,7 +762,6 @@ Default settings for stock transactions.,الإعدادات الافتراضية Defense,دفاع "Define Budget for this Cost Center. To set budget action, see Company Master","تحديد الميزانية لهذا المركز التكلفة. أن تتخذ إجراءات لميزانية، انظر ماجستير شركة" Delete,حذف -Delete Row,حذف صف Delete {0} {1}?,حذف {0} {1} ؟ Delivered,تسليم Delivered Items To Be Billed,وحدات تسليمها الى أن توصف @@ -836,7 +788,6 @@ Department,قسم Department Stores,المتاجر Depends on LWP,يعتمد على LWP Depreciation,خفض -Descending,تنازلي Description,وصف Description HTML,وصف HTML Designation,تعيين @@ -881,15 +832,10 @@ Do you really want to stop production order: , Doc Name,اسم الوثيقة Doc Type,نوع الوثيقة Document Description,وصف الوثيقة -Document Status transition from ,وثيقة الانتقال من الحالة -Document Status transition from {0} to {1} is not allowed,لا يسمح وضع وثيقة الانتقال من {0} إلى {1} Document Type,نوع الوثيقة -Document is only editable by users of role,الوثيقة للتحرير فقط من قبل المستخدمين من دور -Documentation,توثيق Documents,وثائق Domain,مجال Don't send Employee Birthday Reminders,لا ترسل الموظف عيد ميلاد تذكير -Download,تحميل Download Materials Required,تحميل المواد المطلوبة Download Reconcilation Data,تحميل مصالحة البيانات Download Template,تحميل قالب @@ -898,8 +844,6 @@ Download a report containing all raw materials with their latest inventory statu "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",تحميل قالب ، وملء البيانات المناسبة وإرفاق الملف المعدل . \ n كل التواريخ و سوف مزيج موظف في الفترة المختارة تأتي في القالب، مع سجلات الحضور القائمة Draft,مسودة -Drafts,الداما -Drag to sort columns,اسحب لفرز الأعمدة Dropbox,المربع المنسدل Dropbox Access Allowed,دروببوإكس الدخول الأليفة Dropbox Access Key,دروببوإكس مفتاح الوصول @@ -920,7 +864,6 @@ Earning & Deduction,وكسب الخصم Earning Type,كسب نوع Earning1,Earning1 Edit,تحرير -Editable,للتحرير Education,تعليم Educational Qualification,المؤهلات العلمية Educational Qualification Details,تفاصيل المؤهلات العلمية @@ -940,12 +883,9 @@ Email Id,البريد الإلكتروني معرف "Email Id where a job applicant will email e.g. ""jobs@example.com""",معرف البريد الإلكتروني حيث طالب العمل سوف البريد الإلكتروني على سبيل المثال "jobs@example.com" Email Notifications,إشعارات البريد الإلكتروني Email Sent?,البريد الإلكتروني المرسلة؟ -"Email addresses, separted by commas",عناوين البريد الإلكتروني، separted بفواصل "Email id must be unique, already exists for {0}",يجب أن يكون البريد الإلكتروني معرف فريد ، موجود بالفعل ل {0} Email ids separated by commas.,معرفات البريد الإلكتروني مفصولة بفواصل. -Email sent to {0},أرسل بريد إلكتروني إلى {0} "Email settings to extract Leads from sales email id e.g. ""sales@example.com""",إعدادات البريد الإلكتروني لاستخراج البريد الإلكتروني من عروض المبيعات "sales@example.com" معرف على سبيل المثال -Email...,البريد الإلكتروني ... Emergency Contact,الاتصال في حالات الطوارئ Emergency Contact Details,تفاصيل الاتصال في حالات الطوارئ Emergency Phone,الهاتف في حالات الطوارئ @@ -984,7 +924,6 @@ End date of current invoice's period,تاريخ نهاية فترة الفاتو End of Life,نهاية الحياة Energy,طاقة Engineer,مهندس -Enter Value,أدخل القيمة Enter Verification Code,أدخل رمز التحقق Enter campaign name if the source of lead is campaign.,أدخل اسم الحملة إذا كان مصدر الرصاص هو الحملة. Enter department to which this Contact belongs,أدخل الدائرة التي ينتمي هذا الاتصال @@ -1002,7 +941,6 @@ Entries,مقالات Entries against,مقالات ضد Entries are not allowed against this Fiscal Year if the year is closed.,لا يسمح مقالات ضد السنة المالية الحالية إذا تم إغلاق السنة. Entries before {0} are frozen,يتم تجميد الإدخالات قبل {0} -Equals,التساوي Equity,إنصاف Error: {0} > {1},الخطأ: {0} > {1} Estimated Material Cost,تقدر تكلفة المواد @@ -1019,7 +957,6 @@ Exhibition,معرض Existing Customer,القائمة العملاء Exit,خروج Exit Interview Details,تفاصيل مقابلة الخروج -Expand,وسع Expected,متوقع Expected Completion Date can not be less than Project Start Date,تاريخ الانتهاء المتوقع لا يمكن أن يكون أقل من تاريخ بدء المشروع Expected Date cannot be before Material Request Date,التاريخ المتوقع لا يمكن أن يكون قبل تاريخ طلب المواد @@ -1052,8 +989,6 @@ Expenses Booked,حجز النفقات Expenses Included In Valuation,وشملت النفقات في التقييم Expenses booked for the digest period,نفقات حجزها لفترة هضم Expiry Date,تاريخ انتهاء الصلاحية -Export,تصدير -Export not allowed. You need {0} role to export.,الصادرات غير مسموح به. تحتاج {0} دور للتصدير. Exports,صادرات External,خارجي Extract Emails,استخراج رسائل البريد الإلكتروني @@ -1068,11 +1003,8 @@ Feedback,تعليقات Female,أنثى Fetch exploded BOM (including sub-assemblies),جلب BOM انفجرت (بما في ذلك المجالس الفرعية) "Field available in Delivery Note, Quotation, Sales Invoice, Sales Order",متوفرة في مذكرة التسليم، اقتباس، فاتورة المبيعات، والمبيعات من أجل الميدان -Field {0} is not selectable.,الحقل {0} ليس اختيار. -File,ملف Files Folder ID,ملفات ID المجلد Fill the form and save it,تعبئة النموذج وحفظه -Filter,تحديد Filter based on customer,تصفية على أساس العملاء Filter based on item,تصفية استنادا إلى البند Financial / accounting year.,المالية / المحاسبة العام. @@ -1101,14 +1033,10 @@ For Server Side Print Formats,لتنسيقات طباعة جانب الملقم For Supplier,ل مزود For Warehouse,لمستودع For Warehouse is required before Submit,ل مطلوب في معرض النماذج ثلاثية قبل إرسال -"For comparative filters, start with",للمرشحات النسبية، وتبدأ مع "For e.g. 2012, 2012-13",ل، 2012 على سبيل المثال 2012-13 -For ranges,للنطاقات For reference,للرجوع إليها For reference only.,للإشارة فقط. "For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes",لراحة العملاء، ويمكن استخدام هذه الرموز في أشكال الطباعة مثل الفواتير والسندات التسليم -Form,شكل -Forums,المنتديات Fraction,جزء Fraction Units,جزء الوحدات Freeze Stock Entries,تجميد مقالات المالية @@ -1161,12 +1089,10 @@ Generate Material Requests (MRP) and Production Orders.,إنشاء طلبات ا Generate Salary Slips,توليد قسائم راتب Generate Schedule,توليد جدول Generates HTML to include selected image in the description,يولد HTML لتشمل الصورة المحددة في الوصف -Get,الحصول على Get Advances Paid,الحصول على السلف المدفوعة Get Advances Received,الحصول على السلف المتلقاة Get Against Entries,الحصول ضد مقالات Get Current Stock,الحصول على المخزون الحالي -Get From ,عليه من Get Items,الحصول على العناصر Get Items From Sales Orders,الحصول على سلع من أوامر المبيعات Get Items from BOM,الحصول على عناصر من BOM @@ -1194,8 +1120,6 @@ Government,حكومة Graduate,تخريج Grand Total,المجموع الإجمالي Grand Total (Company Currency),المجموع الكلي (العملات شركة) -Greater or equals,أكبر أو يساوي -Greater than,أكبر من "Grid ""","الشبكة """ Grocery,بقالة Gross Margin %,هامش إجمالي٪ @@ -1207,7 +1131,6 @@ Gross Profit (%),إجمالي الربح (٪) Gross Weight,الوزن الإجمالي Gross Weight UOM,الوزن الإجمالي UOM Group,مجموعة -"Group Added, refreshing...",مجموعة المضافة، منعش ... Group by Account,مجموعة بواسطة حساب Group by Voucher,المجموعة بواسطة قسيمة Group or Ledger,مجموعة أو ليدجر @@ -1229,14 +1152,12 @@ Health Care,الرعاية الصحية Health Concerns,الاهتمامات الصحية Health Details,الصحة التفاصيل Held On,عقدت في -Help,مساعدة Help HTML,مساعدة HTML "Help: To link to another record in the system, use ""#Form/Note/[Note Name]"" as the Link URL. (don't use ""http://"")",مساعدة: لربط إلى سجل آخر في النظام، استخدم "# نموذج / ملاحظة / [اسم ملاحظة]"، كما URL رابط. (لا تستخدم "الإلكتروني http://") "Here you can maintain family details like name and occupation of parent, spouse and children",هنا يمكنك الحفاظ على تفاصيل مثل اسم العائلة واحتلال الزوج، الوالدين والأطفال "Here you can maintain height, weight, allergies, medical concerns etc",هنا يمكنك الحفاظ على الطول والوزن، والحساسية، الخ المخاوف الطبية Hide Currency Symbol,إخفاء رمز العملة High,ارتفاع -History,تاريخ History In Company,وفي تاريخ الشركة Hold,عقد Holiday,عطلة @@ -1281,17 +1202,14 @@ If you have Sales Team and Sale Partners (Channel Partners) they can be tagged If you involve in manufacturing activity. Enables Item 'Is Manufactured',إذا كنت تنطوي في نشاط الصناعات التحويلية . تمكن السلعة ' يتم تصنيعها ' Ignore,تجاهل Ignored: ,تجاهلها: -"Ignoring Item {0}, because a group exists with the same name!",تجاهل البند {0} ، لأن مجموعة موجودة بنفس الاسم ! Image,صورة Image View,عرض الصورة Implementation Partner,تنفيذ الشريك -Import,استيراد Import Attendance,الحضور الاستيراد Import Failed!,استيراد فشل ! Import Log,استيراد دخول Import Successful!,استيراد الناجحة ! Imports,واردات -In,في In Hours,في ساعات In Process,في عملية In Qty,في الكمية @@ -1306,7 +1224,6 @@ In Words will be visible once you save the Purchase Receipt.,وبعبارة تك In Words will be visible once you save the Quotation.,وبعبارة تكون مرئية بمجرد حفظ اقتباس. In Words will be visible once you save the Sales Invoice.,وبعبارة تكون مرئية بمجرد حفظ فاتورة المبيعات. In Words will be visible once you save the Sales Order.,وبعبارة تكون مرئية بمجرد حفظ ترتيب المبيعات. -In response to,ردا على Incentives,الحوافز Include Reconciled Entries,وتشمل مقالات التوفيق Include holidays in Total no. of Working Days,تشمل أيام العطل في المجموع لا. أيام العمل @@ -1327,8 +1244,6 @@ Indirect Income,الدخل غير المباشرة Individual,فرد Industry,صناعة Industry Type,صناعة نوع -Insert Below,إدراج بالأسفل -Insert Row,إدراج صف Inspected By,تفتيش من قبل Inspection Criteria,التفتيش معايير Inspection Required,التفتيش المطلوبة @@ -1350,8 +1265,6 @@ Internal,داخلي Internet Publishing,نشر الإنترنت Introduction,مقدمة Invalid Barcode or Serial No,الباركود صالح أو رقم المسلسل -Invalid Email: {0},صالح البريد الإلكتروني: {0} -Invalid Filter: {0},تصفية الباطلة: {0} Invalid Mail Server. Please rectify and try again.,خادم البريد غير صالحة . يرجى تصحيح و حاول مرة أخرى. Invalid Master Name,اسم ماستر غير صالحة Invalid User Name or Support Password. Please rectify and try again.,اسم المستخدم غير صحيح أو كلمة المرور الدعم . يرجى تصحيح و حاول مرة أخرى. @@ -1516,7 +1429,6 @@ Landed Cost updated successfully,تحديث تكلفة هبطت بنجاح Language,لغة Last Name,اسم العائلة Last Purchase Rate,مشاركة الشراء قيم -Last updated by,اخر تحديث قام به Latest,آخر Lead,قيادة Lead Details,تفاصيل اعلان @@ -1566,24 +1478,17 @@ Ledgers,دفاتر Left,ترك Legal,قانوني Legal Expenses,المصاريف القانونية -Less or equals,أقل أو يساوي -Less than,أقل من Letter Head,رسالة رئيس Letter Heads for print templates.,رؤساء إلكتروني لقوالب الطباعة. Level,مستوى Lft,LFT Liability,مسئولية -Like,مثل -Linked With,ترتبط -List,قائمة List a few of your customers. They could be organizations or individuals.,قائمة قليلة من الزبائن. يمكن أن تكون المنظمات أو الأفراد. List a few of your suppliers. They could be organizations or individuals.,قائمة قليلة من الموردين الخاصة بك . يمكن أن تكون المنظمات أو الأفراد. List items that form the package.,عناصر القائمة التي تشكل الحزمة. List this Item in multiple groups on the website.,قائمة هذا البند في مجموعات متعددة على شبكة الانترنت. "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 your tax heads (e.g. VAT, Excise; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.",قائمة رؤساء الضريبية الخاصة بك (على سبيل المثال ضريبة القيمة المضافة، الضرائب ، بل ينبغي لها أسماء فريدة من نوعها ) و معدلاتها القياسية. -Loading,تحميل -Loading Report,تحميل تقرير Loading...,تحميل ... Loans (Liabilities),القروض ( المطلوبات ) Loans and Advances (Assets),القروض والسلفيات (الأصول ) @@ -1591,7 +1496,6 @@ Local,محلي Login with your new User ID,تسجيل الدخول مع اسم المستخدم الخاص بك جديدة Logo,شعار Logo and Letter Heads,شعار و رسالة رؤساء -Logout,خروج Lost,مفقود Lost Reason,فقد السبب Low,منخفض @@ -1642,7 +1546,6 @@ Make Salary Structure,جعل هيكل الرواتب Make Sales Invoice,جعل فاتورة المبيعات Make Sales Order,جعل ترتيب المبيعات Make Supplier Quotation,جعل مورد اقتباس -Make a new,جعل جديدة Male,ذكر Manage Customer Group Tree.,إدارة مجموعة العملاء شجرة . Manage Sales Person Tree.,إدارة المبيعات الشخص شجرة . @@ -1650,8 +1553,6 @@ Manage Territory Tree.,إدارة شجرة الإقليم. Manage cost of operations,إدارة تكلفة العمليات Management,إدارة Manager,مدير -Mandatory fields required in {0},الحقول الإلزامية المطلوبة في {0} -Mandatory filters required:\n,مرشحات الإلزامية المطلوبة: \ ن "Mandatory if Stock Item is ""Yes"". Also the default warehouse where reserved quantity is set from Sales Order.",إلزامية إذا البند الأسهم هو "نعم". أيضا المستودع الافتراضي حيث يتم تعيين الكمية المحجوزة من ترتيب المبيعات. Manufacture against Sales Order,تصنيع ضد ترتيب المبيعات Manufacture/Repack,تصنيع / أعد حزم @@ -1722,13 +1623,11 @@ Minute,دقيقة Misc Details,تفاصيل منوعات Miscellaneous Expenses,المصروفات المتنوعة Miscelleneous,متفرقات -Missing Values Required,في عداد المفقودين القيم المطلوبة Mobile No,رقم الجوال Mobile No.,رقم الجوال Mode of Payment,طريقة الدفع Modern,حديث Modified Amount,تعديل المبلغ -Modified by,تعديلها من قبل Monday,يوم الاثنين Month,شهر Monthly,شهريا @@ -1736,12 +1635,9 @@ Monthly Attendance Sheet,ورقة الحضور الشهرية Monthly Earning & Deduction,الدخل الشهري وخصم Monthly Salary Register,سجل الراتب الشهري Monthly salary statement.,بيان الراتب الشهري. -More,أكثر More Details,مزيد من التفاصيل More Info,المزيد من المعلومات Motion Picture & Video,الحركة صور والفيديو -Move Down: {0},تحريك لأسفل : {0} -Move Up: {0},تحريك لأعلى : {0} Moving Average,المتوسط ​​المتحرك Moving Average Rate,الانتقال متوسط ​​معدل Mr,السيد @@ -1751,12 +1647,9 @@ Multiple Item prices.,أسعار الإغلاق متعددة . conflict by assigning priority. Price Rules: {0}",موجود متعددة سعر القاعدة مع المعايير نفسها ، يرجى لحل الصراع \ \ ن عن طريق تعيين الأولوية. Music,موسيقى Must be Whole Number,يجب أن يكون عدد صحيح -My Settings,الإعدادات Name,اسم Name and Description,الاسم والوصف Name and Employee ID,الاسم والرقم الوظيفي -Name is required,مطلوب اسم -Name not permitted,تسمية غير مسموح "Name of new Account. Note: Please don't create accounts for Customers and Suppliers, they are created automatically from the Customer and Supplier master",اسم الحساب الجديد. ملاحظة : الرجاء عدم إنشاء حسابات للعملاء والموردين ، يتم إنشاؤها تلقائيا من العملاء والموردين الماجستير Name of person or organization that this address belongs to.,اسم الشخص أو المنظمة التي ينتمي إلى هذا العنوان. Name of the Budget Distribution,اسم توزيع الميزانية @@ -1774,7 +1667,6 @@ Net Weight UOM,الوزن الصافي UOM Net Weight of each Item,الوزن الصافي لكل بند Net pay cannot be negative,صافي الأجور لا يمكن أن تكون سلبية Never,أبدا -New,جديد New , New Account,حساب جديد New Account Name,اسم الحساب الجديد @@ -1794,7 +1686,6 @@ New Projects,مشاريع جديدة New Purchase Orders,أوامر الشراء الجديدة New Purchase Receipts,إيصالات شراء جديدة New Quotations,الاقتباسات الجديدة -New Record,رقم قياسي جديد New Sales Orders,أوامر المبيعات الجديدة New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,المسلسل الجديد لا يمكن أن يكون المستودع. يجب تعيين مستودع من قبل دخول الأسهم أو شراء الإيصال New Stock Entries,مقالات جديدة للأسهم @@ -1816,11 +1707,8 @@ Next,التالي Next Contact By,لاحق اتصل بواسطة Next Contact Date,تاريخ لاحق اتصل Next Date,تاريخ القادمة -Next Record,سجل المقبل -Next actions,الإجراءات التالية Next email will be sent on:,سيتم إرسال البريد الإلكتروني التالي على: No,لا -No Communication tagged with this ,لا الاتصالات المفتاحية هذه No Customer Accounts found.,لم يتم العثور على حسابات العملاء . No Customer or Supplier Accounts found,لا العملاء أو مزود الحسابات وجدت No Expense Approvers. Please assign 'Expense Approver' Role to atleast one user,"لا الموافقون المصروفات . يرجى تعيين ' المصروفات الموافق ""دور ل مستخدم واحد أتلست" @@ -1830,48 +1718,31 @@ No Items to pack,لا توجد عناصر لحزمة No Leave Approvers. Please assign 'Leave Approver' Role to atleast one user,"لم اترك الموافقون . يرجى تعيين ' اترك الموافق ""دور ل مستخدم واحد أتلست" No Permission,لا يوجد تصريح No Production Orders created,لا أوامر الإنتاج التي تم إنشاؤها -No Report Loaded. Please use query-report/[Report Name] to run a report.,أي تقرير المحملة. الرجاء استخدام استعلام تقرير / [اسم التقرير] لتشغيل التقرير. -No Results,لا نتائج No Supplier Accounts found. Supplier Accounts are identified based on 'Master Type' value in account record.,لا توجد حسابات الموردين. ويتم تحديد حسابات المورد على أساس القيمة 'نوع الماجستير في سجل حساب . No accounting entries for the following warehouses,لا القيود المحاسبية للمستودعات التالية No addresses created,أية عناوين خلق No contacts created,هناك أسماء تم إنشاؤها No default BOM exists for Item {0},لا توجد BOM الافتراضي القطعة ل {0} No description given,لا يوجد وصف معين -No document selected,أي وثيقة مختارة No employee found,لا توجد موظف No employee found!,أي موظف موجود! No of Requested SMS,لا للSMS مطلوب No of Sent SMS,لا للSMS المرسلة No of Visits,لا الزيارات -No one,لا احد No permission,لا يوجد إذن -No permission to '{0}' {1},لا توجد صلاحية ل '{0} ' {1} -No permission to edit,لا توجد صلاحية ل تعديل No record found,العثور على أي سجل -No records tagged.,لا توجد سجلات المعلمة. No salary slip found for month: ,لا زلة راتب شهر تم العثور عليها ل: Non Profit,غير الربح -None,لا شيء -None: End of Workflow,لا شيء: نهاية سير العمل Nos,غ Not Active,لا بالموقع Not Applicable,لا ينطبق Not Available,غير متوفرة Not Billed,لا صفت Not Delivered,ولا يتم توريدها -Not Found,لم يتم العثور على -Not Linked to any record.,لا يرتبط أي سجل. -Not Permitted,لا يسمح Not Set,غير محدد -Not Submitted,لم تقدم -Not allowed,لا يسمح Not allowed to update entries older than {0},لا يسمح لتحديث إدخالات أقدم من {0} Not authorized to edit frozen Account {0},غير مخول لتحرير الحساب المجمد {0} Not authroized since {0} exceeds limits,لا أوثرويزيد منذ {0} يتجاوز حدود -Not enough permission to see links.,لا إذن بما يكفي لرؤية الروابط. -Not equals,لا يساوي -Not found,لم يتم العثور على Not permitted,لا يسمح Note,لاحظ Note User,ملاحظة العضو @@ -1880,7 +1751,6 @@ Note User,ملاحظة العضو Note: Due Date exceeds the allowed credit days by {0} day(s),ملاحظة : تاريخ الاستحقاق يتجاوز الأيام الائتمان المسموح به من قبل {0} يوم (s ) Note: Email will not be sent to disabled users,ملاحظة: لن يتم إرسالها إلى البريد الإلكتروني للمستخدمين ذوي الاحتياجات الخاصة Note: Item {0} entered multiple times,ملاحظة : البند {0} دخلت عدة مرات -Note: Other permission rules may also apply,ملاحظة: قد قواعد أخرى إذن تنطبق أيضا Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,"ملاحظة : لن يتم إنشاء الدفع منذ دخول ' النقد أو البنك الحساب "" لم يتم تحديد" Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,ملاحظة : سوف النظام لا تحقق الإفراط التسليم و الإفراط في حجز القطعة ل {0} حيث الكمية أو المبلغ 0 Note: There is not enough leave balance for Leave Type {0},ملاحظة : ليس هناك ما يكفي من التوازن إجازة ل إجازة نوع {0} @@ -1889,12 +1759,9 @@ Note: {0},ملاحظة : {0} Notes,تلاحظ Notes:,الملاحظات : Nothing to request,شيء أن تطلب -Nothing to show,لا شيء لإظهار -Nothing to show for this selection,شيء لاظهار هذا الاختيار Notice (days),إشعار (أيام ) Notification Control,إعلام التحكم Notification Email Address,عنوان البريد الإلكتروني الإخطار -Notify By Email,إبلاغ عن طريق البريد الإلكتروني Notify by Email on creation of automatic Material Request,إبلاغ عن طريق البريد الإلكتروني على خلق مادة التلقائي طلب Number Format,عدد تنسيق Offer Date,عرض التسجيل @@ -1938,7 +1805,6 @@ Opportunity Items,فرصة الأصناف Opportunity Lost,فقدت فرصة Opportunity Type,الفرصة نوع Optional. This setting will be used to filter in various transactions.,اختياري . سيتم استخدام هذا الإعداد لتصفية في المعاملات المختلفة. -Or Created By,أو إنشاء بواسطة Order Type,نوع النظام Order Type must be one of {1},يجب أن يكون النظام نوع واحد من {1} Ordered,أمر @@ -1953,7 +1819,6 @@ Organization Profile,الملف الشخصي المنظمة Organization branch master.,فرع المؤسسة الرئيسية . Organization unit (department) master.,وحدة المؤسسة ( قسم) الرئيسي. Original Amount,المبلغ الأصلي -Original Message,رسالة الأصلي Other,آخر Other Details,تفاصيل أخرى Others,آخرون @@ -1996,7 +1861,6 @@ Packing Slip Items,التعبئة عناصر زلة Packing Slip(s) cancelled,زلة التعبئة (ق ) إلغاء Page Break,الصفحة استراحة Page Name,الصفحة اسم -Page not found,لم يتم العثور على الصفحة Paid Amount,دفع المبلغ Paid amount + Write Off Amount can not be greater than Grand Total,المبلغ المدفوع + شطب المبلغ لا يمكن أن يكون أكبر من المجموع الكلي Pair,زوج @@ -2062,9 +1926,6 @@ Period Closing Voucher,فترة الإغلاق قسيمة Periodicity,دورية Permanent Address,العنوان الدائم Permanent Address Is,العنوان الدائم هو -Permanently Cancel {0}?,الغاء دائم {0} ؟ -Permanently Submit {0}?,إرسال دائم {0} ؟ -Permanently delete {0}?,حذف بشكل دائم {0} ؟ Permission,إذن Personal,الشخصية Personal Details,تفاصيل شخصية @@ -2073,7 +1934,6 @@ Pharmaceutical,الأدوية Pharmaceuticals,المستحضرات الصيدلانية Phone,هاتف Phone No,رقم الهاتف -Pick Columns,اختيار الأعمدة Piecework,العمل مقاولة Pincode,Pincode Place of Issue,مكان الإصدار @@ -2086,8 +1946,6 @@ Plant,مصنع Plant and Machinery,النباتية و الآلات Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,الرجاء إدخال الإسم المختصر اختصار أو بشكل صحيح كما سيتم إضافة لاحقة على أنها لجميع رؤساء الحساب. Please add expense voucher details,الرجاء إضافة حساب التفاصيل قسيمة -Please attach a file first.,يرجى إرفاق ملف الأول. -Please attach a file or set a URL,يرجى إرفاق ملف أو تعيين URL Please check 'Is Advance' against Account {0} if this is an advance entry.,"يرجى مراجعة ""هل المسبق ضد الحساب {0} إذا كان هذا هو إدخال مسبقا." Please click on 'Generate Schedule',الرجاء انقر على ' إنشاء الجدول ' Please click on 'Generate Schedule' to fetch Serial No added for Item {0},الرجاء انقر على ' إنشاء الجدول ' لجلب رقم المسلسل أضاف القطعة ل {0} @@ -2096,7 +1954,6 @@ Please create Customer from Lead {0},يرجى إنشاء العملاء من ا Please create Salary Structure for employee {0},يرجى إنشاء هيكل الرواتب ل موظف {0} Please create new account from Chart of Accounts.,يرجى إنشاء حساب جديد من الرسم البياني للحسابات . Please do NOT create Account (Ledgers) for Customers and Suppliers. They are created directly from the Customer / Supplier masters.,يرجى عدم إنشاء حساب ( الدفاتر ) للزبائن و الموردين. أنها يتم إنشاؤها مباشرة من سادة العملاء / الموردين. -Please enable pop-ups,يرجى تمكين النوافذ المنبثقة Please enter 'Expected Delivery Date',"يرجى إدخال "" التاريخ المتوقع تسليم '" Please enter 'Is Subcontracted' as Yes or No,"يرجى إدخال "" التعاقد من الباطن "" كما نعم أو لا" Please enter 'Repeat on Day of Month' field value,"الرجاء إدخال ' كرر في يوم من الشهر "" قيمة الحقل" @@ -2107,7 +1964,6 @@ Please enter Company,يرجى إدخال الشركة Please enter Cost Center,الرجاء إدخال مركز التكلفة Please enter Delivery Note No or Sales Invoice No to proceed,الرجاء إدخال التسليم ملاحظة لا أو فاتورة المبيعات لا للمضي قدما Please enter Employee Id of this sales parson,يرجى إدخال رقم الموظف من هذا بارسون المبيعات -Please enter Event's Date and Time!,الرجاء إدخال حدث في التاريخ والوقت ! Please enter Expense Account,الرجاء إدخال حساب المصاريف Please enter Item Code to get batch no,الرجاء إدخال رمز المدينة للحصول على دفعة لا Please enter Item Code.,الرجاء إدخال رمز المدينة . @@ -2133,14 +1989,11 @@ Please enter parent cost center,الرجاء إدخال مركز تكلفة ال Please enter quantity for Item {0},الرجاء إدخال كمية القطعة ل {0} Please enter relieving date.,من فضلك ادخل تاريخ التخفيف . Please enter sales order in the above table,يرجى إدخال أمر المبيعات في الجدول أعلاه -Please enter some text!,الرجاء إدخال النص ! -Please enter title!,يرجى إدخال عنوان ! Please enter valid Company Email,الرجاء إدخال صالحة شركة البريد الإلكتروني Please enter valid Email Id,يرجى إدخال البريد الإلكتروني هوية صالحة Please enter valid Personal Email,يرجى إدخال البريد الإلكتروني الشخصية سارية المفعول Please enter valid mobile nos,الرجاء إدخال غ المحمول صالحة Please install dropbox python module,الرجاء تثبيت قطاف بيثون وحدة -Please login to Upvote!,يرجى الدخول إلى Upvote ! Please mention no of visits required,يرجى ذكر أي من الزيارات المطلوبة Please pull items from Delivery Note,يرجى سحب العناصر من التسليم ملاحظة Please save the Newsletter before sending,الرجاء حفظ النشرة قبل الإرسال @@ -2191,8 +2044,6 @@ Plot By,مؤامرة بواسطة Point of Sale,نقطة بيع Point-of-Sale Setting,نقطة من بيع إعداد Post Graduate,دكتوراة -Post already exists. Cannot add again!,آخر موجود بالفعل. لا يمكن إضافة مرة أخرى! -Post does not exist. Please add post!,آخر غير موجود. الرجاء إضافة آخر ! Postal,بريدي Postal Expenses,المصروفات البريدية Posting Date,تاريخ النشر @@ -2207,7 +2058,6 @@ Prevdoc DocType,Prevdoc DOCTYPE Prevdoc Doctype,Prevdoc DOCTYPE Preview,معاينة Previous,سابق -Previous Record,سجل السابق Previous Work Experience,خبرة العمل السابقة Price,السعر Price / Discount,السعر / الخصم @@ -2226,12 +2076,10 @@ Price or Discount,سعر الخصم أو Pricing Rule,التسعير القاعدة Pricing Rule For Discount,التسعير القاعدة للحصول على الخصم Pricing Rule For Price,التسعير القاعدة للحصول على السعر -Print,طباعة Print Format Style,طباعة شكل ستايل Print Heading,طباعة عنوان Print Without Amount,طباعة دون المبلغ Print and Stationary,طباعة و قرطاسية -Print...,طباعة ... Printing and Branding,الطباعة و العلامات التجارية Priority,أفضلية Private Equity,الأسهم الخاصة @@ -2357,7 +2205,6 @@ Quantity of item obtained after manufacturing / repacking from given quantities Quantity required for Item {0} in row {1},الكمية المطلوبة القطعة ل {0} في {1} الصف Quarter,ربع Quarterly,فصلي -Query Report,الاستعلام عن Quick Help,مساعدة سريعة Quotation,اقتباس Quotation Date,اقتباس تاريخ @@ -2459,14 +2306,11 @@ Rejected Warehouse is mandatory against regected item,مستودع رفض إلز Relation,علاقة Relieving Date,تخفيف تاريخ Relieving Date must be greater than Date of Joining,تخفيف التسجيل يجب أن يكون أكبر من تاريخ الالتحاق بالعمل -Reload Page,تحديث الصفحة Remark,كلام Remarks,تصريحات -Remove Bookmark,أضف إزالة Rename,إعادة تسمية Rename Log,إعادة تسمية الدخول Rename Tool,إعادة تسمية أداة -Rename...,إعادة تسمية ... Rent Cost,الإيجار التكلفة Rent per hour,الايجار لكل ساعة Rented,مؤجر @@ -2474,12 +2318,9 @@ Repeat on Day of Month,تكرار في يوم من شهر Replace,استبدل Replace Item / BOM in all BOMs,استبدال السلعة / BOM في جميع BOMs Replied,رد -Report,تقرير Report Date,تقرير تاريخ Report Type,نوع التقرير Report Type is mandatory,تقرير نوع إلزامي -Report an Issue,أبلغ عن مشكلة -Report was not saved (there were errors),لم يتم حفظ التقرير (كانت هناك أخطاء) Reports to,تقارير إلى Reqd By Date,Reqd حسب التاريخ Request Type,طلب نوع @@ -2630,7 +2471,6 @@ Salutation,تحية Sample Size,حجم العينة Sanctioned Amount,يعاقب المبلغ Saturday,السبت -Save,حفظ Schedule,جدول Schedule Date,جدول التسجيل Schedule Details,جدول تفاصيل @@ -2644,7 +2484,6 @@ Score (0-5),نقاط (0-5) Score Earned,نقاط المكتسبة Score must be less than or equal to 5,يجب أن تكون النتيجة أقل من أو يساوي 5 Scrap %,الغاء٪ -Search,البحث Seasonality for setting budgets.,موسمية لوضع الميزانيات. Secretary,أمين Secured Loans,القروض المضمونة @@ -2656,26 +2495,18 @@ Securities and Deposits,الأوراق المالية و الودائع "Select ""Yes"" if this item represents some work like training, designing, consulting etc.",حدد "نعم" إذا هذا البند يمثل بعض الأعمال مثل التدريب، وتصميم، والتشاور الخ. "Select ""Yes"" if you are maintaining stock of this item in your Inventory.",حدد "نعم" إذا كنت الحفاظ على المخزون في هذا البند في المخزون الخاص بك. "Select ""Yes"" if you supply raw materials to your supplier to manufacture this item.",حدد "نعم" إذا كنت توريد المواد الخام لتصنيع المورد الخاص بك إلى هذا البند. -Select All,حدد كافة -Select Attachments,حدد المرفقات Select Budget Distribution to unevenly distribute targets across months.,حدد توزيع الميزانية لتوزيع غير متساو عبر الأهداف أشهر. "Select Budget Distribution, if you want to track based on seasonality.",حدد توزيع الميزانية، إذا كنت تريد أن تتبع على أساس موسمي. Select DocType,حدد DOCTYPE Select Items,حدد العناصر -Select Print Format,حدد تنسيق طباعة Select Purchase Receipts,حدد إيصالات شراء -Select Report Name,حدد اسم التقرير Select Sales Orders,حدد أوامر المبيعات Select Sales Orders from which you want to create Production Orders.,حدد أوامر المبيعات التي تريد إنشاء أوامر الإنتاج. Select Time Logs and Submit to create a new Sales Invoice.,حدد وقت السجلات وتقديمها إلى إنشاء فاتورة مبيعات جديدة. -Select To Download:,اختار ل تحميل : Select Transaction,حدد المعاملات -Select Type,حدد نوع Select Your Language,اختر اللغة الخاصة بك Select account head of the bank where cheque was deposited.,حدد رئيس حساب في البنك حيث أودع الاختيار. Select company name first.,حدد اسم الشركة الأول. -Select dates to create a new ,قم بتحديد مواعيد لخلق جديد -Select or drag across time slots to create a new event.,حدد أو اسحب عبر فتحات الوقت لإنشاء حدث جديد. Select template from which you want to get the Goals,حدد قالب الذي تريد للحصول على الأهداف Select the Employee for whom you are creating the Appraisal.,حدد موظف الذين تقوم بإنشاء تقييم. Select the period when the invoice will be generated automatically,حدد الفترة التي سيتم إنشاء فاتورة تلقائيا @@ -2691,11 +2522,9 @@ Select your home country and check the timezone and currency.,حدد بلدك و Selling,بيع Selling Settings,بيع إعدادات Send,إرسال -Send As Email,أرسل للبريد الالكتروني Send Autoreply,إرسال رد تلقائي Send Email,إرسال البريد الإلكتروني Send From,أرسل من قبل -Send Me A Copy,أرسل لي نسخة Send Notifications To,إرسال إشعارات إلى Send Now,أرسل الآن Send SMS,إرسال SMS @@ -2705,7 +2534,6 @@ Send mass SMS to your contacts,إرسال SMS الشامل لجهات الاتص Send to this list,إرسال إلى هذه القائمة Sender Name,المرسل اسم Sent On,ارسلت في -Sent or Received,المرسلة أو المتلقاة Separate production order will be created for each finished good item.,سيتم إنشاء منفصلة أمر الإنتاج لمادة جيدة لكل النهائي. Serial No,المسلسل لا Serial No / Batch,المسلسل لا / دفعة @@ -2739,11 +2567,9 @@ Series {0} already used in {1},سلسلة {0} تستخدم بالفعل في {1} Service,خدمة Service Address,خدمة العنوان Services,الخدمات -Session Expired. Logging you out,انتهى الدورة. تسجيل خروجك Set,مجموعة "Set Default Values like Company, Currency, Current Fiscal Year, etc.",تعيين القيم الافتراضية مثل شركة ، العملات، السنة المالية الحالية ، الخ Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,تعيين مجموعة من الحكمة الإغلاق الميزانيات على هذا الإقليم. يمكنك أيضا تضمين الموسمية عن طريق تعيين التوزيع. -Set Link,تعيين لينك Set as Default,تعيين كافتراضي Set as Lost,على النحو المفقودة Set prefix for numbering series on your transactions,تعيين بادئة لترقيم السلسلة على المعاملات الخاصة بك @@ -2776,17 +2602,12 @@ Shipping Rule Label,الشحن تسمية القاعدة Shop,تسوق Shopping Cart,سلة التسوق Short biography for website and other publications.,نبذة عن سيرة حياة لموقع الويب وغيرها من المطبوعات. -Shortcut,الاختصار "Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",تظهر "في سوق الأسهم" أو "ليس في الأوراق المالية" على أساس الأسهم المتاحة في هذا المخزن. "Show / Hide features like Serial Nos, POS etc.",إظهار / إخفاء ميزات مثل المسلسل نص ، POS الخ -Show Details,عرض التفاصيل Show In Website,تظهر في الموقع -Show Tags,تظهر الكلمات Show a slideshow at the top of the page,تظهر الشرائح في أعلى الصفحة Show in Website,تظهر في الموقع -Show rows with zero values,عرض الصفوف مع قيم الصفر Show this slideshow at the top of the page,تظهر هذه الشرائح في أعلى الصفحة -Showing only for (if not empty),تظهر فقط ل (إن لم يكن فارغ) Sick Leave,الإجازات المرضية Signature,توقيع Signature to be appended at the end of every email,توقيع لإلحاقها في نهاية كل البريد الإلكتروني @@ -2797,11 +2618,8 @@ Slideshow,عرض الشرائح Soap & Detergent,الصابون والمنظفات Software,البرمجيات Software Developer,البرنامج المطور -Sorry we were unable to find what you were looking for.,وآسف نتمكن من العثور على ما كنت تبحث عنه. -Sorry you are not permitted to view this page.,عذرا غير مسموح لك بعرض هذه الصفحة. "Sorry, Serial Nos cannot be merged",آسف ، المسلسل نص لا يمكن دمج "Sorry, companies cannot be merged",آسف، و الشركات لا يمكن دمج -Sort By,فرز حسب Source,مصدر Source File,مصدر الملف Source Warehouse,مصدر مستودع @@ -2826,7 +2644,6 @@ Standard Selling,البيع القياسية Standard contract terms for Sales or Purchase.,شروط العقد القياسية ل مبيعات أو شراء . Start,بداية Start Date,تاريخ البدء -Start Report For,تقرير عن بدء Start date of current invoice's period,تاريخ بدء فترة الفاتورة الحالية Start date should be less than end date for Item {0},يجب أن يكون تاريخ البدء أقل من تاريخ انتهاء القطعة ل {0} State,دولة @@ -2884,7 +2701,6 @@ Sub Assemblies,الجمعيات الفرعية "Sub-currency. For e.g. ""Cent""",شبه العملات. ل "سنت" على سبيل المثال Subcontract,قام بمقاولة فرعية Subject,موضوع -Submit,عرض Submit Salary Slip,يقدم زلة الراتب Submit all salary slips for the above selected criteria,تقديم جميع قسائم راتب لتحديد المعايير المذكورة أعلاه Submit this Production Order for further processing.,يقدم هذا ترتيب الإنتاج لمزيد من المعالجة . @@ -2928,7 +2744,6 @@ Support Email Settings,دعم إعدادات البريد الإلكتروني Support Password,الدعم كلمة المرور Support Ticket,تذكرة دعم Support queries from customers.,دعم الاستفسارات من العملاء. -Switch to Website,التبديل إلى موقع الويب Symbol,رمز Sync Support Mails,مزامنة الرسائل الالكترونية الدعم Sync with Dropbox,مزامنة مع Dropbox @@ -2936,7 +2751,6 @@ Sync with Google Drive,متزامنا مع محرك جوجل System,نظام System Settings,إعدادات النظام "System User (login) ID. If set, it will become default for all HR forms.",نظام المستخدم (دخول) ID. إذا تعيين، وسوف تصبح الافتراضية لكافة أشكال HR. -Tags,به Target Amount,الهدف المبلغ Target Detail,الهدف التفاصيل Target Details,الهدف تفاصيل @@ -2995,7 +2809,6 @@ Territory Target Variance Item Group-Wise,الأراضي المستهدفة ال Territory Targets,الأراضي الأهداف Test,اختبار Test Email Id,اختبار البريد الإلكتروني معرف -Test Runner,اختبار عداء Test the Newsletter,اختبار النشرة الإخبارية The BOM which will be replaced,وBOM التي سيتم استبدالها The First User: You,المستخدم أولا : أنت @@ -3015,28 +2828,23 @@ The net weight of this package. (calculated automatically as sum of net weight o The new BOM after replacement,وBOM الجديدة بعد استبدال The rate at which Bill Currency is converted into company's base currency,المعدل الذي يتم تحويل العملة إلى عملة بيل قاعدة الشركة The unique id for tracking all recurring invoices. It is generated on submit.,المعرف الفريد لتتبع جميع الفواتير المتكررة. يتم إنشاؤها على تقديم. -Then By (optional),ثم (اختياري) There are more holidays than working days this month.,هناك أكثر من العطلات أيام عمل من هذا الشهر. "There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","يمكن أن يكون هناك واحد فقط الشحن القاعدة الحالة مع 0 أو قيمة فارغة ل "" إلى القيمة """ There is not enough leave balance for Leave Type {0},ليس هناك ما يكفي من التوازن إجازة ل إجازة نوع {0} There is nothing to edit.,هناك شيء ل تحريره. There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,كان هناك خطأ . يمكن أن يكون أحد الأسباب المحتملة التي قد لا يتم حفظ النموذج. يرجى الاتصال support@erpnext.com إذا استمرت المشكلة. -There were errors,كانت هناك أخطاء -There were errors while sending email. Please try again.,كانت هناك أخطاء أثناء إرسال البريد الإلكتروني. يرجى المحاولة مرة أخرى. There were errors.,كانت هناك أخطاء . This Currency is disabled. Enable to use in transactions,تم تعطيل هذه العملات . تمكين لاستخدامها في المعاملات This Leave Application is pending approval. Only the Leave Apporver can update status.,هذا التطبيق اترك بانتظار الموافقة. فقط اترك Apporver يمكن تحديث الحالة. This Time Log Batch has been billed.,وتوصف هذه الدفعة دخول الوقت. This Time Log Batch has been cancelled.,تم إلغاء هذه الدفعة دخول الوقت. This Time Log conflicts with {0},هذا وقت دخول يتعارض مع {0} -This is PERMANENT action and you cannot undo. Continue?,هذا هو العمل الدائم ويمكنك التراجع لا. المتابعة؟ This is a root account and cannot be edited.,هذا هو حساب الجذر والتي لا يمكن تحريرها. This is a root customer group and cannot be edited.,هذه هي مجموعة العملاء الجذرية والتي لا يمكن تحريرها. This is a root item group and cannot be edited.,هذه هي مجموعة البند الجذرية والتي لا يمكن تحريرها. This is a root sales person and cannot be edited.,هذا هو الشخص المبيعات الجذرية والتي لا يمكن تحريرها. This is a root territory and cannot be edited.,هذا هو الجذر الأرض والتي لا يمكن تحريرها. This is an example website auto-generated from ERPNext,هذا مثال موقع ولدت لصناعة السيارات من ERPNext -This is permanent action and you cannot undo. Continue?,هذا هو العمل الدائم ويمكنك التراجع لا. المتابعة؟ This is the number of the last created transaction with this prefix,هذا هو عدد المعاملات التي تم إنشاؤها باستخدام مشاركة هذه البادئة This will be used for setting rule in HR module,وسوف تستخدم هذه القاعدة لإعداد وحدة في HR Thread HTML,الموضوع HTML @@ -3078,7 +2886,6 @@ To get Item Group in details table,للحصول على تفاصيل المجمو "To include tax in row {0} in Item rate, taxes in rows {1} must also be included",ل تشمل الضريبة في الصف {0} في معدل الإغلاق ، {1} ويجب أيضا تضمين الضرائب في الصفوف "To merge, following properties must be same for both items",لدمج ، يجب أن يكون نفس الخصائص التالية ل كلا البندين "To report an issue, go to ", -"To run a test add the module name in the route after '{0}'. For example, {1}",لتشغيل اختبار إضافة اسم وحدة في الطريق بعد '{0}'. على سبيل المثال، {1} "To set this Fiscal Year as Default, click on 'Set as Default'","لتعيين هذه السنة المالية كما الافتراضي، انقر على ' تعيين كافتراضي """ To track any installation or commissioning related work after sales,لتتبع أي تركيب أو الأعمال ذات الصلة التكليف بعد البيع "To track brand name in the following documents Delivery Note, Opportunity, Material Request, Item, Purchase Order, Purchase Voucher, Purchaser Receipt, Quotation, Sales Invoice, Sales BOM, Sales Order, Serial No",لتتبع اسم العلامة التجارية في الوثائق التالية توصيل ملاحظة ، فرصة ، طلب المواد ، البند ، طلب شراء ، شراء قسيمة ، المشتري الإيصال، اقتباس، فاتورة المبيعات ، مبيعات BOM ، ترتيب المبيعات ، رقم المسلسل @@ -3130,7 +2937,6 @@ Totals,المجاميع Track Leads by Industry Type.,المسار يؤدي حسب نوع الصناعة . Track this Delivery Note against any Project,تتبع هذه ملاحظة التوصيل ضد أي مشروع Track this Sales Order against any Project,تتبع هذا الأمر ضد أي مشروع المبيعات -Trainee,متدرب Transaction,صفقة Transaction Date,تاريخ المعاملة Transaction not allowed against stopped Production Order {0},الصفقة لا يسمح ضد توقفت أمر الإنتاج {0} @@ -3162,7 +2968,6 @@ UOM Conversion Factor,UOM تحويل عامل UOM Conversion factor is required in row {0},مطلوب عامل UOM التحويل في الصف {0} UOM Name,UOM اسم UOM coversion factor required for UOM {0} in Item {1},عامل coversion UOM اللازمة ل UOM {0} في البند {1} -Unable to load: {0},غير قادر على تحميل: {0} Under AMC,تحت AMC Under Graduate,تحت الدراسات العليا Under Warranty,تحت الكفالة @@ -3172,11 +2977,8 @@ Unit of Measure {0} has been entered more than once in Conversion Factor Table, "Unit of measurement of this item (e.g. Kg, Unit, No, Pair).",وحدة القياس في هذا البند (مثل كجم، وحدة، لا، الزوج). Units/Hour,وحدة / ساعة Units/Shifts,وحدة / التحولات -Unknown Column: {0},غير معروف العمود: {0} -Unknown Print Format: {0},تنسيق طباعة غير معروف: {0} Unmatched Amount,لا مثيل لها المبلغ Unpaid,غير مدفوع -Unread Messages,رسائل غير مقروءة Unscheduled,غير المجدولة Unsecured Loans,القروض غير المضمونة Unstop,نزع السدادة @@ -3196,18 +2998,14 @@ Update bank payment dates with journals.,تحديث البنك دفع التوا Update clearance date of Journal Entries marked as 'Bank Vouchers',تاريخ التخليص تحديث إدخالات دفتر اليومية وضعت ' قسائم البنك Updated,تحديث Updated Birthday Reminders,تحديث ميلاد تذكير -Upload,تحميل -Upload Attachment,تحميل المرفقات Upload Attendance,تحميل الحضور Upload Backups to Dropbox,تحميل النسخ الاحتياطي إلى دروببوإكس Upload Backups to Google Drive,تحميل النسخ الاحتياطية إلى Google Drive Upload HTML,تحميل HTML Upload a .csv file with two columns: the old name and the new name. Max 500 rows.,تحميل ملف CSV مع عمودين:. الاسم القديم والاسم الجديد. ماكس 500 الصفوف. -Upload a file,تحميل ملف Upload attendance from a .csv file,تحميل الحضور من ملف CSV. Upload stock balance via csv.,تحميل المال عن طريق التوازن CSV. Upload your letter head and logo - you can edit them later.,تحميل رئيس رسالتكم والشعار - يمكنك تحريرها في وقت لاحق . -Uploading...,تحميل ... Upper Income,العلوي الدخل Urgent,ملح Use Multi-Level BOM,استخدام متعدد المستويات BOM @@ -3217,11 +3015,9 @@ User ID,المستخدم ID User ID not set for Employee {0},هوية المستخدم لم يتم تعيين موظف ل {0} User Name,اسم المستخدم User Name or Support Password missing. Please enter and try again.,اسم المستخدم أو كلمة المرور الدعم في عداد المفقودين. من فضلك ادخل وحاول مرة أخرى . -User Permission Restrictions,تقييد إذن المستخدم User Remark,ملاحظة المستخدم User Remark will be added to Auto Remark,ملاحظة سيتم إضافة مستخدم لملاحظة السيارات User Remarks is mandatory,ملاحظات المستخدم إلزامي -User Restrictions,تقييد المستخدم User Specific,مستخدم محددة User must always select,يجب دائما مستخدم تحديد User {0} is already assigned to Employee {1},المستخدم {0} تم تعيينه بالفعل إلى موظف {1} @@ -3319,8 +3115,6 @@ Will be updated after Sales Invoice is Submitted.,سيتم تحديث بعد ت Will be updated when batched.,سيتم تحديث عندما دفعات. Will be updated when billed.,سيتم تحديث عندما توصف. Wire Transfer,حوالة مصرفية -With Groups,مع المجموعات -With Ledgers,مع سجلات الحسابات With Operations,مع عمليات With period closing entry,مع دخول فترة إغلاق Work Details,تفاصيل العمل @@ -3328,7 +3122,6 @@ Work Done,العمل المنجز Work In Progress,التقدم في العمل Work-in-Progress Warehouse,مستودع العمل قيد التنفيذ Work-in-Progress Warehouse is required before Submit,مطلوب العمل في و التقدم في معرض النماذج ثلاثية قبل إرسال -Workflow will start after saving.,سوف تبدأ العمل بعد الحفظ. Working,عامل Workstation,محطة العمل Workstation Name,محطة العمل اسم @@ -3351,11 +3144,6 @@ Year Start Date should not be greater than Year End Date,لا ينبغي أن ي Year of Passing,اجتياز سنة Yearly,سنويا Yes,نعم -Yesterday,أمس -You are not allowed to create / edit reports,لا يسمح لك لإنشاء تقارير / تحرير -You are not allowed to export this report,لا يسمح لك لتصدير هذا التقرير -You are not allowed to print this document,لا يسمح لك طباعة هذه الوثيقة -You are not allowed to send emails related to this document,لا يسمح لك بإرسال رسائل البريد الإلكتروني ذات الصلة لهذه الوثيقة You are not authorized to add or update entries before {0},غير مصرح لك لإضافة أو تحديث الإدخالات قبل {0} You are not authorized to set Frozen value,لا يحق لك تعيين القيمة المجمدة You are the Expense Approver for this record. Please Update the 'Status' and Save,"كنت الموافق المصروفات لهذا السجل . يرجى تحديث ""الحالة"" و فروا" @@ -3372,7 +3160,6 @@ You can submit this Stock Reconciliation.,يمكنك تقديم هذه الأس You can update either Quantity or Valuation Rate or both.,يمكنك تحديث إما الكمية أو تثمين قيم أو كليهما. You cannot credit and debit same account at the same time,لا يمكنك الائتمان والخصم نفس الحساب في نفس الوقت You have entered duplicate items. Please rectify and try again.,لقد دخلت عناصر مكررة . يرجى تصحيح و حاول مرة أخرى. -You have unsaved changes in this form. Please save before you continue.,لديك تغييرات لم يتم حفظها في هذا النموذج. You may need to update: {0},قد تحتاج إلى تحديث : {0} You must Save the form before proceeding,يجب حفظ النموذج قبل الشروع You must allocate amount before reconcile,يجب تخصيص المبلغ قبل التوفيق بين @@ -3381,7 +3168,6 @@ Your Customers,الزبائن Your Login Id,تسجيل الدخول اسم المستخدم الخاص بك Your Products or Services,المنتجات أو الخدمات الخاصة بك Your Suppliers,لديك موردون -"Your download is being built, this may take a few moments...",ويجري بناء التنزيل، وهذا قد يستغرق بضع لحظات ... Your email address,عنوان البريد الإلكتروني الخاص بك Your financial year begins on,تبدأ السنة المالية الخاصة بك على Your financial year ends on,السنة المالية تنتهي في الخاص @@ -3394,8 +3180,6 @@ Your support email id - must be a valid email - this is where your emails will c and,و are not allowed.,لا يسمح . assigned by,يكلفه بها -comment,تعليق -comments,تعليقات "e.g. ""Build tools for builders""","على سبيل المثال "" بناء أدوات لبناة """ "e.g. ""MC""","على سبيل المثال "" MC """ "e.g. ""My Company LLC""","على سبيل المثال ""شركتي LLC """ @@ -3405,14 +3189,9 @@ e.g. 5,على سبيل المثال 5 e.g. VAT,على سبيل المثال ضريبة eg. Cheque Number,على سبيل المثال. عدد الشيكات example: Next Day Shipping,مثال: اليوم التالي شحن -found,أسس -is not allowed.,غير مسموح به. lft,LFT old_parent,old_parent -or,أو rgt,RGT -to,إلى -values and dates,القيم والتواريخ website page link,الموقع رابط الصفحة {0} '{1}' not in Fiscal Year {2},{0} '{1}' ليس في السنة المالية {2} {0} Credit limit {0} crossed,{0} حد الائتمان {0} عبروا diff --git a/erpnext/translations/de.csv b/erpnext/translations/de.csv index 62bade5c41..a007789c9d 100644 --- a/erpnext/translations/de.csv +++ b/erpnext/translations/de.csv @@ -1,7 +1,5 @@ (Half Day),(Halber Tag) and year: ,und Jahr: - by Role ,von Rolle - is not set,nicht gesetzt """ does not exists",""" Existiert nicht" % Delivered,% Lieferung % Amount Billed,% Rechnungsbetrag @@ -34,7 +32,6 @@ "1 Currency = [?] Fraction For e.g. 1 USD = 100 Cent",1 Währungs = [ ?] Fraction \ nFür z. B. 1. To maintain the customer wise item code and to make them searchable based on their code use this option,Ein. Um den Kunden kluge Artikel Code zu pflegen und um sie durchsuchbar basierend auf ihren Code um diese Option -2 days ago,Vor 2 Tagen "Add / Edit"," Hinzufügen / Bearbeiten " "Add / Edit"," Hinzufügen / Bearbeiten " "Add / Edit"," Hinzufügen / Bearbeiten " @@ -89,7 +86,6 @@ Accounts Frozen Upto,Konten Bis gefroren Accounts Payable,Kreditorenbuchhaltung Accounts Receivable,Debitorenbuchhaltung Accounts Settings,Konten-Einstellungen -Actions,Aktionen Active,Aktiv Active: Will extract emails from ,Aktiv: Werden E-Mails extrahieren Activity,Aktivität @@ -111,23 +107,13 @@ Actual Quantity,Tatsächliche Menge Actual Start Date,Tatsächliche Startdatum Add,Hinzufügen Add / Edit Taxes and Charges,Hinzufügen / Bearbeiten Steuern und Abgaben -Add Attachments,Anhänge hinzufügen -Add Bookmark,Lesezeichen hinzufügen Add Child,Kinder hinzufügen -Add Column,Spalte hinzufügen -Add Message,Nachricht hinzufügen -Add Reply,Fügen Sie Antworten Add Serial No,In Seriennummer Add Taxes,Steuern hinzufügen Add Taxes and Charges,In Steuern und Abgaben -Add This To User's Restrictions,Fügen Sie diese auf Benutzer- Einschränkungen -Add attachment,Anhang hinzufügen -Add new row,In neue Zeile Add or Deduct,Hinzufügen oder abziehen Add rows to set annual budgets on Accounts.,Fügen Sie Zeilen hinzu jährlichen Budgets für Konten festgelegt. Add to Cart,In den Warenkorb -Add to To Do,In den To Do -Add to To Do List of,In den To Do Liste der Add to calendar on this date,In den an diesem Tag Kalender Add/Remove Recipients,Hinzufügen / Entfernen von Empfängern Address,Adresse @@ -220,9 +206,6 @@ Allow user to edit Price List Rate in transactions,Benutzer zulassen Preis List Allowance Percent,Allowance Prozent Allowance for over-delivery / over-billing crossed for Item {0},Wertberichtigungen für Über Lieferung / Über Abrechnung für Artikel gekreuzt {0} Allowed Role to Edit Entries Before Frozen Date,"Erlaubt Rolle , um Einträge bearbeiten Bevor Gefrorene Datum" -"Allowing DocType, DocType. Be careful!","Zulassen DocType , DocType . Seien Sie vorsichtig !" -Alternative download link,Alternative Download- Link -Amend,Ändern Amended From,Geändert von Amount,Menge Amount (Company Currency),Betrag (Gesellschaft Währung) @@ -270,26 +253,18 @@ Approving User,Genehmigen Benutzer Approving User cannot be same as user the rule is Applicable To,Genehmigen Benutzer kann nicht dieselbe sein wie Benutzer die Regel ist anwendbar auf Are you sure you want to STOP , Are you sure you want to UNSTOP , -Are you sure you want to delete the attachment?,"Sind Sie sicher, dass Sie den Anhang löschen?" Arrear Amount,Nachträglich Betrag "As Production Order can be made for this item, it must be a stock item.","Als Fertigungsauftrag kann für diesen Artikel gemacht werden , es muss ein Lager Titel ." As per Stock UOM,Wie pro Lagerbestand UOM "As there are existing stock transactions for this item, you can not change the values of 'Has Serial No', 'Is Stock Item' and 'Valuation Method'","Da gibt es bestehende Aktientransaktionen zu diesem Artikel , können Sie die Werte von "" Hat Serien Nein ' nicht ändern , Ist Auf Artikel "" und "" Bewertungsmethode """ -Ascending,Aufsteigend Asset,Vermögenswert -Assign To,zuweisen zu -Assigned To,zugewiesen an -Assignments,Zuordnungen Assistant,Assistent Associate,Mitarbeiterin Atleast one warehouse is mandatory,Mindestens eines Lagers ist obligatorisch -Attach Document Print,Anhängen Dokument drucken Attach Image,Bild anhängen Attach Letterhead,Bringen Brief Attach Logo,Bringen Logo Attach Your Picture,Bringen Sie Ihr Bild -Attach as web link,Bringen Sie als Web-Link -Attachments,Zubehör Attendance,Teilnahme Attendance Date,Teilnahme seit Attendance Details,Teilnahme Einzelheiten @@ -402,7 +377,6 @@ Block leave applications by department.,Block verlassen Anwendungen nach Abteilu Blog Post,Blog Post Blog Subscriber,Blog Subscriber Blood Group,Blutgruppe -Bookmarks,Bookmarks Both Warehouse must belong to same Company,Beide Lager müssen an derselben Gesellschaft gehören Box,Box Branch,Zweig @@ -437,7 +411,6 @@ C-Form No,C-Form nicht C-Form records,C- Form- Aufzeichnungen Calculate Based On,Berechnen Basierend auf Calculate Total Score,Berechnen Gesamtpunktzahl -Calendar,Kalender Calendar Events,Kalendereintrag Call,Rufen Calls,Anrufe @@ -450,7 +423,6 @@ Can be approved by {0},Kann von {0} genehmigt werden "Can not filter based on Account, if grouped by Account","Basierend auf Konto kann nicht filtern, wenn sie von Konto gruppiert" "Can not filter based on Voucher No, if grouped by Voucher","Basierend auf Gutschein kann nicht auswählen, Nein, wenn durch Gutschein gruppiert" Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"Kann Zeile beziehen sich nur , wenn die Ladung ist ' On Zurück Reihe Betrag ""oder"" Zurück Reihe Total'" -Cancel,Kündigen Cancel Material Visit {0} before cancelling this Customer Issue,Abbrechen Werkstoff Besuchen Sie {0} vor Streichung dieses Kunden Ausgabe Cancel Material Visits {0} before cancelling this Maintenance Visit,Abbrechen Werkstoff Besuche {0} vor Streichung dieses Wartungsbesuch Cancelled,Abgesagt @@ -469,11 +441,7 @@ Cannot deactive or cancle BOM as it is linked with other BOMs,"Kann nicht deakti Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Kann nicht abziehen , wenn Kategorie ist für ""Bewertungstag "" oder "" Bewertung und Total '" "Cannot delete Serial No {0} in stock. First remove from stock, then delete.","Kann nicht Seriennummer {0} in Lager löschen . Erstens ab Lager entfernen, dann löschen." "Cannot directly set amount. For 'Actual' charge type, use the rate field","Kann nicht direkt Betrag gesetzt . Für ""tatsächlichen"" Ladungstyp , verwenden Sie das Kursfeld" -Cannot edit standard fields,Kann Standardfelder nicht bearbeiten -Cannot open instance when its {0} is open,"Kann nicht geöffnet werden , wenn sein Beispiel {0} offen ist" -Cannot open {0} when its instance is open,"Kann nicht öffnen {0}, wenn ihre Instanz geöffnet ist" "Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in 'Setup' > 'Global Defaults'","Kann nicht für Artikel {0} in Zeile overbill {0} mehr als {1} . Um Überfakturierung zu ermöglichen, bitte ""Setup"" eingestellt > ' Globale Defaults'" -Cannot print cancelled documents,Kann abgebrochen Dokumente nicht drucken Cannot produce more Item {0} than Sales Order quantity {1},Mehr Artikel kann nicht produzieren {0} als Sales Order Menge {1} Cannot refer row number greater than or equal to current row number for this Charge type,Kann nicht Zeilennummer größer oder gleich aktuelle Zeilennummer für diesen Ladetypbeziehen Cannot return more than {0} for Item {1},Kann nicht mehr als {0} zurück zur Artikel {1} @@ -527,19 +495,14 @@ Claim Amount,Schadenhöhe Claims for company expense.,Ansprüche für Unternehmen Kosten. Class / Percentage,Klasse / Anteil Classic,Klassische -Clear Cache,Cache löschen Clear Table,Tabelle löschen Clearance Date,Clearance Datum Clearance Date not mentioned,Räumungsdatumnicht genannt Clearance date cannot be before check date in row {0},Räumungsdatum kann nicht vor dem Check- in Datum Zeile {0} Click on 'Make Sales Invoice' button to create a new Sales Invoice.,"Klicken Sie auf "Als Sales Invoice", um einen neuen Sales Invoice erstellen." Click on a link to get options to expand get options , -Click on row to view / edit.,Klicken Sie auf die Reihe zu bearbeiten / anzeigen. -Click to Expand / Collapse,Klicken Sie auf Erweitern / Reduzieren Client,Auftraggeber -Close,Schließen Close Balance Sheet and book Profit or Loss.,Schließen Bilanz und Gewinn-und -Verlust- Buch . -Close: {0},Schließen : {0} Closed,Geschlossen Closing Account Head,Konto schließen Leiter Closing Account {0} must be of type 'Liability',"Schluss Konto {0} muss vom Typ ""Haftung"" sein" @@ -550,10 +513,8 @@ Closing Value,Schlusswerte CoA Help,CoA Hilfe Code,Code Cold Calling,Cold Calling -Collapse,Zusammenbruch Color,Farbe Comma separated list of email addresses,Durch Komma getrennte Liste von E-Mail-Adressen -Comment,Kommentar Comments,Kommentare Commercial,Handels- Commission,Provision @@ -564,7 +525,6 @@ Commission rate cannot be greater than 100,Provisionsrate nicht größer als 100 Communication,Kommunikation Communication HTML,Communication HTML Communication History,Communication History -Communication Medium,Communication Medium Communication log.,Communication log. Communications,Kommunikation Company,Firma @@ -583,7 +543,6 @@ Company registration numbers for your reference. Tax numbers etc.,Handelsregiste "Company, Month and Fiscal Year is mandatory","Unternehmen , Monat und Geschäftsjahr ist obligatorisch" Compensatory Off,Ausgleichs Off Complete,Vervollständigen -Complete By,Komplette Durch Complete Setup,Vollständige Setup Completed,Fertiggestellt Completed Production Orders,Abgeschlossene Fertigungsaufträge @@ -635,7 +594,6 @@ Convert into Recurring Invoice,Konvertieren in Wiederkehrende Rechnung Convert to Group,Konvertieren in Gruppe Convert to Ledger,Convert to Ledger Converted,Umgerechnet -Copy,Kopieren Copy From Item Group,Kopieren von Artikel-Gruppe Cosmetics,Kosmetika Cost Center,Kostenstellenrechnung @@ -666,7 +624,6 @@ Create Stock Ledger Entries when you submit a Sales Invoice,"Neues Lager Ledger Create rules to restrict transactions based on values.,"Erstellen Sie Regeln , um Transaktionen auf Basis von Werten zu beschränken." Created By,Erstellt von Creates salary slip for above mentioned criteria.,Erstellt Gehaltsabrechnung für die oben genannten Kriterien. -Creation / Modified By,Creation / Geändert von Creation Date,Erstellungsdatum Creation Document No,Creation Dokument Nr. Creation Document Type,Creation Dokumenttyp @@ -697,11 +654,9 @@ Current Liabilities,Kurzfristige Verbindlichkeiten Current Stock,Aktuelle Stock Current Stock UOM,Aktuelle Stock UOM Current Value,Aktueller Wert -Current status,Aktueller Status Custom,Brauch Custom Autoreply Message,Benutzerdefinierte Autoreply Nachricht Custom Message,Custom Message -Custom Reports,Benutzerdefinierte Berichte Customer,Kunde Customer (Receivable) Account,Kunde (Forderungen) Konto Customer / Item Name,Kunde / Item Name @@ -750,7 +705,6 @@ Date Format,Datumsformat Date Of Retirement,Datum der Pensionierung Date Of Retirement must be greater than Date of Joining,Zeitpunkt der Pensionierung muss größer sein als Datum für Füge sein Date is repeated,Datum wird wiederholt -Date must be in format: {0},Datum muss im Format : {0} Date of Birth,Geburtsdatum Date of Issue,Datum der Ausgabe Date of Joining,Datum der Verbindungstechnik @@ -761,7 +715,6 @@ Dates,Termine Days Since Last Order,Tage seit dem letzten Auftrag Days for which Holidays are blocked for this department.,"Tage, für die Feiertage sind für diese Abteilung blockiert." Dealer,Händler -Dear,Liebe Debit,Soll Debit Amt,Debit Amt Debit Note,Lastschrift @@ -809,7 +762,6 @@ Default settings for stock transactions.,Standardeinstellungen für Aktientransa Defense,Verteidigung "Define Budget for this Cost Center. To set budget action, see Company Master","Definieren Budget für diese Kostenstelle. Um Budget Aktion finden Sie unter Firma Master " Delete,Löschen -Delete Row,Zeile löschen Delete {0} {1}?,Löschen {0} {1} ? Delivered,Lieferung Delivered Items To Be Billed,Liefergegenstände in Rechnung gestellt werden @@ -836,7 +788,6 @@ Department,Abteilung Department Stores,Kaufhäuser Depends on LWP,Abhängig von LWP Depreciation,Abschreibung -Descending,Absteigend Description,Beschreibung Description HTML,Beschreibung HTML Designation,Bezeichnung @@ -881,15 +832,10 @@ Do you really want to stop production order: , Doc Name,Doc Namen Doc Type,Doc Type Document Description,Document Beschreibung -Document Status transition from ,Document Status Übergang von -Document Status transition from {0} to {1} is not allowed,Dokumentstatus Übergang von {0} {1} ist nicht erlaubt Document Type,Document Type -Document is only editable by users of role,Dokument ist nur editierbar Nutzer Rolle -Documentation,Dokumentation Documents,Unterlagen Domain,Domain Don't send Employee Birthday Reminders,Senden Sie keine Mitarbeitergeburtstagserinnerungen -Download,Herunterladen Download Materials Required,Herunterladen benötigte Materialien Download Reconcilation Data,Laden Versöhnung Daten Download Template,Vorlage herunterladen @@ -898,8 +844,6 @@ Download a report containing all raw materials with their latest inventory statu "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","Laden Sie die Vorlage , füllen entsprechenden Daten und befestigen Sie die geänderte Datei . \ NAlle stammt und Mitarbeiter Kombination in der gewünschten Zeit wird in der Vorlage zu kommen, mit den bestehenden Besucherrekorde" Draft,Entwurf -Drafts,Dame -Drag to sort columns,Ziehen Sie Spalten sortieren Dropbox,Dropbox Dropbox Access Allowed,Dropbox-Zugang erlaubt Dropbox Access Key,Dropbox Access Key @@ -920,7 +864,6 @@ Earning & Deduction,Earning & Abzug Earning Type,Earning Typ Earning1,Earning1 Edit,Bearbeiten -Editable,Editable Education,Bildung Educational Qualification,Educational Qualifikation Educational Qualification Details,Educational Qualifikation Einzelheiten @@ -940,12 +883,9 @@ Email Id,Email Id "Email Id where a job applicant will email e.g. ""jobs@example.com""","Email Id, wo ein Bewerber beispielsweise per E-Mail wird ""Jobs@example.com""" Email Notifications,E-Mail- Benachrichtigungen Email Sent?,E-Mail gesendet? -"Email addresses, separted by commas",E-Mail -Adressen durch Komma separted "Email id must be unique, already exists for {0}","E-Mail -ID muss eindeutig sein , für die bereits vorhanden {0}" Email ids separated by commas.,E-Mail-IDs durch Komma getrennt. -Email sent to {0},E-Mail an {0} gesendet "Email settings to extract Leads from sales email id e.g. ""sales@example.com""","E-Mail-Einstellungen zu extrahieren Leads aus dem Verkauf email id zB ""Sales@example.com""" -Email...,E-Mail ... Emergency Contact,Notfallkontakt Emergency Contact Details,Notfall Kontakt Emergency Phone,Notruf @@ -984,7 +924,6 @@ End date of current invoice's period,Ende der laufenden Rechnung der Zeit End of Life,End of Life Energy,Energie Engineer,Ingenieur -Enter Value,Wert eingeben Enter Verification Code,Sicherheitscode eingeben Enter campaign name if the source of lead is campaign.,"Geben Sie Namen der Kampagne, wenn die Quelle von Blei-Kampagne." Enter department to which this Contact belongs,"Geben Abteilung, auf die diese Kontakt gehört" @@ -1002,7 +941,6 @@ Entries,Einträge Entries against,Einträge gegen Entries are not allowed against this Fiscal Year if the year is closed.,"Die Einträge sind nicht gegen diese Geschäftsjahr zulässig, wenn die Jahre geschlossen ist." Entries before {0} are frozen,Einträge vor {0} werden eingefroren -Equals,Equals Equity,Gerechtigkeit Error: {0} > {1},Fehler: {0}> {1} Estimated Material Cost,Geschätzter Materialkalkulationen @@ -1019,7 +957,6 @@ Exhibition,Ausstellung Existing Customer,Bestehende Kunden Exit,Verlassen Exit Interview Details,Verlassen Interview Einzelheiten -Expand,erweitern Expected,Voraussichtlich Expected Completion Date can not be less than Project Start Date,Erwartete Abschlussdatum kann nicht weniger als Projektstartdatumsein Expected Date cannot be before Material Request Date,Erwartete Datum kann nicht vor -Material anfordern Date @@ -1052,8 +989,6 @@ Expenses Booked,Aufwand gebucht Expenses Included In Valuation,Aufwendungen enthalten In Bewertungstag Expenses booked for the digest period,Aufwendungen für den gebuchten Zeitraum Digest Expiry Date,Verfallsdatum -Export,Exportieren -Export not allowed. You need {0} role to export.,Export nicht erlaubt. Sie müssen {0} Rolle zu exportieren. Exports,Ausfuhr External,Extern Extract Emails,Auszug Emails @@ -1068,11 +1003,8 @@ Feedback,Rückkopplung Female,Weiblich Fetch exploded BOM (including sub-assemblies),Fetch explodierte BOM ( einschließlich Unterbaugruppen ) "Field available in Delivery Note, Quotation, Sales Invoice, Sales Order","Feld in Lieferschein, Angebot, Sales Invoice, Sales Order" -Field {0} is not selectable.,Feld {0} ist nicht wählbar. -File,Datei Files Folder ID,Dateien Ordner-ID Fill the form and save it,Füllen Sie das Formular aus und speichern Sie sie -Filter,Filtern Filter based on customer,Filtern basierend auf Kunden- Filter based on item,Filtern basierend auf Artikel Financial / accounting year.,Finanz / Rechnungsjahres. @@ -1101,14 +1033,10 @@ For Server Side Print Formats,Für Server Side Druckformate For Supplier,für Lieferanten For Warehouse,Für Warehouse For Warehouse is required before Submit,"Für Warehouse erforderlich ist, bevor abschicken" -"For comparative filters, start with","Für vergleichende Filter, mit zu beginnen" "For e.g. 2012, 2012-13","Für z.B. 2012, 2012-13" -For ranges,Für Bereiche For reference,Als Referenz For reference only.,Nur als Referenz. "For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Für die Bequemlichkeit der Kunden, können diese Codes in Druckformate wie Rechnungen und Lieferscheine werden" -Form,Form -Forums,Foren Fraction,Bruchteil Fraction Units,Fraction Units Freeze Stock Entries,Frieren Lager Einträge @@ -1161,12 +1089,10 @@ Generate Material Requests (MRP) and Production Orders.,Generieren Werkstoff Req Generate Salary Slips,Generieren Gehaltsabrechnungen Generate Schedule,Generieren Zeitplan Generates HTML to include selected image in the description,Erzeugt HTML ausgewählte Bild sind in der Beschreibung -Get,erhalten Get Advances Paid,Holen Geleistete Get Advances Received,Holen Erhaltene Anzahlungen Get Against Entries,Holen Sie sich gegen Einträge Get Current Stock,Holen Aktuelle Stock -Get From ,Holen Sie sich ab Get Items,Holen Artikel Get Items From Sales Orders,Holen Sie Angebote aus Kundenaufträgen Get Items from BOM,Holen Sie Angebote von Stücklisten @@ -1194,8 +1120,6 @@ Government,Regierung Graduate,Absolvent Grand Total,Grand Total Grand Total (Company Currency),Grand Total (Gesellschaft Währung) -Greater or equals,Größer oder equals -Greater than,größer als "Grid ""","Grid """ Grocery,Lebensmittelgeschäft Gross Margin %,Gross Margin% @@ -1207,7 +1131,6 @@ Gross Profit (%),Gross Profit (%) Gross Weight,Bruttogewicht Gross Weight UOM,Bruttogewicht UOM Group,Gruppe -"Group Added, refreshing...","Gruppe hinzugefügt , erfrischend ..." Group by Account,Gruppe von Konto Group by Voucher,Gruppe von Gutschein Group or Ledger,Gruppe oder Ledger @@ -1229,14 +1152,12 @@ Health Care,Health Care Health Concerns,Gesundheitliche Bedenken Health Details,Gesundheit Details Held On,Hielt -Help,Hilfe Help HTML,Helfen Sie HTML "Help: To link to another record in the system, use ""#Form/Note/[Note Name]"" as the Link URL. (don't use ""http://"")","Hilfe: Um zu einem anderen Datensatz im System zu verknüpfen, verwenden Sie "# Form / Note / [Anmerkung Name]", wie der Link URL. (Verwenden Sie nicht "http://")" "Here you can maintain family details like name and occupation of parent, spouse and children","Hier können Sie pflegen Familie Details wie Name und Beruf der Eltern, Ehepartner und Kinder" "Here you can maintain height, weight, allergies, medical concerns etc","Hier können Sie pflegen Größe, Gewicht, Allergien, medizinischen Bedenken etc" Hide Currency Symbol,Ausblenden Währungssymbol High,Hoch -History,Geschichte History In Company,Geschichte Im Unternehmen Hold,Halten Holiday,Urlaub @@ -1281,17 +1202,14 @@ If you have Sales Team and Sale Partners (Channel Partners) they can be tagged If you involve in manufacturing activity. Enables Item 'Is Manufactured',Wenn Sie in die produzierenden Aktivitäten einzubeziehen. Ermöglicht Item ' hergestellt ' Ignore,Ignorieren Ignored: ,Ignoriert: -"Ignoring Item {0}, because a group exists with the same name!","Ignorieren Artikel {0} , weil eine Gruppe mit dem gleichen Namen existiert!" Image,Bild Image View,Bild anzeigen Implementation Partner,Implementation Partner -Import,Importieren Import Attendance,Import Teilnahme Import Failed!,Import fehlgeschlagen ! Import Log,Import-Logbuch Import Successful!,Importieren Sie erfolgreich! Imports,Imports -In,in In Hours,In Stunden In Process,In Process In Qty,Menge @@ -1306,7 +1224,6 @@ In Words will be visible once you save the Purchase Receipt.,"In Worte sichtbar In Words will be visible once you save the Quotation.,"In Worte sichtbar sein wird, sobald Sie das Angebot zu speichern." In Words will be visible once you save the Sales Invoice.,"In Worte sichtbar sein wird, sobald Sie das Sales Invoice speichern." In Words will be visible once you save the Sales Order.,"In Worte sichtbar sein wird, sobald Sie den Sales Order zu speichern." -In response to,Als Antwort auf Incentives,Incentives Include Reconciled Entries,Fügen versöhnt Einträge Include holidays in Total no. of Working Days,Fügen Sie Urlaub in Summe nicht. der Arbeitstage @@ -1327,8 +1244,6 @@ Indirect Income,Indirekte Erträge Individual,Einzelne Industry,Industrie Industry Type,Industry Typ -Insert Below,Darunter einfügen -Insert Row,Zeile einfügen Inspected By,Geprüft von Inspection Criteria,Prüfkriterien Inspection Required,Inspektion erforderlich @@ -1350,8 +1265,6 @@ Internal,Intern Internet Publishing,Internet Publishing Introduction,Einführung Invalid Barcode or Serial No,Ungültige Barcode oder Seriennummer -Invalid Email: {0},Ungültige E-Mail: {0} -Invalid Filter: {0},Ungültige Filter: {0} Invalid Mail Server. Please rectify and try again.,Ungültige E-Mail -Server. Bitte korrigieren und versuchen Sie es erneut . Invalid Master Name,Ungültige Master-Name Invalid User Name or Support Password. Please rectify and try again.,Ungültige Benutzername oder Passwort -Unterstützung . Bitte korrigieren und versuchen Sie es erneut . @@ -1516,7 +1429,6 @@ Landed Cost updated successfully,Landed Cost erfolgreich aktualisiert Language,Sprache Last Name,Nachname Last Purchase Rate,Last Purchase Rate -Last updated by,Zuletzt aktualisiert von Latest,neueste Lead,Führen Lead Details,Blei Einzelheiten @@ -1566,24 +1478,17 @@ Ledgers,Ledger Left,Links Legal,Rechts- Legal Expenses,Anwaltskosten -Less or equals,Weniger oder equals -Less than,weniger als Letter Head,Briefkopf Letter Heads for print templates.,Schreiben Köpfe für Druckvorlagen . Level,Ebene Lft,Lft Liability,Haftung -Like,wie -Linked With,Verbunden mit -List,Liste List a few of your customers. They could be organizations or individuals.,Listen Sie ein paar Ihrer Kunden. Sie könnten Organisationen oder Einzelpersonen sein . List a few of your suppliers. They could be organizations or individuals.,Listen Sie ein paar von Ihren Lieferanten . Sie könnten Organisationen oder Einzelpersonen sein . List items that form the package.,Diese Liste Artikel bilden das Paket. List this Item in multiple groups on the website.,Liste Diesen Artikel in mehrere Gruppen auf der Website. "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.","Listen Sie Ihre Produkte oder Dienstleistungen, die Sie kaufen oder verkaufen ." "List your tax heads (e.g. VAT, Excise; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Listen Sie Ihre Steuerköpfen ( z. B. Mehrwertsteuer, Verbrauchssteuern , sie sollten eindeutige Namen haben ) und ihre Standardsätze." -Loading,Laden -Loading Report,Loading Loading...,Wird geladen ... Loans (Liabilities),Kredite ( Passiva) Loans and Advances (Assets),Forderungen ( Assets) @@ -1591,7 +1496,6 @@ Local,lokal Login with your new User ID,Loggen Sie sich mit Ihrem neuen Benutzer-ID Logo,Logo Logo and Letter Heads,Logo und Briefbögen -Logout,Ausloggen Lost,verloren Lost Reason,Verlorene Reason Low,Gering @@ -1642,7 +1546,6 @@ Make Salary Structure,Machen Gehaltsstruktur Make Sales Invoice,Machen Sales Invoice Make Sales Order,Machen Sie Sales Order Make Supplier Quotation,Machen Lieferant Zitat -Make a new,Machen Sie einen neuen Male,Männlich Manage Customer Group Tree.,Verwalten von Kunden- Gruppenstruktur . Manage Sales Person Tree.,Verwalten Sales Person Baum . @@ -1650,8 +1553,6 @@ Manage Territory Tree.,Verwalten Territory Baum . Manage cost of operations,Verwalten Kosten der Operationen Management,Management Manager,Manager -Mandatory fields required in {0},Pflichtfelder in erforderlich {0} -Mandatory filters required:\n,Pflicht Filter erforderlich : \ n "Mandatory if Stock Item is ""Yes"". Also the default warehouse where reserved quantity is set from Sales Order.","Obligatorisch, wenn Lager Artikel ist "Ja". Auch die Standard-Lager, wo reservierte Menge von Sales Order eingestellt ist." Manufacture against Sales Order,Herstellung gegen Sales Order Manufacture/Repack,Herstellung / Repack @@ -1722,13 +1623,11 @@ Minute,Minute Misc Details,Misc Einzelheiten Miscellaneous Expenses,Sonstige Aufwendungen Miscelleneous,Miscelleneous -Missing Values Required,Fehlende Werte Erforderlich Mobile No,In Mobile Mobile No.,Handy Nr. Mode of Payment,Zahlungsweise Modern,Moderne Modified Amount,Geändert Betrag -Modified by,Geändert von Monday,Montag Month,Monat Monthly,Monatlich @@ -1736,12 +1635,9 @@ Monthly Attendance Sheet,Monatliche Anwesenheitsliste Monthly Earning & Deduction,Monatlichen Einkommen & Abzug Monthly Salary Register,Monatsgehalt Register Monthly salary statement.,Monatsgehalt Aussage. -More,Mehr More Details,Mehr Details More Info,Mehr Info Motion Picture & Video,Motion Picture & Video -Move Down: {0},Nach unten : {0} -Move Up: {0},Nach oben : {0} Moving Average,Moving Average Moving Average Rate,Moving Average Rate Mr,Herr @@ -1751,12 +1647,9 @@ Multiple Item prices.,Mehrere Artikelpreise . conflict by assigning priority. Price Rules: {0}","Mehrere Price Rule mit gleichen Kriterien gibt, lösen Sie bitte \ \ n Konflikt durch Zuweisung Priorität." Music,Musik Must be Whole Number,Muss ganze Zahl sein -My Settings,Meine Einstellungen Name,Name Name and Description,Name und Beschreibung Name and Employee ID,Name und Employee ID -Name is required,Name wird benötigt -Name not permitted,Nennen nicht erlaubt "Name of new Account. Note: Please don't create accounts for Customers and Suppliers, they are created automatically from the Customer and Supplier master","Name des neuen Konto . Hinweis : Bitte keine Konten für Kunden und Lieferanten zu schaffen , werden sie automatisch von der Kunden-und Lieferantenstamm angelegt" Name of person or organization that this address belongs to.,"Name der Person oder Organisation, dass diese Adresse gehört." Name of the Budget Distribution,Name der Verteilung Budget @@ -1774,7 +1667,6 @@ Net Weight UOM,Nettogewicht UOM Net Weight of each Item,Nettogewicht der einzelnen Artikel Net pay cannot be negative,Nettolohn kann nicht negativ sein Never,Nie -New,neu New , New Account,Neues Konto New Account Name,New Account Name @@ -1794,7 +1686,6 @@ New Projects,Neue Projekte New Purchase Orders,New Bestellungen New Purchase Receipts,New Kaufbelege New Quotations,New Zitate -New Record,Neuer Rekord New Sales Orders,New Sales Orders New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Neue Seriennummer kann nicht sein Warehouse. Warehouse müssen von Lizenz Eintrag oder Kaufbeleg eingestellt werden New Stock Entries,New Stock Einträge @@ -1816,11 +1707,8 @@ Next,nächste Next Contact By,Von Next Kontakt Next Contact Date,Weiter Kontakt Datum Next Date,Nächster Termin -Next Record,Nächster Datensatz -Next actions,Nächste Veranstaltungen Next email will be sent on:,Weiter E-Mail wird gesendet: No,Auf -No Communication tagged with this ,Keine Kommunikation mit diesem getaggt No Customer Accounts found.,Keine Kundenkonten gefunden. No Customer or Supplier Accounts found,Keine Kunden-oder Lieferantenkontengefunden No Expense Approvers. Please assign 'Expense Approver' Role to atleast one user,"Keine Kosten Genehmiger . Bitte weisen ' Expense Genehmiger "" -Rolle an einen Benutzer atleast" @@ -1830,48 +1718,31 @@ No Items to pack,Keine Artikel zu packen No Leave Approvers. Please assign 'Leave Approver' Role to atleast one user,"Keine Leave Genehmiger . Bitte weisen ' Leave Genehmiger "" -Rolle an einen Benutzer atleast" No Permission,In Permission No Production Orders created,Keine Fertigungsaufträge erstellt -No Report Loaded. Please use query-report/[Report Name] to run a report.,"Nein geladen. Bitte benutzen Sie Abfrage - Report / [Bericht Name], um einen Bericht ausführen ." -No Results,Keine Ergebnisse No Supplier Accounts found. Supplier Accounts are identified based on 'Master Type' value in account record.,Keine Lieferantenkontengefunden. Lieferant Konten werden basierend auf dem Wert 'Master Type' in Kontodatensatz identifiziert. No accounting entries for the following warehouses,Keine Buchungen für die folgenden Hallen No addresses created,Keine Adressen erstellt No contacts created,Keine Kontakte erstellt No default BOM exists for Item {0},Kein Standardstücklisteexistiert für Artikel {0} No description given,Keine Beschreibung angegeben -No document selected,Kein Dokument ausgewählt No employee found,Kein Mitarbeiter gefunden No employee found!,Kein Mitarbeiter gefunden! No of Requested SMS,Kein SMS Erwünschte No of Sent SMS,Kein SMS gesendet No of Visits,Anzahl der Besuche -No one,Keiner No permission,Keine Berechtigung -No permission to '{0}' {1},Keine Berechtigung um '{0} ' {1} -No permission to edit,Keine Berechtigung zum Bearbeiten No record found,Kein Eintrag gefunden -No records tagged.,In den Datensätzen markiert. No salary slip found for month: ,Kein Gehaltsabrechnung für den Monat gefunden: Non Profit,Non-Profit- -None,Keine -None: End of Workflow,Keine : Ende der Workflow- Nos,nos Not Active,Nicht aktiv Not Applicable,Nicht zutreffend Not Available,nicht verfügbar Not Billed,Nicht Billed Not Delivered,Nicht zugestellt -Not Found,Nicht gefunden -Not Linked to any record.,Nicht zu jedem Datensatz verknüpft. -Not Permitted,Nicht zulässig Not Set,Nicht festgelegt -Not Submitted,advertisement -Not allowed,Nicht erlaubt Not allowed to update entries older than {0},"Nicht erlaubt, um Einträge zu aktualisieren , die älter als {0}" Not authorized to edit frozen Account {0},Keine Berechtigung für gefrorene Konto bearbeiten {0} Not authroized since {0} exceeds limits,Nicht authroized seit {0} überschreitet Grenzen -Not enough permission to see links.,"Nicht genug Erlaubnis, siehe Links ." -Not equals,Nicht Gleichen -Not found,Nicht gefunden Not permitted,Nicht zulässig Note,Hinweis Note User,Hinweis: User @@ -1880,7 +1751,6 @@ Note User,Hinweis: User Note: Due Date exceeds the allowed credit days by {0} day(s),Hinweis: Due Date übersteigt die zulässigen Kredit Tage von {0} Tag (e) Note: Email will not be sent to disabled users,Hinweis: E-Mail wird nicht für behinderte Nutzer gesendet werden Note: Item {0} entered multiple times,Hinweis: Artikel {0} mehrfach eingegeben -Note: Other permission rules may also apply,Hinweis: Weitere Regeln können die Erlaubnis auch gelten Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,"Hinweis: Zahlung Eintrag nicht da ""Cash oder Bankkonto ' wurde nicht angegeben erstellt werden" Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Hinweis: Das System wird nicht über Lieferung und Überbuchung überprüfen zu Artikel {0} als Menge oder die Menge ist 0 Note: There is not enough leave balance for Leave Type {0},Hinweis: Es ist nicht genügend Urlaubsbilanz für Leave Typ {0} @@ -1889,12 +1759,9 @@ Note: {0},Hinweis: {0} Notes,Aufzeichnungen Notes:,Hinweise: Nothing to request,"Nichts zu verlangen," -Nothing to show,"Nichts zu zeigen," -Nothing to show for this selection,Nichts für diese Auswahl zeigen Notice (days),Unsere (Tage) Notification Control,Meldungssteuervorrichtung Notification Email Address,Benachrichtigung per E-Mail-Adresse -Notify By Email,Per E-Mail benachrichtigen Notify by Email on creation of automatic Material Request,Benachrichtigen Sie per E-Mail bei der Erstellung von automatischen Werkstoff anfordern Number Format,Number Format Offer Date,Angebot Datum @@ -1938,7 +1805,6 @@ Opportunity Items,Gelegenheit Artikel Opportunity Lost,Chance vertan Opportunity Type,Gelegenheit Typ Optional. This setting will be used to filter in various transactions.,"Optional. Diese Einstellung wird verwendet, um in verschiedenen Transaktionen zu filtern." -Or Created By,Oder Erstellt von Order Type,Auftragsart Order Type must be one of {1},Auftragstyp muss man von {1} Ordered,Bestellt @@ -1953,7 +1819,6 @@ Organization Profile,Unternehmensprofil Organization branch master.,Organisation Niederlassung Master. Organization unit (department) master.,Organisationseinheit ( Abteilung ) Master. Original Amount,Original- Menge -Original Message,Ursprüngliche Nachricht Other,Andere Other Details,Weitere Details Others,andere @@ -1996,7 +1861,6 @@ Packing Slip Items,Packzettel Artikel Packing Slip(s) cancelled,Lieferschein (e) abgesagt Page Break,Seitenwechsel Page Name,Page Name -Page not found,Seite nicht gefunden Paid Amount,Gezahlten Betrag Paid amount + Write Off Amount can not be greater than Grand Total,Bezahlte Betrag + Write Off Betrag kann nicht größer als Gesamtsumme sein Pair,Paar @@ -2062,9 +1926,6 @@ Period Closing Voucher,Periodenverschiebung Gutschein Periodicity,Periodizität Permanent Address,Permanent Address Permanent Address Is,Permanent -Adresse ist -Permanently Cancel {0}?,Dauerhaft Abbrechen {0} ? -Permanently Submit {0}?,Dauerhaft Absenden {0} ? -Permanently delete {0}?,Dauerhaftes Löschen {0} ? Permission,Permission Personal,Persönliche Personal Details,Persönliche Details @@ -2073,7 +1934,6 @@ Pharmaceutical,pharmazeutisch Pharmaceuticals,Pharmaceuticals Phone,Telefon Phone No,Phone In -Pick Columns,Wählen Sie Spalten Piecework,Akkordarbeit Pincode,Pincode Place of Issue,Ausstellungsort @@ -2086,8 +1946,6 @@ Plant,Pflanze Plant and Machinery,Anlagen und Maschinen Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,Bitte geben Abkürzung oder das Kurzer Name enquiry.c es auf alle Suffix Konto Heads hinzugefügt werden. Please add expense voucher details,Bitte fügen Sie Kosten Gutschein Details -Please attach a file first.,Bitte fügen Sie eine Datei zuerst. -Please attach a file or set a URL,Bitte fügen Sie eine Datei oder stellen Sie eine URL Please check 'Is Advance' against Account {0} if this is an advance entry.,"Bitte prüfen ' Ist Voraus ' gegen Konto {0} , wenn dies ein Fortschritt Eintrag ." Please click on 'Generate Schedule',"Bitte klicken Sie auf "" Generieren Zeitplan '" Please click on 'Generate Schedule' to fetch Serial No added for Item {0},"Bitte klicken Sie auf "" Generieren Zeitplan ' zu holen Seriennummer für Artikel hinzugefügt {0}" @@ -2096,7 +1954,6 @@ Please create Customer from Lead {0},Bitte erstellen Sie Kunde aus Blei {0} Please create Salary Structure for employee {0},Legen Sie bitte Gehaltsstruktur für Mitarbeiter {0} Please create new account from Chart of Accounts.,Bitte neues Konto erstellen von Konten . Please do NOT create Account (Ledgers) for Customers and Suppliers. They are created directly from the Customer / Supplier masters.,Bitte nicht erstellen Account ( Ledger ) für Kunden und Lieferanten . Sie werden direkt von den Kunden- / Lieferanten -Master erstellt. -Please enable pop-ups,Bitte aktivieren Sie Pop-ups Please enter 'Expected Delivery Date',"Bitte geben Sie "" Voraussichtlicher Liefertermin """ Please enter 'Is Subcontracted' as Yes or No,"Bitte geben Sie "" Untervergabe "" als Ja oder Nein" Please enter 'Repeat on Day of Month' field value,"Bitte geben Sie 'Repeat auf Tag des Monats "" Feldwert" @@ -2107,7 +1964,6 @@ Please enter Company,Bitte geben Sie Firmen Please enter Cost Center,Bitte geben Sie Kostenstelle Please enter Delivery Note No or Sales Invoice No to proceed,"Bitte geben Sie Lieferschein oder No Sales Invoice Nein, um fortzufahren" Please enter Employee Id of this sales parson,Bitte geben Sie die Mitarbeiter-ID dieses Verkaufs Pfarrer -Please enter Event's Date and Time!,Bitte geben Sie das Datum und Ereignis -Zeit! Please enter Expense Account,Bitte geben Sie Expense Konto Please enter Item Code to get batch no,Bitte geben Sie Artikel-Code zu Charge nicht bekommen Please enter Item Code.,Bitte geben Sie Artikel-Code . @@ -2133,14 +1989,11 @@ Please enter parent cost center,Bitte geben Sie Mutterkostenstelle Please enter quantity for Item {0},Bitte geben Sie Menge für Artikel {0} Please enter relieving date.,Bitte geben Sie Linderung Datum. Please enter sales order in the above table,Bitte geben Sie Kundenauftrag in der obigen Tabelle -Please enter some text!,Bitte geben Sie einen Text! -Please enter title!,Bitte Titel ! Please enter valid Company Email,Bitte geben Sie eine gültige E-Mail- Gesellschaft Please enter valid Email Id,Bitte geben Sie eine gültige E-Mail -ID Please enter valid Personal Email,Bitte geben Sie eine gültige E-Mail- Personal Please enter valid mobile nos,Bitte geben Sie eine gültige Mobil nos Please install dropbox python module,Bitte installieren Sie Dropbox Python-Modul -Please login to Upvote!,"Bitte loggen Sie sich ein , um upvote !" Please mention no of visits required,Bitte erwähnen Sie keine Besuche erforderlich Please pull items from Delivery Note,Bitte ziehen Sie Elemente aus Lieferschein Please save the Newsletter before sending,Bitte bewahren Sie den Newsletter vor dem Senden @@ -2191,8 +2044,6 @@ Plot By,Grundstück von Point of Sale,Point of Sale Point-of-Sale Setting,Point-of-Sale-Einstellung Post Graduate,Post Graduate -Post already exists. Cannot add again!,Beitrag ist bereits vorhanden. Kann nicht mehr schreiben! -Post does not exist. Please add post!,Beitrag existiert nicht. Bitte fügen Sie nach ! Postal,Postal Postal Expenses,Post Aufwendungen Posting Date,Buchungsdatum @@ -2207,7 +2058,6 @@ Prevdoc DocType,Prevdoc DocType Prevdoc Doctype,Prevdoc Doctype Preview,Vorschau Previous,früher -Previous Record,Previous Record Previous Work Experience,Berufserfahrung Price,Preis Price / Discount,Preis / Rabatt @@ -2226,12 +2076,10 @@ Price or Discount,Preis -oder Rabatt- Pricing Rule,Preisregel Pricing Rule For Discount,Preisregel für Discount Pricing Rule For Price,Preisregel für Preis -Print,drucken Print Format Style,Druckformat Stil Print Heading,Unterwegs drucken Print Without Amount,Drucken ohne Amount Print and Stationary,Print-und Schreibwaren -Print...,Drucken ... Printing and Branding,Druck-und Branding- Priority,Priorität Private Equity,Private Equity @@ -2357,7 +2205,6 @@ Quantity of item obtained after manufacturing / repacking from given quantities Quantity required for Item {0} in row {1},Menge Artikel für erforderlich {0} in Zeile {1} Quarter,Quartal Quarterly,Vierteljährlich -Query Report,Query Report Quick Help,schnelle Hilfe Quotation,Zitat Quotation Date,Quotation Datum @@ -2459,14 +2306,11 @@ Rejected Warehouse is mandatory against regected item,Abgelehnt Warehouse ist ob Relation,Relation Relieving Date,Entlastung Datum Relieving Date must be greater than Date of Joining,Entlastung Datum muss größer sein als Datum für Füge sein -Reload Page,Seite neu laden Remark,Bemerkung Remarks,Bemerkungen -Remove Bookmark,Lesezeichen entfernen Rename,umbenennen Rename Log,Benennen Anmelden Rename Tool,Umbenennen-Tool -Rename...,Benennen Sie ... Rent Cost,Mieten Kosten Rent per hour,Miete pro Stunde Rented,Gemietet @@ -2474,12 +2318,9 @@ Repeat on Day of Month,Wiederholen Sie auf Tag des Monats Replace,Ersetzen Replace Item / BOM in all BOMs,Ersetzen Item / BOM in allen Stücklisten Replied,Beantwortet -Report,Bericht Report Date,Report Date Report Type,Melden Typ Report Type is mandatory,Berichtstyp ist verpflichtend -Report an Issue,Ein Problem melden -Report was not saved (there were errors),Bericht wurde nicht gespeichert (es gab Fehler) Reports to,Berichte an Reqd By Date,Reqd Nach Datum Request Type,Art der Anfrage @@ -2630,7 +2471,6 @@ Salutation,Gruß Sample Size,Stichprobenumfang Sanctioned Amount,Sanktioniert Betrag Saturday,Samstag -Save,Sparen Schedule,Planen Schedule Date,Termine Datum Schedule Details,Termine Details @@ -2644,7 +2484,6 @@ Score (0-5),Score (0-5) Score Earned,Ergebnis Bekommen Score must be less than or equal to 5,Score muß weniger als oder gleich 5 sein Scrap %,Scrap% -Search,Suchen Seasonality for setting budgets.,Saisonalität setzt Budgets. Secretary,Sekretärin Secured Loans,Secured Loans @@ -2656,26 +2495,18 @@ Securities and Deposits,Wertpapiere und Einlagen "Select ""Yes"" if this item represents some work like training, designing, consulting etc.","Wählen Sie ""Ja"", wenn dieser Artikel stellt einige Arbeiten wie Ausbildung, Gestaltung, Beratung etc.." "Select ""Yes"" if you are maintaining stock of this item in your Inventory.","Wählen Sie ""Ja"", wenn Sie Pflege stock dieses Artikels in Ihrem Inventar." "Select ""Yes"" if you supply raw materials to your supplier to manufacture this item.","Wählen Sie ""Ja"", wenn Sie Rohstoffe an Ihren Lieferanten liefern, um diesen Artikel zu fertigen." -Select All,Alle auswählen -Select Attachments,Wählen Sie Dateianhänge Select Budget Distribution to unevenly distribute targets across months.,Wählen Budget Verteilung ungleichmäßig Targets über Monate verteilen. "Select Budget Distribution, if you want to track based on seasonality.","Wählen Budget Distribution, wenn Sie basierend auf Saisonalität verfolgen möchten." Select DocType,Wählen DocType Select Items,Elemente auswählen -Select Print Format,Wählen Sie Druckformat Select Purchase Receipts,Wählen Kaufbelege -Select Report Name,Wählen Bericht Name Select Sales Orders,Wählen Sie Kundenaufträge Select Sales Orders from which you want to create Production Orders.,Wählen Sie Aufträge aus der Sie Fertigungsaufträge erstellen. Select Time Logs and Submit to create a new Sales Invoice.,"Wählen Sie Zeit Logs und abschicken, um einen neuen Sales Invoice erstellen." -Select To Download:,Wählen Sie Zum Herunterladen: Select Transaction,Wählen Sie Transaction -Select Type,Typ wählen Select Your Language,Wählen Sie Ihre Sprache Select account head of the bank where cheque was deposited.,"Wählen Sie den Kopf des Bankkontos, wo Kontrolle abgelagert wurde." Select company name first.,Wählen Firmennamen erste. -Select dates to create a new , -Select or drag across time slots to create a new event.,Wählen oder ziehen in Zeitfenstern um ein neues Ereignis zu erstellen. Select template from which you want to get the Goals,"Wählen Sie aus, welche Vorlage Sie die Ziele erhalten möchten" Select the Employee for whom you are creating the Appraisal.,"Wählen Sie den Mitarbeiter, für den Sie erstellen Appraisal." Select the period when the invoice will be generated automatically,Wählen Sie den Zeitraum auf der Rechnung wird automatisch erzeugt werden @@ -2691,11 +2522,9 @@ Select your home country and check the timezone and currency.,Wählen Sie Ihr He Selling,Verkauf Selling Settings,Verkauf Einstellungen Send,Senden -Send As Email,Senden als E-Mail Send Autoreply,Senden Autoreply Send Email,E-Mail senden Send From,Senden Von -Send Me A Copy,Senden Sie mir eine Kopie Send Notifications To,Benachrichtigungen an Send Now,Jetzt senden Send SMS,Senden Sie eine SMS @@ -2705,7 +2534,6 @@ Send mass SMS to your contacts,Senden Sie Massen-SMS an Ihre Kontakte Send to this list,Senden Sie zu dieser Liste Sender Name,Absender Name Sent On,Sent On -Sent or Received,Gesendet oder empfangen Separate production order will be created for each finished good item.,Separate Fertigungsauftrag wird für jeden fertigen gute Position geschaffen werden. Serial No,Serial In Serial No / Batch,Seriennummer / Charge @@ -2739,11 +2567,9 @@ Series {0} already used in {1},Serie {0} bereits verwendet {1} Service,Service Service Address,Service Adresse Services,Dienstleistungen -Session Expired. Logging you out,Session abgelaufen. Sie werden abgemeldet Set,Set "Set Default Values like Company, Currency, Current Fiscal Year, etc.","Vorschlagswerte wie Unternehmen , Währung, aktuelle Geschäftsjahr usw." Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,"Set Artikel gruppenweise Budgets auf diesem Gebiet. Sie können Saisonalität auch gehören, indem Sie die Distribution." -Set Link,Link- Set Set as Default,Als Standard Set as Lost,Als Passwort Set prefix for numbering series on your transactions,Nummerierung einstellen Serie Präfix für Ihre Online-Transaktionen @@ -2776,17 +2602,12 @@ Shipping Rule Label,Liefer-Rule Etikett Shop,Im Shop Shopping Cart,Einkaufswagen Short biography for website and other publications.,Kurzbiographie für die Website und anderen Publikationen. -Shortcut,Abkürzung "Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","Anzeigen ""Im Lager"" oder ""Nicht auf Lager"", basierend auf verfügbaren Bestand in diesem Lager." "Show / Hide features like Serial Nos, POS etc.","Show / Hide Funktionen wie Seriennummern, POS , etc." -Show Details,Details anzeigen Show In Website,Zeigen Sie in der Webseite -Show Tags,Tags anzeigen Show a slideshow at the top of the page,Zeige die Slideshow an der Spitze der Seite Show in Website,Zeigen Sie im Website -Show rows with zero values,Zeige Zeilen mit Nullwerten Show this slideshow at the top of the page,Zeige diese Slideshow an der Spitze der Seite -Showing only for (if not empty),Es werden nur für die (wenn nicht leer) Sick Leave,Sick Leave Signature,Unterschrift Signature to be appended at the end of every email,Unterschrift am Ende jeder E-Mail angehängt werden @@ -2797,11 +2618,8 @@ Slideshow,Slideshow Soap & Detergent,Soap & Reinigungsmittel Software,Software Software Developer,Software-Entwickler -Sorry we were unable to find what you were looking for.,"Leider waren wir nicht in der Lage zu finden, was Sie suchen ." -Sorry you are not permitted to view this page.,"Leider sind Sie nicht berechtigt , diese Seite anzuzeigen ." "Sorry, Serial Nos cannot be merged","Sorry, Seriennummernkönnen nicht zusammengeführt werden," "Sorry, companies cannot be merged","Sorry, Unternehmen können nicht zusammengeführt werden" -Sort By,Sortieren nach Source,Quelle Source File,Source File Source Warehouse,Quelle Warehouse @@ -2826,7 +2644,6 @@ Standard Selling,Standard- Selling Standard contract terms for Sales or Purchase.,Übliche Vertragsbedingungen für den Verkauf oder Kauf . Start,Start- Start Date,Startdatum -Start Report For,Starten Bericht für Start date of current invoice's period,Startdatum der laufenden Rechnung der Zeit Start date should be less than end date for Item {0},Startdatum sollte weniger als Enddatum für Artikel {0} State,Zustand @@ -2884,7 +2701,6 @@ Sub Assemblies,Unterbaugruppen "Sub-currency. For e.g. ""Cent""","Sub-Währung. Für z.B. ""Cent""" Subcontract,Vergeben Subject,Thema -Submit,Einreichen Submit Salary Slip,Senden Gehaltsabrechnung Submit all salary slips for the above selected criteria,Reichen Sie alle Gehaltsabrechnungen für die oben ausgewählten Kriterien Submit this Production Order for further processing.,Senden Sie dieses Fertigungsauftrag für die weitere Verarbeitung . @@ -2928,7 +2744,6 @@ Support Email Settings,Support- E-Mail -Einstellungen Support Password,Support Passwort Support Ticket,Support Ticket Support queries from customers.,Support-Anfragen von Kunden. -Switch to Website,Wechseln Sie zur Website Symbol,Symbol Sync Support Mails,Sync Unterstützung Mails Sync with Dropbox,Sync mit Dropbox @@ -2936,7 +2751,6 @@ Sync with Google Drive,Sync mit Google Drive System,System System Settings,Systemeinstellungen "System User (login) ID. If set, it will become default for all HR forms.","System User (login) ID. Wenn gesetzt, wird es standardmäßig für alle HR-Formulare werden." -Tags,Tags Target Amount,Zielbetrag Target Detail,Ziel Detailansicht Target Details,Zieldetails @@ -2995,7 +2809,6 @@ Territory Target Variance Item Group-Wise,Territory Zielabweichungsartikelgruppe Territory Targets,Territory Targets Test,Test Test Email Id,Test Email Id -Test Runner,Test Runner Test the Newsletter,Testen Sie den Newsletter The BOM which will be replaced,"Die Stückliste, die ersetzt werden" The First User: You,Der erste Benutzer : Sie @@ -3015,28 +2828,23 @@ The net weight of this package. (calculated automatically as sum of net weight o The new BOM after replacement,Der neue BOM nach dem Austausch The rate at which Bill Currency is converted into company's base currency,"Die Rate, mit der Bill Währung in Unternehmen Basiswährung umgewandelt wird" The unique id for tracking all recurring invoices. It is generated on submit.,Die eindeutige ID für Tracking alle wiederkehrenden Rechnungen. Es basiert auf einreichen generiert. -Then By (optional),Dann nach (optional) There are more holidays than working days this month.,Es gibt mehr Feiertage als Arbeitstage in diesem Monat. "There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Es kann nur einen Versand Regel sein Zustand mit 0 oder Blindwert für "" auf den Wert""" There is not enough leave balance for Leave Type {0},Es ist nicht genügend Urlaubsbilanz für Leave Typ {0} There is nothing to edit.,Es gibt nichts zu bearbeiten. There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,"Es ist ein Fehler aufgetreten . Ein möglicher Grund könnte sein, dass Sie das Formular nicht gespeichert haben. Bitte kontaktieren Sie support@erpnext.com wenn das Problem weiterhin besteht ." -There were errors,Es gab Fehler -There were errors while sending email. Please try again.,Es gab Fehler beim Versenden der E-Mail. Bitte versuchen Sie es erneut . There were errors.,Es gab Fehler . This Currency is disabled. Enable to use in transactions,"Diese Währung ist deaktiviert . Aktivieren, um Transaktionen in" This Leave Application is pending approval. Only the Leave Apporver can update status.,Dieser Urlaubsantrag ist bis zur Genehmigung . Nur das Datum Apporver können Status zu aktualisieren. This Time Log Batch has been billed.,This Time Log Batch abgerechnet hat. This Time Log Batch has been cancelled.,This Time Log Batch wurde abgebrochen. This Time Log conflicts with {0},This Time Log Konflikt mit {0} -This is PERMANENT action and you cannot undo. Continue?,Dies ist PERMANENT Aktion und können nicht rückgängig gemacht werden. Weiter? This is a root account and cannot be edited.,Dies ist ein Root-Account und können nicht bearbeitet werden. This is a root customer group and cannot be edited.,Dies ist eine Wurzel Kundengruppe und können nicht editiert werden . This is a root item group and cannot be edited.,Dies ist ein Stammelement -Gruppe und können nicht editiert werden . This is a root sales person and cannot be edited.,Dies ist ein Root- Verkäufer und können nicht editiert werden . This is a root territory and cannot be edited.,Dies ist ein Root- Gebiet und können nicht bearbeitet werden. This is an example website auto-generated from ERPNext,Dies ist ein Beispiel -Website von ERPNext automatisch generiert -This is permanent action and you cannot undo. Continue?,Dies ist ständige Aktion und können nicht rückgängig gemacht werden. Weiter? This is the number of the last created transaction with this prefix,Dies ist die Nummer des zuletzt erzeugte Transaktion mit diesem Präfix This will be used for setting rule in HR module,Dies wird für die Einstellung der Regel im HR-Modul verwendet werden Thread HTML,Themen HTML @@ -3078,7 +2886,6 @@ To get Item Group in details table,Zu Artikelnummer Gruppe im Detail Tisch zu be "To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Um Steuer in Zeile enthalten {0} in Artikel Rate , Steuern in Reihen {1} müssen ebenfalls enthalten sein" "To merge, following properties must be same for both items","Um mischen können, müssen folgende Eigenschaften für beide Produkte sein" "To report an issue, go to ", -"To run a test add the module name in the route after '{0}'. For example, {1}",So führen Sie eine Test hinzufügen den Namen des Moduls in der Route nach '{0}' . Beispiel: {1} "To set this Fiscal Year as Default, click on 'Set as Default'","Zu diesem Geschäftsjahr als Standard festzulegen, klicken Sie auf "" Als Standard festlegen """ To track any installation or commissioning related work after sales,Um jegliche Installation oder Inbetriebnahme verwandte Arbeiten After Sales verfolgen "To track brand name in the following documents Delivery Note, Opportunity, Material Request, Item, Purchase Order, Purchase Voucher, Purchaser Receipt, Quotation, Sales Invoice, Sales BOM, Sales Order, Serial No","Um Markennamen in der folgenden Dokumente Lieferschein , Gelegenheit, Materialanforderung , Punkt , Bestellung , Einkauf Gutschein , Käufer Beleg, Angebot, Verkaufsrechnung , Vertriebsstückliste, Kundenauftrag, Seriennummer verfolgen" @@ -3130,7 +2937,6 @@ Totals,Totals Track Leads by Industry Type.,Spur führt nach Branche Typ . Track this Delivery Note against any Project,Verfolgen Sie diesen Lieferschein gegen Projekt Track this Sales Order against any Project,Verfolgen Sie diesen Kundenauftrag gegen Projekt -Trainee,Trainee Transaction,Transaktion Transaction Date,Transaction Datum Transaction not allowed against stopped Production Order {0},Transaktion nicht gegen gestoppt Fertigungsauftrag erlaubt {0} @@ -3162,7 +2968,6 @@ UOM Conversion Factor,UOM Umrechnungsfaktor UOM Conversion factor is required in row {0},Verpackung Umrechnungsfaktor wird in der Zeile erforderlich {0} UOM Name,UOM Namen UOM coversion factor required for UOM {0} in Item {1},Verpackung coverFaktor für Verpackung erforderlich {0} in Artikel {1} -Unable to load: {0},Kann nicht geladen werden: {0} Under AMC,Unter AMC Under Graduate,Unter Graduate Under Warranty,Unter Garantie @@ -3172,11 +2977,8 @@ Unit of Measure {0} has been entered more than once in Conversion Factor Table,M "Unit of measurement of this item (e.g. Kg, Unit, No, Pair).","Maßeinheit für diesen Artikel (zB kg, Einheit, Nein, Pair)." Units/Hour,Einheiten / Stunde Units/Shifts,Units / Shifts -Unknown Column: {0},Unknown Column: {0} -Unknown Print Format: {0},Unbekannt Print Format: {0} Unmatched Amount,Unübertroffene Betrag Unpaid,Unbezahlte -Unread Messages,Ungelesene Nachrichten Unscheduled,Außerplanmäßig Unsecured Loans,Unbesicherte Kredite Unstop,aufmachen @@ -3196,18 +2998,14 @@ Update bank payment dates with journals.,Update Bank Zahlungstermine mit Zeitsch Update clearance date of Journal Entries marked as 'Bank Vouchers',"Update- Clearance Datum der Journaleinträge als ""Bank Gutscheine 'gekennzeichnet" Updated,Aktualisiert Updated Birthday Reminders,Aktualisiert Geburtstagserinnerungen -Upload,laden -Upload Attachment,Anhang hochladen Upload Attendance,Hochladen Teilnahme Upload Backups to Dropbox,Backups auf Dropbox hochladen Upload Backups to Google Drive,Laden Sie Backups auf Google Drive Upload HTML,Hochladen HTML Upload a .csv file with two columns: the old name and the new name. Max 500 rows.,Laden Sie eine CSV-Datei mit zwei Spalten:. Den alten Namen und der neue Name. Max 500 Zeilen. -Upload a file,Hochladen einer Datei Upload attendance from a .csv file,Fotogalerie Besuch aus einer. Csv-Datei Upload stock balance via csv.,Hochladen Bestandsliste über csv. Upload your letter head and logo - you can edit them later.,Laden Sie Ihr Briefkopf und Logo - Sie können sie später zu bearbeiten. -Uploading...,Uploading ... Upper Income,Obere Income Urgent,Dringend Use Multi-Level BOM,Verwenden Sie Multi-Level BOM @@ -3217,11 +3015,9 @@ User ID,Benutzer-ID User ID not set for Employee {0},Benutzer-ID nicht für Mitarbeiter eingestellt {0} User Name,User Name User Name or Support Password missing. Please enter and try again.,Benutzername oder Passwort -Unterstützung fehlt. Bitte geben Sie und versuchen Sie es erneut . -User Permission Restrictions,Benutzerberechtigung Einschränkungen User Remark,Benutzer Bemerkung User Remark will be added to Auto Remark,Benutzer Bemerkung auf Auto Bemerkung hinzugefügt werden User Remarks is mandatory,Benutzer Bemerkungen ist obligatorisch -User Restrictions,Benutzereinschränkungen User Specific,Benutzerspezifisch User must always select,Der Benutzer muss immer wählen User {0} is already assigned to Employee {1},Benutzer {0} ist bereits an Mitarbeiter zugewiesen {1} @@ -3319,8 +3115,6 @@ Will be updated after Sales Invoice is Submitted.,Wird aktualisiert After-Sales- Will be updated when batched.,"Wird aktualisiert, wenn dosiert werden." Will be updated when billed.,"Wird aktualisiert, wenn in Rechnung gestellt." Wire Transfer,Überweisung -With Groups,mit Gruppen -With Ledgers,mit Ledger With Operations,Mit Operations With period closing entry,Mit Periodenverschiebung Eintrag Work Details,Werk Details @@ -3328,7 +3122,6 @@ Work Done,Arbeit Work In Progress,Work In Progress Work-in-Progress Warehouse,Work-in-Progress Warehouse Work-in-Progress Warehouse is required before Submit,"Arbeit - in -Progress Warehouse erforderlich ist, bevor abschicken" -Workflow will start after saving.,Workflow wird nach dem Speichern beginnen. Working,Arbeit Workstation,Arbeitsplatz Workstation Name,Name der Arbeitsstation @@ -3351,11 +3144,6 @@ Year Start Date should not be greater than Year End Date,Jahr Startdatum sollte Year of Passing,Jahr der Übergabe Yearly,Jährlich Yes,Ja -Yesterday,Gestern -You are not allowed to create / edit reports,"Sie sind nicht berechtigt, bearbeiten / Berichte erstellen" -You are not allowed to export this report,"Sie sind nicht berechtigt , diesen Bericht zu exportieren" -You are not allowed to print this document,"Sie sind nicht berechtigt , dieses Dokument zu drucken" -You are not allowed to send emails related to this document,"Es ist nicht erlaubt , E-Mails zu diesem Dokument im Zusammenhang senden" You are not authorized to add or update entries before {0},"Sie sind nicht berechtigt , um Einträge hinzuzufügen oder zu aktualisieren , bevor {0}" You are not authorized to set Frozen value,"Sie sind nicht berechtigt, Gefrorene Wert eingestellt" You are the Expense Approver for this record. Please Update the 'Status' and Save,Sie sind der Kosten Genehmiger für diesen Datensatz . Bitte aktualisiere den 'Status' und Sparen @@ -3372,7 +3160,6 @@ You can submit this Stock Reconciliation.,Sie können diese Vektor Versöhnung v You can update either Quantity or Valuation Rate or both.,Sie können entweder Menge oder Bewertungs bewerten oder beides aktualisieren. You cannot credit and debit same account at the same time,Sie können keine Kredit-und Debit gleiche Konto in der gleichen Zeit You have entered duplicate items. Please rectify and try again.,Sie haben doppelte Elemente eingetragen. Bitte korrigieren und versuchen Sie es erneut . -You have unsaved changes in this form. Please save before you continue.,Sie haben noch nicht gespeicherte Änderungen in dieser Form . You may need to update: {0},Sie müssen möglicherweise aktualisiert werden: {0} You must Save the form before proceeding,"Sie müssen das Formular , bevor Sie speichern" You must allocate amount before reconcile,Sie müssen Wert vor Abgleich zuweisen @@ -3381,7 +3168,6 @@ Your Customers,Ihre Kunden Your Login Id,Ihre Login-ID Your Products or Services,Ihre Produkte oder Dienstleistungen Your Suppliers,Ihre Lieferanten -"Your download is being built, this may take a few moments...","Ihr Download gebaut wird, kann dies einige Zeit dauern ..." Your email address,Ihre E-Mail -Adresse Your financial year begins on,Ihr Geschäftsjahr beginnt am Your financial year ends on,Ihr Geschäftsjahr endet am @@ -3394,8 +3180,6 @@ Your support email id - must be a valid email - this is where your emails will c and,und are not allowed.,sind nicht erlaubt. assigned by,zugewiesen durch -comment,Kommentar -comments,Kommentare "e.g. ""Build tools for builders""","z.B. ""Build -Tools für Bauherren """ "e.g. ""MC""","z.B. ""MC""" "e.g. ""My Company LLC""","z.B. "" My Company LLC""" @@ -3405,14 +3189,9 @@ e.g. 5,z.B. 5 e.g. VAT,z.B. Mehrwertsteuer eg. Cheque Number,zB. Scheck-Nummer example: Next Day Shipping,Beispiel: Versand am nächsten Tag -found,gefunden -is not allowed.,ist nicht erlaubt. lft,lft old_parent,old_parent -or,oder rgt,rgt -to,auf -values and dates,Werte und Daten website page link,Website-Link {0} '{1}' not in Fiscal Year {2},{0} ' {1}' nicht im Geschäftsjahr {2} {0} Credit limit {0} crossed,{0} Kreditlimit {0} gekreuzt diff --git a/erpnext/translations/el.csv b/erpnext/translations/el.csv index d6ec596c10..7f799e4204 100644 --- a/erpnext/translations/el.csv +++ b/erpnext/translations/el.csv @@ -1,7 +1,5 @@ (Half Day),(Μισή ημέρα) and year: ,και το έτος: - by Role ,από το ρόλο - is not set,Δεν έχει οριστεί """ does not exists",""" Δεν υπάρχει" % Delivered,Δημοσιεύθηκε% % Amount Billed,Ποσό που χρεώνεται% @@ -34,7 +32,6 @@ "1 Currency = [?] Fraction For e.g. 1 USD = 100 Cent",1 Νόμισμα = [ ?] Κλάσμα \ nΓια την π.χ. 1. To maintain the customer wise item code and to make them searchable based on their code use this option,"1. Για να διατηρήσετε τον πελάτη σοφός κωδικό στοιχείο και να καταστούν προσβάσιμα με βάση τον κωδικό τους, χρησιμοποιήστε αυτή την επιλογή" -2 days ago,2 μέρες πριν "Add / Edit"," Προσθήκη / Επεξεργασία < / a>" "Add / Edit"," Προσθήκη / Επεξεργασία < / a>" "Add / Edit"," Προσθήκη / Επεξεργασία < / a>" @@ -89,7 +86,6 @@ Accounts Frozen Upto,Λογαριασμοί Κατεψυγμένα Μέχρι Accounts Payable,Λογαριασμοί πληρωτέοι Accounts Receivable,Απαιτήσεις από Πελάτες Accounts Settings,Λογαριασμοί Ρυθμίσεις -Actions,δράσεις Active,Ενεργός Active: Will extract emails from ,Active: Θα εξαγάγετε μηνύματα ηλεκτρονικού ταχυδρομείου από Activity,Δραστηριότητα @@ -111,23 +107,13 @@ Actual Quantity,Πραγματική ποσότητα Actual Start Date,Πραγματική ημερομηνία έναρξης Add,Προσθήκη Add / Edit Taxes and Charges,Προσθήκη / Επεξεργασία Φόροι και τέλη -Add Attachments,Προσθήκη Συνημμένα -Add Bookmark,Προσθήκη σελιδοδείκτη Add Child,Προσθήκη παιδιών -Add Column,Προσθήκη στήλης -Add Message,Προσθήκη μηνύματος -Add Reply,Προσθέστε Απάντηση Add Serial No,Προσθήκη Αύξων αριθμός Add Taxes,Προσθήκη Φόροι Add Taxes and Charges,Προσθήκη Φόροι και τέλη -Add This To User's Restrictions,Προσθέστε το σε Περιορισμοί χρήστη -Add attachment,Προσθήκη συνημμένου -Add new row,Προσθήκη νέας γραμμής Add or Deduct,Προσθήκη ή να αφαιρέσει Add rows to set annual budgets on Accounts.,Προσθέστε γραμμές να θέσουν ετήσιους προϋπολογισμούς σε λογαριασμούς. Add to Cart,Προσθήκη στο Καλάθι -Add to To Do,Προσθήκη στο να κάνει -Add to To Do List of,Προσθήκη στο να κάνει τον κατάλογο των Add to calendar on this date,Προσθήκη στο ημερολόγιο την ημερομηνία αυτή Add/Remove Recipients,Add / Remove παραληπτών Address,Διεύθυνση @@ -220,9 +206,6 @@ Allow user to edit Price List Rate in transactions,Επιτρέπει στο χ Allowance Percent,Ποσοστό Επίδομα Allowance for over-delivery / over-billing crossed for Item {0},Επίδομα πάνω - παράδοση / υπερ- χρέωσης διέσχισε για τη θέση {0} Allowed Role to Edit Entries Before Frozen Date,Κατοικίδια ρόλος στην επιλογή Επεξεργασία εγγραφών Πριν Κατεψυγμένα Ημερομηνία -"Allowing DocType, DocType. Be careful!","Επιτρέποντας DocType , DocType . Να είστε προσεκτικοί !" -Alternative download link,Εναλλακτική σύνδεση λήψης -Amend,Τροποποιούνται Amended From,Τροποποίηση Από Amount,Ποσό Amount (Company Currency),Ποσό (νόμισμα της Εταιρείας) @@ -270,26 +253,18 @@ Approving User,Έγκριση χρήστη Approving User cannot be same as user the rule is Applicable To,Την έγκριση του χρήστη δεν μπορεί να είναι ίδιο με το χρήστη ο κανόνας ισχύει για Are you sure you want to STOP , Are you sure you want to UNSTOP , -Are you sure you want to delete the attachment?,Είστε σίγουροι ότι θέλετε να διαγράψετε το συνημμένο; Arrear Amount,Καθυστερήσεις Ποσό "As Production Order can be made for this item, it must be a stock item.","Όπως μπορεί να γίνει Παραγωγής παραγγελίας για το συγκεκριμένο προϊόν , θα πρέπει να είναι ένα στοιχείο υλικού." As per Stock UOM,Όπως ανά Διαθέσιμο UOM "As there are existing stock transactions for this item, you can not change the values of 'Has Serial No', 'Is Stock Item' and 'Valuation Method'","Δεδομένου ότι υπάρχουν χρηματιστηριακές συναλλαγές για αυτό το στοιχείο , δεν μπορείτε να αλλάξετε τις τιμές των « Έχει Αύξων αριθμός », « Είναι Stock σημείο » και « Μέθοδος αποτίμησης»" -Ascending,Αύξουσα Asset,προσόν -Assign To,Εκχώρηση σε -Assigned To,Ανατέθηκε σε -Assignments,αναθέσεις Assistant,βοηθός Associate,Συνεργάτης Atleast one warehouse is mandatory,"Τουλάχιστον, μια αποθήκη είναι υποχρεωτική" -Attach Document Print,Συνδέστε Εκτύπωση εγγράφου Attach Image,Συνδέστε Image Attach Letterhead,Συνδέστε επιστολόχαρτο Attach Logo,Συνδέστε Logo Attach Your Picture,Προσαρμόστε την εικόνα σας -Attach as web link,Να επισυναφθεί ως σύνδεσμο ιστού -Attachments,Συνημμένα Attendance,Παρουσία Attendance Date,Ημερομηνία Συμμετοχή Attendance Details,Λεπτομέρειες Συμμετοχή @@ -402,7 +377,6 @@ Block leave applications by department.,Αποκλεισμός αφήνουν ε Blog Post,Δημοσίευση Blog Blog Subscriber,Συνδρομητής Blog Blood Group,Ομάδα Αίματος -Bookmarks,Σελιδοδείκτες Both Warehouse must belong to same Company,Τόσο η αποθήκη πρέπει να ανήκουν στην ίδια εταιρεία Box,κουτί Branch,Υποκατάστημα @@ -437,7 +411,6 @@ C-Form No,C-δεν αποτελούν C-Form records,C -Form εγγραφές Calculate Based On,Υπολογιστεί με βάση: Calculate Total Score,Υπολογίστε Συνολική Βαθμολογία -Calendar,Ημερολόγιο Calendar Events,Ημερολόγιο Εκδηλώσεων Call,Κλήση Calls,καλεί @@ -450,7 +423,6 @@ Can be approved by {0},Μπορεί να εγκριθεί από {0} "Can not filter based on Account, if grouped by Account","Δεν μπορείτε να φιλτράρετε με βάση Λογαριασμό , εάν ομαδοποιούνται ανάλογα με το Λογαριασμό" "Can not filter based on Voucher No, if grouped by Voucher","Δεν μπορείτε να φιλτράρετε με βάση Voucher Όχι, αν είναι ομαδοποιημένες κατά Voucher" Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',Μπορεί να παραπέμψει σειρά μόνο εφόσον ο τύπος φόρτισης είναι « On Προηγούμενη Row Ποσό » ή « Προηγούμενο Row Total » -Cancel,Ακύρωση Cancel Material Visit {0} before cancelling this Customer Issue,Ακύρωση Υλικό Επίσκεψη {0} πριν από την ακύρωση αυτού του Πελάτη Τεύχος Cancel Material Visits {0} before cancelling this Maintenance Visit,Ακύρωση επισκέψεις Υλικό {0} πριν από την ακύρωση αυτής της συντήρησης Επίσκεψη Cancelled,Ακυρώθηκε @@ -469,11 +441,7 @@ Cannot deactive or cancle BOM as it is linked with other BOMs,Δεν είναι Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Δεν μπορούν να εκπέσουν όταν η κατηγορία είναι για « Αποτίμηση » ή « Αποτίμηση και Total » "Cannot delete Serial No {0} in stock. First remove from stock, then delete.","Δεν είναι δυνατή η διαγραφή Αύξων αριθμός {0} σε απόθεμα . Πρώτα αφαιρέστε από το απόθεμα , στη συνέχεια, διαγράψτε ." "Cannot directly set amount. For 'Actual' charge type, use the rate field","Δεν μπορείτε να ορίσετε άμεσα το ποσό . Για « Πραγματική » τύπου φόρτισης , χρησιμοποιήστε το πεδίο ρυθμό" -Cannot edit standard fields,Δεν μπορείτε να επεξεργαστείτε τα τυπικά πεδία -Cannot open instance when its {0} is open,"Δεν μπορείτε να ανοίξετε παράδειγμα, όταν του {0} είναι ανοικτή" -Cannot open {0} when its instance is open,Δεν είναι δυνατό το άνοιγμα {0} όταν παράδειγμα είναι ανοιχτό "Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in 'Setup' > 'Global Defaults'","Δεν είναι δυνατή η overbill για τη θέση {0} στη γραμμή {0} περισσότερο από {1} . Για να καταστεί δυνατή υπερτιμολογήσεων , ορίστε σε 'Setup' > ' Παγκόσμιο Προεπιλογές »" -Cannot print cancelled documents,Δεν είναι δυνατή η εκτύπωση ακυρώνεται έγγραφα Cannot produce more Item {0} than Sales Order quantity {1},Δεν μπορεί να παράγει περισσότερο Θέση {0} από την ποσότητα Πωλήσεις Τάξης {1} Cannot refer row number greater than or equal to current row number for this Charge type,Δεν μπορεί να παραπέμψει τον αριθμό σειράς μεγαλύτερο ή ίσο με το σημερινό αριθμό γραμμής για αυτόν τον τύπο φόρτισης Cannot return more than {0} for Item {1},Δεν μπορεί να επιστρέψει πάνω από {0} για τη θέση {1} @@ -527,19 +495,14 @@ Claim Amount,Ποσό απαίτησης Claims for company expense.,Απαιτήσεις για την εις βάρος της εταιρείας. Class / Percentage,Κλάση / Ποσοστό Classic,Classic -Clear Cache,Clear Cache Clear Table,Clear Πίνακας Clearance Date,Ημερομηνία Εκκαθάριση Clearance Date not mentioned,Εκκαθάριση Ημερομηνία που δεν αναφέρονται Clearance date cannot be before check date in row {0},Ημερομηνία εκκαθάρισης δεν μπορεί να είναι πριν από την ημερομηνία άφιξης στη γραμμή {0} Click on 'Make Sales Invoice' button to create a new Sales Invoice.,Κάντε κλικ στο «Κάνε Πωλήσεις Τιμολόγιο» για να δημιουργηθεί μια νέα τιμολογίου πώλησης. Click on a link to get options to expand get options , -Click on row to view / edit.,Κάντε κλικ στην γραμμή για να δείτε / επεξεργαστείτε . -Click to Expand / Collapse,Click to Expand / Collapse Client,Πελάτης -Close,Κοντά Close Balance Sheet and book Profit or Loss.,Κλείσιμο Ισολογισμού και των Αποτελεσμάτων βιβλίο ή απώλεια . -Close: {0},Κλείσιμο : {0} Closed,Κλειστό Closing Account Head,Κλείσιμο Head λογαριασμού Closing Account {0} must be of type 'Liability',Κλείσιμο του λογαριασμού {0} πρέπει να είναι τύπου «Ευθύνη » @@ -550,10 +513,8 @@ Closing Value,Αξία Κλεισίματος CoA Help,CoA Βοήθεια Code,Κωδικός Cold Calling,Cold Calling -Collapse,κατάρρευση Color,Χρώμα Comma separated list of email addresses,Διαχωρισμένες με κόμμα λίστα με τις διευθύνσεις ηλεκτρονικού ταχυδρομείου -Comment,Σχόλιο Comments,Σχόλια Commercial,εμπορικός Commission,προμήθεια @@ -564,7 +525,6 @@ Commission rate cannot be greater than 100,Ποσοστό της Επιτροπ Communication,Επικοινωνία Communication HTML,Ανακοίνωση HTML Communication History,Ιστορία επικοινωνίας -Communication Medium,Μέσο Επικοινωνίας Communication log.,Log ανακοίνωση. Communications,Επικοινωνίες Company,Εταιρεία @@ -583,7 +543,6 @@ Company registration numbers for your reference. Tax numbers etc.,Αριθμοί "Company, Month and Fiscal Year is mandatory","Εταιρείας , Μήνας και Χρήσεως είναι υποχρεωτική" Compensatory Off,Αντισταθμιστικά Off Complete,Πλήρης -Complete By,Συμπληρώστε Με Complete Setup,ολοκλήρωση της εγκατάστασης Completed,Ολοκληρώθηκε Completed Production Orders,Ολοκληρώθηκε Εντολών Παραγωγής @@ -635,7 +594,6 @@ Convert into Recurring Invoice,Μετατροπή σε Επαναλαμβανό Convert to Group,Μετατροπή σε Ομάδα Convert to Ledger,Μετατροπή σε Ledger Converted,Αναπαλαιωμένο -Copy,Αντιγραφή Copy From Item Group,Αντιγραφή από τη θέση Ομάδα Cosmetics,καλλυντικά Cost Center,Κέντρο Κόστους @@ -666,7 +624,6 @@ Create Stock Ledger Entries when you submit a Sales Invoice,Δημιουργία Create rules to restrict transactions based on values.,Δημιουργία κανόνων για τον περιορισμό των συναλλαγών που βασίζονται σε αξίες . Created By,Δημιουργήθηκε Από Creates salary slip for above mentioned criteria.,Δημιουργεί εκκαθαριστικό σημείωμα αποδοχών για τα προαναφερόμενα κριτήρια. -Creation / Modified By,Δημιουργία / Τροποποιήθηκε από Creation Date,Ημερομηνία δημιουργίας Creation Document No,Έγγραφο Δημιουργία αριθ. Creation Document Type,Δημιουργία Τύπος εγγράφου @@ -697,11 +654,9 @@ Current Liabilities,Βραχυπρόθεσμες Υποχρεώσεις Current Stock,Τρέχουσα Χρηματιστήριο Current Stock UOM,Τρέχουσα UOM Χρηματιστήριο Current Value,Τρέχουσα Αξία -Current status,Τρέχουσα κατάσταση Custom,Έθιμο Custom Autoreply Message,Προσαρμοσμένο μήνυμα Autoreply Custom Message,Προσαρμοσμένο μήνυμα -Custom Reports,Προσαρμοσμένες Αναφορές Customer,Πελάτης Customer (Receivable) Account,Πελατών (Απαιτήσεις) λογαριασμός Customer / Item Name,Πελάτης / Θέση Name @@ -750,7 +705,6 @@ Date Format,Μορφή ημερομηνίας Date Of Retirement,Ημερομηνία συνταξιοδότησης Date Of Retirement must be greater than Date of Joining,"Ημερομηνία συνταξιοδότησης πρέπει να είναι μεγαλύτερη από ό, τι Ημερομηνία Ενώνουμε" Date is repeated,Ημερομηνία επαναλαμβάνεται -Date must be in format: {0},Η ημερομηνία πρέπει να είναι σε μορφή : {0} Date of Birth,Ημερομηνία Γέννησης Date of Issue,Ημερομηνία Έκδοσης Date of Joining,Ημερομηνία Ενώνουμε @@ -761,7 +715,6 @@ Dates,Ημερομηνίες Days Since Last Order,Ημέρες από την τελευταία παραγγελία Days for which Holidays are blocked for this department.,Οι ημέρες για τις οποίες Διακοπές μπλοκαριστεί για αυτό το τμήμα. Dealer,Έμπορος -Dear,Αγαπητός Debit,Χρέωση Debit Amt,Χρέωση Amt Debit Note,Χρεωστικό σημείωμα @@ -809,7 +762,6 @@ Default settings for stock transactions.,Οι προεπιλεγμένες ρυ Defense,άμυνα "Define Budget for this Cost Center. To set budget action, see Company Master","Καθορισμός του προϋπολογισμού για το Κέντρο Κόστους. Για να ρυθμίσετε δράσης του προϋπολογισμού, βλ. εταιρεία Master" Delete,Διαγραφή -Delete Row,Διαγραφή γραμμής Delete {0} {1}?,Διαγραφή {0} {1} ; Delivered,Δημοσιεύθηκε Delivered Items To Be Billed,Δημοσιεύθηκε αντικείμενα να χρεώνονται @@ -836,7 +788,6 @@ Department,Τμήμα Department Stores,Πολυκαταστήματα Depends on LWP,Εξαρτάται από LWP Depreciation,απόσβεση -Descending,Φθίνουσα Description,Περιγραφή Description HTML,Περιγραφή HTML Designation,Ονομασία @@ -881,15 +832,10 @@ Do you really want to stop production order: , Doc Name,Doc Name Doc Type,Doc Τύπος Document Description,Περιγραφή εγγράφου -Document Status transition from ,Έγγραφο μετάβασης κατάστασης από -Document Status transition from {0} to {1} is not allowed,Μετάβασης Κατάσταση εγγράφου από {0} έως {1} δεν επιτρέπεται Document Type,Τύπος εγγράφου -Document is only editable by users of role,Το έγγραφο είναι μόνο επεξεργάσιμη από τους χρήστες του ρόλου -Documentation,Τεκμηρίωση Documents,Έγγραφα Domain,Τομέα Don't send Employee Birthday Reminders,Μην στέλνετε Υπάλληλος Υπενθυμίσεις γενεθλίων -Download,Λήψη Download Materials Required,Κατεβάστε Απαιτούμενα Υλικά Download Reconcilation Data,Κατεβάστε συμφιλίωσης Δεδομένων Download Template,Κατεβάστε προτύπου @@ -898,8 +844,6 @@ Download a report containing all raw materials with their latest inventory statu "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","Κατεβάστε το Πρότυπο , συμπληρώστε τα κατάλληλα δεδομένα και να επισυνάψετε το τροποποιημένο αρχείο . \ NΌλες οι ημερομηνίες και ο συνδυασμός των εργαζομένων στην επιλεγμένη περίοδο θα έρθει στο πρότυπο , με τους υπάρχοντες καταλόγους παρουσίας" Draft,Προσχέδιο -Drafts,Συντάκτης -Drag to sort columns,Σύρετε για να ταξινομήσετε στήλες Dropbox,Dropbox Dropbox Access Allowed,Dropbox Access κατοικίδια Dropbox Access Key,Dropbox Access Key @@ -920,7 +864,6 @@ Earning & Deduction,Κερδίζουν & Έκπτωση Earning Type,Κερδίζουν Τύπος Earning1,Earning1 Edit,Επεξεργασία -Editable,Επεξεργάσιμη Education,εκπαίδευση Educational Qualification,Εκπαιδευτικά προσόντα Educational Qualification Details,Εκπαιδευτικά Λεπτομέρειες Προκριματικά @@ -940,12 +883,9 @@ Email Id,Id Email "Email Id where a job applicant will email e.g. ""jobs@example.com""","Email Id, όπου ένας υποψήφιος θα e-mail π.χ. "jobs@example.com"" Email Notifications,Ειδοποιήσεις μέσω ηλεκτρονικού ταχυδρομείου Email Sent?,Εστάλη μήνυμα ηλεκτρονικού ταχυδρομείου; -"Email addresses, separted by commas","Οι διευθύνσεις ηλεκτρονικού ταχυδρομείου, separted με κόμματα" "Email id must be unique, already exists for {0}","Id ηλεκτρονικού ταχυδρομείου πρέπει να είναι μοναδικό , υπάρχει ήδη για {0}" Email ids separated by commas.,"Ταυτότητες ηλεκτρονικού ταχυδρομείου, διαχωρισμένες με κόμματα." -Email sent to {0},Μηνύματος που αποστέλλεται σε {0} "Email settings to extract Leads from sales email id e.g. ""sales@example.com""",Ρυθμίσεις email για να εξαγάγετε οδηγεί από τις πωλήσεις e-mail id π.χ. "sales@example.com" -Email...,Στείλτε e-mail ... Emergency Contact,Επείγουσα Επικοινωνία Emergency Contact Details,Στοιχεία επικοινωνίας έκτακτης ανάγκης Emergency Phone,Τηλέφωνο Έκτακτης Ανάγκης @@ -984,7 +924,6 @@ End date of current invoice's period,Ημερομηνία λήξης της πε End of Life,Τέλος της Ζωής Energy,ενέργεια Engineer,μηχανικός -Enter Value,Εισαγωγή τιμής Enter Verification Code,Εισάγετε τον κωδικό επαλήθευσης Enter campaign name if the source of lead is campaign.,Πληκτρολογήστε το όνομα της καμπάνιας αν η πηγή του μολύβδου εκστρατείας. Enter department to which this Contact belongs,Εισάγετε υπηρεσία στην οποία ανήκει αυτή η επαφή @@ -1002,7 +941,6 @@ Entries,Καταχωρήσεις Entries against,Ενδείξεις κατά Entries are not allowed against this Fiscal Year if the year is closed.,"Οι συμμετοχές δεν επιτρέπεται κατά το τρέχον οικονομικό έτος, εάν το έτος είναι κλειστή." Entries before {0} are frozen,Οι καταχωρήσεις πριν από {0} κατεψυγμένα -Equals,Ίσο Equity,δικαιοσύνη Error: {0} > {1},Σφάλμα : {0} > {1} Estimated Material Cost,Εκτιμώμενο κόστος υλικών @@ -1019,7 +957,6 @@ Exhibition,Έκθεση Existing Customer,Υφιστάμενες πελατών Exit,Έξοδος Exit Interview Details,Έξοδος Λεπτομέρειες Συνέντευξη -Expand,Αναπτύξτε Expected,Αναμενόμενη Expected Completion Date can not be less than Project Start Date,"Αναμενόμενη ημερομηνία ολοκλήρωσης δεν μπορεί να είναι μικρότερη από ό, τι Ημερομηνία Έναρξης Έργου" Expected Date cannot be before Material Request Date,Αναμενόμενη ημερομηνία δεν μπορεί να είναι πριν Υλικό Ημερομηνία Αίτησης @@ -1052,8 +989,6 @@ Expenses Booked,Έξοδα κράτηση Expenses Included In Valuation,Έξοδα που περιλαμβάνονται στην αποτίμηση Expenses booked for the digest period,Έξοδα κράτηση για το χρονικό διάστημα πέψης Expiry Date,Ημερομηνία λήξης -Export,Εξαγωγή -Export not allowed. You need {0} role to export.,Η εξαγωγή δεν επιτρέπεται . Χρειάζεται {0} ρόλο για την εξαγωγή . Exports,Εξαγωγές External,Εξωτερικός Extract Emails,Απόσπασμα Emails @@ -1068,11 +1003,8 @@ Feedback,Ανατροφοδότηση Female,Θηλυκός Fetch exploded BOM (including sub-assemblies),Φέρτε εξερράγη BOM ( συμπεριλαμβανομένων των υποσυνόλων ) "Field available in Delivery Note, Quotation, Sales Invoice, Sales Order","Πεδίο διατίθεται σε δελτίο αποστολής, εισαγωγικά, Πωλήσεις Τιμολόγιο, Πωλήσεις Τάξης" -Field {0} is not selectable.,Το πεδίο {0} δεν είναι επιλέξιμο . -File,Αρχείο Files Folder ID,Αρχεία ID Folder Fill the form and save it,Συμπληρώστε τη φόρμα και να το αποθηκεύσετε -Filter,Φιλτράρισμα Filter based on customer,Φιλτράρισμα με βάση τον πελάτη Filter based on item,Φιλτράρισμα σύμφωνα με το σημείο Financial / accounting year.,Οικονομικών / λογιστικών έτος . @@ -1101,14 +1033,10 @@ For Server Side Print Formats,Για διακομιστή εκτύπωσης Μ For Supplier,για Προμηθευτής For Warehouse,Για αποθήκη For Warehouse is required before Submit,Για απαιτείται αποθήκη πριν Υποβολή -"For comparative filters, start with","Για τις συγκριτικές φίλτρα, ξεκινήστε με" "For e.g. 2012, 2012-13","Για παράδειγμα το 2012, 2012-13" -For ranges,Για σειρές For reference,Για την αναφορά For reference only.,Για την αναφορά μόνο. "For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Για την εξυπηρέτηση των πελατών, οι κωδικοί αυτοί μπορούν να χρησιμοποιηθούν σε μορφές εκτύπωσης, όπως τιμολόγια και δελτία παράδοσης" -Form,Μορφή -Forums,φόρουμ Fraction,Κλάσμα Fraction Units,Μονάδες κλάσμα Freeze Stock Entries,Πάγωμα εγγραφών Χρηματιστήριο @@ -1161,12 +1089,10 @@ Generate Material Requests (MRP) and Production Orders.,Δημιουργία Α Generate Salary Slips,Δημιουργία μισθολόγια Generate Schedule,Δημιουργήστε Πρόγραμμα Generates HTML to include selected image in the description,Δημιουργεί HTML για να συμπεριλάβει επιλεγμένη εικόνα στην περιγραφή -Get,Λήψη Get Advances Paid,Πάρτε προκαταβολές που καταβλήθηκαν Get Advances Received,Πάρτε Προκαταβολές που εισπράχθηκαν Get Against Entries,Πάρτε Ενάντια Καταχωρήσεις Get Current Stock,Get Current Stock -Get From ,Πάρτε Από Get Items,Πάρτε Είδη Get Items From Sales Orders,Πάρετε τα στοιχεία από τις πωλήσεις Παραγγελίες Get Items from BOM,Λήψη στοιχείων από BOM @@ -1194,8 +1120,6 @@ Government,κυβέρνηση Graduate,Πτυχιούχος Grand Total,Γενικό Σύνολο Grand Total (Company Currency),Γενικό Σύνολο (νόμισμα της Εταιρείας) -Greater or equals,Μεγαλύτερο ή ίσον -Greater than,"μεγαλύτερη από ό, τι" "Grid ""","Πλέγμα """ Grocery,παντοπωλείο Gross Margin %,Μικτό Περιθώριο% @@ -1207,7 +1131,6 @@ Gross Profit (%),Μικτό κέρδος (%) Gross Weight,Μικτό βάρος Gross Weight UOM,Μικτό βάρος UOM Group,Ομάδα -"Group Added, refreshing...","Ομάδα Προστέθηκε , αναζωογονητικό ..." Group by Account,Ομάδα με Λογαριασμού Group by Voucher,Ομάδα του Voucher Group or Ledger,Ομάδα ή Ledger @@ -1229,14 +1152,12 @@ Health Care,Φροντίδα Υγείας Health Concerns,Ανησυχίες για την υγεία Health Details,Λεπτομέρειες Υγείας Held On,Πραγματοποιήθηκε την -Help,Βοήθεια Help HTML,Βοήθεια HTML "Help: To link to another record in the system, use ""#Form/Note/[Note Name]"" as the Link URL. (don't use ""http://"")","Βοήθεια: Για να συνδέσετε με άλλη εγγραφή στο σύστημα, χρησιμοποιήστε "# Μορφή / Note / [Name] Σημείωση", όπως τη διεύθυνση URL σύνδεσης. (Δεν χρησιμοποιούν "http://")" "Here you can maintain family details like name and occupation of parent, spouse and children","Εδώ μπορείτε να διατηρήσετε τα στοιχεία της οικογένειας όπως το όνομα και η ιδιότητα του γονέα, σύζυγο και τα παιδιά" "Here you can maintain height, weight, allergies, medical concerns etc","Εδώ μπορείτε να διατηρήσετε το ύψος, το βάρος, τις αλλεργίες, ιατροφαρμακευτική περίθαλψη, κλπ. ανησυχίες" Hide Currency Symbol,Απόκρυψη Σύμβολο νομίσματος High,Υψηλός -History,Ιστορία History In Company,Ιστορία Στην Εταιρεία Hold,Κρατήστε Holiday,Αργία @@ -1281,17 +1202,14 @@ If you have Sales Team and Sale Partners (Channel Partners) they can be tagged If you involve in manufacturing activity. Enables Item 'Is Manufactured',Αν συμμετοχή της μεταποιητικής δραστηριότητας . Επιτρέπει Θέση « Είναι Κατασκευάζεται ' Ignore,Αγνοήστε Ignored: ,Αγνοηθεί: -"Ignoring Item {0}, because a group exists with the same name!","Αγνοώντας Θέση {0} , διότι υπάρχει μια ομάδα με το ίδιο όνομα !" Image,Εικόνα Image View,Προβολή εικόνας Implementation Partner,Εταίρος υλοποίησης -Import,Εισαγωγή Import Attendance,Συμμετοχή Εισαγωγή Import Failed!,Εισαγωγή απέτυχε ! Import Log,Εισαγωγή Log Import Successful!,Εισαγωγή επιτυχής ! Imports,Εισαγωγές -In,σε In Hours,Σε ώρες In Process,Σε διαδικασία In Qty,Στην Ποσότητα @@ -1306,7 +1224,6 @@ In Words will be visible once you save the Purchase Receipt.,Με τα λόγι In Words will be visible once you save the Quotation.,Με τα λόγια θα είναι ορατά αφού μπορείτε να αποθηκεύσετε το πρόσημο. In Words will be visible once you save the Sales Invoice.,Με τα λόγια θα είναι ορατά αφού μπορείτε να αποθηκεύσετε του τιμολογίου πώλησης. In Words will be visible once you save the Sales Order.,Με τα λόγια θα είναι ορατά αφού μπορείτε να αποθηκεύσετε την παραγγελία πωλήσεων. -In response to,Σε απάντηση προς Incentives,Κίνητρα Include Reconciled Entries,Συμπεριλάβετε Συμφιλιώνεται Καταχωρήσεις Include holidays in Total no. of Working Days,Συμπεριλάβετε διακοπές στην Συνολικός αριθμός. των εργάσιμων ημερών @@ -1327,8 +1244,6 @@ Indirect Income,έμμεση εισοδήματος Individual,Άτομο Industry,Βιομηχανία Industry Type,Τύπος Βιομηχανία -Insert Below,Εισαγωγή κάτω -Insert Row,Εισαγωγή γραμμής Inspected By,Επιθεωρείται από Inspection Criteria,Κριτήρια ελέγχου Inspection Required,Απαιτείται Επιθεώρηση @@ -1350,8 +1265,6 @@ Internal,Εσωτερικός Internet Publishing,Εκδόσεις στο Διαδίκτυο Introduction,Εισαγωγή Invalid Barcode or Serial No,Άκυρα Barcode ή Αύξων αριθμός -Invalid Email: {0},Μη έγκυρο Email : {0} -Invalid Filter: {0},Άκυρα Φίλτρο : {0} Invalid Mail Server. Please rectify and try again.,Άκυρα Mail Server . Παρακαλούμε διορθώσει και δοκιμάστε ξανά . Invalid Master Name,Άκυρα Μάστερ Όνομα Invalid User Name or Support Password. Please rectify and try again.,Μη έγκυρο όνομα χρήστη ή τον κωδικό υποστήριξης . Παρακαλούμε διορθώσει και δοκιμάστε ξανά . @@ -1516,7 +1429,6 @@ Landed Cost updated successfully,Προσγειώθηκε κόστος ενημ Language,Γλώσσα Last Name,Επώνυμο Last Purchase Rate,Τελευταία Τιμή Αγοράς -Last updated by,Τελευταία ενημέρωση από Latest,αργότερο Lead,Μόλυβδος Lead Details,Μόλυβδος Λεπτομέρειες @@ -1566,24 +1478,17 @@ Ledgers,καθολικά Left,Αριστερά Legal,νομικός Legal Expenses,Νομικά Έξοδα -Less or equals,Λιγότερο ή ίσον -Less than,λιγότερο από Letter Head,Επικεφαλής Επιστολή Letter Heads for print templates.,Επιστολή αρχηγών για πρότυπα εκτύπωσης . Level,Επίπεδο Lft,LFT Liability,ευθύνη -Like,σαν -Linked With,Συνδέεται με την -List,Λίστα List a few of your customers. They could be organizations or individuals.,Απαριθμήσω μερικά από τους πελάτες σας . Θα μπορούσαν να είναι φορείς ή ιδιώτες . List a few of your suppliers. They could be organizations or individuals.,Απαριθμήσω μερικά από τους προμηθευτές σας . Θα μπορούσαν να είναι φορείς ή ιδιώτες . List items that form the package.,Λίστα στοιχείων που αποτελούν το πακέτο. List this Item in multiple groups on the website.,Λίστα του αντικειμένου σε πολλαπλές ομάδες στην ιστοσελίδα. "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 your tax heads (e.g. VAT, Excise; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Λίστα φορολογική κεφάλια σας ( π.χ. ΦΠΑ , των ειδικών φόρων κατανάλωσης ? Θα πρέπει να έχουν μοναδικά ονόματα ) και κατ 'αποκοπή συντελεστές τους ." -Loading,Φόρτωση -Loading Report,Φόρτωση Έκθεση Loading...,Φόρτωση ... Loans (Liabilities),Δάνεια (Παθητικό ) Loans and Advances (Assets),Δάνεια και Προκαταβολές ( Ενεργητικό ) @@ -1591,7 +1496,6 @@ Local,τοπικός Login with your new User ID,Σύνδεση με το νέο όνομα χρήστη σας Logo,Logo Logo and Letter Heads,Λογότυπο και Επιστολή αρχηγών -Logout,Αποσύνδεση Lost,χαμένος Lost Reason,Ξεχάσατε Αιτιολογία Low,Χαμηλός @@ -1642,7 +1546,6 @@ Make Salary Structure,Κάντε Δομή Μισθός Make Sales Invoice,Κάντε Τιμολόγιο Πώλησης Make Sales Order,Κάντε Πωλήσεις Τάξης Make Supplier Quotation,Κάντε Προμηθευτής Προσφορά -Make a new,Κάντε μια νέα Male,Αρσενικός Manage Customer Group Tree.,Διαχειριστείτε την ομάδα πελατών Tree . Manage Sales Person Tree.,Διαχειριστείτε Sales Person Tree . @@ -1650,8 +1553,6 @@ Manage Territory Tree.,Διαχειριστείτε την Επικράτεια Manage cost of operations,Διαχειριστείτε το κόστος των εργασιών Management,διαχείριση Manager,Διευθυντής -Mandatory fields required in {0},Υποχρεωτικά πεδία είναι υποχρεωτικά σε {0} -Mandatory filters required:\n,Απαιτείται υποχρεωτική φίλτρα : \ n "Mandatory if Stock Item is ""Yes"". Also the default warehouse where reserved quantity is set from Sales Order.","Υποχρεωτική Θέση Χρηματιστήριο, αν είναι "ναι". Επίσης, η αποθήκη προεπιλογή, όπου επιφυλάχθηκε ποσότητα που έχει οριστεί από Πωλήσεις Τάξης." Manufacture against Sales Order,Κατασκευή κατά Πωλήσεις Τάξης Manufacture/Repack,Κατασκευή / Repack @@ -1722,13 +1623,11 @@ Minute,λεπτό Misc Details,Διάφορα Λεπτομέρειες Miscellaneous Expenses,διάφορα έξοδα Miscelleneous,Miscelleneous -Missing Values Required,Λείπει τιμές Απαραίτητα Mobile No,Mobile Όχι Mobile No.,Mobile Όχι Mode of Payment,Τρόπος Πληρωμής Modern,Σύγχρονος Modified Amount,Τροποποιημένο ποσό -Modified by,Τροποποιήθηκε από Monday,Δευτέρα Month,Μήνας Monthly,Μηνιαίος @@ -1736,12 +1635,9 @@ Monthly Attendance Sheet,Μηνιαίο Δελτίο Συμμετοχής Monthly Earning & Deduction,Μηνιαία Κερδίζουν & Έκπτωση Monthly Salary Register,Μηνιαία Εγγραφή Μισθός Monthly salary statement.,Μηνιαία κατάσταση μισθοδοσίας. -More,Περισσότερο More Details,Περισσότερες λεπτομέρειες More Info,Περισσότερες πληροφορίες Motion Picture & Video,Motion Picture & Βίντεο -Move Down: {0},Μετακίνηση προς τα κάτω : {0} -Move Up: {0},Μετακίνηση Up : {0} Moving Average,Κινητός Μέσος Όρος Moving Average Rate,Κινητός μέσος όρος Mr,Ο κ. @@ -1751,12 +1647,9 @@ Multiple Item prices.,Πολλαπλές τιμές Item . conflict by assigning priority. Price Rules: {0}","Πολλαπλές Τιμή Κανόνας υπάρχει με τα ίδια κριτήρια , παρακαλούμε να επιλύσει \ \ n σύγκρουση με την απόδοση προτεραιότητας ." Music,μουσική Must be Whole Number,Πρέπει να είναι Ακέραιος αριθμός -My Settings,Οι ρυθμίσεις μου Name,Όνομα Name and Description,Όνομα και περιγραφή Name and Employee ID,Όνομα και Εργαζομένων ID -Name is required,Όνομα απαιτείται -Name not permitted,Όνομα δεν επιτρέπεται "Name of new Account. Note: Please don't create accounts for Customers and Suppliers, they are created automatically from the Customer and Supplier master","Όνομα του νέου λογαριασμού. Σημείωση : Παρακαλώ μην δημιουργείτε λογαριασμούς για τους πελάτες και προμηθευτές , που δημιουργούνται αυτόματα από τον Πελάτη και Προμηθευτή πλοίαρχος" Name of person or organization that this address belongs to.,Όνομα προσώπου ή οργανισμού ότι αυτή η διεύθυνση ανήκει. Name of the Budget Distribution,Όνομα της διανομής του προϋπολογισμού @@ -1774,7 +1667,6 @@ Net Weight UOM,Καθαρό Βάρος UOM Net Weight of each Item,Καθαρό βάρος κάθε είδους Net pay cannot be negative,Καθαρή αμοιβή δεν μπορεί να είναι αρνητική Never,Ποτέ -New,νέος New , New Account,Νέος λογαριασμός New Account Name,Νέο Όνομα λογαριασμού @@ -1794,7 +1686,6 @@ New Projects,Νέα Έργα New Purchase Orders,Νέες Παραγγελίες Αγορά New Purchase Receipts,Νέες Παραλαβές Αγορά New Quotations,Νέα Παραθέσεις -New Record,Νέα Εγγραφή New Sales Orders,Νέες Παραγγελίες New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Νέα Αύξων αριθμός δεν μπορεί να έχει αποθήκη . Αποθήκη πρέπει να καθορίζεται από Stock Εισόδου ή απόδειξης αγοράς New Stock Entries,Νέες Καταχωρήσεις Χρηματιστήριο @@ -1816,11 +1707,8 @@ Next,επόμενος Next Contact By,Επόμενη Επικοινωνία Με Next Contact Date,Επόμενη ημερομηνία Επικοινωνία Next Date,Επόμενη ημερομηνία -Next Record,Επόμενη εγγραφή -Next actions,Επόμενη δράσεις Next email will be sent on:,Επόμενο μήνυμα ηλεκτρονικού ταχυδρομείου θα αποσταλεί στις: No,Όχι -No Communication tagged with this ,Δεν ανακοίνωση με ετικέτα αυτή No Customer Accounts found.,Δεν βρέθηκαν λογαριασμοί πελατών . No Customer or Supplier Accounts found,Δεν βρέθηκαν Πελάτης ή Προμηθευτής Λογαριασμοί No Expense Approvers. Please assign 'Expense Approver' Role to atleast one user,Δεν Υπεύθυνοι έγκρισης εξόδων . Παρακαλούμε εκχωρήσετε « Εξόδων εγκριτή » ρόλος για atleast ένα χρήστη @@ -1830,48 +1718,31 @@ No Items to pack,Δεν υπάρχουν αντικείμενα για να συ No Leave Approvers. Please assign 'Leave Approver' Role to atleast one user,Δεν Αφήστε Υπεύθυνοι έγκρισης . Παρακαλούμε αναθέσει ρόλο « Αφήστε εγκριτή να atleast ένα χρήστη No Permission,Δεν έχετε άδεια No Production Orders created,Δεν Εντολές Παραγωγής δημιουργήθηκε -No Report Loaded. Please use query-report/[Report Name] to run a report.,Δεν Report Loaded. Παρακαλούμε χρησιμοποιήστε το ερώτημα-αναφορά / [Name] αναφορά στη εκτελέσετε μια έκθεση. -No Results,Δεν υπάρχουν αποτελέσματα No Supplier Accounts found. Supplier Accounts are identified based on 'Master Type' value in account record.,Δεν βρέθηκαν λογαριασμοί Προμηθευτή. Οι λογαριασμοί της επιχείρησης προσδιορίζονται με βάση την αξία «Master Τύπος » στην εγγραφή λογαριασμού . No accounting entries for the following warehouses,Δεν λογιστικές καταχωρήσεις για τις ακόλουθες αποθήκες No addresses created,Δεν δημιουργούνται διευθύνσεις No contacts created,Δεν υπάρχουν επαφές που δημιουργήθηκαν No default BOM exists for Item {0},Δεν υπάρχει προεπιλεγμένη BOM για τη θέση {0} No description given,Δεν έχει περιγραφή -No document selected,Δεν επιλεγμένο έγγραφο No employee found,Δεν βρέθηκε υπάλληλος No employee found!,Κανένας εργαζόμενος δεν βρέθηκε! No of Requested SMS,Δεν Αιτηθέντων SMS No of Sent SMS,Όχι από Sent SMS No of Visits,Δεν Επισκέψεων -No one,Κανένας No permission,Δεν έχετε άδεια -No permission to '{0}' {1},Δεν έχετε άδεια για '{0} ' {1} -No permission to edit,Δεν έχετε άδεια για να επεξεργαστείτε No record found,Δεν υπάρχουν καταχωρημένα στοιχεία -No records tagged.,Δεν υπάρχουν αρχεία ετικέτα. No salary slip found for month: ,Δεν βρέθηκαν εκκαθαριστικό σημείωμα αποδοχών για τον μηνα: Non Profit,μη Κερδοσκοπικοί -None,Κανένας -None: End of Workflow,Κανένας: Τέλος της ροής εργασίας Nos,nos Not Active,Δεν Active Not Applicable,Δεν εφαρμόζεται Not Available,Δεν Διατίθεται Not Billed,Δεν Τιμολογημένος Not Delivered,Δεν παραδόθηκαν -Not Found,Δεν Βρέθηκε -Not Linked to any record.,Δεν συνδέονται με καμία εγγραφή. -Not Permitted,Δεν επιτρέπεται Not Set,Not Set -Not Submitted,δεν Υποβλήθηκε -Not allowed,δεν επιτρέπεται Not allowed to update entries older than {0},Δεν επιτρέπεται να ενημερώσετε τις καταχωρήσεις μεγαλύτερα από {0} Not authorized to edit frozen Account {0},Δεν επιτρέπεται να επεξεργαστείτε τα κατεψυγμένα Λογαριασμό {0} Not authroized since {0} exceeds limits,Δεν authroized δεδομένου {0} υπερβεί τα όρια -Not enough permission to see links.,Δεν υπάρχουν αρκετά δικαιώματα για να δείτε συνδέσμους. -Not equals,δεν ισούται -Not found,δεν βρέθηκε Not permitted,δεν επιτρέπεται Note,Σημείωση Note User,Χρήστης Σημείωση @@ -1880,7 +1751,6 @@ Note User,Χρήστης Σημείωση Note: Due Date exceeds the allowed credit days by {0} day(s),Σημείωση : Λόγω Ημερομηνία υπερβαίνει τις επιτρεπόμενες ημέρες πίστωσης από {0} ημέρα ( ες ) Note: Email will not be sent to disabled users,Σημείωση: E-mail δε θα σταλεί σε χρήστες με ειδικές ανάγκες Note: Item {0} entered multiple times,Σημείωση : Το σημείο {0} τέθηκε πολλές φορές -Note: Other permission rules may also apply,Σημείωση: Άλλοι κανόνες άδεια μπορεί επίσης να εφαρμοστεί Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,Σημείωση : Έναρξη πληρωμών δεν θα πρέπει να δημιουργήσει από το « Cash ή τραπεζικού λογαριασμού ' δεν ορίστηκε Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Σημείωση : Το σύστημα δεν θα ελέγχει πάνω από την παράδοση και υπερ- κράτηση της θέσης {0} ως ποσότητα ή το ποσό είναι 0 Note: There is not enough leave balance for Leave Type {0},Σημείωση : Δεν υπάρχει αρκετό υπόλοιπο άδειας για Αφήστε τύπου {0} @@ -1889,12 +1759,9 @@ Note: {0},Σημείωση : {0} Notes,Σημειώσεις Notes:,Σημειώσεις : Nothing to request,Τίποτα να ζητήσει -Nothing to show,Δεν έχει τίποτα να δείξει -Nothing to show for this selection,Δεν έχει τίποτα να δείξει για αυτή την επιλογή Notice (days),Ανακοίνωση ( ημέρες ) Notification Control,Έλεγχος Κοινοποίηση Notification Email Address,Γνωστοποίηση Διεύθυνση -Notify By Email,Ειδοποιήσουμε με email Notify by Email on creation of automatic Material Request,Ειδοποίηση μέσω ηλεκτρονικού ταχυδρομείου σχετικά με τη δημιουργία των αυτόματων Αίτηση Υλικού Number Format,Μορφή αριθμών Offer Date,Πρόταση Ημερομηνία @@ -1938,7 +1805,6 @@ Opportunity Items,Είδη Ευκαιρία Opportunity Lost,Ευκαιρία Lost Opportunity Type,Τύπος Ευκαιρία Optional. This setting will be used to filter in various transactions.,Προαιρετικό . Αυτή η ρύθμιση θα πρέπει να χρησιμοποιηθεί για το φιλτράρισμα σε διάφορες συναλλαγές. -Or Created By,Ή δημιουργία Order Type,Τύπος Παραγγελία Order Type must be one of {1},Τύπος παραγγελία πρέπει να είναι ένα από {1} Ordered,διέταξε @@ -1953,7 +1819,6 @@ Organization Profile,Οργανισμός Προφίλ Organization branch master.,Κύριο κλάδο Οργανισμού . Organization unit (department) master.,Μονάδα Οργάνωσης ( τμήμα ) πλοίαρχος . Original Amount,Αρχικό Ποσό -Original Message,Αρχικό μήνυμα Other,Άλλος Other Details,Άλλες λεπτομέρειες Others,Άλλα @@ -1996,7 +1861,6 @@ Packing Slip Items,Συσκευασίας Είδη Slip Packing Slip(s) cancelled,Συσκευασία Slip ( ων) ακυρώθηκε Page Break,Αλλαγή σελίδας Page Name,Όνομα σελίδας -Page not found,Η σελίδα δεν βρέθηκε Paid Amount,Καταβληθέν ποσό Paid amount + Write Off Amount can not be greater than Grand Total,"Καταβληθέν ποσό + Διαγραφών ποσό δεν μπορεί να είναι μεγαλύτερη από ό, τι Γενικό Σύνολο" Pair,ζεύγος @@ -2062,9 +1926,6 @@ Period Closing Voucher,Περίοδος Voucher Κλείσιμο Periodicity,Περιοδικότητα Permanent Address,Μόνιμη Διεύθυνση Permanent Address Is,Μόνιμη Διεύθυνση είναι -Permanently Cancel {0}?,Μόνιμα Ακύρωση {0} ; -Permanently Submit {0}?,Μόνιμα Υποβολή {0} ; -Permanently delete {0}?,Να διαγράψετε οριστικά {0} ; Permission,Άδεια Personal,Προσωπικός Personal Details,Προσωπικά Στοιχεία @@ -2073,7 +1934,6 @@ Pharmaceutical,φαρμακευτικός Pharmaceuticals,Φαρμακευτική Phone,Τηλέφωνο Phone No,Τηλεφώνου -Pick Columns,Διαλέξτε Στήλες Piecework,εργασία με το κομμάτι Pincode,PINCODE Place of Issue,Τόπος Έκδοσης @@ -2086,8 +1946,6 @@ Plant,Φυτό Plant and Machinery,Εγκαταστάσεις και μηχανήματα Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,"Παρακαλώ εισάγετε Σύντμηση ή Short Name σωστά, όπως θα προστίθεται ως επίθημα σε όλους τους αρχηγούς λογαριασμό." Please add expense voucher details,Παρακαλώ προσθέστε βάρος λεπτομέρειες κουπόνι -Please attach a file first.,Επισυνάψτε ένα αρχείο για πρώτη φορά. -Please attach a file or set a URL,Παρακαλείστε να επισυνάψετε ένα αρχείο ή να ορίσετε μια διεύθυνση URL Please check 'Is Advance' against Account {0} if this is an advance entry.,Παρακαλώ ελέγξτε « Είναι Advance » κατά λογαριασμός {0} αν αυτό είναι μια εκ των προτέρων την είσοδο . Please click on 'Generate Schedule',"Παρακαλούμε κάντε κλικ στο ""Δημιουργία Χρονοδιάγραμμα»" Please click on 'Generate Schedule' to fetch Serial No added for Item {0},"Παρακαλούμε κάντε κλικ στο ""Δημιουργία Πρόγραμμα » για να φέρω Αύξων αριθμός προστίθεται για τη θέση {0}" @@ -2096,7 +1954,6 @@ Please create Customer from Lead {0},Παρακαλώ δημιουργήστε Please create Salary Structure for employee {0},Παρακαλώ δημιουργήστε Δομή Μισθός για εργαζόμενο {0} Please create new account from Chart of Accounts.,Παρακαλούμε να δημιουργήσετε νέο λογαριασμό από το Λογιστικό Σχέδιο . Please do NOT create Account (Ledgers) for Customers and Suppliers. They are created directly from the Customer / Supplier masters.,Παρακαλούμε ΜΗΝ δημιουργία του λογαριασμού ( Καθολικά ) για τους πελάτες και προμηθευτές . Έχουν δημιουργηθεί απευθείας από τους πλοιάρχους πελάτη / προμηθευτή . -Please enable pop-ups,Παρακαλούμε ενεργοποιήστε τα pop-ups Please enter 'Expected Delivery Date',"Παρακαλούμε, εισάγετε « Αναμενόμενη ημερομηνία παράδοσης »" Please enter 'Is Subcontracted' as Yes or No,"Παρακαλούμε, εισάγετε « υπεργολαβία » Ναι ή Όχι" Please enter 'Repeat on Day of Month' field value,"Παρακαλούμε, εισάγετε « Επανάληψη για την Ημέρα του μήνα » τιμή του πεδίου" @@ -2107,7 +1964,6 @@ Please enter Company,"Παρακαλούμε, εισάγετε Εταιρεία" Please enter Cost Center,"Παρακαλούμε, εισάγετε Κέντρο Κόστους" Please enter Delivery Note No or Sales Invoice No to proceed,"Παρακαλούμε, εισάγετε Δελτίο Αποστολής Όχι ή Τιμολόγιο Πώλησης Όχι για να προχωρήσετε" Please enter Employee Id of this sales parson,"Παρακαλούμε, εισάγετε Id Υπάλληλος του εφημερίου πωλήσεων" -Please enter Event's Date and Time!,"Παρακαλούμε, εισάγετε Ημερομηνία Γεγονός και ώρα !" Please enter Expense Account,"Παρακαλούμε, εισάγετε Λογαριασμός Εξόδων" Please enter Item Code to get batch no,"Παρακαλούμε, εισάγετε Θέση κώδικα για να πάρει παρτίδα δεν" Please enter Item Code.,"Παρακαλούμε, εισάγετε Κωδικός προϊόντος ." @@ -2133,14 +1989,11 @@ Please enter parent cost center,"Παρακαλούμε, εισάγετε κέν Please enter quantity for Item {0},"Παρακαλούμε, εισάγετε ποσότητα για τη θέση {0}" Please enter relieving date.,Παρακαλώ εισάγετε την ημερομηνία ανακούφιση . Please enter sales order in the above table,"Παρακαλούμε, εισάγετε παραγγελίας στον παραπάνω πίνακα" -Please enter some text!,Παρακαλώ εισάγετε κάποιο κείμενο ! -Please enter title!,Παρακαλώ εισάγετε τον τίτλο ! Please enter valid Company Email,Παρακαλώ εισάγετε μια έγκυρη Εταιρεία Email Please enter valid Email Id,Παρακαλώ εισάγετε ένα έγκυρο Email Id Please enter valid Personal Email,Παρακαλώ εισάγετε μια έγκυρη Προσωπικά Email Please enter valid mobile nos,Παρακαλώ εισάγετε μια έγκυρη κινητής nos Please install dropbox python module,Παρακαλώ εγκαταστήστε dropbox python μονάδα -Please login to Upvote!,Παρακαλούμε συνδεθείτε για να Upvote ! Please mention no of visits required,Παρακαλείσθε να αναφέρετε καμία από τις επισκέψεις που απαιτούνται Please pull items from Delivery Note,Παρακαλώ τραβήξτε αντικείμενα από Δελτίο Αποστολής Please save the Newsletter before sending,Παρακαλώ αποθηκεύστε το ενημερωτικό δελτίο πριν από την αποστολή @@ -2191,8 +2044,6 @@ Plot By,οικόπεδο Με Point of Sale,Point of Sale Point-of-Sale Setting,Point-of-Sale Περιβάλλον Post Graduate,Μεταπτυχιακά -Post already exists. Cannot add again!,Δημοσίευση υπάρχει ήδη . Δεν είναι δυνατή η προσθήκη και πάλι ! -Post does not exist. Please add post!,Δημοσίευση δεν υπάρχει . Παρακαλώ προσθέστε το post! Postal,Ταχυδρομικός Postal Expenses,Ταχυδρομική Έξοδα Posting Date,Απόσπαση Ημερομηνία @@ -2207,7 +2058,6 @@ Prevdoc DocType,Prevdoc DocType Prevdoc Doctype,Prevdoc Doctype Preview,Προεπισκόπηση Previous,προηγούμενος -Previous Record,Προηγούμενη Εγγραφή Previous Work Experience,Προηγούμενη εργασιακή εμπειρία Price,τιμή Price / Discount,Τιμή / Έκπτωση @@ -2226,12 +2076,10 @@ Price or Discount,Τιμή ή Έκπτωση Pricing Rule,τιμολόγηση Κανόνας Pricing Rule For Discount,Τιμολόγηση κανόνας για έκπτωση Pricing Rule For Price,Τιμολόγηση κανόνας για Τιμή -Print,αποτύπωμα Print Format Style,Εκτύπωση Style Format Print Heading,Εκτύπωση Τομέας Print Without Amount,Εκτυπώστε χωρίς Ποσό Print and Stationary,Εκτύπωση και εν στάσει -Print...,Εκτύπωση ... Printing and Branding,Εκτύπωσης και Branding Priority,Προτεραιότητα Private Equity,Private Equity @@ -2357,7 +2205,6 @@ Quantity of item obtained after manufacturing / repacking from given quantities Quantity required for Item {0} in row {1},Ποσότητα που απαιτείται για τη θέση {0} στη γραμμή {1} Quarter,Τέταρτο Quarterly,Τριμηνιαίος -Query Report,Έκθεση ερωτήματος Quick Help,Γρήγορη Βοήθεια Quotation,Προσφορά Quotation Date,Ημερομηνία Προσφοράς @@ -2459,14 +2306,11 @@ Rejected Warehouse is mandatory against regected item,Απορρίπτεται Relation,Σχέση Relieving Date,Ανακούφιση Ημερομηνία Relieving Date must be greater than Date of Joining,"Ανακούφιση Ημερομηνία πρέπει να είναι μεγαλύτερη από ό, τι Ημερομηνία Ενώνουμε" -Reload Page,Ανανέωση της σελίδας Remark,Παρατήρηση Remarks,Παρατηρήσεις -Remove Bookmark,Κατάργηση Bookmark Rename,μετονομάζω Rename Log,Μετονομασία Σύνδεση Rename Tool,Μετονομασία Tool -Rename...,Μετονομασία ... Rent Cost,Ενοικίαση Κόστος Rent per hour,Ενοικίαση ανά ώρα Rented,Νοικιασμένο @@ -2474,12 +2318,9 @@ Repeat on Day of Month,Επαναλάβετε την Ημέρα του μήνα Replace,Αντικατάσταση Replace Item / BOM in all BOMs,Αντικαταστήστε το σημείο / BOM σε όλες τις BOMs Replied,Απάντησε -Report,Αναφορά Report Date,Έκθεση Ημερομηνία Report Type,Αναφορά Ειδών Report Type is mandatory,Τύπος έκθεσης είναι υποχρεωτική -Report an Issue,Αναφορά προβλήματος -Report was not saved (there were errors),Έκθεση δεν αποθηκεύτηκε (υπήρχαν σφάλματα) Reports to,Εκθέσεις προς Reqd By Date,Reqd Με ημερομηνία Request Type,Τύπος Αίτηση @@ -2630,7 +2471,6 @@ Salutation,Χαιρετισμός Sample Size,Μέγεθος δείγματος Sanctioned Amount,Κυρώσεις Ποσό Saturday,Σάββατο -Save,εκτός Schedule,Πρόγραμμα Schedule Date,Πρόγραμμα Ημερομηνία Schedule Details,Λεπτομέρειες Πρόγραμμα @@ -2644,7 +2484,6 @@ Score (0-5),Αποτέλεσμα (0-5) Score Earned,Αποτέλεσμα Δεδουλευμένα Score must be less than or equal to 5,Σκορ πρέπει να είναι μικρότερη από ή ίση με 5 Scrap %,Άχρηστα% -Search,Αναζήτηση Seasonality for setting budgets.,Εποχικότητα για τον καθορισμό των προϋπολογισμών. Secretary,γραμματέας Secured Loans,Δάνεια με εξασφαλίσεις @@ -2656,26 +2495,18 @@ Securities and Deposits,Κινητών Αξιών και καταθέσεις "Select ""Yes"" if this item represents some work like training, designing, consulting etc.","Επιλέξτε "Ναι", εάν το στοιχείο αυτό αντιπροσωπεύει κάποια εργασία όπως η κατάρτιση, το σχεδιασμό, διαβούλευση κλπ." "Select ""Yes"" if you are maintaining stock of this item in your Inventory.",Επιλέξτε "Ναι" αν είναι η διατήρηση αποθεμάτων του προϊόντος αυτού στη απογραφής σας. "Select ""Yes"" if you supply raw materials to your supplier to manufacture this item.",Επιλέξτε "Ναι" αν προμηθεύουν πρώτες ύλες στον προμηθευτή σας για την κατασκευή αυτού του στοιχείου. -Select All,Επιλέξτε All -Select Attachments,Επιλέξτε Συνημμένα Select Budget Distribution to unevenly distribute targets across months.,Επιλέξτε κατανομή του προϋπολογισμού για τη διανομή άνισα στόχους σε μήνες. "Select Budget Distribution, if you want to track based on seasonality.","Επιλέξτε κατανομή του προϋπολογισμού, αν θέλετε να παρακολουθείτε με βάση την εποχικότητα." Select DocType,Επιλέξτε DocType Select Items,Επιλέξτε Προϊόντα -Select Print Format,Επιλέξτε έντυπη μορφή Select Purchase Receipts,Επιλέξτε Εισπράξεις Αγορά -Select Report Name,Επιλογή Όνομα Έκθεση Select Sales Orders,Επιλέξτε Παραγγελίες Select Sales Orders from which you want to create Production Orders.,Επιλέξτε Παραγγελίες από το οποίο θέλετε να δημιουργήσετε Εντολές Παραγωγής. Select Time Logs and Submit to create a new Sales Invoice.,Επιλέξτε χρόνος Καταγράφει και Υποβολή για να δημιουργήσετε ένα νέο τιμολόγιο πωλήσεων. -Select To Download:,Επιλέξτε για να κατεβάσετε : Select Transaction,Επιλέξτε Συναλλαγών -Select Type,Επιλέξτε Τύπο Select Your Language,Επιλέξτε τη γλώσσα σας Select account head of the bank where cheque was deposited.,"Επιλέξτε επικεφαλής λογαριασμό της τράπεζας, όπου επιταγή κατατέθηκε." Select company name first.,Επιλέξτε το όνομα της εταιρείας πρώτα. -Select dates to create a new ,Επιλέξτε ημερομηνίες για να δημιουργήσετε ένα νέο -Select or drag across time slots to create a new event.,Επιλέξτε ή σύρετε χρονοθυρίδες για να δημιουργήσετε ένα νέο συμβάν. Select template from which you want to get the Goals,Επιλέξτε το πρότυπο από το οποίο θέλετε να πάρετε τα Γκολ Select the Employee for whom you are creating the Appraisal.,Επιλέξτε τον υπάλληλο για τον οποίο δημιουργείτε η εκτίμηση. Select the period when the invoice will be generated automatically,"Επιλογή της χρονικής περιόδου, όταν το τιμολόγιο θα δημιουργηθεί αυτόματα" @@ -2691,11 +2522,9 @@ Select your home country and check the timezone and currency.,Επιλέξτε Selling,Πώληση Selling Settings,Η πώληση Ρυθμίσεις Send,Αποστολή -Send As Email,Αποστολή ως e-mail Send Autoreply,Αποστολή Autoreply Send Email,Αποστολή Email Send From,Αποστολή Από -Send Me A Copy,Στείλτε μου ένα αντίγραφο Send Notifications To,Στείλτε κοινοποιήσεις Send Now,Αποστολή τώρα Send SMS,Αποστολή SMS @@ -2705,7 +2534,6 @@ Send mass SMS to your contacts,Αποστολή μαζικών SMS στις επ Send to this list,Αποστολή σε αυτόν τον κατάλογο Sender Name,Όνομα αποστολέα Sent On,Εστάλη στις -Sent or Received,Αποστέλλονται ή λαμβάνονται Separate production order will be created for each finished good item.,Ξεχωριστή σειρά παραγωγής θα δημιουργηθεί για κάθε τελικό καλό στοιχείο. Serial No,Αύξων αριθμός Serial No / Batch,Αύξων αριθμός / Batch @@ -2739,11 +2567,9 @@ Series {0} already used in {1},Σειρά {0} έχει ήδη χρησιμοπο Service,υπηρεσία Service Address,Service Διεύθυνση Services,Υπηρεσίες -Session Expired. Logging you out,Συνεδρία Έληξε. Έξοδος από Set,σετ "Set Default Values like Company, Currency, Current Fiscal Year, etc.","Set Default Αξίες όπως η Εταιρεία , Συναλλάγματος , τρέχουσα χρήση , κλπ." Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,Ορισμός Θέση Ομάδα-σοφός προϋπολογισμούς σε αυτό το έδαφος. Μπορείτε επίσης να συμπεριλάβετε εποχικότητα με τη ρύθμιση της διανομής. -Set Link,Ρύθμιση σύνδεσης Set as Default,Ορισμός ως Προεπιλογή Set as Lost,Ορισμός ως Lost Set prefix for numbering series on your transactions,Ορίστε πρόθεμα για σειρά αρίθμησης για τις συναλλαγές σας @@ -2776,17 +2602,12 @@ Shipping Rule Label,Αποστολές Label Κανόνας Shop,Shop Shopping Cart,Καλάθι Αγορών Short biography for website and other publications.,Σύντομη βιογραφία για την ιστοσελίδα και άλλων εκδόσεων. -Shortcut,Συντόμευση "Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","Εμφάνιση "Διαθέσιμο" ή "Μη διαθέσιμο" με βάση αποθήκης, διαθέσιμη στην αποθήκη αυτή." "Show / Hide features like Serial Nos, POS etc.","Εμφάνιση / Απόκρυψη χαρακτηριστικά, όπως Serial Nos , POS κ.λπ." -Show Details,Δείτε Λεπτομέρειες Show In Website,Εμφάνιση Στην Ιστοσελίδα -Show Tags,Εμφάνιση Ετικέτες Show a slideshow at the top of the page,Δείτε ένα slideshow στην κορυφή της σελίδας Show in Website,Εμφάνιση στο Website -Show rows with zero values,Εμφάνιση σειρές με μηδενικές τιμές Show this slideshow at the top of the page,Εμφάνιση αυτής της παρουσίασης στην κορυφή της σελίδας -Showing only for (if not empty),Εμφάνιση μόνο ( αν δεν είναι άδειο) Sick Leave,αναρρωτική άδεια Signature,Υπογραφή Signature to be appended at the end of every email,Υπογραφή πρέπει να επισυνάπτεται στο τέλος του κάθε e-mail @@ -2797,11 +2618,8 @@ Slideshow,Παρουσίαση Soap & Detergent,Σαπούνι & απορρυπαντικών Software,λογισμικό Software Developer,Software Developer -Sorry we were unable to find what you were looking for.,Δυστυχώς δεν μπορέσαμε να βρείτε αυτό που ψάχνατε. -Sorry you are not permitted to view this page.,Δυστυχώς δεν σας επιτρέπεται να δείτε αυτή τη σελίδα. "Sorry, Serial Nos cannot be merged","Λυπούμαστε , Serial Nos δεν μπορούν να συγχωνευθούν" "Sorry, companies cannot be merged","Δυστυχώς , οι επιχειρήσεις δεν μπορούν να συγχωνευθούν" -Sort By,Ταξινόμηση Source,Πηγή Source File,πηγή αρχείου Source Warehouse,Αποθήκη Πηγή @@ -2826,7 +2644,6 @@ Standard Selling,πρότυπο Selling Standard contract terms for Sales or Purchase.,Τυποποιημένων συμβατικών όρων για τις πωλήσεις ή Αγορά . Start,αρχή Start Date,Ημερομηνία έναρξης -Start Report For,Ξεκινήστε την έκθεση για το Start date of current invoice's period,Ημερομηνία έναρξης της περιόδου τρέχουσας τιμολογίου Start date should be less than end date for Item {0},Η ημερομηνία έναρξης θα πρέπει να είναι μικρότερη από την ημερομηνία λήξης για τη θέση {0} State,Κατάσταση @@ -2884,7 +2701,6 @@ Sub Assemblies,υπο Συνελεύσεις "Sub-currency. For e.g. ""Cent""",Υπο-νόμισμα. Για παράδειγμα "Cent" Subcontract,Υπεργολαβία Subject,Θέμα -Submit,Υποβολή Submit Salary Slip,Υποβολή Slip Μισθός Submit all salary slips for the above selected criteria,Υποβολή όλα τα εκκαθαριστικά σημειώματα αποδοχών για τα επιλεγμένα παραπάνω κριτήρια Submit this Production Order for further processing.,Υποβολή αυτό Παραγωγής Τάξης για περαιτέρω επεξεργασία . @@ -2928,7 +2744,6 @@ Support Email Settings,Υποστήριξη Ρυθμίσεις Email Support Password,Κωδικός Υποστήριξης Support Ticket,Ticket Support Support queries from customers.,Υποστήριξη ερωτήματα από πελάτες. -Switch to Website,Αλλαγή σε ιστοσελίδα Symbol,Σύμβολο Sync Support Mails,Συγχρονισμός Mails Υποστήριξη Sync with Dropbox,Συγχρονισμός με το Dropbox @@ -2936,7 +2751,6 @@ Sync with Google Drive,Συγχρονισμός με το Google Drive System,Σύστημα System Settings,Ρυθμίσεις συστήματος "System User (login) ID. If set, it will become default for all HR forms.","Σύστημα χρήστη (login) ID. Αν οριστεί, θα γίνει προεπιλογή για όλες τις μορφές HR." -Tags,Tags Target Amount,Ποσό-στόχος Target Detail,Λεπτομέρειες Target Target Details,Λεπτομέρειες Target @@ -2995,7 +2809,6 @@ Territory Target Variance Item Group-Wise,Έδαφος Target Variance Θέση Territory Targets,Στόχοι Επικράτεια Test,Δοκιμή Test Email Id,Test Id Email -Test Runner,Runner Test Test the Newsletter,Δοκιμάστε το Ενημερωτικό Δελτίο The BOM which will be replaced,Η ΒΟΜ η οποία θα αντικατασταθεί The First User: You,Η πρώτη Χρήστης : Μπορείτε @@ -3015,28 +2828,23 @@ The net weight of this package. (calculated automatically as sum of net weight o The new BOM after replacement,Η νέα BOM μετά την αντικατάστασή The rate at which Bill Currency is converted into company's base currency,Ο ρυθμός με τον οποίο Νόμισμα Bill μετατρέπεται σε νόμισμα βάσης της εταιρείας The unique id for tracking all recurring invoices. It is generated on submit.,Το μοναδικό αναγνωριστικό για την παρακολούθηση όλων των επαναλαμβανόμενες τιμολόγια. Παράγεται σε υποβάλει. -Then By (optional),"Στη συνέχεια, με (προαιρετικό)" There are more holidays than working days this month.,Υπάρχουν περισσότερες διακοπές από εργάσιμων ημερών αυτό το μήνα . "There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Μπορεί να υπάρχει μόνο μία αποστολή Κανόνας Κατάσταση με 0 ή κενή τιμή για το "" Να Value""" There is not enough leave balance for Leave Type {0},Δεν υπάρχει αρκετό υπόλοιπο άδειας για Αφήστε τύπου {0} There is nothing to edit.,Δεν υπάρχει τίποτα να επεξεργαστείτε . There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,Υπήρξε ένα σφάλμα . Ένας πιθανός λόγος θα μπορούσε να είναι ότι δεν έχετε αποθηκεύσει τη φόρμα . Παρακαλούμε επικοινωνήστε support@erpnext.com εάν το πρόβλημα παραμένει . -There were errors,Υπήρξαν σφάλματα -There were errors while sending email. Please try again.,Υπήρξαν σφάλματα κατά την αποστολή ηλεκτρονικού ταχυδρομείου . Παρακαλώ δοκιμάστε ξανά . There were errors.,Υπήρχαν λάθη . This Currency is disabled. Enable to use in transactions,Αυτό το νόμισμα είναι απενεργοποιημένη . Ενεργοποίηση για να χρησιμοποιήσετε στις συναλλαγές This Leave Application is pending approval. Only the Leave Apporver can update status.,Αυτό Αφήστε εφαρμογή εκκρεμεί η έγκριση . Μόνο ο Αφήστε Apporver να ενημερώσετε την κατάστασή . This Time Log Batch has been billed.,Αυτή η παρτίδα Log χρόνος έχει χρεωθεί. This Time Log Batch has been cancelled.,Αυτή η παρτίδα Log χρόνος έχει ακυρωθεί. This Time Log conflicts with {0},Αυτή τη φορά Σύνδεση συγκρούεται με {0} -This is PERMANENT action and you cannot undo. Continue?,Αυτό είναι μόνιμη δράση και δεν μπορείτε να αναιρέσετε. Συνέχεια; This is a root account and cannot be edited.,Αυτό είναι ένας λογαριασμός root και δεν μπορεί να επεξεργαστεί . This is a root customer group and cannot be edited.,Αυτό είναι μια ομάδα πελατών ρίζα και δεν μπορεί να επεξεργαστεί . This is a root item group and cannot be edited.,Πρόκειται για μια ομάδα ειδών ρίζα και δεν μπορεί να επεξεργαστεί . This is a root sales person and cannot be edited.,Αυτό είναι ένα πρόσωπο πωλήσεων ρίζα και δεν μπορεί να επεξεργαστεί . This is a root territory and cannot be edited.,Αυτό είναι μια περιοχή της ρίζας και δεν μπορεί να επεξεργαστεί . This is an example website auto-generated from ERPNext,Αυτό είναι ένα παράδειγμα ιστοσελίδα που δημιουργείται αυτόματα από ERPNext -This is permanent action and you cannot undo. Continue?,Αυτό είναι μόνιμη δράση και δεν μπορείτε να αναιρέσετε. Συνέχεια; This is the number of the last created transaction with this prefix,Αυτός είναι ο αριθμός της τελευταίας συναλλαγής που δημιουργήθηκε με αυτό το πρόθεμα This will be used for setting rule in HR module,Αυτό θα χρησιμοποιηθεί για τον κανόνα ρύθμιση στην ενότητα HR Thread HTML,Θέμα HTML @@ -3078,7 +2886,6 @@ To get Item Group in details table,Για να πάρετε την ομάδα Θ "To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Να περιλαμβάνουν φόρους στη σειρά {0} στην τιμή Θέση , φόροι σε σειρές πρέπει επίσης να συμπεριληφθούν {1}" "To merge, following properties must be same for both items","Για να συγχωνεύσετε , ακόλουθες ιδιότητες πρέπει να είναι ίδιες για τα δύο είδη" "To report an issue, go to ", -"To run a test add the module name in the route after '{0}'. For example, {1}","Για να εκτελέσετε μια δοκιμή προσθέστε το όνομα της ενότητας στη γραμμή μετά από '{0}' . Για παράδειγμα, το {1}" "To set this Fiscal Year as Default, click on 'Set as Default'","Για να ορίσετε το τρέχον οικονομικό έτος ως προεπιλογή , κάντε κλικ στο "" Ορισμός ως προεπιλογή """ To track any installation or commissioning related work after sales,Για να παρακολουθήσετε οποιαδήποτε εγκατάσταση ή τις σχετικές εργασίες μετά την πώληση "To track brand name in the following documents Delivery Note, Opportunity, Material Request, Item, Purchase Order, Purchase Voucher, Purchaser Receipt, Quotation, Sales Invoice, Sales BOM, Sales Order, Serial No","Για να παρακολουθήσετε το εμπορικό σήμα στον παρακάτω έγγραφα Δελτίο Αποστολής , το Opportunity , Αίτηση Υλικού , σημείο , παραγγελίας , Αγορά Voucher , Αγοραστή Παραλαβή , Προσφορά , Τιμολόγιο Πώλησης , Πωλήσεις BOM , Πωλήσεις Τάξης , Αύξων αριθμός" @@ -3130,7 +2937,6 @@ Totals,Σύνολα Track Leads by Industry Type.,Track οδηγεί από τη βιομηχανία Τύπος . Track this Delivery Note against any Project,Παρακολουθήστε αυτό το Δελτίο Αποστολής εναντίον οποιουδήποτε έργου Track this Sales Order against any Project,Παρακολουθήστε αυτό το Πωλήσεις Τάξης εναντίον οποιουδήποτε έργου -Trainee,ασκούμενος Transaction,Συναλλαγή Transaction Date,Ημερομηνία Συναλλαγής Transaction not allowed against stopped Production Order {0},Η συναλλαγή δεν επιτρέπεται κατά σταμάτησε Εντολής Παραγωγής {0} @@ -3162,7 +2968,6 @@ UOM Conversion Factor,UOM Συντελεστής μετατροπής UOM Conversion factor is required in row {0},Συντελεστής μετατροπής UOM απαιτείται στη σειρά {0} UOM Name,UOM Name UOM coversion factor required for UOM {0} in Item {1},UOM παράγοντας coversion απαιτούνται για UOM {0} στη θέση {1} -Unable to load: {0},Δεν είναι δυνατή η φόρτιση : {0} Under AMC,Σύμφωνα AMC Under Graduate,Σύμφωνα με Μεταπτυχιακό Under Warranty,Στα πλαίσια της εγγύησης @@ -3172,11 +2977,8 @@ Unit of Measure {0} has been entered more than once in Conversion Factor Table, "Unit of measurement of this item (e.g. Kg, Unit, No, Pair).","Μονάδα μέτρησης του σημείου αυτού (π.χ. Kg, Μονάδα, Όχι, Pair)." Units/Hour,Μονάδες / ώρα Units/Shifts,Μονάδες / Βάρδιες -Unknown Column: {0},Άγνωστος Στήλη : {0} -Unknown Print Format: {0},Άγνωστη Τύπος εκτύπωσης: {0} Unmatched Amount,Απαράμιλλη Ποσό Unpaid,Απλήρωτα -Unread Messages,Μη αναγνωσμένα μηνύματα Unscheduled,Έκτακτες Unsecured Loans,ακάλυπά δάνεια Unstop,ξεβουλώνω @@ -3196,18 +2998,14 @@ Update bank payment dates with journals.,Ενημέρωση τράπεζα ημ Update clearance date of Journal Entries marked as 'Bank Vouchers',Ενημέρωση ημερομηνία εκκαθάρισης της Εφημερίδας των εγγραφών που χαρακτηρίζονται ως « Τράπεζα Κουπόνια » Updated,Ενημέρωση Updated Birthday Reminders,Ενημερώθηκε Υπενθυμίσεις γενεθλίων -Upload,Μεταφόρτωση -Upload Attachment,Ανεβάστε Συνημμένο Upload Attendance,Ανεβάστε Συμμετοχή Upload Backups to Dropbox,Ανεβάστε αντίγραφα ασφαλείας στο Dropbox Upload Backups to Google Drive,Φορτώσουν τα αντίγραφα σε Google Drive Upload HTML,Ανεβάστε HTML Upload a .csv file with two columns: the old name and the new name. Max 500 rows.,Ανεβάστε ένα αρχείο CSV με δύο στήλες:. Το παλιό όνομα και το νέο όνομα. Max 500 σειρές. -Upload a file,Μεταφόρτωση αρχείου Upload attendance from a .csv file,Ανεβάστε συμμετοχή από ένα αρχείο. Csv Upload stock balance via csv.,Ανεβάστε υπόλοιπο αποθεμάτων μέσω csv. Upload your letter head and logo - you can edit them later.,Ανεβάστε το κεφάλι γράμμα και το λογότυπό σας - μπορείτε να τα επεξεργαστείτε αργότερα . -Uploading...,Μεταφόρτωση ... Upper Income,Άνω Εισοδήματος Urgent,Επείγων Use Multi-Level BOM,Χρησιμοποιήστε το Multi-Level BOM @@ -3217,11 +3015,9 @@ User ID,Όνομα Χρήστη User ID not set for Employee {0},ID χρήστη δεν έχει οριστεί υπάλληλου {0} User Name,Όνομα χρήστη User Name or Support Password missing. Please enter and try again.,"Όνομα Χρήστη ή Κωδικός Υποστήριξη λείπει . Παρακαλούμε, εισάγετε και δοκιμάστε ξανά ." -User Permission Restrictions,Περιορισμοί άδεια χρήστη User Remark,Παρατήρηση χρήστη User Remark will be added to Auto Remark,Παρατήρηση Χρήστης θα πρέπει να προστεθεί στο Παρατήρηση Auto User Remarks is mandatory,Χρήστης Παρατηρήσεις είναι υποχρεωτική -User Restrictions,Περιορισμοί χρήστη User Specific,Χρήστης Ειδικοί User must always select,Ο χρήστης πρέπει πάντα να επιλέγετε User {0} is already assigned to Employee {1},Χρήστης {0} έχει ήδη ανατεθεί σε εργαζομένους {1} @@ -3319,8 +3115,6 @@ Will be updated after Sales Invoice is Submitted.,Θα πρέπει να ενη Will be updated when batched.,Θα πρέπει να ενημερώνεται όταν ζυγισμένες. Will be updated when billed.,Θα πρέπει να ενημερώνεται όταν χρεώνονται. Wire Transfer,Wire Transfer -With Groups,με Ομάδες -With Ledgers,με Καθολικά With Operations,Με Λειτουργίες With period closing entry,Με την είσοδο κλεισίματος περιόδου Work Details,Λεπτομέρειες Εργασίας @@ -3328,7 +3122,6 @@ Work Done,Η εργασία που γίνεται Work In Progress,Εργασία In Progress Work-in-Progress Warehouse,Work-in-Progress αποθήκη Work-in-Progress Warehouse is required before Submit,Εργασία -in -Progress αποθήκη απαιτείται πριν Υποβολή -Workflow will start after saving.,Workflow θα ξεκινήσει μετά την αποθήκευση. Working,Εργασία Workstation,Workstation Workstation Name,Όνομα σταθμού εργασίας @@ -3351,11 +3144,6 @@ Year Start Date should not be greater than Year End Date,Έτος Ημερομη Year of Passing,Έτος Περνώντας Yearly,Ετήσια Yes,Ναί -Yesterday,Χτες -You are not allowed to create / edit reports,Δεν επιτρέπεται να δημιουργήσετε / επεξεργαστείτε εκθέσεις -You are not allowed to export this report,Δεν επιτρέπεται να εξάγουν αυτή την έκθεση -You are not allowed to print this document,Δεν επιτρέπεται να εκτυπώσετε το έγγραφο -You are not allowed to send emails related to this document,Δεν επιτρέπεται να στείλετε μηνύματα ηλεκτρονικού ταχυδρομείου που σχετίζονται με αυτό το έγγραφο You are not authorized to add or update entries before {0},Δεν επιτρέπεται να προσθέσετε ή να ενημερώσετε τις καταχωρήσεις πριν από {0} You are not authorized to set Frozen value,Δεν επιτρέπεται να ορίσετε Κατεψυγμένα αξία You are the Expense Approver for this record. Please Update the 'Status' and Save,Είστε ο Υπεύθυνος έγκρισης Δαπάνη για αυτή την εγγραφή. Ενημερώστε το « Status » και Αποθήκευση @@ -3372,7 +3160,6 @@ You can submit this Stock Reconciliation.,Μπορείτε να υποβάλετ You can update either Quantity or Valuation Rate or both.,Μπορείτε να ενημερώσετε είτε Ποσότητα ή αποτίμησης Rate ή και τα δύο . You cannot credit and debit same account at the same time,Δεν μπορείτε πιστωτικές και χρεωστικές ίδιο λογαριασμό την ίδια στιγμή You have entered duplicate items. Please rectify and try again.,Έχετε εισάγει διπλότυπα στοιχεία . Παρακαλούμε διορθώσει και δοκιμάστε ξανά . -You have unsaved changes in this form. Please save before you continue.,Έχετε μη αποθηκευμένες αλλαγές σε αυτή τη μορφή . You may need to update: {0},Μπορεί να χρειαστεί να ενημερώσετε : {0} You must Save the form before proceeding,Πρέπει Αποθηκεύστε τη φόρμα πριν προχωρήσετε You must allocate amount before reconcile,Θα πρέπει να διαθέσει ποσό πριν συμφιλιώσει @@ -3381,7 +3168,6 @@ Your Customers,Οι πελάτες σας Your Login Id,Είσοδος Id σας Your Products or Services,Προϊόντα ή τις υπηρεσίες σας Your Suppliers,προμηθευτές σας -"Your download is being built, this may take a few moments...","Η λήψη σας χτίζεται, αυτό μπορεί να διαρκέσει λίγα λεπτά ..." Your email address,Η διεύθυνση email σας Your financial year begins on,Οικονομικό έτος σας αρχίζει Your financial year ends on,Οικονομικό έτος σας τελειώνει στις @@ -3394,8 +3180,6 @@ Your support email id - must be a valid email - this is where your emails will c and,και are not allowed.,δεν επιτρέπονται . assigned by,ανατεθεί από -comment,σχόλιο -comments,σχόλια "e.g. ""Build tools for builders""","π.χ. «Χτίστε εργαλεία για τους κατασκευαστές """ "e.g. ""MC""","π.χ. "" MC """ "e.g. ""My Company LLC""","π.χ. "" Η εταιρεία μου LLC """ @@ -3405,14 +3189,9 @@ e.g. 5,π.χ. 5 e.g. VAT,π.χ. ΦΠΑ eg. Cheque Number,π.χ.. Επιταγή Αριθμός example: Next Day Shipping,παράδειγμα: Επόμενη Μέρα Ναυτιλίας -found,βρέθηκαν -is not allowed.,δεν επιτρέπεται. lft,LFT old_parent,old_parent -or,ή rgt,RGT -to,να -values and dates,τιμές και οι ημερομηνίες website page link,Ιστοσελίδα link της σελίδας {0} '{1}' not in Fiscal Year {2},{0} '{1}' δεν το Οικονομικό Έτος {2} {0} Credit limit {0} crossed,{0} πιστωτικό όριο {0} διέσχισε diff --git a/erpnext/translations/es.csv b/erpnext/translations/es.csv index 4d232dc6a1..854d462ca6 100644 --- a/erpnext/translations/es.csv +++ b/erpnext/translations/es.csv @@ -1,7 +1,5 @@ (Half Day),(Medio día) and year: ,y el año: - by Role ,por función - is not set,no se ha establecido """ does not exists","""No existe" % Delivered,Entregado % % Amount Billed,% Importe Anunciado @@ -34,7 +32,6 @@ "1 Currency = [?] Fraction For e.g. 1 USD = 100 Cent",1 moneda = [ ?] Fracción \ nPor ejemplo 1. To maintain the customer wise item code and to make them searchable based on their code use this option,1 . Para mantener el código del artículo sabia cliente y para efectuar búsquedas en ellos en función de su uso de código de esta opción -2 days ago,Hace 2 días "Add / Edit"," Añadir / Editar < / a>" "Add / Edit"," Añadir / Editar < / a>" "Add / Edit"," Añadir / Editar < / a>" @@ -89,7 +86,6 @@ Accounts Frozen Upto,Cuentas congeladas Hasta Accounts Payable,Cuentas por pagar Accounts Receivable,Cuentas por cobrar Accounts Settings,Cuentas Ajustes -Actions,acciones Active,activo Active: Will extract emails from ,Activo: Will extraer correos electrónicos de Activity,actividad @@ -111,23 +107,13 @@ Actual Quantity,Cantidad real Actual Start Date,Fecha de Comienzo real Add,añadir Add / Edit Taxes and Charges,Añadir / modificar las tasas y cargos -Add Attachments,Agregar archivos adjuntos -Add Bookmark,Añadir marcador Add Child,Añadir niño -Add Column,Añadir columna -Add Message,Añadir Mensaje -Add Reply,Añadir respuesta Add Serial No,Añadir Serial No Add Taxes,Añadir impuestos Add Taxes and Charges,Añadir las tasas y cargos -Add This To User's Restrictions,Agregue esto a Restricciones del usuario -Add attachment,Agregar archivo adjunto -Add new row,Añadir nueva fila Add or Deduct,Agregar o Deducir Add rows to set annual budgets on Accounts.,Añadir filas para establecer los presupuestos anuales de las Cuentas . Add to Cart,Añadir a la Cesta -Add to To Do,Añadir a Tareas -Add to To Do List of,Agregar a la lista de tareas pendientes de Add to calendar on this date,Añadir al calendario en esta fecha Add/Remove Recipients,Añadir / Quitar Destinatarios Address,dirección @@ -220,9 +206,6 @@ Allow user to edit Price List Rate in transactions,Permitir al usuario editar Pr Allowance Percent,Porcentaje de Asignación Allowance for over-delivery / over-billing crossed for Item {0},Previsión para la entrega excesiva / sobrefacturación centró para el elemento {0} Allowed Role to Edit Entries Before Frozen Date,Animales de funciones para editar las entradas antes de Frozen Fecha -"Allowing DocType, DocType. Be careful!","Permitir DocType , tipo de documento . ¡Ten cuidado!" -Alternative download link,Enlace de descarga alternativo -Amend,enmendar Amended From,Modificado Desde Amount,cantidad Amount (Company Currency),Importe ( Compañía de divisas ) @@ -270,26 +253,18 @@ Approving User,Aprobar usuario Approving User cannot be same as user the rule is Applicable To,Aprobar usuario no puede ser igual que el usuario que la regla es aplicable a Are you sure you want to STOP , Are you sure you want to UNSTOP , -Are you sure you want to delete the attachment?,¿Está seguro que desea eliminar el apego? Arrear Amount,mora Importe "As Production Order can be made for this item, it must be a stock item.","Como orden de producción puede hacerse por este concepto , debe ser un elemento de serie ." As per Stock UOM,Según Stock UOM "As there are existing stock transactions for this item, you can not change the values of 'Has Serial No', 'Is Stock Item' and 'Valuation Method'","Como hay transacciones de acciones existentes para este artículo , no se puede cambiar los valores de ""no tiene de serie ',' Is Stock Punto "" y "" Método de valoración '" -Ascending,Ascendente Asset,baza -Assign To,Asignar a -Assigned To,Asignado a -Assignments,Asignaciones Assistant,asistente Associate,asociado Atleast one warehouse is mandatory,Al menos un almacén es obligatorio -Attach Document Print,Adjuntar Documento Imprimir Attach Image,Adjuntar imagen Attach Letterhead,Conecte con membrete Attach Logo,Adjunte Logo Attach Your Picture,Adjunte su imagen -Attach as web link,Adjuntar como enlace web -Attachments,Adjuntos Attendance,asistencia Attendance Date,asistencia Fecha Attendance Details,Datos de asistencia @@ -402,7 +377,6 @@ Block leave applications by department.,Bloquee aplicaciones de permiso por depa Blog Post,Blog Blog Subscriber,Blog suscriptor Blood Group,Grupos Sanguíneos -Bookmarks,marcadores Both Warehouse must belong to same Company,Tanto Almacén debe pertenecer a una misma empresa Box,caja Branch,rama @@ -437,7 +411,6 @@ C-Form No,C -Form No C-Form records,Registros C -Form Calculate Based On,Calcular basado en Calculate Total Score,Calcular Puntaje Total -Calendar,calendario Calendar Events,Calendario de Eventos Call,llamada Calls,llamadas @@ -450,7 +423,6 @@ Can be approved by {0},Puede ser aprobado por {0} "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" "Can not filter based on Voucher No, if grouped by Voucher","No se puede filtrar en función de la hoja no , si agrupados por Bono" Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"Puede referirse fila sólo si el tipo de carga es 'On anterior Importe Fila ""o"" Anterior Fila Total """ -Cancel,cancelar Cancel Material Visit {0} before cancelling this Customer Issue,Cancelar material Visita {0} antes de cancelar esta edición al Cliente Cancel Material Visits {0} before cancelling this Maintenance Visit,Cancelar Visitas Materiales {0} antes de cancelar el Mantenimiento Visita Cancelled,Cancelado @@ -469,11 +441,7 @@ Cannot deactive or cancle BOM as it is linked with other BOMs,No se puede Desact 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 ' "Cannot delete Serial No {0} in stock. First remove from stock, then delete.","No se puede eliminar de serie n {0} en stock . Primero quite de la acción, a continuación, eliminar ." "Cannot directly set amount. For 'Actual' charge type, use the rate field","No se puede establecer directamente cantidad . Para el tipo de carga ' real ' , utilice el campo Velocidad" -Cannot edit standard fields,No se puede editar campos estándar -Cannot open instance when its {0} is open,No se puede abrir instancia cuando su {0} es abierto -Cannot open {0} when its instance is open,No se puede abrir {0} cuando su instancia está abierto "Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in 'Setup' > 'Global Defaults'","No se puede cobrar demasiado a para el punto {0} en la fila {0} más {1} . Para permitir la facturación excesiva , ajuste en 'Configuración ' > ' Valores predeterminados globales '" -Cannot print cancelled documents,No se pueden imprimir documentos cancelados Cannot produce more Item {0} than Sales Order quantity {1},No se puede producir más artículo {0} que en la cantidad de pedidos de cliente {1} Cannot refer row number greater than or equal to current row number for this Charge type,No se puede hacer referencia número de la fila superior o igual al número de fila actual de este tipo de carga Cannot return more than {0} for Item {1},No se puede devolver más de {0} para el artículo {1} @@ -527,19 +495,14 @@ Claim Amount,Reclamación Importe Claims for company expense.,Las reclamaciones por los gastos de la empresa. Class / Percentage,Clase / Porcentaje Classic,clásico -Clear Cache,Borrar la caché Clear Table,Borrar la tabla Clearance Date,Liquidación Fecha Clearance Date not mentioned,Liquidación La fecha no se menciona Clearance date cannot be before check date in row {0},Fecha de Liquidación no puede ser antes de la fecha de verificación de la fila {0} Click on 'Make Sales Invoice' button to create a new Sales Invoice.,"Haga clic en el botón ' Hacer la factura de venta ""para crear una nueva factura de venta ." Click on a link to get options to expand get options , -Click on row to view / edit.,Haga clic en la fila para ver / editar . -Click to Expand / Collapse,Haga clic para expandir / contraer Client,cliente -Close,cerca Close Balance Sheet and book Profit or Loss.,Cerrar Balance General y el libro de pérdidas y ganancias . -Close: {0},Cerrar: {0} Closed,cerrado Closing Account Head,Cierre Head Cuenta Closing Account {0} must be of type 'Liability',Cuenta {0} de cierre debe ser de tipo ' Responsabilidad ' @@ -550,10 +513,8 @@ Closing Value,Valor de Cierre CoA Help,CoA Ayuda Code,código Cold Calling,Llamadas en frío -Collapse,colapso Color,color Comma separated list of email addresses,Lista separada por comas de direcciones de correo electrónico separados -Comment,comentario Comments,Comentarios Commercial,comercial Commission,comisión @@ -564,7 +525,6 @@ Commission rate cannot be greater than 100,Tasa de comisión no puede ser superi Communication,comunicación Communication HTML,Comunicación HTML Communication History,Historia de Comunicación -Communication Medium,Comunicación Medio Communication log.,Registro de Comunicación. Communications,Comunicaciones Company,empresa @@ -583,7 +543,6 @@ Company registration numbers for your reference. Tax numbers etc.,"Los números "Company, Month and Fiscal Year is mandatory","Company, mes y del año fiscal es obligatoria" Compensatory Off,compensatorio Complete,completo -Complete By,Por completo Complete Setup,Instalación completa Completed,terminado Completed Production Orders,Órdenes de fabricación completadas @@ -635,7 +594,6 @@ Convert into Recurring Invoice,Convertir en Factura Recurrente Convert to Group,Convertir al Grupo Convert to Ledger,Convertir a Ledger Converted,convertido -Copy,copia Copy From Item Group,Copiar de Grupo Tema Cosmetics,productos cosméticos Cost Center,Centro de Costo @@ -666,7 +624,6 @@ Create Stock Ledger Entries when you submit a Sales Invoice,Crear Ledger entrada Create rules to restrict transactions based on values.,Crear reglas para restringir las transacciones basadas en valores . Created By,Creado por Creates salary slip for above mentioned criteria.,Crea nómina de los criterios antes mencionados. -Creation / Modified By,Creación / modificación realizada por Creation Date,Fecha de creación Creation Document No,Creación del documento No Creation Document Type,Tipo de creación de documentos @@ -697,11 +654,9 @@ Current Liabilities,pasivo exigible Current Stock,Stock actual Current Stock UOM,Stock actual UOM Current Value,Valor actual -Current status,Situación actual Custom,costumbre Custom Autoreply Message,Mensaje de autorespuesta personalizado Custom Message,Mensaje personalizado -Custom Reports,Informes personalizados Customer,cliente Customer (Receivable) Account,Cliente ( por cobrar ) Cuenta Customer / Item Name,Nombre del cliente / artículo @@ -750,7 +705,6 @@ Date Format,Formato de la fecha Date Of Retirement,Fecha de la jubilación Date Of Retirement must be greater than Date of Joining,Fecha de la jubilación debe ser mayor que Fecha de acceso Date is repeated,Fecha se repite -Date must be in format: {0},La fecha debe estar en formato : {0} Date of Birth,Fecha de nacimiento Date of Issue,Fecha de emisión Date of Joining,Fecha de ingreso @@ -761,7 +715,6 @@ Dates,Fechas Days Since Last Order,Días desde el último pedido Days for which Holidays are blocked for this department.,Días para el cual Holidays se bloquean para este departamento . Dealer,comerciante -Dear,querido Debit,débito Debit Amt,débito Amt Debit Note,Nota de Débito @@ -809,7 +762,6 @@ Default settings for stock transactions.,Los ajustes por defecto para las transa Defense,defensa "Define Budget for this Cost Center. To set budget action, see Company Master","Definir Presupuesto para este centro de coste . Para configurar la acción presupuestaria, ver Company Maestro < / a>" Delete,borrar -Delete Row,Eliminar fila Delete {0} {1}?,Eliminar {0} {1} ? Delivered,liberado Delivered Items To Be Billed,Material que se adjunta a facturar @@ -836,7 +788,6 @@ Department,departamento Department Stores,Tiendas por Departamento Depends on LWP,Depende LWP Depreciation,depreciación -Descending,descendiente Description,descripción Description HTML,Descripción HTML Designation,designación @@ -881,15 +832,10 @@ Do you really want to stop production order: , Doc Name,Nombre del documento Doc Type,Tipo Doc. Document Description,documento Descripción -Document Status transition from ,Documento de transición de estado de -Document Status transition from {0} to {1} is not allowed,Cambio de estado de documento de {0} a {1} no está permitido Document Type,Tipo de documento -Document is only editable by users of role,Documento es sólo editable por los usuarios de papel -Documentation,documentación Documents,Documentos Domain,dominio Don't send Employee Birthday Reminders,No envíe Empleado Birthday Reminders -Download,descargar Download Materials Required,Descarga Materiales necesarios Download Reconcilation Data,Descarga reconciliación de datos Download Template,Descargar Plantilla @@ -898,8 +844,6 @@ Download a report containing all raw materials with their latest inventory statu "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","Descarga la plantilla , rellenar los datos correspondientes y adjuntar el archivo modificado. \ NTodos data y la combinación de los empleados en el periodo seleccionado vendrá en la plantilla, con los registros de asistencia existentes" Draft,borrador -Drafts,damas -Drag to sort columns,Arrastre para ordenar las columnas Dropbox,Dropbox Dropbox Access Allowed,Dropbox Acceso mascotas Dropbox Access Key,Dropbox clave de acceso @@ -920,7 +864,6 @@ Earning & Deduction,Ganar y Deducción Earning Type,Ganar Tipo Earning1,Earning1 Edit,editar -Editable,editable Education,educación Educational Qualification,Capacitación para la Educación Educational Qualification Details,Educational Qualification Detalles @@ -940,12 +883,9 @@ Email Id,Identificación del email "Email Id where a job applicant will email e.g. ""jobs@example.com""","Email Id donde un solicitante de empleo enviará por correo electrónico , por ejemplo, "" jobs@example.com """ Email Notifications,Notificaciones por correo electrónico Email Sent?,Email Sent ? -"Email addresses, separted by commas","Direcciones de correo electrónico , separted por comas" "Email id must be unique, already exists for {0}","Identificación E-mail debe ser único , ya existe para {0}" Email ids separated by commas.,ID de correo electrónico separados por comas. -Email sent to {0},Correo electrónico enviado a {0} "Email settings to extract Leads from sales email id e.g. ""sales@example.com""","Configuración de correo electrónico para extraer potenciales de ventas email Identificación del ejemplo "" sales@example.com """ -Email...,Email ... Emergency Contact,Contacto de Emergencia Emergency Contact Details,Detalles de Contacto de Emergencia Emergency Phone,Teléfono de emergencia @@ -984,7 +924,6 @@ End date of current invoice's period,Fecha de finalización del periodo de factu End of Life,Final de la Vida Energy,energía Engineer,ingeniero -Enter Value,Introducir valor Enter Verification Code,Ingrese el código de verificación Enter campaign name if the source of lead is campaign.,Ingrese nombre de la campaña si la fuente del plomo es la campaña . Enter department to which this Contact belongs,Introduzca departamento al que pertenece este Contacto @@ -1002,7 +941,6 @@ Entries,entradas Entries against,"Rellenar," Entries are not allowed against this Fiscal Year if the year is closed.,"Las entradas no están permitidos en contra de este año fiscal , si el año está cerrado." Entries before {0} are frozen,Los comentarios antes de {0} se congelan -Equals,Iguales Equity,equidad Error: {0} > {1},Error: {0} > {1} Estimated Material Cost,Costo estimado del material @@ -1019,7 +957,6 @@ Exhibition,exposición Existing Customer,cliente existente Exit,salida Exit Interview Details,Detalles Exit Interview -Expand,expandir Expected,esperado Expected Completion Date can not be less than Project Start Date,Fecha prevista de finalización no puede ser inferior al de inicio del proyecto Fecha Expected Date cannot be before Material Request Date,Lanzamiento no puede ser anterior material Fecha de Solicitud @@ -1052,8 +989,6 @@ Expenses Booked,gastos Reservados Expenses Included In Valuation,Gastos dentro de la valoración Expenses booked for the digest period,Gastos reservado para el período de digestión Expiry Date,Fecha de caducidad -Export,exportación -Export not allowed. You need {0} role to export.,Exportaciones no permitido. Es necesario {0} función de exportar . Exports,Exportaciones External,externo Extract Emails,extraer correos electrónicos @@ -1068,11 +1003,8 @@ Feedback,feedback Female,femenino Fetch exploded BOM (including sub-assemblies),Fetch BOM explotado (incluyendo subconjuntos ) "Field available in Delivery Note, Quotation, Sales Invoice, Sales Order","El campo disponible en la nota de entrega , la cita , la factura de venta , órdenes de venta" -Field {0} is not selectable.,El campo {0} no se puede seleccionar . -File,expediente Files Folder ID,Carpeta de archivos ID Fill the form and save it,Llene el formulario y guárdelo -Filter,filtro Filter based on customer,Filtro basado en cliente Filter based on item,Filtrar basada en el apartado Financial / accounting year.,Ejercicio / contabilidad. @@ -1101,14 +1033,10 @@ For Server Side Print Formats,Para formatos de impresión del lado del servidor For Supplier,Para Proveedor For Warehouse,para el almacén For Warehouse is required before Submit,Para se requiere antes de Almacén Enviar -"For comparative filters, start with","Para los filtros comparativas , comience con" "For e.g. 2012, 2012-13","Por ejemplo, 2012 , 2012-13" -For ranges,Para rangos For reference,Para referencia For reference only.,Sólo para referencia. "For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Para comodidad de los clientes , estos códigos se pueden utilizar en formatos impresos como facturas y notas de entrega" -Form,forma -Forums,Foros Fraction,fracción Fraction Units,Unidades de fracciones Freeze Stock Entries,Helada Stock comentarios @@ -1161,12 +1089,10 @@ Generate Material Requests (MRP) and Production Orders.,Generar solicitudes de m Generate Salary Slips,Generar Salario Slips Generate Schedule,Generar Horario Generates HTML to include selected image in the description,Genera HTML para incluir la imagen seleccionada en la descripción -Get,conseguir Get Advances Paid,Cómo anticipos pagados Get Advances Received,Cómo anticipos recibidos Get Against Entries,Obtenga Contra los comentarios Get Current Stock,Obtenga Stock actual -Get From ,Obtener de Get Items,Obtener elementos Get Items From Sales Orders,Obtener elementos De órdenes de venta Get Items from BOM,Obtener elementos de la lista de materiales @@ -1194,8 +1120,6 @@ Government,gobierno Graduate,graduado Grand Total,Gran Total Grand Total (Company Currency),Total general ( Compañía de divisas ) -Greater or equals,Mayor o igual que -Greater than,más que "Grid ""","Grid """ Grocery,tienda de comestibles Gross Margin %,Margen Bruto % @@ -1207,7 +1131,6 @@ Gross Profit (%),Ganancia bruta ( %) Gross Weight,Peso bruto Gross Weight UOM,Bruto UOM Peso Group,grupo -"Group Added, refreshing...","Grupo Agregado , refrescante ..." Group by Account,Grupos Por Cuenta Group by Voucher,Grupo por Bono Group or Ledger,Grupo o Ledger @@ -1229,14 +1152,12 @@ Health Care,Cuidado de la Salud Health Concerns,Preocupaciones de salud Health Details,Detalles de la Salud Held On,celebrada el -Help,ayudar Help HTML,Ayuda HTML "Help: To link to another record in the system, use ""#Form/Note/[Note Name]"" as the Link URL. (don't use ""http://"")","Ayuda : Para vincular a otro registro en el sistema , utilice ""# Form / nota / [ Nota Nombre ]"" como la dirección URL Link. (no utilice "" http://"" )" "Here you can maintain family details like name and occupation of parent, spouse and children","Aquí usted puede mantener los detalles de la familia como el nombre y ocupación de los padres, cónyuge e hijos" "Here you can maintain height, weight, allergies, medical concerns etc","Aquí usted puede mantener la altura , el peso, alergias , problemas médicos , etc" Hide Currency Symbol,Ocultar símbolo de moneda High,alto -History,historia History In Company,Historia In Company Hold,mantener Holiday,fiesta @@ -1281,17 +1202,14 @@ If you have Sales Team and Sale Partners (Channel Partners) they can be tagged If you involve in manufacturing activity. Enables Item 'Is Manufactured',Si usted involucra en la actividad manufacturera . Permite artículo ' está fabricado ' Ignore,pasar por alto Ignored: ,Ignorado: -"Ignoring Item {0}, because a group exists with the same name!","Haciendo caso omiso del artículo {0} , ya existe un grupo con el mismo nombre !" Image,imagen Image View,Imagen Vista Implementation Partner,socio de implementación -Import,importación Import Attendance,Asistencia de importación Import Failed!,Import Error ! Import Log,Importar registro Import Successful!,Importación correcta ! Imports,Importaciones -In,en In Hours,En Horas In Process,En proceso In Qty,Cdad @@ -1306,7 +1224,6 @@ In Words will be visible once you save the Purchase Receipt.,En palabras serán In Words will be visible once you save the Quotation.,En palabras serán visibles una vez que guarde la cita . In Words will be visible once you save the Sales Invoice.,En palabras serán visibles una vez que guarde la factura de venta . In Words will be visible once you save the Sales Order.,En palabras serán visibles una vez que guarde el pedido de ventas . -In response to,En respuesta a Incentives,Incentivos Include Reconciled Entries,Incluya los comentarios conciliadas Include holidays in Total no. of Working Days,Incluya vacaciones en total no. de días laborables @@ -1327,8 +1244,6 @@ Indirect Income,Ingresos Indirectos Individual,individual Industry,industria Industry Type,Tipo de Industria -Insert Below,Inserte Abajo -Insert Row,insertar Fila Inspected By,Inspección realizada por Inspection Criteria,Criterios de Inspección Inspection Required,Inspección requerida @@ -1350,8 +1265,6 @@ Internal,interno Internet Publishing,Internet Publishing Introduction,introducción Invalid Barcode or Serial No,Código de barras de serie no válido o No -Invalid Email: {0},Email no válido : {0} -Invalid Filter: {0},Filtro no válido: {0} Invalid Mail Server. Please rectify and try again.,Servidor de correo válida . Por favor rectifique y vuelva a intentarlo . Invalid Master Name,Nombre no válido Maestro Invalid User Name or Support Password. Please rectify and try again.,No válida nombre de usuario o contraseña Soporte . Por favor rectifique y vuelva a intentarlo . @@ -1516,7 +1429,6 @@ Landed Cost updated successfully,Landed Cost actualizado correctamente Language,idioma Last Name,apellido Last Purchase Rate,Última Compra Cambio -Last updated by,Última actualización de Latest,más reciente Lead,plomo Lead Details,CONTENIDO @@ -1566,24 +1478,17 @@ Ledgers,Libros de contabilidad Left,izquierda Legal,legal Legal Expenses,gastos legales -Less or equals,Menor o igual -Less than,menos que Letter Head,Cabeza Carta Letter Heads for print templates.,Jefes de letras para las plantillas de impresión. Level,nivel Lft,Lft Liability,responsabilidad -Like,como -Linked With,Vinculado con -List,lista List a few of your customers. They could be organizations or individuals.,Enumere algunos de sus clientes. Pueden ser organizaciones o individuos. List a few of your suppliers. They could be organizations or individuals.,Enumere algunos de sus proveedores. Pueden ser organizaciones o individuos. List items that form the package.,Lista de tareas que forman el paquete . List this Item in multiple groups on the website.,Este artículo no en varios grupos en el sitio web . "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 tus productos o servicios que usted compra o vende . "List your tax heads (e.g. VAT, Excise; 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 cabezas fiscales ( por ejemplo, IVA , impuestos especiales , sino que deben tener nombres únicos ) y sus tasas estándar." -Loading,loading -Loading Report,Cargando Reportar Loading...,Loading ... Loans (Liabilities),Préstamos (pasivos ) Loans and Advances (Assets),Préstamos y anticipos (Activos ) @@ -1591,7 +1496,6 @@ Local,local Login with your new User ID,Acceda con su nuevo ID de usuario Logo,logo Logo and Letter Heads,Logo y Carta Jefes -Logout,Salir Lost,perdido Lost Reason,Razón perdido Low,bajo @@ -1642,7 +1546,6 @@ Make Salary Structure,Hacer Estructura Salarial Make Sales Invoice,Hacer la factura de venta Make Sales Order,Asegúrese de órdenes de venta Make Supplier Quotation,Hacer cita Proveedor -Make a new,Hacer una nueva Male,masculino Manage Customer Group Tree.,Gestione Grupo de Clientes Tree. Manage Sales Person Tree.,Gestione Sales Person árbol . @@ -1650,8 +1553,6 @@ Manage Territory Tree.,Gestione Territorio Tree. Manage cost of operations,Gestione costo de las operaciones Management,administración Manager,gerente -Mandatory fields required in {0},Los campos obligatorios requeridos en {0} -Mandatory filters required:\n,Filtros obligatorios exigidos: \ n "Mandatory if Stock Item is ""Yes"". Also the default warehouse where reserved quantity is set from Sales Order.","Obligatorio si Stock Item es "" Sí"" . También el almacén por defecto en que la cantidad reservada se establece a partir de órdenes de venta ." Manufacture against Sales Order,Fabricación contra pedido de ventas Manufacture/Repack,Fabricación / Repack @@ -1722,13 +1623,11 @@ Minute,minuto Misc Details,Otros Detalles Miscellaneous Expenses,gastos varios Miscelleneous,Miscelleneous -Missing Values Required,Valores perdidos requeridos Mobile No,Mobile No Mobile No.,número Móvil Mode of Payment,Modo de Pago Modern,moderno Modified Amount,Importe modificado -Modified by,Modificado por Monday,lunes Month,mes Monthly,mensual @@ -1736,12 +1635,9 @@ Monthly Attendance Sheet,Hoja de Asistencia Mensual Monthly Earning & Deduction,Ingresos mensuales y Deducción Monthly Salary Register,Salario mensual Registrarse Monthly salary statement.,Nómina mensual . -More,más More Details,Más detalles More Info,Más información Motion Picture & Video,Motion Picture & Video -Move Down: {0},Bajar : {0} -Move Up: {0},Move Up : {0} Moving Average,media Móvil Moving Average Rate,Mover Tarifa media Mr,Sr. @@ -1751,12 +1647,9 @@ Multiple Item prices.,Precios de los artículos múltiples. conflict by assigning priority. Price Rules: {0}","Múltiple Precio Regla existe con los mismos criterios , por favor resolver \ conflicto \ n asignando prioridad." Music,música Must be Whole Number,Debe ser un número entero -My Settings,Mis Opciones Name,nombre Name and Description,Nombre y descripción Name and Employee ID,Nombre y ID de empleado -Name is required,El nombre es necesario -Name not permitted,Nombre no permitido "Name of new Account. Note: Please don't create accounts for Customers and Suppliers, they are created automatically from the Customer and Supplier master","Nombre de la nueva cuenta . Nota : Por favor no crear cuentas para clientes y proveedores , se crean automáticamente desde el cliente y el proveedor principal" Name of person or organization that this address belongs to.,Nombre de la persona u organización que esta dirección pertenece. Name of the Budget Distribution,Nombre de la Distribución del Presupuesto @@ -1774,7 +1667,6 @@ Net Weight UOM,Peso neto UOM Net Weight of each Item,Peso neto de cada artículo Net pay cannot be negative,Salario neto no puede ser negativo Never,nunca -New,nuevo New , New Account,Nueva cuenta New Account Name,Nueva Cuenta Nombre @@ -1794,7 +1686,6 @@ New Projects,Nuevos Proyectos New Purchase Orders,Las nuevas órdenes de compra New Purchase Receipts,Nuevos recibos de compra New Quotations,Nuevas Citas -New Record,Nuevo Registro New Sales Orders,Las nuevas órdenes de venta New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Nueva serie n no puede tener Warehouse. Depósito debe ser ajustado por Stock Entrada o recibo de compra New Stock Entries,Comentarios Nuevo archivo @@ -1816,11 +1707,8 @@ Next,próximo Next Contact By,Siguiente Contactar Por Next Contact Date,Siguiente Contactar Fecha Next Date,Siguiente Fecha -Next Record,próximo registro -Next actions,próximas acciones Next email will be sent on:,Siguiente correo electrónico será enviado el: No,no -No Communication tagged with this ,No hay comunicación etiquetado con este No Customer Accounts found.,Ningún cliente se encuentra . No Customer or Supplier Accounts found,Ningún cliente o proveedor Cuentas encontrado No Expense Approvers. Please assign 'Expense Approver' Role to atleast one user,No hay aprobadores gasto. Asigne roles ' aprobador de gastos ' a al menos un usuario @@ -1830,48 +1718,31 @@ No Items to pack,No hay artículos para empacar No Leave Approvers. Please assign 'Leave Approver' Role to atleast one user,No hay aprobadores irse. Asigne ' Dejar aprobador ' Rol de al menos un usuario No Permission,Sin permiso No Production Orders created,No hay órdenes de fabricación creadas -No Report Loaded. Please use query-report/[Report Name] to run a report.,No informe Cargado . Utilice consulta de informe / [ Nombre del informe ] para ejecutar un informe . -No Results,No hay resultados No Supplier Accounts found. Supplier Accounts are identified based on 'Master Type' value in account record.,No hay cuentas de proveedores encontrado . Cuentas de proveedores se identifican con base en el valor de ' Maestro Type' en el registro de cuenta. No accounting entries for the following warehouses,No hay asientos contables para los siguientes almacenes No addresses created,No hay direcciones creadas No contacts created,No hay contactos creados No default BOM exists for Item {0},No existe una lista de materiales por defecto para el elemento {0} No description given,Sin descripción -No document selected,Ningún documento seleccionado No employee found,No se han encontrado empleado No employee found!,Ningún empleado encontrado! No of Requested SMS,No de SMS Solicitado No of Sent SMS,No de SMS enviados No of Visits,No de Visitas -No one,nadie No permission,No permission -No permission to '{0}' {1},No tiene permiso para '{0} ' {1} -No permission to edit,No tiene permiso para editar No record found,No se han encontrado registros -No records tagged.,No hay registros etiquetados . No salary slip found for month: ,No nómina encontrado al mes: Non Profit,Sin Fines De Lucro -None,ninguno -None: End of Workflow,Ninguno: Fin del Flujo de Trabajo Nos,nos Not Active,No activo Not Applicable,No aplicable Not Available,No disponible Not Billed,No Anunciado Not Delivered,No Entregado -Not Found,No se ha encontrado -Not Linked to any record.,No vinculada a ningún registro. -Not Permitted,No Permitido Not Set,No Especificado -Not Submitted,No Enviado -Not allowed,No se permite Not allowed to update entries older than {0},No se permite actualizar las entradas mayores de {0} Not authorized to edit frozen Account {0},No autorizado para editar la cuenta congelada {0} Not authroized since {0} exceeds limits,No distribuidor oficial autorizado desde {0} excede los límites -Not enough permission to see links.,No hay suficiente permiso para ver enlaces. -Not equals,no es igual -Not found,No se ha encontrado Not permitted,No se permite Note,nota Note User,Nota usuario @@ -1880,7 +1751,6 @@ Note User,Nota usuario Note: Due Date exceeds the allowed credit days by {0} day(s),Nota: Fecha de vencimiento es superior a los días de crédito permitidas por {0} día ( s ) Note: Email will not be sent to disabled users,Nota: El correo electrónico no se envía a los usuarios con discapacidad Note: Item {0} entered multiple times,Nota : El artículo {0} entrado varias veces -Note: Other permission rules may also apply,Nota: también se pueden aplicar otras reglas de permisos Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,Nota : La entrada de pago no se creará desde ' Dinero en efectivo o cuenta bancaria ' no se ha especificado Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Nota : El sistema no verificará la entrega excesiva y el exceso de reservas para el elemento {0} como la cantidad o la cantidad es 0 Note: There is not enough leave balance for Leave Type {0},Nota : No hay equilibrio permiso suficiente para Dejar tipo {0} @@ -1889,12 +1759,9 @@ Note: {0},Nota: {0} Notes,Notas Notes:,Notas: Nothing to request,Nada de pedir -Nothing to show,Nada para mostrar -Nothing to show for this selection,No hay nada que mostrar para esta selección Notice (days),Aviso ( días ) Notification Control,control de Notificación Notification Email Address,Notificación de E-mail -Notify By Email,Avisarme por email Notify by Email on creation of automatic Material Request,Notificación por correo electrónico en la creación de la Solicitud de material automático Number Format,Formato de número Offer Date,Fecha de Oferta @@ -1938,7 +1805,6 @@ Opportunity Items,Artículos Oportunidad Opportunity Lost,Oportunidad perdida Opportunity Type,Tipo de Oportunidad Optional. This setting will be used to filter in various transactions.,Opcional . Este ajuste se utiliza para filtrar en varias transacciones. -Or Created By,O Creado por Order Type,Tipo de Orden Order Type must be one of {1},Tipo de orden debe ser uno de {1} Ordered,ordenado @@ -1953,7 +1819,6 @@ Organization Profile,Perfil de la organización Organization branch master.,Master rama Organización. Organization unit (department) master.,Unidad de Organización ( departamento) maestro. Original Amount,Monto original -Original Message,Mensaje Original Other,otro Other Details,Otras Datos Others,otros @@ -1996,7 +1861,6 @@ Packing Slip Items,Albarán Artículos Packing Slip(s) cancelled,Slip ( s ) de Embalaje cancelado Page Break,Salto de página Page Name,Nombre de la página -Page not found,Página no encontrada Paid Amount,Cantidad pagada Paid amount + Write Off Amount can not be greater than Grand Total,Cantidad pagada + Escribir Off La cantidad no puede ser mayor que Gran Total Pair,par @@ -2062,9 +1926,6 @@ Period Closing Voucher,Vale Período de Cierre Periodicity,periodicidad Permanent Address,Dirección permanente Permanent Address Is,Dirección permanente es -Permanently Cancel {0}?,Cancelar permanentemente {0} ? -Permanently Submit {0}?,Permanentemente Presentar {0} ? -Permanently delete {0}?,Eliminar permanentemente {0} ? Permission,permiso Personal,personal Personal Details,Datos Personales @@ -2073,7 +1934,6 @@ Pharmaceutical,farmacéutico Pharmaceuticals,Productos farmacéuticos Phone,teléfono Phone No,Teléfono No -Pick Columns,Elige Columnas Piecework,trabajo a destajo Pincode,pincode Place of Issue,Lugar de emisión @@ -2086,8 +1946,6 @@ Plant,planta Plant and Machinery,Instalaciones técnicas y maquinaria Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,"Por favor, introduzca Abreviatura o Nombre corto correctamente ya que se añadirá como sufijo a todos los Jefes de Cuenta." Please add expense voucher details,"Por favor, añada detalles de gastos de vales" -Please attach a file first.,Adjunte un archivo primero . -Please attach a file or set a URL,"Por favor, adjuntar un archivo o conjunto de una URL" Please check 'Is Advance' against Account {0} if this is an advance entry.,"Por favor, consulte ' Es Avance ' contra la cuenta {0} si se trata de una entrada por adelantado." Please click on 'Generate Schedule',"Por favor, haga clic en ' Generar la Lista de" Please click on 'Generate Schedule' to fetch Serial No added for Item {0},"Por favor, haga clic en "" Generar Schedule ' en busca del cuento por entregas añadido para el elemento {0}" @@ -2096,7 +1954,6 @@ Please create Customer from Lead {0},"Por favor, cree Cliente de plomo {0}" Please create Salary Structure for employee {0},"Por favor, cree Estructura salarial para el empleado {0}" Please create new account from Chart of Accounts.,"Por favor, cree una nueva cuenta de Plan General de Contabilidad ." Please do NOT create Account (Ledgers) for Customers and Suppliers. They are created directly from the Customer / Supplier masters.,"Por favor, no crean la cuenta ( Libros de contabilidad ) para clientes y proveedores . Son creados directamente de los maestros de cliente / proveedor ." -Please enable pop-ups,"Por favor, activa los pop- ups" Please enter 'Expected Delivery Date',"Por favor, introduzca "" la fecha del alumbramiento '" Please enter 'Is Subcontracted' as Yes or No,"Por favor, introduzca "" se subcontrata "" como Sí o No" Please enter 'Repeat on Day of Month' field value,Por favor introduce 'Repeat en el Día del Mes ' valor del campo @@ -2107,7 +1964,6 @@ Please enter Company,Por favor introduzca Company Please enter Cost Center,Por favor introduzca Centro de Costos Please enter Delivery Note No or Sales Invoice No to proceed,"Por favor, ingrese la nota de entrega o No Factura No para continuar" Please enter Employee Id of this sales parson,Por favor introduzca Empleado Id de este párroco ventas -Please enter Event's Date and Time!,Por favor introduzca la fecha y hora del evento! Please enter Expense Account,"Por favor, ingrese Cuenta de Gastos" Please enter Item Code to get batch no,"Por favor, introduzca el código del artículo para obtener lotes no" Please enter Item Code.,"Por favor, introduzca el código del artículo ." @@ -2133,14 +1989,11 @@ Please enter parent cost center,"Por favor, introduzca el centro de coste de los Please enter quantity for Item {0},Por favor introduzca la cantidad para el elemento {0} Please enter relieving date.,Por favor introduzca la fecha aliviar . Please enter sales order in the above table,Por favor ingrese para ventas en la tabla anterior -Please enter some text!,"Por favor, introduzca algún texto !" -Please enter title!,Por favor introduce el título ! Please enter valid Company Email,Por favor introduzca válida Empresa Email Please enter valid Email Id,Por favor introduzca válido Email Id Please enter valid Personal Email,Por favor introduzca válido Email Personal Please enter valid mobile nos,Por favor introduzca nos móviles válidos Please install dropbox python module,"Por favor, instale el módulo python dropbox" -Please login to Upvote!,Inicia sesión para Upvote ! Please mention no of visits required,"¡Por favor, no de visitas requeridas" Please pull items from Delivery Note,"Por favor, tire de los artículos en la nota de entrega" Please save the Newsletter before sending,"Por favor, guarde el boletín antes de enviar" @@ -2191,8 +2044,6 @@ Plot By,Terreno Por Point of Sale,Punto de Venta Point-of-Sale Setting,Point -of -Sale Marco Post Graduate,Postgrado -Post already exists. Cannot add again!,Publica ya existe. No se puede agregar de nuevo! -Post does not exist. Please add post!,"Mensaje no existe. Por favor, añada post!" Postal,postal Postal Expenses,gastos postales Posting Date,Fecha de publicación @@ -2207,7 +2058,6 @@ Prevdoc DocType,DocType Prevdoc Prevdoc Doctype,Doctype Prevdoc Preview,avance Previous,anterior -Previous Record,Registro anterior Previous Work Experience,Experiencia laboral previa Price,precio Price / Discount,Precio / Descuento @@ -2226,12 +2076,10 @@ Price or Discount,Precio o Descuento Pricing Rule,Regla Precios Pricing Rule For Discount,Precios Regla para el descuento Pricing Rule For Price,Precios Regla para Precio -Print,impresión Print Format Style,Formato de impresión Estilo Print Heading,Imprimir Rubro Print Without Amount,Imprimir sin Importe Print and Stationary,Impresión y Papelería -Print...,Imprimir ... Printing and Branding,Prensa y Branding Priority,prioridad Private Equity,Private Equity @@ -2357,7 +2205,6 @@ Quantity of item obtained after manufacturing / repacking from given quantities Quantity required for Item {0} in row {1},Cantidad requerida para el punto {0} en la fila {1} Quarter,trimestre Quarterly,trimestral -Query Report,Informe de consultas Quick Help,Ayuda Rápida Quotation,cita Quotation Date,Cotización Fecha @@ -2459,14 +2306,11 @@ Rejected Warehouse is mandatory against regected item,Almacén Rechazado es obli Relation,relación Relieving Date,Aliviar Fecha Relieving Date must be greater than Date of Joining,Aliviar fecha debe ser mayor que Fecha de acceso -Reload Page,recargar página Remark,observación Remarks,observaciones -Remove Bookmark,Retire Bookmark Rename,rebautizar Rename Log,Cambiar el nombre de sesión Rename Tool,Cambiar el nombre de la herramienta -Rename...,Cambiar el nombre de ... Rent Cost,Renta Costo Rent per hour,Alquiler por horas Rented,alquilado @@ -2474,12 +2318,9 @@ Repeat on Day of Month,Repita el Día del mes Replace,reemplazar Replace Item / BOM in all BOMs,Reemplazar elemento / lista de materiales en todas las listas de materiales Replied,replicó -Report,informe Report Date,Fecha del informe Report Type,Tipo de informe Report Type is mandatory,Tipo de informe es obligatorio -Report an Issue,Informar un problema -Report was not saved (there were errors),Informe no se guardó ( hubo errores ) Reports to,Informes al Reqd By Date,Reqd Por Fecha Request Type,Tipo de solicitud @@ -2630,7 +2471,6 @@ Salutation,saludo Sample Size,Tamaño de la muestra Sanctioned Amount,importe sancionado Saturday,sábado -Save,guardar Schedule,horario Schedule Date,Horario Fecha Schedule Details,Agenda Detalles @@ -2644,7 +2484,6 @@ Score (0-5),Puntuación ( 0-5) Score Earned,puntuación obtenida Score must be less than or equal to 5,Puntuación debe ser menor o igual a 5 Scrap %,Scrap % -Search,búsqueda Seasonality for setting budgets.,Estacionalidad de establecer presupuestos. Secretary,secretario Secured Loans,Préstamos Garantizados @@ -2656,26 +2495,18 @@ Securities and Deposits,Valores y Depósitos "Select ""Yes"" if this item represents some work like training, designing, consulting etc.","Seleccione "" Sí"" si este artículo representa un poco de trabajo al igual que la formación, el diseño, consultoría , etc" "Select ""Yes"" if you are maintaining stock of this item in your Inventory.","Seleccione "" Sí"" si usted está manteniendo un balance de este artículo en su inventario." "Select ""Yes"" if you supply raw materials to your supplier to manufacture this item.","Seleccione "" Sí"" si usted suministra materias primas a su proveedor para la fabricación de este artículo." -Select All,Seleccionar todo -Select Attachments,Seleccione Adjuntos Select Budget Distribution to unevenly distribute targets across months.,Seleccione Asignaciones para distribuir de manera desigual a través de objetivos meses . "Select Budget Distribution, if you want to track based on seasonality.","Seleccione Presupuesto Distribución , si desea realizar un seguimiento basado en la estacionalidad." Select DocType,Seleccione tipo de documento Select Items,Seleccione Artículos -Select Print Format,Seleccionar el formato de impresión Select Purchase Receipts,Seleccionar Compra Receipts -Select Report Name,Seleccionar Nombre del informe Select Sales Orders,Selección de órdenes de venta Select Sales Orders from which you want to create Production Orders.,Seleccione órdenes de venta a partir del cual desea crear órdenes de producción. Select Time Logs and Submit to create a new Sales Invoice.,Seleccionar registros de tiempo e Presentar después de crear una nueva factura de venta . -Select To Download:,Seleccione la descarga : Select Transaction,Seleccione Transacción -Select Type,Seleccione el tipo de Select Your Language,Seleccione su idioma Select account head of the bank where cheque was deposited.,Seleccione la cuenta la cabeza del banco donde cheque fue depositado . Select company name first.,Seleccionar nombre de la empresa en primer lugar. -Select dates to create a new ,Selecciona fechas para crear un nuevo -Select or drag across time slots to create a new event.,Seleccione o arrastre a través de los intervalos de tiempo para crear un nuevo evento. Select template from which you want to get the Goals,Seleccione la plantilla de la que usted desea conseguir los Objetivos de Select the Employee for whom you are creating the Appraisal.,Seleccione el empleado para el que está creando la Evaluación . Select the period when the invoice will be generated automatically,Seleccione el período en que la factura se generará de forma automática @@ -2691,11 +2522,9 @@ Select your home country and check the timezone and currency.,Seleccione su paí Selling,de venta Selling Settings,La venta de Ajustes Send,enviar -Send As Email,Enviar como correo electrónico Send Autoreply,Enviar Respuesta automática Send Email,Enviar Email Send From,Enviar Desde -Send Me A Copy,Enviarme una copia Send Notifications To,Enviar notificaciones a Send Now,Enviar ahora Send SMS,Enviar SMS @@ -2705,7 +2534,6 @@ Send mass SMS to your contacts,Enviar SMS masivo a sus contactos Send to this list,Enviar a esta lista Sender Name,Nombre del remitente Sent On,enviado Por -Sent or Received,Envío y de recepción Separate production order will be created for each finished good item.,Para la producción por separado se crea para cada buen artículo terminado. Serial No,No de orden Serial No / Batch,N º de serie / lote @@ -2739,11 +2567,9 @@ Series {0} already used in {1},Serie {0} ya se utiliza en {1} Service,servicio Service Address,Dirección del Servicio Services,servicios -Session Expired. Logging you out,Sesión ha finalizado. Iniciando tu salida Set,conjunto "Set Default Values like Company, Currency, Current Fiscal Year, etc.","Establecer valores predeterminados , como empresa , vigencia actual año fiscal , etc" 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 . -Set Link,Establecer Enlace Set as Default,Establecer como predeterminado Set as Lost,Establecer como Perdidos Set prefix for numbering series on your transactions,Establecer prefijo de numeración de serie en sus transacciones @@ -2776,17 +2602,12 @@ Shipping Rule Label,Regla Etiqueta de envío Shop,tienda Shopping Cart,Cesta de la compra Short biography for website and other publications.,Breve biografía de la página web y otras publicaciones. -Shortcut,atajo "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." "Show / Hide features like Serial Nos, POS etc.","Mostrar / Disimular las características como de serie n , POS , etc" -Show Details,Mostrar detalles Show In Website,Mostrar En Sitio Web -Show Tags,Mostrar Etiquetas Show a slideshow at the top of the page,Mostrar una presentación de diapositivas en la parte superior de la página Show in Website,Mostrar en Sitio Web -Show rows with zero values,Mostrar filas con valores de cero Show this slideshow at the top of the page,Mostrar esta presentación de diapositivas en la parte superior de la página -Showing only for (if not empty),Mostrando sólo para (si no está vacío) Sick Leave,baja por enfermedad Signature,firma Signature to be appended at the end of every email,Firma que se adjunta al final de cada correo electrónico @@ -2797,11 +2618,8 @@ Slideshow,Presentación Soap & Detergent,Jabón y Detergente Software,software Software Developer,desarrollador de Software -Sorry we were unable to find what you were looking for.,"Lo sentimos, no pudimos encontrar lo que estabas buscando ." -Sorry you are not permitted to view this page.,"Lo sentimos, usted no está autorizado a ver esta página ." "Sorry, Serial Nos cannot be merged","Lo sentimos , Nos de serie no se puede fusionar" "Sorry, companies cannot be merged","Lo sentimos , las empresas no se pueden combinar" -Sort By,Ordenado por Source,fuente Source File,archivo de origen Source Warehouse,fuente de depósito @@ -2826,7 +2644,6 @@ Standard Selling,Venta estándar Standard contract terms for Sales or Purchase.,Condiciones contractuales estándar para Ventas o Compra. Start,comienzo Start Date,Fecha de inicio -Start Report For,Informe de inicio para Start date of current invoice's period,Fecha del período de facturación actual Inicie Start date should be less than end date for Item {0},La fecha de inicio debe ser menor que la fecha de finalización para el punto {0} State,estado @@ -2884,7 +2701,6 @@ Sub Assemblies,Asambleas Sub "Sub-currency. For e.g. ""Cent""","Sub -moneda. Por ejemplo, "" Cent """ Subcontract,subcontrato Subject,sujeto -Submit,presentar Submit Salary Slip,Presentar nómina Submit all salary slips for the above selected criteria,Presentar todas las nóminas para los criterios seleccionados anteriormente Submit this Production Order for further processing.,Enviar esta Orden de Producción para su posterior procesamiento . @@ -2928,7 +2744,6 @@ Support Email Settings,Soporte Configuración del correo electrónico Support Password,Soporte Contraseña Support Ticket,Ticket Support queries from customers.,Consultas de soporte de clientes . -Switch to Website,Cambie a la página web Symbol,símbolo Sync Support Mails,Sync Soporte Mails Sync with Dropbox,Sincronización con Dropbox @@ -2936,7 +2751,6 @@ Sync with Google Drive,Sincronización con Google Drive System,sistema System Settings,Configuración del sistema "System User (login) ID. If set, it will become default for all HR forms.","Usuario del sistema (login ) de diámetro. Si se establece , será por defecto para todas las formas de recursos humanos." -Tags,Etiquetas Target Amount,Monto Target Target Detail,Objetivo Detalle Target Details,Detalles Target @@ -2995,7 +2809,6 @@ Territory Target Variance Item Group-Wise,Territorio Target Varianza Artículo G Territory Targets,Objetivos Territorio Test,prueba Test Email Id,Prueba de Identificación del email -Test Runner,Test Runner Test the Newsletter,Pruebe el Boletín The BOM which will be replaced,La lista de materiales que será sustituido The First User: You,La Primera Usuario: @@ -3015,28 +2828,23 @@ The net weight of this package. (calculated automatically as sum of net weight o The new BOM after replacement,La nueva lista de materiales después de la sustitución The rate at which Bill Currency is converted into company's base currency,La velocidad a la que Bill moneda se convierte en la moneda base de la compañía 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 en enviar . -Then By (optional),Entonces por ( opcional) There are more holidays than working days this month.,Hay más vacaciones que los días de trabajo de este mes. "There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Sólo puede haber una regla Condición inicial con 0 o valor en blanco de ""To Value""" There is not enough leave balance for Leave Type {0},No hay equilibrio permiso suficiente para Dejar Escriba {0} There is nothing to edit.,No hay nada que modificar. 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." -There were errors,Hubo errores -There were errors while sending email. Please try again.,"Hubo errores al enviar el correo electrónico. Por favor, inténtelo de nuevo." There were errors.,Hubo errores . This Currency is disabled. Enable to use in transactions,Esta moneda está desactivado . Habilitar el uso en las transacciones This Leave Application is pending approval. Only the Leave Apporver can update status.,Esta solicitud de autorización está pendiente de aprobación . Sólo el Dejar Apporver puede actualizar el estado . This Time Log Batch has been billed.,Este lote Hora de registro se ha facturado . This Time Log Batch has been cancelled.,Este lote Hora de registro ha sido cancelado . This Time Log conflicts with {0},This Time Entrar en conflicto con {0} -This is PERMANENT action and you cannot undo. Continue?,Esta es una acción permanente y no se puede deshacer . ¿Desea continuar? This is a root account and cannot be edited.,Esta es una cuenta de la raíz y no se puede editar . This is a root customer group and cannot be edited.,Se trata de un grupo de clientes de la raíz y no se puede editar . This is a root item group and cannot be edited.,Se trata de un grupo de elementos de raíz y no se puede editar . This is a root sales person and cannot be edited.,Se trata de una persona de las ventas de la raíz y no se puede editar . This is a root territory and cannot be edited.,Este es un territorio de la raíz y no se puede editar . This is an example website auto-generated from ERPNext,Este es un sitio web ejemplo generadas por auto de ERPNext -This is permanent action and you cannot undo. Continue?,Esta es una acción permanente y no se puede deshacer . ¿Desea continuar? This is the number of the last created transaction with this prefix,Este es el número de la última transacción creado con este prefijo This will be used for setting rule in HR module,Esto se utiliza para ajustar la regla en el módulo HR Thread HTML,HTML Tema @@ -3078,7 +2886,6 @@ To get Item Group in details table,Para obtener Grupo artículo en la tabla deta "To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Para incluir el impuesto de la fila {0} en la tasa de artículo , los impuestos en filas {1} también deben ser incluidos" "To merge, following properties must be same for both items","Para combinar , siguientes propiedades deben ser el mismo para ambos ítems" "To report an issue, go to ", -"To run a test add the module name in the route after '{0}'. For example, {1}","Para ejecutar una prueba de agregar el nombre del módulo en la ruta después de '{0}'. Por ejemplo , {1}" "To set this Fiscal Year as Default, click on 'Set as Default'","Para establecer este año fiscal como predeterminada , haga clic en "" Establecer como predeterminado """ To track any installation or commissioning related work after sales,Para el seguimiento de cualquier instalación o puesta en obra relacionada postventa "To track brand name in the following documents Delivery Note, Opportunity, Material Request, Item, Purchase Order, Purchase Voucher, Purchaser Receipt, Quotation, Sales Invoice, Sales BOM, Sales Order, Serial No","Para realizar el seguimiento de marca en el siguiente documento Nota de entrega , Oportunidad , solicitud de material , artículo , Orden de Compra, Comprar Bono , el recibo de compra , cotización , factura de venta , lista de materiales de ventas , órdenes de venta , Número de Serie" @@ -3130,7 +2937,6 @@ Totals,totales Track Leads by Industry Type.,Pista conduce por tipo de industria . Track this Delivery Note against any Project,Seguir este albarán en contra de cualquier proyecto Track this Sales Order against any Project,Seguir este de órdenes de venta en contra de cualquier proyecto -Trainee,aprendiz Transaction,transacción Transaction Date,Fecha de Transacción Transaction not allowed against stopped Production Order {0},La transacción no permitida contra detenido Orden Producción {0} @@ -3162,7 +2968,6 @@ UOM Conversion Factor,UOM Factor de Conversión UOM Conversion factor is required in row {0},Se requiere el factor de conversión de la UOM en la fila {0} UOM Name,Nombre UOM UOM coversion factor required for UOM {0} in Item {1},Factor de coversion UOM requerido para UOM {0} en el punto {1} -Unable to load: {0},No se puede cargar : {0} Under AMC,Bajo AMC Under Graduate,Bajo de Postgrado Under Warranty,Bajo Garantía @@ -3172,11 +2977,8 @@ Unit of Measure {0} has been entered more than once in Conversion Factor Table,U "Unit of measurement of this item (e.g. Kg, Unit, No, Pair).","Unidad de medida de este material ( por ejemplo, Kg , Unidad , No, par) ." Units/Hour,Unidades / hora Units/Shifts,Unidades / Turnos -Unknown Column: {0},Desconocido Columna: {0} -Unknown Print Format: {0},Desconocido Formato impresión: {0} Unmatched Amount,Importe sin igual Unpaid,no pagado -Unread Messages,Los mensajes no leídos Unscheduled,no programada Unsecured Loans,Préstamos sin garantía Unstop,desatascar @@ -3196,18 +2998,14 @@ Update bank payment dates with journals.,Actualización de las fechas de pago de Update clearance date of Journal Entries marked as 'Bank Vouchers',Fecha de despacho de actualización de entradas de diario marcado como ' Banco vales ' Updated,actualizado Updated Birthday Reminders,Actualizado Birthday Reminders -Upload,subir -Upload Attachment,carga de archivos adjuntos Upload Attendance,Subir Asistencia Upload Backups to Dropbox,Cargar copias de seguridad en Dropbox Upload Backups to Google Drive,Cargar copias de seguridad a Google Drive Upload HTML,Subir HTML Upload a .csv file with two columns: the old name and the new name. Max 500 rows.,Subir un archivo csv con dos columnas: . El viejo nombre y el nuevo nombre . Max 500 filas . -Upload a file,Subir un archivo Upload attendance from a .csv file,Sube la asistencia de un archivo csv . Upload stock balance via csv.,Sube saldo de existencias a través csv . Upload your letter head and logo - you can edit them later.,Cargue su membrete y el logotipo - usted puede editarlos posteriormente. -Uploading...,Subiendo ... Upper Income,Ingresos superior Urgent,urgente Use Multi-Level BOM,Utilice Multi - Nivel BOM @@ -3217,11 +3015,9 @@ User ID,ID de usuario User ID not set for Employee {0},ID de usuario no se establece para el empleado {0} User Name,Nombre de usuario User Name or Support Password missing. Please enter and try again.,Nombre de usuario o contraseña Soporte desaparecidos. Por favor introduzca y vuelva a intentarlo . -User Permission Restrictions,Restricciones de permisos de usuario User Remark,Observación del usuario User Remark will be added to Auto Remark,Observación usuario se añadirá a Observación Auto User Remarks is mandatory,Usuario Observaciones es obligatorio -User Restrictions,Restricciones de usuario User Specific,específicas de usuario User must always select,Usuario elegirá siempre User {0} is already assigned to Employee {1},El usuario {0} ya está asignado a Empleado {1} @@ -3319,8 +3115,6 @@ Will be updated after Sales Invoice is Submitted.,Se actualizará después de la Will be updated when batched.,Se actualizará cuando por lotes. Will be updated when billed.,Se actualizará cuando se facturan . Wire Transfer,Transferencia Bancaria -With Groups,Con Grupos -With Ledgers,Con Ledgers With Operations,Con operaciones With period closing entry,Con la entrada de cierre del período Work Details,Detalles de trabajo @@ -3328,7 +3122,6 @@ Work Done,trabajo realizado Work In Progress,Trabajos en curso Work-in-Progress Warehouse,Trabajos en Progreso Almacén Work-in-Progress Warehouse is required before Submit,Se requiere un trabajo - en - progreso almacén antes Presentar -Workflow will start after saving.,Flujo de trabajo se iniciará después de guardar . Working,laboral Workstation,puesto de trabajo Workstation Name,Estación de trabajo Nombre @@ -3351,11 +3144,6 @@ Year Start Date should not be greater than Year End Date,Año Fecha de inicio no Year of Passing,Año de fallecimiento Yearly,anual Yes,sí -Yesterday,ayer -You are not allowed to create / edit reports,No se le permite crear informes / edición -You are not allowed to export this report,No se le permite exportar este informe -You are not allowed to print this document,No está autorizado a imprimir este documento -You are not allowed to send emails related to this document,Usted no tiene permiso para enviar mensajes de correo electrónico relacionados con este documento You are not authorized to add or update entries before {0},No tiene permisos para agregar o actualizar las entradas antes de {0} You are not authorized to set Frozen value,Usted no está autorizado para fijar el valor congelado You are the Expense Approver for this record. Please Update the 'Status' and Save,Usted es el aprobador de gastos para este registro. Actualice el 'Estado' y Save @@ -3372,7 +3160,6 @@ You can submit this Stock Reconciliation.,Puede enviar este Stock Reconciliació You can update either Quantity or Valuation Rate or both.,Puede actualizar cualquiera de cantidad o de valoración por tipo o ambos. You cannot credit and debit same account at the same time,No se puede de crédito y débito misma cuenta al mismo tiempo You have entered duplicate items. Please rectify and try again.,Ha introducido los elementos duplicados . Por favor rectifique y vuelva a intentarlo . -You have unsaved changes in this form. Please save before you continue.,Usted tiene cambios sin guardar en este formulario. You may need to update: {0},Puede que tenga que actualizar : {0} You must Save the form before proceeding,Debe guardar el formulario antes de proceder You must allocate amount before reconcile,Debe asignar cantidad antes de conciliar @@ -3381,7 +3168,6 @@ Your Customers,Sus Clientes Your Login Id,Su usuario Id Your Products or Services,Sus Productos o Servicios Your Suppliers,Sus Proveedores -"Your download is being built, this may take a few moments...","Su descarga se está construyendo , esto puede tardar unos minutos ..." Your email address,Su dirección de correo electrónico Your financial year begins on,Su ejercicio social comenzará el Your financial year ends on,Su ejercicio se termina en la @@ -3394,8 +3180,6 @@ Your support email id - must be a valid email - this is where your emails will c and,y are not allowed.,no están permitidos. assigned by,asignado por -comment,comentario -comments,comentarios "e.g. ""Build tools for builders""","por ejemplo "" Construir herramientas para los constructores """ "e.g. ""MC""","por ejemplo ""MC """ "e.g. ""My Company LLC""","por ejemplo ""Mi Company LLC """ @@ -3405,14 +3189,9 @@ e.g. 5,por ejemplo 5 e.g. VAT,por ejemplo IVA eg. Cheque Number,por ejemplo . Número de Cheque example: Next Day Shipping,ejemplo : Envío Día Siguiente -found,fundar -is not allowed.,no está permitido. lft,lft old_parent,old_parent -or,o rgt,RGT -to,a -values and dates,valores y fechas website page link,el vínculo web {0} '{1}' not in Fiscal Year {2},{0} '{1}' no en el Año Fiscal {2} {0} Credit limit {0} crossed,{0} Límite de crédito {0} cruzado diff --git a/erpnext/translations/fr.csv b/erpnext/translations/fr.csv index 8b4f64d1a2..8efad9b498 100644 --- a/erpnext/translations/fr.csv +++ b/erpnext/translations/fr.csv @@ -1,7 +1,5 @@ (Half Day),(Demi-journée) and year: ,et l'année: - by Role ,par rôle - is not set,n'est pas réglé """ does not exists",""" N'existe pas" % Delivered,Livré% % Amount Billed,Montant Facturé% @@ -34,7 +32,6 @@ "1 Currency = [?] Fraction For e.g. 1 USD = 100 Cent",1 devise = [ ? ] Fraction \ nPour exemple 1. To maintain the customer wise item code and to make them searchable based on their code use this option,1. Pour maintenir le code de référence du client sage et de les rendre consultables en fonction de leur code d'utiliser cette option -2 days ago,Il ya 2 jours "Add / Edit"," Ajouter / Modifier < / a>" "Add / Edit"," Ajouter / Modifier < / a>" "Add / Edit"," Ajouter / Modifier < / a>" @@ -89,7 +86,6 @@ Accounts Frozen Upto,Jusqu'à comptes gelés Accounts Payable,Comptes à payer Accounts Receivable,Débiteurs Accounts Settings,Paramètres des comptes -Actions,actes Active,Actif Active: Will extract emails from ,Actif: va extraire des emails à partir de Activity,Activité @@ -111,23 +107,13 @@ Actual Quantity,Quantité réelle Actual Start Date,Date de début réelle Add,Ajouter Add / Edit Taxes and Charges,Ajouter / Modifier Taxes et frais -Add Attachments,Ajouter des pièces jointes -Add Bookmark,Ajouter un signet Add Child,Ajouter un enfant -Add Column,Ajouter une colonne -Add Message,Ajouter un message -Add Reply,Ajouter une réponse Add Serial No,Ajouter N ° de série Add Taxes,Ajouter impôts Add Taxes and Charges,Ajouter Taxes et frais -Add This To User's Restrictions,télécharger -Add attachment,Ajouter une pièce jointe -Add new row,Ajouter une nouvelle ligne Add or Deduct,Ajouter ou déduire Add rows to set annual budgets on Accounts.,Ajoutez des lignes d'établir des budgets annuels des comptes. Add to Cart,ERP open source construit pour le web -Add to To Do,Ajouter à To Do -Add to To Do List of,Ajouter à To Do List des Add to calendar on this date,Ajouter au calendrier à cette date Add/Remove Recipients,Ajouter / supprimer des destinataires Address,Adresse @@ -220,9 +206,6 @@ Allow user to edit Price List Rate in transactions,Permettre à l'utilisateu Allowance Percent,Pourcentage allocation Allowance for over-delivery / over-billing crossed for Item {0},Maître de liste de prix . Allowed Role to Edit Entries Before Frozen Date,Autorisé rôle à modifier les entrées Avant Frozen date -"Allowing DocType, DocType. Be careful!",Vous ne pouvez pas ouvrir {0} lorsque son instance est ouverte -Alternative download link,Les champs obligatoires requises dans {0} -Amend,Modifier Amended From,De modifiée Amount,Montant Amount (Company Currency),Montant (Société Monnaie) @@ -270,26 +253,18 @@ Approving User,Approuver l'utilisateur Approving User cannot be same as user the rule is Applicable To,Approuver l'utilisateur ne peut pas être identique à l'utilisateur la règle est applicable aux Are you sure you want to STOP , Are you sure you want to UNSTOP , -Are you sure you want to delete the attachment?,Êtes-vous sûr de vouloir supprimer la pièce jointe? Arrear Amount,Montant échu "As Production Order can be made for this item, it must be a stock item.","Comme ordre de fabrication peut être faite de cet élément, il doit être un article en stock ." As per Stock UOM,Selon Stock UDM "As there are existing stock transactions for this item, you can not change the values of 'Has Serial No', 'Is Stock Item' and 'Valuation Method'","Comme il ya des transactions boursières existantes pour cet article, vous ne pouvez pas modifier les valeurs de ' A Pas de série »,« Est- Stock Item »et« Méthode d'évaluation »" -Ascending,Ascendant Asset,atout -Assign To,Attribuer à -Assigned To,assignée à -Assignments,Envoyer permanence {0} ? Assistant,assistant Associate,associé Atleast one warehouse is mandatory,Atleast un entrepôt est obligatoire -Attach Document Print,Fixez Imprimer le document Attach Image,suivant Attach Letterhead,Fixez -tête Attach Logo,S'il vous plaît sélectionner un fichier csv valide avec les données Attach Your Picture,Liquidation Date non mentionné -Attach as web link,Joindre lien web -Attachments,Pièces jointes Attendance,Présence Attendance Date,Date de Participation Attendance Details,Détails de présence @@ -402,7 +377,6 @@ Block leave applications by department.,Bloquer les demandes d'autorisation Blog Post,Blog Blog Subscriber,Abonné Blog Blood Group,Groupe sanguin -Bookmarks,Favoris Both Warehouse must belong to same Company,Les deux Entrepôt doit appartenir à une même entreprise Box,boîte Branch,Branche @@ -437,7 +411,6 @@ C-Form No,C-formulaire n ° C-Form records,Enregistrements C -Form Calculate Based On,Calculer en fonction Calculate Total Score,Calculer Score total -Calendar,Calendrier Calendar Events,Calendrier des événements Call,Appeler Calls,appels @@ -450,7 +423,6 @@ Can be approved by {0},Peut être approuvé par {0} "Can not filter based on Account, if grouped by Account","Impossible de filtrer sur la base de compte , si regroupées par compte" "Can not filter based on Voucher No, if grouped by Voucher","Impossible de filtrer sur la base Bon Non, si regroupés par Chèque" Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',Remarque : {0} -Cancel,Annuler Cancel Material Visit {0} before cancelling this Customer Issue,Invalid serveur de messagerie . S'il vous plaît corriger et essayer à nouveau. Cancel Material Visits {0} before cancelling this Maintenance Visit,S'il vous plaît créer la structure des salaires pour les employés {0} Cancelled,Annulé @@ -469,11 +441,7 @@ Cannot deactive or cancle BOM as it is linked with other BOMs,Données du projet Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Vous ne pouvez pas déduire lorsqu'une catégorie est pour « évaluation » ou « évaluation et Total """ "Cannot delete Serial No {0} in stock. First remove from stock, then delete.",Heure du journal {0} doit être « déposés » "Cannot directly set amount. For 'Actual' charge type, use the rate field",Programme de maintenance {0} existe contre {0} -Cannot edit standard fields,Vous ne pouvez pas modifier les champs standards -Cannot open instance when its {0} is open,Création / modification par -Cannot open {0} when its instance is open,pas trouvé "Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in 'Setup' > 'Global Defaults'",Set -Cannot print cancelled documents,Vous n'êtes pas autorisé à envoyer des e-mails relatifs à ce document Cannot produce more Item {0} than Sales Order quantity {1},effondrement Cannot refer row number greater than or equal to current row number for this Charge type,Nos série requis pour Serialized article {0} Cannot return more than {0} for Item {1},développer @@ -527,19 +495,14 @@ Claim Amount,Montant réclamé Claims for company expense.,Les réclamations pour frais de la société. Class / Percentage,Classe / Pourcentage Classic,Classique -Clear Cache,avec les groupes Clear Table,Effacer le tableau Clearance Date,Date de la clairance Clearance Date not mentioned,"Désignation des employés (par exemple de chef de la direction , directeur , etc.)" Clearance date cannot be before check date in row {0},Chefs de lettre pour des modèles d'impression . Click on 'Make Sales Invoice' button to create a new Sales Invoice.,Cliquez sur le bouton pour créer une nouvelle facture de vente «Facture de vente Make '. Click on a link to get options to expand get options , -Click on row to view / edit.,non autorisé -Click to Expand / Collapse,Cliquez ici pour afficher / masquer Client,Client -Close,Proche Close Balance Sheet and book Profit or Loss.,Fermer Bilan et livre Bénéfice ou perte . -Close: {0},Exportation non autorisée. Vous devez {0} rôle à exporter . Closed,Fermé Closing Account Head,Fermeture chef Compte Closing Account {0} must be of type 'Liability',S'il vous plaît sélectionner valide volet n ° de procéder @@ -550,10 +513,8 @@ Closing Value,Valeur de clôture CoA Help,Aide CoA Code,Code Cold Calling,Cold Calling -Collapse,ERP open source construit pour le web Color,Couleur Comma separated list of email addresses,Comma liste séparée par des adresses e-mail -Comment,Commenter Comments,Commentaires Commercial,Reste du monde Commission,commission @@ -564,7 +525,6 @@ Commission rate cannot be greater than 100,Taux de commission ne peut pas être Communication,Communication Communication HTML,Communication HTML Communication History,Histoire de la communication -Communication Medium,Moyen de communication Communication log.,Journal des communications. Communications,communications Company,Entreprise @@ -583,7 +543,6 @@ Company registration numbers for your reference. Tax numbers etc.,"Numéros d "Company, Month and Fiscal Year is mandatory","Société , le mois et l'année fiscale est obligatoire" Compensatory Off,faire Complete,Compléter -Complete By,Compléter par Complete Setup,congé de maladie Completed,Terminé Completed Production Orders,Terminé les ordres de fabrication @@ -635,7 +594,6 @@ Convert into Recurring Invoice,Convertir en facture récurrente Convert to Group,Convertir en groupe Convert to Ledger,Autre Ledger Converted,Converti -Copy,Copiez Copy From Item Group,Copy From Group article Cosmetics,produits de beauté Cost Center,Centre de coûts @@ -666,7 +624,6 @@ Create Stock Ledger Entries when you submit a Sales Invoice,Créer un registre d Create rules to restrict transactions based on values.,Créer des règles pour restreindre les transactions fondées sur des valeurs . Created By,Créé par Creates salary slip for above mentioned criteria.,Crée le bulletin de salaire pour les critères mentionnés ci-dessus. -Creation / Modified By,Vous n'êtes pas autorisé à créer / éditer des rapports Creation Date,date de création Creation Document No,Création document n Creation Document Type,Type de document de création @@ -697,11 +654,9 @@ Current Liabilities,Le solde doit être Current Stock,Stock actuel Current Stock UOM,Emballage Stock actuel Current Value,Valeur actuelle -Current status,Situation actuelle Custom,Coutume Custom Autoreply Message,Message personnalisé Autoreply Custom Message,Message personnalisé -Custom Reports,Rapports personnalisés Customer,Client Customer (Receivable) Account,Compte client (à recevoir) Customer / Item Name,Client / Nom d'article @@ -750,7 +705,6 @@ Date Format,Format de date Date Of Retirement,Date de la retraite Date Of Retirement must be greater than Date of Joining,Date de la retraite doit être supérieure à date d'adhésion Date is repeated,La date est répétée -Date must be in format: {0},Il y avait des erreurs Date of Birth,Date de naissance Date of Issue,Date d'émission Date of Joining,Date d'adhésion @@ -761,7 +715,6 @@ Dates,Dates Days Since Last Order,Jours depuis la dernière commande Days for which Holidays are blocked for this department.,Jours fériés pour lesquels sont bloqués pour ce département. Dealer,Revendeur -Dear,Cher Debit,Débit Debit Amt,Débit Amt Debit Note,Note de débit @@ -809,7 +762,6 @@ Default settings for stock transactions.,minute Defense,défense "Define Budget for this Cost Center. To set budget action, see Company Master","Définir le budget pour ce centre de coûts. Pour définir l'action budgétaire, voir Maître Société" Delete,Effacer -Delete Row,Supprimer la ligne Delete {0} {1}?,Supprimer {0} {1} ? Delivered,Livré Delivered Items To Be Billed,Les articles livrés être facturé @@ -836,7 +788,6 @@ Department,Département Department Stores,Grands Magasins Depends on LWP,Dépend de LWP Depreciation,Actifs d'impôt -Descending,Descendant Description,Description Description HTML,Description du HTML Designation,Désignation @@ -881,15 +832,10 @@ Do you really want to stop production order: , Doc Name,Nom de Doc Doc Type,Doc Type d' Document Description,Description du document -Document Status transition from ,transition de l'état du document de -Document Status transition from {0} to {1} is not allowed,non autorisé Document Type,Type de document -Document is only editable by users of role,Document est modifiable uniquement par les utilisateurs de rôle -Documentation,Documentation Documents,Documents Domain,Domaine Don't send Employee Birthday Reminders,Ne pas envoyer des employés anniversaire rappels -Download,Supprimer définitivement {0} ? Download Materials Required,Télécharger Matériel requis Download Reconcilation Data,Télécharger Rapprochement des données Download Template,Télécharger le modèle @@ -898,8 +844,6 @@ Download a report containing all raw materials with their latest inventory statu "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écharger le modèle , remplir les données appropriées et joindre le fichier modifié . \ NLes dates et la combinaison de l'employé dans la période sélectionnée apparaît dans le modèle , avec les records de fréquentation existants" Draft,Avant-projet -Drafts,Brouillons -Drag to sort columns,Faites glisser pour trier les colonnes Dropbox,Dropbox Dropbox Access Allowed,Dropbox accès autorisé Dropbox Access Key,Dropbox Clé d'accès @@ -920,7 +864,6 @@ Earning & Deduction,Gains et déduction Earning Type,Gagner Type d' Earning1,Earning1 Edit,Éditer -Editable,Editable Education,éducation Educational Qualification,Qualification pour l'éducation Educational Qualification Details,Détails de qualification d'enseignement @@ -940,12 +883,9 @@ Email Id,Identification d'email "Email Id where a job applicant will email e.g. ""jobs@example.com""",Identification d'email où un demandeur d'emploi enverra par courriel par exemple "jobs@example.com" Email Notifications,Notifications par courriel Email Sent?,Envoyer envoyés? -"Email addresses, separted by commas","Adresses e-mail par des virgules, separted" "Email id must be unique, already exists for {0}","Email id doit être unique , existe déjà pour {0}" Email ids separated by commas.,identifiants de messagerie séparées par des virgules. -Email sent to {0},entrer une valeur "Email settings to extract Leads from sales email id e.g. ""sales@example.com""",Paramètres de messagerie pour extraire des ventes Leads e-mail par exemple id "sales@example.com" -Email...,Adresse e-mail ... Emergency Contact,En cas d'urgence Emergency Contact Details,Détails de contact d'urgence Emergency Phone,téléphone d'urgence @@ -984,7 +924,6 @@ End date of current invoice's period,Date de fin de la période de facturation e End of Life,Fin de vie Energy,énergie Engineer,ingénieur -Enter Value,Aucun résultat Enter Verification Code,Entrez le code de vérification Enter campaign name if the source of lead is campaign.,Entrez le nom de la campagne si la source de plomb est la campagne. Enter department to which this Contact belongs,Entrez département auquel appartient ce contact @@ -1002,7 +941,6 @@ Entries,Entrées Entries against,entrées contre Entries are not allowed against this Fiscal Year if the year is closed.,Les inscriptions ne sont pas autorisés contre cette exercice si l'année est fermé. Entries before {0} are frozen,«Notification d'adresses électroniques » non spécifiés pour la facture récurrente -Equals,Equals Equity,Opération {0} est répété dans le tableau des opérations Error: {0} > {1},Erreur: {0} > {1} Estimated Material Cost,Coût des matières premières estimée @@ -1019,7 +957,6 @@ Exhibition,Exposition Existing Customer,Client existant Exit,Sortie Exit Interview Details,Quittez Détails Interview -Expand,S'il vous plaît entrer un texte ! Expected,Attendu Expected Completion Date can not be less than Project Start Date,Pourcentage de réduction Expected Date cannot be before Material Request Date,Date prévu ne peut pas être avant Matériel Date de la demande @@ -1052,8 +989,6 @@ Expenses Booked,Dépenses Réservé Expenses Included In Valuation,Frais inclus dans l'évaluation Expenses booked for the digest period,Charges comptabilisées pour la période digest Expiry Date,Date d'expiration -Export,Exporter -Export not allowed. You need {0} role to export.,Vider le cache Exports,Exportations External,Externe Extract Emails,Extrait Emails @@ -1068,11 +1003,8 @@ Feedback,Réaction Female,Féminin Fetch exploded BOM (including sub-assemblies),Fetch nomenclature éclatée ( y compris les sous -ensembles ) "Field available in Delivery Note, Quotation, Sales Invoice, Sales Order","Champ disponible dans la note de livraison, devis, facture de vente, Sales Order" -Field {0} is not selectable.,Monter : {0} -File,Fichier Files Folder ID,Les fichiers d'identification des dossiers Fill the form and save it,Remplissez le formulaire et l'enregistrer -Filter,Filtrez Filter based on customer,Filtre basé sur le client Filter based on item,Filtre basé sur le point Financial / accounting year.,Point {0} a été saisi plusieurs fois contre une même opération @@ -1101,14 +1033,10 @@ For Server Side Print Formats,Server Side Formats d'impression For Supplier,pour fournisseur For Warehouse,Pour Entrepôt For Warehouse is required before Submit,Warehouse est nécessaire avant Soumettre -"For comparative filters, start with","Pour les filtres de comparaison, commencez par" "For e.g. 2012, 2012-13","Pour exemple, 2012, 2012-13" -For ranges,Pour les plages For reference,Pour référence For reference only.,À titre de référence seulement. "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" -Form,Forme -Forums,Fermer : {0} Fraction,Fraction Fraction Units,Unités fraction Freeze Stock Entries,Congeler entrées en stocks @@ -1161,12 +1089,10 @@ Generate Material Requests (MRP) and Production Orders.,Lieu à des demandes de Generate Salary Slips,Générer les bulletins de salaire Generate Schedule,Générer annexe Generates HTML to include selected image in the description,Génère du code HTML pour inclure l'image sélectionnée dans la description -Get,Obtenez Get Advances Paid,Obtenez Avances et acomptes versés Get Advances Received,Obtenez Avances et acomptes reçus Get Against Entries,Obtenez contre les entrées Get Current Stock,Obtenez Stock actuel -Get From ,Obtenez partir Get Items,Obtenir les éléments Get Items From Sales Orders,Obtenir des éléments de Sales Orders Get Items from BOM,Obtenir des éléments de nomenclature @@ -1194,8 +1120,6 @@ Government,Si différente de l'adresse du client Graduate,Diplômé Grand Total,Grand Total Grand Total (Company Currency),Total (Société Monnaie) -Greater or equals,Plus ou égaux -Greater than,supérieur à "Grid ""","grille """ Grocery,épicerie Gross Margin %,Marge brute% @@ -1207,7 +1131,6 @@ Gross Profit (%),Bénéfice brut (%) Gross Weight,Poids brut Gross Weight UOM,Emballage Poids brut Group,Groupe -"Group Added, refreshing...",non Soumis Group by Account,Groupe par compte Group by Voucher,Règles pour ajouter les frais d'envoi . Group or Ledger,Groupe ou Ledger @@ -1229,14 +1152,12 @@ Health Care,soins de santé Health Concerns,Préoccupations pour la santé Health Details,Détails de santé Held On,Tenu le -Help,Aider Help HTML,Aide HTML "Help: To link to another record in the system, use ""#Form/Note/[Note Name]"" as the Link URL. (don't use ""http://"")","Aide: Pour lier à un autre enregistrement dans le système, utiliser "# Form / Note / [Note Nom]», comme l'URL du lien. (Ne pas utiliser "http://")" "Here you can maintain family details like name and occupation of parent, spouse and children","Ici vous pouvez conserver les détails de famille comme nom et la profession des parents, le conjoint et les enfants" "Here you can maintain height, weight, allergies, medical concerns etc","Ici vous pouvez maintenir la hauteur, le poids, allergies, etc médicaux préoccupations" Hide Currency Symbol,Masquer le symbole monétaire High,Haut -History,Histoire History In Company,Dans l'histoire de l'entreprise Hold,Tenir Holiday,Vacances @@ -1281,17 +1202,14 @@ If you have Sales Team and Sale Partners (Channel Partners) they can be tagged If you involve in manufacturing activity. Enables Item 'Is Manufactured',Invalid Nom d'utilisateur Mot de passe ou de soutien . S'il vous plaît corriger et essayer à nouveau. Ignore,Ignorer Ignored: ,Ignoré: -"Ignoring Item {0}, because a group exists with the same name!",Nom interdite Image,Image Image View,Voir l'image Implementation Partner,Partenaire de mise en œuvre -Import,Importer Import Attendance,Importer Participation Import Failed!,Importation a échoué! Import Log,Importer Connexion Import Successful!,Importez réussie ! Imports,Importations -In,dans In Hours,Dans Heures In Process,In Process In Qty,Qté @@ -1306,7 +1224,6 @@ In Words will be visible once you save the Purchase Receipt.,Dans les mots seron In Words will be visible once you save the Quotation.,Dans les mots seront visibles une fois que vous enregistrez le devis. In Words will be visible once you save the Sales Invoice.,Dans les mots seront visibles une fois que vous enregistrez la facture de vente. In Words will be visible once you save the Sales Order.,Dans les mots seront visibles une fois que vous enregistrez le bon de commande. -In response to,En réponse à Incentives,Incitations Include Reconciled Entries,Inclure les entrées rapprochées Include holidays in Total no. of Working Days,Inclure les vacances en aucun totale. de jours de travail @@ -1327,8 +1244,6 @@ Indirect Income,{0} {1} statut est débouchées Individual,Individuel Industry,Industrie Industry Type,Secteur d'activité -Insert Below,Insérer en dessous -Insert Row,Insérer une ligne Inspected By,Inspecté par Inspection Criteria,Critères d'inspection Inspection Required,Inspection obligatoire @@ -1350,8 +1265,6 @@ Internal,Interne Internet Publishing,Publication Internet Introduction,Introduction Invalid Barcode or Serial No,"Soldes de comptes de type "" banque "" ou "" Cash""" -Invalid Email: {0},S'il vous plaît entrer le titre ! -Invalid Filter: {0},Descendre : {0} Invalid Mail Server. Please rectify and try again.,électrique Invalid Master Name,Invalid Nom du Maître Invalid User Name or Support Password. Please rectify and try again.,Numéro de référence et date de référence est nécessaire pour {0} @@ -1516,7 +1429,6 @@ Landed Cost updated successfully,Entrepôt réservés nécessaire pour stock Art Language,Langue Last Name,Nom de famille Last Purchase Rate,Purchase Rate Dernière -Last updated by,Dernière mise à jour par Latest,dernier Lead,Conduire Lead Details,Le plomb Détails @@ -1566,24 +1478,17 @@ Ledgers,livres Left,Gauche Legal,juridique Legal Expenses,Actifs stock -Less or equals,Moins ou égal -Less than,moins que Letter Head,A en-tête Letter Heads for print templates.,Journal Bon {0} n'a pas encore compte {1} . Level,Niveau Lft,Lft Liability,responsabilité -Like,comme -Linked With,Lié avec -List,Liste List a few of your customers. They could be organizations or individuals.,Énumérer quelques-unes de vos clients . Ils pourraient être des organisations ou des individus . List a few of your suppliers. They could be organizations or individuals.,Énumérer quelques-unes de vos fournisseurs . Ils pourraient être des organisations ou des individus . List items that form the package.,Liste des articles qui composent le paquet. List this Item in multiple groups on the website.,Liste cet article dans plusieurs groupes sur le site. "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.",Référencez vos produits ou services que vous achetez ou vendez. "List your tax heads (e.g. VAT, Excise; 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 têtes d'impôt (par exemple, la TVA , accises , ils doivent avoir des noms uniques ) et leur taux standard." -Loading,Chargement -Loading Report,Chargement rapport Loading...,Chargement en cours ... Loans (Liabilities),Prêts ( passif) Loans and Advances (Assets),Prêts et avances ( actif) @@ -1591,7 +1496,6 @@ Local,arrondis Login with your new User ID,Connectez-vous avec votre nouveau nom d'utilisateur Logo,Logo Logo and Letter Heads,Logo et lettres chefs -Logout,Déconnexion Lost,perdu Lost Reason,Raison perdu Low,Bas @@ -1642,7 +1546,6 @@ Make Salary Structure,Faire structure salariale Make Sales Invoice,Faire la facture de vente Make Sales Order,Assurez- Commande Make Supplier Quotation,Faire Fournisseur offre -Make a new,Faire une nouvelle Male,Masculin Manage Customer Group Tree.,Gérer l'arborescence de groupe de clients . Manage Sales Person Tree.,Gérer les ventes personne Arbre . @@ -1650,8 +1553,6 @@ Manage Territory Tree.,"Un élément existe avec le même nom ( {0} ) , s'il vou Manage cost of operations,Gérer les coûts d'exploitation Management,gestion Manager,directeur -Mandatory fields required in {0},Courriel invalide : {0} -Mandatory filters required:\n,Filtres obligatoires requises: \ n "Mandatory if Stock Item is ""Yes"". Also the default warehouse where reserved quantity is set from Sales Order.",Obligatoire si le stock L'article est "Oui". Aussi l'entrepôt par défaut où quantité réservée est fixé à partir de la commande client. Manufacture against Sales Order,Fabrication à l'encontre des commandes clients Manufacture/Repack,Fabrication / Repack @@ -1722,13 +1623,11 @@ Minute,Le salaire net ne peut pas être négatif Misc Details,Détails Divers Miscellaneous Expenses,Nombre de mots Miscelleneous,Miscelleneous -Missing Values Required,Valeurs manquantes obligatoires Mobile No,Aucun mobile Mobile No.,Mobile n ° Mode of Payment,Mode de paiement Modern,Moderne Modified Amount,Montant de modification -Modified by,Modifié par Monday,Lundi Month,Mois Monthly,Mensuel @@ -1736,12 +1635,9 @@ Monthly Attendance Sheet,Feuille de présence mensuel Monthly Earning & Deduction,Revenu mensuel & Déduction Monthly Salary Register,S'enregistrer Salaire mensuel Monthly salary statement.,Fiche de salaire mensuel. -More,Plus More Details,Plus de détails More Info,Plus d'infos Motion Picture & Video,Motion Picture & Video -Move Down: {0},"Ignorant article {0} , car un groupe ayant le même nom !" -Move Up: {0},construit sur Moving Average,Moyenne mobile Moving Average Rate,Moving Prix moyen Mr,M. @@ -1751,12 +1647,9 @@ Multiple Item prices.,Prix ​​des ouvrages multiples. conflict by assigning priority. Price Rules: {0}","Multiple règle de prix existe avec les mêmes critères , s'il vous plaît résoudre \ \ n conflit en attribuant des priorités ." Music,musique Must be Whole Number,Doit être un nombre entier -My Settings,Mes réglages Name,Nom Name and Description,Nom et description Name and Employee ID,Nom et ID employé -Name is required,Le nom est obligatoire -Name not permitted,Restrictions de l'utilisateur "Name of new Account. Note: Please don't create accounts for Customers and Suppliers, they are created automatically from the Customer and Supplier master","Nom du nouveau compte . Note: S'il vous plaît ne créez pas de comptes pour les clients et les fournisseurs , ils sont créés automatiquement à partir du client et maître du fournisseur" Name of person or organization that this address belongs to.,Nom de la personne ou de l'organisation que cette adresse appartient. Name of the Budget Distribution,Nom de la Répartition du budget @@ -1774,7 +1667,6 @@ Net Weight UOM,Emballage Poids Net Net Weight of each Item,Poids net de chaque article Net pay cannot be negative,Landed Cost correctement mis à jour Never,Jamais -New,nouveau New , New Account,nouveau compte New Account Name,Nouveau compte Nom @@ -1794,7 +1686,6 @@ New Projects,Nouveaux projets New Purchase Orders,De nouvelles commandes New Purchase Receipts,Reçus d'achat de nouveaux New Quotations,Citations de nouvelles -New Record,Nouveau record New Sales Orders,Nouvelles commandes clients New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,S'il vous plaît créer clientèle de plomb {0} New Stock Entries,Entrées Stock nouvelles @@ -1816,11 +1707,8 @@ Next,Nombre purchse de commande requis pour objet {0} Next Contact By,Suivant Par Next Contact Date,Date Contact Suivant Next Date,Date d' -Next Record,S'il vous plaît vous connecter à Upvote ! -Next actions,Prochaines actions Next email will be sent on:,Email sera envoyé le: No,Aucun -No Communication tagged with this ,Aucune communication étiqueté avec cette No Customer Accounts found.,Aucun client ne représente trouvés. No Customer or Supplier Accounts found,Encaisse No Expense Approvers. Please assign 'Expense Approver' Role to atleast one user,Compte {0} est inactif @@ -1830,48 +1718,31 @@ No Items to pack,Pas d'éléments pour emballer No Leave Approvers. Please assign 'Leave Approver' Role to atleast one user,Pas approbateurs congé. S'il vous plaît attribuer le rôle « congé approbateur » à atleast un utilisateur No Permission,Aucune autorisation No Production Orders created,Section de base -No Report Loaded. Please use query-report/[Report Name] to run a report.,Non Signaler chargés. S'il vous plaît utilisez requête rapport / [Nom du rapport] pour exécuter un rapport. -No Results,Vous ne pouvez pas ouvrir par exemple lorsque son {0} est ouvert No Supplier Accounts found. Supplier Accounts are identified based on 'Master Type' value in account record.,Aucun fournisseur ne représente trouvés. Comptes fournisseurs sont identifiés sur la base de la valeur «Maître Type ' dans le compte rendu. No accounting entries for the following warehouses,Pas d'entrées comptables pour les entrepôts suivants No addresses created,Aucune adresse créés No contacts created,Pas de contacts créés No default BOM exists for Item {0},services impressionnants No description given,Le jour (s ) sur lequel vous postulez pour congé sont les vacances . Vous n'avez pas besoin de demander l'autorisation . -No document selected,"Statut du document de transition {0} {1}, n'est pas autorisé" No employee found,Aucun employé No employee found!,Aucun employé ! No of Requested SMS,Pas de SMS demandés No of Sent SMS,Pas de SMS envoyés No of Visits,Pas de visites -No one,Personne No permission,État d'approbation doit être « approuvé » ou « Rejeté » -No permission to '{0}' {1},Pas de permission pour '{0} ' {1} -No permission to edit,Pas de permission pour modifier No record found,Aucun enregistrement trouvé -No records tagged.,Aucun dossier étiqueté. No salary slip found for month: ,Pas de bulletin de salaire trouvé en un mois: Non Profit,À but non lucratif -None,Aucun -None: End of Workflow,Aucun: Fin de flux de travail Nos,Transaction non autorisée contre arrêté l'ordre de fabrication {0} Not Active,Non actif Not Applicable,Non applicable Not Available,Indisponible Not Billed,Non Facturé Not Delivered,Non Livré -Not Found,Introuvable -Not Linked to any record.,Non lié à un enregistrement. -Not Permitted,Non autorisé Not Set,non définie -Not Submitted,"Permettre DocType , DocType . Soyez prudent !" -Not allowed,Email envoyé à {0} Not allowed to update entries older than {0},construit sur Not authorized to edit frozen Account {0},Message totale (s ) Not authroized since {0} exceeds limits,{0} {1} a été modifié . S'il vous plaît Actualiser -Not enough permission to see links.,Pas l'autorisation suffisante pour voir les liens. -Not equals,pas égaux -Not found,Alternative lien de téléchargement Not permitted,Sélectionnez à télécharger: Note,Remarque Note User,Remarque utilisateur @@ -1880,7 +1751,6 @@ Note User,Remarque utilisateur Note: Due Date exceeds the allowed credit days by {0} day(s),Batch Log Time {0} doit être « déposés » Note: Email will not be sent to disabled users,Remarque: E-mail ne sera pas envoyé aux utilisateurs handicapés Note: Item {0} entered multiple times,Stock ne peut pas être mis à jour contre livraison Remarque {0} -Note: Other permission rules may also apply,Remarque: Les règles d'autorisation peut également l'appliquer Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,Casual congé 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érifie pas sur - livraison et la sur- réservation pour objet {0} que la quantité ou le montant est égal à 0 Note: There is not enough leave balance for Leave Type {0},S'il vous plaît spécifier un ID de ligne valide pour {0} en ligne {1} @@ -1889,12 +1759,9 @@ Note: {0},Compte avec des nœuds enfants ne peut pas être converti en livre Notes,Remarques Notes:,notes: Nothing to request,Rien à demander -Nothing to show,Rien à montrer -Nothing to show for this selection,Rien à montrer pour cette sélection Notice (days),Avis ( jours ) Notification Control,Contrôle de notification Notification Email Address,Adresse e-mail de notification -Notify By Email,Aviser par courriel Notify by Email on creation of automatic Material Request,Notification par courriel lors de la création de la demande de matériel automatique Number Format,Format numérique Offer Date,offre date @@ -1938,7 +1805,6 @@ Opportunity Items,Articles Opportunité Opportunity Lost,Une occasion manquée Opportunity Type,Type d'opportunité Optional. This setting will be used to filter in various transactions.,Facultatif. Ce paramètre sera utilisé pour filtrer dans diverses opérations . -Or Created By,Il y avait des erreurs lors de l'envoi de courriel . S'il vous plaît essayez de nouveau . Order Type,Type d'ordre Order Type must be one of {1},Type d'ordre doit être l'un des {1} Ordered,ordonné @@ -1953,7 +1819,6 @@ Organization Profile,Maître de l'employé . Organization branch master.,Point impôt Row {0} doit avoir un compte de type de l'impôt sur le revenu ou de dépenses ou ou taxé Organization unit (department) master.,Unité d'organisation (département) maître . Original Amount,Montant d'origine -Original Message,Message d'origine Other,Autre Other Details,Autres détails Others,autres @@ -1996,7 +1861,6 @@ Packing Slip Items,Emballage Articles Slip Packing Slip(s) cancelled,Point {0} doit être un élément de sous- traitance Page Break,Saut de page Page Name,Nom de la page -Page not found,Page non trouvée Paid Amount,Montant payé Paid amount + Write Off Amount can not be greater than Grand Total,Comptes provisoires ( passif) Pair,Assistant de configuration @@ -2062,9 +1926,6 @@ Period Closing Voucher,Bon clôture de la période Periodicity,Périodicité Permanent Address,Adresse permanente Permanent Address Is,Adresse permanente est -Permanently Cancel {0}?,enregistrement suivant -Permanently Submit {0}?,Forums -Permanently delete {0}?,Champ {0} n'est pas sélectionnable. Permission,Permission Personal,Personnel Personal Details,Données personnelles @@ -2073,7 +1934,6 @@ Pharmaceutical,pharmaceutique Pharmaceuticals,médicaments Phone,Téléphone Phone No,N ° de téléphone -Pick Columns,Choisissez Colonnes Piecework,travail à la pièce Pincode,Le code PIN Place of Issue,Lieu d'émission @@ -2086,8 +1946,6 @@ Plant,Plante Plant and Machinery,Facture d'achat {0} est déjà soumis Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,S'il vous plaît Entrez Abréviation ou nom court correctement car il sera ajouté comme suffixe à tous les chefs de compte. Please add expense voucher details,Attachez votre image -Please attach a file first.,S'il vous plaît joindre un fichier en premier. -Please attach a file or set a URL,S'il vous plaît joindre un fichier ou définir une URL Please check 'Is Advance' against Account {0} if this is an advance entry.,Exercice / comptabilité . Please click on 'Generate Schedule',"S'il vous plaît cliquer sur "" Générer annexe '" Please click on 'Generate Schedule' to fetch Serial No added for Item {0},"S'il vous plaît cliquer sur "" Générer annexe ' pour aller chercher de série n ° ajouté pour objet {0}" @@ -2096,7 +1954,6 @@ Please create Customer from Lead {0},Prix ​​/ Rabais Please create Salary Structure for employee {0},« Date de début prévue » ne peut être supérieur à ' Date de fin prévue ' Please create new account from Chart of Accounts.,S'il vous plaît créer un nouveau compte de plan comptable . Please do NOT create Account (Ledgers) for Customers and Suppliers. They are created directly from the Customer / Supplier masters.,S'il vous plaît ne créez pas de compte ( grands livres ) pour les clients et les fournisseurs . Ils sont créés directement par les maîtres clients / fournisseurs . -Please enable pop-ups,S'il vous plaît autoriser les pop -ups Please enter 'Expected Delivery Date',S'il vous plaît entrer « Date de livraison prévue ' Please enter 'Is Subcontracted' as Yes or No,{0} {1} contre facture {1} Please enter 'Repeat on Day of Month' field value,1 devise = [ ? ] Fraction @@ -2107,7 +1964,6 @@ Please enter Company,S'il vous plaît entrer Société Please enter Cost Center,S'il vous plaît entrer Centre de coûts Please enter Delivery Note No or Sales Invoice No to proceed,S'il vous plaît entrer livraison Remarque Aucune facture de vente ou Non pour continuer Please enter Employee Id of this sales parson,S'il vous plaît entrer employés Id de ce pasteur de vente -Please enter Event's Date and Time!,Ou créés par Please enter Expense Account,S'il vous plaît entrer Compte de dépenses Please enter Item Code to get batch no,S'il vous plaît entrez le code d'article pour obtenir n ° de lot Please enter Item Code.,S'il vous plaît entrez le code d'article . @@ -2133,14 +1989,11 @@ Please enter parent cost center,Le projet de loi n ° {0} déjà réservé dans Please enter quantity for Item {0},Point {0} est annulée Please enter relieving date.,Type de partie de Parent Please enter sales order in the above table,S'il vous plaît entrez la commande client dans le tableau ci-dessus -Please enter some text!,missions -Please enter title!,Vous n'êtes pas autorisé à créer {0} Please enter valid Company Email,S'il vous plaît entrer une adresse valide Société Email Please enter valid Email Id,Maître Organisation de branche . Please enter valid Personal Email,S'il vous plaît entrer une adresse valide personnels Please enter valid mobile nos,nos Please install dropbox python module,S'il vous plaît installer Dropbox module Python -Please login to Upvote!,Affichage seulement pour ( si non vide ) Please mention no of visits required,Paiement du salaire pour le mois {0} et {1} an Please pull items from Delivery Note,POS- Cadre . # Please save the Newsletter before sending,{0} {1} n'est pas soumis @@ -2191,8 +2044,6 @@ Plot By,terrain par Point of Sale,Point de vente Point-of-Sale Setting,Point-of-Sale Réglage Post Graduate,Message d'études supérieures -Post already exists. Cannot add again!,"Pour exécuter un test ajouter le nom du module dans la route après '{0}' . Par exemple, {1}" -Post does not exist. Please add post!,Cliquez sur suite pour voir / modifier . Postal,Postal Postal Expenses,Frais postaux Posting Date,Date de publication @@ -2207,7 +2058,6 @@ Prevdoc DocType,Prevdoc DocType Prevdoc Doctype,Prevdoc Doctype Preview,dépenses diverses Previous,Sérialisé article {0} ne peut pas être mis à jour Stock réconciliation -Previous Record,Vous ne pouvez pas réinitialiser le mot de passe de {0} Previous Work Experience,L'expérience de travail antérieure Price,Profil de l'organisation Price / Discount,Utilisateur Notes est obligatoire @@ -2226,12 +2076,10 @@ Price or Discount,Frais d'administration Pricing Rule,Provision pour plus - livraison / facturation excessive franchi pour objet {0} Pricing Rule For Discount,"Pour signaler un problème, passez à" Pricing Rule For Price,Prix ​​règle de prix -Print,Imprimer Print Format Style,Format d'impression style Print Heading,Imprimer Cap Print Without Amount,Imprimer Sans Montant Print and Stationary,Appréciation {0} créé pour les employés {1} dans la plage de date donnée -Print...,Imprimer ... Printing and Branding,équité Priority,Priorité Private Equity,Private Equity @@ -2357,7 +2205,6 @@ Quantity of item obtained after manufacturing / repacking from given quantities Quantity required for Item {0} in row {1},Quantité requise pour objet {0} à la ligne {1} Quarter,Trimestre Quarterly,Trimestriel -Query Report,Rapport de requêtes Quick Help,Aide rapide Quotation,Citation Quotation Date,Date de Cotation @@ -2459,14 +2306,11 @@ Rejected Warehouse is mandatory against regected item,Entrepôt rejeté est obli Relation,Rapport Relieving Date,Date de soulager Relieving Date must be greater than Date of Joining,Vous n'êtes pas autorisé à ajouter ou mettre à jour les entrées avant {0} -Reload Page,Inconnu Format d'impression : {0} Remark,Remarque Remarks,Remarques -Remove Bookmark,Supprimer le signet Rename,rebaptiser Rename Log,Renommez identifiez-vous Rename Tool,Renommer l'outil -Rename...,Renommer ... Rent Cost,louer coût Rent per hour,Louer par heure Rented,Loué @@ -2474,12 +2318,9 @@ Repeat on Day of Month,Répétez le Jour du Mois Replace,Remplacer Replace Item / BOM in all BOMs,Remplacer l'élément / BOM dans toutes les nomenclatures Replied,Répondu -Report,Rapport Report Date,Date du rapport Report Type,Rapport Genre Report Type is mandatory,Bulletin de salaire de l'employé {0} déjà créé pour ce mois-ci -Report an Issue,Signaler un problème -Report was not saved (there were errors),Rapport n'a pas été sauvé (il y avait des erreurs) Reports to,Rapports au Reqd By Date,Reqd par date Request Type,Type de demande @@ -2630,7 +2471,6 @@ Salutation,Salutation Sample Size,Taille de l'échantillon Sanctioned Amount,Montant sanctionné Saturday,Samedi -Save,sauver Schedule,Calendrier Schedule Date,calendrier Date Schedule Details,Planning Détails @@ -2644,7 +2484,6 @@ Score (0-5),Score (0-5) Score Earned,Score gagné Score must be less than or equal to 5,Score doit être inférieur ou égal à 5 Scrap %,Scrap% -Search,Rechercher Seasonality for setting budgets.,Saisonnalité de l'établissement des budgets. Secretary,secrétaire Secured Loans,Pas de nomenclature par défaut existe pour objet {0} @@ -2656,26 +2495,18 @@ Securities and Deposits,Titres et des dépôts "Select ""Yes"" if this item represents some work like training, designing, consulting etc.","Sélectionnez "Oui" si cet objet représente un travail comme la formation, la conception, la consultation, etc" "Select ""Yes"" if you are maintaining stock of this item in your Inventory.",Sélectionnez "Oui" si vous le maintien des stocks de cet article dans votre inventaire. "Select ""Yes"" if you supply raw materials to your supplier to manufacture this item.",Sélectionnez "Oui" si vous fournir des matières premières à votre fournisseur pour la fabrication de cet article. -Select All,Sélectionner tout -Select Attachments,Sélectionnez Pièces jointes Select Budget Distribution to unevenly distribute targets across months.,Sélectionnez Répartition du budget à répartir inégalement cibles à travers mois. "Select Budget Distribution, if you want to track based on seasonality.","Sélectionnez Répartition du budget, si vous voulez suivre en fonction de la saisonnalité." Select DocType,Sélectionnez DocType Select Items,Sélectionner les objets -Select Print Format,Sélectionnez Format d'impression Select Purchase Receipts,Sélectionnez reçus d'achat -Select Report Name,Sélectionner Nom du rapport Select Sales Orders,Sélectionnez les commandes clients Select Sales Orders from which you want to create Production Orders.,Sélectionnez les commandes clients à partir de laquelle vous souhaitez créer des ordres de fabrication. Select Time Logs and Submit to create a new Sales Invoice.,Sélectionnez registres de temps et de soumettre à créer une nouvelle facture de vente. -Select To Download:,Impossible de charge : {0} Select Transaction,Sélectionnez Transaction -Select Type,Sélectionnez le type de Select Your Language,« Jours depuis la dernière commande» doit être supérieur ou égal à zéro Select account head of the bank where cheque was deposited.,Sélectionnez tête compte de la banque où chèque a été déposé. Select company name first.,Sélectionnez le nom de la première entreprise. -Select dates to create a new ,Choisissez la date pour créer une nouvelle -Select or drag across time slots to create a new event.,Sélectionnez ou glisser sur des intervalles de temps pour créer un nouvel événement. Select template from which you want to get the Goals,Sélectionnez le modèle à partir duquel vous souhaitez obtenir des Objectifs Select the Employee for whom you are creating the Appraisal.,Sélectionnez l'employé pour lequel vous créez l'évaluation. Select the period when the invoice will be generated automatically,Sélectionnez la période pendant laquelle la facture sera générée automatiquement @@ -2691,11 +2522,9 @@ Select your home country and check the timezone and currency.,Choisissez votre p Selling,Vente Selling Settings,Réglages de vente Send,Envoyer -Send As Email,Envoyer en tant que e-mail Send Autoreply,Envoyer Autoreply Send Email,Envoyer un email Send From,Envoyer partir de -Send Me A Copy,Envoyez-moi une copie Send Notifications To,Envoyer des notifications aux Send Now,Envoyer maintenant Send SMS,Envoyer un SMS @@ -2705,7 +2534,6 @@ Send mass SMS to your contacts,Envoyer un SMS en masse à vos contacts Send to this list,Envoyer cette liste Sender Name,Nom de l'expéditeur Sent On,Sur envoyé -Sent or Received,Envoyés ou reçus Separate production order will be created for each finished good item.,Pour la production séparée sera créée pour chaque article produit fini. Serial No,N ° de série Serial No / Batch,N ° de série / lot @@ -2739,11 +2567,9 @@ Series {0} already used in {1},La date à laquelle la prochaine facture sera gé Service,service Service Address,Adresse du service Services,Services -Session Expired. Logging you out,Session a expiré. Vous déconnecter Set,Série est obligatoire "Set Default Values like Company, Currency, Current Fiscal Year, etc.","Des valeurs par défaut comme la Compagnie , devise , année financière en cours , etc" Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,Set Point du Groupe sages budgets sur ce territoire. Vous pouvez également inclure la saisonnalité en réglant la distribution. -Set Link,Réglez Lien Set as Default,Définir par défaut Set as Lost,Définir comme perdu Set prefix for numbering series on your transactions,Définir le préfixe de numérotation des séries sur vos transactions @@ -2776,17 +2602,12 @@ Shipping Rule Label,Livraison règle étiquette Shop,Magasiner Shopping Cart,Panier Short biography for website and other publications.,Courte biographie pour le site Web et d'autres publications. -Shortcut,Raccourci "Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",Voir "En stock" ou "Pas en stock» basée sur le stock disponible dans cet entrepôt. "Show / Hide features like Serial Nos, POS etc.",commercial -Show Details,Afficher les détails Show In Website,Afficher dans un site Web -Show Tags,Afficher les tags Show a slideshow at the top of the page,Afficher un diaporama en haut de la page Show in Website,Afficher dans Site Web -Show rows with zero values,Afficher lignes avec des valeurs nulles Show this slideshow at the top of the page,Voir ce diaporama en haut de la page -Showing only for (if not empty),Poster n'existe pas . S'il vous plaît ajoutez poste ! Sick Leave,{0} numéros de série valides pour objet {1} Signature,Signature Signature to be appended at the end of every email,Signature d'être ajouté à la fin de chaque e-mail @@ -2797,11 +2618,8 @@ Slideshow,Diaporama Soap & Detergent,Savons et de Détergents Software,logiciel Software Developer,Software Developer -Sorry we were unable to find what you were looking for.,"Désolé, nous n'avons pas pu trouver ce que vous recherchez." -Sorry you are not permitted to view this page.,"Désolé, vous n'êtes pas autorisé à afficher cette page." "Sorry, Serial Nos cannot be merged","Désolé , série n ne peut pas être fusionné" "Sorry, companies cannot be merged","Désolé , les entreprises ne peuvent pas être fusionnés" -Sort By,Trier par Source,Source Source File,magasins Source Warehouse,Source d'entrepôt @@ -2826,7 +2644,6 @@ Standard Selling,vente standard Standard contract terms for Sales or Purchase.,Date prévue d'achèvement ne peut pas être inférieure à projet Date de début Start,Démarrer Start Date,Date de début -Start Report For,Démarrer Rapport pour Start date of current invoice's period,Date de début de la période de facturation en cours Start date should be less than end date for Item {0},{0} budget pour compte {1} contre des centres de coûts {2} dépassera par {3} State,État @@ -2884,7 +2701,6 @@ Sub Assemblies,sous assemblées "Sub-currency. For e.g. ""Cent""",Sous-monnaie. Pour exemple: "Cent" Subcontract,Sous-traiter Subject,Sujet -Submit,Soumettre Submit Salary Slip,Envoyer le bulletin de salaire Submit all salary slips for the above selected criteria,Soumettre tous les bulletins de salaire pour les critères sélectionnés ci-dessus Submit this Production Order for further processing.,Envoyer cette ordonnance de production pour un traitement ultérieur . @@ -2928,7 +2744,6 @@ Support Email Settings,Soutien des paramètres de messagerie Support Password,Mot de passe soutien Support Ticket,Support Ticket Support queries from customers.,En charge les requêtes des clients. -Switch to Website,effondrement Symbol,Symbole Sync Support Mails,Synchroniser mails de soutien Sync with Dropbox,Synchroniser avec Dropbox @@ -2936,7 +2751,6 @@ Sync with Google Drive,Synchronisation avec Google Drive System,Système System Settings,Paramètres système "System User (login) ID. If set, it will become default for all HR forms.","L'utilisateur du système (login) ID. S'il est défini, il sera par défaut pour toutes les formes de ressources humaines." -Tags,Balises Target Amount,Montant Cible Target Detail,Détail cible Target Details,Détails cibles @@ -2995,7 +2809,6 @@ Territory Target Variance Item Group-Wise,Entretien Visitez {0} doit être annul Territory Targets,Les objectifs du Territoire Test,Test Test Email Id,Id Test Email -Test Runner,Test Runner Test the Newsletter,Testez la Newsletter The BOM which will be replaced,La nomenclature qui sera remplacé The First User: You,Le premier utilisateur: Vous @@ -3015,28 +2828,23 @@ The net weight of this package. (calculated automatically as sum of net weight o The new BOM after replacement,La nouvelle nomenclature après le remplacement The rate at which Bill Currency is converted into company's base currency,La vitesse à laquelle le projet de loi Monnaie est convertie en monnaie de base entreprise 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. -Then By (optional),Puis par (facultatif) There are more holidays than working days this month.,Compte de capital "There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Il ne peut y avoir une règle de livraison Etat avec 0 ou valeur vide pour "" To Value """ There is not enough leave balance for Leave Type {0},Il n'y a pas assez de solde de congés d'autorisation de type {0} There is nothing to edit.,Il n'y a rien à modifier. There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,Il y avait une erreur . Une raison probable pourrait être que vous n'avez pas enregistré le formulaire. S'il vous plaît contacter support@erpnext.com si le problème persiste . -There were errors,Poster existe déjà . Vous ne pouvez pas ajouter de nouveau ! -There were errors while sending email. Please try again.,Colonne inconnu : {0} There were errors.,Il y avait des erreurs . This Currency is disabled. Enable to use in transactions,Cette devise est désactivé . Permettre d'utiliser dans les transactions This Leave Application is pending approval. Only the Leave Apporver can update status.,Cette demande de congé est en attente d'approbation . Seul le congé Apporver peut mettre à jour le statut . This Time Log Batch has been billed.,This Time Connexion lot a été facturé. This Time Log Batch has been cancelled.,This Time Connexion lot a été annulé. This Time Log conflicts with {0},N ° de série {0} ne fait pas partie de l'article {1} -This is PERMANENT action and you cannot undo. Continue?,Il s'agit d'une action permanente et vous ne pouvez pas annuler. Continuer? This is a root account and cannot be edited.,Il s'agit d'un compte root et ne peut être modifié . This is a root customer group and cannot be edited.,Il s'agit d'un groupe de clients de la racine et ne peut être modifié . This is a root item group and cannot be edited.,Ceci est un groupe d'élément de racine et ne peut être modifié . This is a root sales person and cannot be edited.,Il s'agit d'une personne de ventes de racines et ne peut être modifié . This is a root territory and cannot be edited.,C'est un territoire de racine et ne peut être modifié . This is an example website auto-generated from ERPNext,Par défaut Warehouse est obligatoire pour les stock Article . -This is permanent action and you cannot undo. Continue?,Il s'agit d'une action permanente et vous ne pouvez pas annuler. Continuer? This is the number of the last created transaction with this prefix,Il s'agit du numéro de la dernière transaction créée par ce préfixe This will be used for setting rule in HR module,Il sera utilisé pour la règle de réglage dans le module RH Thread HTML,Discussion HTML @@ -3078,7 +2886,6 @@ To get Item Group in details table,Pour obtenir Groupe d'éléments dans le "To include tax in row {0} in Item rate, taxes in rows {1} must also be included","D'inclure la taxe dans la ligne {0} dans le prix de l'article , les impôts dans les lignes {1} doivent également être inclus" "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" "To report an issue, go to ", -"To run a test add the module name in the route after '{0}'. For example, {1}",Filtre invalide : {0} "To set this Fiscal Year as Default, click on 'Set as Default'","Pour définir cette Année financière que par défaut , cliquez sur "" Définir par défaut """ To track any installation or commissioning related work after sales,Pour suivre toute installation ou mise en service après-vente des travaux connexes "To track brand name in the following documents Delivery Note, Opportunity, Material Request, Item, Purchase Order, Purchase Voucher, Purchaser Receipt, Quotation, Sales Invoice, Sales BOM, Sales Order, Serial No",Impossible de charge : {0} @@ -3130,7 +2937,6 @@ Totals,Totaux Track Leads by Industry Type.,Piste mène par type d'industrie . Track this Delivery Note against any Project,Suivre ce bon de livraison contre tout projet Track this Sales Order against any Project,Suivre ce décret ventes contre tout projet -Trainee,stagiaire Transaction,Transaction Transaction Date,Date de la transaction Transaction not allowed against stopped Production Order {0},installation terminée @@ -3162,7 +2968,6 @@ UOM Conversion Factor,Facteur de conversion Emballage UOM Conversion factor is required in row {0},Point {0} a été saisi plusieurs fois avec la même description ou la date ou de l'entrepôt UOM Name,Nom UDM UOM coversion factor required for UOM {0} in Item {1},Facteur de coversion Emballage Emballage requis pour {0} au point {1} -Unable to load: {0},Vous n'êtes pas autorisé à imprimer ce document Under AMC,En vertu de l'AMC Under Graduate,Sous Graduate Under Warranty,Sous garantie @@ -3172,11 +2977,8 @@ Unit of Measure {0} has been entered more than once in Conversion Factor Table,U "Unit of measurement of this item (e.g. Kg, Unit, No, Pair).","Unité de mesure de cet article (Kg par exemple, unité, Non, Pair)." Units/Hour,Unités / heure Units/Shifts,Unités / Quarts de travail -Unknown Column: {0},Ajoutez à cela les restrictions de l'utilisateur -Unknown Print Format: {0},développer Unmatched Amount,Montant inégalée Unpaid,Non rémunéré -Unread Messages,Messages non lus Unscheduled,Non programmé Unsecured Loans,Les prêts non garantis Unstop,déboucher @@ -3196,18 +2998,14 @@ Update bank payment dates with journals.,Mise à jour bancaire dates de paiement Update clearance date of Journal Entries marked as 'Bank Vouchers',Date d'autorisation de mise à jour des entrées de journal marqué comme « Banque Bons » Updated,Mise à jour Updated Birthday Reminders,Mise à jour anniversaire rappels -Upload,Télécharger -Upload Attachment,Téléchargez Attachment Upload Attendance,Téléchargez Participation Upload Backups to Dropbox,Téléchargez sauvegardes à Dropbox Upload Backups to Google Drive,Téléchargez sauvegardes à Google Drive Upload HTML,Téléchargez HTML Upload a .csv file with two columns: the old name and the new name. Max 500 rows.,Télécharger un fichier csv avec deux colonnes:. L'ancien nom et le nouveau nom. Max 500 lignes. -Upload a file,Télécharger un fichier Upload attendance from a .csv file,Téléchargez la présence d'un fichier. Csv Upload stock balance via csv.,Téléchargez solde disponible via csv. Upload your letter head and logo - you can edit them later.,Téléchargez votre tête et logo lettre - vous pouvez les modifier plus tard . -Uploading...,Téléchargement ... Upper Income,Revenu élevé Urgent,Urgent Use Multi-Level BOM,Utilisez Multi-Level BOM @@ -3217,11 +3015,9 @@ User ID,ID utilisateur User ID not set for Employee {0},ID utilisateur non défini pour les employés {0} User Name,Nom d'utilisateur User Name or Support Password missing. Please enter and try again.,Nom d'utilisateur ou mot de passe manquant de soutien . S'il vous plaît entrer et essayer à nouveau. -User Permission Restrictions,"Groupe ajoutée, rafraîchissant ..." User Remark,Remarque l'utilisateur User Remark will be added to Auto Remark,Remarque l'utilisateur sera ajouté à Remarque Auto User Remarks is mandatory,recharger la page -User Restrictions,avec des grands livres User Specific,Achat et vente User must always select,L'utilisateur doit toujours sélectionner User {0} is already assigned to Employee {1},Utilisateur {0} est déjà attribué à l'employé {1} @@ -3319,8 +3115,6 @@ Will be updated after Sales Invoice is Submitted.,Sera mis à jour après la fac Will be updated when batched.,Sera mis à jour lorsque lots. Will be updated when billed.,Sera mis à jour lorsqu'ils sont facturés. Wire Transfer,Virement -With Groups,Restrictions d'autorisation de l'utilisateur -With Ledgers,Permanence Annuler {0} ? With Operations,Avec des opérations With period closing entry,Avec l'entrée période de fermeture Work Details,Détails de travail @@ -3328,7 +3122,6 @@ Work Done,Travaux effectués Work In Progress,Work In Progress Work-in-Progress Warehouse,Entrepôt Work-in-Progress Work-in-Progress Warehouse is required before Submit,Les travaux en progrès entrepôt est nécessaire avant Soumettre -Workflow will start after saving.,Workflow démarre après la sauvegarde. Working,De travail Workstation,Workstation Workstation Name,Nom de station de travail @@ -3351,11 +3144,6 @@ Year Start Date should not be greater than Year End Date,Année Date de début n Year of Passing,Année de passage Yearly,Annuel Yes,Oui -Yesterday,Hier -You are not allowed to create / edit reports,enregistrement précédent -You are not allowed to export this report,S'il vous plaît entrez la date et l'heure de l'événement ! -You are not allowed to print this document,"Pour signaler un problème, passez à" -You are not allowed to send emails related to this document,Mettez sur le site Web You are not authorized to add or update entries before {0},{0} est maintenant par défaut exercice. S'il vous plaît rafraîchir votre navigateur pour que le changement prenne effet . You are not authorized to set Frozen value,Vous n'êtes pas autorisé à mettre en valeur Frozen You are the Expense Approver for this record. Please Update the 'Status' and Save,Vous êtes l'approbateur de dépenses pour cet enregistrement . S'il vous plaît mettre à jour le «Status» et Save @@ -3372,7 +3160,6 @@ You can submit this Stock Reconciliation.,Vous pouvez soumettre cette Stock réc You can update either Quantity or Valuation Rate or both.,Vous pouvez mettre à jour soit Quantité ou l'évaluation des taux ou les deux. You cannot credit and debit same account at the same time,Vous ne pouvez pas crédit et de débit même compte en même temps You have entered duplicate items. Please rectify and try again.,Vous avez entré les doublons . S'il vous plaît corriger et essayer à nouveau. -You have unsaved changes in this form. Please save before you continue.,Vous avez des modifications non enregistrées dans ce formulaire . You may need to update: {0},Vous devez mettre à jour : {0} You must Save the form before proceeding,produits impressionnants You must allocate amount before reconcile,Vous devez allouer montant avant réconciliation @@ -3381,7 +3168,6 @@ Your Customers,vos clients Your Login Id,Votre ID de connexion Your Products or Services,Vos produits ou services Your Suppliers,vos fournisseurs -"Your download is being built, this may take a few moments...","Votre téléchargement est en cours de construction, ce qui peut prendre quelques instants ..." Your email address,Frais indirects Your financial year begins on,"Vous ne pouvez pas changer la devise par défaut de l'entreprise , car il ya des opérations existantes . Les opérations doivent être annulées pour changer la devise par défaut ." Your financial year ends on,Votre exercice se termine le @@ -3394,8 +3180,6 @@ Your support email id - must be a valid email - this is where your emails will c and,et are not allowed.,ne sont pas autorisés . assigned by,attribué par -comment,commenter -comments,commentaires "e.g. ""Build tools for builders""","par exemple "" Construire des outils pour les constructeurs """ "e.g. ""MC""","par exemple ""MC""" "e.g. ""My Company LLC""","par exemple "" Mon Company LLC """ @@ -3405,14 +3189,9 @@ e.g. 5,par exemple 5 e.g. VAT,par exemple TVA eg. Cheque Number,par exemple. Numéro de chèque example: Next Day Shipping,Exemple: Jour suivant Livraison -found,trouvé -is not allowed.,n'est pas autorisée. lft,lft old_parent,old_parent -or,ou rgt,rgt -to,à -values and dates,valeurs et dates website page link,Lien vers page web {0} '{1}' not in Fiscal Year {2},Profil d'emploi {0} Credit limit {0} crossed,N ° de série {0} ne fait pas partie d' entrepôt {1} diff --git a/erpnext/translations/hi.csv b/erpnext/translations/hi.csv index ba8ce278d0..e42ed0c415 100644 --- a/erpnext/translations/hi.csv +++ b/erpnext/translations/hi.csv @@ -1,7 +1,5 @@ (Half Day),(आधे दिन) and year: ,और वर्ष: - by Role ,रोल से - is not set,सेट नहीं है """ does not exists",""" मौजूद नहीं है" % Delivered,% वितरित % Amount Billed,% बिल की राशि @@ -34,7 +32,6 @@ "1 Currency = [?] Fraction For e.g. 1 USD = 100 Cent",1 मुद्रा = [ ?] अंश \ Nfor उदा 1. To maintain the customer wise item code and to make them searchable based on their code use this option,1. इस विकल्प का उपयोग ग्राहक बुद्धिमान आइटम कोड को बनाए रखने और अपने कोड के आधार पर बनाने के लिए उन्हें खोजा -2 days ago,2 दिन पहले "Add / Edit"," जोड़ें / संपादित करें " "Add / Edit"," जोड़ें / संपादित करें " "Add / Edit"," जोड़ें / संपादित करें " @@ -89,7 +86,6 @@ Accounts Frozen Upto,लेखा तक जमे हुए Accounts Payable,लेखा देय Accounts Receivable,लेखा प्राप्य Accounts Settings,लेखा सेटिंग्स -Actions,क्रियाएँ Active,सक्रिय Active: Will extract emails from ,सक्रिय: से ईमेल निकालने विल Activity,सक्रियता @@ -111,23 +107,13 @@ Actual Quantity,वास्तविक मात्रा Actual Start Date,वास्तविक प्रारंभ दिनांक Add,जोड़ना Add / Edit Taxes and Charges,कर और प्रभार जोड़ें / संपादित करें -Add Attachments,अनुलग्नकों को जोड़ -Add Bookmark,बुकमार्क जोड़ें Add Child,बाल जोड़ें -Add Column,कॉलम जोड़ें -Add Message,संदेश जोड़ें -Add Reply,प्रत्युत्तर जोड़ें Add Serial No,धारावाहिक नहीं जोड़ें Add Taxes,करों जोड़ें Add Taxes and Charges,करों और शुल्कों में जोड़ें -Add This To User's Restrictions,उपयोगकर्ता के प्रतिबंध के लिए इस जोड़ें -Add attachment,लगाव जोड़ें -Add new row,नई पंक्ति जोड़ें Add or Deduct,जोड़ें या घटा Add rows to set annual budgets on Accounts.,पंक्तियाँ जोड़ें लेखा पर वार्षिक बजट निर्धारित. Add to Cart,कार्ट में जोड़ें -Add to To Do,जोड़ें करने के लिए क्या -Add to To Do List of,को जोड़ने के लिए की सूची Add to calendar on this date,इस तिथि पर कैलेंडर में जोड़ें Add/Remove Recipients,प्राप्तकर्ता जोड़ें / निकालें Address,पता @@ -220,9 +206,6 @@ Allow user to edit Price List Rate in transactions,उपयोगकर्त Allowance Percent,भत्ता प्रतिशत Allowance for over-delivery / over-billing crossed for Item {0},भत्ता से अधिक प्रसव / अधिक बिलिंग के लिए आइटम के लिए पार कर गया {0} Allowed Role to Edit Entries Before Frozen Date,फ्रोजन तारीख से पहले संपादित प्रविष्टियां करने की अनुमति दी रोल -"Allowing DocType, DocType. Be careful!","अनुमति दे टैग , टैग . सावधान!" -Alternative download link,वैकल्पिक डाउनलोड लिंक -Amend,संशोधन करना Amended From,से संशोधित Amount,राशि Amount (Company Currency),राशि (कंपनी मुद्रा) @@ -270,26 +253,18 @@ Approving User,उपयोगकर्ता के स्वीकृति Approving User cannot be same as user the rule is Applicable To,उपयोगकर्ता का अनुमोदन करने के लिए नियम लागू है उपयोगकर्ता के रूप में ही नहीं हो सकता Are you sure you want to STOP , Are you sure you want to UNSTOP , -Are you sure you want to delete the attachment?,क्या आप सुनिश्चित करें कि आप अनुलग्नक हटाना चाहते हैं? Arrear Amount,बकाया राशि "As Production Order can be made for this item, it must be a stock item.","उत्पादन का आदेश इस मद के लिए बनाया जा सकता है, यह एक शेयर मद होना चाहिए ." As per Stock UOM,स्टॉक UOM के अनुसार "As there are existing stock transactions for this item, you can not change the values of 'Has Serial No', 'Is Stock Item' and 'Valuation Method'","इस मद के लिए मौजूदा स्टॉक लेनदेन कर रहे हैं, आप ' धारावाहिक नहीं है' के मूल्यों को नहीं बदल सकते , और ' मूल्यांकन पद्धति ' शेयर मद है '" -Ascending,आरोही Asset,संपत्ति -Assign To,करने के लिए निरुपित -Assigned To,को सौंपा -Assignments,कार्य Assistant,सहायक Associate,सहयोगी Atleast one warehouse is mandatory,कम से कम एक गोदाम अनिवार्य है -Attach Document Print,दस्तावेज़ प्रिंट संलग्न Attach Image,छवि संलग्न करें Attach Letterhead,लेटरहेड अटैच Attach Logo,लोगो अटैच Attach Your Picture,आपका चित्र संलग्न -Attach as web link,वेब लिंक के रूप में संलग्न करें -Attachments,किए गए अनुलग्नकों के Attendance,उपस्थिति Attendance Date,उपस्थिति तिथि Attendance Details,उपस्थिति विवरण @@ -402,7 +377,6 @@ Block leave applications by department.,विभाग द्वारा आ Blog Post,ब्लॉग पोस्ट Blog Subscriber,ब्लॉग सब्सक्राइबर Blood Group,रक्त वर्ग -Bookmarks,बुकमार्क Both Warehouse must belong to same Company,दोनों गोदाम एक ही कंपनी से संबंधित होना चाहिए Box,डिब्बा Branch,शाखा @@ -437,7 +411,6 @@ C-Form No,कोई सी - फार्म C-Form records,सी फार्म रिकॉर्ड Calculate Based On,के आधार पर गणना करें Calculate Total Score,कुल स्कोर की गणना -Calendar,कैलेंडर Calendar Events,कैलेंडर घटनाओं Call,कॉल Calls,कॉल @@ -450,7 +423,6 @@ Can be approved by {0},{0} द्वारा अनुमोदित किय "Can not filter based on Account, if grouped by Account","खाता से वर्गीकृत किया है , तो खाते के आधार पर फ़िल्टर नहीं कर सकते" "Can not filter based on Voucher No, if grouped by Voucher","वाउचर के आधार पर फ़िल्टर नहीं कर सकते नहीं, वाउचर के आधार पर समूहीकृत अगर" Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',प्रभारी प्रकार या ' पिछली पंक्ति कुल ' पिछली पंक्ति राशि पर ' तभी पंक्ति का उल्लेख कर सकते -Cancel,रद्द करें Cancel Material Visit {0} before cancelling this Customer Issue,रद्द सामग्री भेंट {0} इस ग्राहक इश्यू रद्द करने से पहले Cancel Material Visits {0} before cancelling this Maintenance Visit,इस रखरखाव भेंट रद्द करने से पहले सामग्री का दौरा {0} रद्द Cancelled,रद्द @@ -469,11 +441,7 @@ Cannot deactive or cancle BOM as it is linked with other BOMs,यह अन् Cannot deduct when category is for 'Valuation' or 'Valuation and Total',श्रेणी ' मूल्यांकन ' या ' मूल्यांकन और कुल ' के लिए है जब घटा नहीं कर सकते "Cannot delete Serial No {0} in stock. First remove from stock, then delete.","स्टॉक में {0} धारावाहिक नहीं हटाया नहीं जा सकता . सबसे पहले हटाना तो , स्टॉक से हटा दें." "Cannot directly set amount. For 'Actual' charge type, use the rate field","सीधे राशि निर्धारित नहीं कर सकते . 'वास्तविक ' आरोप प्रकार के लिए, दर फ़ील्ड का उपयोग" -Cannot edit standard fields,मानक फ़ील्ड्स संपादित नहीं कर सकते -Cannot open instance when its {0} is open,इसके {0} खुला है जब उदाहरण नहीं खोल सकता -Cannot open {0} when its instance is open,इसके उदाहरण खुला है जब {0} नहीं खोल सकता "Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in 'Setup' > 'Global Defaults'","{1} से {0} अधिक पंक्ति में आइटम {0} के लिए overbill नहीं कर सकते हैं . Overbilling अनुमति देने के लिए , ' वैश्विक मूलभूत '> ' सेटअप' में सेट करें" -Cannot print cancelled documents,रद्द दस्तावेज़ मुद्रित नहीं कर सकते Cannot produce more Item {0} than Sales Order quantity {1},अधिक आइटम उत्पादन नहीं कर सकते {0} से बिक्री आदेश मात्रा {1} Cannot refer row number greater than or equal to current row number for this Charge type,इस आरोप प्रकार के लिए अधिक से अधिक या वर्तमान पंक्ति संख्या के बराबर पंक्ति संख्या का उल्लेख नहीं कर सकते Cannot return more than {0} for Item {1},से अधिक नहीं लौट सकते हैं {0} मद के लिए {1} @@ -527,19 +495,14 @@ Claim Amount,दावे की राशि Claims for company expense.,कंपनी के खर्च के लिए दावा. Class / Percentage,/ कक्षा प्रतिशत Classic,क्लासिक -Clear Cache,साफ़ कैश Clear Table,स्पष्ट मेज Clearance Date,क्लीयरेंस तिथि Clearance Date not mentioned,क्लीयरेंस तिथि का उल्लेख नहीं Clearance date cannot be before check date in row {0},क्लीयरेंस तारीख पंक्ति में चेक की तारीख से पहले नहीं किया जा सकता {0} Click on 'Make Sales Invoice' button to create a new Sales Invoice.,एक नया बिक्री चालान बनाने के लिए बटन 'बिक्री चालान करें' पर क्लिक करें. Click on a link to get options to expand get options , -Click on row to view / edit.,/ संपादन देखने के लिए पंक्ति पर क्लिक करें . -Click to Expand / Collapse,/ विस्तार करें संकुचित करने के लिए क्लिक करें Client,ग्राहक -Close,बंद करें Close Balance Sheet and book Profit or Loss.,बंद बैलेंस शीट और पुस्तक लाभ या हानि . -Close: {0},बंद : {0} Closed,बंद Closing Account Head,बंद लेखाशीर्ष Closing Account {0} must be of type 'Liability',खाते {0} समापन प्रकार की देयता ' का होना चाहिए @@ -550,10 +513,8 @@ Closing Value,समापन मूल्य CoA Help,सीओए मदद Code,कोड Cold Calling,सर्द पहुँच -Collapse,संक्षिप्त करें Color,रंग Comma separated list of email addresses,ईमेल पतों की अल्पविराम अलग सूची -Comment,टिप्पणी Comments,टिप्पणियां Commercial,वाणिज्यिक Commission,आयोग @@ -564,7 +525,6 @@ Commission rate cannot be greater than 100,आयोग दर 100 से अध Communication,संचार Communication HTML,संचार HTML Communication History,संचार इतिहास -Communication Medium,संचार माध्यम Communication log.,संचार लॉग इन करें. Communications,संचार Company,कंपनी @@ -583,7 +543,6 @@ Company registration numbers for your reference. Tax numbers etc.,कंपन "Company, Month and Fiscal Year is mandatory","कंपनी , महीना और वित्तीय वर्ष अनिवार्य है" Compensatory Off,प्रतिपूरक बंद Complete,पूरा -Complete By,द्वारा पूरा करें Complete Setup,पूरा सेटअप Completed,पूरा Completed Production Orders,पूरे किए उत्पादन के आदेश @@ -635,7 +594,6 @@ Convert into Recurring Invoice,आवर्ती चालान में क Convert to Group,समूह के साथ परिवर्तित Convert to Ledger,लेजर के साथ परिवर्तित Converted,परिवर्तित -Copy,कॉपी करें Copy From Item Group,आइटम समूह से कॉपी Cosmetics,प्रसाधन सामग्री Cost Center,लागत केंद्र @@ -666,7 +624,6 @@ Create Stock Ledger Entries when you submit a Sales Invoice,आप एक बि Create rules to restrict transactions based on values.,मूल्यों पर आधारित लेनदेन को प्रतिबंधित करने के नियम बनाएँ . Created By,द्वारा बनाया गया Creates salary slip for above mentioned criteria.,उपरोक्त मानदंडों के लिए वेतन पर्ची बनाता है. -Creation / Modified By,निर्माण / द्वारा संशोधित Creation Date,निर्माण तिथि Creation Document No,निर्माण का दस्तावेज़ Creation Document Type,निर्माण दस्तावेज़ प्रकार @@ -697,11 +654,9 @@ Current Liabilities,वर्तमान देयताएं Current Stock,मौजूदा स्टॉक Current Stock UOM,वर्तमान स्टॉक UOM Current Value,वर्तमान मान -Current status,वर्तमान स्थिति Custom,रिवाज Custom Autoreply Message,कस्टम स्वतः संदेश Custom Message,कस्टम संदेश -Custom Reports,कस्टम रिपोर्ट Customer,ग्राहक Customer (Receivable) Account,ग्राहक (प्राप्ति) खाता Customer / Item Name,ग्राहक / मद का नाम @@ -750,7 +705,6 @@ Date Format,दिनांक स्वरूप Date Of Retirement,सेवानिवृत्ति की तारीख Date Of Retirement must be greater than Date of Joining,सेवानिवृत्ति की तिथि शामिल होने की तिथि से अधिक होना चाहिए Date is repeated,तिथि दोहराया है -Date must be in format: {0},तिथि प्रारूप में होना चाहिए : {0} Date of Birth,जन्म तिथि Date of Issue,जारी करने की तारीख Date of Joining,शामिल होने की तिथि @@ -761,7 +715,6 @@ Dates,तिथियां Days Since Last Order,दिनों से पिछले आदेश Days for which Holidays are blocked for this department.,दिन छुट्टियाँ जिसके लिए इस विभाग के लिए अवरुद्ध कर रहे हैं. Dealer,व्यापारी -Dear,प्रिय Debit,नामे Debit Amt,डेबिट राशि Debit Note,डेबिट नोट @@ -809,7 +762,6 @@ Default settings for stock transactions.,शेयर लेनदेन के Defense,रक्षा "Define Budget for this Cost Center. To set budget action, see Company Master","इस लागत केंद्र के लिए बजट निर्धारित. बजट कार्रवाई तय करने के लिए, देखने के लिए कंपनी मास्टर" Delete,हटाना -Delete Row,पंक्ति हटाएँ Delete {0} {1}?,हटाएँ {0} {1} ? Delivered,दिया गया Delivered Items To Be Billed,बिल के लिए दिया आइटम @@ -836,7 +788,6 @@ Department,विभाग Department Stores,विभाग के स्टोर Depends on LWP,LWP पर निर्भर करता है Depreciation,ह्रास -Descending,अवरोही Description,विवरण Description HTML,विवरण HTML Designation,पदनाम @@ -881,15 +832,10 @@ Do you really want to stop production order: , Doc Name,डॉक्टर का नाम Doc Type,डॉक्टर के प्रकार Document Description,दस्तावेज का विवरण -Document Status transition from ,से दस्तावेज स्थिति संक्रमण -Document Status transition from {0} to {1} is not allowed,{1} के लिए {0} से दस्तावेज स्थिति संक्रमण की अनुमति नहीं है Document Type,दस्तावेज़ प्रकार -Document is only editable by users of role,दस्तावेज़ भूमिका के उपयोगकर्ताओं द्वारा केवल संपादन है -Documentation,प्रलेखन Documents,दस्तावेज़ Domain,डोमेन Don't send Employee Birthday Reminders,कर्मचारी जन्मदिन अनुस्मारक न भेजें -Download,डाउनलोड Download Materials Required,आवश्यक सामग्री डाउनलोड करें Download Reconcilation Data,Reconcilation डेटा डाउनलोड Download Template,टेम्पलेट डाउनलोड करें @@ -898,8 +844,6 @@ Download a report containing all raw materials with their latest inventory statu "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","टेम्पलेट डाउनलोड करें , उचित डेटा को भरने और संशोधित फाइल देते हैं . \ Nall तिथि और चयनित अवधि में कर्मचारी संयोजन मौजूदा उपस्थिति रिकॉर्ड के साथ , टेम्पलेट में आ जाएगा" Draft,मसौदा -Drafts,ड्राफ्ट्स -Drag to sort columns,तरह स्तंभों को खींचें Dropbox,ड्रॉपबॉक्स Dropbox Access Allowed,ड्रॉपबॉक्स उपयोग की अनुमति दी Dropbox Access Key,ड्रॉपबॉक्स प्रवेश कुंजी @@ -920,7 +864,6 @@ Earning & Deduction,अर्जन कटौती Earning Type,प्रकार कमाई Earning1,Earning1 Edit,संपादित करें -Editable,संपादन Education,शिक्षा Educational Qualification,शैक्षिक योग्यता Educational Qualification Details,शैक्षिक योग्यता विवरण @@ -940,12 +883,9 @@ Email Id,ईमेल आईडी "Email Id where a job applicant will email e.g. ""jobs@example.com""",ईमेल आईडी जहां एक नौकरी आवेदक जैसे "jobs@example.com" ईमेल करेंगे Email Notifications,ईमेल सूचनाएं Email Sent?,ईमेल भेजा है? -"Email addresses, separted by commas","ईमेल पते, अल्पविराम के द्वारा separted" "Email id must be unique, already exists for {0}","ईमेल आईडी अद्वितीय होना चाहिए , पहले से ही मौजूद है {0}" Email ids separated by commas.,ईमेल आईडी अल्पविराम के द्वारा अलग. -Email sent to {0},ईमेल भेजा {0} "Email settings to extract Leads from sales email id e.g. ""sales@example.com""",ईमेल सेटिंग्स बिक्री ईमेल आईडी जैसे "sales@example.com से सुराग निकालने के लिए -Email...,ईमेल ... Emergency Contact,आपातकालीन संपर्क Emergency Contact Details,आपातकालीन सम्पर्क करने का विवरण Emergency Phone,आपातकालीन फोन @@ -984,7 +924,6 @@ End date of current invoice's period,वर्तमान चालान क End of Life,जीवन का अंत Energy,ऊर्जा Engineer,इंजीनियर -Enter Value,मान दर्ज Enter Verification Code,सत्यापन कोड दर्ज Enter campaign name if the source of lead is campaign.,अभियान का नाम दर्ज करें अगर नेतृत्व के स्रोत अभियान है. Enter department to which this Contact belongs,विभाग को जो इस संपर्क के अंतर्गत आता दर्ज करें @@ -1002,7 +941,6 @@ Entries,प्रविष्टियां Entries against,प्रविष्टियों के खिलाफ Entries are not allowed against this Fiscal Year if the year is closed.,"प्रविष्टियों इस वित्त वर्ष के खिलाफ की अनुमति नहीं है, अगर साल बंद कर दिया जाता है." Entries before {0} are frozen,{0} पहले प्रविष्टियां जमे हुए हैं -Equals,बराबरी Equity,इक्विटी Error: {0} > {1},त्रुटि: {0} > {1} Estimated Material Cost,अनुमानित मटेरियल कॉस्ट @@ -1019,7 +957,6 @@ Exhibition,प्रदर्शनी Existing Customer,मौजूदा ग्राहक Exit,निकास Exit Interview Details,साक्षात्कार विवरण से बाहर निकलें -Expand,विस्तृत करें Expected,अपेक्षित Expected Completion Date can not be less than Project Start Date,पूरा होने की उम्मीद तिथि परियोजना शुरू की तारीख से कम नहीं हो सकता Expected Date cannot be before Material Request Date,उम्मीद की तारीख सामग्री अनुरोध तिथि से पहले नहीं हो सकता @@ -1052,8 +989,6 @@ Expenses Booked,व्यय बुक Expenses Included In Valuation,व्यय मूल्यांकन में शामिल Expenses booked for the digest period,पचाने अवधि के लिए बुक व्यय Expiry Date,समाप्ति दिनांक -Export,निर्यात -Export not allowed. You need {0} role to export.,निर्यात की अनुमति नहीं . आप निर्यात करने के लिए {0} भूमिका की जरूरत है. Exports,निर्यात External,बाहरी Extract Emails,ईमेल निकालें @@ -1068,11 +1003,8 @@ Feedback,प्रतिपुष्टि Female,महिला Fetch exploded BOM (including sub-assemblies),( उप असेंबलियों सहित) विस्फोट बीओएम लायें "Field available in Delivery Note, Quotation, Sales Invoice, Sales Order","डिलिवरी नोट, कोटेशन, बिक्री चालान, विक्रय आदेश में उपलब्ध फील्ड" -Field {0} is not selectable.,फ़ील्ड {0} चयन नहीं है . -File,फ़ाइल Files Folder ID,फ़ाइलें फ़ोल्डर आईडी Fill the form and save it,फार्म भरें और इसे बचाने के लिए -Filter,फ़िल्टर Filter based on customer,ग्राहकों के आधार पर फ़िल्टर Filter based on item,आइटम के आधार पर फ़िल्टर Financial / accounting year.,वित्तीय / लेखा वर्ष . @@ -1101,14 +1033,10 @@ For Server Side Print Formats,सर्वर साइड प्रिंट For Supplier,सप्लायर के लिए For Warehouse,गोदाम के लिए For Warehouse is required before Submit,गोदाम की आवश्यकता है के लिए पहले जमा करें -"For comparative filters, start with","तुलनात्मक फिल्टर करने के लिए, के साथ शुरू" "For e.g. 2012, 2012-13","जैसे 2012, 2012-13 के लिए" -For ranges,श्रेणियों के लिए For reference,संदर्भ के लिए For reference only.,संदर्भ के लिए ही है. "For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes",ग्राहकों की सुविधा के लिए इन कोड प्रिंट स्वरूपों में चालान और वितरण नोट की तरह इस्तेमाल किया जा सकता है -Form,प्रपत्र -Forums,मंचों Fraction,अंश Fraction Units,अंश इकाइयों Freeze Stock Entries,स्टॉक प्रविष्टियां रुक @@ -1161,12 +1089,10 @@ Generate Material Requests (MRP) and Production Orders.,सामग्री ( Generate Salary Slips,वेतन स्लिप्स उत्पन्न Generate Schedule,कार्यक्रम तय करें उत्पन्न Generates HTML to include selected image in the description,विवरण में चयनित छवि को शामिल करने के लिए HTML उत्पन्न -Get,जाना Get Advances Paid,भुगतान किए गए अग्रिम जाओ Get Advances Received,अग्रिम प्राप्त Get Against Entries,प्रविष्टियों के खिलाफ करें Get Current Stock,मौजूदा स्टॉक -Get From ,से प्राप्त करें Get Items,आइटम पाने के लिए Get Items From Sales Orders,विक्रय आदेश से आइटम प्राप्त करें Get Items from BOM,बीओएम से आइटम प्राप्त @@ -1194,8 +1120,6 @@ Government,सरकार Graduate,परिवर्धित Grand Total,महायोग Grand Total (Company Currency),महायोग (कंपनी मुद्रा) -Greater or equals,ग्रेटर या बराबर होती है -Greater than,इससे बड़ा "Grid ""","ग्रिड """ Grocery,किराना Gross Margin %,सकल मार्जिन% @@ -1207,7 +1131,6 @@ Gross Profit (%),सकल लाभ (%) Gross Weight,सकल भार Gross Weight UOM,सकल वजन UOM Group,समूह -"Group Added, refreshing...","समूह जोड़ा गया , ताजगी ..." Group by Account,खाता द्वारा समूह Group by Voucher,वाउचर द्वारा समूह Group or Ledger,समूह या लेजर @@ -1229,14 +1152,12 @@ Health Care,स्वास्थ्य देखभाल Health Concerns,स्वास्थ्य चिंताएं Health Details,स्वास्थ्य विवरण Held On,पर Held -Help,मदद Help HTML,HTML मदद "Help: To link to another record in the system, use ""#Form/Note/[Note Name]"" as the Link URL. (don't use ""http://"")","मदद:. प्रणाली में एक और रिकॉर्ड करने के लिए लिंक करने के लिए, "# प्रपत्र / नोट / [नोट नाम]" लिंक यूआरएल के रूप में उपयोग ("Http://" का उपयोग नहीं करते हैं)" "Here you can maintain family details like name and occupation of parent, spouse and children","यहाँ आप परिवार और माता - पिता, पति या पत्नी और बच्चों के नाम, व्यवसाय की तरह बनाए रख सकते हैं" "Here you can maintain height, weight, allergies, medical concerns etc","यहाँ आप ऊंचाई, वजन, एलर्जी, चिकित्सा चिंताओं आदि बनाए रख सकते हैं" Hide Currency Symbol,मुद्रा प्रतीक छुपाएँ High,उच्च -History,इतिहास History In Company,कंपनी में इतिहास Hold,पकड़ Holiday,छुट्टी @@ -1281,17 +1202,14 @@ If you have Sales Team and Sale Partners (Channel Partners) they can be tagged If you involve in manufacturing activity. Enables Item 'Is Manufactured',आप विनिर्माण गतिविधि में शामिल हैं . Ignore,उपेक्षा Ignored: ,उपेक्षित: -"Ignoring Item {0}, because a group exists with the same name!","उपेक्षा कर मद {0} , एक समूह में एक ही नाम के साथ मौजूद है क्योंकि !" Image,छवि Image View,छवि देखें Implementation Partner,कार्यान्वयन साथी -Import,आयात Import Attendance,आयात उपस्थिति Import Failed!,आयात विफल! Import Log,प्रवेश करें आयात Import Successful!,सफल आयात ! Imports,आयात -In,में In Hours,घंटे में In Process,इस प्रक्रिया में In Qty,मात्रा में @@ -1306,7 +1224,6 @@ In Words will be visible once you save the Purchase Receipt.,शब्दों In Words will be visible once you save the Quotation.,शब्दों में दिखाई हो सकता है एक बार आप उद्धरण बचाने के लिए होगा. In Words will be visible once you save the Sales Invoice.,शब्दों में दिखाई हो सकता है एक बार आप बिक्री चालान बचाने के लिए होगा. In Words will be visible once you save the Sales Order.,शब्दों में दिखाई हो सकता है एक बार तुम बिक्री आदेश को बचाने के लिए होगा. -In response to,के जवाब में Incentives,प्रोत्साहन Include Reconciled Entries,मेल मिलाप प्रविष्टियां शामिल करें Include holidays in Total no. of Working Days,कुल संख्या में छुट्टियों को शामिल करें. कार्य दिवस की @@ -1327,8 +1244,6 @@ Indirect Income,अप्रत्यक्ष आय Individual,व्यक्ति Industry,उद्योग Industry Type,उद्योग के प्रकार -Insert Below,नीचे डालें -Insert Row,पंक्ति डालें Inspected By,द्वारा निरीक्षण किया Inspection Criteria,निरीक्षण मानदंड Inspection Required,आवश्यक निरीक्षण @@ -1350,8 +1265,6 @@ Internal,आंतरिक Internet Publishing,इंटरनेट प्रकाशन Introduction,परिचय Invalid Barcode or Serial No,अवैध बारकोड या धारावाहिक नहीं -Invalid Email: {0},अवैध ईमेल: {0} -Invalid Filter: {0},अवैध फिल्टर: {0} Invalid Mail Server. Please rectify and try again.,अमान्य मेल सर्वर. सुधारने और पुन: प्रयास करें . Invalid Master Name,अवैध मास्टर नाम Invalid User Name or Support Password. Please rectify and try again.,अमान्य उपयोगकर्ता नाम या समर्थन पारण . सुधारने और पुन: प्रयास करें . @@ -1516,7 +1429,6 @@ Landed Cost updated successfully,उतरा लागत सफलतापू Language,भाषा Last Name,सरनेम Last Purchase Rate,पिछले खरीद दर -Last updated by,अंतिम अद्यतन Latest,नवीनतम Lead,नेतृत्व Lead Details,विवरण लीड @@ -1566,24 +1478,17 @@ Ledgers,बहीखाते Left,वाम Legal,कानूनी Legal Expenses,विधि व्यय -Less or equals,कम या बराबर होती है -Less than,से भी कम Letter Head,पत्रशीर्ष Letter Heads for print templates.,प्रिंट टेम्पलेट्स के लिए पत्र सिर . Level,स्तर Lft,LFT Liability,दायित्व -Like,जैसा -Linked With,के साथ जुड़ा हुआ -List,सूची List a few of your customers. They could be organizations or individuals.,अपने ग्राहकों के कुछ सूची . वे संगठनों या व्यक्तियों हो सकता है. List a few of your suppliers. They could be organizations or individuals.,अपने आपूर्तिकर्ताओं में से कुछ की सूची . वे संगठनों या व्यक्तियों हो सकता है. List items that form the package.,सूची आइटम है कि पैकेज का फार्म. List this Item in multiple groups on the website.,कई समूहों में वेबसाइट पर इस मद की सूची. "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 your tax heads (e.g. VAT, Excise; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","और उनके मानक दरें , आपके टैक्स सिर ( वे अद्वितीय नाम होना चाहिए जैसे वैट , उत्पाद शुल्क ) की सूची ." -Loading,लदान -Loading Report,रिपोर्ट लोड हो रहा है Loading...,लोड हो रहा है ... Loans (Liabilities),ऋण (देनदारियों) Loans and Advances (Assets),ऋण और अग्रिम ( संपत्ति) @@ -1591,7 +1496,6 @@ Local,स्थानीय Login with your new User ID,अपना नया यूजर आईडी के साथ लॉगिन Logo,लोगो Logo and Letter Heads,लोगो और प्रमुखों पत्र -Logout,लॉगआउट Lost,खोया Lost Reason,खोया कारण Low,निम्न @@ -1642,7 +1546,6 @@ Make Salary Structure,वेतन संरचना बनाना Make Sales Invoice,बिक्री चालान बनाएं Make Sales Order,बनाओ बिक्री आदेश Make Supplier Quotation,प्रदायक कोटेशन बनाओ -Make a new,एक नया Male,नर Manage Customer Group Tree.,ग्राहक समूह ट्री प्रबंधन . Manage Sales Person Tree.,बिक्री व्यक्ति पेड़ की व्यवस्था करें. @@ -1650,8 +1553,6 @@ Manage Territory Tree.,टेरिटरी ट्री प्रबंधन Manage cost of operations,संचालन की लागत का प्रबंधन Management,प्रबंधन Manager,मैनेजर -Mandatory fields required in {0},में आवश्यक अनिवार्य क्षेत्रों {0} -Mandatory filters required:\n,अनिवार्य फिल्टर की आवश्यकता है: \ n "Mandatory if Stock Item is ""Yes"". Also the default warehouse where reserved quantity is set from Sales Order.","अनिवार्य अगर स्टॉक मद "हाँ" है. इसके अलावा आरक्षित मात्रा बिक्री आदेश से सेट किया जाता है, जहां डिफ़ॉल्ट गोदाम." Manufacture against Sales Order,बिक्री आदेश के खिलाफ निर्माण Manufacture/Repack,/ निर्माण Repack @@ -1722,13 +1623,11 @@ Minute,मिनट Misc Details,विविध विवरण Miscellaneous Expenses,विविध व्यय Miscelleneous,Miscelleneous -Missing Values Required,आवश्यक लापता मूल्यों Mobile No,नहीं मोबाइल Mobile No.,मोबाइल नंबर Mode of Payment,भुगतान की रीति Modern,आधुनिक Modified Amount,संशोधित राशि -Modified by,के द्वारा जाँचा गया Monday,सोमवार Month,माह Monthly,मासिक @@ -1736,12 +1635,9 @@ Monthly Attendance Sheet,मासिक उपस्थिति पत्र Monthly Earning & Deduction,मासिक आय और कटौती Monthly Salary Register,मासिक वेतन रेजिस्टर Monthly salary statement.,मासिक वेतन बयान. -More,अधिक More Details,अधिक जानकारी More Info,अधिक जानकारी Motion Picture & Video,मोशन पिक्चर और वीडियो -Move Down: {0},नीचे ले जाएँ : {0} -Move Up: {0},ऊपर ले जाएँ : {0} Moving Average,चलायमान औसत Moving Average Rate,मूविंग औसत दर Mr,श्री @@ -1751,12 +1647,9 @@ Multiple Item prices.,एकाधिक आइटम कीमतों . conflict by assigning priority. Price Rules: {0}","एकाधिक मूल्य नियम एक ही मापदंड के साथ मौजूद है , प्राथमिकता बताए द्वारा \ \ n संघर्ष का समाधान करें." Music,संगीत Must be Whole Number,पूर्ण संख्या होनी चाहिए -My Settings,मेरी सेटिंग्स Name,नाम Name and Description,नाम और विवरण Name and Employee ID,नाम और कर्मचारी ID -Name is required,नाम आवश्यक है -Name not permitted,अनुमति नहीं नाम "Name of new Account. Note: Please don't create accounts for Customers and Suppliers, they are created automatically from the Customer and Supplier master","नए खाते का नाम . नोट : ग्राहकों और आपूर्तिकर्ताओं के लिए खाते नहीं बना करते हैं, वे ग्राहक और आपूर्तिकर्ता मास्टर से स्वचालित रूप से बनाया जाता है" Name of person or organization that this address belongs to.,कि इस पते पर संबधित व्यक्ति या संगठन का नाम. Name of the Budget Distribution,बजट वितरण के नाम @@ -1774,7 +1667,6 @@ Net Weight UOM,नेट वजन UOM Net Weight of each Item,प्रत्येक आइटम के नेट वजन Net pay cannot be negative,शुद्ध भुगतान नकारात्मक नहीं हो सकता Never,कभी नहीं -New,नई New , New Account,नया खाता New Account Name,नया खाता नाम @@ -1794,7 +1686,6 @@ New Projects,नई परियोजनाएं New Purchase Orders,नई खरीद आदेश New Purchase Receipts,नई खरीद रसीद New Quotations,नई कोटेशन -New Record,नया रिकॉर्ड New Sales Orders,नई बिक्री आदेश New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,नया धारावाहिक कोई गोदाम नहीं कर सकते हैं . गोदाम स्टॉक एंट्री या खरीद रसीद द्वारा निर्धारित किया जाना चाहिए New Stock Entries,नई स्टॉक प्रविष्टियां @@ -1816,11 +1707,8 @@ Next,अगला Next Contact By,द्वारा अगले संपर्क Next Contact Date,अगले संपर्क तिथि Next Date,अगली तारीख -Next Record,अगला अभिलेख -Next actions,अगली कार्रवाई Next email will be sent on:,अगले ईमेल पर भेजा जाएगा: No,नहीं -No Communication tagged with this ,इस के साथ टैग कोई संचार No Customer Accounts found.,कोई ग्राहक खातों पाया . No Customer or Supplier Accounts found,कोई ग्राहक या प्रदायक लेखा पाया No Expense Approvers. Please assign 'Expense Approver' Role to atleast one user,कोई कसर नहीं अनुमोदकों . कम से कम एक उपयोगकर्ता को ' व्यय अनुमोदक ' भूमिका असाइन कृपया @@ -1830,48 +1718,31 @@ No Items to pack,पैक करने के लिए कोई आइटम No Leave Approvers. Please assign 'Leave Approver' Role to atleast one user,कोई लीव अनुमोदकों . कम से कम एक उपयोगकर्ता के लिए ' लीव अनुमोदक ' भूमिका असाइन कृपया No Permission,अनुमति नहीं है No Production Orders created,बनाया नहीं उत्पादन के आदेश -No Report Loaded. Please use query-report/[Report Name] to run a report.,कोई रिपोर्ट भरा हुआ है. उपयोग क्वेरी रिपोर्ट / [रिपोर्ट नाम] की एक रिपोर्ट चलाने के लिए कृपया. -No Results,कोई परिणाम नहीं No Supplier Accounts found. Supplier Accounts are identified based on 'Master Type' value in account record.,कोई प्रदायक लेखा पाया . प्रदायक लेखा खाते के रिकॉर्ड में ' मास्टर प्रकार' मूल्य पर आधारित पहचान कर रहे हैं . No accounting entries for the following warehouses,निम्नलिखित गोदामों के लिए कोई लेखा प्रविष्टियों No addresses created,बनाया नहीं पते No contacts created,बनाया कोई संपर्क नहीं No default BOM exists for Item {0},कोई डिफ़ॉल्ट बीओएम मौजूद मद के लिए {0} No description given,दिया का कोई विवरण नहीं -No document selected,चयनित कोई दस्तावेज़ No employee found,नहीं मिला कर्मचारी No employee found!,कोई कर्मचारी पाया ! No of Requested SMS,अनुरोधित एसएमएस की संख्या No of Sent SMS,भेजे गए एसएमएस की संख्या No of Visits,यात्राओं की संख्या -No one,कोई नहीं No permission,कोई अनुमति नहीं -No permission to '{0}' {1},करने के लिए कोई अनुमति नहीं '{0} ' {1} -No permission to edit,संपादित करने के लिए कोई अनुमति नहीं No record found,कोई रिकॉर्ड पाया -No records tagged.,कोई रिकॉर्ड टैग. No salary slip found for month: ,महीने के लिए नहीं मिला वेतन पर्ची: Non Profit,गैर लाभ -None,कोई नहीं -None: End of Workflow,कोई नहीं: कार्यप्रवाह समाप्ति Nos,ओपन स्कूल Not Active,सक्रिय नहीं Not Applicable,लागू नहीं Not Available,उपलब्ध नहीं Not Billed,नहीं बिल Not Delivered,नहीं वितरित -Not Found,नहीं मिला -Not Linked to any record.,लिंक्ड कोई रिकॉर्ड नहीं है. -Not Permitted,अनुमति नहीं Not Set,सेट नहीं -Not Submitted,सबमिट नहीं -Not allowed,अनुमति नहीं Not allowed to update entries older than {0},से प्रविष्टियां पुराने अद्यतन करने की अनुमति नहीं है {0} Not authorized to edit frozen Account {0},जमे खाता संपादित करने के लिए अधिकृत नहीं {0} Not authroized since {0} exceeds limits,{0} सीमा से अधिक के बाद से Authroized नहीं -Not enough permission to see links.,पर्याप्त के लिए लिंक को देखने की अनुमति नहीं है. -Not equals,नहीं के बराबर होती है -Not found,नहीं मिला Not permitted,अनुमति नहीं Note,नोट Note User,नोट प्रयोक्ता @@ -1880,7 +1751,6 @@ Note User,नोट प्रयोक्ता Note: Due Date exceeds the allowed credit days by {0} day(s),नोट : नियत तिथि {0} दिन (एस ) द्वारा की अनुमति क्रेडिट दिनों से अधिक Note: Email will not be sent to disabled users,नोट: ईमेल अक्षम उपयोगकर्ताओं के लिए नहीं भेजा जाएगा Note: Item {0} entered multiple times,नोट : आइटम {0} कई बार प्रवेश किया -Note: Other permission rules may also apply,नोट: अन्य अनुमति के नियम भी लागू हो सकता है Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,नोट : भुगतान एंट्री ' नकद या बैंक खाता' निर्दिष्ट नहीं किया गया था के बाद से नहीं बनाया जाएगा Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,नोट : सिस्टम मद के लिए वितरण और अधिक से अधिक बुकिंग की जांच नहीं करेगा {0} मात्रा या राशि के रूप में 0 है Note: There is not enough leave balance for Leave Type {0},नोट : छोड़ किस्म के लिए पर्याप्त छुट्टी संतुलन नहीं है {0} @@ -1889,12 +1759,9 @@ Note: {0},नोट : {0} Notes,नोट्स Notes:,नोट : Nothing to request,अनुरोध करने के लिए कुछ भी नहीं -Nothing to show,दिखाने के लिए कुछ भी नहीं -Nothing to show for this selection,इस चयन के लिए दिखाने के लिए कुछ भी नहीं Notice (days),सूचना (दिन) Notification Control,अधिसूचना नियंत्रण Notification Email Address,सूचना ईमेल पता -Notify By Email,ईमेल से सूचित Notify by Email on creation of automatic Material Request,स्वचालित सामग्री अनुरोध के निर्माण पर ईमेल द्वारा सूचित करें Number Format,संख्या स्वरूप Offer Date,प्रस्ताव की तिथि @@ -1938,7 +1805,6 @@ Opportunity Items,अवसर आइटम Opportunity Lost,मौका खो दिया Opportunity Type,अवसर प्रकार Optional. This setting will be used to filter in various transactions.,वैकल्पिक . यह सेटिंग विभिन्न लेनदेन में फिल्टर करने के लिए इस्तेमाल किया जाएगा . -Or Created By,या द्वारा बनाया गया Order Type,आदेश प्रकार Order Type must be one of {1},आदेश प्रकार का होना चाहिए {1} Ordered,आदेशित @@ -1953,7 +1819,6 @@ Organization Profile,संगठन प्रोफाइल Organization branch master.,संगठन शाखा मास्टर . Organization unit (department) master.,संगठन इकाई ( विभाग ) मास्टर . Original Amount,मूल राशि -Original Message,मूल संदेश Other,अन्य Other Details,अन्य विवरण Others,दूसरों @@ -1996,7 +1861,6 @@ Packing Slip Items,पैकिंग स्लिप आइटम Packing Slip(s) cancelled,पैकिंग पर्ची (ओं ) को रद्द कर दिया Page Break,पृष्ठातर Page Name,पेज का नाम -Page not found,पृष्ठ नहीं मिला Paid Amount,राशि भुगतान Paid amount + Write Off Amount can not be greater than Grand Total,भुगतान की गई राशि + राशि से लिखने के कुल योग से बड़ा नहीं हो सकता Pair,जोड़ा @@ -2062,9 +1926,6 @@ Period Closing Voucher,अवधि समापन वाउचर Periodicity,आवधिकता Permanent Address,स्थायी पता Permanent Address Is,स्थायी पता है -Permanently Cancel {0}?,स्थायी रूप से {0} रद्द करें? -Permanently Submit {0}?,स्थायी रूप से {0} सबमिट करें ? -Permanently delete {0}?,स्थायी रूप से {0} को हटाने ? Permission,अनुमति Personal,व्यक्तिगत Personal Details,व्यक्तिगत विवरण @@ -2073,7 +1934,6 @@ Pharmaceutical,औषधि Pharmaceuticals,औषधीय Phone,फ़ोन Phone No,कोई फोन -Pick Columns,स्तंभ उठाओ Piecework,ठेका Pincode,Pincode Place of Issue,जारी करने की जगह @@ -2086,8 +1946,6 @@ Plant,पौधा Plant and Machinery,संयंत्र और मशीनें Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,संक्षिप्त या लघु नाम ठीक से दर्ज करें सभी खाता प्रमुखों को प्रत्यय के रूप में जोड़ दिया जाएगा. Please add expense voucher details,व्यय वाउचर जानकारी जोड़ने के लिए धन्यवाद -Please attach a file first.,पहले एक फ़ाइल संलग्न करें. -Please attach a file or set a URL,एक फ़ाइल संलग्न या एक यूआरएल निर्धारित करें Please check 'Is Advance' against Account {0} if this is an advance entry.,खाते के विरुद्ध ' अग्रिम है ' की जांच करें {0} यह एक अग्रिम प्रविष्टि है. Please click on 'Generate Schedule','उत्पन्न अनुसूची' पर क्लिक करें Please click on 'Generate Schedule' to fetch Serial No added for Item {0},सीरियल मद के लिए जोड़ा लाने के लिए 'उत्पन्न अनुसूची' पर क्लिक करें {0} @@ -2096,7 +1954,6 @@ Please create Customer from Lead {0},लीड से ग्राहक बन Please create Salary Structure for employee {0},कर्मचारी के लिए वेतन संरचना बनाने कृपया {0} Please create new account from Chart of Accounts.,खातों का चार्ट से नया खाता बनाने के लिए धन्यवाद. Please do NOT create Account (Ledgers) for Customers and Suppliers. They are created directly from the Customer / Supplier masters.,ग्राहकों और आपूर्तिकर्ताओं के लिए खाता ( बहीखाते ) का निर्माण नहीं करते. वे ग्राहक / आपूर्तिकर्ता स्वामी से सीधे बनाया जाता है. -Please enable pop-ups,पॉप अप सक्षम करें Please enter 'Expected Delivery Date',' उम्मीद की डिलीवरी तिथि ' दर्ज करें Please enter 'Is Subcontracted' as Yes or No,डालें हाँ या नहीं के रूप में ' subcontracted है ' Please enter 'Repeat on Day of Month' field value,क्षेत्र मूल्य 'माह के दिवस पर दोहराएँ ' दर्ज करें @@ -2107,7 +1964,6 @@ Please enter Company,कंपनी दाखिल करें Please enter Cost Center,लागत केंद्र दर्ज करें Please enter Delivery Note No or Sales Invoice No to proceed,नहीं या बिक्री चालान नहीं आगे बढ़ने के लिए डिलिवरी नोट दर्ज करें Please enter Employee Id of this sales parson,इस बिक्री पादरी के कर्मचारी आईडी दर्ज करें -Please enter Event's Date and Time!,घटना की तिथि और समय दर्ज करें ! Please enter Expense Account,व्यय खाते में प्रवेश करें Please enter Item Code to get batch no,कोई बैच पाने के मद कोड दर्ज करें Please enter Item Code.,मद कोड दर्ज करें. @@ -2133,14 +1989,11 @@ Please enter parent cost center,माता - पिता लागत के Please enter quantity for Item {0},आइटम के लिए मात्रा दर्ज करें {0} Please enter relieving date.,तारीख से राहत दर्ज करें. Please enter sales order in the above table,उपरोक्त तालिका में विक्रय आदेश दर्ज करें -Please enter some text!,कुछ पाठ दर्ज करें! -Please enter title!,शीर्षक दर्ज करें ! Please enter valid Company Email,वैध कंपनी ईमेल दर्ज करें Please enter valid Email Id,वैध ईमेल आईडी दर्ज करें Please enter valid Personal Email,वैध व्यक्तिगत ईमेल दर्ज करें Please enter valid mobile nos,वैध मोबाइल नंबर दर्ज करें Please install dropbox python module,ड्रॉपबॉक्स अजगर मॉड्यूल स्थापित करें -Please login to Upvote!,Upvote लॉगिन करें ! Please mention no of visits required,कृपया उल्लेख आवश्यक यात्राओं की कोई Please pull items from Delivery Note,डिलिवरी नोट से आइटम खींच कृपया Please save the Newsletter before sending,भेजने से पहले न्यूज़लेटर बचा लो @@ -2191,8 +2044,6 @@ Plot By,प्लॉट Point of Sale,बिक्री के प्वाइंट Point-of-Sale Setting,प्वाइंट की बिक्री की सेटिंग Post Graduate,स्नातकोत्तर -Post already exists. Cannot add again!,पोस्ट पहले से ही मौजूद है. फिर से नहीं जोड़ सकते हैं! -Post does not exist. Please add post!,डाक मौजूद नहीं है . पोस्ट जोड़ने के लिए धन्यवाद ! Postal,डाक का Postal Expenses,पोस्टल व्यय Posting Date,तिथि पोस्टिंग @@ -2207,7 +2058,6 @@ Prevdoc DocType,Prevdoc doctype Prevdoc Doctype,Prevdoc Doctype Preview,पूर्वावलोकन Previous,पिछला -Previous Record,पिछला रिकॉर्ड Previous Work Experience,पिछले कार्य अनुभव Price,कीमत Price / Discount,मूल्य / डिस्काउंट @@ -2226,12 +2076,10 @@ Price or Discount,मूल्य या डिस्काउंट Pricing Rule,मूल्य निर्धारण नियम Pricing Rule For Discount,मूल्य निर्धारण शासन के लिए सबसे कम Pricing Rule For Price,मूल्य निर्धारण शासन के लिए मूल्य -Print,प्रिंट Print Format Style,प्रिंट प्रारूप शैली Print Heading,शीर्षक प्रिंट Print Without Amount,राशि के बिना प्रिंट Print and Stationary,प्रिंट और स्टेशनरी -Print...,प्रिंट ... Printing and Branding,मुद्रण और ब्रांडिंग Priority,प्राथमिकता Private Equity,निजी इक्विटी @@ -2357,7 +2205,6 @@ Quantity of item obtained after manufacturing / repacking from given quantities Quantity required for Item {0} in row {1},आइटम के लिए आवश्यक मात्रा {0} पंक्ति में {1} Quarter,तिमाही Quarterly,त्रैमासिक -Query Report,क्वेरी रिपोर्ट Quick Help,त्वरित मदद Quotation,उद्धरण Quotation Date,कोटेशन तिथि @@ -2459,14 +2306,11 @@ Rejected Warehouse is mandatory against regected item,अस्वीकृत Relation,संबंध Relieving Date,तिथि राहत Relieving Date must be greater than Date of Joining,तिथि राहत शामिल होने की तिथि से अधिक होना चाहिए -Reload Page,पृष्ठ पुनः लोड Remark,टिप्पणी Remarks,टिप्पणियाँ -Remove Bookmark,बुकमार्क निकालें Rename,नाम बदलें Rename Log,प्रवेश का नाम बदलें Rename Tool,उपकरण का नाम बदलें -Rename...,नाम बदलें ... Rent Cost,बाइक किराए मूल्य Rent per hour,प्रति घंटे किराए पर Rented,किराये पर @@ -2474,12 +2318,9 @@ Repeat on Day of Month,महीने का दिन पर दोहरा Replace,बदलें Replace Item / BOM in all BOMs,सभी BOMs आइटम / BOM बदलें Replied,उत्तर -Report,रिपोर्ट Report Date,तिथि रिपोर्ट Report Type,टाइप रिपोर्ट Report Type is mandatory,रिपोर्ट प्रकार अनिवार्य है -Report an Issue,किसी समस्या की रिपोर्ट -Report was not saved (there were errors),रिपोर्ट नहीं बचाया (वहाँ त्रुटियों थे) Reports to,करने के लिए रिपोर्ट Reqd By Date,तिथि reqd Request Type,अनुरोध प्रकार @@ -2630,7 +2471,6 @@ Salutation,अभिवादन Sample Size,नमूने का आकार Sanctioned Amount,स्वीकृत राशि Saturday,शनिवार -Save,बचाना Schedule,अनुसूची Schedule Date,नियत तिथि Schedule Details,अनुसूची विवरण @@ -2644,7 +2484,6 @@ Score (0-5),कुल (0-5) Score Earned,स्कोर अर्जित Score must be less than or equal to 5,स्कोर से कम या 5 के बराबर होना चाहिए Scrap %,% स्क्रैप -Search,खोजें Seasonality for setting budgets.,बजट की स्थापना के लिए मौसम. Secretary,सचिव Secured Loans,सुरक्षित कर्जे @@ -2656,26 +2495,18 @@ Securities and Deposits,प्रतिभूति और जमाओं "Select ""Yes"" if this item represents some work like training, designing, consulting etc.","चुनें यदि इस मद के प्रशिक्षण जैसे कुछ काम करते हैं, डिजाइन, परामर्श आदि का प्रतिनिधित्व करता है "हाँ"" "Select ""Yes"" if you are maintaining stock of this item in your Inventory.","हाँ" अगर आप अपनी सूची में इस मद के शेयर को बनाए रखने रहे हैं. "Select ""Yes"" if you supply raw materials to your supplier to manufacture this item.","हाँ" अगर आप अपने सप्लायर के लिए कच्चे माल की आपूर्ति करने के लिए इस मद के निर्माण. -Select All,सभी का चयन -Select Attachments,किए गए अनुलग्नकों के चयन करें Select Budget Distribution to unevenly distribute targets across months.,बजट वितरण चुनें unevenly महीने भर में लक्ष्य को वितरित करने के लिए. "Select Budget Distribution, if you want to track based on seasonality.","बजट वितरण का चयन करें, यदि आप मौसमी आधार पर ट्रैक करना चाहते हैं." Select DocType,Doctype का चयन करें Select Items,आइटम का चयन करें -Select Print Format,प्रिंट प्रारूप का चयन करें Select Purchase Receipts,क्रय रसीद का चयन करें -Select Report Name,रिपोर्ट नाम का चयन करें Select Sales Orders,विक्रय आदेश का चयन करें Select Sales Orders from which you want to create Production Orders.,विक्रय आदेश का चयन करें जिसमें से आप उत्पादन के आदेश बनाना चाहते. Select Time Logs and Submit to create a new Sales Invoice.,समय लॉग्स का चयन करें और एक नया बिक्री चालान बनाने के लिए भेजें. -Select To Download:,डाउनलोड करने के लिए चयन करें: Select Transaction,लेन - देन का चयन करें -Select Type,प्रकार का चयन करें Select Your Language,अपनी भाषा का चयन Select account head of the bank where cheque was deposited.,बैंक के खाते में जहां चेक जमा किया गया था सिर का चयन करें. Select company name first.,कंपनी 1 नाम का चयन करें. -Select dates to create a new ,एक नया बनाने की दिनांक चुने -Select or drag across time slots to create a new event.,का चयन करें या एक नई घटना बनाने के लिए टाइम स्लॉट भर में खींचें. Select template from which you want to get the Goals,जो टेम्पलेट से आप लक्ष्यों को प्राप्त करना चाहते हैं का चयन करें Select the Employee for whom you are creating the Appraisal.,जिसे तुम पैदा कर रहे हैं मूल्यांकन करने के लिए कर्मचारी का चयन करें. Select the period when the invoice will be generated automatically,अवधि का चयन करें जब चालान स्वतः उत्पन्न हो जाएगा @@ -2691,11 +2522,9 @@ Select your home country and check the timezone and currency.,अपने घ Selling,विक्रय Selling Settings,सेटिंग्स बेचना Send,भेजें -Send As Email,ईमेल के रूप में भेजें Send Autoreply,स्वतः भेजें Send Email,ईमेल भेजें Send From,से भेजें -Send Me A Copy,मुझे एक कॉपी भेज Send Notifications To,करने के लिए सूचनाएं भेजें Send Now,अब भेजें Send SMS,एसएमएस भेजें @@ -2705,7 +2534,6 @@ Send mass SMS to your contacts,अपने संपर्कों के ल Send to this list,इस सूची को भेजें Sender Name,प्रेषक का नाम Sent On,पर भेजा -Sent or Received,भेजा या प्राप्त Separate production order will be created for each finished good item.,अलग उत्पादन का आदेश प्रत्येक समाप्त अच्छा आइटम के लिए बनाया जाएगा. Serial No,नहीं सीरियल Serial No / Batch,धारावाहिक नहीं / बैच @@ -2739,11 +2567,9 @@ Series {0} already used in {1},सीरीज {0} पहले से ही Service,सेवा Service Address,सेवा पता Services,सेवाएं -Session Expired. Logging you out,सत्र समाप्त हो गया. आप लॉग आउट Set,समूह "Set Default Values like Company, Currency, Current Fiscal Year, etc.","आदि कंपनी , मुद्रा , चालू वित्त वर्ष , की तरह सेट डिफ़ॉल्ट मान" Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,इस क्षेत्र पर आइटम ग्रुप - वाईस बजट निर्धारित करें. तुम भी वितरण की स्थापना द्वारा मौसमी शामिल कर सकते हैं. -Set Link,सेट लिंक Set as Default,डिफ़ॉल्ट रूप में सेट करें Set as Lost,खोया के रूप में सेट करें Set prefix for numbering series on your transactions,अपने लेनदेन पर श्रृंखला नंबरिंग के लिए उपसर्ग सेट @@ -2776,17 +2602,12 @@ Shipping Rule Label,नौवहन नियम लेबल Shop,दुकान Shopping Cart,खरीदारी की टोकरी Short biography for website and other publications.,वेबसाइट और अन्य प्रकाशनों के लिए लघु जीवनी. -Shortcut,शॉर्टकट "Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",स्टॉक में दिखाएँ "" या "नहीं" स्टॉक में इस गोदाम में उपलब्ध स्टॉक के आधार पर. "Show / Hide features like Serial Nos, POS etc.","आदि सीरियल ओपन स्कूल , स्थिति की तरह दिखाएँ / छिपाएँ सुविधाओं" -Show Details,विवरण दिखाएं Show In Website,वेबसाइट में दिखाएँ -Show Tags,दिखाएँ टैग Show a slideshow at the top of the page,पृष्ठ के शीर्ष पर एक स्लाइड शो दिखाएँ Show in Website,वेबसाइट में दिखाने -Show rows with zero values,शून्य मान के साथ पंक्तियों दिखाएं Show this slideshow at the top of the page,पृष्ठ के शीर्ष पर इस स्लाइड शो दिखाएँ -Showing only for (if not empty),के लिए ही दिखा रहा है ( नहीं तो खाली ) Sick Leave,बीमारी छुट्टी Signature,हस्ताक्षर Signature to be appended at the end of every email,हर ईमेल के अंत में संलग्न किया हस्ताक्षर @@ -2797,11 +2618,8 @@ Slideshow,स्लाइड शो Soap & Detergent,साबुन और डिटर्जेंट Software,सॉफ्टवेयर Software Developer,सॉफ्टवेयर डेवलपर -Sorry we were unable to find what you were looking for.,खेद है कि हम खोजने के लिए आप क्या देख रहे थे करने में असमर्थ थे. -Sorry you are not permitted to view this page.,खेद है कि आपको इस पृष्ठ को देखने की अनुमति नहीं है. "Sorry, Serial Nos cannot be merged","क्षमा करें, सीरियल नं विलय हो नहीं सकता" "Sorry, companies cannot be merged","क्षमा करें, कंपनियों का विलय कर दिया नहीं किया जा सकता" -Sort By,द्वारा क्रमबद्ध करें Source,स्रोत Source File,स्रोत फ़ाइल Source Warehouse,स्रोत वेअरहाउस @@ -2826,7 +2644,6 @@ Standard Selling,मानक बेच Standard contract terms for Sales or Purchase.,बिक्री या खरीद के लिए मानक अनुबंध शर्तों . Start,प्रारंभ Start Date,प्रारंभ दिनांक -Start Report For,प्रारंभ लिए रिपोर्ट Start date of current invoice's period,वर्तमान चालान की अवधि के आरंभ तिथि Start date should be less than end date for Item {0},प्रारंभ तिथि मद के लिए समाप्ति तिथि से कम होना चाहिए {0} State,राज्य @@ -2884,7 +2701,6 @@ Sub Assemblies,उप असेंबलियों "Sub-currency. For e.g. ""Cent""",उप - मुद्रा. उदाहरण के लिए "प्रतिशत" Subcontract,उपपट्टा Subject,विषय -Submit,प्रस्तुत करना Submit Salary Slip,वेतनपर्ची सबमिट करें Submit all salary slips for the above selected criteria,ऊपर चयनित मानदंड के लिए सभी वेतन निकल जाता है भेजें Submit this Production Order for further processing.,आगे की प्रक्रिया के लिए इस उत्पादन का आदेश सबमिट करें . @@ -2928,7 +2744,6 @@ Support Email Settings,सहायता ईमेल सेटिंग्स Support Password,सहायता पासवर्ड Support Ticket,समर्थन टिकट Support queries from customers.,ग्राहकों से प्रश्नों का समर्थन करें. -Switch to Website,वेबसाइट के लिए स्विच Symbol,प्रतीक Sync Support Mails,समर्थन मेल समन्वयित Sync with Dropbox,ड्रॉपबॉक्स के साथ सिंक @@ -2936,7 +2751,6 @@ Sync with Google Drive,गूगल ड्राइव के साथ सि System,प्रणाली System Settings,सिस्टम सेटिंग्स "System User (login) ID. If set, it will become default for all HR forms.","सिस्टम प्रयोक्ता आईडी (प्रवेश). अगर सेट किया जाता है, यह सभी मानव संसाधन रूपों के लिए डिफ़ॉल्ट बन जाएगा." -Tags,टैग Target Amount,लक्ष्य की राशि Target Detail,लक्ष्य विस्तार Target Details,लक्ष्य विवरण @@ -2995,7 +2809,6 @@ Territory Target Variance Item Group-Wise,क्षेत्र को लक् Territory Targets,टेरिटरी लक्ष्य Test,परीक्षण Test Email Id,टेस्ट ईमेल आईडी -Test Runner,परीक्षण धावक Test the Newsletter,न्यूज़लैटर टेस्ट The BOM which will be replaced,बीओएम जो प्रतिस्थापित किया जाएगा The First User: You,पहले उपयोगकर्ता : आप @@ -3015,28 +2828,23 @@ The net weight of this package. (calculated automatically as sum of net weight o The new BOM after replacement,बदलने के बाद नए बीओएम The rate at which Bill Currency is converted into company's base currency,जिस दर पर विधेयक मुद्रा कंपनी के बेस मुद्रा में परिवर्तित किया जाता है The unique id for tracking all recurring invoices. It is generated on submit.,सभी आवर्ती चालान पर नज़र रखने के लिए अद्वितीय पहचान. इसे प्रस्तुत करने पर उत्पन्न होता है. -Then By (optional),तब तक (वैकल्पिक) There are more holidays than working days this month.,इस महीने के दिन काम की तुलना में अधिक छुट्टियां कर रहे हैं . "There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","केवल "" मूल्य "" के लिए 0 या रिक्त मान के साथ एक शिपिंग शासन की स्थिति नहीं हो सकता" There is not enough leave balance for Leave Type {0},छोड़ दो प्रकार के लिए पर्याप्त छुट्टी संतुलन नहीं है {0} There is nothing to edit.,संपादित करने के लिए कुछ भी नहीं है . There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,कोई त्रुटि हुई थी . एक संभावित कारण यह है कि आप प्रपत्र को बचाया नहीं किया है कि हो सकता है. यदि समस्या बनी रहती support@erpnext.com से संपर्क करें. -There were errors,त्रुटियां थीं -There were errors while sending email. Please try again.,ईमेल भेजने के दौरान त्रुटि . पुन: प्रयास करें . There were errors.,त्रुटियां थीं . This Currency is disabled. Enable to use in transactions,इस मुद्रा में अक्षम है. लेनदेन में उपयोग करने के लिए सक्षम करें This Leave Application is pending approval. Only the Leave Apporver can update status.,इस छुट्टी के लिए अर्जी अनुमोदन के लिए लंबित है . केवल लीव Apporver स्थिति अपडेट कर सकते हैं . This Time Log Batch has been billed.,इस बार प्रवेश बैच बिल भेजा गया है. This Time Log Batch has been cancelled.,इस बार प्रवेश बैच रद्द कर दिया गया. This Time Log conflicts with {0},इस बार प्रवेश के साथ संघर्ष {0} -This is PERMANENT action and you cannot undo. Continue?,यह स्थायी कार्रवाई की है और आप पूर्ववत नहीं कर सकते. जारी रखें? This is a root account and cannot be edited.,इस रुट खाता है और संपादित नहीं किया जा सकता है . This is a root customer group and cannot be edited.,यह एक रूट ग्राहक समूह है और संपादित नहीं किया जा सकता है . This is a root item group and cannot be edited.,यह एक रूट आइटम समूह है और संपादित नहीं किया जा सकता है . This is a root sales person and cannot be edited.,यह एक रूट बिक्री व्यक्ति है और संपादित नहीं किया जा सकता है . This is a root territory and cannot be edited.,यह एक जड़ क्षेत्र है और संपादित नहीं किया जा सकता है . This is an example website auto-generated from ERPNext,इस ERPNext से ऑटो उत्पन्न एक उदाहरण वेबसाइट है -This is permanent action and you cannot undo. Continue?,यह स्थायी कार्रवाई है और आप पूर्ववत नहीं कर सकते. जारी रखें? This is the number of the last created transaction with this prefix,यह इस उपसर्ग के साथ पिछले बनाई गई लेन - देन की संख्या This will be used for setting rule in HR module,इस मॉड्यूल में मानव संसाधन सेटिंग शासन के लिए इस्तेमाल किया जाएगा Thread HTML,धागा HTML @@ -3078,7 +2886,6 @@ To get Item Group in details table,विवरण तालिका में "To include tax in row {0} in Item rate, taxes in rows {1} must also be included","पंक्ति में कर शामिल करने के लिए {0} आइटम रेट में , पंक्तियों में करों {1} भी शामिल किया जाना चाहिए" "To merge, following properties must be same for both items","मर्ज करने के लिए , निम्नलिखित गुण दोनों मदों के लिए ही होना चाहिए" "To report an issue, go to ", -"To run a test add the module name in the route after '{0}'. For example, {1}","एक परीक्षण '{0}' के बाद मार्ग में मॉड्यूल नाम जोड़ने को चलाने के लिए . उदाहरण के लिए , {1}" "To set this Fiscal Year as Default, click on 'Set as Default'","डिफ़ॉल्ट रूप में इस वित्तीय वर्ष में सेट करने के लिए , 'मूलभूत रूप में सेट करें ' पर क्लिक करें" To track any installation or commissioning related work after sales,किसी भी स्थापना या बिक्री के बाद कमीशन से संबंधित काम को ट्रैक "To track brand name in the following documents Delivery Note, Opportunity, Material Request, Item, Purchase Order, Purchase Voucher, Purchaser Receipt, Quotation, Sales Invoice, Sales BOM, Sales Order, Serial No","निम्नलिखित दस्तावेज डिलिवरी नोट , अवसर , सामग्री अनुरोध , मद , खरीद आदेश , खरीद वाउचर , क्रेता रसीद , कोटेशन , बिक्री चालान , बिक्री बीओएम , बिक्री आदेश , धारावाहिक नहीं में ब्रांड नाम को ट्रैक करने के लिए" @@ -3130,7 +2937,6 @@ Totals,योग Track Leads by Industry Type.,ट्रैक उद्योग प्रकार के द्वारा होता है . Track this Delivery Note against any Project,किसी भी परियोजना के खिलाफ इस डिलिवरी नोट हुए Track this Sales Order against any Project,किसी भी परियोजना के खिलाफ हुए इस बिक्री आदेश -Trainee,शिक्षार्थी Transaction,लेन - देन Transaction Date,लेनदेन की तारीख Transaction not allowed against stopped Production Order {0},लेन - देन बंद कर दिया प्रोडक्शन आदेश के खिलाफ अनुमति नहीं {0} @@ -3162,7 +2968,6 @@ UOM Conversion Factor,UOM रूपांतरण फैक्टर UOM Conversion factor is required in row {0},UOM रूपांतरण कारक पंक्ति में आवश्यक है {0} UOM Name,UOM नाम UOM coversion factor required for UOM {0} in Item {1},UOM के लिए आवश्यक UOM coversion कारक {0} मद में {1} -Unable to load: {0},लोड करने में असमर्थ : {0} Under AMC,एएमसी के तहत Under Graduate,पूर्व - स्नातक Under Warranty,वारंटी के अंतर्गत @@ -3172,11 +2977,8 @@ Unit of Measure {0} has been entered more than once in Conversion Factor Table, "Unit of measurement of this item (e.g. Kg, Unit, No, Pair).","इस मद के माप की इकाई (जैसे किलोग्राम, यूनिट, नहीं, जोड़ी)." Units/Hour,इकाइयों / घंटा Units/Shifts,इकाइयों / पाली -Unknown Column: {0},अज्ञात स्तंभ : {0} -Unknown Print Format: {0},अज्ञात छापा स्वरूप: {0} Unmatched Amount,बेजोड़ राशि Unpaid,अवैतनिक -Unread Messages,अपठित संदेशों Unscheduled,अनिर्धारित Unsecured Loans,असुरक्षित ऋण Unstop,आगे बढ़ाना @@ -3196,18 +2998,14 @@ Update bank payment dates with journals.,अद्यतन बैंक भु Update clearance date of Journal Entries marked as 'Bank Vouchers',जर्नल प्रविष्टियों का अद्यतन निकासी की तारीख ' बैंक वाउचर ' के रूप में चिह्नित Updated,अद्यतित Updated Birthday Reminders,नवीनीकृत जन्मदिन अनुस्मारक -Upload,अपलोड -Upload Attachment,अनुलग्नक अपलोड करें Upload Attendance,उपस्थिति अपलोड Upload Backups to Dropbox,ड्रॉपबॉक्स के लिए बैकअप अपलोड Upload Backups to Google Drive,गूगल ड्राइव के लिए बैकअप अपलोड Upload HTML,HTML अपलोड Upload a .csv file with two columns: the old name and the new name. Max 500 rows.,पुराने नाम और नया नाम:. दो कॉलम के साथ एक csv फ़ाइल अपलोड करें. अधिकतम 500 पंक्तियाँ. -Upload a file,एक फ़ाइल अपलोड करें Upload attendance from a .csv file,. Csv फ़ाइल से उपस्थिति अपलोड करें Upload stock balance via csv.,Csv के माध्यम से शेयर संतुलन अपलोड करें. Upload your letter head and logo - you can edit them later.,अपने पत्र सिर और लोगो अपलोड करें - आप बाद में उन्हें संपादित कर सकते हैं . -Uploading...,अपलोड हो रहा है ... Upper Income,ऊपरी आय Urgent,अत्यावश्यक Use Multi-Level BOM,मल्टी लेवल बीओएम का उपयोग करें @@ -3217,11 +3015,9 @@ User ID,प्रयोक्ता आईडी User ID not set for Employee {0},यूजर आईडी कर्मचारी के लिए सेट नहीं {0} User Name,यूज़र नेम User Name or Support Password missing. Please enter and try again.,उपयोगकर्ता नाम या समर्थन पारण लापता . भरें और फिर कोशिश करें. -User Permission Restrictions,उपयोगकर्ता की अनुमति प्रतिबंध User Remark,उपयोगकर्ता के टिप्पणी User Remark will be added to Auto Remark,उपयोगकर्ता टिप्पणी ऑटो टिप्पणी करने के लिए जोड़ दिया जाएगा User Remarks is mandatory,उपयोगकर्ता अनिवार्य है रिमार्क्स -User Restrictions,उपयोगकर्ता का प्रतिबंध User Specific,उपयोगकर्ता विशिष्ट User must always select,उपयोगकर्ता हमेशा का चयन करना होगा User {0} is already assigned to Employee {1},प्रयोक्ता {0} पहले से ही कर्मचारी को सौंपा है {1} @@ -3319,8 +3115,6 @@ Will be updated after Sales Invoice is Submitted.,बिक्री चाल Will be updated when batched.,Batched जब अद्यतन किया जाएगा. Will be updated when billed.,बिल भेजा जब अद्यतन किया जाएगा. Wire Transfer,वायर ट्रांसफर -With Groups,समूह के साथ -With Ledgers,बहीखाते के साथ With Operations,आपरेशनों के साथ With period closing entry,अवधि समापन प्रवेश के साथ Work Details,कार्य विवरण @@ -3328,7 +3122,6 @@ Work Done,करेंकिया गया काम Work In Progress,अर्धनिर्मित उत्पादन Work-in-Progress Warehouse,कार्य में प्रगति गोदाम Work-in-Progress Warehouse is required before Submit,वर्क प्रगति वेयरहाउस प्रस्तुत करने से पहले आवश्यक है -Workflow will start after saving.,कार्यप्रवाह सहेजने के बाद शुरू कर देंगे. Working,कार्य Workstation,वर्कस्टेशन Workstation Name,वर्कस्टेशन नाम @@ -3351,11 +3144,6 @@ Year Start Date should not be greater than Year End Date,वर्ष प्र Year of Passing,पासिंग का वर्ष Yearly,वार्षिक Yes,हां -Yesterday,कल -You are not allowed to create / edit reports,आप / संपादित रिपोर्ट बनाने के लिए अनुमति नहीं है -You are not allowed to export this report,आप इस रिपोर्ट को निर्यात करने की अनुमति नहीं है -You are not allowed to print this document,आप इस दस्तावेज़ मुद्रित करने की अनुमति नहीं है -You are not allowed to send emails related to this document,आप इस दस्तावेज़ से संबंधित ईमेल भेजने की अनुमति नहीं है You are not authorized to add or update entries before {0},इससे पहले कि आप प्रविष्टियों को जोड़ने या अद्यतन करने के लिए अधिकृत नहीं हैं {0} You are not authorized to set Frozen value,आप स्थिर मूल्य निर्धारित करने के लिए अधिकृत नहीं हैं You are the Expense Approver for this record. Please Update the 'Status' and Save,आप इस रिकॉर्ड के लिए खर्च अनुमोदक हैं . 'स्थिति' अद्यतन और बचा लो @@ -3372,7 +3160,6 @@ You can submit this Stock Reconciliation.,आप इस स्टॉक सु You can update either Quantity or Valuation Rate or both.,आप मात्रा या मूल्यांकन दर या दोनों को अपडेट कर सकते हैं . You cannot credit and debit same account at the same time,आप क्रेडिट और एक ही समय में एक ही खाते से डेबिट नहीं कर सकते You have entered duplicate items. Please rectify and try again.,आप डुप्लिकेट आइटम दर्ज किया है . सुधारने और पुन: प्रयास करें . -You have unsaved changes in this form. Please save before you continue.,आप इस प्रपत्र में परिवर्तन सहेजे नहीं गए . You may need to update: {0},आप अद्यतन करना पड़ सकता है: {0} You must Save the form before proceeding,आगे बढ़ने से पहले फार्म सहेजना चाहिए You must allocate amount before reconcile,आप सामंजस्य से पहले राशि का आवंटन करना चाहिए @@ -3381,7 +3168,6 @@ Your Customers,अपने ग्राहकों Your Login Id,आपके लॉगिन आईडी Your Products or Services,अपने उत्पादों या सेवाओं Your Suppliers,अपने आपूर्तिकर्ताओं -"Your download is being built, this may take a few moments...","आपका डाउनलोड का निर्माण किया जा रहा है, इसमें कुछ समय लग सकता है ..." Your email address,आपका ईमेल पता Your financial year begins on,आपकी वित्तीय वर्ष को शुरू होता है Your financial year ends on,आपकी वित्तीय वर्ष को समाप्त होता है @@ -3394,8 +3180,6 @@ Your support email id - must be a valid email - this is where your emails will c and,और are not allowed.,अनुमति नहीं है. assigned by,द्वारा सौंपा -comment,टिप्पणी -comments,टिप्पणियां "e.g. ""Build tools for builders""",उदाहरणार्थ "e.g. ""MC""",उदाहरणार्थ "e.g. ""My Company LLC""",उदाहरणार्थ @@ -3405,14 +3189,9 @@ e.g. 5,उदाहरणार्थ e.g. VAT,उदाहरणार्थ eg. Cheque Number,उदा. चेक संख्या example: Next Day Shipping,उदाहरण: अगले दिन शिपिंग -found,पाया -is not allowed.,अनुमति नहीं है. lft,LFT old_parent,old_parent -or,या rgt,rgt -to,से -values and dates,मूल्यों और तारीखें website page link,वेबसाइट के पेज लिंक {0} '{1}' not in Fiscal Year {2},{0} ' {1}' नहीं वित्त वर्ष में {2} {0} Credit limit {0} crossed,{0} क्रेडिट सीमा {0} को पार कर गया diff --git a/erpnext/translations/hr.csv b/erpnext/translations/hr.csv index a32e03c846..1e6fa11e62 100644 --- a/erpnext/translations/hr.csv +++ b/erpnext/translations/hr.csv @@ -1,7 +1,5 @@ (Half Day),(Poludnevni) and year: ,i godina: - by Role ,prema ulozi - is not set,nije postavljen """ does not exists",""" Ne postoji" % Delivered,Isporučena% % Amount Billed,% Iznos Naplaćeno @@ -34,7 +32,6 @@ "1 Currency = [?] Fraction For e.g. 1 USD = 100 Cent",1 Valuta = Frakcija [ ? ] \ NFor pr 1. To maintain the customer wise item code and to make them searchable based on their code use this option,1. Za održavanje kupaca mudar Šifra i kako bi ih pretraživati ​​na temelju svog koda koristiti ovu opciju -2 days ago,Prije 2 dana "Add / Edit"," Dodaj / Uredi < />" "Add / Edit"," Dodaj / Uredi < />" "Add / Edit"," Dodaj / Uredi < />" @@ -89,7 +86,6 @@ Accounts Frozen Upto,Računi Frozen Upto Accounts Payable,Računi naplativo Accounts Receivable,Potraživanja Accounts Settings,Računi Postavke -Actions,akcije Active,Aktivan Active: Will extract emails from ,Aktivno: Hoće li izdvojiti e-pošte iz Activity,Djelatnost @@ -111,23 +107,13 @@ Actual Quantity,Stvarni Količina Actual Start Date,Stvarni datum početka Add,Dodati Add / Edit Taxes and Charges,Dodaj / Uredi poreza i pristojbi -Add Attachments,Dodaj privitke -Add Bookmark,Dodaj Bookmark Add Child,Dodaj dijete -Add Column,Dodaj stupac -Add Message,Dodaj poruku -Add Reply,Dodaj Odgovor Add Serial No,Dodaj rednim brojem Add Taxes,Dodaj Porezi Add Taxes and Charges,Dodaj poreze i troškove -Add This To User's Restrictions,Dodaj Ovaj na korisnikov Ograničenja -Add attachment,Dodaj privitak -Add new row,Dodaj novi redak Add or Deduct,Dodavanje ili Oduzmite Add rows to set annual budgets on Accounts.,Dodavanje redaka postaviti godišnje proračune na računima. Add to Cart,Dodaj u košaricu -Add to To Do,Dodaj u Raditi -Add to To Do List of,Dodaj u napraviti popis od Add to calendar on this date,Dodaj u kalendar ovog datuma Add/Remove Recipients,Dodaj / Ukloni primatelja Address,Adresa @@ -220,9 +206,6 @@ Allow user to edit Price List Rate in transactions,Dopustite korisniku da uredit Allowance Percent,Dodatak posto Allowance for over-delivery / over-billing crossed for Item {0},Doplatak za više - dostavu / nad - naplate prešao za točke {0} Allowed Role to Edit Entries Before Frozen Date,Dopuštenih uloga za uređivanje upise Prije Frozen Datum -"Allowing DocType, DocType. Be careful!","Dopuštanje DOCTYPE , vrstu dokumenata . Budite oprezni !" -Alternative download link,Alternativni link za download -Amend,Ispraviti Amended From,Izmijenjena Od Amount,Iznos Amount (Company Currency),Iznos (Društvo valuta) @@ -270,26 +253,18 @@ Approving User,Odobravanje korisnika Approving User cannot be same as user the rule is Applicable To,Odobravanje korisnik ne može biti isto kao korisnikapravilo odnosi se na Are you sure you want to STOP , Are you sure you want to UNSTOP , -Are you sure you want to delete the attachment?,Jeste li sigurni da želite izbrisati privitak? Arrear Amount,Iznos unatrag "As Production Order can be made for this item, it must be a stock item.","Kao Production Order može biti za tu stavku , to mora bitipredmet dionica ." As per Stock UOM,Kao po burzi UOM "As there are existing stock transactions for this item, you can not change the values of 'Has Serial No', 'Is Stock Item' and 'Valuation Method'","Kao što već postoje dionica transakcije za ovu stavku , ne možete mijenjati vrijednosti ' Je rednim brojem ' , ' Je Stock točka ""i"" Vrednovanje metoda'" -Ascending,Uzlazni Asset,Asset -Assign To,Dodijeliti -Assigned To,Dodijeljeno -Assignments,zadaci Assistant,asistent Associate,pomoćnik Atleast one warehouse is mandatory,Atleast jednom skladištu je obavezno -Attach Document Print,Priloži dokument Ispis Attach Image,Pričvrstite slike Attach Letterhead,Pričvrstite zaglavljem Attach Logo,Pričvrstite Logo Attach Your Picture,Učvrstite svoju sliku -Attach as web link,Pričvrstite kao web veze -Attachments,Privitci Attendance,Pohađanje Attendance Date,Gledatelja Datum Attendance Details,Gledatelja Detalji @@ -402,7 +377,6 @@ Block leave applications by department.,Blok ostaviti aplikacija odjelu. Blog Post,Blog post Blog Subscriber,Blog Pretplatnik Blood Group,Krv Grupa -Bookmarks,Favoriti Both Warehouse must belong to same Company,Oba Skladište mora pripadati istoj tvrtki Box,kutija Branch,Grana @@ -437,7 +411,6 @@ C-Form No,C-Obrazac br C-Form records,C - Form zapisi Calculate Based On,Izračunajte Na temelju Calculate Total Score,Izračunajte ukupni rezultat -Calendar,Kalendar Calendar Events,Kalendar događanja Call,Nazvati Calls,pozivi @@ -450,7 +423,6 @@ Can be approved by {0},Može biti odobren od strane {0} "Can not filter based on Account, if grouped by Account","Ne možete filtrirati na temelju računa , ako grupirani po računu" "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" Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"Može se odnositi red samo akotip zadužen je "" Na prethodni red Iznos 'ili' prethodnog retka Total '" -Cancel,Otkazati Cancel Material Visit {0} before cancelling this Customer Issue,Odustani Materijal Posjetite {0} prije poništenja ovog kupca Issue Cancel Material Visits {0} before cancelling this Maintenance Visit,Odustani Posjeta materijala {0} prije otkazivanja ovog održavanja pohod Cancelled,Otkazan @@ -469,11 +441,7 @@ Cannot deactive or cancle BOM as it is linked with other BOMs,Ne možete DEACTIV Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Ne mogu odbiti kada kategorija je "" vrednovanje "" ili "" Vrednovanje i Total '" "Cannot delete Serial No {0} in stock. First remove from stock, then delete.","Ne možete izbrisati rednim brojem {0} na lageru . Prvo izvadite iz zalihe , a zatim izbrisati ." "Cannot directly set amount. For 'Actual' charge type, use the rate field","Ne može se izravno postaviti iznos . Za stvarnu ' tipa naboja , koristiti polje rate" -Cannot edit standard fields,Ne možete uređivati ​​standardnih polja -Cannot open instance when its {0} is open,Ne možete otvoriti primjer kada je {0} je otvoren -Cannot open {0} when its instance is open,Ne možete otvoriti {0} kada je instanca je otvoren "Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in 'Setup' > 'Global Defaults'","Ne možete overbill za točku {0} u redu {0} više od {1} . Da bi se omogućilo overbilling , molimo postavljena u "" Setup "" > "" Globalni Zadani '" -Cannot print cancelled documents,Ne možete ispisivati ​​dokumente otkazan Cannot produce more Item {0} than Sales Order quantity {1},Ne može proizvesti više predmeta {0} od prodajnog naloga količina {1} Cannot refer row number greater than or equal to current row number for this Charge type,Ne mogu se odnositi broj retka veći ili jednak trenutnom broju red za ovu vrstu Charge Cannot return more than {0} for Item {1},Ne može se vratiti više od {0} za točku {1} @@ -527,19 +495,14 @@ Claim Amount,Iznos štete Claims for company expense.,Potraživanja za tvrtke trošak. Class / Percentage,Klasa / Postotak Classic,Klasik -Clear Cache,Clear Cache Clear Table,Jasno Tablica Clearance Date,Razmak Datum Clearance Date not mentioned,Razmak Datum nije spomenuo Clearance date cannot be before check date in row {0},Datum rasprodaja ne može biti prije datuma check u redu {0} Click on 'Make Sales Invoice' button to create a new Sales Invoice.,Kliknite na "Make prodaje Račun 'gumb za stvaranje nove prodaje fakture. Click on a link to get options to expand get options , -Click on row to view / edit.,Kliknite na red za pregled / uređivanje . -Click to Expand / Collapse,Kliknite na Proširi / Sažmi Client,Klijent -Close,Zatvoriti Close Balance Sheet and book Profit or Loss.,Zatvori bilanca i knjiga dobit ili gubitak . -Close: {0},Zatvori : {0} Closed,Zatvoreno Closing Account Head,Zatvaranje računa šefa Closing Account {0} must be of type 'Liability',Zatvaranje računa {0} mora biti tipa ' odgovornosti ' @@ -550,10 +513,8 @@ Closing Value,zatvaranje vrijednost CoA Help,CoA Pomoć Code,Šifra Cold Calling,Hladno pozivanje -Collapse,kolaps Color,Boja Comma separated list of email addresses,Zarez odvojen popis e-mail adrese -Comment,Komentirati Comments,Komentari Commercial,trgovački Commission,provizija @@ -564,7 +525,6 @@ Commission rate cannot be greater than 100,Proviziju ne može biti veća od 100 Communication,Komunikacija Communication HTML,Komunikacija HTML Communication History,Komunikacija Povijest -Communication Medium,Komunikacija srednje Communication log.,Komunikacija dnevnik. Communications,Communications Company,Društvo @@ -583,7 +543,6 @@ Company registration numbers for your reference. Tax numbers etc.,Tvrtka registr "Company, Month and Fiscal Year is mandatory","Tvrtka , Mjesec i Fiskalna godina je obvezno" Compensatory Off,kompenzacijski Off Complete,Dovršiti -Complete By,Kompletan Do Complete Setup,kompletan Setup Completed,Dovršen Completed Production Orders,Završeni Radni nalozi @@ -635,7 +594,6 @@ Convert into Recurring Invoice,Pretvori u Ponavljajući fakture Convert to Group,Pretvori u Grupi Convert to Ledger,Pretvori u knjizi Converted,Pretvoreno -Copy,Kopirajte Copy From Item Group,Primjerak iz točke Group Cosmetics,kozmetika Cost Center,Troška @@ -666,7 +624,6 @@ Create Stock Ledger Entries when you submit a Sales Invoice,Otvori Stock stavke Create rules to restrict transactions based on values.,Stvaranje pravila za ograničavanje prometa na temelju vrijednosti . Created By,Stvorio Creates salary slip for above mentioned criteria.,Stvara plaće slip za gore navedene kriterije. -Creation / Modified By,Stvaranje / Izmijenio Creation Date,Datum stvaranja Creation Document No,Stvaranje dokumenata nema Creation Document Type,Tip stvaranje dokumenata @@ -697,11 +654,9 @@ Current Liabilities,Kratkoročne obveze Current Stock,Trenutni Stock Current Stock UOM,Trenutni kataloški UOM Current Value,Trenutna vrijednost -Current status,Trenutni status Custom,Običaj Custom Autoreply Message,Prilagođena Automatski Poruka Custom Message,Prilagođena poruka -Custom Reports,Prilagođena izvješća Customer,Kupac Customer (Receivable) Account,Kupac (Potraživanja) račun Customer / Item Name,Kupac / Stavka Ime @@ -750,7 +705,6 @@ Date Format,Datum Format Date Of Retirement,Datum odlaska u mirovinu Date Of Retirement must be greater than Date of Joining,Datum umirovljenja mora biti veća od dana ulaska u Date is repeated,Datum se ponavlja -Date must be in format: {0},Datum mora biti u obliku : {0} Date of Birth,Datum rođenja Date of Issue,Datum izdavanja Date of Joining,Datum Ulazak @@ -761,7 +715,6 @@ Dates,Termini Days Since Last Order,Dana od posljednjeg reda Days for which Holidays are blocked for this department.,Dani za koje Praznici su blokirane za ovaj odjel. Dealer,Trgovac -Dear,Drag Debit,Zaduženje Debit Amt,Rashodi Amt Debit Note,Rashodi Napomena @@ -809,7 +762,6 @@ Default settings for stock transactions.,Zadane postavke za burzovne transakcije Defense,odbrana "Define Budget for this Cost Center. To set budget action, see Company Master","Odredite proračun za ovu troška. Da biste postavili proračuna akciju, vidi Tvrtka Master" Delete,Izbrisati -Delete Row,Izbriši redak Delete {0} {1}?,Brisanje {0} {1} ? Delivered,Isporučena Delivered Items To Be Billed,Isporučena Proizvodi se naplaćuje @@ -836,7 +788,6 @@ Department,Odsjek Department Stores,robne kuće Depends on LWP,Ovisi o lwp Depreciation,deprecijacija -Descending,Spuštanje Description,Opis Description HTML,Opis HTML Designation,Oznaka @@ -881,15 +832,10 @@ Do you really want to stop production order: , Doc Name,Doc Ime Doc Type,Doc Tip Document Description,Dokument Opis -Document Status transition from ,Dokument Status prijelaz iz -Document Status transition from {0} to {1} is not allowed,Status dokumenta tranzicija iz {0} u {1} nije dopušteno Document Type,Document Type -Document is only editable by users of role,Dokument je samo uređivati ​​korisnika ulozi -Documentation,Dokumentacija Documents,Dokumenti Domain,Domena Don't send Employee Birthday Reminders,Ne šaljite zaposlenika podsjetnici na rođendan -Download,Preuzimanje Download Materials Required,Preuzmite Materijali za Download Reconcilation Data,Preuzmite Reconcilation podatke Download Template,Preuzmite predložak @@ -898,8 +844,6 @@ Download a report containing all raw materials with their latest inventory statu "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žite izmijenjenu datoteku . \ NAll datira i kombinacija zaposlenika u odabranom razdoblju će doći u predlošku , s postojećim izostancima" Draft,Skica -Drafts,Nacrti -Drag to sort columns,Povuci za sortiranje stupaca Dropbox,Dropbox Dropbox Access Allowed,Dropbox Pristup dopuštenih Dropbox Access Key,Dropbox Pristupna tipka @@ -920,7 +864,6 @@ Earning & Deduction,Zarada & Odbitak Earning Type,Zarada Vid Earning1,Earning1 Edit,Uredi -Editable,Uređivati Education,obrazovanje Educational Qualification,Obrazovne kvalifikacije Educational Qualification Details,Obrazovni Pojedinosti kvalifikacije @@ -940,12 +883,9 @@ Email Id,E-mail ID "Email Id where a job applicant will email e.g. ""jobs@example.com""",E-mail Id gdje posao zahtjeva će e-mail npr. "jobs@example.com" Email Notifications,E-mail obavijesti Email Sent?,E-mail poslan? -"Email addresses, separted by commas","E-mail adrese, separted zarezom" "Email id must be unique, already exists for {0}","Id Email mora biti jedinstven , već postoji za {0}" Email ids separated by commas.,E-mail ids odvojene zarezima. -Email sent to {0},E-mail poslan na {0} "Email settings to extract Leads from sales email id e.g. ""sales@example.com""",E-mail postavke za izdvajanje vodi od prodaje email id npr. "sales@example.com" -Email...,E-mail ... Emergency Contact,Hitna Kontakt Emergency Contact Details,Hitna Kontaktni podaci Emergency Phone,Hitna Telefon @@ -984,7 +924,6 @@ End date of current invoice's period,Kraj datum tekućeg razdoblja dostavnice End of Life,Kraj života Energy,energija Engineer,inženjer -Enter Value,Unesite vrijednost Enter Verification Code,Unesite kod za provjeru Enter campaign name if the source of lead is campaign.,Unesite naziv kampanje ukoliko izvor olova je kampanja. Enter department to which this Contact belongs,Unesite odjel na koji se ovaj Kontakt pripada @@ -1002,7 +941,6 @@ Entries,Prijave Entries against,Prijave protiv Entries are not allowed against this Fiscal Year if the year is closed.,"Prijave nisu dozvoljeni protiv ove fiskalne godine, ako se godina zatvoren." Entries before {0} are frozen,Upisi prije {0} su zamrznuta -Equals,jednakima Equity,pravičnost Error: {0} > {1},Pogreška : {0} > {1} Estimated Material Cost,Procjena troškova materijala @@ -1019,7 +957,6 @@ Exhibition,Izložba Existing Customer,Postojeći Kupac Exit,Izlaz Exit Interview Details,Izlaz Intervju Detalji -Expand,proširiti Expected,Očekivana Expected Completion Date can not be less than Project Start Date,Očekivani datum dovršetka ne može biti manja od projekta Početni datum Expected Date cannot be before Material Request Date,Očekivani datum ne može biti prije Materijal Zahtjev Datum @@ -1052,8 +989,6 @@ Expenses Booked,Rashodi Rezervirani Expenses Included In Valuation,Troškovi uključeni u vrednovanje Expenses booked for the digest period,Troškovi rezerviranih za razdoblje digest Expiry Date,Datum isteka -Export,Izvoz -Export not allowed. You need {0} role to export.,Izvoz nisu dopušteni . Trebate {0} ulogu za izvoz . Exports,Izvoz External,Vanjski Extract Emails,Ekstrakt e-pošte @@ -1068,11 +1003,8 @@ Feedback,Povratna veza Female,Ženski Fetch exploded BOM (including sub-assemblies),Fetch eksplodirala BOM (uključujući i podsklopova ) "Field available in Delivery Note, Quotation, Sales Invoice, Sales Order","Polje dostupan u otpremnicu, ponudu, prodaje fakture, prodaja reda" -Field {0} is not selectable.,Polje {0} se ne može odabrati . -File,File Files Folder ID,Files ID Fill the form and save it,Ispunite obrazac i spremite ga -Filter,Filter Filter based on customer,Filter temelji se na kupca Filter based on item,Filtrirati na temelju točki Financial / accounting year.,Financijska / obračunska godina . @@ -1101,14 +1033,10 @@ For Server Side Print Formats,Za Server formati stranom za ispis For Supplier,za Supplier For Warehouse,Za galeriju For Warehouse is required before Submit,Jer je potrebno Warehouse prije Podnijeti -"For comparative filters, start with","Za komparativne filtera, početi s" "For e.g. 2012, 2012-13","Za npr. 2012, 2012-13" -For ranges,Za raspone For reference,Za referencu For reference only.,Za samo kao referenca. "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" -Form,Oblik -Forums,Forum Fraction,Frakcija Fraction Units,Frakcije Jedinice Freeze Stock Entries,Zamrzavanje Stock Unosi @@ -1161,12 +1089,10 @@ Generate Material Requests (MRP) and Production Orders.,Generirajte Materijal Up Generate Salary Slips,Generiranje plaće gaćice Generate Schedule,Generiranje Raspored Generates HTML to include selected image in the description,Stvara HTML uključuju odabrane slike u opisu -Get,Dobiti Get Advances Paid,Nabavite plaćenim avansima Get Advances Received,Get Napredak pozicija Get Against Entries,Nabavite Protiv upise Get Current Stock,Nabavite trenutne zalihe -Get From ,Nabavite Od Get Items,Nabavite artikle Get Items From Sales Orders,Get artikle iz narudžbe Get Items from BOM,Se predmeti s troškovnikom @@ -1194,8 +1120,6 @@ Government,vlada Graduate,Diplomski Grand Total,Sveukupno Grand Total (Company Currency),Sveukupno (Društvo valuta) -Greater or equals,Veće ili jednaki -Greater than,veći od "Grid ""","Grid """ Grocery,Trgovina Gross Margin %,Bruto marža% @@ -1207,7 +1131,6 @@ Gross Profit (%),Bruto dobit (%) Gross Weight,Bruto težina Gross Weight UOM,Bruto težina UOM Group,Grupa -"Group Added, refreshing...","Grupa Dodano , osvježavajuće ..." Group by Account,Grupa po računu Group by Voucher,Grupa po vaučer Group or Ledger,Grupa ili knjiga @@ -1229,14 +1152,12 @@ Health Care,Health Care Health Concerns,Zdravlje Zabrinutost Health Details,Zdravlje Detalji Held On,Održanoj -Help,Pomoći Help HTML,Pomoć HTML "Help: To link to another record in the system, use ""#Form/Note/[Note Name]"" as the Link URL. (don't use ""http://"")","Pomoć: Za povezivanje na drugi zapis u sustavu, koristite "# Forma / Napomena / [Napomena ime]" kao URL veze. (Ne koristite "http://")" "Here you can maintain family details like name and occupation of parent, spouse and children","Ovdje možete održavati obiteljske pojedinosti kao što su ime i okupacije roditelja, supružnika i djecu" "Here you can maintain height, weight, allergies, medical concerns etc","Ovdje možete održavati visina, težina, alergije, medicinske brige itd." Hide Currency Symbol,Sakrij simbol valute High,Visok -History,Povijest History In Company,Povijest U Društvu Hold,Držati Holiday,Odmor @@ -1281,17 +1202,14 @@ If you have Sales Team and Sale Partners (Channel Partners) they can be tagged If you involve in manufacturing activity. Enables Item 'Is Manufactured',Ako uključiti u proizvodnom djelatnošću . Omogućuje stavci je proizveden ' Ignore,Ignorirati Ignored: ,Zanemareni: -"Ignoring Item {0}, because a group exists with the same name!","Ignoriranje Stavka {0} , jer jegrupa postoji s istim imenom !" Image,Slika Image View,Slika Pogledaj Implementation Partner,Provedba partner -Import,Uvoz Import Attendance,Uvoz posjećenost Import Failed!,Uvoz nije uspio ! Import Log,Uvoz Prijavite Import Successful!,Uvoz uspješna! Imports,Uvoz -In,u In Hours,U sati In Process,U procesu In Qty,u kol @@ -1306,7 +1224,6 @@ In Words will be visible once you save the Purchase Receipt.,U riječi će biti In Words will be visible once you save the Quotation.,U riječi će biti vidljiv nakon što spremite ponudu. In Words will be visible once you save the Sales Invoice.,U riječi će biti vidljiv nakon što spremite prodaje fakture. In Words will be visible once you save the Sales Order.,U riječi će biti vidljiv nakon što spremite prodajnog naloga. -In response to,U odgovoru na Incentives,Poticaji Include Reconciled Entries,Uključi pomirio objave Include holidays in Total no. of Working Days,Uključi odmor u ukupnom. radnih dana @@ -1327,8 +1244,6 @@ Indirect Income,Neizravno dohodak Individual,Pojedinac Industry,Industrija Industry Type,Industrija Tip -Insert Below,Umetnite Ispod -Insert Row,Umetnite Row Inspected By,Pregledati Inspection Criteria,Inspekcijski Kriteriji Inspection Required,Inspekcija Obvezno @@ -1350,8 +1265,6 @@ Internal,Interni Internet Publishing,Internet Izdavaštvo Introduction,Uvod Invalid Barcode or Serial No,Invalid Barcode ili Serial Ne -Invalid Email: {0},Invalid Email : {0} -Invalid Filter: {0},Invalid Filter : {0} Invalid Mail Server. Please rectify and try again.,Invalid Server Mail . Molimo ispraviti i pokušajte ponovno . Invalid Master Name,Invalid Master Ime Invalid User Name or Support Password. Please rectify and try again.,Neispravno korisničko ime ili podrška Lozinka . Molimo ispraviti i pokušajte ponovno . @@ -1516,7 +1429,6 @@ Landed Cost updated successfully,Sletio Troškovi uspješno ažurirana Language,Jezik Last Name,Prezime Last Purchase Rate,Zadnja Kupnja Ocijenite -Last updated by,Posljednji put ažurirao Latest,najnoviji Lead,Dovesti Lead Details,Olovo Detalji @@ -1566,24 +1478,17 @@ Ledgers,knjige Left,Lijevo Legal,pravni Legal Expenses,pravne Troškovi -Less or equals,Manje ili jednaki -Less than,manje od Letter Head,Pismo Head Letter Heads for print templates.,Pismo glave za ispis predložaka . Level,Nivo Lft,LFT Liability,odgovornost -Like,kao -Linked With,Povezan s -List,Popis List a few of your customers. They could be organizations or individuals.,Naveditenekoliko svojih kupaca . Oni mogu biti organizacije ili pojedinci . List a few of your suppliers. They could be organizations or individuals.,Naveditenekoliko svojih dobavljača . Oni mogu biti organizacije ili pojedinci . List items that form the package.,Popis stavki koje čine paket. List this Item in multiple groups on the website.,Popis ovaj predmet u više grupa na web stranici. "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 . "List your tax heads (e.g. VAT, Excise; 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 , trošarine , oni bi trebali imati jedinstvene nazive ) i njihove standardne stope ." -Loading,Utovar -Loading Report,Učitavanje izvješće Loading...,Loading ... Loans (Liabilities),Zajmovi ( pasiva) Loans and Advances (Assets),Zajmovi i predujmovi ( aktiva ) @@ -1591,7 +1496,6 @@ Local,mjesni Login with your new User ID,Prijavite se s novim User ID Logo,Logo Logo and Letter Heads,Logo i pismo glave -Logout,Odjava Lost,izgubljen Lost Reason,Izgubili Razlog Low,Nisko @@ -1642,7 +1546,6 @@ Make Salary Structure,Provjerite Plaća Struktura Make Sales Invoice,Ostvariti prodaju fakturu Make Sales Order,Provjerite prodajnog naloga Make Supplier Quotation,Provjerite Supplier kotaciji -Make a new,Napravite novi Male,Muški Manage Customer Group Tree.,Upravljanje grupi kupaca stablo . Manage Sales Person Tree.,Upravljanje prodavač stablo . @@ -1650,8 +1553,6 @@ Manage Territory Tree.,Upravljanje teritorij stablo . Manage cost of operations,Upravljanje troškove poslovanja Management,upravljanje Manager,menadžer -Mandatory fields required in {0},Obavezna polja potrebni u {0} -Mandatory filters required:\n,Obvezni filteri potrebni : \ n "Mandatory if Stock Item is ""Yes"". Also the default warehouse where reserved quantity is set from Sales Order.",Obvezni ako Stock Stavka je "Da". Također zadano skladište gdje je zadržana količina se postaviti od prodajnog naloga. Manufacture against Sales Order,Proizvodnja protiv prodaje Reda Manufacture/Repack,Proizvodnja / Ponovno pakiranje @@ -1722,13 +1623,11 @@ Minute,minuta Misc Details,Razni podaci Miscellaneous Expenses,Razni troškovi Miscelleneous,Miscelleneous -Missing Values Required,Nedostaje vrijednosti potrebne Mobile No,Mobitel Nema Mobile No.,Mobitel broj Mode of Payment,Način plaćanja Modern,Moderna Modified Amount,Promijenio Iznos -Modified by,Izmijenio Monday,Ponedjeljak Month,Mjesec Monthly,Mjesečno @@ -1736,12 +1635,9 @@ Monthly Attendance Sheet,Mjesečna posjećenost list Monthly Earning & Deduction,Mjesečna zarada & Odbitak Monthly Salary Register,Mjesečna plaća Registracija Monthly salary statement.,Mjesečna plaća izjava. -More,Više More Details,Više pojedinosti More Info,Više informacija Motion Picture & Video,Motion Picture & Video -Move Down: {0},Pomicanje dolje : {0} -Move Up: {0},Move Up : {0} Moving Average,Moving Average Moving Average Rate,Premještanje prosječna stopa Mr,G. @@ -1751,12 +1647,9 @@ Multiple Item prices.,Više cijene stavke. conflict by assigning priority. Price Rules: {0}","Višestruki Cijena Pravilo postoji sa istim kriterijima , molimo rješavanje \ \ n sukob dodjeljivanjem prioritet ." Music,glazba Must be Whole Number,Mora biti cijeli broj -My Settings,Moje postavke Name,Ime Name and Description,Naziv i opis Name and Employee ID,Ime i zaposlenika ID -Name is required,Ime je potrebno -Name not permitted,Ime nije dopušteno "Name of new Account. Note: Please don't create accounts for Customers and Suppliers, they are created automatically from the Customer and Supplier master","Ime novog računa . Napomena : Molimo vas da ne stvaraju račune za kupce i dobavljače , oni se automatski stvara od klijenata i dobavljača majstora" Name of person or organization that this address belongs to.,Ime osobe ili organizacije koje ova adresa pripada. Name of the Budget Distribution,Ime distribucije proračuna @@ -1774,7 +1667,6 @@ Net Weight UOM,Težina UOM Net Weight of each Item,Težina svake stavke Net pay cannot be negative,Neto plaća ne može biti negativna Never,Nikad -New,novi New , New Account,Novi račun New Account Name,Novi naziv računa @@ -1794,7 +1686,6 @@ New Projects,Novi projekti New Purchase Orders,Novi narudžbenice New Purchase Receipts,Novi Kupnja Primici New Quotations,Novi Citati -New Record,Novi rekord New Sales Orders,Nove narudžbe New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Novi Serial No ne mogu imati skladište . Skladište mora biti postavljen od strane burze upisu ili kupiti primitka New Stock Entries,Novi Stock upisi @@ -1816,11 +1707,8 @@ Next,sljedeći Next Contact By,Sljedeća Kontakt Do Next Contact Date,Sljedeća Kontakt Datum Next Date,Sljedeća Datum -Next Record,Sljedeći slog -Next actions,Sljedeći akcije Next email will be sent on:,Sljedeća e-mail će biti poslan na: No,Ne -No Communication tagged with this ,Ne Komunikacija označio s ovim No Customer Accounts found.,Nema kupaca Računi pronađena . No Customer or Supplier Accounts found,Nema kupaca i dobavljača Računi naći No Expense Approvers. Please assign 'Expense Approver' Role to atleast one user,Nema Rashodi approvers . Molimo dodijeliti ' Rashodi odobravatelju ' Uloga da atleast jednom korisniku @@ -1830,48 +1718,31 @@ No Items to pack,Nema stavki za omot No Leave Approvers. Please assign 'Leave Approver' Role to atleast one user,Nema dopusta approvers . Molimo dodijeliti ' ostavite odobravatelju ' Uloga da atleast jednom korisniku No Permission,Bez dozvole No Production Orders created,Nema Radni nalozi stvoreni -No Report Loaded. Please use query-report/[Report Name] to run a report.,Ne Izvješće Loaded. Molimo koristite upita izvješće / [Prijavi Ime] pokrenuti izvješće. -No Results,nema Rezultati No Supplier Accounts found. Supplier Accounts are identified based on 'Master Type' value in account record.,"Nema Supplier Računi pronađena . Supplier Računi su identificirani na temelju ' Master vrstu "" vrijednosti u računu rekord ." No accounting entries for the following warehouses,Nema računovodstvene unosi za sljedeće skladišta No addresses created,Nema adrese stvoreni No contacts created,Nema kontakata stvoreni No default BOM exists for Item {0},Ne default BOM postoji točke {0} No description given,Nema opisa dano -No document selected,Nema odabranih dokumenata No employee found,Niti jedan zaposlenik pronađena No employee found!,Niti jedan zaposlenik našao ! No of Requested SMS,Nema traženih SMS No of Sent SMS,Ne poslanih SMS No of Visits,Bez pregleda -No one,Niko No permission,nema dozvole -No permission to '{0}' {1},Nema dozvole za ' {0} ' {1} -No permission to edit,Nema dozvole za uređivanje No record found,Ne rekord naći -No records tagged.,Nema zapisa tagged. No salary slip found for month: ,Bez plaće slip naći za mjesec dana: Non Profit,Neprofitne -None,Nijedan -None: End of Workflow,Ništa: Kraj Workflow Nos,Nos Not Active,Ne aktivna Not Applicable,Nije primjenjivo Not Available,nije dostupno Not Billed,Ne Naplaćeno Not Delivered,Ne Isporučeno -Not Found,Not Found -Not Linked to any record.,Nije povezan s bilo rekord. -Not Permitted,Nije dopušteno Not Set,ne Set -Not Submitted,ne Postavio -Not allowed,nije dopušteno Not allowed to update entries older than {0},Nije dopušteno ažurirati unose stariji od {0} Not authorized to edit frozen Account {0},Nije ovlašten za uređivanje smrznute račun {0} Not authroized since {0} exceeds limits,Ne authroized od {0} prelazi granice -Not enough permission to see links.,Nije dovoljno dozvolu za vidjeti linkove. -Not equals,nisu jednaki -Not found,nije pronađen Not permitted,nije dopušteno Note,Primijetiti Note User,Napomena Upute @@ -1880,7 +1751,6 @@ Note User,Napomena Upute Note: Due Date exceeds the allowed credit days by {0} day(s),Napomena : Zbog Datum prelazi dopuštene kreditne dane od strane {0} dan (a) Note: Email will not be sent to disabled users,Napomena: E-mail neće biti poslan invalide Note: Item {0} entered multiple times,Napomena : Stavka {0} upisan je više puta -Note: Other permission rules may also apply,Napomena: Ostala pravila dozvole također može primijeniti 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 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 Note: There is not enough leave balance for Leave Type {0},Napomena : Nema dovoljno ravnotežu dopust za dozvolu tipa {0} @@ -1889,12 +1759,9 @@ Note: {0},Napomena : {0} Notes,Bilješke Notes:,Bilješke : Nothing to request,Ništa se zatražiti -Nothing to show,Ništa pokazati -Nothing to show for this selection,Ništa za pokazati ovom izboru Notice (days),Obavijest (dani ) Notification Control,Obavijest kontrola Notification Email Address,Obavijest E-mail adresa -Notify By Email,Obavijesti e-poštom Notify by Email on creation of automatic Material Request,Obavijesti putem e-pošte na stvaranje automatskog Materijal Zahtjeva Number Format,Broj Format Offer Date,ponuda Datum @@ -1938,7 +1805,6 @@ Opportunity Items,Prilika Proizvodi Opportunity Lost,Prilika Izgubili Opportunity Type,Prilika Tip Optional. This setting will be used to filter in various transactions.,Izborni . Ova postavka će se koristiti za filtriranje u raznim transakcijama . -Or Created By,Ili stvorili Order Type,Vrsta narudžbe Order Type must be one of {1},Vrsta narudžbe mora biti jedan od {1} Ordered,A do Ž @@ -1953,7 +1819,6 @@ Organization Profile,Organizacija Profil Organization branch master.,Organizacija grana majstor . Organization unit (department) master.,Organizacija jedinica ( odjela ) majstor . Original Amount,Izvorni Iznos -Original Message,Izvorni Poruka Other,Drugi Other Details,Ostali podaci Others,drugi @@ -1996,7 +1861,6 @@ Packing Slip Items,Odreskom artikle Packing Slip(s) cancelled,Pakiranje proklizavanja ( s) otkazan Page Break,Prijelom stranice Page Name,Stranica Ime -Page not found,Stranica nije pronađena Paid Amount,Plaćeni iznos 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 Pair,par @@ -2062,9 +1926,6 @@ Period Closing Voucher,Razdoblje Zatvaranje bon Periodicity,Periodičnost Permanent Address,Stalna adresa Permanent Address Is,Stalna adresa je -Permanently Cancel {0}?,Trajno Odustani {0} ? -Permanently Submit {0}?,Trajno Podnijeti {0} ? -Permanently delete {0}?,Trajno brisanje {0} ? Permission,Dopuštenje Personal,Osobno Personal Details,Osobni podaci @@ -2073,7 +1934,6 @@ Pharmaceutical,farmaceutski Pharmaceuticals,Lijekovi Phone,Telefon Phone No,Telefonski broj -Pick Columns,Pick stupce Piecework,rad plaćen na akord Pincode,Pincode Place of Issue,Mjesto izdavanja @@ -2086,8 +1946,6 @@ Plant,Biljka Plant and Machinery,Postrojenja i strojevi Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,Molimo unesite Skraćenica ili skraćeni naziv ispravno jer će biti dodan kao sufiks na sve računa šefova. Please add expense voucher details,Molimo dodati trošak bon pojedinosti -Please attach a file first.,Molimo priložite datoteku prva. -Please attach a file or set a URL,Molimo priložite datoteku ili postaviti URL Please check 'Is Advance' against Account {0} if this is an advance entry.,Molimo provjerite ' Je Advance ' protiv računu {0} ako je tounaprijed ulaz . Please click on 'Generate Schedule',"Molimo kliknite na ""Generiraj raspored '" Please click on 'Generate Schedule' to fetch Serial No added for Item {0},"Molimo kliknite na ""Generiraj raspored ' dohvatiti Serial No dodao je za točku {0}" @@ -2096,7 +1954,6 @@ Please create Customer from Lead {0},Molimo stvoriti kupac iz Olovo {0} Please create Salary Structure for employee {0},Molimo stvoriti Plaća Struktura za zaposlenika {0} Please create new account from Chart of Accounts.,Molimo stvoriti novi račun iz kontnog plana . Please do NOT create Account (Ledgers) for Customers and Suppliers. They are created directly from the Customer / Supplier masters.,Molimo vas da ne stvaraju račun ( knjigama ) za kupce i dobavljače . Oni su stvorili izravno iz Kupac / Dobavljač majstora . -Please enable pop-ups,Molimo omogućite pop-up prozora Please enter 'Expected Delivery Date',Unesite ' Očekivani datum isporuke ' Please enter 'Is Subcontracted' as Yes or No,Unesite ' Je podugovoren ' kao da ili ne Please enter 'Repeat on Day of Month' field value,Unesite ' ponovite na dan u mjesecu ' na terenu vrijednosti @@ -2107,7 +1964,6 @@ Please enter Company,Unesite tvrtke Please enter Cost Center,Unesite troška Please enter Delivery Note No or Sales Invoice No to proceed,Unesite otpremnica br ili prodaja Račun br postupiti Please enter Employee Id of this sales parson,Unesite Id zaposlenika ovog prodajnog župnika -Please enter Event's Date and Time!,Unesite događaja Datum i vrijeme! Please enter Expense Account,Unesite trošak računa Please enter Item Code to get batch no,Unesite kod Predmeta da se hrpa nema Please enter Item Code.,Unesite kod artikal . @@ -2133,14 +1989,11 @@ Please enter parent cost center,Unesite roditelj troška Please enter quantity for Item {0},Molimo unesite količinu za točku {0} Please enter relieving date.,Unesite olakšavanja datum . Please enter sales order in the above table,Unesite prodajnog naloga u gornjoj tablici -Please enter some text!,Unesite tekst ! -Please enter title!,Unesite naslov ! Please enter valid Company Email,Unesite ispravnu tvrtke E-mail Please enter valid Email Id,Unesite ispravnu e-mail ID Please enter valid Personal Email,Unesite važeću osobnu e-mail Please enter valid mobile nos,Unesite valjane mobilne br Please install dropbox python module,Molimo instalirajte Dropbox piton modul -Please login to Upvote!,"Molimo , prijavite se upvote !" Please mention no of visits required,Molimo spomenuti nema posjeta potrebnih Please pull items from Delivery Note,Molimo povucite stavke iz Dostavnica Please save the Newsletter before sending,Molimo spremite Newsletter prije slanja @@ -2191,8 +2044,6 @@ Plot By,zemljište By Point of Sale,Point of Sale Point-of-Sale Setting,Point-of-Sale Podešavanje Post Graduate,Post diplomski -Post already exists. Cannot add again!,Post već postoji . Ne možete dodavati opet ! -Post does not exist. Please add post!,Post ne postoji . Molimo dodajte post! Postal,Poštanski Postal Expenses,Poštanski troškovi Posting Date,Objavljivanje Datum @@ -2207,7 +2058,6 @@ Prevdoc DocType,Prevdoc DOCTYPE Prevdoc Doctype,Prevdoc DOCTYPE Preview,Pregled Previous,prijašnji -Previous Record,Prethodni rekord Previous Work Experience,Radnog iskustva Price,cijena Price / Discount,Cijena / Popust @@ -2226,12 +2076,10 @@ Price or Discount,Cijena i popust Pricing Rule,cijene Pravilo Pricing Rule For Discount,Cijene pravilo za popust Pricing Rule For Price,Cijene Pravilo Za Cijena -Print,otisak Print Format Style,Print Format Style Print Heading,Ispis Naslov Print Without Amount,Ispis Bez visini Print and Stationary,Ispis i stacionarnih -Print...,Ispis ... Printing and Branding,Tiskanje i Branding Priority,Prioritet Private Equity,Private Equity @@ -2357,7 +2205,6 @@ Quantity of item obtained after manufacturing / repacking from given quantities Quantity required for Item {0} in row {1},Količina potrebna za točke {0} je u redu {1} Quarter,Četvrtina Quarterly,Tromjesečni -Query Report,Izvješće upita Quick Help,Brza pomoć Quotation,Citat Quotation Date,Ponuda Datum @@ -2459,14 +2306,11 @@ Rejected Warehouse is mandatory against regected item,Odbijen Skladište je obav Relation,Odnos Relieving Date,Rasterećenje Datum Relieving Date must be greater than Date of Joining,Olakšavanja Datum mora biti veći od dana ulaska u -Reload Page,Osvježi stranicu Remark,Primjedba Remarks,Primjedbe -Remove Bookmark,Uklonite Bookmark Rename,preimenovati Rename Log,Preimenovanje Prijavite Rename Tool,Preimenovanje alat -Rename...,Promjena naziva ... Rent Cost,Rent cost Rent per hour,Najam po satu Rented,Iznajmljuje @@ -2474,12 +2318,9 @@ Repeat on Day of Month,Ponovite na dan u mjesecu Replace,Zamijeniti Replace Item / BOM in all BOMs,Zamijenite predmet / BOM u svim sastavnicama Replied,Odgovorio -Report,Prijavi Report Date,Prijavi Datum Report Type,Prijavi Vid Report Type is mandatory,Vrsta izvješća je obvezno -Report an Issue,Prijavi problem -Report was not saved (there were errors),Izvješće nije spašen (bilo pogrešaka) Reports to,Izvješća Reqd By Date,Reqd Po datumu Request Type,Zahtjev Tip @@ -2630,7 +2471,6 @@ Salutation,Pozdrav Sample Size,Veličina uzorka Sanctioned Amount,Iznos kažnjeni Saturday,Subota -Save,spasiti Schedule,Raspored Schedule Date,Raspored Datum Schedule Details,Raspored Detalji @@ -2644,7 +2484,6 @@ Score (0-5),Ocjena (0-5) Score Earned,Ocjena Zarađeni Score must be less than or equal to 5,Rezultat mora biti manja od ili jednaka 5 Scrap %,Otpad% -Search,Traži Seasonality for setting budgets.,Sezonalnost za postavljanje proračuna. Secretary,tajnica Secured Loans,osigurani krediti @@ -2656,26 +2495,18 @@ Securities and Deposits,Vrijednosni papiri i depoziti "Select ""Yes"" if this item represents some work like training, designing, consulting etc.","Odaberite "Da" ako ova stavka predstavlja neki posao poput treninga, projektiranje, konzalting i sl." "Select ""Yes"" if you are maintaining stock of this item in your Inventory.",Odaberite "Da" ako ste održavanju zaliha ove točke u vašem inventaru. "Select ""Yes"" if you supply raw materials to your supplier to manufacture this item.",Odaberite "Da" ako opskrbu sirovina na svoj dobavljača za proizvodnju ovu stavku. -Select All,Odaberite sve -Select Attachments,Odaberite privitke Select Budget Distribution to unevenly distribute targets across months.,Odaberite Budget distribuciju neravnomjerno raspodijeliti ciljeve diljem mjeseci. "Select Budget Distribution, if you want to track based on seasonality.","Odaberite Budget Distribution, ako želite pratiti na temelju sezonalnosti." Select DocType,Odaberite DOCTYPE Select Items,Odaberite stavke -Select Print Format,Odaberite Print Format Select Purchase Receipts,Odaberite Kupnja priznanica -Select Report Name,Odaberite Naziv izvješća Select Sales Orders,Odaberite narudžbe Select Sales Orders from which you want to create Production Orders.,Odaberite narudžbe iz koje želite stvoriti radne naloge. Select Time Logs and Submit to create a new Sales Invoice.,Odaberite vrijeme Evidencije i slanje stvoriti novi prodajni fakture. -Select To Download:,Odaberete preuzimanje : Select Transaction,Odaberite transakcija -Select Type,Odaberite Vid Select Your Language,Odaberite svoj jezik Select account head of the bank where cheque was deposited.,Odaberite račun šefa banke gdje je ček bio pohranjen. Select company name first.,Odaberite naziv tvrtke prvi. -Select dates to create a new ,Odaberite datume za stvaranje nove -Select or drag across time slots to create a new event.,Odaberite ili povucite preko minutaže stvoriti novi događaj. Select template from which you want to get the Goals,Odaberite predložak s kojeg želite dobiti ciljeva Select the Employee for whom you are creating the Appraisal.,Odaberite zaposlenika za koga se stvara procjene. Select the period when the invoice will be generated automatically,Odaberite razdoblje kada faktura će biti generiran automatski @@ -2691,11 +2522,9 @@ Select your home country and check the timezone and currency.,Odaberite svoju do Selling,Prodaja Selling Settings,Prodaja postavki Send,Poslati -Send As Email,Pošalji kao e-mail Send Autoreply,Pošalji Automatski Send Email,Pošaljite e-poštu Send From,Pošalji Iz -Send Me A Copy,Pošaljite mi kopiju Send Notifications To,Slanje obavijesti Send Now,Pošalji odmah Send SMS,Pošalji SMS @@ -2705,7 +2534,6 @@ Send mass SMS to your contacts,Pošalji masovne SMS svojim kontaktima Send to this list,Pošalji na ovom popisu Sender Name,Pošiljatelj Ime Sent On,Poslan Na -Sent or Received,Poslana ili primljena Separate production order will be created for each finished good item.,Poseban proizvodnja kako će biti izrađen za svakog gotovog dobrom stavke. Serial No,Serijski br Serial No / Batch,Serijski Ne / Batch @@ -2739,11 +2567,9 @@ Series {0} already used in {1},Serija {0} već koristi u {1} Service,usluga Service Address,Usluga Adresa Services,Usluge -Session Expired. Logging you out,Sjednica je istekao. Odjavljivanje Set,set "Set Default Values like Company, Currency, Current Fiscal Year, etc.","Zadane vrijednosti kao što su tvrtke , valute , tekuće fiskalne godine , itd." Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,Postavite Stavka Grupa-mudre proračune na ovom području. Također možete uključiti sezonalnost postavljanjem Distribution. -Set Link,Postavite link Set as Default,Postavi kao zadano Set as Lost,Postavi kao Lost Set prefix for numbering series on your transactions,Postavite prefiks za numeriranje niza na svoje transakcije @@ -2776,17 +2602,12 @@ Shipping Rule Label,Dostava Pravilo Label Shop,Dućan Shopping Cart,Košarica Short biography for website and other publications.,Kratka biografija za web stranice i drugih publikacija. -Shortcut,Prečac "Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",Show "na lageru" ili "Nije u skladištu" temelji se na skladištu dostupna u tom skladištu. "Show / Hide features like Serial Nos, POS etc.","Show / Hide značajke kao što su serijski brojevima , POS i sl." -Show Details,Prikaži pojedinosti Show In Website,Pokaži Na web stranice -Show Tags,Pokaži Oznake Show a slideshow at the top of the page,Prikaži slideshow na vrhu stranice Show in Website,Prikaži u web -Show rows with zero values,Prikaži retke s nula vrijednosti Show this slideshow at the top of the page,Prikaži ovaj slideshow na vrhu stranice -Showing only for (if not empty),Prikaz samo za ( ako ne i prazna ) Sick Leave,bolovanje Signature,Potpis Signature to be appended at the end of every email,Potpis se dodaje na kraju svakog e @@ -2797,11 +2618,8 @@ Slideshow,Slideshow Soap & Detergent,Sapun i deterdžent Software,softver Software Developer,Software Developer -Sorry we were unable to find what you were looking for.,Nažalost nismo uspjeli pronaći ono što su tražili. -Sorry you are not permitted to view this page.,Žao nam je što nije dozvoljeno da vidite ovu stranicu. "Sorry, Serial Nos cannot be merged","Žao nam je , Serial Nos ne mogu spojiti" "Sorry, companies cannot be merged","Žao nam je , tvrtke ne mogu spojiti" -Sort By,Sortiraj po Source,Izvor Source File,izvor File Source Warehouse,Izvor galerija @@ -2826,7 +2644,6 @@ Standard Selling,Standardna prodaja Standard contract terms for Sales or Purchase.,Standardni uvjeti ugovora za prodaju ili kupnju. Start,početak Start Date,Datum početka -Start Report For,Početak izvješće za Start date of current invoice's period,Početak datum tekućeg razdoblja dostavnice Start date should be less than end date for Item {0},Početak bi trebao biti manji od krajnjeg datuma za točke {0} State,Država @@ -2884,7 +2701,6 @@ Sub Assemblies,pod skupštine "Sub-currency. For e.g. ""Cent""",Sub-valuta. Za npr. "centi" Subcontract,Podugovor Subject,Predmet -Submit,Podnijeti Submit Salary Slip,Slanje plaće Slip Submit all salary slips for the above selected criteria,Slanje sve plaće gaćice za gore odabranih kriterija Submit this Production Order for further processing.,Pošaljite ovaj radnog naloga za daljnju obradu . @@ -2928,7 +2744,6 @@ Support Email Settings,E-mail Settings Podrška Support Password,Podrška Lozinka Support Ticket,Podrška karata Support queries from customers.,Podrška upite od kupaca. -Switch to Website,Prebacite se na web stranici Symbol,Simbol Sync Support Mails,Sinkronizacija Podrška mailova Sync with Dropbox,Sinkronizacija s Dropbox @@ -2936,7 +2751,6 @@ Sync with Google Drive,Sinkronizacija s Google Drive System,Sistem System Settings,Postavke sustava "System User (login) ID. If set, it will become default for all HR forms.","Sustav Korisničko (login) ID. Ako je postavljen, to će postati zadana za sve HR oblicima." -Tags,Oznake Target Amount,Ciljana Iznos Target Detail,Ciljana Detalj Target Details,Ciljane Detalji @@ -2995,7 +2809,6 @@ Territory Target Variance Item Group-Wise,Teritorij Target varijance artikla Gro Territory Targets,Teritorij Mete Test,Test Test Email Id,Test E-mail ID -Test Runner,Test Runner Test the Newsletter,Test Newsletter The BOM which will be replaced,BOM koji će biti zamijenjen The First User: You,Prvo Korisnik : Vi @@ -3015,28 +2828,23 @@ The net weight of this package. (calculated automatically as sum of net weight o The new BOM after replacement,Novi BOM nakon zamjene The rate at which Bill Currency is converted into company's base currency,Stopa po kojoj Bill valuta pretvara u tvrtke bazne valute 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. -Then By (optional),Zatim Do (opcionalno) There are more holidays than working days this month.,Postoji više odmor nego radnih dana ovog mjeseca . "There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Tu može biti samo jedan Dostava Pravilo Stanje sa 0 ili prazni vrijednost za "" Da Value """ There is not enough leave balance for Leave Type {0},Nema dovoljno ravnotežu dopust za dozvolu tipa {0} There is nothing to edit.,Ne postoji ništa za uređivanje . There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,Došlo je do pogreške . Jedan vjerojatan razlog bi mogao biti da niste spremili obrazac. Molimo kontaktirajte support@erpnext.com ako se problem ne riješi . -There were errors,Bilo je grešaka -There were errors while sending email. Please try again.,Bilo je grešaka tijekom slanja e-pošte. Molimo pokušajte ponovno . There were errors.,Bilo je grešaka . This Currency is disabled. Enable to use in transactions,Ova valuta je onemogućen . Moći koristiti u transakcijama This Leave Application is pending approval. Only the Leave Apporver can update status.,To Leave Aplikacija se čeka odobrenje . SamoOstavite Apporver može ažurirati status . This Time Log Batch has been billed.,Ovo Batch Vrijeme Log je naplaćeno. This Time Log Batch has been cancelled.,Ovo Batch Vrijeme Log je otkazan. This Time Log conflicts with {0},Ovaj put Prijavite se kosi s {0} -This is PERMANENT action and you cannot undo. Continue?,"To je stalna akcija, a ne možete poništiti. Nastaviti?" This is a root account and cannot be edited.,To jekorijen račun i ne može se mijenjati . This is a root customer group and cannot be edited.,To jekorijen skupini kupaca i ne može se mijenjati . This is a root item group and cannot be edited.,To jekorijen stavka grupa i ne može se mijenjati . This is a root sales person and cannot be edited.,To jekorijen prodavač i ne može se mijenjati . This is a root territory and cannot be edited.,To jekorijen teritorij i ne može se mijenjati . This is an example website auto-generated from ERPNext,Ovo je primjer web stranica automatski generira iz ERPNext -This is permanent action and you cannot undo. Continue?,"To je stalna akcija, a ne možete poništiti. Nastaviti?" This is the number of the last created transaction with this prefix,To je broj zadnjeg stvorio transakcije s ovim prefiksom This will be used for setting rule in HR module,To će se koristiti za postavljanje pravilu u HR modula Thread HTML,Temu HTML @@ -3078,7 +2886,6 @@ To get Item Group in details table,Da biste dobili predmeta Group u tablici poje "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" "To merge, following properties must be same for both items","Spojiti , ova svojstva moraju biti isti za obje stavke" "To report an issue, go to ", -"To run a test add the module name in the route after '{0}'. For example, {1}","Za pokretanjetesta dodati ime modula u pravac nakon ' {0} ' . Na primjer , {1}" "To set this Fiscal Year as Default, click on 'Set as Default'","Za postavljanje ove fiskalne godine kao zadano , kliknite na "" Set as Default '" To track any installation or commissioning related work after sales,Za praćenje bilo koju instalaciju ili puštanje vezane raditi nakon prodaje "To track brand name in the following documents Delivery Note, Opportunity, Material Request, Item, Purchase Order, Purchase Voucher, Purchaser Receipt, Quotation, Sales Invoice, Sales BOM, Sales Order, Serial No","Za praćenje branda u sljedećim dokumentima Dostavnica, Opportunity , materijal zahtjev, predmet, narudžbenice , kupnju vouchera Kupac prijemu, ponude, prodaje fakture , prodaje sastavnice , prodajnog naloga , rednim brojem" @@ -3130,7 +2937,6 @@ Totals,Ukupan rezultat Track Leads by Industry Type.,Trag vodi prema tip industrije . Track this Delivery Note against any Project,Prati ovu napomenu isporuke protiv bilo Projekta Track this Sales Order against any Project,Prati ovu prodajni nalog protiv bilo Projekta -Trainee,Pripravnik Transaction,Transakcija Transaction Date,Transakcija Datum Transaction not allowed against stopped Production Order {0},Transakcija nije dopuštena protiv zaustavljena proizvodnja Reda {0} @@ -3162,7 +2968,6 @@ UOM Conversion Factor,UOM konverzijski faktor UOM Conversion factor is required in row {0},Faktor UOM pretvorbe je potrebno u redu {0} UOM Name,UOM Ime UOM coversion factor required for UOM {0} in Item {1},UOM faktor coversion potrebno za UOM {0} u točki {1} -Unable to load: {0},Nije moguće opterećenje : {0} Under AMC,Pod AMC Under Graduate,Pod diplomski Under Warranty,Pod jamstvo @@ -3172,11 +2977,8 @@ Unit of Measure {0} has been entered more than once in Conversion Factor Table,J "Unit of measurement of this item (e.g. Kg, Unit, No, Pair).","Jedinica za mjerenje ove točke (npr. kg, Jedinica Ne, Par)." Units/Hour,Jedinice / sat Units/Shifts,Jedinice / smjene -Unknown Column: {0},Nepoznato Stupac : {0} -Unknown Print Format: {0},Nepoznato Print Format : {0} Unmatched Amount,Nenadmašan Iznos Unpaid,Neplaćen -Unread Messages,Nepročitane poruke Unscheduled,Neplanski Unsecured Loans,unsecured krediti Unstop,otpušiti @@ -3196,18 +2998,14 @@ Update bank payment dates with journals.,Update banka datum plaćanja s časopis Update clearance date of Journal Entries marked as 'Bank Vouchers',"Datum Update klirens navoda označene kao ""Banka bon '" Updated,Obnovljeno Updated Birthday Reminders,Obnovljeno Rođendan Podsjetnici -Upload,Pošalji -Upload Attachment,Prenesi Prilog Upload Attendance,Upload Attendance Upload Backups to Dropbox,Upload sigurnosne kopije za ispuštanje Upload Backups to Google Drive,Upload sigurnosne kopije na Google Drive Upload HTML,Prenesi HTML Upload a .csv file with two columns: the old name and the new name. Max 500 rows.,Učitajte CSV datoteku s dva stupca.: Stari naziv i novi naziv. Max 500 redaka. -Upload a file,Prenesi datoteku Upload attendance from a .csv file,Prenesi dolazak iz. Csv datoteku Upload stock balance via csv.,Prenesi dionica ravnotežu putem CSV. Upload your letter head and logo - you can edit them later.,Pošalji svoje pismo glavu i logo - možete ih urediti kasnije . -Uploading...,Prijenos ... Upper Income,Gornja Prihodi Urgent,Hitan Use Multi-Level BOM,Koristite multi-level BOM @@ -3217,11 +3015,9 @@ User ID,Korisnički ID User ID not set for Employee {0},Korisnik ID nije postavljen za zaposlenika {0} User Name,Korisničko ime User Name or Support Password missing. Please enter and try again.,Korisničko ime ili podrška Lozinka nedostaje . Unesite i pokušajte ponovno . -User Permission Restrictions,Dozvole korisnika Ograničenja User Remark,Upute Zabilješka User Remark will be added to Auto Remark,Upute Napomena će biti dodan Auto Napomena User Remarks is mandatory,Korisničko Primjedbe je obvezno -User Restrictions,Korisničke Ograničenja User Specific,Korisnik Specifična User must always select,Korisničko uvijek mora odabrati User {0} is already assigned to Employee {1},Korisnik {0} već dodijeljena zaposlenika {1} @@ -3319,8 +3115,6 @@ Will be updated after Sales Invoice is Submitted.,Hoće li se obnavljaju nakon p Will be updated when batched.,Hoće li biti ažurirani kada izmiješane. Will be updated when billed.,Hoće li biti promjena kada je naplaćeno. Wire Transfer,Wire Transfer -With Groups,s Groups -With Ledgers,s knjigama With Operations,Uz operacije With period closing entry,Ulaskom razdoblje zatvaranja Work Details,Radni Brodu @@ -3328,7 +3122,6 @@ Work Done,Rad Done Work In Progress,Radovi u tijeku Work-in-Progress Warehouse,Rad u tijeku Warehouse Work-in-Progress Warehouse is required before Submit,Rad u tijeku Warehouse je potrebno prije Podnijeti -Workflow will start after saving.,Workflow će početi nakon štednje. Working,Rad Workstation,Workstation Workstation Name,Ime Workstation @@ -3351,11 +3144,6 @@ Year Start Date should not be greater than Year End Date,Godine Datum početka n Year of Passing,Godina Prolazeći Yearly,Godišnje Yes,Da -Yesterday,Jučer -You are not allowed to create / edit reports,Ne smiju stvoriti / uređivati ​​izvješća -You are not allowed to export this report,Ne smiju se izvoziti ovom izvješću -You are not allowed to print this document,Ne smiju se ispisati taj dokument -You are not allowed to send emails related to this document,Ne smiju slati e-mailove u vezi s ovim dokumentom You are not authorized to add or update entries before {0},Niste ovlašteni za dodati ili ažurirati unose prije {0} You are not authorized to set Frozen value,Niste ovlašteni za postavljanje Frozen vrijednost You are the Expense Approver for this record. Please Update the 'Status' and Save,"Vi steRashodi Odobritelj za ovaj rekord . Molimo Ažuriranje "" status"" i Save" @@ -3372,7 +3160,6 @@ You can submit this Stock Reconciliation.,Možete poslati ovu zaliha pomirenja . You can update either Quantity or Valuation Rate or both.,Možete ažurirati ili količini ili vrednovanja Ocijenite ili oboje . You cannot credit and debit same account at the same time,Ne možete kreditnim i debitnim isti račun u isto vrijeme You have entered duplicate items. Please rectify and try again.,Unijeli duple stavke . Molimo ispraviti i pokušajte ponovno . -You have unsaved changes in this form. Please save before you continue.,Vi niste spremili promjene u ovom obliku . You may need to update: {0},Možda ćete morati ažurirati : {0} You must Save the form before proceeding,Morate spremiti obrazac prije nastavka You must allocate amount before reconcile,Morate izdvojiti iznos prije pomire @@ -3381,7 +3168,6 @@ Your Customers,vaši klijenti Your Login Id,Vaš Id Prijava Your Products or Services,Svoje proizvode ili usluge Your Suppliers,vaši Dobavljači -"Your download is being built, this may take a few moments...","Vaš preuzimanje se gradi, to može potrajati nekoliko trenutaka ..." Your email address,Vaša e-mail adresa Your financial year begins on,Vaša financijska godina počinje Your financial year ends on,Vaš Financijska godina završava @@ -3394,8 +3180,6 @@ Your support email id - must be a valid email - this is where your emails will c and,i are not allowed.,nisu dopušteni. assigned by,dodjeljuje -comment,komentirati -comments,komentari "e.g. ""Build tools for builders""","na primjer "" Izgraditi alate za graditelje """ "e.g. ""MC""","na primjer "" MC """ "e.g. ""My Company LLC""","na primjer "" Moja tvrtka LLC """ @@ -3405,14 +3189,9 @@ e.g. 5,na primjer 5 e.g. VAT,na primjer PDV eg. Cheque Number,npr.. Ček Broj example: Next Day Shipping,Primjer: Sljedeći dan Dostava -found,nađen -is not allowed.,nije dopušteno. lft,LFT old_parent,old_parent -or,ili rgt,ustaša -to,na -values and dates,Vrijednosti i datumi website page link,web stranica vode {0} '{1}' not in Fiscal Year {2},{0} ' {1} ' nije u fiskalnoj godini {2} {0} Credit limit {0} crossed,{0} Kreditni limit {0} prešao diff --git a/erpnext/translations/it.csv b/erpnext/translations/it.csv index 0eb95696a1..f6b36bb884 100644 --- a/erpnext/translations/it.csv +++ b/erpnext/translations/it.csv @@ -1,7 +1,5 @@ (Half Day), (Mezza Giornata) and year: ,e anno: - by Role ,per Ruolo - is not set, non è impostato """ does not exists","""Non esiste" % Delivered,% Consegnato % Amount Billed,% Importo Fatturato @@ -34,7 +32,6 @@ "1 Currency = [?] Fraction For e.g. 1 USD = 100 Cent",1 valuta = [ ? ] Frazione \ nPer ad esempio 1. To maintain the customer wise item code and to make them searchable based on their code use this option,1.Per mantenere la voce codice cliente e renderli ricercabili in base al loro codice usare questa opzione -2 days ago,2 giorni fà "Add / Edit"," Aggiungi / Modifica < / a>" "Add / Edit"," Aggiungi / Modifica < / a>" "Add / Edit"," Aggiungi / Modifica < / a>" @@ -89,7 +86,6 @@ Accounts Frozen Upto,Conti congelati Fino Accounts Payable,Conti pagabili Accounts Receivable,Conti esigibili Accounts Settings,Impostazioni Conti -Actions,azioni Active,Attivo Active: Will extract emails from ,Attivo: Will estrarre le email da Activity,Attività @@ -111,23 +107,13 @@ Actual Quantity,Quantità Reale Actual Start Date,Data Inizio Effettivo Add,Aggiungi Add / Edit Taxes and Charges,Aggiungere / Modificare Tasse e Costi -Add Attachments,Aggiungere Allegato -Add Bookmark,Aggiungere segnalibro Add Child,Aggiungi ai bambini -Add Column,Aggiungi colonna -Add Message,Aggiungere Messaggio -Add Reply,Aggiungi risposta Add Serial No,Aggiungi Serial No Add Taxes,Aggiungi Imposte Add Taxes and Charges,Aggiungere Tasse e spese -Add This To User's Restrictions,Aggiungi questo a restrizioni per l'utente -Add attachment,Aggiungere Allegato -Add new row,Aggiungi Una Nuova Riga Add or Deduct,Aggiungere o dedurre Add rows to set annual budgets on Accounts.,Aggiungere righe per impostare i budget annuali sui conti. Add to Cart,Aggiungi al carrello -Add to To Do,Aggiungi a Cose da Fare -Add to To Do List of,Aggiungi a lista Cose da Fare di Add to calendar on this date,Aggiungi al calendario in questa data Add/Remove Recipients,Aggiungere/Rimuovere Destinatario Address,Indirizzo @@ -220,9 +206,6 @@ Allow user to edit Price List Rate in transactions,Consenti all'utente di mo Allowance Percent,Tolleranza Percentuale Allowance for over-delivery / over-billing crossed for Item {0},Indennità per over -delivery / over - billing incrociate per la voce {0} Allowed Role to Edit Entries Before Frozen Date,Ruolo permesso di modificare le voci prima congelato Data -"Allowing DocType, DocType. Be careful!","Permettere DocType , DocType . Fate attenzione !" -Alternative download link,Alternative link per il download -Amend,Correggi Amended From,Corretto da Amount,Importo Amount (Company Currency),Importo (Valuta Azienda) @@ -270,26 +253,18 @@ Approving User,Utente Certificatore Approving User cannot be same as user the rule is Applicable To,Approvazione utente non può essere uguale all'utente la regola è applicabile ad Are you sure you want to STOP , Are you sure you want to UNSTOP , -Are you sure you want to delete the attachment?,Eliminare Veramente questo Allegato? Arrear Amount,Importo posticipata "As Production Order can be made for this item, it must be a stock item.","Come ordine di produzione può essere fatta per questo articolo , deve essere un elemento di magazzino ." As per Stock UOM,Per Stock UOM "As there are existing stock transactions for this item, you can not change the values of 'Has Serial No', 'Is Stock Item' and 'Valuation Method'","Come ci sono le transazioni di magazzino esistenti per questo articolo, non è possibile modificare i valori di ' Ha Serial No' , ' è articolo di ' e ' il metodo di valutazione '" -Ascending,Crescente Asset,attività -Assign To,Assegna a -Assigned To,assegnato a -Assignments,assegnazioni Assistant,assistente Associate,Associate Atleast one warehouse is mandatory,Almeno un Magazzino è obbligatorio -Attach Document Print,Allega documento Stampa Attach Image,Allega immagine Attach Letterhead,Allega intestata Attach Logo,Allega Logo Attach Your Picture,Allega la tua foto -Attach as web link,Fissare come collegamento web -Attachments,Allegati Attendance,Presenze Attendance Date,Data Presenza Attendance Details,Dettagli presenze @@ -402,7 +377,6 @@ Block leave applications by department.,Blocco domande uscita da ufficio. Blog Post,Articolo Blog Blog Subscriber,Abbonati Blog Blood Group,Gruppo Discendenza -Bookmarks,Segnalibri Both Warehouse must belong to same Company,Entrambi Warehouse deve appartenere alla stessa Società Box,scatola Branch,Ramo @@ -437,7 +411,6 @@ C-Form No,C-Form N. C-Form records,Record C -Form Calculate Based On,Calcola in base a Calculate Total Score,Calcolare il punteggio totale -Calendar,Calendario Calendar Events,Eventi del calendario Call,Chiama Calls,chiamate @@ -450,7 +423,6 @@ Can be approved by {0},Può essere approvato da {0} "Can not filter based on Account, if grouped by Account","Non è possibile filtrare sulla base di conto , se raggruppati per conto" "Can not filter based on Voucher No, if grouped by Voucher","Non è possibile filtrare sulla base di Voucher No , se raggruppati per Voucher" Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',Può riferirsi fila solo se il tipo di carica è 'On Fila Indietro Importo ' o ' Indietro totale riga ' -Cancel,Annulla Cancel Material Visit {0} before cancelling this Customer Issue,Annulla Materiale Visita {0} prima di annullare questa edizione clienti Cancel Material Visits {0} before cancelling this Maintenance Visit,Annulla Visite Materiale {0} prima di annullare questa visita di manutenzione Cancelled,Annullato @@ -469,11 +441,7 @@ Cannot deactive or cancle BOM as it is linked with other BOMs,Non è possibile d Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Non può dedurre quando categoria è di ' valutazione ' o ' Valutazione e Total ' "Cannot delete Serial No {0} in stock. First remove from stock, then delete.","Impossibile eliminare Serial No {0} in magazzino. Prima di tutto rimuovere dal magazzino , quindi eliminare ." "Cannot directly set amount. For 'Actual' charge type, use the rate field","Non è possibile impostare direttamente importo. Per il tipo di carica ' effettivo ' , utilizzare il campo tasso" -Cannot edit standard fields,Non è possibile modificare i campi standard -Cannot open instance when its {0} is open,Impossibile aprire esempio quando il suo {0} è aperto -Cannot open {0} when its instance is open,Impossibile aprire {0} quando la sua istanza è aperto "Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in 'Setup' > 'Global Defaults'","Non può overbill per la voce {0} in riga {0} più {1} . Per consentire la fatturazione eccessiva , si prega di impostare in ' Setup' > ' Default Global" -Cannot print cancelled documents,Non è possibile stampare i documenti annullati Cannot produce more Item {0} than Sales Order quantity {1},Non può produrre più Voce {0} di Sales Order quantità {1} Cannot refer row number greater than or equal to current row number for this Charge type,Non può consultare numero di riga maggiore o uguale al numero di riga corrente per questo tipo di carica Cannot return more than {0} for Item {1},Impossibile restituire più di {0} per la voce {1} @@ -527,19 +495,14 @@ Claim Amount,Importo Reclamo Claims for company expense.,Reclami per spese dell'azienda. Class / Percentage,Classe / Percentuale Classic,Classico -Clear Cache,Cancella cache Clear Table,Pulisci Tabella Clearance Date,Data Liquidazione Clearance Date not mentioned,Liquidazione data non menzionato Clearance date cannot be before check date in row {0},Data di Liquidazione non può essere prima della data di arrivo in riga {0} Click on 'Make Sales Invoice' button to create a new Sales Invoice.,Clicca sul pulsante 'Crea Fattura Vendita' per creare una nuova Fattura di Vendita Click on a link to get options to expand get options , -Click on row to view / edit.,Clicca sulla riga per visualizzare / modificare . -Click to Expand / Collapse,Clicca per Espandere / Comprimere Client,Intestatario -Close,Chiudi Close Balance Sheet and book Profit or Loss.,Chiudere Stato Patrimoniale e il libro utile o perdita . -Close: {0},Chiudi : {0} Closed,Chiuso Closing Account Head,Chiudere Conto Primario Closing Account {0} must be of type 'Liability',Chiusura del conto {0} deve essere di tipo ' responsabilità ' @@ -550,10 +513,8 @@ Closing Value,Valore di chiusura CoA Help,Aiuto CoA Code,Codice Cold Calling,Chiamata Fredda -Collapse,crollo Color,Colore Comma separated list of email addresses,Lista separata da virgola degli indirizzi email -Comment,Commento Comments,Commenti Commercial,commerciale Commission,commissione @@ -564,7 +525,6 @@ Commission rate cannot be greater than 100,Tasso Commissione non può essere sup Communication,Comunicazione Communication HTML,Comunicazione HTML Communication History,Storico Comunicazioni -Communication Medium,Mezzo di comunicazione Communication log.,Log comunicazione Communications,comunicazioni Company,Azienda @@ -583,7 +543,6 @@ Company registration numbers for your reference. Tax numbers etc.,"Numeri di reg "Company, Month and Fiscal Year is mandatory","Società , mese e anno fiscale è obbligatoria" Compensatory Off,compensativa Off Complete,Completare -Complete By,Completato da Complete Setup,installazione completa Completed,Completato Completed Production Orders,Completati gli ordini di produzione @@ -635,7 +594,6 @@ Convert into Recurring Invoice,Convertire in fattura ricorrente Convert to Group,Convert to Group Convert to Ledger,Converti Ledger Converted,Convertito -Copy,Copia Copy From Item Group,Copiare da elemento Gruppo Cosmetics,cosmetici Cost Center,Centro di Costo @@ -666,7 +624,6 @@ Create Stock Ledger Entries when you submit a Sales Invoice,Creare scorta voci r Create rules to restrict transactions based on values.,Creare regole per limitare le transazioni in base ai valori . Created By,Creato da Creates salary slip for above mentioned criteria.,Crea busta paga per i criteri sopra menzionati. -Creation / Modified By,Creazione / Modificato da Creation Date,Data di creazione Creation Document No,Creazione di documenti No Creation Document Type,Creazione tipo di documento @@ -697,11 +654,9 @@ Current Liabilities,Passività correnti Current Stock,Scorta Corrente Current Stock UOM,Scorta Corrente UOM Current Value,Valore Corrente -Current status,Stato Corrente Custom,Personalizzato Custom Autoreply Message,Auto rispondi Messaggio Personalizzato Custom Message,Messaggio Personalizzato -Custom Reports,Report Personalizzato Customer,Cliente Customer (Receivable) Account,Cliente (Ricevibile) Account Customer / Item Name,Cliente / Nome voce @@ -750,7 +705,6 @@ Date Format,Formato Data Date Of Retirement,Data di Ritiro Date Of Retirement must be greater than Date of Joining,Data del pensionamento deve essere maggiore di Data di giunzione Date is repeated,La Data si Ripete -Date must be in format: {0},La data deve essere in formato : {0} Date of Birth,Data Compleanno Date of Issue,Data Pubblicazione Date of Joining,Data Adesione @@ -761,7 +715,6 @@ Dates,Date Days Since Last Order,Giorni dall'ultimo ordine Days for which Holidays are blocked for this department.,Giorni per i quali le festività sono bloccati per questo reparto. Dealer,Commerciante -Dear,Gentile Debit,Debito Debit Amt,Ammontare Debito Debit Note,Nota Debito @@ -809,7 +762,6 @@ Default settings for stock transactions.,Impostazioni predefinite per le transaz Defense,difesa "Define Budget for this Cost Center. To set budget action, see Company Master","Definire Budget per questo centro di costo. Per impostare l'azione di bilancio, vedi Azienda Maestro" Delete,Elimina -Delete Row,Elimina Riga Delete {0} {1}?,Eliminare {0} {1} ? Delivered,Consegnato Delivered Items To Be Billed,Gli Articoli consegnati da Fatturare @@ -836,7 +788,6 @@ Department,Dipartimento Department Stores,Grandi magazzini Depends on LWP,Dipende da LWP Depreciation,ammortamento -Descending,Decrescente Description,Descrizione Description HTML,Descrizione HTML Designation,Designazione @@ -881,15 +832,10 @@ Do you really want to stop production order: , Doc Name,Nome Doc Doc Type,Tipo Doc Document Description,Descrizione del documento -Document Status transition from ,Documento di transizione di stato da -Document Status transition from {0} to {1} is not allowed,Transizione Stato documento da {0} a {1} non è consentito Document Type,Tipo di documento -Document is only editable by users of role,Documento è modificabile solo dagli utenti del ruolo -Documentation,Documentazione Documents,Documenti Domain,Dominio Don't send Employee Birthday Reminders,Non inviare Dipendente Birthday Reminders -Download,Scarica Download Materials Required,Scaricare Materiali Richiesti Download Reconcilation Data,Scarica Riconciliazione dei dati Download Template,Scarica Modello @@ -898,8 +844,6 @@ Download a report containing all raw materials with their latest inventory statu "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 . \ NI date e la combinazione dei dipendenti nel periodo selezionato entrerà nel modello , con record di presenze esistenti" Draft,Bozza -Drafts,Bozze -Drag to sort columns,Trascina per ordinare le colonne Dropbox,Dropbox Dropbox Access Allowed,Consentire accesso Dropbox Dropbox Access Key,Chiave Accesso Dropbox @@ -920,7 +864,6 @@ Earning & Deduction,Guadagno & Detrazione Earning Type,Tipo Rendimento Earning1,Rendimento1 Edit,Modifica -Editable,Modificabile Education,educazione Educational Qualification,Titolo di studio Educational Qualification Details,Titolo di studio Dettagli @@ -940,12 +883,9 @@ Email Id,ID Email "Email Id where a job applicant will email e.g. ""jobs@example.com""","Email del candidato deve essere del tipo ""jobs@example.com""" Email Notifications,Notifiche e-mail Email Sent?,Invio Email? -"Email addresses, separted by commas","Indirizzi Email, separati da virgole" "Email id must be unique, already exists for {0}","Email id deve essere unico , esiste già per {0}" Email ids separated by commas.,ID Email separati da virgole. -Email sent to {0},E-mail inviata a {0} "Email settings to extract Leads from sales email id e.g. ""sales@example.com""","Impostazioni email per Estrarre LEADS dall' email venditore es. ""sales@example.com""" -Email...,Email... Emergency Contact,Contatto di emergenza Emergency Contact Details,Dettagli Contatto Emergenza Emergency Phone,Telefono di emergenza @@ -984,7 +924,6 @@ End date of current invoice's period,Data di fine del periodo di fatturazione co End of Life,Fine Vita Energy,energia Engineer,ingegnere -Enter Value,Immettere Valore Enter Verification Code,Inserire codice Verifica Enter campaign name if the source of lead is campaign.,Inserisci nome Campagna se la sorgente del LEAD e una campagna. Enter department to which this Contact belongs,Inserisci reparto a cui appartiene questo contatto @@ -1002,7 +941,6 @@ Entries,Voci Entries against,Voci contro Entries are not allowed against this Fiscal Year if the year is closed.,Voci non permesse in confronto ad un Anno Fiscale già chiuso. Entries before {0} are frozen,Entries prima {0} sono congelati -Equals,Equals Equity,equità Error: {0} > {1},Errore: {0} > {1} Estimated Material Cost,Stima costo materiale @@ -1019,7 +957,6 @@ Exhibition,Esposizione Existing Customer,Cliente Esistente Exit,Esci Exit Interview Details,Uscire Dettagli Intervista -Expand,espandere Expected,Previsto Expected Completion Date can not be less than Project Start Date,Prevista Data di completamento non può essere inferiore a Progetto Data inizio Expected Date cannot be before Material Request Date,Data prevista non può essere precedente Material Data richiesta @@ -1052,8 +989,6 @@ Expenses Booked,Spese Prenotazione Expenses Included In Valuation,Spese incluse nella Valutazione Expenses booked for the digest period,Spese Prenotazione per periodo di smistamento Expiry Date,Data Scadenza -Export,Esporta -Export not allowed. You need {0} role to export.,Export non consentita . È necessario {0} ruolo da esportare. Exports,Esportazioni External,Esterno Extract Emails,Estrarre email @@ -1068,11 +1003,8 @@ Feedback,Riscontri Female,Femmina Fetch exploded BOM (including sub-assemblies),Fetch BOM esplosa ( inclusi sottoassiemi ) "Field available in Delivery Note, Quotation, Sales Invoice, Sales Order","Campo disponibile nella Bolla di consegna, preventivi, fatture di vendita, ordini di vendita" -Field {0} is not selectable.,Il campo {0} non è selezionabile . -File,File Files Folder ID,ID Cartella File Fill the form and save it,Compila il form e salvarlo -Filter,Filtra Filter based on customer,Filtro basato sul cliente Filter based on item,Filtro basato sul articolo Financial / accounting year.,Esercizio finanziario / contabile . @@ -1101,14 +1033,10 @@ For Server Side Print Formats,Per Formato Stampa lato Server For Supplier,per Fornitore For Warehouse,Per Magazzino For Warehouse is required before Submit,Per è necessario Warehouse prima Submit -"For comparative filters, start with","Per i filtri di confronto, iniziare con" "For e.g. 2012, 2012-13","Per es. 2012, 2012-13" -For ranges,Per Intervallo For reference,Per riferimento For reference only.,Solo per riferimento. "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 bolle di consegna" -Form,Modulo -Forums,Forum Fraction,Frazione Fraction Units,Unità Frazione Freeze Stock Entries,Congela scorta voci @@ -1161,12 +1089,10 @@ Generate Material Requests (MRP) and Production Orders.,Generare richieste di ma Generate Salary Slips,Generare buste paga Generate Schedule,Genera Programma Generates HTML to include selected image in the description,Genera HTML per includere immagine selezionata nella descrizione -Get,Ottieni Get Advances Paid,Ottenere anticipo pagamento Get Advances Received,ottenere anticipo Ricevuto Get Against Entries,Get Contro Entries Get Current Stock,Richiedi Disponibilità -Get From ,Ottieni da Get Items,Ottieni articoli Get Items From Sales Orders,Ottieni elementi da ordini di vendita Get Items from BOM,Ottenere elementi dal BOM @@ -1194,8 +1120,6 @@ Government,governo Graduate,Laureato: Grand Total,Totale Generale Grand Total (Company Currency),Totale generale (valuta Azienda) -Greater or equals,Maggiore o uguale -Greater than,maggiore di "Grid ""","grid """ Grocery,drogheria Gross Margin %,Margine Lordo % @@ -1207,7 +1131,6 @@ Gross Profit (%),Utile Lordo (%) Gross Weight,Peso Lordo Gross Weight UOM,Peso Lordo UOM Group,Gruppo -"Group Added, refreshing...","Gruppo Added, rinfrescante ..." Group by Account,Raggruppa per conto Group by Voucher,Gruppo da Voucher Group or Ledger,Gruppo o Registro @@ -1229,14 +1152,12 @@ Health Care,Health Care Health Concerns,Preoccupazioni per la salute Health Details,Dettagli Salute Held On,Held On -Help,Aiuto Help HTML,Aiuto HTML "Help: To link to another record in the system, use ""#Form/Note/[Note Name]"" as the Link URL. (don't use ""http://"")","Aiuto: Per creare un collegamento a un altro record nel sistema, utilizzare "# Form / Note / [Nota Nome]", come il collegamento URL. (Non usare "http://")" "Here you can maintain family details like name and occupation of parent, spouse and children","Qui è possibile mantenere i dettagli della famiglia come il nome e l'occupazione del genitore, coniuge e figli" "Here you can maintain height, weight, allergies, medical concerns etc","Qui è possibile mantenere l'altezza, il peso, le allergie, le preoccupazioni mediche ecc" Hide Currency Symbol,Nascondi Simbolo Valuta High,Alto -History,Cronologia History In Company,Cronologia Aziendale Hold,Trattieni Holiday,Vacanza @@ -1281,17 +1202,14 @@ If you have Sales Team and Sale Partners (Channel Partners) they can be tagged If you involve in manufacturing activity. Enables Item 'Is Manufactured',Se si coinvolgono in attività di produzione . Abilita Voce ' è prodotto ' Ignore,Ignora Ignored: ,Ignorato: -"Ignoring Item {0}, because a group exists with the same name!","Ignorando Voce {0} , perché un gruppo esiste con lo stesso nome !" Image,Immagine Image View,Visualizza immagine Implementation Partner,Partner di implementazione -Import,Importazione Import Attendance,Import presenze Import Failed!,Importazione non riuscita ! Import Log,Importa Log Import Successful!,Importazione di successo! Imports,Importazioni -In,in In Hours,In Hours In Process,In Process In Qty,Qtà @@ -1306,7 +1224,6 @@ In Words will be visible once you save the Purchase Receipt.,In parole saranno v In Words will be visible once you save the Quotation.,In parole saranno visibili una volta che si salva il preventivo. In Words will be visible once you save the Sales Invoice.,In parole saranno visibili una volta che si salva la fattura di vendita. In Words will be visible once you save the Sales Order.,In parole saranno visibili una volta che si salva l'ordine di vendita. -In response to,In risposta a Incentives,Incentivi Include Reconciled Entries,Includi Voci riconciliati Include holidays in Total no. of Working Days,Includi vacanze in totale n. dei giorni lavorativi @@ -1327,8 +1244,6 @@ Indirect Income,reddito indiretta Individual,Individuale Industry,Industria Industry Type,Tipo Industria -Insert Below,Inserisci sotto -Insert Row,Inserisci riga Inspected By,Verifica a cura di Inspection Criteria,Criteri di ispezione Inspection Required,Ispezione Obbligatorio @@ -1350,8 +1265,6 @@ Internal,Interno Internet Publishing,Internet Publishing Introduction,Introduzione Invalid Barcode or Serial No,Codice a barre valido o Serial No -Invalid Email: {0},Email non valida : {0} -Invalid Filter: {0},Filtro non valido : {0} Invalid Mail Server. Please rectify and try again.,Server di posta valido . Si prega di correggere e riprovare . Invalid Master Name,Valido Master Nome Invalid User Name or Support Password. Please rectify and try again.,Nome utente non valido o supporto password . Si prega di correggere e riprovare . @@ -1516,7 +1429,6 @@ Landed Cost updated successfully,Landed Cost aggiornato correttamente Language,Lingua Last Name,Cognome Last Purchase Rate,Ultimo Purchase Rate -Last updated by,Ultimo aggiornamento effettuato da Latest,ultimo Lead,Portare Lead Details,Piombo dettagli @@ -1566,24 +1478,17 @@ Ledgers,registri Left,Sinistra Legal,legale Legal Expenses,Spese legali -Less or equals,Minore o uguale -Less than,meno di Letter Head,Carta intestata Letter Heads for print templates.,Lettera Teste per modelli di stampa . Level,Livello Lft,Lft Liability,responsabilità -Like,come -Linked With,Collegato con -List,Lista List a few of your customers. They could be organizations or individuals.,Elencare alcuni dei vostri clienti . Potrebbero essere organizzazioni o individui . List a few of your suppliers. They could be organizations or individuals.,Elencare alcuni dei vostri fornitori . Potrebbero essere organizzazioni o individui . List items that form the package.,Voci di elenco che formano il pacchetto. List this Item in multiple groups on the website.,Elenco questo articolo a più gruppi sul sito. "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 . "List your tax heads (e.g. VAT, Excise; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Elencate le vostre teste fiscali ( ad esempio IVA , accise , che devono avere nomi univoci ) e le loro tariffe standard ." -Loading,Caricamento -Loading Report,Caricamento report Loading...,Caricamento in corso ... Loans (Liabilities),Prestiti (passività ) Loans and Advances (Assets),Crediti ( Assets ) @@ -1591,7 +1496,6 @@ Local,locale Login with your new User ID,Accedi con il tuo nuovo ID Utente Logo,Logo Logo and Letter Heads,Logo e Letter Heads -Logout,Esci Lost,perso Lost Reason,Perso Motivo Low,Basso @@ -1642,7 +1546,6 @@ Make Salary Structure,Fai la struttura salariale Make Sales Invoice,Fai la fattura di vendita Make Sales Order,Fai Sales Order Make Supplier Quotation,Fai Quotazione fornitore -Make a new,Effettuare una nuova Male,Maschio Manage Customer Group Tree.,Gestire Gruppi clienti Tree. Manage Sales Person Tree.,Gestire Sales Person Tree. @@ -1650,8 +1553,6 @@ Manage Territory Tree.,Gestione Territorio Tree. Manage cost of operations,Gestione dei costi delle operazioni di Management,gestione Manager,direttore -Mandatory fields required in {0},I campi obbligatori richiesti in {0} -Mandatory filters required:\n,I filtri obbligatori richiesti : \ n "Mandatory if Stock Item is ""Yes"". Also the default warehouse where reserved quantity is set from Sales Order.",Obbligatorio se Disponibile Articolo è "Sì". Anche il magazzino di default in cui quantitativo riservato è impostato da ordine di vendita. Manufacture against Sales Order,Produzione contro Ordine di vendita Manufacture/Repack,Fabbricazione / Repack @@ -1722,13 +1623,11 @@ Minute,minuto Misc Details,Varie Dettagli Miscellaneous Expenses,spese varie Miscelleneous,Miscelleneous -Missing Values Required,Valori mancanti richiesti Mobile No,Cellulare No Mobile No.,Cellulare No. Mode of Payment,Modalità di Pagamento Modern,Moderna Modified Amount,Importo modificato -Modified by,Modificato da Monday,Lunedi Month,Mese Monthly,Mensile @@ -1736,12 +1635,9 @@ Monthly Attendance Sheet,Foglio presenze mensile Monthly Earning & Deduction,Guadagno mensile & Deduzione Monthly Salary Register,Stipendio mensile Registrati Monthly salary statement.,Certificato di salario mensile. -More,Più More Details,Maggiori dettagli More Info,Ulteriori informazioni Motion Picture & Video,Motion Picture & Video -Move Down: {0},Sposta giù : {0} -Move Up: {0},Move Up : {0} Moving Average,Media mobile Moving Average Rate,Media mobile Vota Mr,Sig. @@ -1751,12 +1647,9 @@ Multiple Item prices.,Molteplici i prezzi articolo. conflict by assigning priority. Price Rules: {0}","Multipla Regola Prezzo esiste con gli stessi criteri , si prega di risolvere \ \ n conflitto assegnando priorità." Music,musica Must be Whole Number,Devono essere intere Numero -My Settings,Le mie impostazioni Name,Nome Name and Description,Nome e descrizione Name and Employee ID,Nome e ID dipendente -Name is required,Il nome è obbligatorio -Name not permitted,Nome non consentito "Name of new Account. Note: Please don't create accounts for Customers and Suppliers, they are created automatically from the Customer and Supplier master","Nome del nuovo account . Nota : Si prega di non creare account per i Clienti e Fornitori , vengono creati automaticamente dal cliente e maestro fornitore" Name of person or organization that this address belongs to.,Nome della persona o organizzazione che questo indirizzo appartiene. Name of the Budget Distribution,Nome della distribuzione del bilancio @@ -1774,7 +1667,6 @@ Net Weight UOM,UOM Peso netto Net Weight of each Item,Peso netto di ogni articolo Net pay cannot be negative,Retribuzione netta non può essere negativo Never,Mai -New,nuovo New , New Account,nuovo account New Account Name,Nuovo nome account @@ -1794,7 +1686,6 @@ New Projects,Nuovi Progetti New Purchase Orders,Nuovi Ordini di acquisto New Purchase Receipts,Nuovo acquisto Ricevute New Quotations,Nuove citazioni -New Record,Nuovo Record New Sales Orders,Nuovi Ordini di vendita New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,New Serial No non può avere Warehouse . Warehouse deve essere impostato da dell'entrata Stock o ricevuta d'acquisto New Stock Entries,Nuove entrate nelle scorte @@ -1816,11 +1707,8 @@ Next,prossimo Next Contact By,Avanti Contatto Con Next Contact Date,Avanti Contact Data Next Date,Avanti Data -Next Record,Record successivo -Next actions,Prossime azioni Next email will be sent on:,Email prossimo verrà inviato: No,No -No Communication tagged with this ,Nessuna comunicazione con i tag presente No Customer Accounts found.,Nessun account dei clienti trovata . No Customer or Supplier Accounts found,Nessun cliente o fornitore Conti trovati No Expense Approvers. Please assign 'Expense Approver' Role to atleast one user,Nessun approvazioni di spesa . Assegnare ruoli ' Expense Approvatore ' per atleast un utente @@ -1830,48 +1718,31 @@ No Items to pack,Non ci sono elementi per il confezionamento No Leave Approvers. Please assign 'Leave Approver' Role to atleast one user,Nessun Lascia le approvazioni . Assegnare ruoli ' Lascia Approvatore ' per atleast un utente No Permission,Nessuna autorizzazione No Production Orders created,Nessun ordini di produzione creati -No Report Loaded. Please use query-report/[Report Name] to run a report.,No Segnala Loaded. Si prega di utilizzare query report / [Nome report] per eseguire un report. -No Results,Nessun risultato No Supplier Accounts found. Supplier Accounts are identified based on 'Master Type' value in account record.,Nessun account Fornitore trovato. Contabilità fornitori sono identificati in base al valore ' Master ' in conto record. No accounting entries for the following warehouses,Nessuna scritture contabili per le seguenti magazzini No addresses created,Nessun indirizzi creati No contacts created,No contatti creati No default BOM exists for Item {0},Non esiste BOM predefinito per la voce {0} No description given,Nessuna descrizione fornita -No document selected,Nessun documento selezionato No employee found,Nessun dipendente trovato No employee found!,Nessun dipendente trovata! No of Requested SMS,No di SMS richiesto No of Sent SMS,No di SMS inviati No of Visits,No di visite -No one,Nessuno No permission,Nessuna autorizzazione -No permission to '{0}' {1},Nessuna autorizzazione per ' {0} ' {1} -No permission to edit,Non hai il permesso di modificare No record found,Nessun record trovato -No records tagged.,Nessun record marcati. No salary slip found for month: ,Nessun foglio paga trovato per mese: Non Profit,non Profit -None,Nessuno -None: End of Workflow,Nessuno: Fine del flusso di lavoro Nos,nos Not Active,Non attivo Not Applicable,Non Applicabile Not Available,Non disponibile Not Billed,Non fatturata Not Delivered,Non consegnati -Not Found,Not Found -Not Linked to any record.,Non legati a nessun record. -Not Permitted,Non Consentito Not Set,non impostato -Not Submitted,Filmografia -Not allowed,non è permesso Not allowed to update entries older than {0},Non è permesso di aggiornare le voci di età superiore a {0} Not authorized to edit frozen Account {0},Non autorizzato a modificare account congelati {0} Not authroized since {0} exceeds limits,Non authroized dal {0} supera i limiti -Not enough permission to see links.,Non basta il permesso di vedere i link. -Not equals,non equals -Not found,non trovato Not permitted,non consentito Note,Nota Note User,Nota User @@ -1880,7 +1751,6 @@ Note User,Nota User Note: Due Date exceeds the allowed credit days by {0} day(s),Nota : Data di scadenza supera le giornate di credito consentite dalla {0} giorni (s ) Note: Email will not be sent to disabled users,Nota: E-mail non sarà inviato agli utenti disabili Note: Item {0} entered multiple times,Nota : L'articolo {0} entrato più volte -Note: Other permission rules may also apply,Nota: si possono verificare anche altre regole di autorizzazione Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,Nota : non verrà creato pagamento Entry poiche ' in contanti o conto bancario ' non è stato specificato 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 Note: There is not enough leave balance for Leave Type {0},Nota : Non c'è equilibrio congedo sufficiente per Leave tipo {0} @@ -1889,12 +1759,9 @@ Note: {0},Nota : {0} Notes,Note Notes:,Note: Nothing to request,Niente da chiedere -Nothing to show,Niente da mostrare -Nothing to show for this selection,Niente da dimostrare per questa selezione Notice (days),Avviso ( giorni ) Notification Control,Controllo di notifica Notification Email Address,Indirizzo e-mail di notifica -Notify By Email,Notifica via e-mail Notify by Email on creation of automatic Material Request,Notifica tramite e-mail sulla creazione di Richiesta automatica Materiale Number Format,Formato numero Offer Date,offerta Data @@ -1938,7 +1805,6 @@ Opportunity Items,Articoli Opportunità Opportunity Lost,Occasione persa Opportunity Type,Tipo di Opportunità Optional. This setting will be used to filter in various transactions.,Facoltativo. Questa impostazione verrà utilizzato per filtrare in diverse operazioni . -Or Created By,Oppure Creato da Order Type,Tipo di ordine Order Type must be one of {1},Tipo ordine deve essere uno di {1} Ordered,ordinato @@ -1953,7 +1819,6 @@ Organization Profile,Profilo dell'organizzazione Organization branch master.,Ramo Organizzazione master. Organization unit (department) master.,Unità organizzativa ( dipartimento) master. Original Amount,Importo originale -Original Message,Original Message Other,Altro Other Details,Altri dettagli Others,altrui @@ -1996,7 +1861,6 @@ Packing Slip Items,Imballaggio elementi slittamento Packing Slip(s) cancelled,Bolla di accompagnamento ( s ) annullato Page Break,Interruzione di pagina Page Name,Nome pagina -Page not found,Pagina non trovata Paid Amount,Importo pagato Paid amount + Write Off Amount can not be greater than Grand Total,Importo versato + Scrivi Off importo non può essere superiore a Grand Total Pair,coppia @@ -2062,9 +1926,6 @@ Period Closing Voucher,Periodo di chiusura Voucher Periodicity,Periodicità Permanent Address,Indirizzo permanente Permanent Address Is,Indirizzo permanente è -Permanently Cancel {0}?,Cancella definitivamente {0} ? -Permanently Submit {0}?,Invia definitivamente {0} ? -Permanently delete {0}?,Eliminare definitivamente {0} ? Permission,Autorizzazione Personal,Personale Personal Details,Dettagli personali @@ -2073,7 +1934,6 @@ Pharmaceutical,farmaceutico Pharmaceuticals,Pharmaceuticals Phone,Telefono Phone No,N. di telefono -Pick Columns,Scegli Colonne Piecework,lavoro a cottimo Pincode,PINCODE Place of Issue,Luogo di emissione @@ -2086,8 +1946,6 @@ Plant,Impianto Plant and Machinery,Impianti e macchinari Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,Inserisci Abbreviazione o Nome breve correttamente in quanto verrà aggiunto come suffisso a tutti i Capi account. Please add expense voucher details,Si prega di aggiungere spese dettagli promozionali -Please attach a file first.,Si prega di allegare un file. -Please attach a file or set a URL,Si prega di allegare un file o impostare un URL Please check 'Is Advance' against Account {0} if this is an advance entry.,Si prega di verificare 'È Advance ' contro Account {0} se questa è una voce di anticipo. Please click on 'Generate Schedule',Si prega di cliccare su ' Generate Schedule ' Please click on 'Generate Schedule' to fetch Serial No added for Item {0},Si prega di cliccare su ' Generate Schedule ' a prendere Serial No aggiunto per la voce {0} @@ -2096,7 +1954,6 @@ Please create Customer from Lead {0},Si prega di creare Cliente da piombo {0} Please create Salary Structure for employee {0},Si prega di creare struttura salariale per dipendente {0} Please create new account from Chart of Accounts.,Si prega di creare un nuovo account dal Piano dei conti . Please do NOT create Account (Ledgers) for Customers and Suppliers. They are created directly from the Customer / Supplier masters.,Si prega di non creare account ( Registri ) per Clienti e Fornitori . Essi sono creati direttamente dai maestri cliente / fornitore . -Please enable pop-ups,Si prega di abilitare i pop-up Please enter 'Expected Delivery Date',Inserisci il ' Data prevista di consegna ' Please enter 'Is Subcontracted' as Yes or No,Si prega di inserire ' è appaltata ' come Yes o No Please enter 'Repeat on Day of Month' field value,Inserisci ' Ripetere il giorno del mese ' valore di campo @@ -2107,7 +1964,6 @@ Please enter Company,Inserisci Società Please enter Cost Center,Inserisci Centro di costo Please enter Delivery Note No or Sales Invoice No to proceed,Inserisci il DDT o fattura di vendita No No per procedere Please enter Employee Id of this sales parson,Inserisci Id dipendente di questa Parson vendite -Please enter Event's Date and Time!,Inserisci Data e ora di Event ! Please enter Expense Account,Inserisci il Conto uscite Please enter Item Code to get batch no,Inserisci il codice Item per ottenere lotto non Please enter Item Code.,Inserisci il codice dell'articolo. @@ -2133,14 +1989,11 @@ Please enter parent cost center,Inserisci il centro di costo genitore Please enter quantity for Item {0},Inserite la quantità per articolo {0} Please enter relieving date.,Inserisci la data alleviare . Please enter sales order in the above table,Inserisci ordine di vendita nella tabella sopra -Please enter some text!,Inserisci il testo ! -Please enter title!,Inserisci il titolo! Please enter valid Company Email,Inserisci valido Mail Please enter valid Email Id,Inserisci valido Email Id Please enter valid Personal Email,Inserisci valido Email Personal Please enter valid mobile nos,Inserisci nos mobili validi Please install dropbox python module,Si prega di installare dropbox modulo python -Please login to Upvote!,Effettua il login per upvote ! Please mention no of visits required,Si prega di citare nessuna delle visite richieste Please pull items from Delivery Note,Si prega di tirare oggetti da DDT Please save the Newsletter before sending,Si prega di salvare la Newsletter prima di inviare @@ -2191,8 +2044,6 @@ Plot By,Plot By Point of Sale,Punto di vendita Point-of-Sale Setting,Point-of-Sale Setting Post Graduate,Post Laurea -Post already exists. Cannot add again!,Posta esiste già . Impossibile aggiungere di nuovo! -Post does not exist. Please add post!,Messaggio non esiste. Si prega di aggiungere post! Postal,Postale Postal Expenses,spese postali Posting Date,Data di registrazione @@ -2207,7 +2058,6 @@ Prevdoc DocType,Prevdoc DocType Prevdoc Doctype,Prevdoc Doctype Preview,anteprima Previous,precedente -Previous Record,Record Precedente Previous Work Experience,Lavoro precedente esperienza Price,prezzo Price / Discount,Prezzo / Sconto @@ -2226,12 +2076,10 @@ Price or Discount,Prezzo o Sconto Pricing Rule,Regola Prezzi Pricing Rule For Discount,Prezzi regola per lo sconto Pricing Rule For Price,Prezzi regola per Prezzo -Print,Stampa Print Format Style,Formato Stampa Style Print Heading,Stampa Rubrica Print Without Amount,Stampare senza Importo Print and Stationary,Stampa e Fermo -Print...,Stampa ... Printing and Branding,Stampa e Branding Priority,Priorità Private Equity,private Equity @@ -2357,7 +2205,6 @@ Quantity of item obtained after manufacturing / repacking from given quantities Quantity required for Item {0} in row {1},Quantità necessaria per la voce {0} in riga {1} Quarter,Quartiere Quarterly,Trimestrale -Query Report,Rapporto sulle query Quick Help,Guida rapida Quotation,Quotazione Quotation Date,Preventivo Data @@ -2459,14 +2306,11 @@ Rejected Warehouse is mandatory against regected item,Warehouse Respinto è obbl Relation,Relazione Relieving Date,Alleviare Data Relieving Date must be greater than Date of Joining,Data Alleviare deve essere maggiore di Data di giunzione -Reload Page,Ricarica la Pagina Remark,Osservazioni Remarks,Osservazioni -Remove Bookmark,Rimuovere Bookmark Rename,rinominare Rename Log,Rinominare Entra Rename Tool,Rename Tool -Rename...,Rinomina ... Rent Cost,Affitto Costo Rent per hour,Affittare all'ora Rented,Affittato @@ -2474,12 +2318,9 @@ Repeat on Day of Month,Ripetere il Giorno del mese Replace,Sostituire Replace Item / BOM in all BOMs,Sostituire Voce / BOM in tutte le distinte base Replied,Ha risposto -Report,Segnala Report Date,Data Segnala Report Type,Tipo di rapporto Report Type is mandatory,Tipo di rapporto è obbligatoria -Report an Issue,Segnala un problema -Report was not saved (there were errors),Relazione non è stato salvato (ci sono stati errori) Reports to,Relazioni al Reqd By Date,Reqd Per Data Request Type,Tipo di richiesta @@ -2630,7 +2471,6 @@ Salutation,Appellativo Sample Size,Dimensione del campione Sanctioned Amount,Importo sanzionato Saturday,Sabato -Save,salvare Schedule,Pianificare Schedule Date,Programma Data Schedule Details,Dettagli di pianificazione @@ -2644,7 +2484,6 @@ Score (0-5),Punteggio (0-5) Score Earned,Punteggio Earned Score must be less than or equal to 5,Punteggio deve essere minore o uguale a 5 Scrap %,Scrap% -Search,Cerca Seasonality for setting budgets.,Stagionalità di impostazione budget. Secretary,segretario Secured Loans,Prestiti garantiti @@ -2656,26 +2495,18 @@ Securities and Deposits,I titoli e depositi "Select ""Yes"" if this item represents some work like training, designing, consulting etc.","Selezionare "Sì" se l'oggetto rappresenta un lavoro come la formazione, progettazione, consulenza, ecc" "Select ""Yes"" if you are maintaining stock of this item in your Inventory.",Selezionare "Sì" se si sta mantenendo magazzino di questo articolo nel tuo inventario. "Select ""Yes"" if you supply raw materials to your supplier to manufacture this item.",Selezionare "Sì" se si forniscono le materie prime per il vostro fornitore per la fabbricazione di questo oggetto. -Select All,Seleziona tutto -Select Attachments,Selezionare Allegati Select Budget Distribution to unevenly distribute targets across months.,Selezionare Budget Distribution per distribuire uniformemente gli obiettivi in ​​tutta mesi. "Select Budget Distribution, if you want to track based on seasonality.","Selezionare Budget distribuzione, se si desidera tenere traccia in base a stagionalità." Select DocType,Selezionare DocType Select Items,Selezionare Elementi -Select Print Format,Selezionare Formato di stampa Select Purchase Receipts,Selezionare ricevute di acquisto -Select Report Name,Selezionare Nome rapporto Select Sales Orders,Selezionare Ordini di vendita Select Sales Orders from which you want to create Production Orders.,Selezionare gli ordini di vendita da cui si desidera creare gli ordini di produzione. Select Time Logs and Submit to create a new Sales Invoice.,Selezionare Time Diari e Invia per creare una nuova fattura di vendita. -Select To Download:,Selezionare A Download: Select Transaction,Selezionare Transaction -Select Type,Seleziona tipo Select Your Language,Seleziona la tua lingua Select account head of the bank where cheque was deposited.,Selezionare conto capo della banca in cui assegno è stato depositato. Select company name first.,Selezionare il nome della società prima. -Select dates to create a new ,Seleziona le date per creare un nuovo -Select or drag across time slots to create a new event.,Selezionare o trascinare gli intervalli di tempo per creare un nuovo evento. Select template from which you want to get the Goals,Selezionare modello da cui si desidera ottenere gli Obiettivi Select the Employee for whom you are creating the Appraisal.,Selezionare il dipendente per il quale si sta creando la valutazione. Select the period when the invoice will be generated automatically,Selezionare il periodo in cui la fattura viene generato automaticamente @@ -2691,11 +2522,9 @@ Select your home country and check the timezone and currency.,Seleziona il tuo p Selling,Vendere Selling Settings,Vendere Impostazioni Send,Invia -Send As Email,Invia Send Autoreply,Invia Autoreply Send Email,Invia Email Send From,Invia Dalla -Send Me A Copy,Inviami una copia Send Notifications To,Inviare notifiche ai Send Now,Invia Ora Send SMS,Invia SMS @@ -2705,7 +2534,6 @@ Send mass SMS to your contacts,Invia SMS di massa ai tuoi contatti Send to this list,Invia a questa lista Sender Name,Nome mittente Sent On,Inviata il -Sent or Received,Inviati o ricevuti Separate production order will be created for each finished good item.,Ordine di produzione separata verrà creato per ogni buon prodotto finito. Serial No,Serial No Serial No / Batch,Serial n / Batch @@ -2739,11 +2567,9 @@ Series {0} already used in {1},Serie {0} già utilizzata in {1} Service,servizio Service Address,Service Indirizzo Services,Servizi -Session Expired. Logging you out,Sessione scaduta. Registrazione fuori Set,set "Set Default Values like Company, Currency, Current Fiscal Year, etc.","Impostare i valori predefiniti , come Società , valuta , corrente anno fiscale , ecc" Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,Impostare la voce del budget di Gruppo-saggi su questo territorio. È inoltre possibile includere la stagionalità impostando la distribuzione. -Set Link,Set di collegamento Set as Default,Imposta come predefinito Set as Lost,Imposta come persa Set prefix for numbering series on your transactions,Impostare prefisso per numerazione serie sulle transazioni @@ -2776,17 +2602,12 @@ Shipping Rule Label,Spedizione Etichetta Regola Shop,Negozio Shopping Cart,Carrello spesa Short biography for website and other publications.,Breve biografia per il sito web e altre pubblicazioni. -Shortcut,Scorciatoia "Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",Mostra "Disponibile" o "Non disponibile" sulla base di scorte disponibili in questo magazzino. "Show / Hide features like Serial Nos, POS etc.","Mostra / Nascondi caratteristiche come Serial Nos, POS ecc" -Show Details,Mostra dettagli Show In Website,Mostra Nel Sito -Show Tags,Mostra Tag Show a slideshow at the top of the page,Visualizzare una presentazione in cima alla pagina Show in Website,Mostra nel Sito -Show rows with zero values,Mostra righe con valori pari a zero Show this slideshow at the top of the page,Mostra questo slideshow in cima alla pagina -Showing only for (if not empty),Mostrando solo per (se non vuota) Sick Leave,Sick Leave Signature,Firma Signature to be appended at the end of every email,Firma da aggiungere alla fine di ogni e-mail @@ -2797,11 +2618,8 @@ Slideshow,Slideshow Soap & Detergent,Soap & Detergente Software,software Software Developer,Software Developer -Sorry we were unable to find what you were looking for.,Spiacente non siamo riusciti a trovare quello che stavi cercando. -Sorry you are not permitted to view this page.,Mi dispiace che non sei autorizzato a visualizzare questa pagina. "Sorry, Serial Nos cannot be merged","Siamo spiacenti , Serial Nos non può essere fusa" "Sorry, companies cannot be merged","Siamo spiacenti , le aziende non possono essere unite" -Sort By,Ordina per Source,Fonte Source File,File di origine Source Warehouse,Fonte Warehouse @@ -2826,7 +2644,6 @@ Standard Selling,Selling standard Standard contract terms for Sales or Purchase.,Condizioni contrattuali standard per la vendita o di acquisto. Start,Inizio Start Date,Data di inizio -Start Report For,Inizio Rapporto Per Start date of current invoice's period,Data finale del periodo di fatturazione corrente Avviare Start date should be less than end date for Item {0},Data di inizio dovrebbe essere inferiore a quella di fine per la voce {0} State,Stato @@ -2884,7 +2701,6 @@ Sub Assemblies,sub Assemblies "Sub-currency. For e.g. ""Cent""","Sub-valuta. Per esempio, "Cent"" Subcontract,Subappaltare Subject,Soggetto -Submit,Presentare Submit Salary Slip,Invia Stipendio slittamento Submit all salary slips for the above selected criteria,Inviare tutti i fogli paga per i criteri sopra selezionati Submit this Production Order for further processing.,Invia questo ordine di produzione per l'ulteriore elaborazione . @@ -2928,7 +2744,6 @@ Support Email Settings,Supporto Impostazioni e-mail Support Password,Supporto password Support Ticket,Support Ticket Support queries from customers.,Supportare le query da parte dei clienti. -Switch to Website,Passare al sito web Symbol,Simbolo Sync Support Mails,Sincronizza mail di sostegno Sync with Dropbox,Sincronizzazione con Dropbox @@ -2936,7 +2751,6 @@ Sync with Google Drive,Sincronizzazione con Google Drive System,Sistema System Settings,Impostazioni di sistema "System User (login) ID. If set, it will become default for all HR forms.","Utente di sistema (login) ID. Se impostato, esso diventerà di default per tutti i moduli HR." -Tags,Tag Target Amount,L'importo previsto Target Detail,Obiettivo Particolare Target Details,Dettagli di destinazione @@ -2995,7 +2809,6 @@ Territory Target Variance Item Group-Wise,Territorio di destinazione Varianza ar Territory Targets,Obiettivi Territorio Test,Prova Test Email Id,Prova Email Id -Test Runner,Test Runner Test the Newsletter,Provare la Newsletter The BOM which will be replaced,La distinta base che sarà sostituito The First User: You,Il primo utente : è @@ -3015,28 +2828,23 @@ The net weight of this package. (calculated automatically as sum of net weight o The new BOM after replacement,Il nuovo BOM dopo la sostituzione The rate at which Bill Currency is converted into company's base currency,La velocità con cui Bill valuta viene convertita in valuta di base dell'azienda 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. -Then By (optional),Poi per (opzionale) There are more holidays than working days this month.,Ci sono più feste di giorni di lavoro di questo mese . "There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Ci può essere una sola regola spedizione Circostanza con 0 o il valore vuoto per "" To Value """ There is not enough leave balance for Leave Type {0},Non c'è equilibrio congedo sufficiente per Leave tipo {0} There is nothing to edit.,Non c'è nulla da modificare. There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,Si è verificato un errore . Una ragione probabile potrebbe essere che non si è salvato il modulo. Si prega di contattare support@erpnext.com se il problema persiste . -There were errors,Ci sono stati degli errori -There were errors while sending email. Please try again.,Ci sono stati errori durante l'invio di email . Riprova . There were errors.,Ci sono stati degli errori . This Currency is disabled. Enable to use in transactions,Questa valuta è disabilitata . Attiva da utilizzare nelle transazioni This Leave Application is pending approval. Only the Leave Apporver can update status.,Questo Lascia applicazione è in attesa di approvazione . Solo l' Lascia Apporver può aggiornare lo stato . This Time Log Batch has been billed.,Questo Log Batch Ora è stato fatturato. This Time Log Batch has been cancelled.,Questo Log Batch Ora è stato annullato. This Time Log conflicts with {0},This Time Log in conflitto con {0} -This is PERMANENT action and you cannot undo. Continue?,Questa è l'azione permanente e non può essere annullata. Continuare? This is a root account and cannot be edited.,Questo è un account di root e non può essere modificato . This is a root customer group and cannot be edited.,Si tratta di un gruppo di clienti root e non può essere modificato . This is a root item group and cannot be edited.,Questo è un gruppo elemento principale e non può essere modificato . This is a root sales person and cannot be edited.,Si tratta di una persona di vendita di root e non può essere modificato . This is a root territory and cannot be edited.,Questo è un territorio root e non può essere modificato . This is an example website auto-generated from ERPNext,Questo è un sito esempio generata automaticamente da ERPNext -This is permanent action and you cannot undo. Continue?,Questa è l'azione permanente e non può essere annullata. Continuare? This is the number of the last created transaction with this prefix,Questo è il numero dell'ultimo transazione creata con questo prefisso This will be used for setting rule in HR module,Questo verrà utilizzato per regola impostazione nel modulo HR Thread HTML,HTML Discussione @@ -3078,7 +2886,6 @@ To get Item Group in details table,Per ottenere Gruppo di elementi in dettaglio "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" "To merge, following properties must be same for both items","Per unire , seguenti proprietà devono essere uguali per entrambe le voci" "To report an issue, go to ", -"To run a test add the module name in the route after '{0}'. For example, {1}","Per eseguire un test di aggiungere il nome del modulo in rotta dopo la ' {0} ' . Ad esempio , {1}" "To set this Fiscal Year as Default, click on 'Set as Default'","Per impostare questo anno fiscale come predefinito , clicca su ' Imposta come predefinito'" To track any installation or commissioning related work after sales,Per tenere traccia di alcuna installazione o messa in attività collegate post-vendita "To track brand name in the following documents Delivery Note, Opportunity, Material Request, Item, Purchase Order, Purchase Voucher, Purchaser Receipt, Quotation, Sales Invoice, Sales BOM, Sales Order, Serial No","Per tenere traccia di marca nelle seguenti documenti di consegna Note , Opportunità , richiedere materiale , articolo , ordine di acquisto , Buono Acquisto , l'Acquirente Scontrino fiscale, preventivo , fattura di vendita , vendite BOM , ordini di vendita , Serial No" @@ -3130,7 +2937,6 @@ Totals,Totali Track Leads by Industry Type.,Pista Leads per settore Type. Track this Delivery Note against any Project,Sottoscrivi questa bolla di consegna contro ogni progetto Track this Sales Order against any Project,Traccia questo ordine di vendita nei confronti di qualsiasi progetto -Trainee,apprendista Transaction,Transazioni Transaction Date,Transaction Data Transaction not allowed against stopped Production Order {0},Operazione non ammessi contro Production smesso di ordine {0} @@ -3162,7 +2968,6 @@ UOM Conversion Factor,Fattore di Conversione UOM UOM Conversion factor is required in row {0},Fattore UOM conversione è necessaria in riga {0} UOM Name,UOM Nome UOM coversion factor required for UOM {0} in Item {1},Fattore coversion UOM richiesto per UOM {0} alla voce {1} -Unable to load: {0},Incapace di carico : {0} Under AMC,Sotto AMC Under Graduate,Sotto Laurea Under Warranty,Sotto Garanzia @@ -3172,11 +2977,8 @@ Unit of Measure {0} has been entered more than once in Conversion Factor Table,U "Unit of measurement of this item (e.g. Kg, Unit, No, Pair).","Unità di misura di questo oggetto (es. Kg, Unità, No, coppia)." Units/Hour,Unità / Hour Units/Shifts,Unità / turni -Unknown Column: {0},Sconosciuto Colonna : {0} -Unknown Print Format: {0},Sconosciuto Formato Stampa : {0} Unmatched Amount,Importo senza pari Unpaid,Non pagata -Unread Messages,Messaggi non letti Unscheduled,Non in programma Unsecured Loans,I prestiti non garantiti Unstop,stappare @@ -3196,18 +2998,14 @@ Update bank payment dates with journals.,Risale aggiornamento versamento bancari Update clearance date of Journal Entries marked as 'Bank Vouchers',"Data di aggiornamento della respinta corta di voci di diario contrassegnato come "" Buoni Banca '" Updated,Aggiornato Updated Birthday Reminders,Aggiornato Compleanno Promemoria -Upload,caricare -Upload Attachment,Upload Attachment Upload Attendance,Carica presenze Upload Backups to Dropbox,Carica backup di Dropbox Upload Backups to Google Drive,Carica backup di Google Drive Upload HTML,Carica HTML Upload a .csv file with two columns: the old name and the new name. Max 500 rows.,Carica un file csv con due colonne:. L'antico nome e il nuovo nome. Max 500 righe. -Upload a file,Carica un file Upload attendance from a .csv file,Carica presenze da un file. Csv Upload stock balance via csv.,Carica equilibrio magazzino tramite csv. Upload your letter head and logo - you can edit them later.,Carica la tua testa lettera e logo - è possibile modificare in un secondo momento . -Uploading...,Caricamento ... Upper Income,Reddito superiore Urgent,Urgente Use Multi-Level BOM,Utilizzare BOM Multi-Level @@ -3217,11 +3015,9 @@ User ID,ID utente User ID not set for Employee {0},ID utente non è impostato per Employee {0} User Name,Nome Utente User Name or Support Password missing. Please enter and try again.,Nome utente o password mancanti Support . Inserisci e riprovare. -User Permission Restrictions,Restrizioni permesso dell'utente User Remark,Osservazioni utenti User Remark will be added to Auto Remark,Osservazioni utente verrà aggiunto al Remark Auto User Remarks is mandatory,Utente Note è obbligatorio -User Restrictions,Restrizioni utente User Specific,specifiche dell'utente User must always select,L'utente deve sempre selezionare User {0} is already assigned to Employee {1},Utente {0} è già assegnato a Employee {1} @@ -3319,8 +3115,6 @@ Will be updated after Sales Invoice is Submitted.,Saranno aggiornate dopo fattur Will be updated when batched.,Verrà aggiornato quando dosati. Will be updated when billed.,Verrà aggiornato quando fatturati. Wire Transfer,Bonifico bancario -With Groups,con Groups -With Ledgers,con Registri With Operations,Con operazioni With period closing entry,Con l'ingresso di chiusura del periodo Work Details,Dettagli lavoro @@ -3328,7 +3122,6 @@ Work Done,Attività svolta Work In Progress,Work In Progress Work-in-Progress Warehouse,Work-in-Progress Warehouse Work-in-Progress Warehouse is required before Submit,Work- in- Progress Warehouse è necessario prima Submit -Workflow will start after saving.,Flusso di lavoro avrà inizio dopo il salvataggio. Working,Lavoro Workstation,Stazione di lavoro Workstation Name,Nome workstation @@ -3351,11 +3144,6 @@ Year Start Date should not be greater than Year End Date,Anno Data di inizio non Year of Passing,Anni dal superamento Yearly,Annuale Yes,Sì -Yesterday,Ieri -You are not allowed to create / edit reports,Non hai il permesso di creare / modificare i rapporti -You are not allowed to export this report,Non sei autorizzato a esportare questo rapporto -You are not allowed to print this document,Non sei autorizzato a stampare questo documento -You are not allowed to send emails related to this document,Non hai i permessi per inviare e-mail relative a questo documento You are not authorized to add or update entries before {0},Non sei autorizzato a aggiungere o aggiornare le voci prima di {0} You are not authorized to set Frozen value,Non sei autorizzato a impostare il valore Congelato You are the Expense Approver for this record. Please Update the 'Status' and Save,Tu sei il Responsabile approvazione di spesa per questo record . Si prega di aggiornare il 'Stato' e Save @@ -3372,7 +3160,6 @@ You can submit this Stock Reconciliation.,Puoi inviare questo Archivio Riconcili You can update either Quantity or Valuation Rate or both.,È possibile aggiornare sia Quantitativo o Tasso di valutazione o di entrambi . You cannot credit and debit same account at the same time,"Non si può di credito e debito stesso conto , allo stesso tempo" You have entered duplicate items. Please rectify and try again.,Hai inserito gli elementi duplicati . Si prega di correggere e riprovare . -You have unsaved changes in this form. Please save before you continue.,Hai modifiche non salvate in questa forma . You may need to update: {0},Potrebbe essere necessario aggiornare : {0} You must Save the form before proceeding,È necessario Salvare il modulo prima di procedere You must allocate amount before reconcile,È necessario allocare importo prima di riconciliazione @@ -3381,7 +3168,6 @@ Your Customers,I vostri clienti Your Login Id,Il tuo ID di accesso Your Products or Services,I vostri prodotti o servizi Your Suppliers,I vostri fornitori -"Your download is being built, this may take a few moments...","Il download è in costruzione, l'operazione potrebbe richiedere alcuni minuti ..." Your email address,Il tuo indirizzo email Your financial year begins on,Il tuo anno finanziario comincia Your financial year ends on,Il tuo anno finanziario termina il @@ -3394,8 +3180,6 @@ Your support email id - must be a valid email - this is where your emails will c and,e are not allowed.,non sono ammessi . assigned by,assegnato da -comment,commento -comments,commenti "e.g. ""Build tools for builders""","ad esempio "" Costruire strumenti per i costruttori """ "e.g. ""MC""","ad esempio "" MC """ "e.g. ""My Company LLC""","ad esempio ""My Company LLC """ @@ -3405,14 +3189,9 @@ e.g. 5,ad esempio 5 e.g. VAT,ad esempio IVA eg. Cheque Number,ad es. Numero Assegno example: Next Day Shipping,esempio: Next Day spedizione -found,fondare -is not allowed.,non è permesso. lft,LFT old_parent,old_parent -or,oppure rgt,rgt -to,a -values and dates,valori e le date website page link,sito web link alla pagina {0} '{1}' not in Fiscal Year {2},{0} ' {1}' non in Fiscal Year {2} {0} Credit limit {0} crossed,{0} Limite di credito {0} attraversato diff --git a/erpnext/translations/kn.csv b/erpnext/translations/kn.csv index bcf49379f0..a6e2815c3a 100644 --- a/erpnext/translations/kn.csv +++ b/erpnext/translations/kn.csv @@ -1,7 +1,5 @@ (Half Day), and year: , - by Role , - is not set, """ does not exists",""" ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ" % Delivered,ತಲುಪಿಸಲಾಗಿದೆ % % Amount Billed,ಖ್ಯಾತವಾದ % ಪ್ರಮಾಣ @@ -34,7 +32,6 @@ "1 Currency = [?] Fraction For e.g. 1 USD = 100 Cent",1 ಕರೆನ್ಸಿ = [ ? ] ಫ್ರ್ಯಾಕ್ಷನ್ \ nFor ಉದಾಹರಣೆಗೆ 1. To maintain the customer wise item code and to make them searchable based on their code use this option,1 ಬುದ್ಧಿವಂತ ಗ್ರಾಹಕ ಐಟಂ ಕೋಡ್ ನಿರ್ವಹಿಸಲು ಮತ್ತು ತಮ್ಮ ಕೋಡ್ ಬಳಕೆ ಈ ಆಯ್ಕೆಯನ್ನು ಆಧರಿಸಿ ಅವುಗಳನ್ನು ಹುಡುಕಲು ಸುಲಭವಾಗುವಂತೆ -2 days ago,2 ದಿನಗಳ ಹಿಂದೆ "Add / Edit","ಕವಿದ href=""#Sales Browser/Customer Group""> ಸೇರಿಸಿ / ಸಂಪಾದಿಸಿ " "Add / Edit","ಕವಿದ href=""#Sales Browser/Item Group""> ಸೇರಿಸಿ / ಸಂಪಾದಿಸಿ " "Add / Edit","ಕವಿದ href=""#Sales Browser/Territory""> ಸೇರಿಸಿ / ಸಂಪಾದಿಸಿ " @@ -89,7 +86,6 @@ Accounts Frozen Upto,ಘನೀಕೃತ ವರೆಗೆ ಖಾತೆಗಳು Accounts Payable,ಖಾತೆಗಳನ್ನು ಕೊಡಬೇಕಾದ Accounts Receivable,ಸ್ವೀಕರಿಸುವಂತಹ ಖಾತೆಗಳು Accounts Settings,ಸೆಟ್ಟಿಂಗ್ಗಳು ಖಾತೆಗಳು -Actions,ಕ್ರಿಯೆಗಳು Active,ಕ್ರಿಯಾಶೀಲ Active: Will extract emails from , Activity,ಚಟುವಟಿಕೆ @@ -111,23 +107,13 @@ Actual Quantity,ನಿಜವಾದ ಪ್ರಮಾಣ Actual Start Date,ನಿಜವಾದ ಆರಂಭ ದಿನಾಂಕ Add,ಸೇರಿಸು Add / Edit Taxes and Charges,ಸೇರಿಸಿ / ಸಂಪಾದಿಸಿ ತೆರಿಗೆಗಳು ಮತ್ತು ಶುಲ್ಕಗಳು -Add Attachments,ಲಗತ್ತುಗಳನ್ನು ಸೇರಿಸಿ -Add Bookmark,ಸೇರಿಸಿ ಬುಕ್ಮಾರ್ಕ್ Add Child,ಮಕ್ಕಳ ಸೇರಿಸಿ -Add Column,ಅಂಕಣ ಸೇರಿಸಿ -Add Message,ಸಂದೇಶ ಸೇರಿಸಿ -Add Reply,ಉತ್ತರಿಸಿ ಸೇರಿಸಿ Add Serial No,ಸೀರಿಯಲ್ ನಂ ಸೇರಿಸಿ Add Taxes,ತೆರಿಗೆಗಳು ಸೇರಿಸಿ Add Taxes and Charges,ತೆರಿಗೆಗಳು ಮತ್ತು ಶುಲ್ಕಗಳು ಸೇರಿಸಿ -Add This To User's Restrictions,ಬಳಕೆದಾರರ ನಿರ್ಬಂಧಗಳು ಈ ಸೇರಿಸಿ -Add attachment,ಲಗತ್ತು ಸೇರಿಸಿ -Add new row,ಹೊಸ ಸಾಲನ್ನು ಸೇರಿಸಿ Add or Deduct,ಸೇರಿಸಿ ಅಥವಾ ಕಡಿತಗೊಳಿಸುವ Add rows to set annual budgets on Accounts.,ಖಾತೆಗಳ ವಾರ್ಷಿಕ ಬಜೆಟ್ ಹೊಂದಿಸಲು ಸಾಲುಗಳನ್ನು ಸೇರಿಸಿ . Add to Cart,ಕಾರ್ಟ್ ಸೇರಿಸಿ -Add to To Do,ಮಾಡಲು ಸೇರಿಸಿ -Add to To Do List of,ಪಟ್ಟಿ ಮಾಡಲು ಸೇರಿಸಿ Add to calendar on this date,ಈ ದಿನಾಂಕದಂದು ಕ್ಯಾಲೆಂಡರ್ಗೆ ಸೇರಿಸು Add/Remove Recipients,ಸೇರಿಸಿ / ತೆಗೆದುಹಾಕಿ ಸ್ವೀಕೃತದಾರರ Address,ವಿಳಾಸ @@ -220,9 +206,6 @@ Allow user to edit Price List Rate in transactions,ಬಳಕೆದಾರ ವ್ Allowance Percent,ಭತ್ಯೆ ಪರ್ಸೆಂಟ್ Allowance for over-delivery / over-billing crossed for Item {0},ಸೇವನೆ ಮೇಲೆ ಮಾಡುವ / ಅತಿ ಬಿಲ್ಲಿಂಗ್ ಐಟಂ ದಾಟಿ {0} Allowed Role to Edit Entries Before Frozen Date,ಪಾತ್ರ ಘನೀಕೃತ ಮುಂಚೆ ನಮೂದುಗಳು ಸಂಪಾದಿಸಿ ಅನುಮತಿಸಲಾಗಿದೆ -"Allowing DocType, DocType. Be careful!",ಅವಕಾಶ doctype doctype . ಎಚ್ಚರಿಕೆ! -Alternative download link,ಪರ್ಯಾಯ ಡೌನ್ಲೋಡ್ ಲಿಂಕ್ -Amend,ತಪ್ಪುಸರಿಪಡಿಸು Amended From,ಗೆ ತಿದ್ದುಪಡಿ Amount,ಪ್ರಮಾಣ Amount (Company Currency),ಪ್ರಮಾಣ ( ಕರೆನ್ಸಿ ಕಂಪನಿ ) @@ -270,26 +253,18 @@ Approving User,ಅಂಗೀಕಾರಕ್ಕಾಗಿ ಬಳಕೆದಾರ Approving User cannot be same as user the rule is Applicable To,ಬಳಕೆದಾರ ನಿಯಮ ಅನ್ವಯವಾಗುತ್ತದೆ ಎಂದು ಬಳಕೆದಾರ ಅನುಮೋದನೆ ಇರಲಾಗುವುದಿಲ್ಲ Are you sure you want to STOP , Are you sure you want to UNSTOP , -Are you sure you want to delete the attachment?,ನೀವು ಬಾಂಧವ್ಯ ಅಳಿಸಲು ಬಯಸುತ್ತೀರೆ? Arrear Amount,ಬಾಕಿ ಪ್ರಮಾಣ "As Production Order can be made for this item, it must be a stock item.","ಪ್ರೊಡಕ್ಷನ್ ಆರ್ಡರ್ ಈ ಐಟಂ ಮಾಡಬಹುದು ಎಂದು, ಇದು ಒಂದು ಸ್ಟಾಕ್ ಐಟಂ ಇರಬೇಕು ." As per Stock UOM,ಸ್ಟಾಕ್ UOM ಪ್ರಕಾರ "As there are existing stock transactions for this item, you can not change the values of 'Has Serial No', 'Is Stock Item' and 'Valuation Method'","ಈ ಐಟಂ ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ಸ್ಟಾಕ್ ವ್ಯವಹಾರ ಇವೆ , ನೀವು ' ಯಾವುದೇ ಸೀರಿಯಲ್ ಹ್ಯಾಸ್ ' ಮೌಲ್ಯಗಳನ್ನು ಬದಲಾಯಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ , ಮತ್ತು ' ಮೌಲ್ಯಮಾಪನ ವಿಧಾನ ' ' ಸ್ಟಾಕ್ ಐಟಂ '" -Ascending,ಆರೋಹಣ Asset,ಆಸ್ತಿಪಾಸ್ತಿ -Assign To,ನಿಗದಿ -Assigned To,ನಿಯೋಜಿಸಲಾಗಿದೆ -Assignments,ನಿಯೋಜನೆಗಳು Assistant,ಸಹಾಯಕ Associate,ಜತೆಗೂಡಿದ Atleast one warehouse is mandatory,ಕನಿಷ್ಠ ಒಂದು ಗೋದಾಮಿನ ಕಡ್ಡಾಯ -Attach Document Print,ದಸ್ತಾವೇಜನ್ನು ಮುದ್ರಿಸು ಲಗತ್ತಿಸಿ Attach Image,ಚಿತ್ರ ಲಗತ್ತಿಸಿ Attach Letterhead,ತಲೆಬರಹ ಲಗತ್ತಿಸಿ Attach Logo,ಲೋಗೋ ಲಗತ್ತಿಸಿ Attach Your Picture,ನಿಮ್ಮ ಚಿತ್ರ ಲಗತ್ತಿಸಿ -Attach as web link,ವೆಬ್ ಲಿಂಕ್ ಲಗತ್ತಿಸಿ -Attachments,ಲಗತ್ತುಗಳು Attendance,ಅಟೆಂಡೆನ್ಸ್ Attendance Date,ಅಟೆಂಡೆನ್ಸ್ ದಿನಾಂಕ Attendance Details,ಅಟೆಂಡೆನ್ಸ್ ವಿವರಗಳು @@ -402,7 +377,6 @@ Block leave applications by department.,ಇಲಾಖೆ ರಜೆ ಅನ್ವ Blog Post,ಬ್ಲಾಗ್ ಪೋಸ್ಟ್ Blog Subscriber,ಬ್ಲಾಗ್ ಚಂದಾದಾರರ Blood Group,ರಕ್ತ ಗುಂಪು -Bookmarks,ಬುಕ್ಮಾರ್ಕ್ಗಳನ್ನು Both Warehouse must belong to same Company,ಎರಡೂ ಗೋದಾಮಿನ ಅದೇ ಕಂಪನಿ ಸೇರಿರಬೇಕು Box,ಪೆಟ್ಟಿಗೆ Branch,ಶಾಖೆ @@ -437,7 +411,6 @@ C-Form No,ಸಿ ಫಾರ್ಮ್ ನಂ C-Form records,ಸಿ ಆಕಾರ ರೆಕಾರ್ಡ್ಸ್ Calculate Based On,ಆಧರಿಸಿದ ಲೆಕ್ಕ Calculate Total Score,ಒಟ್ಟು ಸ್ಕೋರ್ ಲೆಕ್ಕ -Calendar,ಕ್ಯಾಲೆಂಡರ್ Calendar Events,ಕ್ಯಾಲೆಂಡರ್ ಕ್ರಿಯೆಗಳು Call,ಕರೆ Calls,ಕರೆಗಳು @@ -450,7 +423,6 @@ Can be approved by {0},{0} ಅನುಮೋದನೆ ಮಾಡಬಹುದ "Can not filter based on Account, if grouped by Account","ಖಾತೆ ವರ್ಗೀಕರಿಸಲಾದ ವೇಳೆ , ಖಾತೆ ಆಧರಿಸಿ ಫಿಲ್ಟರ್ ಸಾಧ್ಯವಿಲ್ಲ" "Can not filter based on Voucher No, if grouped by Voucher","ಚೀಟಿ ಮೂಲಕ ವರ್ಗೀಕರಿಸಲಾಗಿದೆ ವೇಳೆ , ಚೀಟಿ ಸಂಖ್ಯೆ ಆಧರಿಸಿ ಫಿಲ್ಟರ್ ಸಾಧ್ಯವಿಲ್ಲ" Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',ಬ್ಯಾಚ್ ಮಾದರಿ ಅಥವಾ ' ಹಿಂದಿನ ರೋ ಒಟ್ಟು ' ' ಹಿಂದಿನ ರೋ ಪ್ರಮಾಣ ರಂದು ' ಮಾತ್ರ ಸಾಲು ಉಲ್ಲೇಖಿಸಬಹುದು -Cancel,ರದ್ದು Cancel Material Visit {0} before cancelling this Customer Issue,ರದ್ದು ಮೆಟೀರಿಯಲ್ ಭೇಟಿ {0} ಈ ಗ್ರಾಹಕ ಸಂಚಿಕೆ ರದ್ದು ಮೊದಲು Cancel Material Visits {0} before cancelling this Maintenance Visit,ಈ ನಿರ್ವಹಣೆ ಭೇಟಿ ರದ್ದು ಮೊದಲು ವಸ್ತು ಭೇಟಿ {0} ರದ್ದು Cancelled,ರದ್ದುಗೊಳಿಸಲಾಗಿದೆ @@ -469,11 +441,7 @@ Cannot deactive or cancle BOM as it is linked with other BOMs,ಇದು ಇತ Cannot deduct when category is for 'Valuation' or 'Valuation and Total',ವರ್ಗದಲ್ಲಿ ' ಮೌಲ್ಯಾಂಕನ ' ಅಥವಾ ' ಮೌಲ್ಯಾಂಕನ ಮತ್ತು ಒಟ್ಟು ' ಫಾರ್ ಯಾವಾಗ ಕಡಿತಗೊಳಿಸದಿರುವುದರ ಸಾಧ್ಯವಿಲ್ಲ "Cannot delete Serial No {0} in stock. First remove from stock, then delete.","ಸ್ಟಾಕ್ ನೆಯ {0} ಅಳಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ . ಮೊದಲ ಅಳಿಸಿ ನಂತರ , ಸ್ಟಾಕ್ ತೆಗೆದುಹಾಕಿ." "Cannot directly set amount. For 'Actual' charge type, use the rate field","ನೇರವಾಗಿ ಪ್ರಮಾಣದ ಸೆಟ್ ಮಾಡಲಾಗುವುದಿಲ್ಲ. 'ವಾಸ್ತವಿಕ' ಬ್ಯಾಚ್ ಮಾದರಿ , ದರ ಕ್ಷೇತ್ರದಲ್ಲಿ ಬಳಸಲು" -Cannot edit standard fields,ಡೀಫಾಲ್ಟ್ ಜಾಗ ಸಂಪಾದಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ -Cannot open instance when its {0} is open,ಅದರ {0} ತೆರೆದಿರುತ್ತದೆ ಉದಾಹರಣೆಗೆ ತೆರೆಯಲು ಸಾಧ್ಯವಾಗಿಲ್ಲ -Cannot open {0} when its instance is open,ಅದರ ಉದಾಹರಣೆಗೆ ತೆರೆದುಕೊಂಡಿದ್ದಾಗ {0} ತೆರೆಯಲು ಸಾಧ್ಯವಾಗಿಲ್ಲ "Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in 'Setup' > 'Global Defaults'","ಕ್ಯಾನ್ ಹೆಚ್ಚು ಐಟಂ ಬಿಲ್ ಮೇಲೆ {0} ಸತತವಾಗಿ {0} ಹೆಚ್ಚು {1} . Overbilling ಅವಕಾಶ , ' ಜಾಗತಿಕ ಪೂರ್ವನಿಯೋಜಿತಗಳು ' > ' ಸೆಟಪ್ ' ಸೆಟ್ ದಯವಿಟ್ಟು" -Cannot print cancelled documents,ರದ್ದು ದಾಖಲೆಗಳನ್ನು ಮುದ್ರಿಸಲು ಸಾಧ್ಯವಾಗಿಲ್ಲ Cannot produce more Item {0} than Sales Order quantity {1},ಹೆಚ್ಚು ಐಟಂ ಉತ್ಪಾದಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ {0} ಹೆಚ್ಚು ಮಾರಾಟದ ಆರ್ಡರ್ ಪ್ರಮಾಣ {1} Cannot refer row number greater than or equal to current row number for this Charge type,ಈ ಬ್ಯಾಚ್ ಮಾದರಿ ಸಾಲು ಸಂಖ್ಯೆ ಹೆಚ್ಚಿನ ಅಥವಾ ಪ್ರಸ್ತುತ ಸಾಲಿನ ಸಂಖ್ಯೆ ಸಮಾನವಾಗಿರುತ್ತದೆ ಸೂಚಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ Cannot return more than {0} for Item {1},ಹೆಚ್ಚು ಮರಳಲು ಸಾಧ್ಯವಿಲ್ಲ {0} ಐಟಂ {1} @@ -527,19 +495,14 @@ Claim Amount,ಹಕ್ಕು ಪ್ರಮಾಣವನ್ನು Claims for company expense.,ಕಂಪನಿ ಖರ್ಚು ಹಕ್ಕು . Class / Percentage,ವರ್ಗ / ಶೇಕಡಾವಾರು Classic,ಅತ್ಯುತ್ಕೃಷ್ಟ -Clear Cache,ತೆರವುಗೊಳಿಸಿ ಸಂಗ್ರಹ Clear Table,ತೆರವುಗೊಳಿಸಿ ಟೇಬಲ್ Clearance Date,ಕ್ಲಿಯರೆನ್ಸ್ ದಿನಾಂಕ Clearance Date not mentioned,ಕ್ಲಿಯರೆನ್ಸ್ ದಿನಾಂಕ ಪ್ರಸ್ತಾಪಿಸಿದ್ದಾರೆ Clearance date cannot be before check date in row {0},ಕ್ಲಿಯರೆನ್ಸ್ ದಿನಾಂಕ ದಿನಾಂಕ ಸತತವಾಗಿ ಚೆಕ್ ಮೊದಲು ಸಾಧ್ಯವಿಲ್ಲ {0} Click on 'Make Sales Invoice' button to create a new Sales Invoice.,ಹೊಸ ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ರಚಿಸಲು ' ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ಮಾಡಿ ' ಗುಂಡಿಯನ್ನು ಕ್ಲಿಕ್ ಮಾಡಿ . Click on a link to get options to expand get options , -Click on row to view / edit.,/ ಬದಲಾಯಿಸಿ ವೀಕ್ಷಿಸಲು ಸಾಲು ಕ್ಲಿಕ್ ಮಾಡಿ. -Click to Expand / Collapse,/ ಕುಗ್ಗಿಸು ವಿಸ್ತರಿಸಲು ಕ್ಲಿಕ್ ಮಾಡಿ Client,ಕಕ್ಷಿಗಾರ -Close,ಮುಚ್ಚಿ Close Balance Sheet and book Profit or Loss.,ಮುಚ್ಚಿ ಬ್ಯಾಲೆನ್ಸ್ ಶೀಟ್ ಮತ್ತು ಪುಸ್ತಕ ಲಾಭ ಅಥವಾ ನಷ್ಟ . -Close: {0},ಮುಚ್ಚಿ : {0} Closed,ಮುಚ್ಚಲಾಗಿದೆ Closing Account Head,ಖಾತೆ ಮುಚ್ಚುವಿಕೆಗೆ ಹೆಡ್ Closing Account {0} must be of type 'Liability',ಖಾತೆ {0} ಕ್ಲೋಸಿಂಗ್ ಮಾದರಿ ' ಹೊಣೆಗಾರಿಕೆ ' ಇರಬೇಕು @@ -550,10 +513,8 @@ Closing Value,ಮುಚ್ಚುವ ಮೌಲ್ಯವನ್ನು CoA Help,ಸಿಓಎ ಸಹಾಯ Code,ಕೋಡ್ Cold Calling,ಶೀತಲ ದೂರವಾಣಿ -Collapse,ಕುಸಿತ Color,ಬಣ್ಣ Comma separated list of email addresses,ಅಲ್ಪವಿರಾಮದಿಂದ ಇಮೇಲ್ ವಿಳಾಸಗಳನ್ನು ಬೇರ್ಪಡಿಸಲಾದ ಪಟ್ಟಿ -Comment,ಟಿಪ್ಪಣಿ Comments,ಪ್ರತಿಕ್ರಿಯೆಗಳು Commercial,ವ್ಯಾಪಾರದ Commission,ಆಯೋಗ @@ -564,7 +525,6 @@ Commission rate cannot be greater than 100,ಕಮಿಷನ್ ದರ 100 ಹೆ Communication,ಸಂವಹನ Communication HTML,ಸಂವಹನ ಎಚ್ಟಿಎಮ್ಎಲ್ Communication History,ಸಂವಹನ ಇತಿಹಾಸ -Communication Medium,ಸಂವಹನ ಮಧ್ಯಮ Communication log.,ಸಂವಹನ ದಾಖಲೆ . Communications,ಸಂಪರ್ಕ Company,ಕಂಪನಿ @@ -583,7 +543,6 @@ Company registration numbers for your reference. Tax numbers etc.,ನಿಮ್ "Company, Month and Fiscal Year is mandatory","ಕಂಪನಿ , ತಿಂಗಳ ಮತ್ತು ಹಣಕಾಸಿನ ವರ್ಷ ಕಡ್ಡಾಯ" Compensatory Off,ಪರಿಹಾರ ಆಫ್ Complete,ಕಂಪ್ಲೀಟ್ -Complete By,ದಿ ಕಂಪ್ಲೀಟ್ Complete Setup,ಕಂಪ್ಲೀಟ್ ಸೆಟಪ್ Completed,ಪೂರ್ಣಗೊಂಡಿದೆ Completed Production Orders,ಪೂರ್ಣಗೊಂಡಿದೆ ಉತ್ಪಾದನೆ ಆರ್ಡರ್ಸ್ @@ -635,7 +594,6 @@ Convert into Recurring Invoice,ಮರುಕಳಿಸುವ ಸರಕುಪಟ್ Convert to Group,ಗ್ರೂಪ್ ಗೆ ಪರಿವರ್ತಿಸಿ Convert to Ledger,ಲೆಡ್ಜರ್ ಗೆ ಪರಿವರ್ತಿಸಿ Converted,ಪರಿವರ್ತಿತ -Copy,ನಕಲು Copy From Item Group,ಐಟಂ ಗುಂಪಿನಿಂದ ನಕಲಿಸಿ Cosmetics,ಕಾಸ್ಮೆಟಿಕ್ಸ್ Cost Center,ವೆಚ್ಚ ಸೆಂಟರ್ @@ -666,7 +624,6 @@ Create Stock Ledger Entries when you submit a Sales Invoice,ನೀವು ಒ Create rules to restrict transactions based on values.,ಮೌಲ್ಯಗಳ ಆಧಾರದ ವ್ಯವಹಾರ ನಿರ್ಬಂಧಿಸಲು ನಿಯಮಗಳನ್ನು ರಚಿಸಿ . Created By,ದಾಖಲಿಸಿದವರು Creates salary slip for above mentioned criteria.,ಮೇಲೆ ತಿಳಿಸಿದ ಮಾನದಂಡಗಳನ್ನು ಸಂಬಳ ಸ್ಲಿಪ್ ರಚಿಸುತ್ತದೆ . -Creation / Modified By,ಸೃಷ್ಟಿ / ಬದಲಾಯಿಸಲಾಗಿತ್ತು Creation Date,ರಚನೆ ದಿನಾಂಕ Creation Document No,ಸೃಷ್ಟಿ ಡಾಕ್ಯುಮೆಂಟ್ ಸಂಖ್ಯೆ Creation Document Type,ಸೃಷ್ಟಿ ಡಾಕ್ಯುಮೆಂಟ್ ಕೌಟುಂಬಿಕತೆ @@ -697,11 +654,9 @@ Current Liabilities,ಪ್ರಸಕ್ತ ಹಣಕಾಸಿನ ಹೊಣೆ Current Stock,ಪ್ರಸ್ತುತ ಸ್ಟಾಕ್ Current Stock UOM,ಪ್ರಸ್ತುತ ಸ್ಟಾಕ್ UOM Current Value,ಪ್ರಸ್ತುತ ಮೌಲ್ಯ -Current status,ಪ್ರಸ್ತುತ ಸ್ಥಿತಿಯನ್ನು Custom,ಪದ್ಧತಿ Custom Autoreply Message,ಕಸ್ಟಮ್ ಆಟೋ ಉತ್ತರಿಸಿ ಸಂದೇಶ Custom Message,ಕಸ್ಟಮ್ ಸಂದೇಶ -Custom Reports,ಕಸ್ಟಮ್ ವರದಿಗಳು Customer,ಗಿರಾಕಿ Customer (Receivable) Account,ಗ್ರಾಹಕ ( ಸ್ವೀಕರಿಸುವಂತಹ ) ಖಾತೆಯನ್ನು Customer / Item Name,ಗ್ರಾಹಕ / ಐಟಂ ಹೆಸರು @@ -750,7 +705,6 @@ Date Format,ದಿನಾಂಕ ಸ್ವರೂಪ Date Of Retirement,ನಿವೃತ್ತಿ ದಿನಾಂಕ Date Of Retirement must be greater than Date of Joining,ನಿವೃತ್ತಿ ದಿನಾಂಕ ಸೇರುವ ದಿನಾಂಕ ಹೆಚ್ಚಿನ ಇರಬೇಕು Date is repeated,ದಿನಾಂಕ ಪುನರಾವರ್ತಿಸುತ್ತದೆ -Date must be in format: {0},ದಿನಾಂಕ ಸ್ವರೂಪದಲ್ಲಿರಬೇಕು : {0} Date of Birth,ಜನ್ಮ ದಿನಾಂಕ Date of Issue,ಸಂಚಿಕೆ ದಿನಾಂಕ Date of Joining,ಸೇರುವ ದಿನಾಂಕ @@ -761,7 +715,6 @@ Dates,ದಿನಾಂಕ Days Since Last Order,ದಿನಗಳಿಂದಲೂ ಕೊನೆಯ ಆರ್ಡರ್ Days for which Holidays are blocked for this department.,ಯಾವ ರಜಾದಿನಗಳಲ್ಲಿ ಡೇಸ್ ಈ ಇಲಾಖೆಗೆ ನಿರ್ಬಂಧಿಸಲಾಗುತ್ತದೆ. Dealer,ವ್ಯಾಪಾರಿ -Dear,ಪ್ರಿಯ Debit,ಡೆಬಿಟ್ Debit Amt,ಡೆಬಿಟ್ ಕಚೇರಿ Debit Note,ಡೆಬಿಟ್ ಚೀಟಿಯನ್ನು @@ -809,7 +762,6 @@ Default settings for stock transactions.,ಸ್ಟಾಕ್ ವ್ಯವಹಾ Defense,ರಕ್ಷಣೆ "Define Budget for this Cost Center. To set budget action, see Company Master","ಈ ವೆಚ್ಚ ಸೆಂಟರ್ ಬಜೆಟ್ ವಿವರಿಸಿ . ಬಜೆಟ್ ಆಕ್ಷನ್ ಹೊಂದಿಸಲು, ಕವಿದ href=""#!List/Company""> ಕಂಪನಿ ಮಾಸ್ಟರ್ ನೋಡಿ" Delete,ಅಳಿಸಿ -Delete Row,ಸಾಲು ಅಳಿಸಿ Delete {0} {1}?,ಅಳಿಸಿ {0} {1} ? Delivered,ತಲುಪಿಸಲಾಗಿದೆ Delivered Items To Be Billed,ಪಾವತಿಸಬೇಕಾಗುತ್ತದೆ ವಿತರಿಸಲಾಯಿತು ಐಟಂಗಳು @@ -836,7 +788,6 @@ Department,ವಿಭಾಗ Department Stores,ಡಿಪಾರ್ಟ್ಮೆಂಟ್ ಸ್ಟೋರ್ಸ್ Depends on LWP,LWP ಅವಲಂಬಿಸಿರುತ್ತದೆ Depreciation,ಸವಕಳಿ -Descending,ಅವರೋಹಣ Description,ವಿವರಣೆ Description HTML,ವಿವರಣೆ ಎಚ್ಟಿಎಮ್ಎಲ್ Designation,ಹುದ್ದೆ @@ -881,15 +832,10 @@ Do you really want to stop production order: , Doc Name,ಡಾಕ್ ಹೆಸರು Doc Type,ಡಾಕ್ ಪ್ರಕಾರ Document Description,ಡಾಕ್ಯುಮೆಂಟ್ ವಿವರಣೆ -Document Status transition from , -Document Status transition from {0} to {1} is not allowed,{1} ಗೆ {0} ನಿಂದ ಡಾಕ್ಯುಮೆಂಟ್ ಸ್ಥಿತಿಯನ್ನು ಪರಿವರ್ತನೆ ಅನುಮತಿಸಲಾಗುವುದಿಲ್ಲ Document Type,ಡಾಕ್ಯುಮೆಂಟ್ ಪ್ರಕಾರ -Document is only editable by users of role,ಡಾಕ್ಯುಮೆಂಟ್ ಪಾತ್ರವನ್ನು ಬಳಕೆದಾರರು ಮಾತ್ರ ಸಂಪಾದಿಸಬಹುದು -Documentation,ದಾಖಲೆ Documents,ಡಾಕ್ಯುಮೆಂಟ್ಸ್ Domain,ಡೊಮೈನ್ Don't send Employee Birthday Reminders,ನೌಕರರ ಜನ್ಮದಿನ ಜ್ಞಾಪನೆಗಳನ್ನು ಕಳುಹಿಸಬೇಡಿ -Download,ಡೌನ್ಲೋಡ್ Download Materials Required,ಮೆಟೀರಿಯಲ್ಸ್ ಅಗತ್ಯ ಡೌನ್ಲೋಡ್ Download Reconcilation Data,Reconcilation ಡೇಟಾ ಡೌನ್ಲೋಡ್ Download Template,ಡೌನ್ಲೋಡ್ ಟೆಂಪ್ಲೇಟು @@ -898,8 +844,6 @@ Download a report containing all raw materials with their latest inventory statu "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","ಟೆಂಪ್ಲೇಟು , ಸೂಕ್ತ ದಶಮಾಂಶ ತುಂಬಲು ಮತ್ತು ಬದಲಾಯಿಸಲಾಗಿತ್ತು ಕಡತ ಲಗತ್ತಿಸಬಹುದು . \ NAll ಹಳೆಯದು ಮತ್ತು ಆಯ್ಕೆ ಅವಧಿಯಲ್ಲಿ ನೌಕರ ಸಂಯೋಜನೆಯನ್ನು ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ಹಾಜರಾತಿ ದಾಖಲೆಗಳನ್ನು , ಟೆಂಪ್ಲೇಟ್ ಬರುತ್ತವೆ" Draft,ಡ್ರಾಫ್ಟ್ -Drafts,ಡ್ರಾಫ್ಟ್ಗಳು -Drag to sort columns,ಕಾಲಮ್ಗಳನ್ನು ವಿಂಗಡಿಸಲು ಎಳೆಯಿರಿ Dropbox,ಡ್ರಾಪ್ಬಾಕ್ಸ್ Dropbox Access Allowed,ಅನುಮತಿಸಲಾಗಿದೆ ಡ್ರಾಪ್ಬಾಕ್ಸ್ ಪ್ರವೇಶ Dropbox Access Key,ಡ್ರಾಪ್ಬಾಕ್ಸ್ ಪ್ರವೇಶ ಕೀ @@ -920,7 +864,6 @@ Earning & Deduction,ದುಡಿಯುತ್ತಿದ್ದ & ಡಿಡಕ್ಷ Earning Type,ಪ್ರಕಾರ ದುಡಿಯುತ್ತಿದ್ದ Earning1,Earning1 Edit,ಸಂಪಾದಿಸು -Editable,ಸಂಪಾದಿಸಬಹುದಾದ Education,ಶಿಕ್ಷಣ Educational Qualification,ಶೈಕ್ಷಣಿಕ ಅರ್ಹತೆ Educational Qualification Details,ಶೈಕ್ಷಣಿಕ ಅರ್ಹತೆ ವಿವರಗಳು @@ -940,12 +883,9 @@ Email Id,ಮಿಂಚಂಚೆ "Email Id where a job applicant will email e.g. ""jobs@example.com""","ಕೆಲಸ ಅರ್ಜಿದಾರರ ಇಮೇಲ್ ಅಲ್ಲಿ ಮಿಂಚಂಚೆ ಇ ಜಿ "" Jobs@example.com """ Email Notifications,ಇಮೇಲ್ ಅಧಿಸೂಚನೆಗಳನ್ನು Email Sent?,ಕಳುಹಿಸಲಾದ ಇಮೇಲ್ ? -"Email addresses, separted by commas","ಅಲ್ಪವಿರಾಮದಿಂದ separted ಇಮೇಲ್ ವಿಳಾಸಗಳು ," "Email id must be unique, already exists for {0}","ಇಮೇಲ್ ಐಡಿ ಅನನ್ಯ ಇರಬೇಕು , ಈಗಾಗಲೇ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ {0}" Email ids separated by commas.,ಇಮೇಲ್ ಐಡಿಗಳನ್ನು ಬೇರ್ಪಡಿಸಲಾಗಿರುತ್ತದೆ . -Email sent to {0},ಕಳುಹಿಸಲಾಗಿದೆ {0} "Email settings to extract Leads from sales email id e.g. ""sales@example.com""","ಮಾರಾಟ ಇಮೇಲ್ ಐಡಿ ಉದಾ ಕಾರಣವಾಗುತ್ತದೆ ಹೊರತೆಗೆಯಲು ಇಮೇಲ್ ಸೆಟ್ಟಿಂಗ್ಗಳನ್ನು "" Sales@example.com """ -Email...,ಇಮೇಲ್ ... Emergency Contact,ತುರ್ತು ಸಂಪರ್ಕ Emergency Contact Details,ತುರ್ತು ಸಂಪರ್ಕ ವಿವರಗಳು Emergency Phone,ತುರ್ತು ದೂರವಾಣಿ @@ -984,7 +924,6 @@ End date of current invoice's period,ಪ್ರಸ್ತುತ ಅವಧಿಯ End of Life,ಲೈಫ್ ಅಂತ್ಯ Energy,ಶಕ್ತಿ Engineer,ಇಂಜಿನಿಯರ್ -Enter Value,ಮೌಲ್ಯ ಯನ್ನು Enter Verification Code,ಪರಿಶೀಲನಾ ಕೋಡ್ ಅನ್ನು ನಮೂದಿಸಿ Enter campaign name if the source of lead is campaign.,ಪ್ರಮುಖ ಮೂಲ ಪ್ರಚಾರ ವೇಳೆ ಪ್ರಚಾರ ಹೆಸರನ್ನು ನಮೂದಿಸಿ . Enter department to which this Contact belongs,ಯಾವ ಇಲಾಖೆ ಯನ್ನು ಈ ಸಂಪರ್ಕಿಸಿ ಸೇರುತ್ತದೆ @@ -1002,7 +941,6 @@ Entries,ನಮೂದುಗಳು Entries against,ನಮೂದುಗಳು ವಿರುದ್ಧ Entries are not allowed against this Fiscal Year if the year is closed.,ವರ್ಷ ಮುಚ್ಚಲಾಗಿದೆ ವೇಳೆ ನಮೂದುಗಳು ಈ ಆರ್ಥಿಕ ವರ್ಷ ವಿರುದ್ಧ ಅನುಮತಿಸಲಾಗುವುದಿಲ್ಲ. Entries before {0} are frozen,{0} ಮೊದಲು ನಮೂದುಗಳು ಘನೀಭವಿಸಿದ -Equals,ಸಮ Equity,ಇಕ್ವಿಟಿ Error: {0} > {1},ದೋಷ : {0} > {1} Estimated Material Cost,ಅಂದಾಜು ವೆಚ್ಚ ಮೆಟೀರಿಯಲ್ @@ -1019,7 +957,6 @@ Exhibition,ಪ್ರದರ್ಶನ Existing Customer,ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ಗ್ರಾಹಕ Exit,ನಿರ್ಗಮನ Exit Interview Details,ಎಕ್ಸಿಟ್ ಸಂದರ್ಶನ ವಿವರಗಳು -Expand,ವಿಸ್ತರಿಸಿ Expected,ನಿರೀಕ್ಷಿತ Expected Completion Date can not be less than Project Start Date,ಪೂರ್ಣಗೊಳ್ಳುವ ನಿರೀಕ್ಷೆಯಿದೆ ದಿನಾಂಕ ಪ್ರಾಜೆಕ್ಟ್ ಪ್ರಾರಂಭ ದಿನಾಂಕ ಕಡಿಮೆ ಸಾಧ್ಯವಿಲ್ಲ Expected Date cannot be before Material Request Date,ನಿರೀಕ್ಷಿತ ದಿನಾಂಕ ಮೆಟೀರಿಯಲ್ ವಿನಂತಿ ದಿನಾಂಕ ಮೊದಲು ಸಾಧ್ಯವಿಲ್ಲ @@ -1052,8 +989,6 @@ Expenses Booked,ಬುಕ್ಡ್ ವೆಚ್ಚಗಳು Expenses Included In Valuation,ವೆಚ್ಚಗಳು ಮೌಲ್ಯಾಂಕನ ಸೇರಿಸಲಾಗಿದೆ Expenses booked for the digest period,ಡೈಜೆಸ್ಟ್ ಕಾಲ ಬುಕ್ ವೆಚ್ಚಗಳು Expiry Date,ಅಂತ್ಯ ದಿನಾಂಕ -Export,ರಫ್ತು -Export not allowed. You need {0} role to export.,ರಫ್ತು ಅವಕಾಶ . ನೀವು ರಫ್ತು {0} ಪಾತ್ರದಲ್ಲಿ ಅಗತ್ಯವಿದೆ . Exports,ರಫ್ತು External,ಬಾಹ್ಯ Extract Emails,ಇಮೇಲ್ಗಳನ್ನು ಹೊರತೆಗೆಯಲು @@ -1068,11 +1003,8 @@ Feedback,ಪ್ರತ್ಯಾದಾನ Female,ಹೆಣ್ಣು Fetch exploded BOM (including sub-assemblies),( ಉಪ ಜೋಡಣೆಗಳಿಗೆ ಸೇರಿದಂತೆ ) ಸ್ಫೋಟಿಸಿತು BOM ಪಡೆದುಕೊಳ್ಳಿ "Field available in Delivery Note, Quotation, Sales Invoice, Sales Order","ಡೆಲಿವರಿ ನೋಟ್, ಉದ್ಧರಣ , ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ , ಮಾರಾಟದ ಆರ್ಡರ್ ಲಭ್ಯವಿದೆ ಫೀಲ್ಡ್" -Field {0} is not selectable.,ಫೀಲ್ಡ್ {0} ಆಯ್ಕೆಮಾಡಬಹುದಾದ ಅಲ್ಲ. -File,ಫೈಲ್ Files Folder ID,ಫೈಲ್ಸ್ ಫೋಲ್ಡರ್ ID ಯನ್ನು Fill the form and save it,ರೂಪ ಭರ್ತಿ ಮಾಡಿ ಮತ್ತು ಅದನ್ನು ಉಳಿಸಲು -Filter,ಶೋಧಕ Filter based on customer,ಫಿಲ್ಟರ್ ಗ್ರಾಹಕ ಆಧಾರಿತ Filter based on item,ಐಟಂ ಆಧರಿಸಿ ಫಿಲ್ಟರ್ Financial / accounting year.,ಹಣಕಾಸು / ಲೆಕ್ಕಪರಿಶೋಧಕ ವರ್ಷ . @@ -1101,14 +1033,10 @@ For Server Side Print Formats,ಸರ್ವರ್ ಭಾಗದ ಮುದ್ರಣ For Supplier,ಸರಬರಾಜುದಾರನ For Warehouse,ಗೋದಾಮಿನ For Warehouse is required before Submit,ವೇರ್ಹೌಸ್ ಬೇಕಾಗುತ್ತದೆ ಮೊದಲು ಸಲ್ಲಿಸಿ -"For comparative filters, start with","ತುಲನಾತ್ಮಕ ಶೋಧಕಗಳ , ಆರಂಭವಾಗಬೇಕು" "For e.g. 2012, 2012-13","ಇ ಜಿ ಫಾರ್ 2012 , 2012-13" -For ranges,ಶ್ರೇಣಿಗಳಿಗೆ For reference,ಪರಾಮರ್ಶೆಗಾಗಿ For reference only.,ಉಲ್ಲೇಖಕ್ಕಾಗಿ ಮಾತ್ರ . "For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","ಗ್ರಾಹಕರ ಅನುಕೂಲಕ್ಕಾಗಿ, ಪ್ರಬಂಧ ಸಂಕೇತಗಳು ಇನ್ವಾಯ್ಸ್ ಮತ್ತು ಡೆಲಿವರಿ ಟಿಪ್ಪಣಿಗಳು ರೀತಿಯ ಮುದ್ರಣ ಸ್ವರೂಪಗಳು ಬಳಸಬಹುದು" -Form,ಫಾರ್ಮ್ -Forums,ಮಾರುಕಟ್ಟೆ Fraction,ಭಿನ್ನರಾಶಿ Fraction Units,ಫ್ರ್ಯಾಕ್ಷನ್ ಘಟಕಗಳು Freeze Stock Entries,ಫ್ರೀಜ್ ಸ್ಟಾಕ್ ನಮೂದುಗಳು @@ -1161,12 +1089,10 @@ Generate Material Requests (MRP) and Production Orders.,ಮೆಟೀರಿಯ Generate Salary Slips,ಸಂಬಳ ಚೂರುಗಳನ್ನು ರಚಿಸಿ Generate Schedule,ವೇಳಾಪಟ್ಟಿ ರಚಿಸಿ Generates HTML to include selected image in the description,ವಿವರಣೆ ಆಯ್ಕೆ ಇಮೇಜ್ ಸೇರಿಸಲು ಎಚ್ಟಿಎಮ್ಎಲ್ ಉತ್ಪಾದಿಸುತ್ತದೆ -Get,ಪಡೆಯಿರಿ Get Advances Paid,ಪಾವತಿಸಿದ ಅಡ್ವಾನ್ಸಸ್ ಪಡೆಯಿರಿ Get Advances Received,ಅಡ್ವಾನ್ಸಸ್ ಸ್ವೀಕರಿಸಲಾಗಿದೆ ಪಡೆಯಿರಿ Get Against Entries,ನಮೂದುಗಳು ವಿರುದ್ಧ ಪಡೆಯಿರಿ Get Current Stock,ಪ್ರಸ್ತುತ ಸ್ಟಾಕ್ ಪಡೆಯಿರಿ -Get From , Get Items,ಐಟಂಗಳನ್ನು ಪಡೆಯಿರಿ Get Items From Sales Orders,ಮಾರಾಟದ ಆರ್ಡರ್ಸ್ ವಸ್ತುಗಳನ್ನು ಪಡೆಯಲು Get Items from BOM,BOM ಐಟಂಗಳು ಪಡೆಯಿರಿ @@ -1194,8 +1120,6 @@ Government,ಸರ್ಕಾರ Graduate,ಪದವೀಧರ Grand Total,ಗ್ರ್ಯಾಂಡ್ ಒಟ್ಟು Grand Total (Company Currency),ಗ್ರ್ಯಾಂಡ್ ಒಟ್ಟು ( ಕಂಪನಿ ಕರೆನ್ಸಿ ) -Greater or equals,ಗ್ರೇಟರ್ ಅಥವಾ ಸಮ -Greater than,ಹೆಚ್ಚು "Grid ""","ಗ್ರಿಡ್ """ Grocery,ದಿನಸಿ Gross Margin %,ಒಟ್ಟು ಅಂಚು % @@ -1207,7 +1131,6 @@ Gross Profit (%),ನಿವ್ವಳ ಲಾಭ ( % ) Gross Weight,ಒಟ್ಟು ತೂಕ Gross Weight UOM,ಒಟ್ಟಾರೆ ತೂಕದ UOM Group,ಗುಂಪು -"Group Added, refreshing...","ಗುಂಪು ರಿಫ್ರೆಶ್ , ಸೇರಿಸಲಾಗಿದೆ ..." Group by Account,ಖಾತೆ ಗುಂಪು Group by Voucher,ಚೀಟಿ ಮೂಲಕ ಗುಂಪು Group or Ledger,ಗುಂಪು ಅಥವಾ ಲೆಡ್ಜರ್ @@ -1229,14 +1152,12 @@ Health Care,ಆರೋಗ್ಯ Health Concerns,ಆರೋಗ್ಯ ಕಾಳಜಿ Health Details,ಆರೋಗ್ಯ ವಿವರಗಳು Held On,ನಡೆದ -Help,ಸಹಾಯ Help HTML,HTML ಸಹಾಯ "Help: To link to another record in the system, use ""#Form/Note/[Note Name]"" as the Link URL. (don't use ""http://"")","ಸಹಾಯ : , ವ್ಯವಸ್ಥೆಯಲ್ಲಿ ಮತ್ತೊಂದು ದಾಖಲೆ ಸಂಪರ್ಕ ಬಳಸಲು "" # ಫಾರ್ಮ್ / ಹಾಳೆ / [ ಟಿಪ್ಪಣಿ ಹೆಸರು ] "" ಲಿಂಕ್ URL ಎಂದು . ( ""http://"" ಬಳಸಬೇಡಿ )" "Here you can maintain family details like name and occupation of parent, spouse and children","ಇಲ್ಲಿ ನೀವು ಮೂಲ , ಹೆಂಡತಿ ಮತ್ತು ಮಕ್ಕಳ ಹೆಸರು ಮತ್ತು ಉದ್ಯೋಗ ಕುಟುಂಬ ವಿವರಗಳು ಕಾಯ್ದುಕೊಳ್ಳಬಹುದು" "Here you can maintain height, weight, allergies, medical concerns etc","ಇಲ್ಲಿ ನೀವು ಎತ್ತರ, ತೂಕ, ಅಲರ್ಜಿ , ವೈದ್ಯಕೀಯ ಇತ್ಯಾದಿ ಕನ್ಸರ್ನ್ಸ್ ಕಾಯ್ದುಕೊಳ್ಳಬಹುದು" Hide Currency Symbol,ಕರೆನ್ಸಿ ಸಂಕೇತ ಮರೆಮಾಡಿ High,ಎತ್ತರದ -History,ಇತಿಹಾಸ History In Company,ಕಂಪನಿ ಇತಿಹಾಸ Hold,ಹಿಡಿ Holiday,ಹಾಲಿಡೇ @@ -1281,17 +1202,14 @@ If you have Sales Team and Sale Partners (Channel Partners) they can be tagged If you involve in manufacturing activity. Enables Item 'Is Manufactured',ನೀವು ಉತ್ಪಾದನಾ ಚಟುವಟಿಕೆ ಒಳಗೊಂಡಿರುತ್ತವೆ ವೇಳೆ . ಐಟಂ ಸಕ್ರಿಯಗೊಳಿಸುತ್ತದೆ ' ತಯಾರಿಸುತ್ತದೆ ' Ignore,ಕಡೆಗಣಿಸು Ignored: , -"Ignoring Item {0}, because a group exists with the same name!","ನಿರ್ಲಕ್ಷಿಸಲಾಗುತ್ತಿದೆ ಐಟಂ {0} , ಗುಂಪು ಅದೇ ಹೆಸರಿನಲ್ಲಿ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ ಕಾರಣ!" Image,ಚಿತ್ರ Image View,ImageView Implementation Partner,ಅನುಷ್ಠಾನ ಸಂಗಾತಿ -Import,ಆಮದು Import Attendance,ಆಮದು ಅಟೆಂಡೆನ್ಸ್ Import Failed!,ಆಮದು ವಿಫಲವಾಗಿದೆ! Import Log,ಆಮದು ಲಾಗ್ Import Successful!,ಯಶಸ್ವಿಯಾಗಿ ಆಮದು ! Imports,ಆಮದುಗಳು -In,ರಲ್ಲಿ In Hours,ಗಂಟೆಗಳ In Process,ಪ್ರಕ್ರಿಯೆಯಲ್ಲಿ In Qty,ಸೇರಿಸಿ ಪ್ರಮಾಣ @@ -1306,7 +1224,6 @@ In Words will be visible once you save the Purchase Receipt.,ನೀವು ಖ In Words will be visible once you save the Quotation.,ನೀವು ಉದ್ಧರಣ ಉಳಿಸಲು ಒಮ್ಮೆ ವರ್ಡ್ಸ್ ಗೋಚರಿಸುತ್ತದೆ. In Words will be visible once you save the Sales Invoice.,ನೀವು ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ಉಳಿಸಲು ಒಮ್ಮೆ ವರ್ಡ್ಸ್ ಗೋಚರಿಸುತ್ತದೆ. In Words will be visible once you save the Sales Order.,ನೀವು ಮಾರಾಟದ ಆರ್ಡರ್ ಉಳಿಸಲು ಒಮ್ಮೆ ವರ್ಡ್ಸ್ ಗೋಚರಿಸುತ್ತದೆ. -In response to,ಪ್ರತಿಕ್ರಿಯೆಯಾಗಿ Incentives,ಪ್ರೋತ್ಸಾಹ Include Reconciled Entries,ಮರುಕೌನ್ಸಿಲ್ ನಮೂದುಗಳು ಸೇರಿಸಿ Include holidays in Total no. of Working Days,ಒಟ್ಟು ರಜಾದಿನಗಳು ಸೇರಿಸಿ ಕೆಲಸ ದಿನಗಳ ಯಾವುದೇ @@ -1327,8 +1244,6 @@ Indirect Income,ಪರೋಕ್ಷ ಆದಾಯ Individual,ಇಂಡಿವಿಜುವಲ್ Industry,ಇಂಡಸ್ಟ್ರಿ Industry Type,ಉದ್ಯಮ ಪ್ರಕಾರ -Insert Below,ಕೆಳಗೆ ಸೇರಿಸಿ -Insert Row,ಸಾಲನ್ನು ಸೇರಿಸಿ Inspected By,ಪರಿಶೀಲನೆ Inspection Criteria,ಇನ್ಸ್ಪೆಕ್ಷನ್ ಮಾನದಂಡ Inspection Required,ಇನ್ಸ್ಪೆಕ್ಷನ್ ಅಗತ್ಯವಿದೆ @@ -1350,8 +1265,6 @@ Internal,ಆಂತರಿಕ Internet Publishing,ಇಂಟರ್ನೆಟ್ ಪಬ್ಲಿಷಿಂಗ್ Introduction,ಪರಿಚಯ Invalid Barcode or Serial No,ಅಮಾನ್ಯ ಬಾರ್ಕೋಡ್ ಅಥವಾ ಅನುಕ್ರಮ ಸಂಖ್ಯೆ -Invalid Email: {0},ಅಮಾನ್ಯವಾದ ಇಮೇಲ್ : {0} -Invalid Filter: {0},ಅಮಾನ್ಯವಾದ ಫಿಲ್ಟರ್ : {0} Invalid Mail Server. Please rectify and try again.,ಅಮಾನ್ಯವಾದ ಮೇಲ್ ಸರ್ವರ್ . ನಿವಾರಿಸಿಕೊಳ್ಳಲು ಹಾಗೂ ಮತ್ತೆ ಪ್ರಯತ್ನಿಸಿ . Invalid Master Name,ಅಮಾನ್ಯವಾದ ಮಾಸ್ಟರ್ ಹೆಸರು Invalid User Name or Support Password. Please rectify and try again.,ಅಮಾನ್ಯ ಬಳಕೆದಾರ ಹೆಸರು ಅಥವಾ ಪಾಸ್ವರ್ಡ್ ಸಹಾಯ . ನಿವಾರಿಸಿಕೊಳ್ಳಲು ಹಾಗೂ ಮತ್ತೆ ಪ್ರಯತ್ನಿಸಿ . @@ -1516,7 +1429,6 @@ Landed Cost updated successfully,ಇಳಿಯಿತು ವೆಚ್ಚ ಯಶಸ Language,ಭಾಷೆ Last Name,ಕೊನೆಯ ಹೆಸರು Last Purchase Rate,ಕೊನೆಯ ಖರೀದಿ ದರ -Last updated by,ಕೊನೆಯ ಮೂಲಕ ಅಪ್ಡೇಟ್ಗೊಳಿಸಲಾಗಿದೆ Latest,ಇತ್ತೀಚಿನ Lead,ಲೀಡ್ Lead Details,ಲೀಡ್ ವಿವರಗಳು @@ -1566,24 +1478,17 @@ Ledgers,ಲೆಡ್ಜರುಗಳು Left,ಎಡ Legal,ಕಾನೂನಿನ Legal Expenses,ಕಾನೂನು ವೆಚ್ಚ -Less or equals,ಕಡಿಮೆ ಸಮ ಅಥವಾ -Less than,ಕಡಿಮೆ Letter Head,ತಲೆಬರಹ Letter Heads for print templates.,ಮುದ್ರಣ ಟೆಂಪ್ಲೆಟ್ಗಳನ್ನು letterheads . Level,ಮಟ್ಟ Lft,Lft Liability,ಹೊಣೆಗಾರಿಕೆ -Like,ಲೈಕ್ -Linked With,ಸಂಬಂಧ -List,ಕುತಂತ್ರ List a few of your customers. They could be organizations or individuals.,ನಿಮ್ಮ ಗ್ರಾಹಕರ ಕೆಲವು ಪಟ್ಟಿ. ಅವರು ಸಂಸ್ಥೆಗಳು ಅಥವಾ ವ್ಯಕ್ತಿಗಳು ಆಗಿರಬಹುದು . List a few of your suppliers. They could be organizations or individuals.,ನಿಮ್ಮ ಪೂರೈಕೆದಾರರ ಕೆಲವು ಪಟ್ಟಿ. ಅವರು ಸಂಸ್ಥೆಗಳು ಅಥವಾ ವ್ಯಕ್ತಿಗಳು ಆಗಿರಬಹುದು . List items that form the package.,ಪಟ್ಟಿ ಐಟಂಗಳನ್ನು ಪ್ಯಾಕೇಜ್ ರೂಪಿಸಲು ಮಾಡಿದರು . List this Item in multiple groups on the website.,ವೆಬ್ಸೈಟ್ನಲ್ಲಿ ಅನೇಕ ಗುಂಪುಗಳಲ್ಲಿ ಈ ಐಟಂ ಪಟ್ಟಿ . "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 your tax heads (e.g. VAT, Excise; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","ಮತ್ತು ಅವುಗಳ ಗುಣಮಟ್ಟದ ದರಗಳು ; ನಿಮ್ಮ ತೆರಿಗೆ ತಲೆ ( ಅವರು ಅನನ್ಯ ಹೆಸರುಗಳು ಇರಬೇಕು ಉದಾ ವ್ಯಾಟ್ , ಅಬಕಾರಿ ) ಪಟ್ಟಿ." -Loading,ಲೋಡ್ -Loading Report,ಲೋಡ್ ವರದಿ Loading...,ಲೋಡ್ ಆಗುತ್ತಿದೆ ... Loans (Liabilities),ಸಾಲ ( ಹೊಣೆಗಾರಿಕೆಗಳು ) Loans and Advances (Assets),ಸಾಲ ಮತ್ತು ಅಡ್ವಾನ್ಸಸ್ ( ಆಸ್ತಿಗಳು ) @@ -1591,7 +1496,6 @@ Local,ಸ್ಥಳೀಯ Login with your new User ID,ನಿಮ್ಮ ಹೊಸ ಬಳಕೆದಾರ ID ಜೊತೆ ಲಾಗಿನ್ ಆಗಿ Logo,ಲೋಗೋ Logo and Letter Heads,ಲೋಗೋ ಮತ್ತು ತಲೆಬರಹ -Logout,ಲಾಗ್ ಔಟ್ Lost,ಲಾಸ್ಟ್ Lost Reason,ಲಾಸ್ಟ್ ಕಾರಣ Low,ಕಡಿಮೆ @@ -1642,7 +1546,6 @@ Make Salary Structure,ಸಂಬಳ ರಚನೆ ಮಾಡಿ Make Sales Invoice,ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ಮಾಡಿ Make Sales Order,ಮಾಡಿ ಮಾರಾಟದ ಆರ್ಡರ್ Make Supplier Quotation,ಸರಬರಾಜುದಾರ ಉದ್ಧರಣ ಮಾಡಿ -Make a new,ಹೊಸ ಮಾಡಿ Male,ಪುರುಷ Manage Customer Group Tree.,ಗ್ರಾಹಕ ಮ್ಯಾನೇಜ್ಮೆಂಟ್ ಗ್ರೂಪ್ ಟ್ರೀ . Manage Sales Person Tree.,ಮಾರಾಟಗಾರನ ಟ್ರೀ ನಿರ್ವಹಿಸಿ . @@ -1650,8 +1553,6 @@ Manage Territory Tree.,ಪ್ರದೇಶ ಮ್ಯಾನೇಜ್ಮೆ Manage cost of operations,ಕಾರ್ಯಾಚರಣೆಗಳ ನಿರ್ವಹಣೆ ವೆಚ್ಚ Management,ಆಡಳಿತ Manager,ವ್ಯವಸ್ಥಾಪಕ -Mandatory fields required in {0},ಅಗತ್ಯವಿದೆ ಕಡ್ಡಾಯ ಜಾಗ {0} -Mandatory filters required:\n,ಕಡ್ಡಾಯ ಶೋಧಕಗಳು ಅಗತ್ಯವಿದೆ : \ N "Mandatory if Stock Item is ""Yes"". Also the default warehouse where reserved quantity is set from Sales Order.","ಕಡ್ಡಾಯ ವೇಳೆ ಸಂಗ್ರಹಣೆ ಐಟಮ್ "" ಹೌದು"". ಆದ್ದರಿಂದ ಕಾಯ್ದಿರಿಸಲಾಗಿದೆ ಪ್ರಮಾಣ ಮಾರಾಟದ ಆರ್ಡರ್ ಸೆಟ್ ಇದೆ ಅಲ್ಲಿ ಡೀಫಾಲ್ಟ್ ಗೋದಾಮಿನ ." Manufacture against Sales Order,ಮಾರಾಟದ ಆರ್ಡರ್ ವಿರುದ್ಧ ತಯಾರಿಸಲು Manufacture/Repack,ಉತ್ಪಾದನೆ / ಮತ್ತೆ ಮೂಟೆಕಟ್ಟು @@ -1722,13 +1623,11 @@ Minute,ಮಿನಿಟ್ Misc Details,ಇತರೆ ವಿವರಗಳು Miscellaneous Expenses,ವಿವಿಧ ಖರ್ಚುಗಳು Miscelleneous,Miscelleneous -Missing Values Required,ಅಗತ್ಯ ELEMENTARY ಸ್ಥಳ Mobile No,ಮೊಬೈಲ್ ಸಂಖ್ಯೆ Mobile No.,ಮೊಬೈಲ್ ಸಂಖ್ಯೆ Mode of Payment,ಪಾವತಿಯ ಮಾದರಿಯು Modern,ಆಧುನಿಕ Modified Amount,ಮಾಡಿಫೈಡ್ ಪ್ರಮಾಣ -Modified by,ಮಾರ್ಪಾಡಿಸಲ್ಪಟ್ಟಿದ್ದು Monday,ಸೋಮವಾರ Month,ತಿಂಗಳ Monthly,ಮಾಸಿಕ @@ -1736,12 +1635,9 @@ Monthly Attendance Sheet,ಮಾಸಿಕ ಹಾಜರಾತಿ ಹಾಳೆ Monthly Earning & Deduction,ಮಾಸಿಕ ದುಡಿಯುತ್ತಿದ್ದ & ಡಿಡಕ್ಷನ್ Monthly Salary Register,ಮಾಸಿಕ ವೇತನ ನೋಂದಣಿ Monthly salary statement.,ಮಾಸಿಕ ವೇತನವನ್ನು ಹೇಳಿಕೆ . -More,ಇನ್ನಷ್ಟು More Details,ಇನ್ನಷ್ಟು ವಿವರಗಳು More Info,ಇನ್ನಷ್ಟು ಮಾಹಿತಿ Motion Picture & Video,ಚಲನಚಿತ್ರ ಮತ್ತು ವೀಡಿಯೊ -Move Down: {0},ಕೆಳಗೆಚಲಿಸು : {0} -Move Up: {0},ಮೇಲೆಚಲಿಸು : {0} Moving Average,ಸರಾಸರಿ ಮೂವಿಂಗ್ Moving Average Rate,ಮೂವಿಂಗ್ ಸರಾಸರಿ ದರ Mr,ಶ್ರೀ @@ -1751,12 +1647,9 @@ Multiple Item prices.,ಬಹು ಐಟಂ ಬೆಲೆಗಳು . conflict by assigning priority. Price Rules: {0}","ಬಹು ಬೆಲೆ ರೂಲ್ ಅದೇ ಮಾನದಂಡಗಳನ್ನು ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ , ಪ್ರಾಶಸ್ತ್ಯವನ್ನು ನಿಗದಿಪಡಿಸಬೇಕು \ \ N ಸಂಘರ್ಷ ಪರಿಹರಿಸಲು ದಯವಿಟ್ಟು ." Music,ಸಂಗೀತ Must be Whole Number,ಹೋಲ್ ಸಂಖ್ಯೆ ಇರಬೇಕು -My Settings,ನನ್ನ ಸೆಟ್ಟಿಂಗ್ಗಳನ್ನು Name,ಹೆಸರು Name and Description,ಹೆಸರು ಮತ್ತು ವಿವರಣೆ Name and Employee ID,ಹೆಸರು ಮತ್ತು ಉದ್ಯೋಗಿಗಳ ID -Name is required,ಹೆಸರು ಅಗತ್ಯವಿದೆ -Name not permitted,ಅನುಮತಿ ಹೆಸರು "Name of new Account. Note: Please don't create accounts for Customers and Suppliers, they are created automatically from the Customer and Supplier master","ಹೊಸ ಖಾತೆ ಹೆಸರು. ಗಮನಿಸಿ : ಗ್ರಾಹಕರು ಮತ್ತು ಸರಬರಾಜುದಾರರ ಖಾತೆಗಳನ್ನು ರಚಿಸಲು ದಯವಿಟ್ಟು , ಅವು ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಗ್ರಾಹಕ ಮತ್ತು ಸರಬರಾಜುದಾರ ಮಾಸ್ಟರ್ ರಚಿಸಲಾಗಿದೆ" Name of person or organization that this address belongs to.,ವ್ಯಕ್ತಿ ಅಥವಾ ಸಂಸ್ಥೆಯ ಹೆಸರು ಈ ವಿಳಾಸಕ್ಕೆ ಸೇರುತ್ತದೆ . Name of the Budget Distribution,ಬಜೆಟ್ ವಿತರಣೆಯ ಹೆಸರು @@ -1774,7 +1667,6 @@ Net Weight UOM,ನೆಟ್ ತೂಕ UOM Net Weight of each Item,ಪ್ರತಿ ಐಟಂ ನೆಟ್ ತೂಕ Net pay cannot be negative,ನಿವ್ವಳ ವೇತನ ಋಣಾತ್ಮಕ ಇರುವಂತಿಲ್ಲ Never,ನೆವರ್ -New,ಹೊಸ New , New Account,ಹೊಸ ಖಾತೆ New Account Name,ಹೊಸ ಖಾತೆ ಹೆಸರು @@ -1794,7 +1686,6 @@ New Projects,ಹೊಸ ಯೋಜನೆಗಳು New Purchase Orders,ಹೊಸ ಖರೀದಿ ಆದೇಶಗಳನ್ನು New Purchase Receipts,ಹೊಸ ಖರೀದಿ ರಸೀದಿಗಳನ್ನು New Quotations,ಹೊಸ ಉಲ್ಲೇಖಗಳು -New Record,ಹೊಸ ದಾಖಲೆ New Sales Orders,ಹೊಸ ಮಾರಾಟ ಆದೇಶಗಳನ್ನು New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,ಹೊಸ ಸೀರಿಯಲ್ ನಂ ಗೋದಾಮಿನ ಸಾಧ್ಯವಿಲ್ಲ . ವೇರ್ಹೌಸ್ ಷೇರು ಖರೀದಿ ರಸೀತಿ ಎಂಟ್ರಿ ಅಥವಾ ಸೆಟ್ ಮಾಡಬೇಕು New Stock Entries,ಹೊಸ ಸ್ಟಾಕ್ ನಮೂದುಗಳು @@ -1816,11 +1707,8 @@ Next,ಮುಂದೆ Next Contact By,ಮುಂದೆ ಸಂಪರ್ಕಿಸಿ Next Contact Date,ಮುಂದೆ ಸಂಪರ್ಕಿಸಿ ದಿನಾಂಕ Next Date,NextDate -Next Record,ಮುಂದೆ ರೆಕಾರ್ಡ್ -Next actions,ಮುಂದೆ ಕ್ರಮಗಳು Next email will be sent on:,ಮುಂದೆ ಇಮೇಲ್ ಮೇಲೆ ಕಳುಹಿಸಲಾಗುವುದು : No,ಇಲ್ಲ -No Communication tagged with this , No Customer Accounts found.,ಯಾವುದೇ ಗ್ರಾಹಕ ಖಾತೆಗಳನ್ನು ಕಂಡುಬಂದಿಲ್ಲ . No Customer or Supplier Accounts found,ಯಾವುದೇ ಗ್ರಾಹಕ ಅಥವಾ ಸರಬರಾಜುದಾರ ಖಾತೆಗಳು ಕಂಡುಬಂದಿಲ್ಲ No Expense Approvers. Please assign 'Expense Approver' Role to atleast one user,"ಯಾವುದೇ ಖರ್ಚು Approvers . ಕನಿಷ್ಠ ಒಂದು ಬಳಕೆದಾರ "" ಖರ್ಚು ಅನುಮೋದಕ ' ರೋಲ್ ನಿಯೋಜಿಸಲು ದಯವಿಟ್ಟು" @@ -1830,48 +1718,31 @@ No Items to pack,ಪ್ಯಾಕ್ ಯಾವುದೇ ಐಟಂಗಳು No Leave Approvers. Please assign 'Leave Approver' Role to atleast one user,"ನಂ Approvers ಬಿಡಿ . ಕನಿಷ್ಠ ಒಂದು ಬಳಕೆದಾರ "" ಲೀವ್ ಅನುಮೋದಕ ' ರೋಲ್ ನಿಯೋಜಿಸಲು ದಯವಿಟ್ಟು" No Permission,ಯಾವುದೇ ಅನುಮತಿ No Production Orders created,ದಾಖಲಿಸಿದವರು ಯಾವುದೇ ನಿರ್ಮಾಣ ಆದೇಶಗಳನ್ನು -No Report Loaded. Please use query-report/[Report Name] to run a report.,ಯಾವುದೇ ವರದಿ ಲೋಡೆಡ್ . ಒಂದು ವರದಿ ರನ್ ಪ್ರಶ್ನಾವಳಿ ವರದಿ / [ವರದಿ ಹೆಸರು ] ಬಳಸಿ. -No Results,ಯಾವುದೇ ಫಲಿತಾಂಶಗಳು No Supplier Accounts found. Supplier Accounts are identified based on 'Master Type' value in account record.,ಯಾವುದೇ ಸರಬರಾಜು ಖಾತೆಗಳು ಕಂಡುಬಂದಿಲ್ಲ . ಸರಬರಾಜುದಾರ ಖಾತೆಯನ್ನು ದಾಖಲೆಯಲ್ಲಿ ' ಮಾಸ್ಟರ್ ಪ್ರಕಾರ ' ಮೌಲ್ಯ ಆಧಾರದ ಮೇಲೆ ಗುರುತಿಸಲಾಗಿದೆ . No accounting entries for the following warehouses,ನಂತರ ಗೋದಾಮುಗಳು ಯಾವುದೇ ಲೆಕ್ಕಪರಿಶೋಧಕ ನಮೂದುಗಳನ್ನು No addresses created,ದಾಖಲಿಸಿದವರು ಯಾವುದೇ ವಿಳಾಸಗಳನ್ನು No contacts created,ದಾಖಲಿಸಿದವರು ಯಾವುದೇ ಸಂಪರ್ಕಗಳು No default BOM exists for Item {0},ಯಾವುದೇ ಡೀಫಾಲ್ಟ್ BOM ಐಟಂ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ {0} No description given,ಯಾವುದೇ ವಿವರಣೆ givenName -No document selected,ಆಯ್ಕೆ ಯಾವುದೇ ದಾಖಲೆ No employee found,ಯಾವುದೇ ನೌಕರ No employee found!,ಯಾವುದೇ ನೌಕರ ಕಂಡು ! No of Requested SMS,ವಿನಂತಿಸಲಾಗಿದೆ SMS ನ ನಂ No of Sent SMS,ಕಳುಹಿಸಲಾಗಿದೆ ಎಸ್ಎಂಎಸ್ ಸಂಖ್ಯೆ No of Visits,ಭೇಟಿ ಸಂಖ್ಯೆ -No one,ಯಾರೂ No permission,ಯಾವುದೇ ಅನುಮತಿ -No permission to '{0}' {1},ಯಾವುದೇ ಅನುಮತಿಯಿಲ್ಲ ' {0} ' {1} -No permission to edit,ಸಂಪಾದಿಸಲು ಯಾವುದೇ ಅನುಮತಿಯಿಲ್ಲ No record found,ಯಾವುದೇ ದಾಖಲೆ -No records tagged.,ಯಾವುದೇ ದಾಖಲೆಗಳು ಟ್ಯಾಗ್ . No salary slip found for month: , Non Profit,ಲಾಭಾಪೇಕ್ಷೆಯಿಲ್ಲದ -None,ಯಾವುದೂ ಇಲ್ಲ -None: End of Workflow,ಯಾವುದೂ : ವರ್ಕ್ಫ್ಲೋ ಅಂತ್ಯ Nos,ಸೂಲ Not Active,ಸಕ್ರಿಯವಾಗಿರದ Not Applicable,ಅನ್ವಯಿಸುವುದಿಲ್ಲ Not Available,ಲಭ್ಯವಿಲ್ಲ Not Billed,ಖ್ಯಾತವಾದ ಮಾಡಿರುವುದಿಲ್ಲ Not Delivered,ಈಡೇರಿಸಿಲ್ಲ -Not Found,ಕಂಡುಬಂದಿಲ್ಲ -Not Linked to any record.,ಯಾವುದೇ ದಾಖಲೆ ಲಿಂಕ್ . -Not Permitted,ಅನುಮತಿಯಿಲ್ಲ Not Set,ಹೊಂದಿಸಿ -Not Submitted,ಗ್ರಾಮೀಣರ -Not allowed,ಅನುಮತಿಸಲಾಗುವುದಿಲ್ಲ Not allowed to update entries older than {0},ಹೆಚ್ಚು ನಮೂದುಗಳನ್ನು ಹಳೆಯ ನವೀಕರಿಸಲು ಅವಕಾಶ {0} Not authorized to edit frozen Account {0},ಹೆಪ್ಪುಗಟ್ಟಿದ ಖಾತೆ ಸಂಪಾದಿಸಲು ಅಧಿಕಾರ {0} Not authroized since {0} exceeds limits,{0} ಮಿತಿಗಳನ್ನು ಮೀರಿದೆ ರಿಂದ authroized ಮಾಡಿರುವುದಿಲ್ಲ -Not enough permission to see links.,ಮಾಡಿರುವುದಿಲ್ಲ ಕೊಂಡಿಗಳು ನೋಡಲು ಸಾಕಷ್ಟು ಅನುಮತಿ . -Not equals,ಸಮ -Not found,ಕಂಡುಬಂದಿಲ್ಲ Not permitted,ಅನುಮತಿ Note,ನೋಡು Note User,ಬಳಕೆದಾರ ರೇಟಿಂಗ್ @@ -1880,7 +1751,6 @@ Note User,ಬಳಕೆದಾರ ರೇಟಿಂಗ್ Note: Due Date exceeds the allowed credit days by {0} day(s),ರೇಟಿಂಗ್ : ಕಾರಣ ದಿನಾಂಕ {0} ದಿನ (ಗಳು) ಅವಕಾಶ ಕ್ರೆಡಿಟ್ ದಿನಗಳ ಮೀರುತ್ತಿದೆ Note: Email will not be sent to disabled users,ಗಮನಿಸಿ : ಇಮೇಲ್ ಅಂಗವಿಕಲ ಬಳಕೆದಾರರಿಗೆ ಕಳುಹಿಸಲಾಗುವುದಿಲ್ಲ Note: Item {0} entered multiple times,ರೇಟಿಂಗ್ : ಐಟಂ {0} ಅನೇಕ ಬಾರಿ ಪ್ರವೇಶಿಸಿತು -Note: Other permission rules may also apply,ಗಮನಿಸಿ : ಇತರೆ ನಿಯಮಗಳು ಅನುಮತಿ ಜೂನ್ ಆದ್ದರಿಂದ ಅರ್ಜಿ Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,ಗಮನಿಸಿ : ಪಾವತಿ ಎಂಟ್ರಿ 'ನಗದು ಅಥವಾ ಬ್ಯಾಂಕ್ ಖಾತೆ ' ಏನು ನಿರ್ದಿಷ್ಟಪಡಿಸಿಲ್ಲ ರಿಂದ ರಚಿಸಲಾಗುವುದಿಲ್ಲ Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,ಗಮನಿಸಿ : ಸಿಸ್ಟಮ್ ಐಟಂ ಡೆಲಿವರಿ ಮೇಲೆ ಮತ್ತು ಅತಿ ಬುಕಿಂಗ್ ಪರೀಕ್ಷಿಸುವುದಿಲ್ಲ {0} ಪ್ರಮಾಣ ಅಥವಾ ಪ್ರಮಾಣದ 0 Note: There is not enough leave balance for Leave Type {0},ಗಮನಿಸಿ : ಲೀವ್ ಪ್ರಕಾರ ಸಾಕಷ್ಟು ರಜೆ ಸಮತೋಲನ ಇಲ್ಲ {0} @@ -1889,12 +1759,9 @@ Note: {0},ರೇಟಿಂಗ್ : {0} Notes,ಟಿಪ್ಪಣಿಗಳು Notes:,ಟಿಪ್ಪಣಿಗಳು: Nothing to request,ಮನವಿ ನಥಿಂಗ್ -Nothing to show,ತೋರಿಸಲು ಏನೂ -Nothing to show for this selection,ಈ ಆಯ್ಕೆಗೆ ತೋರಿಸಲು ಏನೂ Notice (days),ಎಚ್ಚರಿಕೆ ( ದಿನಗಳು) Notification Control,ಅಧಿಸೂಚನೆ ಕಂಟ್ರೋಲ್ Notification Email Address,ಅಧಿಸೂಚನೆ ಇಮೇಲ್ ವಿಳಾಸವನ್ನು -Notify By Email,ಇಮೇಲ್ ಮೂಲಕ ಸೂಚಿಸಿ Notify by Email on creation of automatic Material Request,ಸ್ವಯಂಚಾಲಿತ ವಸ್ತು ವಿನಂತಿಯನ್ನು ಸೃಷ್ಟಿ ಮೇಲೆ ಈಮೇಲ್ ಸೂಚಿಸಿ Number Format,ಸಂಖ್ಯೆ ಸ್ವರೂಪ Offer Date,ಆಫರ್ ದಿನಾಂಕ @@ -1938,7 +1805,6 @@ Opportunity Items,ಅವಕಾಶ ಐಟಂಗಳು Opportunity Lost,ಕಳೆದುಕೊಂಡ ಅವಕಾಶ Opportunity Type,ಅವಕಾಶ ಪ್ರಕಾರ Optional. This setting will be used to filter in various transactions.,ಐಚ್ಛಿಕ . ಈ ಸೆಟ್ಟಿಂಗ್ ವಿವಿಧ ವ್ಯವಹಾರಗಳಲ್ಲಿ ಫಿಲ್ಟರ್ ಬಳಸಲಾಗುತ್ತದೆ. -Or Created By,ಅಥವಾ ರಚಿಸಲಾಗಿದೆ Order Type,ಆರ್ಡರ್ ಪ್ರಕಾರ Order Type must be one of {1},ಆರ್ಡರ್ ಪ್ರಕಾರ ಒಂದು ಇರಬೇಕು {1} Ordered,ಆದೇಶ @@ -1953,7 +1819,6 @@ Organization Profile,ಸಂಸ್ಥೆ ಪ್ರೊಫೈಲ್ಗಳು Organization branch master.,ಸಂಸ್ಥೆ ಶಾಖೆ ಮಾಸ್ಟರ್ . Organization unit (department) master.,ಸಂಸ್ಥೆ ಘಟಕ ( ಇಲಾಖೆ ) ಮಾಸ್ಟರ್ . Original Amount,ಮೂಲ ಪ್ರಮಾಣ -Original Message,ಮೂಲ ಸಂದೇಶ Other,ಇತರ Other Details,ಇತರೆ ವಿವರಗಳು Others,ಇತರೆ @@ -1996,7 +1861,6 @@ Packing Slip Items,ಸ್ಲಿಪ್ ಐಟಂಗಳು ಪ್ಯಾಕಿಂ Packing Slip(s) cancelled,ಪ್ಯಾಕಿಂಗ್ ಸ್ಲಿಪ್ (ಗಳು) ರದ್ದು Page Break,ಪುಟ ಬ್ರೇಕ್ Page Name,ಪುಟ ಹೆಸರು -Page not found,ಪುಟ ಸಿಗಲಿಲ್ಲ Paid Amount,ಮೊತ್ತವನ್ನು Paid amount + Write Off Amount can not be greater than Grand Total,ಪಾವತಿಸಿದ ಪ್ರಮಾಣದ + ಆಫ್ ಬರೆಯಿರಿ ಪ್ರಮಾಣ ಹೆಚ್ಚಿನ ಗ್ರ್ಯಾಂಡ್ ಒಟ್ಟು ಸಾಧ್ಯವಿಲ್ಲ Pair,ಜೋಡಿ @@ -2062,9 +1926,6 @@ Period Closing Voucher,ಅವಧಿ ಮುಕ್ತಾಯ ಚೀಟಿ Periodicity,ನಿಯತಕಾಲಿಕತೆ Permanent Address,ಖಾಯಂ ವಿಳಾಸ Permanent Address Is,ಖಾಯಂ ವಿಳಾಸ ಈಸ್ -Permanently Cancel {0}?,ಶಾಶ್ವತವಾಗಿ {0} ರದ್ದು ? -Permanently Submit {0}?,ಶಾಶ್ವತವಾಗಿ {0} ಸಲ್ಲಿಸಿ ? -Permanently delete {0}?,ಶಾಶ್ವತವಾಗಿ {0} ಅಳಿಸಿ ? Permission,ಅನುಮತಿ Personal,ದೊಣ್ಣೆ Personal Details,ವೈಯಕ್ತಿಕ ವಿವರಗಳು @@ -2073,7 +1934,6 @@ Pharmaceutical,ಔಷಧೀಯ Pharmaceuticals,ಫಾರ್ಮಾಸ್ಯುಟಿಕಲ್ಸ್ Phone,ದೂರವಾಣಿ Phone No,ದೂರವಾಣಿ ಸಂಖ್ಯೆ -Pick Columns,ಕಾಲಮ್ಗಳು ಆರಿಸಿ Piecework,Piecework Pincode,ಪಿನ್ ಕೋಡ್ Place of Issue,ಸಂಚಿಕೆ ಪ್ಲೇಸ್ @@ -2086,8 +1946,6 @@ Plant,ಗಿಡ Plant and Machinery,ಸ್ಥಾವರ ಮತ್ತು ಯಂತ್ರೋಪಕರಣಗಳ Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,ಎಲ್ಲಾ ಖಾತೆ ಮುಖ್ಯಸ್ಥರಿಗೆ ಪ್ರತ್ಯಯ ಎಂದು ಸೇರಿಸಲಾಗುತ್ತದೆ ಸರಿಯಾಗಿ ಸಂಕ್ಷೇಪಣ ಅಥವಾ ಸಣ್ಣ ಹೆಸರು ನಮೂದಿಸಿ. Please add expense voucher details,ವೆಚ್ಚದಲ್ಲಿ ಚೀಟಿ ವಿವರಗಳು ಸೇರಿಸಿ -Please attach a file first.,ಮೊದಲ ಒಂದು ಕಡತ ಲಗತ್ತಿಸಬಹುದು ದಯವಿಟ್ಟು . -Please attach a file or set a URL,ಒಂದು ಕಡತ ಲಗತ್ತಿಸಬಹುದು ಅಥವಾ URL ಅನ್ನು ದಯವಿಟ್ಟು Please check 'Is Advance' against Account {0} if this is an advance entry.,ಖಾತೆ ವಿರುದ್ಧ ' ಅಡ್ವಾನ್ಸ್ ಈಸ್ ' ಪರಿಶೀಲಿಸಿ {0} ಈ ಮುಂಗಡ ಪ್ರವೇಶ ವೇಳೆ . Please click on 'Generate Schedule',ವೇಳಾಪಟ್ಟಿ ' ' ರಚಿಸಿ 'ಅನ್ನು ಕ್ಲಿಕ್ ಮಾಡಿ Please click on 'Generate Schedule' to fetch Serial No added for Item {0},ಯಾವುದೇ ಸೀರಿಯಲ್ ಐಟಂ ಸೇರಿಸಲಾಗಿದೆ ತರಲು ' ರಚಿಸಿ ' ವೇಳಾಪಟ್ಟಿ ' ಕ್ಲಿಕ್ ಮಾಡಿ {0} @@ -2096,7 +1954,6 @@ Please create Customer from Lead {0},{0} ನಿಂದ ಗ್ರಾಹಕ ಲಿ Please create Salary Structure for employee {0},ನೌಕರ ಸಂಬಳ ರಚನೆ ರಚಿಸಲು ದಯವಿಟ್ಟು {0} Please create new account from Chart of Accounts.,ಖಾತೆಗಳ ಚಾರ್ಟ್ ಹೊಸ ಖಾತೆಯನ್ನು ರಚಿಸಿ. Please do NOT create Account (Ledgers) for Customers and Suppliers. They are created directly from the Customer / Supplier masters.,ಗ್ರಾಹಕರ ಹಾಗೂ ವಿತರಕರ ಖಾತೆಯನ್ನು ( ಲೆಡ್ಜರ್ ) ರಚಿಸಲು ದಯವಿಟ್ಟು . ಅವರು ಗ್ರಾಹಕ / ಸರಬರಾಜುದಾರ ಮಾಸ್ಟರ್ಸ್ ನೇರವಾಗಿ ರಚಿಸಲಾಗಿದೆ . -Please enable pop-ups,ಪಾಪ್ ಅಪ್ಗಳನ್ನು ಸಕ್ರಿಯಗೊಳಿಸಲು ದಯವಿಟ್ಟು Please enter 'Expected Delivery Date',' ನಿರೀಕ್ಷಿತ ಡೆಲಿವರಿ ದಿನಾಂಕ ' ನಮೂದಿಸಿ Please enter 'Is Subcontracted' as Yes or No,ನಮೂದಿಸಿ ಹೌದು ಅಥವಾ ಇಲ್ಲ ಎಂದು ' subcontracted ಈಸ್' Please enter 'Repeat on Day of Month' field value,ನಮೂದಿಸಿ fieldValue ' ತಿಂಗಳಿನ ದಿನ ಪುನರಾವರ್ತಿಸಿ ' @@ -2107,7 +1964,6 @@ Please enter Company,ಕಂಪನಿ ನಮೂದಿಸಿ Please enter Cost Center,ಒಂದು ವೆಚ್ಚದ ಕೇಂದ್ರವಾಗಿ ನಮೂದಿಸಿ Please enter Delivery Note No or Sales Invoice No to proceed,ಮುಂದುವರೆಯಲು ಡೆಲಿವರಿ ಸೂಚನೆ ಯಾವುದೇ ಅಥವಾ ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ಯಾವುದೇ ನಮೂದಿಸಿ Please enter Employee Id of this sales parson,ಈ ಮಾರಾಟ ಪಾರ್ಸನ್ಸ್ ನೌಕರ ID ಅನ್ನು ನಮೂದಿಸಿ -Please enter Event's Date and Time!,ಈವೆಂಟ್ ನ ದಿನಾಂಕ ಮತ್ತು ಸಮಯ ನಮೂದಿಸಿ ! Please enter Expense Account,ವೆಚ್ಚದಲ್ಲಿ ಖಾತೆಯನ್ನು ನಮೂದಿಸಿ Please enter Item Code to get batch no,ಯಾವುದೇ ಐಟಂ ಬ್ಯಾಚ್ ಪಡೆಯಲು ಕೋಡ್ ನಮೂದಿಸಿ Please enter Item Code.,ಐಟಂ ಕೋಡ್ ನಮೂದಿಸಿ. @@ -2133,14 +1989,11 @@ Please enter parent cost center,ಮೂಲ ವೆಚ್ಚ ಸೆಂಟರ್ ನ Please enter quantity for Item {0},ಐಟಂ ಪ್ರಮಾಣ ನಮೂದಿಸಿ {0} Please enter relieving date.,ದಿನಾಂಕ ನಿವಾರಿಸುವ ನಮೂದಿಸಿ. Please enter sales order in the above table,ಮೇಲಿನ ಕೋಷ್ಟಕದಲ್ಲಿ ಮಾರಾಟ ಸಲುವಾಗಿ ನಮೂದಿಸಿ -Please enter some text!,ದಯವಿಟ್ಟು ಕೆಲವು ಪಠ್ಯವನ್ನು ನಮೂದಿಸಿ ! -Please enter title!,ಶೀರ್ಷಿಕೆ ನಮೂದಿಸಿ ! Please enter valid Company Email,ಮಾನ್ಯ ಇಮೇಲ್ ಕಂಪನಿ ನಮೂದಿಸಿ Please enter valid Email Id,ಮಾನ್ಯ ಇಮೇಲ್ ಅನ್ನು ನಮೂದಿಸಿ Please enter valid Personal Email,ಮಾನ್ಯ ವೈಯಕ್ತಿಕ ಇಮೇಲ್ ನಮೂದಿಸಿ Please enter valid mobile nos,ಮಾನ್ಯ ಮೊಬೈಲ್ ಸೂಲ ನಮೂದಿಸಿ Please install dropbox python module,ಡ್ರಾಪ್ಬಾಕ್ಸ್ pythonModule ಅನುಸ್ಥಾಪಿಸಲು ದಯವಿಟ್ಟು -Please login to Upvote!,Upvote ದಯವಿಟ್ಟು ಲಾಗಿನ್ ಮಾಡಿ ! Please mention no of visits required,ನಮೂದಿಸಿ ಅಗತ್ಯವಿದೆ ಭೇಟಿ ಯಾವುದೇ Please pull items from Delivery Note,ಡೆಲಿವರಿ ಗಮನಿಸಿ ಐಟಂಗಳನ್ನು ಪುಲ್ ದಯವಿಟ್ಟು Please save the Newsletter before sending,ಕಳುಹಿಸುವ ಮೊದಲು ಸುದ್ದಿಪತ್ರವನ್ನು ಉಳಿಸಲು ದಯವಿಟ್ಟು @@ -2191,8 +2044,6 @@ Plot By,ಕಥಾವಸ್ತು Point of Sale,ಪಾಯಿಂಟ್ ಆಫ್ ಸೇಲ್ Point-of-Sale Setting,ಪಾಯಿಂಟ್ ಆಫ್ ಮಾರಾಟಕ್ಕೆ ಸೆಟ್ಟಿಂಗ್ Post Graduate,ಸ್ನಾತಕೋತ್ತರ -Post already exists. Cannot add again!,ಪೋಸ್ಟ್ ಈಗಾಗಲೇ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ. ಮತ್ತೆ ಸೇರಿಸಲಾಗುವುದಿಲ್ಲ! -Post does not exist. Please add post!,ಪೋಸ್ಟ್ ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ . ಪೋಸ್ಟ್ ಸೇರಿಸಿ ದಯವಿಟ್ಟು ! Postal,ಅಂಚೆಯ Postal Expenses,ಅಂಚೆ ವೆಚ್ಚಗಳು Posting Date,ದಿನಾಂಕ ಪೋಸ್ಟ್ @@ -2207,7 +2058,6 @@ Prevdoc DocType,Prevdoc doctype Prevdoc Doctype,Prevdoc DOCTYPE Preview,ಮುನ್ನೋಟ Previous,ಹಿಂದಿನ -Previous Record,ಹಿಂದಿನ ದಾಖಲೆ Previous Work Experience,ಹಿಂದಿನ ಅನುಭವ Price,ಬೆಲೆ Price / Discount,ಬೆಲೆ / ರಿಯಾಯಿತಿ @@ -2226,12 +2076,10 @@ Price or Discount,ಬೆಲೆ ಅಥವಾ ಡಿಸ್ಕೌಂಟ್ Pricing Rule,ಬೆಲೆ ರೂಲ್ Pricing Rule For Discount,ಬೆಲೆ ನಿಯಮ ಡಿಸ್ಕೌಂಟ್ Pricing Rule For Price,ಬೆಲೆ ನಿಯಮ ಬೆಲೆ -Print,ಮುದ್ರಣ Print Format Style,ಪ್ರಿಂಟ್ ಫಾರ್ಮ್ಯಾಟ್ ಶೈಲಿ Print Heading,ಪ್ರಿಂಟ್ ಶಿರೋನಾಮೆ Print Without Amount,ಪ್ರಮಾಣ ಇಲ್ಲದೆ ಮುದ್ರಿಸು Print and Stationary,ಮುದ್ರಣ ಮತ್ತು ಸ್ಟೇಷನರಿ -Print...,ಮುದ್ರಿಸು ... Printing and Branding,ಮುದ್ರಣ ಮತ್ತು ಬ್ರ್ಯಾಂಡಿಂಗ್ Priority,ಆದ್ಯತೆ Private Equity,ಖಾಸಗಿ ಈಕ್ವಿಟಿ @@ -2357,7 +2205,6 @@ Quantity of item obtained after manufacturing / repacking from given quantities Quantity required for Item {0} in row {1},ಐಟಂ ಬೇಕಾದ ಪ್ರಮಾಣ {0} ಸತತವಾಗಿ {1} Quarter,ಕಾಲು ಭಾಗ Quarterly,ತ್ರೈಮಾಸಿಕ -Query Report,ಪ್ರಶ್ನೆಯ ವರದಿ Quick Help,ತ್ವರಿತ ಸಹಾಯ Quotation,ಉದ್ಧರಣ Quotation Date,ಉಲ್ಲೇಖ ದಿನಾಂಕ @@ -2459,14 +2306,11 @@ Rejected Warehouse is mandatory against regected item,ತಿರಸ್ಕರಿ Relation,ರಿಲೇಶನ್ Relieving Date,ದಿನಾಂಕ ನಿವಾರಿಸುವ Relieving Date must be greater than Date of Joining,ದಿನಾಂಕ ನಿವಾರಿಸುವ ಸೇರುವ ದಿನಾಂಕ ಹೆಚ್ಚಿನ ಇರಬೇಕು -Reload Page,ಪುಟ ರೀಲೋಡ್ Remark,ಟೀಕಿಸು Remarks,ರಿಮಾರ್ಕ್ಸ್ -Remove Bookmark,ಬುಕ್ಮಾರ್ಕ್ ತೆಗೆದುಹಾಕಿ Rename,ಹೊಸ ಹೆಸರಿಡು Rename Log,ಲಾಗ್ ಮರುಹೆಸರಿಸು Rename Tool,ಟೂಲ್ ಮರುಹೆಸರಿಸು -Rename...,ಮರುಹೆಸರಿಸು ... Rent Cost,ಬಾಡಿಗೆ ವೆಚ್ಚ Rent per hour,ಗಂಟೆಗೆ ಬಾಡಿಗೆ Rented,ಬಾಡಿಗೆ @@ -2474,12 +2318,9 @@ Repeat on Day of Month,ತಿಂಗಳಿನ ದಿನ ಪುನರಾವರ್ Replace,ಬದಲಾಯಿಸಿ Replace Item / BOM in all BOMs,ಎಲ್ಲಾ BOMs ಐಟಂ / BOM ಬದಲಾಯಿಸಿ Replied,ಉತ್ತರಿಸಿದರು -Report,ವರದಿ Report Date,ವರದಿಯ ದಿನಾಂಕ Report Type,ವರದಿ ಪ್ರಕಾರ Report Type is mandatory,ವರದಿ ಪ್ರಕಾರ ಕಡ್ಡಾಯ -Report an Issue,ಸಮಸ್ಯೆಯನ್ನು ವರದಿಮಾಡಿ -Report was not saved (there were errors),ಉಳಿಸಲಾಗಿಲ್ಲ ಎಂಬುದನ್ನು ವರದಿ ( ದೋಷಗಳನ್ನು ಇದ್ದವು ) Reports to,ಗೆ ವರದಿಗಳು Reqd By Date,ಬೇಕಾಗಿದೆ ದಿನಾಂಕ ಮೂಲಕ Request Type,ವಿನಂತಿ ಪ್ರಕಾರ @@ -2630,7 +2471,6 @@ Salutation,ವಂದನೆ Sample Size,ಸ್ಯಾಂಪಲ್ ಸೈಜ್ Sanctioned Amount,ಮಂಜೂರಾದ ಹಣದಲ್ಲಿ Saturday,ಶನಿವಾರ -Save,ಉಳಿಸಿ Schedule,ಕಾರ್ಯಕ್ರಮ Schedule Date,ವೇಳಾಪಟ್ಟಿ ದಿನಾಂಕ Schedule Details,ವೇಳಾಪಟ್ಟಿ ವಿವರಗಳು @@ -2644,7 +2484,6 @@ Score (0-5),ಸ್ಕೋರ್ ( 0-5 ) Score Earned,ಸ್ಕೋರ್ ಗಳಿಸಿದರು Score must be less than or equal to 5,ಸ್ಕೋರ್ ಕಡಿಮೆ ಅಥವಾ 5 ಸಮಾನವಾಗಿರಬೇಕು Scrap %,ಸ್ಕ್ರ್ಯಾಪ್ % -Search,ಹುಡುಕು Seasonality for setting budgets.,ಬಜೆಟ್ ಸ್ಥಾಪನೆಗೆ ಹಂಗಾಮಿನ . Secretary,ಕಾರ್ಯದರ್ಶಿ Secured Loans,ಸುರಕ್ಷಿತ ಸಾಲ @@ -2656,26 +2495,18 @@ Securities and Deposits,ಸೆಕ್ಯುರಿಟೀಸ್ ಮತ್ತು "Select ""Yes"" if this item represents some work like training, designing, consulting etc.","ಈ ಐಟಂ ಇತ್ಯಾದಿ ತರಬೇತಿ , ವಿನ್ಯಾಸ , ಸಲಹಾ , ಕೆಲವು ಕೆಲಸ ನಿರೂಪಿಸಿದರೆ "" ಹೌದು "" ಆಯ್ಕೆ" "Select ""Yes"" if you are maintaining stock of this item in your Inventory.","ನಿಮ್ಮ ತಪಶೀಲು ಈ ಐಟಂ ಸ್ಟಾಕ್ ನಿರ್ವಹಣೆ ವೇಳೆ "" ಹೌದು "" ಆಯ್ಕೆ ಮಾಡಿ." "Select ""Yes"" if you supply raw materials to your supplier to manufacture this item.","ನೀವು ಈ ಐಟಂ ತಯಾರಿಸಲು ನಿಮ್ಮ ಪೂರೈಕೆದಾರ ಕಚ್ಚಾ ವಸ್ತುಗಳ ಪೂರೈಕೆ ವೇಳೆ "" ಹೌದು "" ಆಯ್ಕೆ ಮಾಡಿ." -Select All,ಎಲ್ಲಾ ಆಯ್ಕೆಮಾಡಿ -Select Attachments,ಲಗತ್ತುಗಳನ್ನು ಆಯ್ಕೆ Select Budget Distribution to unevenly distribute targets across months.,ವಿತರಿಸಲು ಬಜೆಟ್ ವಿತರಣೆ ಆಯ್ಕೆ ಅಸಮಾನವಾಗಿ ತಿಂಗಳ ಅಡ್ಡಲಾಗಿ ಗುರಿ. "Select Budget Distribution, if you want to track based on seasonality.","ನೀವು ಋತುಗಳು ಆಧರಿಸಿ ಟ್ರ್ಯಾಕ್ ಬಯಸಿದರೆ , ಬಜೆಟ್ ವಿತರಣೆ ಮಾಡಿ ." Select DocType,ಆಯ್ಕೆ doctype Select Items,ಐಟಂಗಳನ್ನು ಆಯ್ಕೆಮಾಡಿ -Select Print Format,ಆಯ್ಕೆ ಪ್ರಿಂಟ್ ಫಾರ್ಮ್ಯಾಟ್ Select Purchase Receipts,ಖರೀದಿ ರಸೀದಿಗಳನ್ನು ಆಯ್ಕೆ -Select Report Name,ಆಯ್ಕೆ ರಿಪೋರ್ಟ್ ಹೆಸರು Select Sales Orders,ಆಯ್ಕೆ ಮಾರಾಟದ ಆರ್ಡರ್ಸ್ Select Sales Orders from which you want to create Production Orders.,ನೀವು ಉತ್ಪಾದನೆ ಆದೇಶಗಳನ್ನು ರಚಿಸಲು ಬಯಸುವ ಆಯ್ಕೆ ಮಾರಾಟ ಆದೇಶಗಳನ್ನು . Select Time Logs and Submit to create a new Sales Invoice.,ಟೈಮ್ ದಾಖಲೆಗಳು ಆಯ್ಕೆ ಮತ್ತು ಹೊಸ ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ರಚಿಸಲು ಸಲ್ಲಿಸಿ . -Select To Download:,ಡೌನ್ಲೋಡ್ ಮಾಡಿ Select Transaction,ಟ್ರಾನ್ಸಾಕ್ಷನ್ ಆಯ್ಕೆ -Select Type,ಕೌಟುಂಬಿಕತೆ ಆಯ್ಕೆ Select Your Language,ನಿಮ್ಮ ಭಾಷೆಯನ್ನು ಆಯ್ಕೆ Select account head of the bank where cheque was deposited.,ಅಲ್ಲಿ ಚೆಕ್ ಠೇವಣಿ ಏನು ಬ್ಯಾಂಕ್ ಖಾತೆ ಮುಖ್ಯಸ್ಥ ಆಯ್ಕೆ . Select company name first.,ಮೊದಲ ಕಂಪನಿ ಹೆಸರು ಆಯ್ಕೆ ಮಾಡಿ. -Select dates to create a new , -Select or drag across time slots to create a new event.,ಆಯ್ಕೆ ಅಥವಾ ಹೊಸ ಈವೆಂಟ್ ರಚಿಸಲು ಸಮಯಾವಧಿಗಳ ಅಡ್ಡಲಾಗಿ ಎಳೆಯಿರಿ . Select template from which you want to get the Goals,ನೀವು ಗೋಲುಗಳನ್ನು ಪಡೆಯಲು ಬಯಸುವ ಟೆಂಪ್ಲೇಟ್ ಆಯ್ಕೆ Select the Employee for whom you are creating the Appraisal.,ಧಿಡೀರನೆ ನೀವು ಅಪ್ರೈಸಲ್ ರಚಿಸುತ್ತಿರುವ ನೌಕರರ ಆಯ್ಕೆ . Select the period when the invoice will be generated automatically,ಸರಕುಪಟ್ಟಿ ಸ್ವಯಂಚಾಲಿತವಾಗಿ ರಚಿಸಲಾಗಿದೆ ಮಾಡಿದಾಗ ಅವಧಿಯಲ್ಲಿ ಆಯ್ಕೆ @@ -2691,11 +2522,9 @@ Select your home country and check the timezone and currency.,ನಿಮ್ಮ Selling,ವಿಕ್ರಯ Selling Settings,ಸೆಟ್ಟಿಂಗ್ಗಳು ಮಾರಾಟ Send,ಕಳುಹಿಸು -Send As Email,ಇಮೇಲ್ ಕಳುಹಿಸಿ Send Autoreply,ಪ್ರತ್ಯುತ್ತರ ಕಳಿಸಿ Send Email,ಇಮೇಲ್ ಕಳುಹಿಸಿ Send From,ಗೆ ಕಳುಹಿಸಿ -Send Me A Copy,ಮಿ ಪ್ರತಿಯನ್ನು ಕಳುಹಿಸಿ Send Notifications To,ಅಧಿಸೂಚನೆಗಳನ್ನು ಕಳುಹಿಸಿ Send Now,ಈಗ ಕಳುಹಿಸಿ Send SMS,ಎಸ್ಎಂಎಸ್ ಕಳುಹಿಸಿ @@ -2705,7 +2534,6 @@ Send mass SMS to your contacts,ನಿಮ್ಮ ಸಂಪರ್ಕಗಳಿಗೆ Send to this list,ಈ ಪಟ್ಟಿಯನ್ನು ಕಳಿಸಿ Sender Name,ಹೆಸರು Sent On,ಕಳುಹಿಸಲಾಗಿದೆ -Sent or Received,ಕಳುಹಿಸಿದ ಅಥವಾ ಸ್ವೀಕರಿಸಿದ Separate production order will be created for each finished good item.,ಪ್ರತ್ಯೇಕ ಉತ್ಪಾದನಾ ಸಲುವಾಗಿ ಪ್ರತಿ ಸಿದ್ಧಪಡಿಸಿದ ಉತ್ತಮ ಐಟಂ ನಿರ್ಮಿಸಲಾಗುತ್ತದೆ . Serial No,ಅನುಕ್ರಮ ಸಂಖ್ಯೆ Serial No / Batch,ಯಾವುದೇ ಸೀರಿಯಲ್ / ಬ್ಯಾಚ್ @@ -2739,11 +2567,9 @@ Series {0} already used in {1},ಸರಣಿ {0} ಈಗಾಗಲೇ ಬಳಸ Service,ಸೇವೆ Service Address,ಸೇವೆ ವಿಳಾಸ Services,ಸೇವೆಗಳು -Session Expired. Logging you out,ಅಧಿವೇಶನ ಮುಗಿದಿದೆ. ನೀವು ನಿರ್ಗಮಿಸುವ Set,ಸೆಟ್ "Set Default Values like Company, Currency, Current Fiscal Year, etc.","ಇತ್ಯಾದಿ ಕಂಪನಿ, ಕರೆನ್ಸಿ , ಪ್ರಸಕ್ತ ಆರ್ಥಿಕ ವರ್ಷದ , ಹಾಗೆ ಹೊಂದಿಸಿ ಡೀಫಾಲ್ಟ್ ಮೌಲ್ಯಗಳು" Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,ಈ ಪ್ರದೇಶ ಮೇಲೆ ಐಟಂ ಗುಂಪು ಬಲ್ಲ ಬಜೆಟ್ ಹೊಂದಿಸಲು . ನೀವು ಆದ್ದರಿಂದ ವಿತರಣೆ ಹೊಂದಿಸುವ ಮೂಲಕ ಋತುಗಳು ಒಳಗೊಳ್ಳಬಹುದು. -Set Link,ಹೊಂದಿಸಿ ಲಿಂಕ್ Set as Default,ಪೂರ್ವನಿಯೋಜಿತವಾಗಿನಿಗದಿಪಡಿಸು Set as Lost,ಲಾಸ್ಟ್ ಹೊಂದಿಸಿ Set prefix for numbering series on your transactions,ನಿಮ್ಮ ವ್ಯವಹಾರಗಳ ಮೇಲೆ ಸರಣಿ ಸಂಖ್ಯೆಗಳನ್ನು ಹೊಂದಿಸಿ ಪೂರ್ವಪ್ರತ್ಯಯ @@ -2776,17 +2602,12 @@ Shipping Rule Label,ಶಿಪ್ಪಿಂಗ್ ಲೇಬಲ್ ರೂಲ್ Shop,ಅಂಗಡಿ Shopping Cart,ಶಾಪಿಂಗ್ ಕಾರ್ಟ್ Short biography for website and other publications.,ವೆಬ್ಸೈಟ್ ಮತ್ತು ಇತರ ಪ್ರಕಟಣೆಗಳು ಕಿರು ಜೀವನಚರಿತ್ರೆ. -Shortcut,ಶಾರ್ಟ್ಕಟ್ "Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",""" ಸ್ಟಾಕ್ ರಲ್ಲಿ "" ತೋರಿಸು ಅಥವಾ "" ಅಲ್ಲ ಸ್ಟಾಕ್ "" ಈ ಉಗ್ರಾಣದಲ್ಲಿ ಲಭ್ಯವಿರುವ ಸ್ಟಾಕ್ ಆಧರಿಸಿ ." "Show / Hide features like Serial Nos, POS etc.","ಇತ್ಯಾದಿ ಸೀರಿಯಲ್ ಸೂಲ , ಪಿಓಎಸ್ ಹಾಗೆ ತೋರಿಸು / ಮರೆಮಾಡು ವೈಶಿಷ್ಟ್ಯಗಳನ್ನು" -Show Details,ವಿವರಗಳನ್ನು ತೋರಿಸಿ Show In Website,ವೆಬ್ಸೈಟ್ ಹೋಗಿ -Show Tags,ಶೋ ಟ್ಯಾಗ್ಗಳು Show a slideshow at the top of the page,ಪುಟದ ಮೇಲಿರುವ ಒಂದು ಸ್ಲೈಡ್ಶೋ ತೋರಿಸು Show in Website,ವೆಬ್ಸೈಟ್ ತೋರಿಸಿ -Show rows with zero values,ಶೂನ್ಯ ಮೌಲ್ಯಗಳು ತೋರಿಸಿ ಸಾಲುಗಳನ್ನು Show this slideshow at the top of the page,ಪುಟದ ಮೇಲಿರುವ ಈ ಸ್ಲೈಡ್ಶೋ ತೋರಿಸು -Showing only for (if not empty),ಮಾತ್ರ ತೋರಿಸಲಾಗುತ್ತಿದೆ (ಇಲ್ಲದಿದ್ದರೆ ಖಾಲಿ ) Sick Leave,ಸಿಕ್ ಲೀವ್ Signature,ಸಹಿ Signature to be appended at the end of every email,ಪ್ರತಿ ಇಮೇಲ್ ಕೊನೆಯಲ್ಲಿ ಲಗತ್ತಿಸಬೇಕು ಸಹಿ @@ -2797,11 +2618,8 @@ Slideshow,ಸ್ಲೈಡ್ಶೋ Soap & Detergent,ಸಾಬೂನು ಹಾಗೂ ಮಾರ್ಜಕ Software,ತಂತ್ರಾಂಶ Software Developer,ಸಾಫ್ಟ್ವೇರ್ ಡೆವಲಪರ್ -Sorry we were unable to find what you were looking for.,ಕ್ಷಮಿಸಿ ನಾವು ನೀವು ಹುಡುಕುತ್ತಿರುವ ಏನು ಕಂಡುಹಿಡಿಯಲು ಸಾಧ್ಯವಾಗಲಿಲ್ಲ . -Sorry you are not permitted to view this page.,ಕ್ಷಮಿಸಿ ಈ ಪುಟವನ್ನು ವೀಕ್ಷಿಸಲು ಅನುಮತಿ ಇಲ್ಲ . "Sorry, Serial Nos cannot be merged","ಕ್ಷಮಿಸಿ, ಸೀರಿಯಲ್ ಸೂಲ ವಿಲೀನಗೊಳಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ" "Sorry, companies cannot be merged","ಕ್ಷಮಿಸಿ, ಕಂಪನಿಗಳು ವಿಲೀನಗೊಳಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ" -Sort By,ವಿಂಗಡಿಸಿ Source,ಮೂಲ Source File,ಮೂಲ ಫೈಲ್ Source Warehouse,ಮೂಲ ವೇರ್ಹೌಸ್ @@ -2826,7 +2644,6 @@ Standard Selling,ಸ್ಟ್ಯಾಂಡರ್ಡ್ ವಿಕ್ರಯ Standard contract terms for Sales or Purchase.,ಮಾರಾಟದ ಅಥವಾ ಖರೀದಿಗಾಗಿ ಸ್ಟ್ಯಾಂಡರ್ಡ್ ಒಪ್ಪಂದದ ವಿಚಾರದಲ್ಲಿ . Start,ಪ್ರಾರಂಭ Start Date,ಪ್ರಾರಂಭ ದಿನಾಂಕ -Start Report For,ವರದಿಯ ಪ್ರಾರಂಭಿಸಿ Start date of current invoice's period,ಪ್ರಸ್ತುತ ಅವಧಿಯ ಸರಕುಪಟ್ಟಿ ದಿನಾಂಕ ಪ್ರಾರಂಭಿಸಿ Start date should be less than end date for Item {0},ಪ್ರಾರಂಭ ದಿನಾಂಕ ಐಟಂ ಅಂತಿಮ ದಿನಾಂಕವನ್ನು ಕಡಿಮೆ Shoulderstand {0} State,ರಾಜ್ಯ @@ -2884,7 +2701,6 @@ Sub Assemblies,ಉಪ ಅಸೆಂಬ್ಲೀಸ್ "Sub-currency. For e.g. ""Cent""","ಉಪ ಕರೆನ್ಸಿ . ಇ ಜಿ ಫಾರ್ ""ಸೆಂಟ್ಸ್""" Subcontract,subcontract Subject,ವಿಷಯ -Submit,ಸಲ್ಲಿಸಿ Submit Salary Slip,ಸಂಬಳ ಸ್ಲಿಪ್ ಸಲ್ಲಿಸಿ Submit all salary slips for the above selected criteria,ಮೇಲೆ ಆಯ್ಕೆ ಮಾನದಂಡಗಳನ್ನು ಎಲ್ಲಾ ಸಂಬಳ ಚೂರುಗಳನ್ನು ಸಲ್ಲಿಸಿ Submit this Production Order for further processing.,ಮತ್ತಷ್ಟು ಪ್ರಕ್ರಿಯೆಗೆ ಈ ಪ್ರೊಡಕ್ಷನ್ ಆರ್ಡರ್ ಸಲ್ಲಿಸಿ . @@ -2928,7 +2744,6 @@ Support Email Settings,ಬೆಂಬಲ ಇಮೇಲ್ ಸೆಟ್ಟಿಂ Support Password,ಬೆಂಬಲ ಪಾಸ್ವರ್ಡ್ Support Ticket,ಬೆಂಬಲ ಟಿಕೆಟ್ Support queries from customers.,ಗ್ರಾಹಕರಿಂದ ಬೆಂಬಲ ಪ್ರಶ್ನೆಗಳು . -Switch to Website,ವೆಬ್ಸೈಟ್ ಬದಲಿಸಿ Symbol,ವಿಗ್ರಹ Sync Support Mails,ಸಿಂಕ್ ಬೆಂಬಲ ಮೇಲ್ಗಳು Sync with Dropbox,ಡ್ರಾಪ್ಬಾಕ್ಸ್ ಸಿಂಕ್ @@ -2936,7 +2751,6 @@ Sync with Google Drive,Google ಡ್ರೈವ್ ಸಿಂಕ್ System,ವ್ಯವಸ್ಥೆ System Settings,ಸಿಸ್ಟಂ ಸೆಟ್ಟಿಂಗ್ಗಳನ್ನು "System User (login) ID. If set, it will become default for all HR forms.","ವ್ಯವಸ್ಥೆ ಬಳಕೆದಾರರು ( ಲಾಗಿನ್ ) id. ಹೊಂದಿಸಿದಲ್ಲಿ , ಎಲ್ಲಾ ಮಾನವ ಸಂಪನ್ಮೂಲ ರೂಪಗಳು ಡೀಫಾಲ್ಟ್ ಪರಿಣಮಿಸುತ್ತದೆ ." -Tags,ದಿನ Target Amount,ಟಾರ್ಗೆಟ್ ಪ್ರಮಾಣ Target Detail,ವಿವರ ಟಾರ್ಗೆಟ್ Target Details,ಟಾರ್ಗೆಟ್ ವಿವರಗಳು @@ -2995,7 +2809,6 @@ Territory Target Variance Item Group-Wise,ಪ್ರದೇಶ ಟಾರ್ಗ Territory Targets,ಪ್ರದೇಶ ಗುರಿಗಳ Test,ಟೆಸ್ಟ್ Test Email Id,ಟೆಸ್ಟ್ ಮಿಂಚಂಚೆ -Test Runner,ಟೆಸ್ಟ್ ರನ್ನರ್ Test the Newsletter,ಸುದ್ದಿಪತ್ರ ಪರೀಕ್ಷಿಸಿ The BOM which will be replaced,BOM ಯಾವ ಸ್ಥಾನಾಂತರಿಸಲಾಗಿದೆ The First User: You,ಮೊದಲ ಬಳಕೆದಾರ : ನೀವು @@ -3015,28 +2828,23 @@ The net weight of this package. (calculated automatically as sum of net weight o The new BOM after replacement,ಬದಲಿ ನಂತರ ಹೊಸ BOM The rate at which Bill Currency is converted into company's base currency,ಬಿಲ್ ಕರೆನ್ಸಿ ಕಂಪನಿಯ ಮೂಲ ಕರೆನ್ಸಿ ಪರಿವರ್ತಿಸಲಾಯಿತು ದರವನ್ನು The unique id for tracking all recurring invoices. It is generated on submit.,ಎಲ್ಲಾ ಮರುಕಳಿಸುವ ಇನ್ವಾಯ್ಸ್ ಟ್ರ್ಯಾಕ್ ಅನನ್ಯ ID . ಇದು ಸಲ್ಲಿಸಲು ಮೇಲೆ ಉತ್ಪಾದಿಸಲಾಗುತ್ತದೆ. -Then By (optional),ನಂತರ ( ಐಚ್ಛಿಕ ) There are more holidays than working days this month.,ಈ ತಿಂಗಳ ದಿನಗಳ ಕೆಲಸ ಹೆಚ್ಚು ರಜಾದಿನಗಳಲ್ಲಿ ಇವೆ . "There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","ಕೇವಲ "" ಮೌಲ್ಯವನ್ನು "" 0 ಅಥವಾ ಖಾಲಿ ಮೌಲ್ಯದೊಂದಿಗೆ ಒಂದು ಹಡಗು ರೂಲ್ ಕಂಡಿಶನ್ ಇಡಬಹುದು" There is not enough leave balance for Leave Type {0},ಲೀವ್ ಪ್ರಕಾರ ಸಾಕಷ್ಟು ರಜೆ ಸಮತೋಲನ ಇಲ್ಲ {0} There is nothing to edit.,ಸಂಪಾದಿಸಲು ಏನೂ ಇಲ್ಲ. There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,ಒಂದು ದೋಷ ಉಂಟಾಗಿದೆ . ನೀವು ಉಳಿಸಿಲ್ಲ ಮಾಡಲಿಲ್ಲ ಒಂದು ಸಂಭಾವ್ಯ ಕಾರಣ ಸಮಸ್ಯೆ ಮುಂದುವರಿದರೆ support@erpnext.com ಸಂಪರ್ಕಿಸಿ ಡಾಕ್ಯುಮೆಂಟ್ ಸಾಧ್ಯವಾಗಿಲ್ಲ . -There were errors,ದೋಷಗಳು ಇದ್ದವು -There were errors while sending email. Please try again.,ಇಮೇಲ್ ಕಳುಹಿಸುವಾಗ ದೋಷಗಳು ಇದ್ದವು. ದಯವಿಟ್ಟು ಮತ್ತೆ ಪ್ರಯತ್ನಿಸಿ . There were errors.,ದೋಷಗಳು ಇದ್ದವು. This Currency is disabled. Enable to use in transactions,ಕರೆನ್ಸಿ ಅಶಕ್ತಗೊಳಿಸಲಾಗಿರುತ್ತದೆ. ವ್ಯವಹಾರಗಳಲ್ಲಿ ಬಳಸಲು ಸಕ್ರಿಯಗೊಳಿಸಿ This Leave Application is pending approval. Only the Leave Apporver can update status.,ಈ ಅಪ್ಲಿಕೇಶನ್ ಅನುಮೋದನೆ ಬಾಕಿ ಇದೆ ಬಿಡಿ . ಬಿಡಲು Apporver ಡೇಟ್ ಮಾಡಬಹುದು . This Time Log Batch has been billed.,ಈ ಟೈಮ್ ಲಾಗ್ ಬ್ಯಾಚ್ ಎನಿಸಿದೆ. This Time Log Batch has been cancelled.,ಈ ಟೈಮ್ ಲಾಗ್ ಬ್ಯಾಚ್ ರದ್ದುಗೊಳಿಸಲಾಗಿದೆ. This Time Log conflicts with {0},ಈ ಟೈಮ್ ಲಾಗ್ ಜೊತೆ ಘರ್ಷಣೆಗಳು {0} -This is PERMANENT action and you cannot undo. Continue?,ಈ ಶಾಶ್ವತವಾಗಿ ಅಳಿಸಿ ಹೋಗುತ್ತದೆ ಮತ್ತು ನೀವು ರದ್ದುಪಡಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ. ಮುಂದುವರಿಸಿ ? This is a root account and cannot be edited.,ಈ ಒಂದು ಮೂಲ ಖಾತೆಯನ್ನು ಮತ್ತು ಸಂಪಾದಿತವಾಗಿಲ್ಲ . This is a root customer group and cannot be edited.,ಈ ಗ್ರಾಹಕ ಗುಂಪಿನ ಮೂಲ ಮತ್ತು ಸಂಪಾದಿತವಾಗಿಲ್ಲ . This is a root item group and cannot be edited.,ಈ ಒಂದು ಮೂಲ ಐಟಂ ಗುಂಪು ಮತ್ತು ಸಂಪಾದಿತವಾಗಿಲ್ಲ . This is a root sales person and cannot be edited.,ಈ ಒಂದು ಮೂಲ ಮಾರಾಟಗಾರ ಮತ್ತು ಸಂಪಾದಿತವಾಗಿಲ್ಲ . This is a root territory and cannot be edited.,ಈ ಒಂದು ಮೂಲ ಪ್ರದೇಶವನ್ನು ಮತ್ತು ಸಂಪಾದಿತವಾಗಿಲ್ಲ . This is an example website auto-generated from ERPNext,ಈ ERPNext ನಿಂದ ಸ್ವಯಂ ರಚಿತವಾದ ಒಂದು ಉದಾಹರಣೆ ವೆಬ್ಸೈಟ್ -This is permanent action and you cannot undo. Continue?,ಇದು ಶಾಶ್ವತ ಆಕ್ಷನ್ ಮತ್ತು ನೀವು ರದ್ದುಪಡಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ. ಮುಂದುವರಿಸಿ ? This is the number of the last created transaction with this prefix,ಈ ಪೂರ್ವನಾಮವನ್ನು ಹೊಂದಿರುವ ಲೋಡ್ ದಾಖಲಿಸಿದವರು ವ್ಯವಹಾರದ ಸಂಖ್ಯೆ This will be used for setting rule in HR module,ಈ ಮಾನವ ಸಂಪನ್ಮೂಲ ಭಾಗದಲ್ಲಿ ನಿಯಮ ಸ್ಥಾಪನೆಗೆ ಬಳಸಲಾಗುತ್ತದೆ Thread HTML,ಥ್ರೆಡ್ ಎಚ್ಟಿಎಮ್ಎಲ್ @@ -3078,7 +2886,6 @@ To get Item Group in details table,ವಿವರಗಳು ಕೋಷ್ಟ "To include tax in row {0} in Item rate, taxes in rows {1} must also be included","ಸತತವಾಗಿ ತೆರಿಗೆ ಸೇರಿಸಲು {0} ಐಟಂ ಪ್ರಮಾಣದಲ್ಲಿ , ಸಾಲುಗಳಲ್ಲಿ ತೆರಿಗೆ {1} , ಎಂದು ಸೇರಿಸಲೇಬೇಕು" "To merge, following properties must be same for both items","ವಿಲೀನಗೊಳ್ಳಲು , ನಂತರ ಲಕ್ಷಣಗಳು ಐಟಂಗಳನ್ನು ಸಾಮಾನ್ಯ ಇರಬೇಕು" "To report an issue, go to ", -"To run a test add the module name in the route after '{0}'. For example, {1}","ಪರೀಕ್ಷಾ ' {0} ' ನಂತರ ಮಾರ್ಗದಲ್ಲಿನ ಘಟಕ ಹೆಸರು ಸೇರಿಸಲು ರನ್ . ಉದಾಹರಣೆಗೆ, {1}" "To set this Fiscal Year as Default, click on 'Set as Default'","ಡೀಫಾಲ್ಟ್ ಎಂದು ಈ ಆರ್ಥಿಕ ವರ್ಷ ಹೊಂದಿಸಲು, ' ಪೂರ್ವನಿಯೋಜಿತವಾಗಿನಿಗದಿಪಡಿಸು ' ಕ್ಲಿಕ್" To track any installation or commissioning related work after sales,ಮಾರಾಟ ನಂತರ ಯಾವುದೇ ಅನುಸ್ಥಾಪನ ಅಥವಾ ಸಂಬಂಧಿತ ಕೆಲಸ ಸಿದ್ಧಪಡಿಸುವ ಟ್ರ್ಯಾಕ್ "To track brand name in the following documents Delivery Note, Opportunity, Material Request, Item, Purchase Order, Purchase Voucher, Purchaser Receipt, Quotation, Sales Invoice, Sales BOM, Sales Order, Serial No","ಕೆಳಗಿನ ದಾಖಲೆಗಳನ್ನು ಡೆಲಿವರಿ ನೋಟ್, ಅವಕಾಶ , ಮೆಟೀರಿಯಲ್ ವಿನಂತಿ , ಐಟಂ , ಪರ್ಚೇಸ್ ಆರ್ಡರ್ , ಖರೀದಿ ಚೀಟಿ , ರಸೀತಿ ಖರೀದಿದಾರ , ಉದ್ಧರಣ , ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ , ಮಾರಾಟದ BOM , ಮಾರಾಟದ ಆರ್ಡರ್ , ಅನುಕ್ರಮ ಸಂಖ್ಯೆ ನಲ್ಲಿ brandname ಟ್ರ್ಯಾಕ್" @@ -3130,7 +2937,6 @@ Totals,ಮೊತ್ತವನ್ನು Track Leads by Industry Type.,ಟ್ರ್ಯಾಕ್ ಇಂಡಸ್ಟ್ರಿ ಪ್ರಕಾರ ಕಾರಣವಾಗುತ್ತದೆ. Track this Delivery Note against any Project,ಯಾವುದೇ ಪ್ರಾಜೆಕ್ಟ್ ವಿರುದ್ಧ ಈ ಡೆಲಿವರಿ ಗಮನಿಸಿ ಟ್ರ್ಯಾಕ್ Track this Sales Order against any Project,ಯಾವುದೇ ಪ್ರಾಜೆಕ್ಟ್ ವಿರುದ್ಧ ಈ ಮಾರಾಟದ ಆರ್ಡರ್ ಟ್ರ್ಯಾಕ್ -Trainee,ಶಿಕ್ಷಾರ್ಥಿ Transaction,ಟ್ರಾನ್ಸಾಕ್ಷನ್ Transaction Date,TransactionDate Transaction not allowed against stopped Production Order {0},ಅನುಮತಿಸಲಾಗುವುದಿಲ್ಲ ಟ್ರಾನ್ಸಾಕ್ಷನ್ ಉತ್ಪಾದನೆ ಆರ್ಡರ್ ವಿರುದ್ಧ ನಿಲ್ಲಿಸಿತು {0} @@ -3162,7 +2968,6 @@ UOM Conversion Factor,UOM ಪರಿವರ್ತಿಸುವುದರ UOM Conversion factor is required in row {0},UOM ಪರಿವರ್ತಿಸುವುದರ ಸತತವಾಗಿ ಅಗತ್ಯವಿದೆ {0} UOM Name,UOM ಹೆಸರು UOM coversion factor required for UOM {0} in Item {1},ಐಟಂ UOM ಅಗತ್ಯವಿದೆ UOM coversion ಅಂಶ {0} {1} -Unable to load: {0},ಲೋಡ್ ಮಾಡಲು ಸಾಧ್ಯವಿಲ್ಲ: {0} Under AMC,ಎಎಂಸಿ ಅಂಡರ್ Under Graduate,ಸ್ನಾತಕಪೂರ್ವ ವಿದ್ಯಾರ್ಥಿ Under Warranty,ವಾರಂಟಿ @@ -3172,11 +2977,8 @@ Unit of Measure {0} has been entered more than once in Conversion Factor Table, "Unit of measurement of this item (e.g. Kg, Unit, No, Pair).","ಈ ಐಟಂ ( ಉದಾ ಕೆಜಿ, ಘಟಕ , ಇಲ್ಲ, ಜೋಡಿ ) ಅಳತೆಯ ಘಟಕ ." Units/Hour,ಘಟಕಗಳು / ಅವರ್ Units/Shifts,ಘಟಕಗಳು / ಸ್ಥಾನಪಲ್ಲಟ -Unknown Column: {0},ಅಪರಿಚಿತ ಅಂಕಣ : {0} -Unknown Print Format: {0},ಅಪರಿಚಿತ ಪ್ರಿಂಟ್ ಗಾತ್ರ : {0} Unmatched Amount,ಸಾಟಿಯಿಲ್ಲದ ಪ್ರಮಾಣ Unpaid,ವೇತನರಹಿತ -Unread Messages,ಓದದ ಸಂದೇಶಗಳು Unscheduled,ಅನಿಗದಿತ Unsecured Loans,ಅಸುರಕ್ಷಿತ ಸಾಲ Unstop,ಅಡ್ಡಿಯಾಗಿರುವುದನ್ನು ಬಿಡಿಸು @@ -3196,18 +2998,14 @@ Update bank payment dates with journals.,ಜರ್ನಲ್ ಬ್ಯಾಂಕ Update clearance date of Journal Entries marked as 'Bank Vouchers',ಜರ್ನಲ್ ನಮೂದುಗಳನ್ನು ಅಪ್ಡೇಟ್ ತೆರವು ದಿನಾಂಕ ' ಬ್ಯಾಂಕ್ ರಶೀದಿ ' ಎಂದು ಗುರುತಿಸಲಾಗಿದೆ Updated,ನವೀಕರಿಸಲಾಗಿದೆ Updated Birthday Reminders,ನವೀಕರಿಸಲಾಗಿದೆ ಜನ್ಮದಿನ ಜ್ಞಾಪನೆಗಳು -Upload,ಅಪ್ಲೋಡ್ -Upload Attachment,ಬಾಂಧವ್ಯ ಅಪ್ಲೋಡ್ Upload Attendance,ಅಟೆಂಡೆನ್ಸ್ ಅಪ್ಲೋಡ್ Upload Backups to Dropbox,ಡ್ರಾಪ್ಬಾಕ್ಸ್ ಬ್ಯಾಕ್ಅಪ್ ಅಪ್ಲೋಡ್ Upload Backups to Google Drive,Google ಡ್ರೈವ್ನಲ್ಲಿ ಬ್ಯಾಕ್ಅಪ್ ಅಪ್ಲೋಡ್ Upload HTML,ಅಪ್ಲೋಡ್ ಎಚ್ಟಿಎಮ್ಎಲ್ Upload a .csv file with two columns: the old name and the new name. Max 500 rows.,ಎರಡು ಕಾಲಮ್ಗಳು ಒಂದು CSV ಕಡತ ಅಪ್ಲೋಡ್ : . ಹಳೆಯ ಹೆಸರು ಮತ್ತು ಹೊಸ ಹೆಸರು . ಮ್ಯಾಕ್ಸ್ 500 ಸಾಲುಗಳನ್ನು . -Upload a file,ಕಡತ ಸೇರಿಸಿ Upload attendance from a .csv file,ಒಂದು . CSV ಕಡತ ಹಾಜರಾತಿ ಅಪ್ಲೋಡ್ Upload stock balance via csv.,CSV ಮೂಲಕ ಸ್ಟಾಕ್ ಸಮತೋಲನ ಅಪ್ಲೋಡ್ . Upload your letter head and logo - you can edit them later.,ನಿಮ್ಮ ತಲೆಬರಹ ಮತ್ತು ಅಪ್ಲೋಡ್ ಲೋಗೋ - ನೀವು ನಂತರ ಅವುಗಳನ್ನು ಸಂಪಾದಿಸಬಹುದು . -Uploading...,ಅಪ್ಲೋಡ್ ... Upper Income,ಮೇಲ್ ವರಮಾನ Urgent,ತುರ್ತಿನ Use Multi-Level BOM,ಬಹು ಮಟ್ಟದ BOM ಬಳಸಿ @@ -3217,11 +3015,9 @@ User ID,ಬಳಕೆದಾರ ID User ID not set for Employee {0},ಬಳಕೆದಾರ ID ನೌಕರ ಸೆಟ್ {0} User Name,ಬಳಕೆದಾರ User Name or Support Password missing. Please enter and try again.,ಬಳಕೆದಾರ ಹೆಸರು ಬೆಂಬಲ ಕಾಣೆಯಾಗಿದೆ . ನಮೂದಿಸಿ ಮತ್ತು ಮತ್ತೆ ಪ್ರಯತ್ನಿಸಿ. -User Permission Restrictions,UserPermission ನಿರ್ಬಂಧಗಳು User Remark,ಬಳಕೆದಾರ ಟೀಕಿಸು User Remark will be added to Auto Remark,ಬಳಕೆದಾರ ಟೀಕಿಸು ಆಟೋ ಟೀಕಿಸು ಸೇರಿಸಲಾಗುತ್ತದೆ User Remarks is mandatory,ಬಳಕೆದಾರ ಕಡ್ಡಾಯ ರಿಮಾರ್ಕ್ಸ್ -User Restrictions,ಬಳಕೆದಾರ ನಿರ್ಬಂಧಗಳು User Specific,ಬಳಕೆದಾರ ನಿರ್ದಿಷ್ಟ User must always select,ಬಳಕೆದಾರ ಯಾವಾಗಲೂ ಆಯ್ಕೆ ಮಾಡಬೇಕು User {0} is already assigned to Employee {1},ಬಳಕೆದಾರ {0} ಈಗಾಗಲೇ ನೌಕರರ ನಿಗದಿಪಡಿಸಲಾಗಿದೆ {1} @@ -3319,8 +3115,6 @@ Will be updated after Sales Invoice is Submitted.,ಮಾರಾಟದ ಸರಕ Will be updated when batched.,Batched ಮಾಡಿದಾಗ ನವೀಕರಿಸಲಾಗುತ್ತದೆ. Will be updated when billed.,ಕೊಕ್ಕಿನ ಮಾಡಿದಾಗ ನವೀಕರಿಸಲಾಗುತ್ತದೆ. Wire Transfer,ವೈರ್ ಟ್ರಾನ್ಸ್ಫರ್ -With Groups,ಗುಂಪುಗಳು -With Ledgers,ಲೆಡ್ಜರ್ನೊಂದಿಗೆ With Operations,ಕಾರ್ಯಾಚರಣೆ With period closing entry,ಅವಧಿ ಮುಕ್ತಾಯದ ಪ್ರವೇಶ Work Details,ಕೆಲಸದ ವಿವರಗಳು @@ -3328,7 +3122,6 @@ Work Done,ಕೆಲಸ ನಡೆದಿದೆ Work In Progress,ಪ್ರಗತಿಯಲ್ಲಿದೆ ಕೆಲಸ Work-in-Progress Warehouse,ಕೆಲಸ ಪ್ರಗತಿಯಲ್ಲಿರುವ ವೇರ್ಹೌಸ್ Work-in-Progress Warehouse is required before Submit,ಕೆಲಸ ಪ್ರಗತಿಯಲ್ಲಿರುವ ವೇರ್ಹೌಸ್ ಸಲ್ಲಿಸಿ ಮೊದಲು ಅಗತ್ಯವಿದೆ -Workflow will start after saving.,ವರ್ಕ್ಫ್ಲೋ ಉಳಿಸುವ ನಂತರ ಪ್ರಾರಂಭವಾಗುತ್ತದೆ . Working,ಕೆಲಸ Workstation,ಕಾರ್ಯಸ್ಥಾನ Workstation Name,ಕಾರ್ಯಕ್ಷೇತ್ರ ಹೆಸರು @@ -3351,11 +3144,6 @@ Year Start Date should not be greater than Year End Date,ವರ್ಷದ ಆರ Year of Passing,ಸಾಗುವುದು ವರ್ಷ Yearly,ವಾರ್ಷಿಕ Yes,ಹೌದು -Yesterday,ನಿನ್ನೆ -You are not allowed to create / edit reports,ನೀವು / ಬದಲಾಯಿಸಿ ವರದಿಗಳು ರಚಿಸಲು ಅನುಮತಿ ಇಲ್ಲ -You are not allowed to export this report,ನೀವು ಈ ವರದಿಯನ್ನು ರಫ್ತು ಮಾಡಲು ಅನುಮತಿ ಇಲ್ಲ -You are not allowed to print this document,ನೀವು ಈ ದಸ್ತಾವೇಜನ್ನು ಮುದ್ರಿಸು ಅನುಮತಿ ಇಲ್ಲ -You are not allowed to send emails related to this document,ಈ ಡಾಕ್ಯುಮೆಂಟ್ಗೆ ಸಂಬಂಧಿಸಿದ ಇಮೇಲ್ಗಳನ್ನು ಕಳುಹಿಸಲು ಅನುಮತಿ ಇಲ್ಲ You are not authorized to add or update entries before {0},ನೀವು ಮೊದಲು ನಮೂದುಗಳನ್ನು ಸೇರಿಸಲು ಅಥವ ಅಪ್ಡೇಟ್ ಅಧಿಕಾರ {0} You are not authorized to set Frozen value,ನೀವು ಫ್ರೋಜನ್ ಮೌಲ್ಯವನ್ನು ಅಧಿಕಾರ You are the Expense Approver for this record. Please Update the 'Status' and Save,ನೀವು ಈ ದಾಖಲೆ ಖರ್ಚು ಅನುಮೋದಕ ಇವೆ . ' ಸ್ಥಿತಿಯನ್ನು ' ಅಪ್ಡೇಟ್ ಮತ್ತು ಉಳಿಸಿ ದಯವಿಟ್ಟು @@ -3372,7 +3160,6 @@ You can submit this Stock Reconciliation.,ನೀವು ಈ ಸ್ಟಾಕ್ You can update either Quantity or Valuation Rate or both.,ನೀವು ಪ್ರಮಾಣ ಅಥವಾ ಮೌಲ್ಯಾಂಕನ ದರ ಅಥವಾ ಎರಡೂ ನವೀಕರಿಸಬಹುದು. You cannot credit and debit same account at the same time,ನೀವು ಕ್ರೆಡಿಟ್ ಮತ್ತು sametime ನಲ್ಲಿ ಅದೇ ಖಾತೆಯನ್ನು ಡೆಬಿಟ್ ಸಾಧ್ಯವಿಲ್ಲ You have entered duplicate items. Please rectify and try again.,ನೀವು ನಕಲಿ ಐಟಂಗಳನ್ನು ನಮೂದಿಸಿದ್ದೀರಿ. ನಿವಾರಿಸಿಕೊಳ್ಳಲು ಹಾಗೂ ಮತ್ತೆ ಪ್ರಯತ್ನಿಸಿ . -You have unsaved changes in this form. Please save before you continue.,ನೀವು ಈ ರೂಪದಲ್ಲಿ ಬದಲಾವಣೆಗಳನ್ನು ಉಳಿಸಿಲ್ಲ. You may need to update: {0},ನೀವು ಅಪ್ಡೇಟ್ ಮಾಡಬೇಕಾಗುತ್ತದೆ ವಿಧಾನಗಳು {0} You must Save the form before proceeding,ನೀವು ಮುಂದುವರೆಯುವುದಕ್ಕೆ ಮುಂಚಿತವಾಗಿ ರೂಪ ಉಳಿಸಬೇಕು You must allocate amount before reconcile,ನೀವು ಸಮನ್ವಯಗೊಳಿಸಲು ಮೊದಲು ಪ್ರಮಾಣದ ನಿಯೋಜಿಸಿ ಮಾಡಬೇಕು @@ -3381,7 +3168,6 @@ Your Customers,ನಿಮ್ಮ ಗ್ರಾಹಕರು Your Login Id,ನಿಮ್ಮ ಲಾಗಿನ್ ID Your Products or Services,ನಿಮ್ಮ ಉತ್ಪನ್ನಗಳನ್ನು ಅಥವಾ ಸೇವೆಗಳನ್ನು Your Suppliers,ನಿಮ್ಮ ಪೂರೈಕೆದಾರರು -"Your download is being built, this may take a few moments...","ನಿಮ್ಮ ಡೌನ್ಲೋಡ್ ಕಟ್ಟಲಾಗುತ್ತಿದೆ , ಈ ಜೂನ್ ಕೆಲವು ಕ್ಷಣಗಳನ್ನು ತೆಗೆದುಕೊಳ್ಳಬಹುದು ..." Your email address,ನಿಮ್ಮ ಈಮೇಲ್ ವಿಳಾಸ Your financial year begins on,ನಿಮ್ಮ ಹಣಕಾಸಿನ ವರ್ಷ ಆರಂಭವಾಗುವ Your financial year ends on,ನಿಮ್ಮ ಹಣಕಾಸಿನ ವರ್ಷ ಕೊನೆಗೊಳ್ಳುತ್ತದೆ @@ -3394,8 +3180,6 @@ Your support email id - must be a valid email - this is where your emails will c and,ಮತ್ತು are not allowed.,ಅನುಮತಿಸಲಾಗುವುದಿಲ್ಲ. assigned by,ಅದಕ್ಕೆ -comment,ಟಿಪ್ಪಣಿ -comments,ಪ್ರತಿಕ್ರಿಯೆಗಳು "e.g. ""Build tools for builders""","ಇ ಜಿ "" ಬಿಲ್ಡರ್ ಗಳು ಉಪಕರಣಗಳು ನಿರ್ಮಿಸಿ """ "e.g. ""MC""","ಇ ಜಿ "" ಎಂಸಿ """ "e.g. ""My Company LLC""","ಇ ಜಿ "" ನನ್ನ ಕಂಪನಿ ಎಲ್ಎಲ್ """ @@ -3405,14 +3189,9 @@ e.g. 5,ಇ ಜಿ 5 e.g. VAT,ಇ ಜಿ ವ್ಯಾಟ್ eg. Cheque Number,ಉದಾ . ಚೆಕ್ ಸಂಖ್ಯೆ example: Next Day Shipping,ಉದಾಹರಣೆಗೆ : ಮುಂದೆ ದಿನ ಶಿಪ್ಪಿಂಗ್ -found,ಕಂಡು -is not allowed.,ಅನುಮತಿಸಲಾಗುವುದಿಲ್ಲ. lft,lft old_parent,old_parent -or,ಅಥವಾ rgt,rgt -to,ಗೆ -values and dates,ಮೌಲ್ಯಗಳು ಮತ್ತು ದಿನಾಂಕ website page link,ವೆಬ್ಸೈಟ್ ಪುಟ ಲಿಂಕ್ {0} '{1}' not in Fiscal Year {2},{0} ' {1} ' ಅಲ್ಲ ವರ್ಷದಲ್ಲಿ {2} {0} Credit limit {0} crossed,ದಾಟಿ {0} {0} ಕ್ರೆಡಿಟ್ ಮಿತಿಯನ್ನು diff --git a/erpnext/translations/nl.csv b/erpnext/translations/nl.csv index ba9a6a4bd3..9a6db87f94 100644 --- a/erpnext/translations/nl.csv +++ b/erpnext/translations/nl.csv @@ -1,7 +1,5 @@ (Half Day),(Halve dag) and year: ,en jaar: - by Role ,per rol - is not set,is niet ingesteld """ does not exists",""" Bestaat niet" % Delivered,Geleverd% % Amount Billed,Gefactureerd% Bedrag @@ -34,7 +32,6 @@ "1 Currency = [?] Fraction For e.g. 1 USD = 100 Cent",1 Valuta = [ ? ] Fraction \ Nfor bijv. 1. To maintain the customer wise item code and to make them searchable based on their code use this option,1. Om de klant wijzen artikelcode te behouden en om ze doorzoekbaar te maken op basis van hun code te gebruiken van deze optie -2 days ago,2 dagen geleden "Add / Edit"," toevoegen / bewerken < / a>" "Add / Edit"," toevoegen / bewerken < / a>" "Add / Edit"," toevoegen / bewerken < / a>" @@ -89,7 +86,6 @@ Accounts Frozen Upto,Accounts Frozen Tot Accounts Payable,Accounts Payable Accounts Receivable,Debiteuren Accounts Settings,Accounts Settings -Actions,acties Active,Actief Active: Will extract emails from ,Actief: Zal ​​e-mails uittreksel uit Activity,Activiteit @@ -111,23 +107,13 @@ Actual Quantity,Werkelijke hoeveelheid Actual Start Date,Werkelijke Startdatum Add,Toevoegen Add / Edit Taxes and Charges,Toevoegen / bewerken en-heffingen -Add Attachments,Bijlagen toevoegen -Add Bookmark,Voeg bladwijzer toe Add Child,Child -Add Column,Kolom toevoegen -Add Message,Bericht toevoegen -Add Reply,Voeg antwoord Add Serial No,Voeg Serienummer Add Taxes,Belastingen toevoegen Add Taxes and Charges,Belastingen en heffingen toe te voegen -Add This To User's Restrictions,Voeg dit toe aan Beperkingen gebruikershandleiding -Add attachment,Bijlage toevoegen -Add new row,Voeg een nieuwe rij Add or Deduct,Toevoegen of aftrekken Add rows to set annual budgets on Accounts.,Rijen toevoegen aan jaarlijkse begrotingen op Accounts in te stellen. Add to Cart,In winkelwagen -Add to To Do,Toevoegen aan To Do -Add to To Do List of,Toevoegen aan To Do List van Do Add to calendar on this date,Toevoegen aan agenda op deze datum Add/Remove Recipients,Toevoegen / verwijderen Ontvangers Address,Adres @@ -220,9 +206,6 @@ Allow user to edit Price List Rate in transactions,Zodat de gebruiker te bewerke Allowance Percent,Toelage Procent Allowance for over-delivery / over-billing crossed for Item {0},Korting voor over- levering / over- billing gekruist voor post {0} Allowed Role to Edit Entries Before Frozen Date,Toegestaan ​​Rol te bewerken items voor Frozen Datum -"Allowing DocType, DocType. Be careful!","Het toestaan ​​DocType , DocType . Wees voorzichtig !" -Alternative download link,Alternatieve download link -Amend,Amenderen Amended From,Gewijzigd Van Amount,Bedrag Amount (Company Currency),Bedrag (Company Munt) @@ -270,26 +253,18 @@ Approving User,Goedkeuren Gebruiker Approving User cannot be same as user the rule is Applicable To,Goedkeuring van Gebruiker kan niet hetzelfde zijn als gebruiker de regel is van toepassing op Are you sure you want to STOP , Are you sure you want to UNSTOP , -Are you sure you want to delete the attachment?,Weet u zeker dat u de bijlage wilt verwijderen? Arrear Amount,Achterstallig bedrag "As Production Order can be made for this item, it must be a stock item.","Zoals productieorder kan worden gemaakt voor dit punt, moet het een voorraad item." As per Stock UOM,Per Stock Verpakking "As there are existing stock transactions for this item, you can not change the values of 'Has Serial No', 'Is Stock Item' and 'Valuation Method'","Want er zijn bestaande voorraad transacties voor dit artikel , kunt u de waarden van ' Has Serial No ' niet veranderen , ' Is Stock Item ' en ' Valuation Method '" -Ascending,Oplopend Asset,aanwinst -Assign To,Toewijzen aan -Assigned To,toegewezen aan -Assignments,opdrachten Assistant,assistent Associate,associëren Atleast one warehouse is mandatory,Tenminste een magazijn is verplicht -Attach Document Print,Bevestig Document Print Attach Image,Bevestig Afbeelding Attach Letterhead,Bevestig briefhoofd Attach Logo,Bevestig Logo Attach Your Picture,Bevestig Uw Beeld -Attach as web link,Bevestig als weblink -Attachments,Toebehoren Attendance,Opkomst Attendance Date,Aanwezigheid Datum Attendance Details,Aanwezigheid Details @@ -402,7 +377,6 @@ Block leave applications by department.,Blok verlaten toepassingen per afdeling. Blog Post,Blog Post Blog Subscriber,Blog Abonnee Blood Group,Bloedgroep -Bookmarks,Bladwijzers Both Warehouse must belong to same Company,Beide Warehouse moeten behoren tot dezelfde Company Box,doos Branch,Tak @@ -437,7 +411,6 @@ C-Form No,C-vorm niet C-Form records,C -Form platen Calculate Based On,Bereken Based On Calculate Total Score,Bereken Totaal Score -Calendar,Kalender Calendar Events,Kalender Evenementen Call,Noemen Calls,oproepen @@ -450,7 +423,6 @@ Can be approved by {0},Kan door {0} worden goedgekeurd "Can not filter based on Account, if grouped by Account",Kan niet filteren op basis van account als gegroepeerd per account "Can not filter based on Voucher No, if grouped by Voucher","Kan niet filteren op basis van Voucher Nee, als gegroepeerd per Voucher" Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',Kan verwijzen rij alleen als het type lading is 'On Vorige Row Bedrag ' of ' Vorige Row Total' -Cancel,Annuleren Cancel Material Visit {0} before cancelling this Customer Issue,Annuleren Materiaal Bezoek {0} voor het annuleren van deze klant Issue Cancel Material Visits {0} before cancelling this Maintenance Visit,Annuleren Materiaal Bezoeken {0} voor het annuleren van deze Maintenance Visit Cancelled,Geannuleerd @@ -469,11 +441,7 @@ Cannot deactive or cancle BOM as it is linked with other BOMs,Kan niet deactive Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Kan niet aftrekken als categorie is voor ' Valuation ' of ' Valuation en Total ' "Cannot delete Serial No {0} in stock. First remove from stock, then delete.","Kan Serienummer {0} niet verwijderen in voorraad . Verwijder eerst uit voorraad , dan verwijderen." "Cannot directly set amount. For 'Actual' charge type, use the rate field","Kan niet direct is opgenomen. Voor ' Actual ""type lading , gebruikt u het veld tarief" -Cannot edit standard fields,Kan standaard velden niet bewerken -Cannot open instance when its {0} is open,Kan niet openen bijvoorbeeld wanneer de {0} is geopend -Cannot open {0} when its instance is open,Kan niet openen {0} wanneer de instantie is geopend "Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in 'Setup' > 'Global Defaults'","Kan niet overbill voor post {0} in rij {0} meer dan {1} . Om overbilling staan ​​, stel dan in ' Instellingen ' > ' Global Defaults'" -Cannot print cancelled documents,Kan geannuleerd documenten niet afdrukken Cannot produce more Item {0} than Sales Order quantity {1},Kan niet meer produceren Item {0} dan Sales Bestelhoeveelheid {1} Cannot refer row number greater than or equal to current row number for this Charge type,Kan niet verwijzen rij getal groter dan of gelijk aan de huidige rijnummer voor dit type Charge Cannot return more than {0} for Item {1},Kan niet meer dan terug {0} voor post {1} @@ -527,19 +495,14 @@ Claim Amount,Claim Bedrag Claims for company expense.,Claims voor rekening bedrijf. Class / Percentage,Klasse / Percentage Classic,Klassiek -Clear Cache,Cache wissen Clear Table,Clear Tabel Clearance Date,Clearance Datum Clearance Date not mentioned,Ontruiming Datum niet vermeld Clearance date cannot be before check date in row {0},Klaring mag niet voor check datum in rij {0} Click on 'Make Sales Invoice' button to create a new Sales Invoice.,Klik op 'Sales Invoice' knop om een ​​nieuwe verkoopfactuur maken. Click on a link to get options to expand get options , -Click on row to view / edit.,Klik op de rij / bewerken weer te geven. -Click to Expand / Collapse,Klik om Uitklappen / Inklappen Client,Klant -Close,Sluiten Close Balance Sheet and book Profit or Loss.,Sluiten Balans en boek Winst of verlies . -Close: {0},Sluiten : {0} Closed,Gesloten Closing Account Head,Sluiten Account Hoofd Closing Account {0} must be of type 'Liability',Closing account {0} moet van het type ' Aansprakelijkheid ' zijn @@ -550,10 +513,8 @@ Closing Value,eindwaarde CoA Help,CoA Help Code,Code Cold Calling,Cold Calling -Collapse,ineenstorting Color,Kleur Comma separated list of email addresses,Komma's gescheiden lijst van e-mailadressen -Comment,Commentaar Comments,Reacties Commercial,commercieel Commission,commissie @@ -564,7 +525,6 @@ Commission rate cannot be greater than 100,Tarief Commissie kan niet groter zijn Communication,Verbinding Communication HTML,Communicatie HTML Communication History,Communicatie Geschiedenis -Communication Medium,Communicatie Medium Communication log.,Communicatie log. Communications,communicatie Company,Vennootschap @@ -583,7 +543,6 @@ Company registration numbers for your reference. Tax numbers etc.,"Registratienu "Company, Month and Fiscal Year is mandatory","Bedrijf , maand en het fiscale jaar is verplicht" Compensatory Off,compenserende Off Complete,Compleet -Complete By,Compleet Door Complete Setup,compleet Setup Completed,Voltooid Completed Production Orders,Voltooide productieorders @@ -635,7 +594,6 @@ Convert into Recurring Invoice,Om te zetten in terugkerende factuur Convert to Group,Converteren naar Groep Convert to Ledger,Converteren naar Ledger Converted,Omgezet -Copy,Kopiëren Copy From Item Group,Kopiëren van Item Group Cosmetics,schoonheidsmiddelen Cost Center,Kostenplaats @@ -666,7 +624,6 @@ Create Stock Ledger Entries when you submit a Sales Invoice,Maak Stock Grootboek Create rules to restrict transactions based on values.,Regels maken om transacties op basis van waarden te beperken. Created By,Gemaakt door Creates salary slip for above mentioned criteria.,Maakt salarisstrook voor de bovengenoemde criteria. -Creation / Modified By,Creatie / Gewijzigd door Creation Date,aanmaakdatum Creation Document No,Creatie Document No Creation Document Type,Type het maken van documenten @@ -697,11 +654,9 @@ Current Liabilities,Kortlopende verplichtingen Current Stock,Huidige voorraad Current Stock UOM,Huidige voorraad Verpakking Current Value,Huidige waarde -Current status,Actuele status Custom,Gewoonte Custom Autoreply Message,Aangepaste Autoreply Bericht Custom Message,Aangepast bericht -Custom Reports,Aangepaste rapporten Customer,Klant Customer (Receivable) Account,Klant (Debiteuren) Account Customer / Item Name,Klant / Naam van het punt @@ -750,7 +705,6 @@ Date Format,Datumnotatie Date Of Retirement,Datum van pensionering Date Of Retirement must be greater than Date of Joining,Datum van pensionering moet groter zijn dan Datum van Deelnemen zijn Date is repeated,Datum wordt herhaald -Date must be in format: {0},Datum moet volgend formaat : {0} Date of Birth,Geboortedatum Date of Issue,Datum van afgifte Date of Joining,Datum van toetreding tot @@ -761,7 +715,6 @@ Dates,Data Days Since Last Order,Dagen sinds vorige Bestel Days for which Holidays are blocked for this department.,Dagen waarvoor feestdagen zijn geblokkeerd voor deze afdeling. Dealer,Handelaar -Dear,Lieve Debit,Debet Debit Amt,Debet Amt Debit Note,Debetnota @@ -809,7 +762,6 @@ Default settings for stock transactions.,Standaardinstellingen voor effectentran Defense,defensie "Define Budget for this Cost Center. To set budget action, see Company Master","Definieer budget voor deze kostenplaats. Om de begroting actie in te stellen, zie Company Master" Delete,Verwijder -Delete Row,Rij verwijderen Delete {0} {1}?,Verwijder {0} {1} ? Delivered,Geleverd Delivered Items To Be Billed,Geleverd Items te factureren @@ -836,7 +788,6 @@ Department,Afdeling Department Stores,Warenhuizen Depends on LWP,Afhankelijk van LWP Depreciation,waardevermindering -Descending,Aflopend Description,Beschrijving Description HTML,Beschrijving HTML Designation,Benaming @@ -881,25 +832,18 @@ Do you really want to stop production order: , Doc Name,Doc Naam Doc Type,Doc Type Document Description,Document Beschrijving -Document Status transition from ,Document Status overgang van -Document Status transition from {0} to {1} is not allowed,Document Status overgang van {0} tot {1} is niet toegestaan Document Type,Soort document -Document is only editable by users of role,Document is alleen bewerkbaar door gebruikers van de rol van -Documentation,Documentatie Documents,Documenten Domain,Domein Don't send Employee Birthday Reminders,Stuur geen Werknemer verjaardagsherinneringen -Download,Download Download Materials Required,Download Benodigde materialen Download Reconcilation Data,Download Verzoening gegevens Download Template,Download Template Download a report containing all raw materials with their latest inventory status,Download een verslag met alle grondstoffen met hun nieuwste inventaris status "Download the Template, fill appropriate data and attach the modified file.","Download de Template , vul de juiste gegevens en bevestig het gewijzigde bestand ." "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 en bevestig het gewijzigde bestand . \ NAlle dateert en werknemer combinatie in de gekozen periode zal komen in de template , met bestaande presentielijsten" +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 en bevestig het gewijzigde bestand . \ NAlle dateert en werknemer combinatie in de gekozen periode zal komen in de sjabloon , met bestaande presentielijsten" Draft,Ontwerp -Drafts,Concepten -Drag to sort columns,Sleep om te sorteren kolommen Dropbox,Dropbox Dropbox Access Allowed,Dropbox Toegang toegestaan Dropbox Access Key,Dropbox Access Key @@ -920,7 +864,6 @@ Earning & Deduction,Verdienen & Aftrek Earning Type,Verdienen Type Earning1,Earning1 Edit,Redigeren -Editable,Bewerkbare Education,onderwijs Educational Qualification,Educatieve Kwalificatie Educational Qualification Details,Educatieve Kwalificatie Details @@ -940,12 +883,9 @@ Email Id,E-mail Identiteitskaart "Email Id where a job applicant will email e.g. ""jobs@example.com""",E-mail Identiteitskaart waar een sollicitant zal bijvoorbeeld "jobs@example.com" e-mail Email Notifications,e-mailberichten Email Sent?,E-mail verzonden? -"Email addresses, separted by commas","E-mailadressen, separted door komma's" "Email id must be unique, already exists for {0}","E-id moet uniek zijn , al bestaat voor {0}" Email ids separated by commas.,E-mail ids gescheiden door komma's. -Email sent to {0},E-mail verzonden naar {0} "Email settings to extract Leads from sales email id e.g. ""sales@example.com""",E-mail instellingen voor Leads uit de verkoop e-id bijvoorbeeld "sales@example.com" extract -Email...,Email ... Emergency Contact,Emergency Contact Emergency Contact Details,Emergency Contactgegevens Emergency Phone,Emergency Phone @@ -984,7 +924,6 @@ End date of current invoice's period,Einddatum van de periode huidige factuur End of Life,End of Life Energy,energie Engineer,ingenieur -Enter Value,Waarde invoeren Enter Verification Code,Voer Verification Code Enter campaign name if the source of lead is campaign.,Voer naam voor de campagne als de bron van lood is campagne. Enter department to which this Contact belongs,Voer dienst waaraan deze persoon behoort @@ -1002,7 +941,6 @@ Entries,Inzendingen Entries against,inzendingen tegen Entries are not allowed against this Fiscal Year if the year is closed.,Inzendingen zijn niet toegestaan ​​tegen deze fiscale jaar als het jaar gesloten is. Entries before {0} are frozen,Inzendingen voor {0} zijn bevroren -Equals,equals Equity,billijkheid Error: {0} > {1},Fout : {0} > {1} Estimated Material Cost,Geschatte Materiaal Kosten @@ -1019,7 +957,6 @@ Exhibition,Tentoonstelling Existing Customer,Bestaande klant Exit,Uitgang Exit Interview Details,Exit Interview Details -Expand,uitbreiden Expected,Verwachte Expected Completion Date can not be less than Project Start Date,Verwachte oplevering datum kan niet lager zijn dan startdatum van het project zijn Expected Date cannot be before Material Request Date,Verwachte datum kan niet voor de Material Aanvraagdatum @@ -1052,8 +989,6 @@ Expenses Booked,Kosten geboekt Expenses Included In Valuation,Kosten inbegrepen In Valuation Expenses booked for the digest period,Kosten geboekt voor de digest periode Expiry Date,Vervaldatum -Export,Exporteren -Export not allowed. You need {0} role to export.,Export niet toegestaan ​​. Je nodig hebt {0} rol om te exporteren . Exports,Export External,Extern Extract Emails,Extract Emails @@ -1068,11 +1003,8 @@ Feedback,Terugkoppeling Female,Vrouwelijk Fetch exploded BOM (including sub-assemblies),Fetch ontplofte BOM ( inclusief onderdelen ) "Field available in Delivery Note, Quotation, Sales Invoice, Sales Order","Veld verkrijgbaar in Delivery Note, Offerte, Sales Invoice, Sales Order" -Field {0} is not selectable.,Veld {0} kan niet worden geselecteerd . -File,Bestand Files Folder ID,Bestanden Folder ID Fill the form and save it,Vul het formulier in en sla het -Filter,Filteren Filter based on customer,Filteren op basis van klant Filter based on item,Filteren op basis van artikel Financial / accounting year.,Financiële / boekjaar . @@ -1101,14 +1033,10 @@ For Server Side Print Formats,Voor Server Side Print Formats For Supplier,voor Leverancier For Warehouse,Voor Warehouse For Warehouse is required before Submit,Voor Warehouse is vereist voordat Indienen -"For comparative filters, start with","Voor vergelijkingsdoeleinden filters, te beginnen met" "For e.g. 2012, 2012-13","Voor bijvoorbeeld 2012, 2012-13" -For ranges,Voor bereiken For reference,Ter referentie For reference only.,Alleen ter referentie. "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" -Form,Vorm -Forums,Forums Fraction,Fractie Fraction Units,Fractie Units Freeze Stock Entries,Freeze Stock Entries @@ -1161,12 +1089,10 @@ Generate Material Requests (MRP) and Production Orders.,Genereer Materiaal Reque Generate Salary Slips,Genereer Salaris Slips Generate Schedule,Genereer Plan Generates HTML to include selected image in the description,Genereert HTML aan geselecteerde beeld te nemen in de beschrijving -Get,Krijgen Get Advances Paid,Get betaalde voorschotten Get Advances Received,Get ontvangen voorschotten Get Against Entries,Krijgen Tegen Entries Get Current Stock,Get Huidige voorraad -Get From ,Get Van Get Items,Get Items Get Items From Sales Orders,Krijg Items Van klantorders Get Items from BOM,Items ophalen van BOM @@ -1194,8 +1120,6 @@ Government,overheid Graduate,Afstuderen Grand Total,Algemeen totaal Grand Total (Company Currency),Grand Total (Company Munt) -Greater or equals,Groter of gelijk -Greater than,groter dan "Grid ""","Grid """ Grocery,kruidenierswinkel Gross Margin %,Winstmarge% @@ -1207,7 +1131,6 @@ Gross Profit (%),Brutowinst (%) Gross Weight,Brutogewicht Gross Weight UOM,Brutogewicht Verpakking Group,Groep -"Group Added, refreshing...","Group Toegevoegd , verfrissend ..." Group by Account,Groep door Account Group by Voucher,Groep door Voucher Group or Ledger,Groep of Ledger @@ -1229,14 +1152,12 @@ Health Care,Gezondheidszorg Health Concerns,Gezondheid Zorgen Health Details,Gezondheid Details Held On,Held Op -Help,Help Help HTML,Help HTML "Help: To link to another record in the system, use ""#Form/Note/[Note Name]"" as the Link URL. (don't use ""http://"")","Help: Om te linken naar een andere record in het systeem, gebruikt "# Vorm / NB / [Note Name] ', zoals de Link URL. (Gebruik geen "http://")" "Here you can maintain family details like name and occupation of parent, spouse and children","Hier kunt u onderhouden familie gegevens zoals naam en beroep van de ouder, echtgenoot en kinderen" "Here you can maintain height, weight, allergies, medical concerns etc","Hier kunt u onderhouden lengte, gewicht, allergieën, medische zorgen, enz." Hide Currency Symbol,Verberg Valutasymbool High,Hoog -History,Geschiedenis History In Company,Geschiedenis In Bedrijf Hold,Houden Holiday,Feestdag @@ -1281,17 +1202,14 @@ If you have Sales Team and Sale Partners (Channel Partners) they can be tagged If you involve in manufacturing activity. Enables Item 'Is Manufactured',Als u te betrekken in de productie -activiteit . Stelt Item ' is vervaardigd ' Ignore,Negeren Ignored: ,Genegeerd: -"Ignoring Item {0}, because a group exists with the same name!","Post negeren {0} , omdat een groep bestaat met dezelfde naam !" Image,Beeld Image View,Afbeelding View Implementation Partner,Implementatie Partner -Import,Importeren Import Attendance,Import Toeschouwers Import Failed!,Import mislukt! Import Log,Importeren Inloggen Import Successful!,Importeer Succesvol! Imports,Invoer -In,in In Hours,In Hours In Process,In Process In Qty,in Aantal @@ -1306,7 +1224,6 @@ In Words will be visible once you save the Purchase Receipt.,In Woorden zijn zic In Words will be visible once you save the Quotation.,In Woorden zijn zichtbaar zodra het opslaan van de offerte. In Words will be visible once you save the Sales Invoice.,In Woorden zijn zichtbaar zodra u bespaart de verkoopfactuur. In Words will be visible once you save the Sales Order.,In Woorden zijn zichtbaar zodra u bespaart de Verkooporder. -In response to,In reactie op Incentives,Incentives Include Reconciled Entries,Omvatten Reconciled Entries Include holidays in Total no. of Working Days,Onder meer vakanties in Total nee. van Werkdagen @@ -1327,8 +1244,6 @@ Indirect Income,indirecte Inkomen Individual,Individueel Industry,Industrie Industry Type,Industry Type -Insert Below,Hieronder invoegen -Insert Row,Rij invoegen Inspected By,Geïnspecteerd door Inspection Criteria,Inspectie Criteria Inspection Required,Inspectie Verplicht @@ -1350,8 +1265,6 @@ Internal,Intern Internet Publishing,internet Publishing Introduction,Introductie Invalid Barcode or Serial No,Ongeldige streepjescode of Serienummer -Invalid Email: {0},Ongeldig E-mail : {0} -Invalid Filter: {0},Ongeldige Filter : {0} Invalid Mail Server. Please rectify and try again.,Ongeldige Mail Server . Aub verwijderen en probeer het opnieuw . Invalid Master Name,Ongeldige Master Naam Invalid User Name or Support Password. Please rectify and try again.,Ongeldige gebruikersnaam of wachtwoord Ondersteuning . Aub verwijderen en probeer het opnieuw . @@ -1516,7 +1429,6 @@ Landed Cost updated successfully,Landed Cost succesvol bijgewerkt Language,Taal Last Name,Achternaam Last Purchase Rate,Laatste Purchase Rate -Last updated by,Laatst gewijzigd door Latest,laatst Lead,Leiden Lead Details,Lood Details @@ -1566,24 +1478,17 @@ Ledgers,grootboeken Left,Links Legal,wettelijk Legal Expenses,Juridische uitgaven -Less or equals,Minder of gelijk -Less than,minder dan Letter Head,Brief Hoofd Letter Heads for print templates.,Letter Heads voor print templates . Level,Niveau Lft,Lft Liability,aansprakelijkheid -Like,zoals -Linked With,Linked Met -List,Lijst List a few of your customers. They could be organizations or individuals.,Lijst een paar van uw klanten. Ze kunnen organisaties of personen . List a few of your suppliers. They could be organizations or individuals.,Lijst een paar van uw leveranciers . Ze kunnen organisaties of personen . List items that form the package.,Lijst items die het pakket vormen. List this Item in multiple groups on the website.,Lijst deze post in meerdere groepen op de website. "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 . "List your tax heads (e.g. VAT, Excise; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Een lijst van uw fiscale koppen ( zoals btw , accijnzen , ze moeten unieke namen hebben ) en hun standaard tarieven." -Loading,Het laden -Loading Report,Laden Rapport Loading...,Loading ... Loans (Liabilities),Leningen (passiva ) Loans and Advances (Assets),Leningen en voorschotten ( Assets ) @@ -1591,7 +1496,6 @@ Local,lokaal Login with your new User ID,Log in met je nieuwe gebruikersnaam Logo,Logo Logo and Letter Heads,Logo en Letter Heads -Logout,Afmelden Lost,verloren Lost Reason,Verloren Reden Low,Laag @@ -1642,7 +1546,6 @@ Make Salary Structure,Maak salarisstructuur Make Sales Invoice,Maak verkoopfactuur Make Sales Order,Maak klantorder Make Supplier Quotation,Maak Leverancier Offerte -Make a new,Maak een nieuw Male,Mannelijk Manage Customer Group Tree.,Beheer Customer Group Boom . Manage Sales Person Tree.,Beheer Sales Person Boom . @@ -1650,8 +1553,6 @@ Manage Territory Tree.,Beheer Grondgebied Boom. Manage cost of operations,Beheer kosten van de operaties Management,beheer Manager,Manager -Mandatory fields required in {0},Verplichte velden zijn verplicht in {0} -Mandatory filters required:\n,Verplichte filters nodig : \ n "Mandatory if Stock Item is ""Yes"". Also the default warehouse where reserved quantity is set from Sales Order.",Verplicht als Stock Item is "ja". Ook de standaard opslagplaats waar de gereserveerde hoeveelheid is ingesteld van Sales Order. Manufacture against Sales Order,Vervaardiging tegen Verkooporder Manufacture/Repack,Fabricage / Verpak @@ -1722,13 +1623,11 @@ Minute,minuut Misc Details,Misc Details Miscellaneous Expenses,diverse kosten Miscelleneous,Miscelleneous -Missing Values Required,Ontbrekende Vereiste waarden Mobile No,Mobiel Nog geen Mobile No.,Mobile No Mode of Payment,Wijze van betaling Modern,Modern Modified Amount,Gewijzigd Bedrag -Modified by,Aangepast door Monday,Maandag Month,Maand Monthly,Maandelijks @@ -1736,12 +1635,9 @@ Monthly Attendance Sheet,Maandelijkse Toeschouwers Sheet Monthly Earning & Deduction,Maandelijkse Verdienen & Aftrek Monthly Salary Register,Maandsalaris Register Monthly salary statement.,Maandsalaris verklaring. -More,Meer More Details,Meer details More Info,Meer info Motion Picture & Video,Motion Picture & Video -Move Down: {0},Omlaag : {0} -Move Up: {0},Move Up : {0} Moving Average,Moving Average Moving Average Rate,Moving Average Rate Mr,De heer @@ -1751,12 +1647,9 @@ Multiple Item prices.,Meerdere Artikelprijzen . conflict by assigning priority. Price Rules: {0}","Prijs Regel Meerdere bestaat met dezelfde criteria , dan kunt u oplossen \ \ n conflict door het toekennen van prioriteit." Music,muziek Must be Whole Number,Moet heel getal zijn -My Settings,Mijn instellingen Name,Naam Name and Description,Naam en beschrijving Name and Employee ID,Naam en Employee ID -Name is required,Naam is vereist -Name not permitted,Naam niet toegestaan "Name of new Account. Note: Please don't create accounts for Customers and Suppliers, they are created automatically from the Customer and Supplier master","Naam van de nieuwe account . Let op : Gelieve niet goed voor klanten en leveranciers te maken, worden ze automatisch gemaakt op basis van cliënt en leverancier, meester" Name of person or organization that this address belongs to.,Naam van de persoon of organisatie die dit adres behoort. Name of the Budget Distribution,Naam van de begroting Distribution @@ -1774,7 +1667,6 @@ Net Weight UOM,Netto Gewicht Verpakking Net Weight of each Item,Netto gewicht van elk item Net pay cannot be negative,Nettoloon kan niet negatief zijn Never,Nooit -New,nieuw New , New Account,nieuw account New Account Name,Nieuw account Naam @@ -1794,7 +1686,6 @@ New Projects,Nieuwe projecten New Purchase Orders,Nieuwe bestellingen New Purchase Receipts,Nieuwe aankoopbonnen New Quotations,Nieuwe Citaten -New Record,Nieuwe record New Sales Orders,Nieuwe Verkooporders New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Nieuwe Serienummer kunt niet Warehouse. Warehouse moet door Stock Entry of Kwitantie worden ingesteld New Stock Entries,Nieuwe toevoegingen aan de voorraden @@ -1816,11 +1707,8 @@ Next,volgende Next Contact By,Volgende Contact Door Next Contact Date,Volgende Contact Datum Next Date,Volgende datum -Next Record,Volgende record -Next actions,Volgende acties Next email will be sent on:,Volgende e-mail wordt verzonden op: No,Geen -No Communication tagged with this ,Geen Communicatie getagd met deze No Customer Accounts found.,Geen Customer Accounts gevonden . No Customer or Supplier Accounts found,Geen klant of leverancier Accounts gevonden No Expense Approvers. Please assign 'Expense Approver' Role to atleast one user,Geen kosten Goedkeurders . Gelieve toewijzen ' Expense Approver ' Rol om tenminste een gebruiker @@ -1830,48 +1718,31 @@ No Items to pack,Geen items om te pakken No Leave Approvers. Please assign 'Leave Approver' Role to atleast one user,Geen Leave Goedkeurders . Gelieve ' Leave Approver ' Rol toewijzen aan tenminste een gebruiker No Permission,Geen toestemming No Production Orders created,Geen productieorders aangemaakt -No Report Loaded. Please use query-report/[Report Name] to run a report.,Geen rapport Loaded. Gelieve gebruik AND-rapport / [Report naam] om een ​​rapport uit te voeren. -No Results,geen resultaten No Supplier Accounts found. Supplier Accounts are identified based on 'Master Type' value in account record.,Geen Leverancier Accounts gevonden . Leverancier Accounts worden geïdentificeerd op basis van 'Master Type' waarde in rekening te nemen. No accounting entries for the following warehouses,Geen boekingen voor de volgende magazijnen No addresses created,Geen adressen aangemaakt No contacts created,Geen contacten gemaakt No default BOM exists for Item {0},Geen standaard BOM bestaat voor post {0} No description given,Geen beschrijving gegeven -No document selected,Geen document geselecteerd No employee found,Geen enkele werknemer gevonden No employee found!,Geen enkele werknemer gevonden ! No of Requested SMS,Geen van de gevraagde SMS No of Sent SMS,Geen van Sent SMS No of Visits,Geen van bezoeken -No one,Niemand No permission,geen toestemming -No permission to '{0}' {1},Geen toestemming om ' {0} ' {1} -No permission to edit,Geen toestemming te bewerken No record found,Geen record gevonden -No records tagged.,Geen records gelabeld. No salary slip found for month: ,Geen loonstrook gevonden voor de maand: Non Profit,non Profit -None,Niemand -None: End of Workflow,Geen: Einde van de Workflow Nos,nos Not Active,Niet actief Not Applicable,Niet van toepassing Not Available,niet beschikbaar Not Billed,Niet in rekening gebracht Not Delivered,Niet geleverd -Not Found,Niet gevonden -Not Linked to any record.,Niet gekoppeld aan een record. -Not Permitted,Niet Toegestane Not Set,niet instellen -Not Submitted,niet ingediend -Not allowed,niet toegestaan Not allowed to update entries older than {0},Niet toegestaan ​​om data ouder dan updaten {0} Not authorized to edit frozen Account {0},Niet bevoegd om bevroren account bewerken {0} Not authroized since {0} exceeds limits,Niet authroized sinds {0} overschrijdt grenzen -Not enough permission to see links.,Niet genoeg rechten om links te zien. -Not equals,niet gelijken -Not found,niet gevonden Not permitted,niet toegestaan Note,Nota Note User,Opmerking Gebruiker @@ -1880,7 +1751,6 @@ Note User,Opmerking Gebruiker Note: Due Date exceeds the allowed credit days by {0} day(s),Opmerking : Due Date overschrijdt de toegestane krediet dagen door {0} dag (en ) Note: Email will not be sent to disabled users,Opmerking: E-mail wordt niet verzonden naar gebruikers met een handicap Note: Item {0} entered multiple times,Opmerking : Item {0} ingevoerd meerdere keren -Note: Other permission rules may also apply,Opmerking: Andere toestemming regels kunnen ook van toepassing zijn Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,Let op : De betaling krijgt u geen toegang gemaakt sinds ' Cash of bankrekening ' is niet opgegeven 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 Note: There is not enough leave balance for Leave Type {0},Opmerking : Er is niet genoeg verlofsaldo voor Verlof type {0} @@ -1889,12 +1759,9 @@ Note: {0},Opmerking : {0} Notes,Opmerkingen Notes:,Opmerkingen: Nothing to request,Niets aan te vragen -Nothing to show,Niets aan te geven -Nothing to show for this selection,Niets te tonen voor deze selectie Notice (days),Notice ( dagen ) Notification Control,Kennisgeving Controle Notification Email Address,Melding e-mail adres -Notify By Email,Informeer via e-mail Notify by Email on creation of automatic Material Request,Informeer per e-mail op de creatie van automatische Materiaal Request Number Format,Getalnotatie Offer Date,aanbieding Datum @@ -1938,7 +1805,6 @@ Opportunity Items,Opportunity Items Opportunity Lost,Opportunity Verloren Opportunity Type,Type functie Optional. This setting will be used to filter in various transactions.,Optioneel. Deze instelling wordt gebruikt om te filteren op diverse transacties . -Or Created By,Of Gemaakt door Order Type,Bestel Type Order Type must be one of {1},Bestel Type moet een van zijn {1} Ordered,bestelde @@ -1953,7 +1819,6 @@ Organization Profile,organisatie Profiel Organization branch master.,Organisatie tak meester . Organization unit (department) master.,Organisatie -eenheid (departement) meester. Original Amount,originele Bedrag -Original Message,Oorspronkelijk bericht Other,Ander Other Details,Andere Details Others,anderen @@ -1996,7 +1861,6 @@ Packing Slip Items,Pakbon Items Packing Slip(s) cancelled,Pakbon ( s ) geannuleerd Page Break,Pagina-einde Page Name,Page Name -Page not found,Pagina niet gevonden Paid Amount,Betaalde Bedrag Paid amount + Write Off Amount can not be greater than Grand Total,Betaalde bedrag + Schrijf Uit Het bedrag kan niet groter zijn dan eindtotaal worden Pair,paar @@ -2062,9 +1926,6 @@ Period Closing Voucher,Periode Closing Voucher Periodicity,Periodiciteit Permanent Address,Permanente Adres Permanent Address Is,Vast adres -Permanently Cancel {0}?,Permanent Annuleren {0} ? -Permanently Submit {0}?,Permanent Submit {0} ? -Permanently delete {0}?,Permanent verwijderen {0} ? Permission,Toestemming Personal,Persoonlijk Personal Details,Persoonlijke Gegevens @@ -2073,7 +1934,6 @@ Pharmaceutical,farmaceutisch Pharmaceuticals,Pharmaceuticals Phone,Telefoon Phone No,Telefoon nr. -Pick Columns,Kies Kolommen Piecework,stukwerk Pincode,Pincode Place of Issue,Plaats van uitgave @@ -2086,8 +1946,6 @@ Plant,Plant Plant and Machinery,Plant and Machinery Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,Gelieve goed op Enter Afkorting of korte naam als het zal worden toegevoegd als suffix aan alle Account Heads. Please add expense voucher details,Gelieve te voegen koste voucher informatie -Please attach a file first.,Gelieve een bestand eerst. -Please attach a file or set a URL,Gelieve een bestand of stel een URL Please check 'Is Advance' against Account {0} if this is an advance entry.,Kijk ' Is Advance ' tegen account {0} als dit is een voorschot binnenkomst . Please click on 'Generate Schedule',Klik op ' Generate Schedule' Please click on 'Generate Schedule' to fetch Serial No added for Item {0},Klik op ' Generate Schedule' te halen Serial No toegevoegd voor post {0} @@ -2096,7 +1954,6 @@ Please create Customer from Lead {0},Maak Klant van Lead {0} Please create Salary Structure for employee {0},Maak salarisstructuur voor werknemer {0} Please create new account from Chart of Accounts.,Maak nieuwe account van Chart of Accounts . Please do NOT create Account (Ledgers) for Customers and Suppliers. They are created directly from the Customer / Supplier masters.,Gelieve niet Account ( Grootboeken ) te creëren voor klanten en leveranciers . Ze worden rechtstreeks vanuit de klant / leverancier- meesters. -Please enable pop-ups,Schakel pop - ups Please enter 'Expected Delivery Date',Vul ' Verwachte leverdatum ' Please enter 'Is Subcontracted' as Yes or No,Vul ' Is Uitbesteed ' als Ja of Nee Please enter 'Repeat on Day of Month' field value,Vul de 'Repeat op de Dag van de Maand ' veldwaarde @@ -2107,7 +1964,6 @@ Please enter Company,Vul Company Please enter Cost Center,Vul kostenplaats Please enter Delivery Note No or Sales Invoice No to proceed,Vul Delivery Note Geen of verkoopfactuur Nee om door te gaan Please enter Employee Id of this sales parson,Vul Werknemer Id van deze verkoop dominee -Please enter Event's Date and Time!,Vul Event Datum en tijd ! Please enter Expense Account,Vul Expense Account Please enter Item Code to get batch no,Vul de artikelcode voor batch niet krijgen Please enter Item Code.,Vul Item Code . @@ -2133,14 +1989,11 @@ Please enter parent cost center,Vul ouder kostenplaats Please enter quantity for Item {0},Graag het aantal voor post {0} Please enter relieving date.,Vul het verlichten datum . Please enter sales order in the above table,Vul de verkooporder in de bovenstaande tabel -Please enter some text!,U dient een tekst ! -Please enter title!,Vul de titel! Please enter valid Company Email,Voer geldige Company Email Please enter valid Email Id,Voer een geldig e Id Please enter valid Personal Email,Voer geldige Personal Email Please enter valid mobile nos,Voer geldige mobiele nos Please install dropbox python module,Installeer dropbox python module -Please login to Upvote!,Log in om Upvote ! Please mention no of visits required,Vermeld geen bezoeken nodig Please pull items from Delivery Note,Gelieve te trekken items uit Delivery Note Please save the Newsletter before sending,Wij verzoeken u de nieuwsbrief voor het verzenden @@ -2191,8 +2044,6 @@ Plot By,plot Door Point of Sale,Point of Sale Point-of-Sale Setting,Point-of-Sale-instelling Post Graduate,Post Graduate -Post already exists. Cannot add again!,Bericht bestaat reeds. Kan niet opnieuw toe te voegen ! -Post does not exist. Please add post!,Bericht bestaat niet . Voeg bericht ! Postal,Post- Postal Expenses,portokosten Posting Date,Plaatsingsdatum @@ -2207,7 +2058,6 @@ Prevdoc DocType,Prevdoc DocType Prevdoc Doctype,Prevdoc Doctype Preview,Voorbeeld Previous,vorig -Previous Record,Vorige Record Previous Work Experience,Vorige Werkervaring Price,prijs Price / Discount,Prijs / Korting @@ -2226,12 +2076,10 @@ Price or Discount,Prijs of korting Pricing Rule,Pricing Rule Pricing Rule For Discount,Pricing Rule voor korting Pricing Rule For Price,Pricing regel voor Prijs -Print,afdrukken Print Format Style,Print Format Style Print Heading,Print rubriek Print Without Amount,Printen zonder Bedrag Print and Stationary,Print en stationaire -Print...,Print ... Printing and Branding,Printen en Branding Priority,Prioriteit Private Equity,private Equity @@ -2357,7 +2205,6 @@ Quantity of item obtained after manufacturing / repacking from given quantities Quantity required for Item {0} in row {1},Benodigde hoeveelheid voor post {0} in rij {1} Quarter,Kwartaal Quarterly,Driemaandelijks -Query Report,Query Report Quick Help,Quick Help Quotation,Citaat Quotation Date,Offerte Datum @@ -2459,14 +2306,11 @@ Rejected Warehouse is mandatory against regected item,Verworpen Warehouse is ver Relation,Relatie Relieving Date,Het verlichten van Datum Relieving Date must be greater than Date of Joining,Het verlichten Datum moet groter zijn dan Datum van Deelnemen zijn -Reload Page,Reload Pagina Remark,Opmerking Remarks,Opmerkingen -Remove Bookmark,Bladwijzer verwijderen Rename,andere naam geven Rename Log,Hernoemen Inloggen Rename Tool,Wijzig de naam van Tool -Rename...,Hernoemen ... Rent Cost,Kosten huur Rent per hour,Huur per uur Rented,Verhuurd @@ -2474,12 +2318,9 @@ Repeat on Day of Month,Herhaal dit aan Dag van de maand Replace,Vervang Replace Item / BOM in all BOMs,Vervang Item / BOM in alle stuklijsten Replied,Beantwoord -Report,Verslag Report Date,Verslag Datum Report Type,Meld Type Report Type is mandatory,Soort rapport is verplicht -Report an Issue,Een probleem rapporteren? -Report was not saved (there were errors),Rapport werd niet opgeslagen (er waren fouten) Reports to,Rapporteert aan Reqd By Date,Reqd op datum Request Type,Soort aanvraag @@ -2630,7 +2471,6 @@ Salutation,Aanhef Sample Size,Steekproefomvang Sanctioned Amount,Gesanctioneerde Bedrag Saturday,Zaterdag -Save,besparen Schedule,Plan Schedule Date,tijdschema Schedule Details,Schema Details @@ -2644,7 +2484,6 @@ Score (0-5),Score (0-5) Score Earned,Score Verdiende Score must be less than or equal to 5,Score moet lager dan of gelijk aan 5 zijn Scrap %,Scrap% -Search,Zoek Seasonality for setting budgets.,Seizoensinvloeden voor het instellen van budgetten. Secretary,secretaresse Secured Loans,Beveiligde Leningen @@ -2656,26 +2495,18 @@ Securities and Deposits,Effecten en deposito's "Select ""Yes"" if this item represents some work like training, designing, consulting etc.","Selecteer "Ja" als dit voorwerp vertegenwoordigt wat werk zoals training, ontwerpen, overleg, enz." "Select ""Yes"" if you are maintaining stock of this item in your Inventory.",Selecteer "Ja" als u het handhaven voorraad van dit artikel in je inventaris. "Select ""Yes"" if you supply raw materials to your supplier to manufacture this item.",Selecteer "Ja" als u de levering van grondstoffen aan uw leverancier om dit item te produceren. -Select All,Alles selecteren -Select Attachments,Selecteer Bijlagen Select Budget Distribution to unevenly distribute targets across months.,Selecteer Budget Uitkering aan ongelijk verdelen doelen uit maanden. "Select Budget Distribution, if you want to track based on seasonality.","Selecteer Budget Distributie, als je wilt volgen op basis van seizoensinvloeden." Select DocType,Selecteer DocType Select Items,Selecteer Items -Select Print Format,Selecteer Print Format Select Purchase Receipts,Selecteer Aankoopfacturen -Select Report Name,Selecteer Rapportnaam Select Sales Orders,Selecteer Verkooporders Select Sales Orders from which you want to create Production Orders.,Selecteer Verkooporders van waaruit u wilt productieorders creëren. Select Time Logs and Submit to create a new Sales Invoice.,Selecteer Time Logs en indienen om een ​​nieuwe verkoopfactuur maken. -Select To Download:,Selecteer Naar Download: Select Transaction,Selecteer Transactie -Select Type,Selecteer Type Select Your Language,Selecteer uw taal Select account head of the bank where cheque was deposited.,Selecteer met het hoofd van de bank waar cheque werd afgezet. Select company name first.,Kies eerst een bedrijfsnaam. -Select dates to create a new ,Kies een datum om een ​​nieuwe te maken -Select or drag across time slots to create a new event.,Selecteer of sleep over tijdsloten om een ​​nieuwe gebeurtenis te maken. Select template from which you want to get the Goals,Selecteer template van waaruit u de Doelen te krijgen Select the Employee for whom you are creating the Appraisal.,Selecteer de werknemer voor wie u het maken van de Beoordeling. Select the period when the invoice will be generated automatically,Selecteer de periode waarin de factuur wordt automatisch gegenereerd @@ -2691,11 +2522,9 @@ Select your home country and check the timezone and currency.,Selecteer uw land Selling,Selling Selling Settings,Selling Instellingen Send,Sturen -Send As Email,Verstuur als e-mail Send Autoreply,Stuur Autoreply Send Email,E-mail verzenden Send From,Stuur Van -Send Me A Copy,Stuur mij een kopie Send Notifications To,Meldingen verzenden naar Send Now,Nu verzenden Send SMS,SMS versturen @@ -2705,7 +2534,6 @@ Send mass SMS to your contacts,Stuur massa SMS naar uw contacten Send to this list,Stuur deze lijst Sender Name,Naam afzender Sent On,Verzonden op -Sent or Received,Verzonden of ontvangen Separate production order will be created for each finished good item.,Gescheiden productie order wordt aangemaakt voor elk eindproduct goed punt. Serial No,Serienummer Serial No / Batch,Serienummer / Batch @@ -2739,11 +2567,9 @@ Series {0} already used in {1},Serie {0} al gebruikt in {1} Service,service Service Address,Service Adres Services,Diensten -Session Expired. Logging you out,Sessie verlopen. U wordt afgemeld Set,reeks "Set Default Values like Company, Currency, Current Fiscal Year, etc.","Standaardwaarden zoals onderneming , Valuta , huidige boekjaar , etc." Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,Set Item Group-wise budgetten op dit gebied. U kunt ook seizoensinvloeden door de Distribution. -Set Link,Stel Link Set as Default,Instellen als standaard Set as Lost,Instellen als Lost Set prefix for numbering series on your transactions,Stel prefix voor het nummeren van serie over uw transacties @@ -2776,17 +2602,12 @@ Shipping Rule Label,Verzending Regel Label Shop,Winkelen Shopping Cart,Winkelwagen Short biography for website and other publications.,Korte biografie voor website en andere publicaties. -Shortcut,Kortere weg "Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",Toon "Op voorraad" of "Niet op voorraad" op basis van de beschikbare voorraad in dit magazijn. "Show / Hide features like Serial Nos, POS etc.","Toon / verberg functies, zoals serienummers , POS etc." -Show Details,Show Details Show In Website,Toon in Website -Show Tags,Toon Tags Show a slideshow at the top of the page,Laat een diavoorstelling aan de bovenkant van de pagina Show in Website,Toon in Website -Show rows with zero values,Toon rijen met nulwaarden Show this slideshow at the top of the page,Laat deze slideshow aan de bovenkant van de pagina -Showing only for (if not empty),Slechts het tonen van (indien niet leeg ) Sick Leave,Sick Leave Signature,Handtekening Signature to be appended at the end of every email,Handtekening moet worden toegevoegd aan het einde van elke e-mail @@ -2797,11 +2618,8 @@ Slideshow,Diashow Soap & Detergent,Soap & Wasmiddel Software,software Software Developer,software Developer -Sorry we were unable to find what you were looking for.,Sorry we waren niet in staat om te vinden wat u zocht. -Sorry you are not permitted to view this page.,Sorry dat je niet toegestaan ​​om deze pagina te bekijken. "Sorry, Serial Nos cannot be merged","Sorry , kan de serienummers niet worden samengevoegd" "Sorry, companies cannot be merged","Sorry , bedrijven kunnen niet worden samengevoegd" -Sort By,Sorteer op Source,Bron Source File,Bronbestand Source Warehouse,Bron Warehouse @@ -2826,7 +2644,6 @@ Standard Selling,Standaard Selling Standard contract terms for Sales or Purchase.,Standaard contractvoorwaarden voor Sales en Inkoop . Start,begin Start Date,Startdatum -Start Report For,Start Rapport Voor Start date of current invoice's period,Begindatum van de periode huidige factuur's Start date should be less than end date for Item {0},Startdatum moet kleiner zijn dan einddatum voor post zijn {0} State,Staat @@ -2884,7 +2701,6 @@ Sub Assemblies,sub Assemblies "Sub-currency. For e.g. ""Cent""",Sub-valuta. Voor bijvoorbeeld "Cent" Subcontract,Subcontract Subject,Onderwerp -Submit,Voorleggen Submit Salary Slip,Indienen loonstrook Submit all salary slips for the above selected criteria,Gelieve alle loonstroken voor de bovenstaande geselecteerde criteria Submit this Production Order for further processing.,Submit deze productieorder voor verdere verwerking . @@ -2928,7 +2744,6 @@ Support Email Settings,Ondersteuning E-mailinstellingen Support Password,Ondersteuning Wachtwoord Support Ticket,Hulpaanvraag Support queries from customers.,Ondersteuning vragen van klanten. -Switch to Website,Schakel over naar Website Symbol,Symbool Sync Support Mails,Sync Ondersteuning Mails Sync with Dropbox,Synchroniseren met Dropbox @@ -2936,7 +2751,6 @@ Sync with Google Drive,Synchroniseren met Google Drive System,Systeem System Settings,Systeeminstellingen "System User (login) ID. If set, it will become default for all HR forms.","Systeem (login) ID. Indien ingesteld, zal het standaard voor alle HR-formulieren." -Tags,Tags Target Amount,Streefbedrag Target Detail,Doel Detail Target Details,Target Details @@ -2995,7 +2809,6 @@ Territory Target Variance Item Group-Wise,Grondgebied Doel Variance Post Group - Territory Targets,Grondgebied Doelen Test,Test Test Email Id,Test E-mail Identiteitskaart -Test Runner,Test Runner Test the Newsletter,Test de nieuwsbrief The BOM which will be replaced,De BOM die zal worden vervangen The First User: You,De eerste gebruiker : U @@ -3015,28 +2828,23 @@ The net weight of this package. (calculated automatically as sum of net weight o The new BOM after replacement,De nieuwe BOM na vervanging The rate at which Bill Currency is converted into company's base currency,De snelheid waarmee Bill valuta worden omgezet in basis bedrijf munt 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 geproduceerd op te dienen. -Then By (optional),Vervolgens op (optioneel) There are more holidays than working days this month.,Er zijn meer vakanties dan werkdagen deze maand . "There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Er kan maar een Verzenden Regel Voorwaarde met 0 of blanco waarde voor ""To Value """ There is not enough leave balance for Leave Type {0},Er is niet genoeg verlofsaldo voor Verlof type {0} There is nothing to edit.,Er is niets om te bewerken . There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,Er is een fout opgetreden . Een mogelijke reden zou kunnen zijn dat je niet hebt opgeslagen het formulier . Neem dan contact support@erpnext.com als het probleem aanhoudt . -There were errors,Er zijn fouten -There were errors while sending email. Please try again.,Er zijn fouten opgetreden tijdens het versturen van e-mail. Probeer het opnieuw . There were errors.,Er waren fouten . This Currency is disabled. Enable to use in transactions,Deze valuta is uitgeschakeld . In staat om te gebruiken in transacties This Leave Application is pending approval. Only the Leave Apporver can update status.,Deze verlofaanvraag is in afwachting van goedkeuring . Alleen de Leave Apporver kan status bijwerken . This Time Log Batch has been billed.,This Time Log Batch is gefactureerd. This Time Log Batch has been cancelled.,This Time Log Batch is geannuleerd. This Time Log conflicts with {0},This Time Log in strijd is met {0} -This is PERMANENT action and you cannot undo. Continue?,Dit is PERMANENTE actie en u ongedaan kunt maken niet. Doorgaan? This is a root account and cannot be edited.,Dit is een root account en kan niet worden bewerkt . This is a root customer group and cannot be edited.,Dit is een wortel klantgroep en kan niet worden bewerkt . This is a root item group and cannot be edited.,Dit is een hoofditem groep en kan niet worden bewerkt . This is a root sales person and cannot be edited.,Dit is een wortel verkoper en kan niet worden bewerkt . This is a root territory and cannot be edited.,Dit is een wortel grondgebied en kan niet worden bewerkt . This is an example website auto-generated from ERPNext,Dit is een voorbeeld website automatisch gegenereerd ERPNext -This is permanent action and you cannot undo. Continue?,Dit is een permanente actie en u ongedaan kunt maken niet. Doorgaan? This is the number of the last created transaction with this prefix,Dit is het nummer van de laatst gemaakte transactie met dit voorvoegsel This will be used for setting rule in HR module,Deze wordt gebruikt voor instelling regel HR module Thread HTML,Thread HTML @@ -3078,7 +2886,6 @@ To get Item Group in details table,Om Item Group te krijgen in details tabel "To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Om voorheffing omvatten in rij {0} in Item tarief , de belastingen in rijen {1} moet ook opgenomen worden" "To merge, following properties must be same for both items","Te fuseren , moeten volgende eigenschappen hetzelfde zijn voor beide posten" "To report an issue, go to ", -"To run a test add the module name in the route after '{0}'. For example, {1}","Om een test voeg de module naam in de route na ' {0} ' . Bijvoorbeeld , {1}" "To set this Fiscal Year as Default, click on 'Set as Default'","Om dit fiscale jaar ingesteld als standaard , klik op ' Als standaard instellen '" To track any installation or commissioning related work after sales,Om een ​​installatie of inbedrijfstelling gerelateerde werk na verkoop bij te houden "To track brand name in the following documents Delivery Note, Opportunity, Material Request, Item, Purchase Order, Purchase Voucher, Purchaser Receipt, Quotation, Sales Invoice, Sales BOM, Sales Order, Serial No","Om merknaam volgen op de volgende documenten Delivery Note, Opportunity , Materiaal Request , punt , Bestelling , Aankoopbon , Koper Ontvangst , Offerte , verkoopfactuur , Sales BOM , Sales Order , Serienummer" @@ -3130,7 +2937,6 @@ Totals,Totalen Track Leads by Industry Type.,Track Leads door de industrie type . Track this Delivery Note against any Project,Volg dit pakbon tegen elke Project Track this Sales Order against any Project,Volg dit Verkooporder tegen elke Project -Trainee,stagiair Transaction,Transactie Transaction Date,Transactie Datum Transaction not allowed against stopped Production Order {0},Transactie niet toegestaan ​​tegen gestopt productieorder {0} @@ -3162,7 +2968,6 @@ UOM Conversion Factor,Verpakking Conversie Factor UOM Conversion factor is required in row {0},Verpakking omrekeningsfactor worden vastgesteld in rij {0} UOM Name,Verpakking Naam UOM coversion factor required for UOM {0} in Item {1},Verpakking conversie factor die nodig is voor Verpakking {0} in Item {1} -Unable to load: {0},Niet in staat om belasting: {0} Under AMC,Onder AMC Under Graduate,Onder Graduate Under Warranty,Onder de garantie @@ -3172,11 +2977,8 @@ Unit of Measure {0} has been entered more than once in Conversion Factor Table,M "Unit of measurement of this item (e.g. Kg, Unit, No, Pair).","Meeteenheid van dit artikel (bijvoorbeeld kg, eenheid, Nee, Pair)." Units/Hour,Eenheden / uur Units/Shifts,Eenheden / Verschuivingen -Unknown Column: {0},Onbekend Column : {0} -Unknown Print Format: {0},Onbekend Print Formaat : {0} Unmatched Amount,Ongeëvenaarde Bedrag Unpaid,Onbetaald -Unread Messages,Ongelezen berichten Unscheduled,Ongeplande Unsecured Loans,ongedekte leningen Unstop,opendraaien @@ -3196,18 +2998,14 @@ Update bank payment dates with journals.,Update bank betaaldata met tijdschrifte Update clearance date of Journal Entries marked as 'Bank Vouchers',Goedkeuring datum actualisering van Journaalposten gemarkeerd als ' Bank Vouchers ' Updated,Bijgewerkt Updated Birthday Reminders,Bijgewerkt verjaardagsherinneringen -Upload,uploaden -Upload Attachment,Upload Attachment Upload Attendance,Upload Toeschouwers Upload Backups to Dropbox,Upload Backups naar Dropbox Upload Backups to Google Drive,Upload Backups naar Google Drive Upload HTML,Upload HTML Upload a .csv file with two columns: the old name and the new name. Max 500 rows.,Upload een csv-bestand met twee kolommen:. De oude naam en de nieuwe naam. Max. 500 rijen. -Upload a file,Een bestand uploaden Upload attendance from a .csv file,Upload aanwezigheid van een. Csv-bestand Upload stock balance via csv.,Upload voorraadsaldo via csv. Upload your letter head and logo - you can edit them later.,Upload uw brief hoofd en logo - u kunt ze later bewerken . -Uploading...,Uploaden ... Upper Income,Bovenste Inkomen Urgent,Dringend Use Multi-Level BOM,Gebruik Multi-Level BOM @@ -3217,11 +3015,9 @@ User ID,Gebruikers-ID User ID not set for Employee {0},Gebruikers-ID niet ingesteld voor Employee {0} User Name,Gebruikersnaam User Name or Support Password missing. Please enter and try again.,Gebruikersnaam of wachtwoord ondersteuning ontbreekt. Vul en probeer het opnieuw . -User Permission Restrictions,Gebruiker Toestemming Beperkingen User Remark,Gebruiker Opmerking User Remark will be added to Auto Remark,Gebruiker Opmerking zal worden toegevoegd aan Auto Opmerking User Remarks is mandatory,Gebruiker Opmerkingen is verplicht -User Restrictions,gebruikersbeperkingen User Specific,gebruiker Specifieke User must always select,Gebruiker moet altijd kiezen User {0} is already assigned to Employee {1},Gebruiker {0} is al Employee toegewezen {1} @@ -3319,8 +3115,6 @@ Will be updated after Sales Invoice is Submitted.,Zal worden bijgewerkt na verko Will be updated when batched.,Zal worden bijgewerkt wanneer gedoseerd. Will be updated when billed.,Zal worden bijgewerkt wanneer gefactureerd. Wire Transfer,overboeking -With Groups,met Groepen -With Ledgers,met Ledgers With Operations,Met Operations With period closing entry,Met periode sluitpost Work Details,Work Details @@ -3328,7 +3122,6 @@ Work Done,Werk Work In Progress,Work In Progress Work-in-Progress Warehouse,Work-in-Progress Warehouse Work-in-Progress Warehouse is required before Submit,Work -in- Progress Warehouse wordt vóór vereist Verzenden -Workflow will start after saving.,Workflow begint na het opslaan. Working,Werkzaam Workstation,Workstation Workstation Name,Naam van werkstation @@ -3351,11 +3144,6 @@ Year Start Date should not be greater than Year End Date,Jaar Startdatum mag nie Year of Passing,Jaar van de Passing Yearly,Jaar- Yes,Ja -Yesterday,Gisteren -You are not allowed to create / edit reports,U bent niet toegestaan ​​om / bewerken van rapporten -You are not allowed to export this report,U bent niet bevoegd om dit rapport te exporteren -You are not allowed to print this document,U bent niet gemachtigd om dit document af te drukken -You are not allowed to send emails related to this document,Het is niet toegestaan ​​om e-mails met betrekking tot dit document te versturen You are not authorized to add or update entries before {0},U bent niet bevoegd om items toe te voegen of bij te werken voordat {0} You are not authorized to set Frozen value,U bent niet bevoegd om Frozen waarde in te stellen You are the Expense Approver for this record. Please Update the 'Status' and Save,U bent de Expense Approver voor dit record . Werk van de 'Status' en opslaan @@ -3372,7 +3160,6 @@ You can submit this Stock Reconciliation.,U kunt indienen dit Stock Verzoening . You can update either Quantity or Valuation Rate or both.,U kunt Hoeveelheid of Valuation Rate of beide te werken. You cannot credit and debit same account at the same time,Je kunt niet crediteren en debiteren dezelfde account op hetzelfde moment You have entered duplicate items. Please rectify and try again.,U heeft dubbele items ingevoerd. Aub verwijderen en probeer het opnieuw . -You have unsaved changes in this form. Please save before you continue.,Je hebt opgeslagen wijzigingen in deze vorm . You may need to update: {0},U kan nodig zijn om te werken: {0} You must Save the form before proceeding,U moet het formulier opslaan voordat u verder gaat You must allocate amount before reconcile,U moet dit bedrag gebruiken voor elkaar te verzoenen @@ -3381,7 +3168,6 @@ Your Customers,uw klanten Your Login Id,Uw login-ID Your Products or Services,Uw producten of diensten Your Suppliers,uw Leveranciers -"Your download is being built, this may take a few moments...","Uw download wordt gebouwd, kan dit enige tijd duren ..." Your email address,Uw e-mailadres Your financial year begins on,Uw financiële jaar begint op Your financial year ends on,Uw financiële jaar eindigt op @@ -3394,8 +3180,6 @@ Your support email id - must be a valid email - this is where your emails will c and,en are not allowed.,zijn niet toegestaan ​​. assigned by,toegewezen door -comment,commentaar -comments,reacties "e.g. ""Build tools for builders""","bijv. ""Bouw gereedschap voor bouwers """ "e.g. ""MC""","bijv. "" MC """ "e.g. ""My Company LLC""","bijv. "" My Company LLC """ @@ -3405,14 +3189,9 @@ e.g. 5,bijv. 5 e.g. VAT,bijv. BTW eg. Cheque Number,bijvoorbeeld. Cheque nummer example: Next Day Shipping,Bijvoorbeeld: Next Day Shipping -found,gevonden -is not allowed.,is niet toegestaan. lft,lft old_parent,old_parent -or,of rgt,RGT -to,naar -values and dates,waarden en data website page link,website Paginalink {0} '{1}' not in Fiscal Year {2},{0} ' {1} ' niet in het fiscale jaar {2} {0} Credit limit {0} crossed,{0} kredietlimiet {0} gekruist diff --git a/erpnext/translations/pt-BR.csv b/erpnext/translations/pt-BR.csv index 89456836dc..0c318e5465 100644 --- a/erpnext/translations/pt-BR.csv +++ b/erpnext/translations/pt-BR.csv @@ -1,7 +1,5 @@ (Half Day),(Meio Dia) and year: ,e ano: - by Role ,por função - is not set,não está definido """ does not exists",""" Não existe" % Delivered,Entregue % % Amount Billed,Valor faturado % @@ -34,7 +32,6 @@ "1 Currency = [?] Fraction For e.g. 1 USD = 100 Cent",1 Moeda = [?] Fração \ nPor exemplo 1. To maintain the customer wise item code and to make them searchable based on their code use this option,1. Para manter o código de item do cliente e para torná-los pesquisáveis ​​com base em seu código use esta opção -2 days ago,Há 2 dias "Add / Edit"," Adicionar / Editar " "Add / Edit"," Adicionar / Editar " "Add / Edit"," Adicionar / Editar " @@ -89,7 +86,6 @@ Accounts Frozen Upto,Contas congeladas até Accounts Payable,Contas a Pagar Accounts Receivable,Contas a Receber Accounts Settings,Configurações de contas -Actions,ações Active,Ativo Active: Will extract emails from ,Ativo: Será que extrair e-mails a partir de Activity,Atividade @@ -111,23 +107,13 @@ Actual Quantity,Quantidade Real Actual Start Date,Data de Início Real Add,Adicionar Add / Edit Taxes and Charges,Adicionar / Editar Impostos e Encargos -Add Attachments,Adicionar Anexos -Add Bookmark,Adicionar marcadores Add Child,Adicionar Criança -Add Column,Adicionar Coluna -Add Message,Adicionar Mensagem -Add Reply,Adicione Resposta Add Serial No,Adicionar Serial No Add Taxes,Adicionar Impostos Add Taxes and Charges,Adicionar Impostos e Taxas -Add This To User's Restrictions,Adicione isto a Restrições do Usuário -Add attachment,Adicionar anexo -Add new row,Adicionar nova linha Add or Deduct,Adicionar ou Deduzir Add rows to set annual budgets on Accounts.,Adicionar linhas para definir orçamentos anuais nas Contas. Add to Cart,Adicionar ao carrinho -Add to To Do,Adicionar à Lista de Tarefas -Add to To Do List of,Adicionar à Lista de Tarefas de Add to calendar on this date,Adicionar ao calendário nesta data Add/Remove Recipients,Adicionar / Remover Destinatários Address,Endereço @@ -220,9 +206,6 @@ Allow user to edit Price List Rate in transactions,Permitir ao usuário editar L Allowance Percent,Percentual de tolerância Allowance for over-delivery / over-billing crossed for Item {0},Provisão para over- entrega / sobre- faturamento cruzou para item {0} Allowed Role to Edit Entries Before Frozen Date,Permitidos Papel para editar entradas Antes Congelado Data -"Allowing DocType, DocType. Be careful!","Permitindo DocType , DocType . Tenha cuidado !" -Alternative download link,Link para download Alternativa -Amend,Corrigir Amended From,Corrigido De Amount,Quantidade Amount (Company Currency),Amount (Moeda Company) @@ -270,26 +253,18 @@ Approving User,Usuário Aprovador Approving User cannot be same as user the rule is Applicable To,Aprovando usuário não pode ser o mesmo que usuário a regra é aplicável a Are you sure you want to STOP , Are you sure you want to UNSTOP , -Are you sure you want to delete the attachment?,Tem certeza de que deseja excluir o anexo? Arrear Amount,Quantidade em atraso "As Production Order can be made for this item, it must be a stock item.","Como ordem de produção pode ser feita para este item , deve ser um item de estoque." As per Stock UOM,Como UDM do Estoque "As there are existing stock transactions for this item, you can not change the values of 'Has Serial No', 'Is Stock Item' and 'Valuation Method'","Como existem operações com ações existentes para este item , você não pode alterar os valores de 'não tem de série ', ' é Stock Item' e ' Método de avaliação '" -Ascending,Ascendente Asset,ativos -Assign To,Atribuir a -Assigned To,Atribuído a -Assignments,Atribuições Assistant,assistente Associate,associado Atleast one warehouse is mandatory,Pelo menos um almoxarifado é obrigatório -Attach Document Print,Anexar Cópia do Documento Attach Image,anexar imagem Attach Letterhead,anexar timbrado Attach Logo,anexar Logo Attach Your Picture,Fixe sua imagem -Attach as web link,Anexar como link da web -Attachments,Anexos Attendance,Comparecimento Attendance Date,Data de Comparecimento Attendance Details,Detalhes do Comparecimento @@ -402,7 +377,6 @@ Block leave applications by department.,Bloquear deixar aplicações por departa Blog Post,Blog Mensagem Blog Subscriber,Assinante do Blog Blood Group,Grupo sanguíneo -Bookmarks,Marcadores Both Warehouse must belong to same Company,Ambos Warehouse devem pertencer a mesma empresa Box,caixa Branch,Ramo @@ -437,7 +411,6 @@ C-Form No,Nº do Formulário-C C-Form records,Registros C -Form Calculate Based On,Calcule Baseado em Calculate Total Score,Calcular a Pontuação Total -Calendar,Calendário Calendar Events,Calendário de Eventos Call,Chamar Calls,chamadas @@ -450,7 +423,6 @@ Can be approved by {0},Pode ser aprovado pelo {0} "Can not filter based on Account, if grouped by Account","Não é possível filtrar com base em conta , se agrupados por Conta" "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" Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',Pode se referir linha apenas se o tipo de acusação é 'On Anterior Valor Row ' ou ' Previous Row Total' -Cancel,Cancelar Cancel Material Visit {0} before cancelling this Customer Issue,Cancelar material Visita {0} antes de cancelar este problema do cliente Cancel Material Visits {0} before cancelling this Maintenance Visit,Cancelar Materiais Visitas {0} antes de cancelar este Manutenção Visita Cancelled,Cancelado @@ -469,11 +441,7 @@ Cannot deactive or cancle BOM as it is linked with other BOMs,"Não pode desativ 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' "Cannot delete Serial No {0} in stock. First remove from stock, then delete.","Não é possível excluir Sem Serial {0} em estoque. Primeiro retire do estoque , em seguida, exclua ." "Cannot directly set amount. For 'Actual' charge type, use the rate field","Não é possível definir diretamente montante. Para ' Actual ' tipo de carga , use o campo taxa" -Cannot edit standard fields,Não é possível editar campos padrão -Cannot open instance when its {0} is open,"Não é possível abrir instância , quando o seu {0} é aberto" -Cannot open {0} when its instance is open,Não é possível abrir {0} quando sua instância está aberta "Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in 'Setup' > 'Global Defaults'","Não pode overbill para item {0} na linha {0} mais de {1}. Para permitir o superfaturamento , defina em ""Setup"" > "" padrões globais """ -Cannot print cancelled documents,Não é possível imprimir documentos cancelados Cannot produce more Item {0} than Sales Order quantity {1},Não é possível produzir mais item {0} do que a quantidade Ordem de Vendas {1} Cannot refer row number greater than or equal to current row number for this Charge type,Não é possível consultar número da linha superior ou igual ao número da linha atual para este tipo de carga Cannot return more than {0} for Item {1},Não pode retornar mais de {0} para {1} item @@ -527,19 +495,14 @@ Claim Amount,Valor Requerido Claims for company expense.,Os pedidos de despesa da empresa. Class / Percentage,Classe / Percentual Classic,Clássico -Clear Cache,Limpar Cache Clear Table,Limpar Tabela Clearance Date,Data de Liberação Clearance Date not mentioned,Apuramento data não mencionada Clearance date cannot be before check date in row {0},Apuramento data não pode ser anterior à data de verificação na linha {0} Click on 'Make Sales Invoice' button to create a new Sales Invoice.,Clique em 'Criar Fatura de vendas' botão para criar uma nova factura de venda. Click on a link to get options to expand get options , -Click on row to view / edit.,Clique na fila para ver / editar . -Click to Expand / Collapse,Clique para Expandir / Recolher Client,Cliente -Close,Fechar Close Balance Sheet and book Profit or Loss.,Fechar Balanço e livro ou perda . -Close: {0},Fechar: {0} Closed,Fechado Closing Account Head,Conta de Fechamento Closing Account {0} must be of type 'Liability',Fechando Conta {0} deve ser do tipo ' responsabilidade ' @@ -550,10 +513,8 @@ Closing Value,fechando Valor CoA Help,Ajuda CoA Code,Código Cold Calling,Cold Calling -Collapse,colapso Color,Cor Comma separated list of email addresses,Lista separada por vírgulas de endereços de e-mail -Comment,Comentário Comments,Comentários Commercial,comercial Commission,comissão @@ -564,7 +525,6 @@ Commission rate cannot be greater than 100,Taxa de comissão não pode ser maior Communication,Comunicação Communication HTML,Comunicação HTML Communication History,Histórico da comunicação -Communication Medium,Meio de comunicação Communication log.,Log de Comunicação. Communications,Comunicações Company,Empresa @@ -583,7 +543,6 @@ Company registration numbers for your reference. Tax numbers etc.,"Números da e "Company, Month and Fiscal Year is mandatory","Empresa , Mês e Ano Fiscal é obrigatória" Compensatory Off,compensatória Off Complete,Completar -Complete By,Completar em Complete Setup,Instalação concluída Completed,Concluído Completed Production Orders,Ordens de produção concluídas @@ -635,7 +594,6 @@ Convert into Recurring Invoice,Converter em Nota Fiscal Recorrente Convert to Group,Converter em Grupo Convert to Ledger,Converter para Ledger Converted,Convertido -Copy,Copie Copy From Item Group,Copiar do item do grupo Cosmetics,Cosméticos Cost Center,Centro de Custos @@ -666,7 +624,6 @@ Create Stock Ledger Entries when you submit a Sales Invoice,Criar entradas da Ra Create rules to restrict transactions based on values.,Criar regras para restringir operações com base em valores. Created By,Criado por Creates salary slip for above mentioned criteria.,Cria folha de pagamento para os critérios acima mencionados. -Creation / Modified By,Criação / Modificado por Creation Date,Data de criação Creation Document No,Criação de Documentos Não Creation Document Type,Tipo de Documento de Criação @@ -697,11 +654,9 @@ Current Liabilities,passivo circulante Current Stock,Estoque Atual Current Stock UOM,UDM de Estoque Atual Current Value,Valor Atual -Current status,Estado Atual Custom,Personalizado Custom Autoreply Message,Mensagem de resposta automática personalizada Custom Message,Mensagem personalizada -Custom Reports,Relatórios personalizados Customer,Cliente Customer (Receivable) Account,Cliente (receber) Conta Customer / Item Name,Cliente / Nome do item @@ -750,7 +705,6 @@ Date Format,Formato da data Date Of Retirement,Data da aposentadoria Date Of Retirement must be greater than Date of Joining,Data da aposentadoria deve ser maior que Data de Juntando Date is repeated,Data é repetido -Date must be in format: {0},A data deve estar no formato : {0} Date of Birth,Data de Nascimento Date of Issue,Data de Emissão Date of Joining,Data da Efetivação @@ -761,7 +715,6 @@ Dates,Datas Days Since Last Order,Dias desde Last Order Days for which Holidays are blocked for this department.,Dias para que feriados são bloqueados para este departamento. Dealer,Revendedor -Dear,Caro Debit,Débito Debit Amt,Montante de Débito Debit Note,Nota de Débito @@ -809,7 +762,6 @@ Default settings for stock transactions.,As configurações padrão para transa Defense,defesa "Define Budget for this Cost Center. To set budget action, see Company Master","Definir Orçamento para este Centro de Custo. Para definir ação do orçamento, consulte Cadastro de Empresa" Delete,Excluir -Delete Row,Apagar Linha Delete {0} {1}?,Excluir {0} {1} ? Delivered,Entregue Delivered Items To Be Billed,Itens entregues a ser cobrado @@ -836,7 +788,6 @@ Department,Departamento Department Stores,Lojas de Departamento Depends on LWP,Dependem do LWP Depreciation,depreciação -Descending,Descendente Description,Descrição Description HTML,Descrição HTML Designation,Designação @@ -881,15 +832,10 @@ Do you really want to stop production order: , Doc Name,Nome do Documento Doc Type,Tipo do Documento Document Description,Descrição do documento -Document Status transition from ,Documento transição Estado de -Document Status transition from {0} to {1} is not allowed,Transição Status do Documento de {0} para {1} não é permitido Document Type,Tipo de Documento -Document is only editable by users of role,Documento só é editável por usuários da função -Documentation,Documentação Documents,Documentos Domain,Domínio Don't send Employee Birthday Reminders,Não envie Employee Aniversário Lembretes -Download,baixar Download Materials Required,Baixar Materiais Necessários Download Reconcilation Data,Download dados a reconciliação Download Template,Baixar o Modelo @@ -898,8 +844,6 @@ Download a report containing all raw materials with their latest inventory statu "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","Baixe o modelo , preencha os dados apropriados e anexe o arquivo modificado. \ NTodas datas e combinação de funcionários no período selecionado virá no modelo, com registros de freqüência existentes" Draft,Rascunho -Drafts,Rascunhos -Drag to sort columns,Arraste para classificar colunas Dropbox,Dropbox Dropbox Access Allowed,Dropbox acesso permitido Dropbox Access Key,Dropbox Chave de Acesso @@ -920,7 +864,6 @@ Earning & Deduction,Ganho & Dedução Earning Type,Tipo de Ganho Earning1,Earning1 Edit,Editar -Editable,Editável Education,educação Educational Qualification,Qualificação Educacional Educational Qualification Details,Detalhes da Qualificação Educacional @@ -940,12 +883,9 @@ Email Id,Endereço de e-mail "Email Id where a job applicant will email e.g. ""jobs@example.com""","Endereço do e-mail onde um candidato a emprego vai enviar e-mail, por exemplo: "empregos@exemplo.com"" Email Notifications,Notificações de e-mail Email Sent?,E-mail enviado? -"Email addresses, separted by commas","Endereços de email, separados por vírgulas" "Email id must be unique, already exists for {0}","ID de e-mail deve ser único, já existe para {0}" Email ids separated by commas.,Ids e-mail separados por vírgulas. -Email sent to {0},E-mail enviado para {0} "Email settings to extract Leads from sales email id e.g. ""sales@example.com""","Configurações de e-mail para extrair Prospectos do e-mail de vendas, por exemplo "vendas@exemplo.com"" -Email...,E-mail ... Emergency Contact,Contato de emergência Emergency Contact Details,Detalhes do contato de emergência Emergency Phone,Telefone de emergência @@ -984,7 +924,6 @@ End date of current invoice's period,Data final do período de fatura atual End of Life,Fim de Vida Energy,energia Engineer,engenheiro -Enter Value,Digite o Valor Enter Verification Code,Digite o Código de Verificação Enter campaign name if the source of lead is campaign.,Digite o nome da campanha se a origem do Prospecto foi uma campanha. Enter department to which this Contact belongs,Entre com o departamento a que este contato pertence @@ -1002,7 +941,6 @@ Entries,Lançamentos Entries against,Entradas contra Entries are not allowed against this Fiscal Year if the year is closed.,Lançamentos não são permitidos contra este Ano Fiscal se o ano está fechado. Entries before {0} are frozen,Entradas antes {0} são congelados -Equals,Equals Equity,equidade Error: {0} > {1},Erro: {0} > {1} Estimated Material Cost,Custo estimado de Material @@ -1019,7 +957,6 @@ Exhibition,Exposição Existing Customer,Cliente existente Exit,Sair Exit Interview Details,Detalhes da Entrevista de saída -Expand,expandir Expected,Esperado Expected Completion Date can not be less than Project Start Date,Esperada Data de Conclusão não pode ser inferior a Projeto Data de Início Expected Date cannot be before Material Request Date,Data prevista não pode ser antes de Material Data do Pedido @@ -1052,8 +989,6 @@ Expenses Booked,Despesas agendadas Expenses Included In Valuation,Despesas incluídos na avaliação Expenses booked for the digest period,Despesas reservadas para o período digest Expiry Date,Data de validade -Export,Exportar -Export not allowed. You need {0} role to export.,Exportação não é permitido . Você precisa de {0} papel para exportar . Exports,Exportações External,Externo Extract Emails,Extrair e-mails @@ -1068,11 +1003,8 @@ Feedback,Comentários Female,Feminino Fetch exploded BOM (including sub-assemblies),Fetch BOM explodiu (incluindo sub-conjuntos ) "Field available in Delivery Note, Quotation, Sales Invoice, Sales Order","Campo disponível na Guia de Remessa, Cotação, Nota Fiscal de Venda, Ordem de Venda" -Field {0} is not selectable.,O campo {0} não é selecionável. -File,Arquivo Files Folder ID,Arquivos de ID de pasta Fill the form and save it,Preencha o formulário e salvá-lo -Filter,Filtre Filter based on customer,Filtrar baseado em cliente Filter based on item,Filtrar baseado no item Financial / accounting year.,Exercício / contabilidade. @@ -1101,14 +1033,10 @@ For Server Side Print Formats,Para o lado do servidor de impressão Formatos For Supplier,para Fornecedor For Warehouse,Para Almoxarifado For Warehouse is required before Submit,Para for necessário Armazém antes Enviar -"For comparative filters, start with","Para filtros comparativos, comece com" "For e.g. 2012, 2012-13","Para por exemplo 2012, 2012-13" -For ranges,Para faixas For reference,Para referência For reference only.,Apenas para referência. "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" -Form,Forma -Forums,Fóruns Fraction,Fração Fraction Units,Unidades fracionadas Freeze Stock Entries,Congelar da Entries @@ -1161,12 +1089,10 @@ Generate Material Requests (MRP) and Production Orders.,Gerar Pedidos de Materia Generate Salary Slips,Gerar folhas de pagamento Generate Schedule,Gerar Agenda Generates HTML to include selected image in the description,Gera HTML para incluir a imagem selecionada na descrição -Get,Obter Get Advances Paid,Obter adiantamentos pagos Get Advances Received,Obter adiantamentos recebidos Get Against Entries,Obter Contra Entradas Get Current Stock,Obter Estoque atual -Get From ,Obter do Get Items,Obter itens Get Items From Sales Orders,Obter itens de Pedidos de Vendas Get Items from BOM,Obter itens de BOM @@ -1194,8 +1120,6 @@ Government,governo Graduate,Pós-graduação Grand Total,Total Geral Grand Total (Company Currency),Grande Total (moeda da empresa) -Greater or equals,Maior ou igual -Greater than,maior do que "Grid ""","Grid """ Grocery,mercearia Gross Margin %,Margem Bruta % @@ -1207,7 +1131,6 @@ Gross Profit (%),Lucro Bruto (%) Gross Weight,Peso bruto Gross Weight UOM,UDM do Peso Bruto Group,Grupo -"Group Added, refreshing...","Grupo Adicionado, refrescante ..." Group by Account,Grupo por Conta Group by Voucher,Grupo pela Vale Group or Ledger,Grupo ou Razão @@ -1229,14 +1152,12 @@ Health Care,Atenção à Saúde Health Concerns,Preocupações com a Saúde Health Details,Detalhes sobre a Saúde Held On,Realizada em -Help,Ajudar Help HTML,Ajuda HTML "Help: To link to another record in the system, use ""#Form/Note/[Note Name]"" as the Link URL. (don't use ""http://"")","Ajuda: Para vincular a outro registro no sistema, use "# Form / Nota / [Nota Name]" como a ligação URL. (Não use "http://")" "Here you can maintain family details like name and occupation of parent, spouse and children","Aqui você pode manter detalhes familiares como o nome e ocupação do cônjuge, pai e filhos" "Here you can maintain height, weight, allergies, medical concerns etc","Aqui você pode manter a altura, peso, alergias, preocupações médica, etc" Hide Currency Symbol,Ocultar Símbolo de Moeda High,Alto -History,História History In Company,Histórico na Empresa Hold,Segurar Holiday,Feriado @@ -1281,17 +1202,14 @@ If you have Sales Team and Sale Partners (Channel Partners) they can be tagged If you involve in manufacturing activity. Enables Item 'Is Manufactured',Se envolver em atividades de fabricação. Permite Item ' é fabricado ' Ignore,Ignorar Ignored: ,Ignorados: -"Ignoring Item {0}, because a group exists with the same name!","Ignorando item {0}, porque um grupo existe com o mesmo nome!" Image,Imagem Image View,Ver imagem Implementation Partner,Parceiro de implementação -Import,Importar Import Attendance,Importação de Atendimento Import Failed!,Falha na importação ! Import Log,Importar Log Import Successful!,Importe com sucesso! Imports,Importações -In,em In Hours,Em Horas In Process,Em Processo In Qty,No Qt @@ -1306,7 +1224,6 @@ In Words will be visible once you save the Purchase Receipt.,Por extenso será v In Words will be visible once you save the Quotation.,Por extenso será visível quando você salvar a cotação. In Words will be visible once you save the Sales Invoice.,Por extenso será visível quando você salvar a Nota Fiscal de Venda. In Words will be visible once you save the Sales Order.,Por extenso será visível quando você salvar a Ordem de Venda. -In response to,Em resposta ao(s) Incentives,Incentivos Include Reconciled Entries,Incluir entradas Reconciliados Include holidays in Total no. of Working Days,Incluir feriados em nenhuma total. de dias de trabalho @@ -1327,8 +1244,6 @@ Indirect Income,Resultado indirecto Individual,Individual Industry,Indústria Industry Type,Tipo de indústria -Insert Below,Inserir Abaixo -Insert Row,Inserir Linha Inspected By,Inspecionado por Inspection Criteria,Critérios de Inspeção Inspection Required,Inspeção Obrigatória @@ -1350,8 +1265,6 @@ Internal,Interno Internet Publishing,Publishing Internet Introduction,Introdução Invalid Barcode or Serial No,Código de barras inválido ou Serial Não -Invalid Email: {0},E-mail inválido : {0} -Invalid Filter: {0},Filtro inválido: {0} Invalid Mail Server. Please rectify and try again.,"Mail Server inválido . Por favor, corrigir e tentar novamente." Invalid Master Name,Invalid Name Mestre Invalid User Name or Support Password. Please rectify and try again.,"Nome de usuário inválido ou senha Suporte . Por favor, corrigir e tentar novamente." @@ -1516,7 +1429,6 @@ Landed Cost updated successfully,Custo Landed atualizado com sucesso Language,Idioma Last Name,Sobrenome Last Purchase Rate,Valor da última compra -Last updated by,Última actualização por Latest,Latest Lead,Prospecto Lead Details,Detalhes do Prospecto @@ -1566,24 +1478,17 @@ Ledgers,livros Left,Esquerda Legal,legal Legal Expenses,despesas legais -Less or equals,Menor ou igual -Less than,menor que Letter Head,Timbrado Letter Heads for print templates.,Chefes de letras para modelos de impressão . Level,Nível Lft,Esq. Liability,responsabilidade -Like,como -Linked With,Ligado com -List,Lista List a few of your customers. They could be organizations or individuals.,Liste alguns de seus clientes. Eles podem ser organizações ou indivíduos . List a few of your suppliers. They could be organizations or individuals.,Liste alguns de seus fornecedores. Eles podem ser organizações ou indivíduos . List items that form the package.,Lista de itens que compõem o pacote. List this Item in multiple groups on the website.,Listar este item em vários grupos no site. "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 seus produtos ou serviços que você comprar ou vender . "List your tax heads (e.g. VAT, Excise; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Liste seus chefes de impostos (por exemplo, IVA , impostos especiais de consumo , que devem ter nomes exclusivos ) e suas taxas normais." -Loading,Carregando -Loading Report,Relatório de carregamento Loading...,Carregando ... Loans (Liabilities),Empréstimos ( Passivo) Loans and Advances (Assets),Empréstimos e Adiantamentos (Ativo ) @@ -1591,7 +1496,6 @@ Local,local Login with your new User ID,Entrar com o seu novo ID de usuário Logo,Logotipo Logo and Letter Heads,Logo e Carta Chefes -Logout,Sair Lost,perdido Lost Reason,Razão da perda Low,Baixo @@ -1642,7 +1546,6 @@ Make Salary Structure,Faça Estrutura Salarial Make Sales Invoice,Fazer vendas Fatura Make Sales Order,Faça Ordem de Vendas Make Supplier Quotation,Faça Fornecedor Cotação -Make a new,Fazer um novo Male,Masculino Manage Customer Group Tree.,Gerenciar Grupo Cliente Tree. Manage Sales Person Tree.,Gerenciar Vendas Pessoa Tree. @@ -1650,8 +1553,6 @@ Manage Territory Tree.,Gerenciar Árvore Território. Manage cost of operations,Gerenciar custo das operações Management,gestão Manager,gerente -Mandatory fields required in {0},Os campos obrigatórios exigidos no {0} -Mandatory filters required:\n,Filtros obrigatórios exigidos : \ n "Mandatory if Stock Item is ""Yes"". Also the default warehouse where reserved quantity is set from Sales Order.","Obrigatório se o estoque do item é "Sim". Além disso, o armazém padrão onde quantidade reservada é definido a partir de Ordem de Vendas." Manufacture against Sales Order,Fabricação contra a Ordem de Venda Manufacture/Repack,Fabricar / Reembalar @@ -1722,13 +1623,11 @@ Minute,minuto Misc Details,Detalhes Diversos Miscellaneous Expenses,Despesas Diversas Miscelleneous,Diversos -Missing Values Required,Faltando valores obrigatórios Mobile No,Telefone Celular Mobile No.,Telefone Celular. Mode of Payment,Forma de Pagamento Modern,Moderno Modified Amount,Quantidade modificada -Modified by,Modificado(a) por Monday,Segunda-feira Month,Mês Monthly,Mensal @@ -1736,12 +1635,9 @@ Monthly Attendance Sheet,Folha de Presença Mensal Monthly Earning & Deduction,Salário mensal e dedução Monthly Salary Register,Salário mensal Registrar Monthly salary statement.,Declaração salarial mensal. -More,Mais More Details,Mais detalhes More Info,Mais informações Motion Picture & Video,Motion Picture & Video -Move Down: {0},Mover para baixo : {0} -Move Up: {0},Mover para cima : {0} Moving Average,Média móvel Moving Average Rate,Taxa da Média Móvel Mr,Sr. @@ -1751,12 +1647,9 @@ Multiple Item prices.,Vários preços item. conflict by assigning priority. Price Rules: {0}","Várias Rule Preço existe com os mesmos critérios , por favor resolver \ \ n conflito , atribuindo prioridade." Music,música Must be Whole Number,Deve ser Número inteiro -My Settings,Minhas Configurações Name,Nome Name and Description,Nome e descrição Name and Employee ID,Nome e identificação do funcionário -Name is required,Nome é obrigatório -Name not permitted,Nome não é permitida "Name of new Account. Note: Please don't create accounts for Customers and Suppliers, they are created automatically from the Customer and Supplier master","Nome de nova conta. Nota: Por favor, não criar contas para clientes e fornecedores , eles são criados automaticamente a partir do Cliente e Fornecedor mestre" Name of person or organization that this address belongs to.,Nome da pessoa ou organização a que este endereço pertence. Name of the Budget Distribution,Nome da Distribuição de Orçamento @@ -1774,7 +1667,6 @@ Net Weight UOM,UDM do Peso Líquido Net Weight of each Item,Peso líquido de cada item Net pay cannot be negative,Salário líquido não pode ser negativo Never,Nunca -New,novo New , New Account,Nova Conta New Account Name,Novo Nome da conta @@ -1794,7 +1686,6 @@ New Projects,Novos Projetos New Purchase Orders,Novas Ordens de Compra New Purchase Receipts,Novos Recibos de Compra New Quotations,Novas Cotações -New Record,Novo Registro New Sales Orders,Novos Pedidos de Venda New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,"New Serial Não, não pode ter Warehouse. Warehouse deve ser definida pelo Banco de entrada ou Recibo de compra" New Stock Entries,Novos lançamentos de estoque @@ -1816,11 +1707,8 @@ Next,próximo Next Contact By,Próximo Contato Por Next Contact Date,Data do próximo Contato Next Date,Próxima data -Next Record,Próximo Registro -Next actions,Próximas ações Next email will be sent on:,Próximo e-mail será enviado em: No,Não -No Communication tagged with this ,Nenhuma comunicação com etiquetas com esta No Customer Accounts found.,Nenhum cliente foi encontrado. No Customer or Supplier Accounts found,Nenhum cliente ou fornecedor encontrado No Expense Approvers. Please assign 'Expense Approver' Role to atleast one user,"Não aprovadores Despesas. Por favor, atribuir função ' Despesa aprovador ' para pelo menos um usuário" @@ -1830,48 +1718,31 @@ No Items to pack,Nenhum item para embalar No Leave Approvers. Please assign 'Leave Approver' Role to atleast one user,"Não aprovadores sair. Por favor, atribuir ' Leave Aprovador ""Papel de pelo menos um usuário" No Permission,Nenhuma permissão No Production Orders created,Não há ordens de produção criadas -No Report Loaded. Please use query-report/[Report Name] to run a report.,"Não Relatório Loaded. Por favor, use-consulta do relatório / [Nome do relatório] para executar um relatório." -No Results,nenhum resultado No Supplier Accounts found. Supplier Accounts are identified based on 'Master Type' value in account record.,Nenhum fornecedor responde encontrado. Contas de fornecedores são identificados com base no valor 'Master Type' na conta de registro. No accounting entries for the following warehouses,Nenhuma entrada de contabilidade para os seguintes armazéns No addresses created,Nenhum endereço criadas No contacts created,Nenhum contato criadas No default BOM exists for Item {0},No BOM padrão existe para item {0} No description given,Sem descrição dada -No document selected,Nenhum documento selecionado No employee found,Nenhum funcionário encontrado No employee found!,Nenhum funcionário encontrado! No of Requested SMS,Nº de SMS pedidos No of Sent SMS,Nº de SMS enviados No of Visits,Nº de Visitas -No one,Ninguém No permission,Sem permissão -No permission to '{0}' {1},Sem permissão para '{0} ' {1} -No permission to edit,Sem permissão para editar No record found,Nenhum registro encontrado -No records tagged.,Não há registros marcados. No salary slip found for month: ,Sem folha de salário encontrado para o mês: Non Profit,sem Fins Lucrativos -None,Nenhum -None: End of Workflow,Nenhum: Fim do fluxo de trabalho Nos,Nos Not Active,Não Ativo Not Applicable,Não Aplicável Not Available,não disponível Not Billed,Não Faturado Not Delivered,Não Entregue -Not Found,Não Encontrado -Not Linked to any record.,Não relacionado a qualquer registro. -Not Permitted,Não Permitido Not Set,não informado -Not Submitted,não enviado -Not allowed,não permitido Not allowed to update entries older than {0},Não permitido para atualizar as entradas mais velho do que {0} Not authorized to edit frozen Account {0},Não autorizado para editar conta congelada {0} Not authroized since {0} exceeds limits,Não authroized desde {0} excede os limites -Not enough permission to see links.,Sem permissão suficiente para ver os links. -Not equals,não iguais -Not found,não foi encontrado Not permitted,não é permitido Note,Nota Note User,Nota usuários @@ -1880,7 +1751,6 @@ Note User,Nota usuários Note: Due Date exceeds the allowed credit days by {0} day(s),Nota: Due Date excede os dias de crédito permitidas por {0} dia (s) Note: Email will not be sent to disabled users,Nota: e-mails não serão enviado para usuários desabilitados Note: Item {0} entered multiple times,Nota : Item {0} entrou várias vezes -Note: Other permission rules may also apply,Nota: Outras regras de permissão também podem se aplicar 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 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 Note: There is not enough leave balance for Leave Type {0},Nota: Não é suficiente equilíbrio pela licença Tipo {0} @@ -1889,12 +1759,9 @@ Note: {0},Nota : {0} Notes,Notas Notes:,notas: Nothing to request,Nada de pedir -Nothing to show,Nada para mostrar -Nothing to show for this selection,Nada para mostrar para esta seleção Notice (days),Notice ( dias) Notification Control,Controle de Notificação Notification Email Address,Endereço de email de notificação -Notify By Email,Notificar por e-mail Notify by Email on creation of automatic Material Request,Notificar por e-mail sobre a criação de Pedido de material automático Number Format,Formato de número Offer Date,Oferta Data @@ -1938,7 +1805,6 @@ Opportunity Items,Itens da oportunidade Opportunity Lost,Oportunidade perdida Opportunity Type,Tipo de Oportunidade Optional. This setting will be used to filter in various transactions.,Opcional . Esta configuração será usada para filtrar em várias transações. -Or Created By,Ou Criado por Order Type,Tipo de Ordem Order Type must be one of {1},Tipo de Ordem deve ser uma das {1} Ordered,pedido @@ -1953,7 +1819,6 @@ Organization Profile,Perfil da Organização Organization branch master.,Mestre Organização ramo . Organization unit (department) master.,Organização unidade (departamento) mestre. Original Amount,Valor original -Original Message,Mensagem original Other,Outro Other Details,Outros detalhes Others,outros @@ -1996,7 +1861,6 @@ Packing Slip Items,Itens da Guia de Remessa Packing Slip(s) cancelled,Deslizamento (s) de embalagem cancelado Page Break,Quebra de página Page Name,Nome da Página -Page not found,Página não encontrada Paid Amount,Valor pago Paid amount + Write Off Amount can not be greater than Grand Total,Valor pago + Write Off Valor não pode ser maior do que o total geral Pair,par @@ -2062,9 +1926,6 @@ Period Closing Voucher,Comprovante de Encerramento período Periodicity,Periodicidade Permanent Address,Endereço permanente Permanent Address Is,Endereço permanente é -Permanently Cancel {0}?,Permanentemente Cancelar {0} ? -Permanently Submit {0}?,Permanentemente Enviar {0} ? -Permanently delete {0}?,Excluir permanentemente {0} ? Permission,Permissão Personal,Pessoal Personal Details,Detalhes pessoais @@ -2073,7 +1934,6 @@ Pharmaceutical,farmacêutico Pharmaceuticals,Pharmaceuticals Phone,Telefone Phone No,Nº de telefone -Pick Columns,Escolha as Colunas Piecework,trabalho por peça Pincode,PINCODE Place of Issue,Local de Emissão @@ -2086,8 +1946,6 @@ Plant,Planta Plant and Machinery,Máquinas e instalações Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,Por favor insira a correta Abreviação ou Nome Curto pois ele será adicionado como sufixo a todas as Contas. Please add expense voucher details,"Por favor, adicione despesas detalhes do voucher" -Please attach a file first.,"Por favor, anexar um arquivo pela primeira vez." -Please attach a file or set a URL,"Por favor, anexar um arquivo ou definir uma URL" Please check 'Is Advance' against Account {0} if this is an advance entry.,"Por favor, verifique 'É Advance' contra Conta {0} se isso é uma entrada antecipadamente." Please click on 'Generate Schedule',"Por favor, clique em "" Gerar Agenda '" Please click on 'Generate Schedule' to fetch Serial No added for Item {0},"Por favor, clique em "" Gerar Cronograma ' para buscar Serial Sem adição de item {0}" @@ -2096,7 +1954,6 @@ Please create Customer from Lead {0},"Por favor, crie Cliente de chumbo {0}" Please create Salary Structure for employee {0},"Por favor, crie estrutura salarial por empregado {0}" Please create new account from Chart of Accounts.,"Por favor, crie uma nova conta de Plano de Contas ." Please do NOT create Account (Ledgers) for Customers and Suppliers. They are created directly from the Customer / Supplier masters.,"Por favor, não criar Conta ( Ledger ) para Clientes e Fornecedores . Eles são criados diretamente dos clientes / fornecedores mestres." -Please enable pop-ups,Por favor habilite os pop-ups Please enter 'Expected Delivery Date',"Por favor, digite ' Data prevista de entrega '" Please enter 'Is Subcontracted' as Yes or No,"Por favor, digite ' é subcontratado ""como Sim ou Não" Please enter 'Repeat on Day of Month' field value,"Por favor, digite 'Repeat no Dia do Mês ' valor do campo" @@ -2107,7 +1964,6 @@ Please enter Company,"Por favor, indique Empresa" Please enter Cost Center,"Por favor, indique Centro de Custo" Please enter Delivery Note No or Sales Invoice No to proceed,Por favor insira Entrega Nota Não ou fatura de vendas Não para continuar Please enter Employee Id of this sales parson,Por favor entre Employee Id deste pároco vendas -Please enter Event's Date and Time!,"Por favor, indique a data ea hora do evento!" Please enter Expense Account,Por favor insira Conta Despesa Please enter Item Code to get batch no,"Por favor, insira o Código Item para obter lotes não" Please enter Item Code.,"Por favor, insira o Código Item." @@ -2133,14 +1989,11 @@ Please enter parent cost center,Por favor entre o centro de custo pai Please enter quantity for Item {0},"Por favor, indique a quantidade de item {0}" Please enter relieving date.,"Por favor, indique data alívio ." Please enter sales order in the above table,Por favor entre pedidos de vendas na tabela acima -Please enter some text!,"Por favor, digite algum texto!" -Please enter title!,"Por favor, indique título!" Please enter valid Company Email,Por favor insira válido Empresa E-mail Please enter valid Email Id,"Por favor, indique -mail válido Id" Please enter valid Personal Email,"Por favor, indique -mail válido Pessoal" Please enter valid mobile nos,"Por favor, indique nn móveis válidos" Please install dropbox python module,"Por favor, instale o Dropbox módulo python" -Please login to Upvote!,Por favor login para upvote ! Please mention no of visits required,"Por favor, não mencione de visitas necessárias" Please pull items from Delivery Note,"Por favor, puxar itens de entrega Nota" Please save the Newsletter before sending,"Por favor, salve o Boletim informativo antes de enviar" @@ -2191,8 +2044,6 @@ Plot By,Lote por Point of Sale,Ponto de Venda Point-of-Sale Setting,Configurações de Ponto-de-Venda Post Graduate,Pós-Graduação -Post already exists. Cannot add again!,Publicar já existe. Não é possível adicionar mais uma vez ! -Post does not exist. Please add post!,"O Post não existe. Por favor, adicione post!" Postal,Postal Postal Expenses,despesas postais Posting Date,Data da Postagem @@ -2207,7 +2058,6 @@ Prevdoc DocType,Prevdoc DocType Prevdoc Doctype,Prevdoc Doctype Preview,visualização Previous,anterior -Previous Record,Registro anterior Previous Work Experience,Experiência anterior de trabalho Price,preço Price / Discount,Preço / desconto @@ -2226,12 +2076,10 @@ Price or Discount,Preço ou desconto Pricing Rule,Regra de Preços Pricing Rule For Discount,Preços Regra para desconto Pricing Rule For Price,Preços regra para Preço -Print,impressão Print Format Style,Formato de impressão Estilo Print Heading,Cabeçalho de impressão Print Without Amount,Imprimir Sem Quantia Print and Stationary,Imprimir e estacionária -Print...,Imprimir ... Printing and Branding,Impressão e Branding Priority,Prioridade Private Equity,Private Equity @@ -2357,7 +2205,6 @@ Quantity of item obtained after manufacturing / repacking from given quantities Quantity required for Item {0} in row {1},Quantidade necessária para item {0} na linha {1} Quarter,Trimestre Quarterly,Trimestral -Query Report,Relatório da Consulta Quick Help,Ajuda Rápida Quotation,Cotação Quotation Date,Data da Cotação @@ -2459,14 +2306,11 @@ Rejected Warehouse is mandatory against regected item,Armazém Rejeitado é obri Relation,Relação Relieving Date,Data da Liberação Relieving Date must be greater than Date of Joining,Aliviar A data deve ser maior que Data de Juntando -Reload Page,Atualizar Página Remark,Observação Remarks,Observações -Remove Bookmark,Remover Bookmark Rename,rebatizar Rename Log,Renomeie Entrar Rename Tool,Ferramenta de Renomear -Rename...,Renomear ... Rent Cost,Rent Custo Rent per hour,Alugar por hora Rented,Alugado @@ -2474,12 +2318,9 @@ Repeat on Day of Month,Repita no Dia do Mês Replace,Substituir Replace Item / BOM in all BOMs,Substituir item / LDM em todas as LDMs Replied,Respondeu -Report,Relatório Report Date,Data do Relatório Report Type,Tipo de relatório Report Type is mandatory,Tipo de relatório é obrigatória -Report an Issue,Relatar um incidente -Report was not saved (there were errors),O Relatório não foi salvo (houve erros) Reports to,Relatórios para Reqd By Date,Requisições Por Data Request Type,Tipo de Solicitação @@ -2630,7 +2471,6 @@ Salutation,Saudação Sample Size,Tamanho da amostra Sanctioned Amount,Quantidade sancionada Saturday,Sábado -Save,salvar Schedule,Agendar Schedule Date,Programação Data Schedule Details,Detalhes da Agenda @@ -2644,7 +2484,6 @@ Score (0-5),Pontuação (0-5) Score Earned,Pontuação Obtida Score must be less than or equal to 5,Pontuação deve ser inferior ou igual a 5 Scrap %,Sucata % -Search,Pesquisar Seasonality for setting budgets.,Sazonalidade para definir orçamentos. Secretary,secretário Secured Loans,Empréstimos garantidos @@ -2656,26 +2495,18 @@ Securities and Deposits,Títulos e depósitos "Select ""Yes"" if this item represents some work like training, designing, consulting etc.","Selecione "Sim" se esse item representa algum trabalho como treinamento, design, consultoria, etc" "Select ""Yes"" if you are maintaining stock of this item in your Inventory.",Selecione "Sim" se você está mantendo estoque deste item no seu Inventário. "Select ""Yes"" if you supply raw materials to your supplier to manufacture this item.",Selecione "Sim" se você fornece as matérias-primas para o seu fornecedor fabricar este item. -Select All,Selecionar tudo -Select Attachments,Selecione os Anexos Select Budget Distribution to unevenly distribute targets across months.,Selecione distribuição do orçamento para distribuir metas diferentes para os meses. "Select Budget Distribution, if you want to track based on seasonality.","Selecione distribuição do orçamento, se você quiser acompanhar baseado em sazonalidade." Select DocType,Selecione o DocType Select Items,Selecione itens -Select Print Format,Selecione o Formato de Impressão Select Purchase Receipts,Selecione recibos de compra -Select Report Name,Selecione o Nome do Relatório Select Sales Orders,Selecione as Ordens de Venda Select Sales Orders from which you want to create Production Orders.,Selecione as Ordens de Venda a partir das quais você deseja criar Ordens de Produção. Select Time Logs and Submit to create a new Sales Invoice.,Selecione Time Logs e enviar para criar uma nova factura de venda. -Select To Download:,Selecione Para Download: Select Transaction,Selecione a Transação -Select Type,Selecione o Tipo Select Your Language,Selecione seu idioma Select account head of the bank where cheque was deposited.,Selecione a Conta do banco onde o cheque foi depositado. Select company name first.,Selecione o nome da empresa por primeiro. -Select dates to create a new ,Selecione as datas para criar uma nova -Select or drag across time slots to create a new event.,Selecione ou arraste intervalos de tempo para criar um novo evento. Select template from which you want to get the Goals,Selecione o modelo a partir do qual você deseja obter as Metas Select the Employee for whom you are creating the Appraisal.,Selecione o funcionário para quem você está criando a Avaliação. Select the period when the invoice will be generated automatically,Selecione o período em que a fatura será gerada automaticamente @@ -2691,11 +2522,9 @@ Select your home country and check the timezone and currency.,Selecione o seu pa Selling,Vendas Selling Settings,Vendendo Configurações Send,Enviar -Send As Email,Enviar como e-mail Send Autoreply,Enviar Resposta Automática Send Email,Enviar E-mail Send From,Enviar de -Send Me A Copy,Envie-me uma cópia Send Notifications To,Enviar notificações para Send Now,Enviar agora Send SMS,Envie SMS @@ -2705,7 +2534,6 @@ Send mass SMS to your contacts,Enviar SMS em massa para seus contatos Send to this list,Enviar para esta lista Sender Name,Nome do Remetente Sent On,Enviado em -Sent or Received,Enviados ou recebidos Separate production order will be created for each finished good item.,Uma Ordem de Produção separada será criada para cada item acabado. Serial No,Nº de Série Serial No / Batch,N º de Série / lote @@ -2739,11 +2567,9 @@ Series {0} already used in {1},Série {0} já usado em {1} Service,serviço Service Address,Endereço de Serviço Services,Serviços -Session Expired. Logging you out,A sessão expirou. Você será deslogado Set,conjunto "Set Default Values like Company, Currency, Current Fiscal Year, etc.","Definir valores padrão , como Company, de moeda, Atual Exercício , etc" Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,"Definir orçamentos para Grupos de Itens neste território. Você também pode incluir a sazonalidade, defininda na Distribuição." -Set Link,Definir ligação Set as Default,Definir como padrão Set as Lost,Definir como perdida Set prefix for numbering series on your transactions,Definir prefixo para séries de numeração em suas transações @@ -2776,17 +2602,12 @@ Shipping Rule Label,Regra envio Rótulo Shop,Loja Shopping Cart,Carrinho de Compras Short biography for website and other publications.,Breve biografia para o site e outras publicações. -Shortcut,Atalho "Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",Mostrar "Em Stock" ou "Fora de Estoque" baseado no estoque disponível neste almoxarifado. "Show / Hide features like Serial Nos, POS etc.","Mostrar / Ocultar recursos como os números de ordem , POS , etc" -Show Details,Ver detalhes Show In Website,Mostrar No Site -Show Tags,Mostrar Marcações Show a slideshow at the top of the page,Mostrar uma apresentação de slides no topo da página Show in Website,Mostrar no site -Show rows with zero values,Mostrar as linhas com valores zero Show this slideshow at the top of the page,Mostrar esta apresentação de slides no topo da página -Showing only for (if not empty),Mostrando apenas para (se não está vazio ) Sick Leave,doente Deixar Signature,Assinatura Signature to be appended at the end of every email,Assinatura para ser inserida no final de cada e-mail @@ -2797,11 +2618,8 @@ Slideshow,Apresentação de slides Soap & Detergent,Soap & detergente Software,Software Software Developer,Software Developer -Sorry we were unable to find what you were looking for.,"Desculpe, não encontramos o que você estava procurando." -Sorry you are not permitted to view this page.,"Desculpe, você não tem permissão para visualizar esta página." "Sorry, Serial Nos cannot be merged","Desculpe, os números de ordem não podem ser mescladas" "Sorry, companies cannot be merged","Desculpe , as empresas não podem ser mescladas" -Sort By,Classificar por Source,Fonte Source File,Source File Source Warehouse,Almoxarifado de origem @@ -2826,7 +2644,6 @@ Standard Selling,venda padrão Standard contract terms for Sales or Purchase.,Termos do contrato padrão para vendas ou compra. Start,começo Start Date,Data de Início -Start Report For,Começar Relatório para Start date of current invoice's period,Data de início do período de fatura atual Start date should be less than end date for Item {0},Data de início deve ser inferior a data final para o item {0} State,Estado @@ -2884,7 +2701,6 @@ Sub Assemblies,Sub Assembléias "Sub-currency. For e.g. ""Cent""",Sub-moeda. Por exemplo "Centavo" Subcontract,Subcontratar Subject,Assunto -Submit,Enviar Submit Salary Slip,Enviar folha de pagamento Submit all salary slips for the above selected criteria,Enviar todas as folhas de pagamento para os critérios acima selecionados Submit this Production Order for further processing.,Enviar esta ordem de produção para posterior processamento. @@ -2928,7 +2744,6 @@ Support Email Settings,Suporte Configurações de e-mail Support Password,Senha do Suporte Support Ticket,Ticket de Suporte Support queries from customers.,Suporte a consultas de clientes. -Switch to Website,Mude para o site Symbol,Símbolo Sync Support Mails,Sincronizar E-mails de Suporte Sync with Dropbox,Sincronizar com o Dropbox @@ -2936,7 +2751,6 @@ Sync with Google Drive,Sincronia com o Google Drive System,Sistema System Settings,Configurações do sistema "System User (login) ID. If set, it will become default for all HR forms.","Identificação do usuário do sistema (login). Se for marcado, ele vai se tornar padrão para todos os formulários de RH." -Tags,Etiquetas Target Amount,Valor da meta Target Detail,Detalhe da meta Target Details,Detalhes da meta @@ -2995,7 +2809,6 @@ Territory Target Variance Item Group-Wise,Território Alvo Variance item Group-w Territory Targets,Metas do Território Test,Teste Test Email Id,Endereço de Email de Teste -Test Runner,Test Runner Test the Newsletter,Newsletter de Teste The BOM which will be replaced,A LDM que será substituída The First User: You,O primeiro usuário : Você @@ -3015,28 +2828,23 @@ The net weight of this package. (calculated automatically as sum of net weight o The new BOM after replacement,A nova LDM após substituição The rate at which Bill Currency is converted into company's base currency,A taxa na qual a moeda de faturamento é convertida na moeda base da empresa The unique id for tracking all recurring invoices. It is generated on submit.,A ID exclusiva para acompanhar todas as facturas recorrentes. Ele é gerado em enviar. -Then By (optional),"Em seguida, por (opcional)" There are more holidays than working days this month.,Há mais feriados do que dias úteis do mês. "There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Só pode haver uma regra de envio Condição com 0 ou valor em branco para "" To Valor """ There is not enough leave balance for Leave Type {0},Não há o suficiente equilíbrio pela licença Tipo {0} There is nothing to edit.,Não há nada a ser editado. There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,Houve um erro . Uma razão provável pode ser que você não tenha salvo o formulário. Entre em contato com support@erpnext.com se o problema persistir . -There were errors,Ocorreram erros -There were errors while sending email. Please try again.,"Ocorreram erros durante o envio de e-mail. Por favor, tente novamente." There were errors.,Ocorreram erros . This Currency is disabled. Enable to use in transactions,Esta moeda é desativado. Ativar para usar em transações This Leave Application is pending approval. Only the Leave Apporver can update status.,Este pedido de férias está pendente de aprovação . Somente o Leave Apporver pode atualizar status. This Time Log Batch has been billed.,Este lote Log O tempo tem sido anunciado. This Time Log Batch has been cancelled.,Este lote Log Tempo foi cancelada. This Time Log conflicts with {0},Este Log Tempo em conflito com {0} -This is PERMANENT action and you cannot undo. Continue?,Esta é uma ação PERMANENTE e não pode ser desfeita. Continuar? This is a root account and cannot be edited.,Esta é uma conta de root e não pode ser editada. This is a root customer group and cannot be edited.,Este é um grupo de clientes de raiz e não pode ser editada. This is a root item group and cannot be edited.,Este é um grupo de itens de raiz e não pode ser editada. This is a root sales person and cannot be edited.,Esta é uma pessoa de vendas de raiz e não pode ser editado . This is a root territory and cannot be edited.,Este é um território de raiz e não pode ser editada. This is an example website auto-generated from ERPNext,Este é um exemplo website auto- gerada a partir ERPNext -This is permanent action and you cannot undo. Continue?,Esta é uma ação PERMANENTE e não pode ser desfeita. Continuar? This is the number of the last created transaction with this prefix,Este é o número da última transação criada com este prefixo This will be used for setting rule in HR module,Isso será usado para a definição de regras no módulo RH Thread HTML,Tópico HTML @@ -3078,7 +2886,6 @@ To get Item Group in details table,Para obter Grupo de Itens na tabela de detalh "To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Para incluir impostos na linha {0} na taxa de Item, os impostos em linhas {1} também deve ser incluída" "To merge, following properties must be same for both items","Para mesclar , seguintes propriedades devem ser os mesmos para ambos os itens" "To report an issue, go to ", -"To run a test add the module name in the route after '{0}'. For example, {1}","Para executar um teste de adicionar o nome do módulo na rota depois de '{0}'. Por exemplo , {1}" "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 '" To track any installation or commissioning related work after sales,Para rastrear qualquer trabalho relacionado à instalação ou colocação em funcionamento após a venda "To track brand name in the following documents Delivery Note, Opportunity, Material Request, Item, Purchase Order, Purchase Voucher, Purchaser Receipt, Quotation, Sales Invoice, Sales BOM, Sales Order, Serial No","Para acompanhar marca nos seguintes documentos Nota de Entrega , Oportunidade, Solicitação Material, Item, Ordem de Compra, Compra Vale , Comprador recibo , cotação, nota fiscal de venda , Vendas BOM, Pedido de Vendas , Serial Não" @@ -3130,7 +2937,6 @@ Totals,Totais Track Leads by Industry Type.,Trilha leva por setor Type. Track this Delivery Note against any Project,Acompanhar este Guia de Remessa contra qualquer projeto Track this Sales Order against any Project,Acompanhar este Ordem de Venda contra qualquer projeto -Trainee,estagiário Transaction,Transação Transaction Date,Data da Transação Transaction not allowed against stopped Production Order {0},Transação não é permitido contra parou Ordem de produção {0} @@ -3162,7 +2968,6 @@ UOM Conversion Factor,Fator de Conversão da UDM UOM Conversion factor is required in row {0},UOM fator de conversão é necessária na linha {0} UOM Name,Nome da UDM UOM coversion factor required for UOM {0} in Item {1},Fator coversion UOM necessário para UOM {0} no item {1} -Unable to load: {0},Incapaz de carga : {0} Under AMC,Sob CAM Under Graduate,Em Graduação Under Warranty,Sob Garantia @@ -3172,11 +2977,8 @@ Unit of Measure {0} has been entered more than once in Conversion Factor Table,U "Unit of measurement of this item (e.g. Kg, Unit, No, Pair).","Unidade de medida do item (por exemplo: kg, unidade, nº, par)." Units/Hour,Unidades/hora Units/Shifts,Unidades/Turnos -Unknown Column: {0},Coluna desconhecido: {0} -Unknown Print Format: {0},Unknown Formato de Impressão : {0} Unmatched Amount,Quantidade incomparável Unpaid,Não remunerado -Unread Messages,Mensagens não lidas Unscheduled,Sem agendamento Unsecured Loans,Empréstimos não garantidos Unstop,desentupir @@ -3196,18 +2998,14 @@ Update bank payment dates with journals.,Atualizar datas de pagamento bancário Update clearance date of Journal Entries marked as 'Bank Vouchers',Data de apuramento Atualização de entradas de diário marcado como ' Banco ' Vouchers Updated,Atualizado Updated Birthday Reminders,Atualizado Aniversário Lembretes -Upload,carregar -Upload Attachment,Carregar anexos Upload Attendance,Envie Atendimento Upload Backups to Dropbox,Carregar Backups para Dropbox Upload Backups to Google Drive,Carregar Backups para Google Drive Upload HTML,Carregar HTML Upload a .csv file with two columns: the old name and the new name. Max 500 rows.,Enviar um arquivo CSV com duas colunas:. O nome antigo eo novo nome. No máximo 500 linhas. -Upload a file,Carregar um arquivo Upload attendance from a .csv file,Carregar comparecimento a partir de um arquivo CSV. Upload stock balance via csv.,Carregar saldo de estoque a partir de um arquivo CSV. Upload your letter head and logo - you can edit them later.,Envie seu cabeça carta e logo - você pode editá-las mais tarde. -Uploading...,Upload ... Upper Income,Renda superior Urgent,Urgente Use Multi-Level BOM,Utilize LDM de Vários Níveis @@ -3217,11 +3015,9 @@ User ID,ID de Usuário User ID not set for Employee {0},ID do usuário não definido para Employee {0} User Name,Nome de Usuário User Name or Support Password missing. Please enter and try again.,Nome de usuário ou senha Suporte faltando. Por favor entre e tente novamente. -User Permission Restrictions,Restrições a permissão do usuário User Remark,Observação do Usuário User Remark will be added to Auto Remark,Observação do usuário será adicionado à observação automática User Remarks is mandatory,Usuário Observações é obrigatório -User Restrictions,Restrições de Usuário User Specific,Especificas do usuário User must always select,O Usuário deve sempre selecionar User {0} is already assigned to Employee {1},Usuário {0} já está atribuído a Employee {1} @@ -3319,8 +3115,6 @@ Will be updated after Sales Invoice is Submitted.,Será atualizado após a factu Will be updated when batched.,Será atualizado quando agrupadas. Will be updated when billed.,Será atualizado quando faturado. Wire Transfer,por transferência bancária -With Groups,com Grupos -With Ledgers,com Ledgers With Operations,Com Operações With period closing entry,Com a entrada de encerramento do período Work Details,Detalhes da Obra @@ -3328,7 +3122,6 @@ Work Done,Trabalho feito Work In Progress,Trabalho em andamento Work-in-Progress Warehouse,Armazém Work-in-Progress Work-in-Progress Warehouse is required before Submit,Trabalho em andamento Warehouse é necessário antes de Enviar -Workflow will start after saving.,Fluxo de trabalho será iníciado após salvar. Working,Trabalhando Workstation,Estação de Trabalho Workstation Name,Nome da Estação de Trabalho @@ -3351,11 +3144,6 @@ Year Start Date should not be greater than Year End Date,Ano Data de início nã Year of Passing,Ano de Passagem Yearly,Anual Yes,Sim -Yesterday,Ontem -You are not allowed to create / edit reports,Você não tem permissão para criar / editar relatórios -You are not allowed to export this report,Você não tem permissão para exportar este relatório -You are not allowed to print this document,Você não tem permissão para imprimir este documento -You are not allowed to send emails related to this document,Você não tem permissão para enviar e-mails relacionados a este documento You are not authorized to add or update entries before {0},Você não está autorizado para adicionar ou atualizar entradas antes de {0} You are not authorized to set Frozen value,Você não está autorizado para definir o valor congelado You are the Expense Approver for this record. Please Update the 'Status' and Save,Você é o aprovador de despesa para esse registro. Atualize o 'Estado' e salvar @@ -3372,7 +3160,6 @@ You can submit this Stock Reconciliation.,Você pode enviar este Stock Reconcili You can update either Quantity or Valuation Rate or both.,Você pode atualizar ou Quantidade ou Taxa de Valorização ou ambos. You cannot credit and debit same account at the same time,Você não pode de crédito e débito mesma conta ao mesmo tempo You have entered duplicate items. Please rectify and try again.,"Você digitou itens duplicados . Por favor, corrigir e tentar novamente." -You have unsaved changes in this form. Please save before you continue.,Você tem alterações não salvas neste formulário. You may need to update: {0},Você pode precisar atualizar : {0} You must Save the form before proceeding,Você deve salvar o formulário antes de continuar You must allocate amount before reconcile,Você deve alocar o valor antes de reconciliação @@ -3381,7 +3168,6 @@ Your Customers,seus Clientes Your Login Id,Seu ID de login Your Products or Services,Seus produtos ou serviços Your Suppliers,seus Fornecedores -"Your download is being built, this may take a few moments...","O seu download está sendo construído, isso pode demorar alguns instantes ..." Your email address,Seu endereço de email Your financial year begins on,O ano financeiro tem início a Your financial year ends on,Seu exercício termina em @@ -3394,8 +3180,6 @@ Your support email id - must be a valid email - this is where your emails will c and,e are not allowed.,não são permitidos. assigned by,atribuído pela -comment,comentário -comments,comentários "e.g. ""Build tools for builders""","por exemplo ""Construa ferramentas para os construtores """ "e.g. ""MC""","por exemplo "" MC """ "e.g. ""My Company LLC""","por exemplo "" My Company LLC""" @@ -3405,14 +3189,9 @@ e.g. 5,por exemplo 5 e.g. VAT,por exemplo IVA eg. Cheque Number,"por exemplo, Número do cheque" example: Next Day Shipping,exemplo: Next Day envio -found,encontrado -is not allowed.,não é permitido. lft,esq. old_parent,old_parent -or,ou rgt,dir. -to,para -values and dates,valores e datas website page link,link da página do site {0} '{1}' not in Fiscal Year {2},{0} '{1}' não no ano fiscal de {2} {0} Credit limit {0} crossed,{0} Limite de crédito {0} atravessou diff --git a/erpnext/translations/pt.csv b/erpnext/translations/pt.csv index c656f5991b..a0796c3817 100644 --- a/erpnext/translations/pt.csv +++ b/erpnext/translations/pt.csv @@ -1,7 +1,5 @@ (Half Day),(Meio Dia) and year: ,e ano: - by Role ,por função - is not set,não está definido """ does not exists",""" Bestaat niet" % Delivered,Entregue% % Amount Billed,Valor% faturado @@ -34,7 +32,6 @@ "1 Currency = [?] Fraction For e.g. 1 USD = 100 Cent",1 Moeda = [?] Fração \ nPor exemplo 1. To maintain the customer wise item code and to make them searchable based on their code use this option,1. Para manter o cliente código do item sábio e para torná-los pesquisáveis ​​com base em seu código usar esta opção -2 days ago,Há 2 dias "Add / Edit"," toevoegen / bewerken < / a>" "Add / Edit"," toevoegen / bewerken < / a>" "Add / Edit"," toevoegen / bewerken < / a>" @@ -89,7 +86,6 @@ Accounts Frozen Upto,Contas congeladas Upto Accounts Payable,Contas a Pagar Accounts Receivable,Contas a receber Accounts Settings,Configurações de contas -Actions,acties Active,Ativo Active: Will extract emails from ,Ativo: Será que extrair e-mails a partir de Activity,Atividade @@ -111,23 +107,13 @@ Actual Quantity,Quantidade real Actual Start Date,Data de início real Add,Adicionar Add / Edit Taxes and Charges,Adicionar / Editar Impostos e Taxas -Add Attachments,Adicionar anexos -Add Bookmark,Adicionar marcadores Add Child,Child -Add Column,Adicionar coluna -Add Message,Adicionar mensagem -Add Reply,Adicione Responder Add Serial No,Voeg Serienummer Add Taxes,Belastingen toevoegen Add Taxes and Charges,Belastingen en heffingen toe te voegen -Add This To User's Restrictions,Adicione isto a Restrições do Usuário -Add attachment,Adicionar anexo -Add new row,Adicionar nova linha Add or Deduct,Adicionar ou Deduzir Add rows to set annual budgets on Accounts.,Adicionar linhas para definir orçamentos anuais nas contas. Add to Cart,Adicionar ao carrinho -Add to To Do,Adicionar ao que fazer -Add to To Do List of,Adicionar ao fazer a lista de Add to calendar on this date,Toevoegen aan agenda op deze datum Add/Remove Recipients,Adicionar / Remover Destinatários Address,Endereço @@ -220,9 +206,6 @@ Allow user to edit Price List Rate in transactions,Permitir ao usuário editar L Allowance Percent,Percentual subsídio Allowance for over-delivery / over-billing crossed for Item {0},Provisão para over- entrega / sobre- faturamento cruzou para item {0} Allowed Role to Edit Entries Before Frozen Date,Toegestaan ​​Rol te bewerken items voor Frozen Datum -"Allowing DocType, DocType. Be careful!","Permitindo DocType , DocType . Tenha cuidado !" -Alternative download link,Link para download Alternativa -Amend,Emendar Amended From,Alterado De Amount,Quantidade Amount (Company Currency),Amount (Moeda Company) @@ -270,26 +253,18 @@ Approving User,Aprovar Usuário Approving User cannot be same as user the rule is Applicable To,Aprovando usuário não pode ser o mesmo que usuário a regra é aplicável a Are you sure you want to STOP , Are you sure you want to UNSTOP , -Are you sure you want to delete the attachment?,Tem certeza de que deseja excluir o anexo? Arrear Amount,Quantidade atraso "As Production Order can be made for this item, it must be a stock item.","Como ordem de produção pode ser feita para este item , deve ser um item de estoque." As per Stock UOM,Como por Banco UOM "As there are existing stock transactions for this item, you can not change the values of 'Has Serial No', 'Is Stock Item' and 'Valuation Method'","Want er zijn bestaande voorraad transacties voor dit artikel , kunt u de waarden van ' Has Serial No ' niet veranderen , ' Is Stock Item ' en ' Valuation Method '" -Ascending,Ascendente Asset,ativos -Assign To,Atribuir a -Assigned To,toegewezen aan -Assignments,Atribuições Assistant,assistente Associate,associado Atleast one warehouse is mandatory,Pelo menos um armazém é obrigatório -Attach Document Print,Anexar cópia do documento Attach Image,anexar imagem Attach Letterhead,anexar timbrado Attach Logo,anexar Logo Attach Your Picture,Fixe sua imagem -Attach as web link,Bevestig als weblink -Attachments,Anexos Attendance,Comparecimento Attendance Date,Data de atendimento Attendance Details,Detalhes atendimento @@ -402,7 +377,6 @@ Block leave applications by department.,Bloquear deixar aplicações por departa Blog Post,Blog Mensagem Blog Subscriber,Assinante Blog Blood Group,Grupo sanguíneo -Bookmarks,Marcadores Both Warehouse must belong to same Company,Beide Warehouse moeten behoren tot dezelfde Company Box,caixa Branch,Ramo @@ -437,7 +411,6 @@ C-Form No,C-Forma Não C-Form records,C -Form platen Calculate Based On,Calcule Baseado em Calculate Total Score,Calcular a pontuação total -Calendar,Calendário Calendar Events,Calendário de Eventos Call,Chamar Calls,chamadas @@ -450,7 +423,6 @@ Can be approved by {0},Pode ser aprovado pelo {0} "Can not filter based on Account, if grouped by Account",Kan niet filteren op basis van account als gegroepeerd per account "Can not filter based on Voucher No, if grouped by Voucher","Kan niet filteren op basis van Voucher Nee, als gegroepeerd per Voucher" Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',Pode se referir linha apenas se o tipo de acusação é 'On Anterior Valor Row ' ou ' Previous Row Total' -Cancel,Cancelar Cancel Material Visit {0} before cancelling this Customer Issue,Cancelar material Visita {0} antes de cancelar este problema do cliente Cancel Material Visits {0} before cancelling this Maintenance Visit,Cancelar Materiais Visitas {0} antes de cancelar este Manutenção Visita Cancelled,Cancelado @@ -469,11 +441,7 @@ Cannot deactive or cancle BOM as it is linked with other BOMs,"Não pode desativ 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' "Cannot delete Serial No {0} in stock. First remove from stock, then delete.","Não é possível excluir Sem Serial {0} em estoque. Primeiro retire do estoque , em seguida, exclua ." "Cannot directly set amount. For 'Actual' charge type, use the rate field","Não é possível definir diretamente montante. Para ' Actual ' tipo de carga , use o campo taxa" -Cannot edit standard fields,Kan standaard velden niet bewerken -Cannot open instance when its {0} is open,"Não é possível abrir instância , quando o seu {0} é aberto" -Cannot open {0} when its instance is open,Não é possível abrir {0} quando sua instância está aberta "Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in 'Setup' > 'Global Defaults'","Não pode overbill para item {0} na linha {0} mais de {1}. Para permitir o superfaturamento , defina em ""Setup"" > "" padrões globais """ -Cannot print cancelled documents,Não é possível imprimir documentos cancelados Cannot produce more Item {0} than Sales Order quantity {1},Não é possível produzir mais item {0} do que a quantidade Ordem de Vendas {1} Cannot refer row number greater than or equal to current row number for this Charge type,Não é possível consultar número da linha superior ou igual ao número da linha atual para este tipo de carga Cannot return more than {0} for Item {1},Não pode retornar mais de {0} para {1} item @@ -527,19 +495,14 @@ Claim Amount,Quantidade reivindicação Claims for company expense.,Os pedidos de despesa da empresa. Class / Percentage,Classe / Percentual Classic,Clássico -Clear Cache,Limpar Cache Clear Table,Tabela clara Clearance Date,Data de Liquidação Clearance Date not mentioned,Apuramento data não mencionada Clearance date cannot be before check date in row {0},Apuramento data não pode ser anterior à data de verificação na linha {0} Click on 'Make Sales Invoice' button to create a new Sales Invoice.,Clique em 'Criar Fatura de vendas' botão para criar uma nova factura de venda. Click on a link to get options to expand get options , -Click on row to view / edit.,Clique na fila para ver / editar . -Click to Expand / Collapse,Clique para Expandir / Recolher Client,Cliente -Close,Fechar Close Balance Sheet and book Profit or Loss.,Sluiten Balans en boek Winst of verlies . -Close: {0},Fechar: {0} Closed,Fechado Closing Account Head,Fechando Chefe Conta Closing Account {0} must be of type 'Liability',Fechando Conta {0} deve ser do tipo ' responsabilidade ' @@ -550,10 +513,8 @@ Closing Value,eindwaarde CoA Help,Ajuda CoA Code,Código Cold Calling,Cold Calling -Collapse,colapso Color,Cor Comma separated list of email addresses,Lista separada por vírgulas de endereços de e-mail -Comment,Comentário Comments,Comentários Commercial,comercial Commission,comissão @@ -564,7 +525,6 @@ Commission rate cannot be greater than 100,Taxa de comissão não pode ser maior Communication,Comunicação Communication HTML,Comunicação HTML Communication History,História da comunicação -Communication Medium,Meio de comunicação Communication log.,Log de comunicação. Communications,communicatie Company,Companhia @@ -583,7 +543,6 @@ Company registration numbers for your reference. Tax numbers etc.,"Números da e "Company, Month and Fiscal Year is mandatory","Bedrijf , maand en het fiscale jaar is verplicht" Compensatory Off,compensatória Off Complete,Completar -Complete By,Ao completar Complete Setup,Instalação concluída Completed,Concluído Completed Production Orders,Voltooide productieorders @@ -635,7 +594,6 @@ Convert into Recurring Invoice,Converter em fatura Recorrente Convert to Group,Converteren naar Groep Convert to Ledger,Converteren naar Ledger Converted,Convertido -Copy,Copie Copy From Item Group,Copiar do item do grupo Cosmetics,Cosméticos Cost Center,Centro de Custos @@ -666,7 +624,6 @@ Create Stock Ledger Entries when you submit a Sales Invoice,Criar entradas da Ra Create rules to restrict transactions based on values.,Criar regras para restringir operações com base em valores. Created By,Criado por Creates salary slip for above mentioned criteria.,Cria folha de salário para os critérios acima mencionados. -Creation / Modified By,Criação / Modificado por Creation Date,aanmaakdatum Creation Document No,Creatie Document No Creation Document Type,Type het maken van documenten @@ -697,11 +654,9 @@ Current Liabilities,passivo circulante Current Stock,Estoque atual Current Stock UOM,UOM Estoque atual Current Value,Valor Atual -Current status,Estado atual Custom,Personalizado Custom Autoreply Message,Mensagem de resposta automática personalizada Custom Message,Mensagem personalizada -Custom Reports,Relatórios Customizados Customer,Cliente Customer (Receivable) Account,Cliente (receber) Conta Customer / Item Name,Cliente / Nome do item @@ -750,7 +705,6 @@ Date Format,Formato de data Date Of Retirement,Data da aposentadoria Date Of Retirement must be greater than Date of Joining,Data da aposentadoria deve ser maior que Data de Juntando Date is repeated,Data é repetido -Date must be in format: {0},A data deve estar no formato : {0} Date of Birth,Data de Nascimento Date of Issue,Data de Emissão Date of Joining,Data da Unir @@ -761,7 +715,6 @@ Dates,Datas Days Since Last Order,Dagen sinds vorige Bestel Days for which Holidays are blocked for this department.,Dias para que feriados são bloqueados para este departamento. Dealer,Revendedor -Dear,Caro Debit,Débito Debit Amt,Débito Amt Debit Note,Nota de Débito @@ -809,7 +762,6 @@ Default settings for stock transactions.,As configurações padrão para transa Defense,defesa "Define Budget for this Cost Center. To set budget action, see Company Master","Definir Orçamento para este Centro de Custo. Para definir ação do orçamento, consulte Mestre Empresa" Delete,Excluir -Delete Row,Apagar Linha Delete {0} {1}?,Excluir {0} {1} ? Delivered,Entregue Delivered Items To Be Billed,Itens entregues a ser cobrado @@ -836,7 +788,6 @@ Department,Departamento Department Stores,Lojas de Departamento Depends on LWP,Depende LWP Depreciation,depreciação -Descending,Descendente Description,Descrição Description HTML,Descrição HTML Designation,Designação @@ -881,15 +832,10 @@ Do you really want to stop production order: , Doc Name,Nome Doc Doc Type,Tipo Doc Document Description,Descrição documento -Document Status transition from ,Documento transição Estado de -Document Status transition from {0} to {1} is not allowed,Transição Status do Documento de {0} para {1} não é permitido Document Type,Tipo de Documento -Document is only editable by users of role,Documento só é editável por usuários de papel -Documentation,Documentação Documents,Documentos Domain,Domínio Don't send Employee Birthday Reminders,Stuur geen Werknemer verjaardagsherinneringen -Download,baixar Download Materials Required,Baixe Materiais Necessários Download Reconcilation Data,Download Verzoening gegevens Download Template,Baixe Template @@ -898,8 +844,6 @@ Download a report containing all raw materials with their latest inventory statu "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","Baixe o modelo , preencha os dados apropriados e anexe o arquivo modificado. \ NTodas datas e combinação de funcionários no período selecionado virá no modelo, com registros de freqüência existentes" Draft,Rascunho -Drafts,Rascunhos -Drag to sort columns,Arraste para classificar colunas Dropbox,Dropbox Dropbox Access Allowed,Dropbox acesso permitido Dropbox Access Key,Dropbox Chave de Acesso @@ -920,7 +864,6 @@ Earning & Deduction,Ganhar & Dedução Earning Type,Ganhando Tipo Earning1,Earning1 Edit,Editar -Editable,Editável Education,educação Educational Qualification,Qualificação Educacional Educational Qualification Details,Detalhes educacionais de qualificação @@ -940,12 +883,9 @@ Email Id,Id e-mail "Email Id where a job applicant will email e.g. ""jobs@example.com""",Id e-mail onde um candidato a emprego vai enviar e-mail "jobs@example.com" por exemplo Email Notifications,Notificações de e-mail Email Sent?,E-mail enviado? -"Email addresses, separted by commas","Endereços de email, separted por vírgulas" "Email id must be unique, already exists for {0}","ID de e-mail deve ser único, já existe para {0}" Email ids separated by commas.,Ids e-mail separados por vírgulas. -Email sent to {0},E-mail enviado para {0} "Email settings to extract Leads from sales email id e.g. ""sales@example.com""","Configurações de e-mail para extrair Leads de vendas de e-mail, por exemplo ID "sales@example.com"" -Email...,E-mail ... Emergency Contact,Emergency Contact Emergency Contact Details,Detalhes de contato de emergência Emergency Phone,Emergency Phone @@ -984,7 +924,6 @@ End date of current invoice's period,Data final do período de fatura atual End of Life,Fim da Vida Energy,energia Engineer,engenheiro -Enter Value,Digite o Valor Enter Verification Code,Digite o Código de Verificação Enter campaign name if the source of lead is campaign.,Digite o nome da campanha que a fonte de chumbo é a campanha. Enter department to which this Contact belongs,Entre com o departamento a que pertence este contato @@ -1002,7 +941,6 @@ Entries,Entradas Entries against,inzendingen tegen Entries are not allowed against this Fiscal Year if the year is closed.,Entradas não são permitidos contra este Ano Fiscal se o ano está fechada. Entries before {0} are frozen,Entradas antes {0} são congelados -Equals,equals Equity,equidade Error: {0} > {1},Erro: {0} > {1} Estimated Material Cost,Custo de Material estimada @@ -1019,7 +957,6 @@ Exhibition,Exposição Existing Customer,Cliente existente Exit,Sair Exit Interview Details,Sair Detalhes Entrevista -Expand,expandir Expected,Esperado Expected Completion Date can not be less than Project Start Date,Esperada Data de Conclusão não pode ser inferior a Projeto Data de Início Expected Date cannot be before Material Request Date,Verwachte datum kan niet voor de Material Aanvraagdatum @@ -1052,8 +989,6 @@ Expenses Booked,Despesas Reservado Expenses Included In Valuation,Despesas incluídos na avaliação Expenses booked for the digest period,Despesas reservadas para o período digest Expiry Date,Data de validade -Export,Exportar -Export not allowed. You need {0} role to export.,Exportação não é permitido . Você precisa de {0} papel para exportar . Exports,Exportações External,Externo Extract Emails,Extrair e-mails @@ -1068,11 +1003,8 @@ Feedback,Comentários Female,Feminino Fetch exploded BOM (including sub-assemblies),Fetch ontplofte BOM ( inclusief onderdelen ) "Field available in Delivery Note, Quotation, Sales Invoice, Sales Order","Campo disponível na nota de entrega, cotação, nota fiscal de venda, Ordem de vendas" -Field {0} is not selectable.,O campo {0} não é selecionável. -File,Arquivo Files Folder ID,Arquivos de ID de pasta Fill the form and save it,Vul het formulier in en sla het -Filter,Filtre Filter based on customer,Filtrar baseado em cliente Filter based on item,Filtrar com base no item Financial / accounting year.,Exercício / contabilidade. @@ -1101,14 +1033,10 @@ For Server Side Print Formats,Para o lado do servidor de impressão Formatos For Supplier,voor Leverancier For Warehouse,Para Armazém For Warehouse is required before Submit,Para for necessário Armazém antes Enviar -"For comparative filters, start with","Para filtros comparativos, comece com" "For e.g. 2012, 2012-13","Para por exemplo 2012, 2012-13" -For ranges,Para faixas For reference,Para referência For reference only.,Apenas para referência. "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 facturas e guias de entrega" -Form,Forma -Forums,Fóruns Fraction,Fração Fraction Units,Unidades fração Freeze Stock Entries,Congelar da Entries @@ -1161,12 +1089,10 @@ Generate Material Requests (MRP) and Production Orders.,Gerar Pedidos de Materia Generate Salary Slips,Gerar folhas de salários Generate Schedule,Gerar Agende Generates HTML to include selected image in the description,Gera HTML para incluir imagem selecionada na descrição -Get,Obter Get Advances Paid,Obter adiantamentos pagos Get Advances Received,Obter adiantamentos recebidos Get Against Entries,Obter Contra Entradas Get Current Stock,Obter Estoque atual -Get From ,Obter do Get Items,Obter itens Get Items From Sales Orders,Obter itens de Pedidos de Vendas Get Items from BOM,Items ophalen van BOM @@ -1194,8 +1120,6 @@ Government,governo Graduate,Pós-graduação Grand Total,Total geral Grand Total (Company Currency),Grande Total (moeda da empresa) -Greater or equals,Groter of gelijk -Greater than,groter dan "Grid ""","Grid """ Grocery,mercearia Gross Margin %,Margem Bruta% @@ -1207,7 +1131,6 @@ Gross Profit (%),Lucro Bruto (%) Gross Weight,Peso bruto Gross Weight UOM,UOM Peso Bruto Group,Grupo -"Group Added, refreshing...","Grupo Adicionado, refrescante ..." Group by Account,Grupo por Conta Group by Voucher,Grupo pela Vale Group or Ledger,Grupo ou Ledger @@ -1229,14 +1152,12 @@ Health Care,Atenção à Saúde Health Concerns,Preocupações com a Saúde Health Details,Detalhes saúde Held On,Realizada em -Help,Ajudar Help HTML,Ajuda HTML "Help: To link to another record in the system, use ""#Form/Note/[Note Name]"" as the Link URL. (don't use ""http://"")","Ajuda: Para vincular a outro registro no sistema, use "# Form / Nota / [Nota Name]" como a ligação URL. (Não use "http://")" "Here you can maintain family details like name and occupation of parent, spouse and children","Aqui você pode manter detalhes como o nome da família e ocupação do cônjuge, pai e filhos" "Here you can maintain height, weight, allergies, medical concerns etc","Aqui você pode manter a altura, peso, alergias, etc preocupações médica" Hide Currency Symbol,Ocultar Símbolo de Moeda High,Alto -History,História History In Company,História In Company Hold,Segurar Holiday,Férias @@ -1281,17 +1202,14 @@ If you have Sales Team and Sale Partners (Channel Partners) they can be tagged If you involve in manufacturing activity. Enables Item 'Is Manufactured',Se envolver em atividades de fabricação. Permite Item ' é fabricado ' Ignore,Ignorar Ignored: ,Ignorados: -"Ignoring Item {0}, because a group exists with the same name!","Ignorando item {0}, porque um grupo existe com o mesmo nome!" Image,Imagem Image View,Ver imagem Implementation Partner,Parceiro de implementação -Import,Importar Import Attendance,Importação de Atendimento Import Failed!,Import mislukt! Import Log,Importar Log Import Successful!,Importeer Succesvol! Imports,Importações -In,in In Hours,Em Horas In Process,Em Processo In Qty,in Aantal @@ -1306,7 +1224,6 @@ In Words will be visible once you save the Purchase Receipt.,Em Palavras será v In Words will be visible once you save the Quotation.,Em Palavras será visível quando você salvar a cotação. In Words will be visible once you save the Sales Invoice.,Em Palavras será visível quando você salvar a nota fiscal de venda. In Words will be visible once you save the Sales Order.,Em Palavras será visível quando você salvar a Ordem de Vendas. -In response to,Em resposta aos Incentives,Incentivos Include Reconciled Entries,Incluir entradas Reconciliados Include holidays in Total no. of Working Days,Incluir feriados em nenhuma total. de dias de trabalho @@ -1327,8 +1244,6 @@ Indirect Income,Resultado indirecto Individual,Individual Industry,Indústria Industry Type,Tipo indústria -Insert Below,Inserir Abaixo -Insert Row,Inserir Linha Inspected By,Inspecionado por Inspection Criteria,Critérios de inspeção Inspection Required,Inspeção Obrigatório @@ -1350,8 +1265,6 @@ Internal,Interno Internet Publishing,Publishing Internet Introduction,Introdução Invalid Barcode or Serial No,Código de barras inválido ou Serial Não -Invalid Email: {0},E-mail inválido : {0} -Invalid Filter: {0},Filtro inválido: {0} Invalid Mail Server. Please rectify and try again.,"Mail Server inválido . Por favor, corrigir e tentar novamente." Invalid Master Name,Ongeldige Master Naam Invalid User Name or Support Password. Please rectify and try again.,"Nome de usuário inválido ou senha Suporte . Por favor, corrigir e tentar novamente." @@ -1516,7 +1429,6 @@ Landed Cost updated successfully,Custo Landed atualizado com sucesso Language,Linguagem Last Name,Sobrenome Last Purchase Rate,Compra de última -Last updated by,Laatst gewijzigd door Latest,laatst Lead,Conduzir Lead Details,Chumbo Detalhes @@ -1566,24 +1478,17 @@ Ledgers,grootboeken Left,Esquerda Legal,legal Legal Expenses,despesas legais -Less or equals,Minder of gelijk -Less than,minder dan Letter Head,Cabeça letra Letter Heads for print templates.,Chefes de letras para modelos de impressão . Level,Nível Lft,Lft Liability,responsabilidade -Like,zoals -Linked With,Com ligados -List,Lista List a few of your customers. They could be organizations or individuals.,Lijst een paar van uw klanten. Ze kunnen organisaties of personen . List a few of your suppliers. They could be organizations or individuals.,Lijst een paar van uw leveranciers . Ze kunnen organisaties of personen . List items that form the package.,Lista de itens que compõem o pacote. List this Item in multiple groups on the website.,Lista este item em vários grupos no site. "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 seus produtos ou serviços que você comprar ou vender . "List your tax heads (e.g. VAT, Excise; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Liste seus chefes de impostos (por exemplo, IVA , impostos especiais de consumo , que devem ter nomes exclusivos ) e suas taxas normais." -Loading,Carregamento -Loading Report,Relatório de carregamento Loading...,Loading ... Loans (Liabilities),Empréstimos ( Passivo) Loans and Advances (Assets),Empréstimos e Adiantamentos (Ativo ) @@ -1591,7 +1496,6 @@ Local,local Login with your new User ID,Log in met je nieuwe gebruikersnaam Logo,Logotipo Logo and Letter Heads,Logo en Letter Heads -Logout,Sair Lost,verloren Lost Reason,Razão perdido Low,Baixo @@ -1642,7 +1546,6 @@ Make Salary Structure,Maak salarisstructuur Make Sales Invoice,Maak verkoopfactuur Make Sales Order,Maak klantorder Make Supplier Quotation,Maak Leverancier Offerte -Make a new,Faça um novo Male,Masculino Manage Customer Group Tree.,Gerenciar Grupo Cliente Tree. Manage Sales Person Tree.,Gerenciar Vendas Pessoa Tree. @@ -1650,8 +1553,6 @@ Manage Territory Tree.,Gerenciar Árvore Território. Manage cost of operations,Gerenciar custo das operações Management,gestão Manager,gerente -Mandatory fields required in {0},Os campos obrigatórios exigidos no {0} -Mandatory filters required:\n,Verplichte filters nodig : \ n "Mandatory if Stock Item is ""Yes"". Also the default warehouse where reserved quantity is set from Sales Order.","Obrigatório se o estoque do item é "Sim". Além disso, o armazém padrão onde quantidade reservada é definido a partir de Ordem de Vendas." Manufacture against Sales Order,Fabricação contra a Ordem de Vendas Manufacture/Repack,Fabricação / Repack @@ -1722,13 +1623,11 @@ Minute,minuto Misc Details,Detalhes Diversos Miscellaneous Expenses,Despesas Diversas Miscelleneous,Miscelleneous -Missing Values Required,Ontbrekende Vereiste waarden Mobile No,No móvel Mobile No.,Mobile No. Mode of Payment,Modo de Pagamento Modern,Moderno Modified Amount,Quantidade modificado -Modified by,Modificado por Monday,Segunda-feira Month,Mês Monthly,Mensal @@ -1736,12 +1635,9 @@ Monthly Attendance Sheet,Folha de Presença Mensal Monthly Earning & Deduction,Salário mensal e dedução Monthly Salary Register,Salário mensal Registrar Monthly salary statement.,Declaração salário mensal. -More,Mais More Details,Mais detalhes More Info,Mais informações Motion Picture & Video,Motion Picture & Video -Move Down: {0},Mover para baixo : {0} -Move Up: {0},Mover para cima : {0} Moving Average,Média móvel Moving Average Rate,Movendo Taxa Média Mr,Sr. @@ -1751,12 +1647,9 @@ Multiple Item prices.,Meerdere Artikelprijzen . conflict by assigning priority. Price Rules: {0}","Várias Rule Preço existe com os mesmos critérios , por favor resolver \ \ n conflito , atribuindo prioridade." Music,música Must be Whole Number,Deve ser Número inteiro -My Settings,Minhas Configurações Name,Nome Name and Description,Nome e descrição Name and Employee ID,Nome e identificação do funcionário -Name is required,Nome é obrigatório -Name not permitted,Nome não é permitida "Name of new Account. Note: Please don't create accounts for Customers and Suppliers, they are created automatically from the Customer and Supplier master","Nome de nova conta. Nota: Por favor, não criar contas para clientes e fornecedores , eles são criados automaticamente a partir do Cliente e Fornecedor mestre" Name of person or organization that this address belongs to.,Nome da pessoa ou organização que este endereço pertence. Name of the Budget Distribution,Nome da Distribuição de Orçamento @@ -1774,7 +1667,6 @@ Net Weight UOM,UOM Peso Líquido Net Weight of each Item,Peso líquido de cada item Net pay cannot be negative,Salário líquido não pode ser negativo Never,Nunca -New,novo New , New Account,nieuw account New Account Name,Nieuw account Naam @@ -1794,7 +1686,6 @@ New Projects,Novos Projetos New Purchase Orders,Novas ordens de compra New Purchase Receipts,Novos recibos de compra New Quotations,Novas cotações -New Record,Novo Registro New Sales Orders,Novos Pedidos de Vendas New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,"New Serial Não, não pode ter Warehouse. Warehouse deve ser definida pelo Banco de entrada ou Recibo de compra" New Stock Entries,Novas entradas em existências @@ -1816,11 +1707,8 @@ Next,próximo Next Contact By,Contato Próxima Por Next Contact Date,Data Contato próximo Next Date,Data próxima -Next Record,Próximo Registro -Next actions,Próximas ações Next email will be sent on:,Próximo e-mail será enviado em: No,Não -No Communication tagged with this ,Nenhuma comunicação com etiquetas com esta No Customer Accounts found.,Geen Customer Accounts gevonden . No Customer or Supplier Accounts found,Nenhum cliente ou fornecedor encontrado No Expense Approvers. Please assign 'Expense Approver' Role to atleast one user,"Não aprovadores Despesas. Por favor, atribuir função ' Despesa aprovador ' para pelo menos um usuário" @@ -1830,48 +1718,31 @@ No Items to pack,Nenhum item para embalar No Leave Approvers. Please assign 'Leave Approver' Role to atleast one user,"Não aprovadores sair. Por favor, atribuir ' Leave Aprovador ""Papel de pelo menos um usuário" No Permission,Nenhuma permissão No Production Orders created,Não há ordens de produção criadas -No Report Loaded. Please use query-report/[Report Name] to run a report.,No Report Loaded. Utilize query-report / [Report Name] para executar um relatório. -No Results,nenhum resultado No Supplier Accounts found. Supplier Accounts are identified based on 'Master Type' value in account record.,Geen Leverancier Accounts gevonden . Leverancier Accounts worden geïdentificeerd op basis van 'Master Type' waarde in rekening te nemen. No accounting entries for the following warehouses,Nenhuma entrada de contabilidade para os seguintes armazéns No addresses created,Geen adressen aangemaakt No contacts created,Geen contacten gemaakt No default BOM exists for Item {0},No BOM padrão existe para item {0} No description given,Sem descrição dada -No document selected,Nenhum documento selecionado No employee found,Nenhum funcionário encontrado No employee found!,Nenhum funcionário encontrado! No of Requested SMS,No pedido de SMS No of Sent SMS,N º de SMS enviados No of Visits,N º de Visitas -No one,Ninguém No permission,Sem permissão -No permission to '{0}' {1},Sem permissão para '{0} ' {1} -No permission to edit,Geen toestemming te bewerken No record found,Nenhum registro encontrado -No records tagged.,Não há registros marcados. No salary slip found for month: ,Sem folha de salário encontrado para o mês: Non Profit,sem Fins Lucrativos -None,Nenhum -None: End of Workflow,Nenhum: Fim do fluxo de trabalho Nos,Nos Not Active,Não Ativo Not Applicable,Não Aplicável Not Available,niet beschikbaar Not Billed,Não faturado Not Delivered,Não entregue -Not Found,Não encontrado -Not Linked to any record.,Não relacionado a qualquer registro. -Not Permitted,Não Permitido Not Set,niet instellen -Not Submitted,não enviado -Not allowed,não permitido Not allowed to update entries older than {0},Não permitido para atualizar as entradas mais velho do que {0} Not authorized to edit frozen Account {0},Não autorizado para editar conta congelada {0} Not authroized since {0} exceeds limits,Não authroized desde {0} excede os limites -Not enough permission to see links.,Não permissão suficiente para ver os links. -Not equals,niet gelijken -Not found,não foi encontrado Not permitted,não é permitido Note,Nota Note User,Nota usuários @@ -1880,7 +1751,6 @@ Note User,Nota usuários Note: Due Date exceeds the allowed credit days by {0} day(s),Nota: Due Date excede os dias de crédito permitidas por {0} dia (s) Note: Email will not be sent to disabled users,Nota: e-mail não será enviado para utilizadores com deficiência Note: Item {0} entered multiple times,Nota : Item {0} entrou várias vezes -Note: Other permission rules may also apply,Nota: As regras de permissão Outros também se podem aplicar 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 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 Note: There is not enough leave balance for Leave Type {0},Nota: Não é suficiente equilíbrio pela licença Tipo {0} @@ -1889,12 +1759,9 @@ Note: {0},Nota : {0} Notes,Notas Notes:,Opmerkingen: Nothing to request,Niets aan te vragen -Nothing to show,Nada para mostrar -Nothing to show for this selection,Niets te tonen voor deze selectie Notice (days),Notice ( dagen ) Notification Control,Controle de Notificação Notification Email Address,Endereço de email de notificação -Notify By Email,Notificar por e-mail Notify by Email on creation of automatic Material Request,Notificar por e-mail sobre a criação de Pedido de material automático Number Format,Formato de número Offer Date,aanbieding Datum @@ -1938,7 +1805,6 @@ Opportunity Items,Itens oportunidade Opportunity Lost,Oportunidade perdida Opportunity Type,Tipo de Oportunidade Optional. This setting will be used to filter in various transactions.,Optioneel. Deze instelling wordt gebruikt om te filteren op diverse transacties . -Or Created By,Ou Criado por Order Type,Tipo de Ordem Order Type must be one of {1},Tipo de Ordem deve ser uma das {1} Ordered,bestelde @@ -1953,7 +1819,6 @@ Organization Profile,Perfil da Organização Organization branch master.,Mestre Organização ramo . Organization unit (department) master.,Organização unidade (departamento) mestre. Original Amount,Valor original -Original Message,Mensagem original Other,Outro Other Details,Outros detalhes Others,outros @@ -1996,7 +1861,6 @@ Packing Slip Items,Embalagem Itens deslizamento Packing Slip(s) cancelled,Deslizamento (s) de embalagem cancelado Page Break,Quebra de página Page Name,Nome da Página -Page not found,Página não encontrada Paid Amount,Valor pago Paid amount + Write Off Amount can not be greater than Grand Total,Valor pago + Write Off Valor não pode ser maior do que o total geral Pair,par @@ -2062,9 +1926,6 @@ Period Closing Voucher,Comprovante de Encerramento período Periodicity,Periodicidade Permanent Address,Endereço permanente Permanent Address Is,Vast adres -Permanently Cancel {0}?,Permanentemente Cancelar {0} ? -Permanently Submit {0}?,Permanentemente Enviar {0} ? -Permanently delete {0}?,Excluir permanentemente {0} ? Permission,Permissão Personal,Pessoal Personal Details,Detalhes pessoais @@ -2073,7 +1934,6 @@ Pharmaceutical,farmacêutico Pharmaceuticals,Pharmaceuticals Phone,Telefone Phone No,N º de telefone -Pick Columns,Escolha Colunas Piecework,trabalho por peça Pincode,PINCODE Place of Issue,Local de Emissão @@ -2086,8 +1946,6 @@ Plant,Planta Plant and Machinery,Máquinas e instalações Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,Por favor insira Abreviação ou Nome Curto corretamente como ele será adicionado como sufixo a todos os chefes de Conta. Please add expense voucher details,"Por favor, adicione despesas detalhes do voucher" -Please attach a file first.,"Por favor, anexar um arquivo pela primeira vez." -Please attach a file or set a URL,"Por favor, anexar um arquivo ou definir uma URL" Please check 'Is Advance' against Account {0} if this is an advance entry.,"Por favor, verifique 'É Advance' contra Conta {0} se isso é uma entrada antecipadamente." Please click on 'Generate Schedule',"Por favor, clique em "" Gerar Agenda '" Please click on 'Generate Schedule' to fetch Serial No added for Item {0},"Por favor, clique em "" Gerar Cronograma ' para buscar Serial Sem adição de item {0}" @@ -2096,7 +1954,6 @@ Please create Customer from Lead {0},"Por favor, crie Cliente de chumbo {0}" Please create Salary Structure for employee {0},"Por favor, crie estrutura salarial por empregado {0}" Please create new account from Chart of Accounts.,Maak nieuwe account van Chart of Accounts . Please do NOT create Account (Ledgers) for Customers and Suppliers. They are created directly from the Customer / Supplier masters.,Gelieve niet Account ( Grootboeken ) te creëren voor klanten en leveranciers . Ze worden rechtstreeks vanuit de klant / leverancier- meesters. -Please enable pop-ups,Schakel pop - ups Please enter 'Expected Delivery Date',"Por favor, digite ' Data prevista de entrega '" Please enter 'Is Subcontracted' as Yes or No,"Por favor, digite ' é subcontratado ""como Sim ou Não" Please enter 'Repeat on Day of Month' field value,"Por favor, digite 'Repeat no Dia do Mês ' valor do campo" @@ -2107,7 +1964,6 @@ Please enter Company,Vul Company Please enter Cost Center,Vul kostenplaats Please enter Delivery Note No or Sales Invoice No to proceed,Por favor insira Entrega Nota Não ou fatura de vendas Não para continuar Please enter Employee Id of this sales parson,Vul Werknemer Id van deze verkoop dominee -Please enter Event's Date and Time!,"Por favor, indique a data ea hora do evento!" Please enter Expense Account,Por favor insira Conta Despesa Please enter Item Code to get batch no,Vul de artikelcode voor batch niet krijgen Please enter Item Code.,Vul Item Code . @@ -2133,14 +1989,11 @@ Please enter parent cost center,Por favor entre o centro de custo pai Please enter quantity for Item {0},"Por favor, indique a quantidade de item {0}" Please enter relieving date.,"Por favor, indique data alívio ." Please enter sales order in the above table,Vul de verkooporder in de bovenstaande tabel -Please enter some text!,"Por favor, digite algum texto!" -Please enter title!,"Por favor, indique título!" Please enter valid Company Email,Por favor insira válido Empresa E-mail Please enter valid Email Id,"Por favor, indique -mail válido Id" Please enter valid Personal Email,"Por favor, indique -mail válido Pessoal" Please enter valid mobile nos,"Por favor, indique nn móveis válidos" Please install dropbox python module,"Por favor, instale o Dropbox módulo python" -Please login to Upvote!,Por favor login para upvote ! Please mention no of visits required,"Por favor, não mencione de visitas necessárias" Please pull items from Delivery Note,"Por favor, puxar itens de entrega Nota" Please save the Newsletter before sending,"Por favor, salve o Boletim informativo antes de enviar" @@ -2191,8 +2044,6 @@ Plot By,plot Door Point of Sale,Ponto de Venda Point-of-Sale Setting,Ponto-de-Venda Setting Post Graduate,Pós-Graduação -Post already exists. Cannot add again!,Publicar já existe. Não é possível adicionar mais uma vez ! -Post does not exist. Please add post!,"O Post não existe. Por favor, adicione post!" Postal,Postal Postal Expenses,despesas postais Posting Date,Data da Publicação @@ -2207,7 +2058,6 @@ Prevdoc DocType,Prevdoc DocType Prevdoc Doctype,Prevdoc Doctype Preview,visualização Previous,anterior -Previous Record,Registro anterior Previous Work Experience,Experiência anterior de trabalho Price,preço Price / Discount,Preço / desconto @@ -2226,12 +2076,10 @@ Price or Discount,Preço ou desconto Pricing Rule,Regra de Preços Pricing Rule For Discount,Preços Regra para desconto Pricing Rule For Price,Preços regra para Preço -Print,afdrukken Print Format Style,Formato de impressão Estilo Print Heading,Imprimir título Print Without Amount,Imprimir Sem Quantia Print and Stationary,Imprimir e estacionária -Print...,Imprimir ... Printing and Branding,Impressão e Branding Priority,Prioridade Private Equity,Private Equity @@ -2357,7 +2205,6 @@ Quantity of item obtained after manufacturing / repacking from given quantities Quantity required for Item {0} in row {1},Quantidade necessária para item {0} na linha {1} Quarter,Trimestre Quarterly,Trimestral -Query Report,Query Report Quick Help,Quick Help Quotation,Citação Quotation Date,Data citação @@ -2459,14 +2306,11 @@ Rejected Warehouse is mandatory against regected item,Verworpen Warehouse is ver Relation,Relação Relieving Date,Aliviar Data Relieving Date must be greater than Date of Joining,Aliviar A data deve ser maior que Data de Juntando -Reload Page,Atualizar Página Remark,Observação Remarks,Observações -Remove Bookmark,Remover Bookmark Rename,andere naam geven Rename Log,Renomeie Entrar Rename Tool,Renomear Ferramenta -Rename...,Renomear ... Rent Cost,Kosten huur Rent per hour,Huur per uur Rented,Alugado @@ -2474,12 +2318,9 @@ Repeat on Day of Month,Repita no Dia do Mês Replace,Substituir Replace Item / BOM in all BOMs,Substituir item / BOM em todas as BOMs Replied,Respondeu -Report,Relatório Report Date,Relatório Data Report Type,Tipo de relatório Report Type is mandatory,Tipo de relatório é obrigatória -Report an Issue,Relatar um incidente -Report was not saved (there were errors),Relatório não foi salvo (houve erros) Reports to,Relatórios para Reqd By Date,Reqd Por Data Request Type,Tipo de Solicitação @@ -2630,7 +2471,6 @@ Salutation,Saudação Sample Size,Tamanho da amostra Sanctioned Amount,Quantidade sancionada Saturday,Sábado -Save,salvar Schedule,Programar Schedule Date,tijdschema Schedule Details,Detalhes da Agenda @@ -2644,7 +2484,6 @@ Score (0-5),Pontuação (0-5) Score Earned,Pontuação Agregado Score must be less than or equal to 5,Score moet lager dan of gelijk aan 5 zijn Scrap %,Sucata% -Search,Pesquisar Seasonality for setting budgets.,Sazonalidade para definir orçamentos. Secretary,secretário Secured Loans,Empréstimos garantidos @@ -2656,26 +2495,18 @@ Securities and Deposits,Títulos e depósitos "Select ""Yes"" if this item represents some work like training, designing, consulting etc.","Selecione "Sim" se esse item representa algum trabalho como treinamento, design, consultoria etc" "Select ""Yes"" if you are maintaining stock of this item in your Inventory.",Selecione "Sim" se você está mantendo estoque deste item no seu inventário. "Select ""Yes"" if you supply raw materials to your supplier to manufacture this item.",Selecione "Sim" se você fornecer matérias-primas para o seu fornecedor para fabricar este item. -Select All,Selecionar tudo -Select Attachments,Selecione Anexos Select Budget Distribution to unevenly distribute targets across months.,Selecione distribuição do orçamento para distribuir desigualmente alvos em todo mês. "Select Budget Distribution, if you want to track based on seasonality.","Selecione distribuição do orçamento, se você quiser acompanhar baseado em sazonalidade." Select DocType,Selecione DocType Select Items,Selecione itens -Select Print Format,Selecione Formato de Impressão Select Purchase Receipts,Selecteer Aankoopfacturen -Select Report Name,Selecione Nome do Relatório Select Sales Orders,Selecione Pedidos de Vendas Select Sales Orders from which you want to create Production Orders.,Selecione Ordens de venda a partir do qual você deseja criar ordens de produção. Select Time Logs and Submit to create a new Sales Invoice.,Selecione Time Logs e enviar para criar uma nova factura de venda. -Select To Download:,Selecione Para Download: Select Transaction,Selecione Transação -Select Type,Selecione o Tipo Select Your Language,Selecione seu idioma Select account head of the bank where cheque was deposited.,Selecione cabeça conta do banco onde cheque foi depositado. Select company name first.,Selecione o nome da empresa em primeiro lugar. -Select dates to create a new ,Selecione as datas para criar uma nova -Select or drag across time slots to create a new event.,Selecione ou arraste intervalos de tempo para criar um novo evento. Select template from which you want to get the Goals,Selecione o modelo a partir do qual você deseja obter as Metas Select the Employee for whom you are creating the Appraisal.,Selecione o funcionário para quem você está criando a Avaliação. Select the period when the invoice will be generated automatically,Selecione o período em que a factura será gerado automaticamente @@ -2691,11 +2522,9 @@ Select your home country and check the timezone and currency.,Selecteer uw land Selling,Vendendo Selling Settings,Vendendo Configurações Send,Enviar -Send As Email,Verstuur als e-mail Send Autoreply,Enviar Autoreply Send Email,Enviar E-mail Send From,Enviar de -Send Me A Copy,Envie-me uma cópia Send Notifications To,Enviar notificações para Send Now,Nu verzenden Send SMS,Envie SMS @@ -2705,7 +2534,6 @@ Send mass SMS to your contacts,Enviar SMS em massa para seus contatos Send to this list,Enviar para esta lista Sender Name,Nome do remetente Sent On,Enviado em -Sent or Received,Verzonden of ontvangen Separate production order will be created for each finished good item.,Ordem de produção separado será criado para cada item acabado. Serial No,N º de Série Serial No / Batch,Serienummer / Batch @@ -2739,11 +2567,9 @@ Series {0} already used in {1},Série {0} já usado em {1} Service,serviço Service Address,Serviço Endereço Services,Serviços -Session Expired. Logging you out,Sessão expirada. Deslogar você Set,conjunto "Set Default Values like Company, Currency, Current Fiscal Year, etc.","Definir valores padrão , como Company, de moeda, Atual Exercício , etc" Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,"Definir item Group-wise orçamentos sobre este território. Você também pode incluir sazonalidade, definindo a distribuição." -Set Link,Stel Link Set as Default,Instellen als standaard Set as Lost,Instellen als Lost Set prefix for numbering series on your transactions,Definir prefixo para numeração de série em suas transações @@ -2776,17 +2602,12 @@ Shipping Rule Label,Regra envio Rótulo Shop,Loja Shopping Cart,Carrinho de Compras Short biography for website and other publications.,Breve biografia para o site e outras publicações. -Shortcut,Atalho "Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","Show "Em Stock" ou "não em estoque", baseado em stock disponível neste armazém." "Show / Hide features like Serial Nos, POS etc.","Mostrar / Ocultar recursos como os números de ordem , POS , etc" -Show Details,Ver detalhes Show In Website,Mostrar No Site -Show Tags,Toon Tags Show a slideshow at the top of the page,Ver uma apresentação de slides no topo da página Show in Website,Show em site -Show rows with zero values,Mostrar as linhas com valores zero Show this slideshow at the top of the page,Mostrar esta slideshow no topo da página -Showing only for (if not empty),Mostrando apenas para (se não está vazio ) Sick Leave,doente Deixar Signature,Assinatura Signature to be appended at the end of every email,Assinatura para ser anexado no final de cada e-mail @@ -2797,11 +2618,8 @@ Slideshow,Slideshow Soap & Detergent,Soap & detergente Software,Software Software Developer,Software Developer -Sorry we were unable to find what you were looking for.,"Desculpe, não foram capazes de encontrar o que você estava procurando." -Sorry you are not permitted to view this page.,"Desculpe, você não tem permissão para visualizar esta página." "Sorry, Serial Nos cannot be merged","Sorry , kan de serienummers niet worden samengevoegd" "Sorry, companies cannot be merged","Sorry , bedrijven kunnen niet worden samengevoegd" -Sort By,Classificar por Source,Fonte Source File,Source File Source Warehouse,Armazém fonte @@ -2826,7 +2644,6 @@ Standard Selling,venda padrão Standard contract terms for Sales or Purchase.,Termos do contrato padrão para vendas ou compra. Start,begin Start Date,Data de Início -Start Report For,Para começar Relatório Start date of current invoice's period,A data de início do período de fatura atual Start date should be less than end date for Item {0},Data de início deve ser inferior a data final para o item {0} State,Estado @@ -2884,7 +2701,6 @@ Sub Assemblies,Sub Assembléias "Sub-currency. For e.g. ""Cent""",Sub-moeda. Para "Cent" por exemplo Subcontract,Subcontratar Subject,Assunto -Submit,Submeter Submit Salary Slip,Enviar folha de salário Submit all salary slips for the above selected criteria,Submeter todas as folhas de salários para os critérios acima selecionados Submit this Production Order for further processing.,Submit deze productieorder voor verdere verwerking . @@ -2928,7 +2744,6 @@ Support Email Settings,Ondersteuning E-mailinstellingen Support Password,Senha de Support Ticket,Ticket de Suporte Support queries from customers.,Suporte a consultas de clientes. -Switch to Website,Mude para o site Symbol,Símbolo Sync Support Mails,Sincronizar e-mails de apoio Sync with Dropbox,Sincronizar com o Dropbox @@ -2936,7 +2751,6 @@ Sync with Google Drive,Sincronia com o Google Drive System,Sistema System Settings,Configurações do sistema "System User (login) ID. If set, it will become default for all HR forms.","Sistema de identificação do usuário (login). Se for definido, ele vai se tornar padrão para todas as formas de RH." -Tags,Etiquetas Target Amount,Valor Alvo Target Detail,Detalhe alvo Target Details,Detalhes alvo @@ -2995,7 +2809,6 @@ Territory Target Variance Item Group-Wise,Território Alvo Variance item Group-w Territory Targets,Metas território Test,Teste Test Email Id,Email Id teste -Test Runner,Test Runner Test the Newsletter,Teste a Newsletter The BOM which will be replaced,O BOM que será substituído The First User: You,De eerste gebruiker : U @@ -3015,28 +2828,23 @@ The net weight of this package. (calculated automatically as sum of net weight o The new BOM after replacement,O BOM novo após substituição The rate at which Bill Currency is converted into company's base currency,A taxa na qual a moeda que Bill é convertida em moeda empresa de base The unique id for tracking all recurring invoices. It is generated on submit.,A ID exclusiva para acompanhar todas as facturas recorrentes. Ele é gerado em enviar. -Then By (optional),"Em seguida, por (opcional)" There are more holidays than working days this month.,Há mais feriados do que dias úteis do mês. "There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Só pode haver uma regra de envio Condição com 0 ou valor em branco para "" To Valor """ There is not enough leave balance for Leave Type {0},Não há o suficiente equilíbrio pela licença Tipo {0} There is nothing to edit.,Er is niets om te bewerken . There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,Er is een fout opgetreden . Een mogelijke reden zou kunnen zijn dat je niet hebt opgeslagen het formulier . Neem dan contact support@erpnext.com als het probleem aanhoudt . -There were errors,Ocorreram erros -There were errors while sending email. Please try again.,"Ocorreram erros durante o envio de e-mail. Por favor, tente novamente." There were errors.,Er waren fouten . This Currency is disabled. Enable to use in transactions,Deze valuta is uitgeschakeld . In staat om te gebruiken in transacties This Leave Application is pending approval. Only the Leave Apporver can update status.,Deze verlofaanvraag is in afwachting van goedkeuring . Alleen de Leave Apporver kan status bijwerken . This Time Log Batch has been billed.,Este lote Log O tempo tem sido anunciado. This Time Log Batch has been cancelled.,Este lote Log Tempo foi cancelada. This Time Log conflicts with {0},Este Log Tempo em conflito com {0} -This is PERMANENT action and you cannot undo. Continue?,Esta é uma ação permanente e você não pode desfazer. Continuar? This is a root account and cannot be edited.,Dit is een root account en kan niet worden bewerkt . This is a root customer group and cannot be edited.,Dit is een wortel klantgroep en kan niet worden bewerkt . This is a root item group and cannot be edited.,Dit is een hoofditem groep en kan niet worden bewerkt . This is a root sales person and cannot be edited.,Dit is een wortel verkoper en kan niet worden bewerkt . This is a root territory and cannot be edited.,Dit is een wortel grondgebied en kan niet worden bewerkt . This is an example website auto-generated from ERPNext,Este é um exemplo website auto- gerada a partir ERPNext -This is permanent action and you cannot undo. Continue?,Esta é uma ação permanente e você não pode desfazer. Continuar? This is the number of the last created transaction with this prefix,Este é o número da última transacção criados com este prefixo This will be used for setting rule in HR module,Isso será usado para fixação de regras no módulo HR Thread HTML,Tópico HTML @@ -3078,7 +2886,6 @@ To get Item Group in details table,Para obter Grupo item na tabela de detalhes "To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Para incluir impostos na linha {0} na taxa de Item, os impostos em linhas {1} também deve ser incluída" "To merge, following properties must be same for both items","Te fuseren , moeten volgende eigenschappen hetzelfde zijn voor beide posten" "To report an issue, go to ", -"To run a test add the module name in the route after '{0}'. For example, {1}","Para executar um teste de adicionar o nome do módulo na rota depois de '{0}'. Por exemplo , {1}" "To set this Fiscal Year as Default, click on 'Set as Default'","Om dit fiscale jaar ingesteld als standaard , klik op ' Als standaard instellen '" To track any installation or commissioning related work after sales,Para rastrear qualquer instalação ou comissionamento trabalho relacionado após vendas "To track brand name in the following documents Delivery Note, Opportunity, Material Request, Item, Purchase Order, Purchase Voucher, Purchaser Receipt, Quotation, Sales Invoice, Sales BOM, Sales Order, Serial No","Para acompanhar marca nos seguintes documentos Nota de Entrega , Oportunidade, Solicitação Material, Item, Ordem de Compra, Compra Vale , Comprador recibo , cotação, nota fiscal de venda , Vendas BOM, Pedido de Vendas , Serial Não" @@ -3130,7 +2937,6 @@ Totals,Totais Track Leads by Industry Type.,Trilha leva por setor Type. Track this Delivery Note against any Project,Acompanhar este Nota de Entrega contra qualquer projeto Track this Sales Order against any Project,Acompanhar este Ordem de vendas contra qualquer projeto -Trainee,estagiário Transaction,Transação Transaction Date,Data Transação Transaction not allowed against stopped Production Order {0},Transação não é permitido contra parou Ordem de produção {0} @@ -3162,7 +2968,6 @@ UOM Conversion Factor,UOM Fator de Conversão UOM Conversion factor is required in row {0},UOM fator de conversão é necessária na linha {0} UOM Name,Nome UOM UOM coversion factor required for UOM {0} in Item {1},Fator coversion UOM necessário para UOM {0} no item {1} -Unable to load: {0},Incapaz de carga : {0} Under AMC,Sob AMC Under Graduate,Sob graduação Under Warranty,Sob Garantia @@ -3172,11 +2977,8 @@ Unit of Measure {0} has been entered more than once in Conversion Factor Table,U "Unit of measurement of this item (e.g. Kg, Unit, No, Pair).","Unidade de medida do item (por exemplo kg Unidade, não, par)." Units/Hour,Unidades / hora Units/Shifts,Unidades / Turnos -Unknown Column: {0},Coluna desconhecido: {0} -Unknown Print Format: {0},Unknown Formato de Impressão : {0} Unmatched Amount,Quantidade incomparável Unpaid,Não remunerado -Unread Messages,Mensagens não lidas Unscheduled,Sem marcação Unsecured Loans,Empréstimos não garantidos Unstop,opendraaien @@ -3196,18 +2998,14 @@ Update bank payment dates with journals.,Atualização de pagamento bancário co Update clearance date of Journal Entries marked as 'Bank Vouchers',Goedkeuring datum actualisering van Journaalposten gemarkeerd als ' Bank Vouchers ' Updated,Atualizado Updated Birthday Reminders,Bijgewerkt verjaardagsherinneringen -Upload,uploaden -Upload Attachment,Envie anexos Upload Attendance,Envie Atendimento Upload Backups to Dropbox,Carregar Backups para Dropbox Upload Backups to Google Drive,Carregar Backups para Google Drive Upload HTML,Carregar HTML Upload a .csv file with two columns: the old name and the new name. Max 500 rows.,Enviar um arquivo CSV com duas colunas:. O nome antigo eo novo nome. No máximo 500 linhas. -Upload a file,Enviar um arquivo Upload attendance from a .csv file,Carregar atendimento de um arquivo CSV. Upload stock balance via csv.,Carregar saldo de estoque via csv. Upload your letter head and logo - you can edit them later.,Upload uw brief hoofd en logo - u kunt ze later bewerken . -Uploading...,Upload ... Upper Income,Renda superior Urgent,Urgente Use Multi-Level BOM,Utilize Multi-Level BOM @@ -3217,11 +3015,9 @@ User ID,ID de usuário User ID not set for Employee {0},ID do usuário não definido para Employee {0} User Name,Nome de usuário User Name or Support Password missing. Please enter and try again.,Nome de usuário ou senha Suporte faltando. Por favor entre e tente novamente. -User Permission Restrictions,Restrições a permissão do usuário User Remark,Observação de usuário User Remark will be added to Auto Remark,Observação usuário será adicionado à observação Auto User Remarks is mandatory,Usuário Observações é obrigatório -User Restrictions,Restrições de Usuário User Specific,Especificas do usuário User must always select,O usuário deve sempre escolher User {0} is already assigned to Employee {1},Usuário {0} já está atribuído a Employee {1} @@ -3319,8 +3115,6 @@ Will be updated after Sales Invoice is Submitted.,Será atualizado após a factu Will be updated when batched.,Será atualizado quando agrupadas. Will be updated when billed.,Será atualizado quando faturado. Wire Transfer,por transferência bancária -With Groups,com Grupos -With Ledgers,com Ledgers With Operations,Com Operações With period closing entry,Met periode sluitpost Work Details,Detalhes da Obra @@ -3328,7 +3122,6 @@ Work Done,Trabalho feito Work In Progress,Trabalho em andamento Work-in-Progress Warehouse,Armazém Work-in-Progress Work-in-Progress Warehouse is required before Submit,Trabalho em andamento Warehouse é necessário antes de Enviar -Workflow will start after saving.,Fluxo de trabalho terá início após a poupança. Working,Trabalhando Workstation,Estação de trabalho Workstation Name,Nome da Estação de Trabalho @@ -3351,11 +3144,6 @@ Year Start Date should not be greater than Year End Date,Jaar Startdatum mag nie Year of Passing,Ano de Passagem Yearly,Anual Yes,Sim -Yesterday,Ontem -You are not allowed to create / edit reports,Você não tem permissão para criar / editar relatórios -You are not allowed to export this report,Você não tem permissão para exportar este relatório -You are not allowed to print this document,Você não tem permissão para imprimir este documento -You are not allowed to send emails related to this document,Você não tem permissão para enviar e-mails relacionados a este documento You are not authorized to add or update entries before {0},Você não está autorizado para adicionar ou atualizar entradas antes de {0} You are not authorized to set Frozen value,U bent niet bevoegd om Frozen waarde in te stellen You are the Expense Approver for this record. Please Update the 'Status' and Save,U bent de Expense Approver voor dit record . Werk van de 'Status' en opslaan @@ -3372,7 +3160,6 @@ You can submit this Stock Reconciliation.,U kunt indienen dit Stock Verzoening . You can update either Quantity or Valuation Rate or both.,U kunt Hoeveelheid of Valuation Rate of beide te werken. You cannot credit and debit same account at the same time,Você não pode de crédito e débito mesma conta ao mesmo tempo You have entered duplicate items. Please rectify and try again.,U heeft dubbele items ingevoerd. Aub verwijderen en probeer het opnieuw . -You have unsaved changes in this form. Please save before you continue.,Você tem alterações não salvas neste formulário. You may need to update: {0},Você pode precisar atualizar : {0} You must Save the form before proceeding,Você deve salvar o formulário antes de continuar You must allocate amount before reconcile,Você deve alocar o valor antes de reconciliação @@ -3381,7 +3168,6 @@ Your Customers,uw klanten Your Login Id,Seu ID de login Your Products or Services,Uw producten of diensten Your Suppliers,uw Leveranciers -"Your download is being built, this may take a few moments...","O seu download está sendo construída, isso pode demorar alguns instantes ..." Your email address,Seu endereço de email Your financial year begins on,O ano financeiro tem início a Your financial year ends on,Seu exercício termina em @@ -3394,8 +3180,6 @@ Your support email id - must be a valid email - this is where your emails will c and,e are not allowed.,zijn niet toegestaan ​​. assigned by,atribuído pela -comment,comentário -comments,reacties "e.g. ""Build tools for builders""","por exemplo ""Construa ferramentas para os construtores """ "e.g. ""MC""","por exemplo "" MC """ "e.g. ""My Company LLC""","por exemplo "" My Company LLC""" @@ -3405,14 +3189,9 @@ e.g. 5,por exemplo 5 e.g. VAT,por exemplo IVA eg. Cheque Number,por exemplo. Número de cheques example: Next Day Shipping,exemplo: Next Day envio -found,gevonden -is not allowed.,não é permitido. lft,lft old_parent,old_parent -or,ou rgt,rgt -to,para -values and dates,valores e as datas website page link,link da página site {0} '{1}' not in Fiscal Year {2},{0} '{1}' não no ano fiscal de {2} {0} Credit limit {0} crossed,{0} Limite de crédito {0} atravessou diff --git a/erpnext/translations/sr.csv b/erpnext/translations/sr.csv index 0c535cedfd..8d324761b3 100644 --- a/erpnext/translations/sr.csv +++ b/erpnext/translations/sr.csv @@ -1,7 +1,5 @@ (Half Day),(Полудневни) and year: ,и година: - by Role ,по улози - is not set,није одређена """ does not exists",""" Не постоји" % Delivered,Испоручено% % Amount Billed,Износ% Фактурисана @@ -34,7 +32,6 @@ "1 Currency = [?] Fraction For e.g. 1 USD = 100 Cent",1 Валута = [ ? ] Фракција \ нНа пример 1. To maintain the customer wise item code and to make them searchable based on their code use this option,1. Да бисте задржали купца мудрог код ставке и да их претраживати на основу њиховог кода користили ову опцију -2 days ago,Пре 2 дана "Add / Edit","<а хреф=""#Салес Бровсер/Цустомер Гроуп""> Додај / Уреди < />" "Add / Edit","<а хреф=""#Салес Бровсер/Итем Гроуп""> Додај / Уреди < />" "Add / Edit","<а хреф=""#Салес Бровсер/Территори""> Додај / Уреди < />" @@ -89,7 +86,6 @@ Accounts Frozen Upto,Рачуни Фрозен Упто Accounts Payable,Обавезе према добављачима Accounts Receivable,Потраживања Accounts Settings,Рачуни Подешавања -Actions,Акције Active,Активан Active: Will extract emails from ,Активно: издвојити из пошту Activity,Активност @@ -111,23 +107,13 @@ Actual Quantity,Стварна Количина Actual Start Date,Сунце Датум почетка Add,Додати Add / Edit Taxes and Charges,Адд / Едит порези и таксе -Add Attachments,Додај Прилози -Add Bookmark,Адд Боокмарк Add Child,Додај Цхилд -Add Column,Додај колону -Add Message,Додај поруку -Add Reply,Адд Репли Add Serial No,Додај сериал но Add Taxes,Додај Порези Add Taxes and Charges,Додај таксе и трошкове -Add This To User's Restrictions,Добавить этот ограничений для покупателя -Add attachment,Додај прилог -Add new row,Додавање новог реда Add or Deduct,Додавање или Одузмите Add rows to set annual budgets on Accounts.,Додајте редове одређује годишње буџете на рачунима. Add to Cart,Добавить в корзину -Add to To Do,Адд то То До -Add to To Do List of,Адд то То До листу Add to calendar on this date,Додај у календар овог датума Add/Remove Recipients,Адд / Ремове прималаца Address,Адреса @@ -220,9 +206,6 @@ Allow user to edit Price List Rate in transactions,Дозволите корис Allowance Percent,Исправка Проценат Allowance for over-delivery / over-billing crossed for Item {0},Учет по - доставки / Over- биллинга скрещенными за Пункт {0} Allowed Role to Edit Entries Before Frozen Date,Дозвољено Улога на Измене уноса Пре Фрозен Дате -"Allowing DocType, DocType. Be careful!","Разрешение DocType , DocType . Будьте осторожны !" -Alternative download link,Альтернативная ссылка для скачивания -Amend,Изменити Amended From,Измењена од Amount,Износ Amount (Company Currency),Износ (Друштво валута) @@ -270,26 +253,18 @@ Approving User,Одобравање корисника Approving User cannot be same as user the rule is Applicable To,"Утверждении покупатель не может быть такой же, как пользователь правило применимо к" Are you sure you want to STOP , Are you sure you want to UNSTOP , -Are you sure you want to delete the attachment?,Да ли сте сигурни да желите да избришете прилог? Arrear Amount,Заостатак Износ "As Production Order can be made for this item, it must be a stock item.","Как Производственный заказ можно сделать по этой статье, он должен быть запас пункт ." As per Stock UOM,По берза ЗОЦГ "As there are existing stock transactions for this item, you can not change the values of 'Has Serial No', 'Is Stock Item' and 'Valuation Method'","Као што постоје постојеће трансакције акција за ову ставку , не можете да промените вредности ' има серијски број ' , ' Да ли лагеру предмета ' и ' Процена Метод '" -Ascending,Растући Asset,преимућство -Assign To,Додели -Assigned To,Додељено -Assignments,Задания Assistant,асистент Associate,помоћник Atleast one warehouse is mandatory,Атлеаст једно складиште је обавезно -Attach Document Print,Приложите Принт документа Attach Image,Прикрепите изображение Attach Letterhead,Прикрепите бланке Attach Logo,Прикрепите логотип Attach Your Picture,Прикрепите свою фотографию -Attach as web link,Причврстите као веб линк -Attachments,Прилози Attendance,Похађање Attendance Date,Гледалаца Датум Attendance Details,Гледалаца Детаљи @@ -402,7 +377,6 @@ Block leave applications by department.,Блок оставите апликац Blog Post,Блог пост Blog Subscriber,Блог Претплатник Blood Group,Крв Група -Bookmarks,Боокмаркс Both Warehouse must belong to same Company,Оба Магацин мора припадати истој компанији Box,коробка Branch,Филијала @@ -437,7 +411,6 @@ C-Form No,Ц-Образац бр C-Form records,Ц - Форма евиденција Calculate Based On,Израчунајте Басед Он Calculate Total Score,Израчунајте Укупна оцена -Calendar,Календар Calendar Events,Календар догађаја Call,Позив Calls,Звонки @@ -450,7 +423,6 @@ Can be approved by {0},Может быть одобрено {0} "Can not filter based on Account, if grouped by Account","Не можете да филтрирате на основу налога , ако груписани по налогу" "Can not filter based on Voucher No, if grouped by Voucher","Не можете да филтрирате на основу ваучер Не , ако груписани по ваучер" Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"Можете обратиться строку , только если тип заряда «О Предыдущая сумма Row » или « Предыдущая Row Всего""" -Cancel,Отказати Cancel Material Visit {0} before cancelling this Customer Issue,Отменить Материал Посетить {0} до отмены этого вопроса клиентов Cancel Material Visits {0} before cancelling this Maintenance Visit,Отменить Материал просмотров {0} до отмены этого обслуживания визит Cancelled,Отказан @@ -469,11 +441,7 @@ Cannot deactive or cancle BOM as it is linked with other BOMs,Не можете Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Не можете вычесть , когда категория для "" Оценка "" или "" Оценка и Всего""" "Cannot delete Serial No {0} in stock. First remove from stock, then delete.","Не удается удалить серийный номер {0} в наличии . Сначала снимите со склада , а затем удалить ." "Cannot directly set amount. For 'Actual' charge type, use the rate field","Не можете непосредственно установить сумму. Для «Актуальные ' типа заряда , используйте поле скорости" -Cannot edit standard fields,Не можете да измените стандардне поља -Cannot open instance when its {0} is open,"Не могу открыть экземпляр , когда его {0} открыто" -Cannot open {0} when its instance is open,"Не могу открыть {0} , когда его экземпляр открыт" "Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in 'Setup' > 'Global Defaults'","Не можете overbill по пункту {0} в строке {0} более {1} . Чтобы разрешить overbilling , пожалуйста, установите в ' Setup ' > ' Глобальные умолчанию '" -Cannot print cancelled documents,Невозможно печатать отмененные документы Cannot produce more Item {0} than Sales Order quantity {1},"Не можете производить больше элемент {0} , чем количество продаж Заказать {1}" Cannot refer row number greater than or equal to current row number for this Charge type,"Не можете обратиться номер строки , превышающую или равную текущему номеру строки для этого типа зарядки" Cannot return more than {0} for Item {1},Не можете вернуть более {0} для Пункт {1} @@ -527,19 +495,14 @@ Claim Amount,Захтев Износ Claims for company expense.,Захтеви за рачун предузећа. Class / Percentage,Класа / Проценат Classic,Класик -Clear Cache,Очистить кэш Clear Table,Слободан Табела Clearance Date,Чишћење Датум Clearance Date not mentioned,Клиренс Дата не упоминается Clearance date cannot be before check date in row {0},Дата просвет не может быть до даты регистрации в строке {0} Click on 'Make Sales Invoice' button to create a new Sales Invoice.,Кликните на 'да продаје Фактура' дугме да бисте креирали нову продајну фактуру. Click on a link to get options to expand get options , -Click on row to view / edit.,"Нажмите на строке , чтобы просмотреть / редактировать ." -Click to Expand / Collapse,Кликните на Прошири / скупи Client,Клијент -Close,Затворити Close Balance Sheet and book Profit or Loss.,Затвори Биланс стања и књига добитак или губитак . -Close: {0},Закрыть : {0} Closed,Затворено Closing Account Head,Затварање рачуна Хеад Closing Account {0} must be of type 'Liability',"Закрытие счета {0} должен быть типа "" ответственности """ @@ -550,10 +513,8 @@ Closing Value,Затварање Вредност CoA Help,ЦоА Помоћ Code,Код Cold Calling,Хладна Позивање -Collapse,коллапс Color,Боја Comma separated list of email addresses,Зарез раздвојен списак емаил адреса -Comment,Коментар Comments,Коментари Commercial,коммерческий Commission,комисија @@ -564,7 +525,6 @@ Commission rate cannot be greater than 100,"Скорость Комиссия н Communication,Комуникација Communication HTML,Комуникација ХТМЛ Communication History,Комуникација Историја -Communication Medium,Комуникација средња Communication log.,Комуникација дневник. Communications,Комуникације Company,Компанија @@ -583,7 +543,6 @@ Company registration numbers for your reference. Tax numbers etc.,. Компан "Company, Month and Fiscal Year is mandatory","Компанија , месец и Фискална година је обавезно" Compensatory Off,Компенсационные Выкл Complete,Завршити -Complete By,Комплетан Би Complete Setup,завершение установки Completed,Завршен Completed Production Orders,Завршени Продуцтион Поруџбине @@ -635,7 +594,6 @@ Convert into Recurring Invoice,Конвертовање у Рецурринг ф Convert to Group,Претвори у групи Convert to Ledger,Претвори у књизи Converted,Претворено -Copy,Копирајте Copy From Item Group,Копирање из ставке групе Cosmetics,козметика Cost Center,Трошкови центар @@ -666,7 +624,6 @@ Create Stock Ledger Entries when you submit a Sales Invoice,Направите Create rules to restrict transactions based on values.,Создание правил для ограничения операций на основе значений . Created By,Креирао Creates salary slip for above mentioned criteria.,Ствара плата листић за горе наведених критеријума. -Creation / Modified By,Создание / Изменено Creation Date,Датум регистрације Creation Document No,Стварање документ № Creation Document Type,Документ регистрације Тип @@ -697,11 +654,9 @@ Current Liabilities,Текущие обязательства Current Stock,Тренутне залихе Current Stock UOM,Тренутне залихе УОМ Current Value,Тренутна вредност -Current status,Тренутни статус Custom,Обичај Custom Autoreply Message,Прилагођена Ауторепли порука Custom Message,Прилагођена порука -Custom Reports,Прилагођени извештаји Customer,Купац Customer (Receivable) Account,Кориснички (потраживања) Рачун Customer / Item Name,Кориснички / Назив @@ -750,7 +705,6 @@ Date Format,Формат датума Date Of Retirement,Датум одласка у пензију Date Of Retirement must be greater than Date of Joining,Дата выхода на пенсию должен быть больше даты присоединения Date is repeated,Датум се понавља -Date must be in format: {0},Дата должна быть в формате : {0} Date of Birth,Датум рођења Date of Issue,Датум издавања Date of Joining,Датум Придруживање @@ -761,7 +715,6 @@ Dates,Датуми Days Since Last Order,Дана Од Последња Наручи Days for which Holidays are blocked for this department.,Дани за које Празници су блокирани овом одељењу. Dealer,Трговац -Dear,Драг Debit,Задужење Debit Amt,Дебитна Амт Debit Note,Задужењу @@ -809,7 +762,6 @@ Default settings for stock transactions.,Настройки по умолчан Defense,одбрана "Define Budget for this Cost Center. To set budget action, see Company Master","Дефинисање буџета за ову трошкова Центра. Да бисте поставили радњу буџета, види Мастер Цомпани" Delete,Избрисати -Delete Row,Делете Ров Delete {0} {1}?,Удалить {0} {1} ? Delivered,Испоручено Delivered Items To Be Billed,Испоручени артикала буду наплаћени @@ -836,7 +788,6 @@ Department,Одељење Department Stores,Робне куце Depends on LWP,Зависи ЛВП Depreciation,амортизация -Descending,Спуштање Description,Опис Description HTML,Опис ХТМЛ Designation,Ознака @@ -881,15 +832,10 @@ Do you really want to stop production order: , Doc Name,Док Име Doc Type,Док Тип Document Description,Опис документа -Document Status transition from ,Документ статус прелазак са -Document Status transition from {0} to {1} is not allowed,Статус документа переход от {0} до {1} не допускается Document Type,Доцумент Типе -Document is only editable by users of role,Документ је само мењати од стране корисника о улози -Documentation,Документација Documents,Документи Domain,Домен Don't send Employee Birthday Reminders,Немојте слати запослених подсетник за рођендан -Download,скачать Download Materials Required,Преузимање материјала Потребна Download Reconcilation Data,Довнлоад помирење подаци Download Template,Преузмите шаблон @@ -898,8 +844,6 @@ Download a report containing all raw materials with their latest inventory statu "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","Преузмите шаблон , попуните одговарајуће податке и приложите измењену датотеку \ . НАЛЛ датира и комбинација запослени у изабраном периоду ће доћи у шаблону , са постојећим евиденцију радног" Draft,Нацрт -Drafts,Нацрти -Drag to sort columns,Превуците за сортирање колоне Dropbox,Дропбок Dropbox Access Allowed,Дропбок дозвољен приступ Dropbox Access Key,Дропбок Приступни тастер @@ -920,7 +864,6 @@ Earning & Deduction,Зарада и дедукције Earning Type,Зарада Вид Earning1,Еарнинг1 Edit,Едит -Editable,Едитабле Education,образовање Educational Qualification,Образовни Квалификације Educational Qualification Details,Образовни Квалификације Детаљи @@ -940,12 +883,9 @@ Email Id,Емаил ИД "Email Id where a job applicant will email e.g. ""jobs@example.com""",Емаил ИД гдје посао подносилац ће пошаљи нпр "јобс@екампле.цом" Email Notifications,Уведомления по электронной почте Email Sent?,Емаил Сент? -"Email addresses, separted by commas","Емаил адресе, сепартед зарезима" "Email id must be unique, already exists for {0}","Удостоверение личности электронной почты должен быть уникальным , уже существует для {0}" Email ids separated by commas.,Емаил ИДС раздвојене зарезима. -Email sent to {0},E-mail отправлено на адрес {0} "Email settings to extract Leads from sales email id e.g. ""sales@example.com""",Емаил подешавања за издвајање води од продаје Емаил ИД нпр "салес@екампле.цом" -Email...,Е-маил ... Emergency Contact,Хитна Контакт Emergency Contact Details,Хитна Контакт Emergency Phone,Хитна Телефон @@ -984,7 +924,6 @@ End date of current invoice's period,Крајњи датум периода ак End of Life,Крај живота Energy,енергија Engineer,инжењер -Enter Value,Введите значение Enter Verification Code,Унесите верификациони код Enter campaign name if the source of lead is campaign.,"Унесите назив кампање, ако извор олова кампања." Enter department to which this Contact belongs,Унесите одељење које се овај контакт припада @@ -1002,7 +941,6 @@ Entries,Уноси Entries against,Уноси против Entries are not allowed against this Fiscal Year if the year is closed.,Уноси нису дозвољени против фискалне године ако је затворен. Entries before {0} are frozen,Записи до {0} заморожены -Equals,Једнак Equity,капитал Error: {0} > {1},Ошибка: {0} > {1} Estimated Material Cost,Процењени трошкови материјала @@ -1019,7 +957,6 @@ Exhibition,Изложба Existing Customer,Постојећи Кориснички Exit,Излаз Exit Interview Details,Екит Детаљи Интервју -Expand,расширять Expected,Очекиван Expected Completion Date can not be less than Project Start Date,"Ожидаемый срок завершения не может быть меньше , чем Дата начала проекта" Expected Date cannot be before Material Request Date,Очекивани датум не може бити пре Материјал Захтев Датум @@ -1052,8 +989,6 @@ Expenses Booked,Расходи Боокед Expenses Included In Valuation,Трошкови укључени у процене Expenses booked for the digest period,Трошкови резервисано за период дигест Expiry Date,Датум истека -Export,Извоз -Export not allowed. You need {0} role to export.,Экспорт не допускается. Вам нужно {0} роль для экспорта . Exports,Извоз External,Спољни Extract Emails,Екстракт Емаилс @@ -1068,11 +1003,8 @@ Feedback,Повратна веза Female,Женски Fetch exploded BOM (including sub-assemblies),Фетцх експлодирала бом ( укључујући подсклопова ) "Field available in Delivery Note, Quotation, Sales Invoice, Sales Order","Поље доступан у напомени испоруке, понуде, продаје фактуре, продаје Наруџбеница" -Field {0} is not selectable.,Поле {0} не выбирается . -File,Фајл Files Folder ID,Фајлови Фолдер ИД Fill the form and save it,Попуните формулар и да га сачувате -Filter,Филтер Filter based on customer,Филтер на бази купца Filter based on item,Филтер на бази ставке Financial / accounting year.,Финансовый / отчетного года . @@ -1101,14 +1033,10 @@ For Server Side Print Formats,За Сервер форматима страна For Supplier,За добављача For Warehouse,За Варехоусе For Warehouse is required before Submit,Для требуется Склад перед Отправить -"For comparative filters, start with","За компаративних филтера, почети са" "For e.g. 2012, 2012-13","За нпр 2012, 2012-13" -For ranges,За опсеге For reference,За референце For reference only.,Само за референцу. "For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","За практичност потрошача, ови кодови могу да се користе у штампаним форматима као што су фактуре и отпремнице" -Form,Образац -Forums,Форумы Fraction,Фракција Fraction Units,Фракција јединице Freeze Stock Entries,Фреезе уносе берза @@ -1161,12 +1089,10 @@ Generate Material Requests (MRP) and Production Orders.,Генеришите З Generate Salary Slips,Генериши стаје ПЛАТА Generate Schedule,Генериши Распоред Generates HTML to include selected image in the description,Ствара ХТМЛ укључити изабрану слику у опису -Get,Добити Get Advances Paid,Гет аванси Get Advances Received,Гет аванси Get Against Entries,Гет Против Ентриес Get Current Stock,Гет тренутним залихама -Get From ,Од Гет Get Items,Гет ставке Get Items From Sales Orders,Набавите ставке из наруџбина купаца Get Items from BOM,Се ставке из БОМ @@ -1194,8 +1120,6 @@ Government,правительство Graduate,Пређите Grand Total,Свеукупно Grand Total (Company Currency),Гранд Укупно (Друштво валута) -Greater or equals,Већа или једнаки -Greater than,Веће од "Grid ""","Мрежа """ Grocery,бакалница Gross Margin %,Бруто маржа% @@ -1207,7 +1131,6 @@ Gross Profit (%),Бруто добит (%) Gross Weight,Бруто тежина Gross Weight UOM,Бруто тежина УОМ Group,Група -"Group Added, refreshing...","Группа Добавлено , освежающий ..." Group by Account,Группа по Счет Group by Voucher,Группа по ваучером Group or Ledger,Група или Леџер @@ -1229,14 +1152,12 @@ Health Care,здравство Health Concerns,Здравље Забринутост Health Details,Здравље Детаљи Held On,Одржана -Help,Помоћ Help HTML,Помоћ ХТМЛ "Help: To link to another record in the system, use ""#Form/Note/[Note Name]"" as the Link URL. (don't use ""http://"")","Помоћ: да се повеже на други запис у систему, користите "# Форма / напомена / [Напомена име]" као УРЛ везе. (Немојте користити "хттп://")" "Here you can maintain family details like name and occupation of parent, spouse and children","Овде можете одржавати детаље породице као име и окупације родитеља, брачног друга и деце" "Here you can maintain height, weight, allergies, medical concerns etc","Овде можете одржавати висина, тежина, алергија, медицинску забринутост сл" Hide Currency Symbol,Сакриј симбол валуте High,Висок -History,Историја History In Company,Историја У друштву Hold,Држати Holiday,Празник @@ -1281,17 +1202,14 @@ If you have Sales Team and Sale Partners (Channel Partners) they can be tagged If you involve in manufacturing activity. Enables Item 'Is Manufactured',Если вы привлечь в производственной деятельности. Включает элемент ' производится ' Ignore,Игнорисати Ignored: ,Занемарени: -"Ignoring Item {0}, because a group exists with the same name!","Игнорирование Пункт {0} , потому что группа существует с тем же именем !" Image,Слика Image View,Слика Погледај Implementation Partner,Имплементација Партнер -Import,Увоз Import Attendance,Увоз Гледалаца Import Failed!,Увоз није успело ! Import Log,Увоз се Import Successful!,Увоз Успешна ! Imports,Увоз -In,у In Hours,У часовима In Process,У процесу In Qty,У Кол @@ -1306,7 +1224,6 @@ In Words will be visible once you save the Purchase Receipt.,У речи ће б In Words will be visible once you save the Quotation.,У речи ће бити видљив када сачувате цитат. In Words will be visible once you save the Sales Invoice.,У речи ће бити видљив када сачувате продаје фактуру. In Words will be visible once you save the Sales Order.,У речи ће бити видљив када сачувате продајних налога. -In response to,У одговору на Incentives,Подстицаји Include Reconciled Entries,Укључи помирили уносе Include holidays in Total no. of Working Days,Укључи одмор у Укупан бр. радних дана @@ -1327,8 +1244,6 @@ Indirect Income,Косвенная прибыль Individual,Појединац Industry,Индустрија Industry Type,Индустрија Тип -Insert Below,Убаците Испод -Insert Row,Уметни ред Inspected By,Контролисано Би Inspection Criteria,Инспекцијски Критеријуми Inspection Required,Инспекција Обавезно @@ -1350,8 +1265,6 @@ Internal,Интерни Internet Publishing,Интернет издаваштво Introduction,Увод Invalid Barcode or Serial No,Неверный код или Серийный номер -Invalid Email: {0},Неверный e-mail: {0} -Invalid Filter: {0},Неверный Фильтр: {0} Invalid Mail Server. Please rectify and try again.,"Неверный Сервер Почта . Пожалуйста, исправить и попробовать еще раз." Invalid Master Name,Неважећи мајстор Име Invalid User Name or Support Password. Please rectify and try again.,"Неверное имя пользователя или поддержки Пароль . Пожалуйста, исправить и попробовать еще раз." @@ -1516,7 +1429,6 @@ Landed Cost updated successfully,Посадка Стоимость успешн Language,Језик Last Name,Презиме Last Purchase Rate,Последња куповина Стопа -Last updated by,Последње ажурирање Latest,најновији Lead,Довести Lead Details,Олово Детаљи @@ -1566,24 +1478,17 @@ Ledgers,књигама Left,Лево Legal,правни Legal Expenses,судебные издержки -Less or equals,Мање или једнако -Less than,Мање од Letter Head,Писмо Глава Letter Heads for print templates.,Письмо главы для шаблонов печати . Level,Ниво Lft,ЛФТ Liability,одговорност -Like,као -Linked With,Повезан са -List,Списак List a few of your customers. They could be organizations or individuals.,Листанеколико ваших клијената . Они могу бити организације и појединци . List a few of your suppliers. They could be organizations or individuals.,Листанеколико ваших добављача . Они могу бити организације и појединци . List items that form the package.,Листа ствари које чине пакет. List this Item in multiple groups on the website.,Наведи ову ставку у више група на сајту. "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 your tax heads (e.g. VAT, Excise; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Наведите своје пореске главе ( нпр. ПДВ , акцизе , они треба да имају јединствена имена ) и њихове стандардне цене ." -Loading,Утовар -Loading Report,Учитавање извештај Loading...,Учитавање ... Loans (Liabilities),Кредиты ( обязательства) Loans and Advances (Assets),Кредиты и авансы ( активы ) @@ -1591,7 +1496,6 @@ Local,местный Login with your new User ID,Пријавите се вашим новим Усер ИД Logo,Лого Logo and Letter Heads,Лого и Леттер Шефови -Logout,Одјава Lost,изгубљен Lost Reason,Лост Разлог Low,Низак @@ -1642,7 +1546,6 @@ Make Salary Structure,Маке плата Структура Make Sales Invoice,Маке Салес фактура Make Sales Order,Маке Продаја Наручите Make Supplier Quotation,Маке добављача цитат -Make a new,Направите нови Male,Мушки Manage Customer Group Tree.,Управление групповой клиентов дерево . Manage Sales Person Tree.,Управление менеджера по продажам дерево . @@ -1650,8 +1553,6 @@ Manage Territory Tree.,Управление Территория дерево . Manage cost of operations,Управљање трошкове пословања Management,управљање Manager,менаџер -Mandatory fields required in {0},"Обязательные поля , необходимые в {0}" -Mandatory filters required:\n,Обавезни филтери потребни : \ н "Mandatory if Stock Item is ""Yes"". Also the default warehouse where reserved quantity is set from Sales Order.","Обавезно ако лагеру предмета је "Да". Такође, стандардна складиште у коме је резервисано количина постављен од продајних налога." Manufacture against Sales Order,Производња против налога за продају Manufacture/Repack,Производња / препаковати @@ -1722,13 +1623,11 @@ Minute,минут Misc Details,Остало Детаљи Miscellaneous Expenses,Прочие расходы Miscelleneous,Мисцелленеоус -Missing Values Required,Вредности које недостају Обавезна Mobile No,Мобилни Нема Mobile No.,Мобиле Но Mode of Payment,Начин плаћања Modern,Модеран Modified Amount,Измењено Износ -Modified by,Изменио Monday,Понедељак Month,Месец Monthly,Месечно @@ -1736,12 +1635,9 @@ Monthly Attendance Sheet,Гледалаца Месечни лист Monthly Earning & Deduction,Месечна зарада и дедукције Monthly Salary Register,Месечна плата Регистрација Monthly salary statement.,Месечна плата изјава. -More,Више More Details,Више детаља More Info,Више информација Motion Picture & Video,Мотион Пицтуре & Видео -Move Down: {0},Вниз : {0} -Move Up: {0},Вверх : {0} Moving Average,Мовинг Авераге Moving Average Rate,Мовинг Авераге рате Mr,Господин @@ -1751,12 +1647,9 @@ Multiple Item prices.,Више цене аукцији . conflict by assigning priority. Price Rules: {0}","Вишеструки Цена Правило постоји са истим критеријумима , молимо вас да реши \ \ н сукоб са приоритетом ." Music,музика Must be Whole Number,Мора да буде цео број -My Settings,Моја подешавања Name,Име Name and Description,Име и опис Name and Employee ID,Име и број запослених -Name is required,Име је обавезно -Name not permitted,Имя не допускается "Name of new Account. Note: Please don't create accounts for Customers and Suppliers, they are created automatically from the Customer and Supplier master","Имя нового счета. Примечание: Пожалуйста, не создавать учетные записи для клиентов и поставщиков , они создаются автоматически от Заказчика и поставщика оригиналов" Name of person or organization that this address belongs to.,Име особе или организације која је ова адреса припада. Name of the Budget Distribution,Име дистрибуције буџета @@ -1774,7 +1667,6 @@ Net Weight UOM,Тежина УОМ Net Weight of each Item,Тежина сваког артикла Net pay cannot be negative,Чистая зарплата не может быть отрицательным Never,Никад -New,нови New , New Account,Нови налог New Account Name,Нови налог Име @@ -1794,7 +1686,6 @@ New Projects,Нови пројекти New Purchase Orders,Нове наруџбеницама New Purchase Receipts,Нове Куповина Примици New Quotations,Нове Цитати -New Record,Нови Рекорд New Sales Orders,Нове продајних налога New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Новый Серийный номер не может быть Склад . Склад должен быть установлен на фондовой Вступил или приобрести получении New Stock Entries,Нове Стоцк Ентриес @@ -1816,11 +1707,8 @@ Next,следующий Next Contact By,Следеће Контакт По Next Contact Date,Следеће Контакт Датум Next Date,Следећи датум -Next Record,Следующая запись -Next actions,Следеће акције Next email will be sent on:,Следећа порука ће бити послата на: No,Не -No Communication tagged with this ,Не Комуникација означена са овим No Customer Accounts found.,Нема купаца Рачуни фоунд . No Customer or Supplier Accounts found,Не найдено ни одного клиента или поставщика счета No Expense Approvers. Please assign 'Expense Approver' Role to atleast one user,"Нет Расходные утверждающих. Пожалуйста, назначить "" расходов утверждающего "" роли для по крайней мере одного пользователя" @@ -1830,48 +1718,31 @@ No Items to pack,Нет объектов для вьючных No Leave Approvers. Please assign 'Leave Approver' Role to atleast one user,"Нет Leave утверждающих. Пожалуйста назначить роль "" оставить утверждающий ' , чтобы по крайней мере одного пользователя" No Permission,Без дозвола No Production Orders created,"Нет Производственные заказы , созданные" -No Report Loaded. Please use query-report/[Report Name] to run a report.,Не Извештај Лоадед. Молимо Вас да користите упит-извештај / [извештај Име] да покренете извештај. -No Results,Нет результатов No Supplier Accounts found. Supplier Accounts are identified based on 'Master Type' value in account record.,Нема Супплиер Рачуни фоунд . Добављач Рачуни су идентификовани на основу ' Мастер ' тип вредности рачуна запису . No accounting entries for the following warehouses,Нет учетной записи для следующих складов No addresses created,Нема адресе створене No contacts created,Нема контаката створене No default BOM exists for Item {0},Нет умолчанию спецификации не существует Пункт {0} No description given,Не введено описание -No document selected,Не выбрано ни одного документа No employee found,Не работник не найдено No employee found!,Ниједан запослени фоунд ! No of Requested SMS,Нема тражених СМС No of Sent SMS,Број послатих СМС No of Visits,Број посета -No one,Нико No permission,Нет доступа -No permission to '{0}' {1},Немате дозволу за ' {0} ' {1} -No permission to edit,Немате дозволу да измените No record found,Нема података фоунд -No records tagged.,Нема података означени. No salary slip found for month: ,Нема плата за месец пронађен клизање: Non Profit,Некоммерческое -None,Ниједан -None: End of Workflow,Ништа: Крај Воркфлов Nos,Нос Not Active,Није пријављен Not Applicable,Није применљиво Not Available,Није доступно Not Billed,Није Изграђена Not Delivered,Није Испоручено -Not Found,Није пронађено -Not Linked to any record.,Није повезано са било запис. -Not Permitted,Није дозвољено Not Set,Нот Сет -Not Submitted,Не Представленные -Not allowed,Не допускается Not allowed to update entries older than {0},"Не допускается , чтобы обновить записи старше {0}" Not authorized to edit frozen Account {0},Не разрешается редактировать замороженный счет {0} Not authroized since {0} exceeds limits,Не Authroized с {0} превышает пределы -Not enough permission to see links.,Није довољно дозволу да виде линкове. -Not equals,Нису једнаки -Not found,Не найдено Not permitted,Не допускается Note,Приметити Note User,Напомена Корисник @@ -1880,7 +1751,6 @@ Note User,Напомена Корисник Note: Due Date exceeds the allowed credit days by {0} day(s),Примечание: В связи Дата превышает разрешенный кредит дня на {0} день (дни) Note: Email will not be sent to disabled users,Напомена: Е-маил неће бити послат са инвалидитетом корисницима Note: Item {0} entered multiple times,Примечание: Пункт {0} вошли несколько раз -Note: Other permission rules may also apply,Напомена: Остале дозвола правила могу да се примењују Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,"Примечание: Оплата Вступление не будет создана , так как "" Наличные или Банковский счет "" не был указан" Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Примечание: Система не будет проверять по - доставки и избыточного бронирования по пункту {0} как количестве 0 Note: There is not enough leave balance for Leave Type {0},Примечание: Существует не хватает отпуск баланс для отпуске Тип {0} @@ -1889,12 +1759,9 @@ Note: {0},Примечание: {0} Notes,Белешке Notes:,Напомене : Nothing to request,Ништа се захтевати -Nothing to show,Ништа да покаже -Nothing to show for this selection,Ништа се покаже за овај избор Notice (days),Обавештење ( дана ) Notification Control,Обавештење Контрола Notification Email Address,Обавештење е-маил адреса -Notify By Email,Обавестити путем емаила Notify by Email on creation of automatic Material Request,Обавестити путем емаила на стварању аутоматског материјала захтеву Number Format,Број Формат Offer Date,Понуда Датум @@ -1938,7 +1805,6 @@ Opportunity Items,Оппортунити Артикли Opportunity Lost,Прилика Лост Opportunity Type,Прилика Тип Optional. This setting will be used to filter in various transactions.,Опционо . Ова поставка ће се користити за филтрирање у различитим трансакцијама . -Or Created By,Или Создано Order Type,Врста поруџбине Order Type must be one of {1},Тип заказа должен быть одним из {1} Ordered,Ж @@ -1953,7 +1819,6 @@ Organization Profile,Профиль организации Organization branch master.,Организация филиал мастер . Organization unit (department) master.,Название подразделения (департамент) хозяин. Original Amount,Оригинални Износ -Original Message,Оригинал Мессаге Other,Други Other Details,Остали детаљи Others,другие @@ -1996,7 +1861,6 @@ Packing Slip Items,Паковање слип ставке Packing Slip(s) cancelled,Упаковочный лист (ы) отменяется Page Break,Страна Пауза Page Name,Страница Име -Page not found,Страница није пронађена Paid Amount,Плаћени Износ Paid amount + Write Off Amount can not be greater than Grand Total,"Платные сумма + списания сумма не может быть больше, чем общий итог" Pair,пара @@ -2062,9 +1926,6 @@ Period Closing Voucher,Период Затварање ваучера Periodicity,Периодичност Permanent Address,Стална адреса Permanent Address Is,Стална адреса је -Permanently Cancel {0}?,Постоянно Отменить {0} ? -Permanently Submit {0}?,Постоянно Представьте {0} ? -Permanently delete {0}?,Навсегда удалить {0} ? Permission,Дозвола Personal,Лични Personal Details,Лични детаљи @@ -2073,7 +1934,6 @@ Pharmaceutical,фармацевтический Pharmaceuticals,Фармација Phone,Телефон Phone No,Тел -Pick Columns,Пицк колоне Piecework,рад плаћен на акорд Pincode,Пинцоде Place of Issue,Место издавања @@ -2086,8 +1946,6 @@ Plant,Биљка Plant and Machinery,Сооружения и оборудование Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,"Молимо Вас да унесете знак или скраћени назив исправно, јер ће бити додат као суфикса свим налог шефовима." Please add expense voucher details,"Пожалуйста, добавьте расходов Детали ваучеров" -Please attach a file first.,Молимо приложите прво датотеку. -Please attach a file or set a URL,Молимо вас да приложите датотеку или поставите УРЛ Please check 'Is Advance' against Account {0} if this is an advance entry.,"Пожалуйста, проверьте ""Есть Advance "" против Счет {0} , если это такой шаг вперед запись ." Please click on 'Generate Schedule',"Пожалуйста, нажмите на кнопку "" Generate Расписание """ Please click on 'Generate Schedule' to fetch Serial No added for Item {0},"Пожалуйста, нажмите на кнопку "" Generate Расписание "" , чтобы принести Серийный номер добавлен для Пункт {0}" @@ -2096,7 +1954,6 @@ Please create Customer from Lead {0},"Пожалуйста, создайте К Please create Salary Structure for employee {0},"Пожалуйста, создайте Зарплата Структура для работника {0}" Please create new account from Chart of Accounts.,Молимо креирајте нови налог из контном оквиру . Please do NOT create Account (Ledgers) for Customers and Suppliers. They are created directly from the Customer / Supplier masters.,Молимо не стварају налог ( књиге ) за купце и добављаче . Они су створили директно од купца / добављача мајстора . -Please enable pop-ups,Молимо омогућите искачуће прозоре Please enter 'Expected Delivery Date',"Пожалуйста, введите ' ожидаемой даты поставки """ Please enter 'Is Subcontracted' as Yes or No,"Пожалуйста, введите ' Является субподряду "", как Да или Нет" Please enter 'Repeat on Day of Month' field value,"Пожалуйста, введите ' Repeat на день месяца ' значения поля" @@ -2107,7 +1964,6 @@ Please enter Company,Унесите фирму Please enter Cost Center,Унесите трошка Please enter Delivery Note No or Sales Invoice No to proceed,Унесите Напомена испоруку не продаје Фактура или Не да наставите Please enter Employee Id of this sales parson,Унесите Ид радник овог продајног пароха -Please enter Event's Date and Time!,"Пожалуйста, введите мероприятия Дата и время !" Please enter Expense Account,Унесите налог Екпенсе Please enter Item Code to get batch no,Унесите Шифра добити пакет не Please enter Item Code.,Унесите Шифра . @@ -2133,14 +1989,11 @@ Please enter parent cost center,"Пожалуйста, введите МВЗ р Please enter quantity for Item {0},"Пожалуйста, введите количество для Пункт {0}" Please enter relieving date.,"Пожалуйста, введите даты снятия ." Please enter sales order in the above table,Унесите продаје ред у табели -Please enter some text!,"Пожалуйста, введите текст !" -Please enter title!,"Пожалуйста, введите название !" Please enter valid Company Email,"Пожалуйста, введите действительный Компания Email" Please enter valid Email Id,"Пожалуйста, введите действительный адрес электронной почты Id" Please enter valid Personal Email,"Пожалуйста, введите действительный Личная на e-mail" Please enter valid mobile nos,Введите действительные мобильных NOS Please install dropbox python module,Молимо вас да инсталирате Дропбок питон модул -Please login to Upvote!,"Пожалуйста, войдите , чтобы Upvote !" Please mention no of visits required,"Пожалуйста, укажите кол-во посещений , необходимых" Please pull items from Delivery Note,Пожалуйста вытяните элементов из накладной Please save the Newsletter before sending,"Пожалуйста, сохраните бюллетень перед отправкой" @@ -2191,8 +2044,6 @@ Plot By,цртеж Point of Sale,Поинт оф Сале Point-of-Sale Setting,Поинт-оф-Сале Подешавање Post Graduate,Пост дипломски -Post already exists. Cannot add again!,Сообщение уже существует. Не можете добавить снова! -Post does not exist. Please add post!,"Сообщение не существует. Пожалуйста, добавьте пост !" Postal,Поштански Postal Expenses,Почтовые расходы Posting Date,Постављање Дате @@ -2207,7 +2058,6 @@ Prevdoc DocType,Превдоц ДОЦТИПЕ Prevdoc Doctype,Превдоц ДОЦТИПЕ Preview,предварительный просмотр Previous,предыдущий -Previous Record,Предыдущая запись Previous Work Experience,Претходно радно искуство Price,цена Price / Discount,Цена / Скидка @@ -2226,12 +2076,10 @@ Price or Discount,Цена или Скидка Pricing Rule,Цены Правило Pricing Rule For Discount,Цены Правило Для Скидка Pricing Rule For Price,Цены Правило Для Цена -Print,штампа Print Format Style,Штампаном формату Стил Print Heading,Штампање наслова Print Without Amount,Принт Без Износ Print and Stationary,Печать и стационарное -Print...,Штампа ... Printing and Branding,Печать и брендинг Priority,Приоритет Private Equity,Приватни капитал @@ -2357,7 +2205,6 @@ Quantity of item obtained after manufacturing / repacking from given quantities Quantity required for Item {0} in row {1},Кол-во для Пункт {0} в строке {1} Quarter,Четврт Quarterly,Тромесечни -Query Report,Извештај упита Quick Help,Брзо Помоћ Quotation,Цитат Quotation Date,Понуда Датум @@ -2459,14 +2306,11 @@ Rejected Warehouse is mandatory against regected item,Одбијен Магац Relation,Однос Relieving Date,Разрешење Дате Relieving Date must be greater than Date of Joining,Освобождение Дата должна быть больше даты присоединения -Reload Page,Перезагрузка страницу Remark,Примедба Remarks,Примедбе -Remove Bookmark,Уклоните Боокмарк Rename,Преименовање Rename Log,Преименовање Лог Rename Tool,Преименовање Тоол -Rename...,Преименуј ... Rent Cost,Издавање Трошкови Rent per hour,Бродова по сату Rented,Изнајмљени @@ -2474,12 +2318,9 @@ Repeat on Day of Month,Поновите на дан у месецу Replace,Заменити Replace Item / BOM in all BOMs,Замените Итем / бом у свим БОМс Replied,Одговорено -Report,Извештај Report Date,Извештај Дате Report Type,Врста извештаја Report Type is mandatory,Тип отчета является обязательным -Report an Issue,Пријави грешку -Report was not saved (there were errors),Извештај није сачуван (било грешака) Reports to,Извештаји Reqd By Date,Рекд по датуму Request Type,Захтев Тип @@ -2630,7 +2471,6 @@ Salutation,Поздрав Sample Size,Величина узорка Sanctioned Amount,Санкционисани Износ Saturday,Субота -Save,сачувати Schedule,Распоред Schedule Date,Распоред Датум Schedule Details,Распоред Детаљи @@ -2644,7 +2484,6 @@ Score (0-5),Оцена (0-5) Score Earned,Оцена Еарнед Score must be less than or equal to 5,Коначан мора бити мања или једнака 5 Scrap %,Отпад% -Search,Претрага Seasonality for setting budgets.,Сезонски за постављање буџете. Secretary,секретар Secured Loans,Обеспеченные кредиты @@ -2656,26 +2495,18 @@ Securities and Deposits,Ценные бумаги и депозиты "Select ""Yes"" if this item represents some work like training, designing, consulting etc.","Изаберите "Да" ако ова ставка представља неки посао као тренинг, пројектовање, консалтинг, итд" "Select ""Yes"" if you are maintaining stock of this item in your Inventory.",Изаберите "Да" ако се одржавање залихе ове ставке у свом инвентару. "Select ""Yes"" if you supply raw materials to your supplier to manufacture this item.",Изаберите "Да" ако снабдевање сировинама да у свом добављачу за производњу ову ставку. -Select All,Изабери све -Select Attachments,Изаберите прилоге Select Budget Distribution to unevenly distribute targets across months.,Изаберите Дистрибуција буџету неравномерно дистрибуирају широм мете месеци. "Select Budget Distribution, if you want to track based on seasonality.","Изаберите Дистрибуција буџета, ако желите да пратите на основу сезоне." Select DocType,Изаберите ДОЦТИПЕ Select Items,Изаберите ставке -Select Print Format,Изаберите формат штампања Select Purchase Receipts,Изаберите Пурцхасе Приливи -Select Report Name,Изаберите име Репорт Select Sales Orders,Избор продајних налога Select Sales Orders from which you want to create Production Orders.,Изаберите продајних налога из које желите да креирате налоге производњу. Select Time Logs and Submit to create a new Sales Invoice.,Изаберите Протоколи време и слање да створи нову продајну фактуру. -Select To Download:,Выберите на скачивание : Select Transaction,Изаберите трансакцију -Select Type,Изаберите Врста Select Your Language,Выбор языка Select account head of the bank where cheque was deposited.,Изаберите главу рачуна банке у којој је депонован чек. Select company name first.,Изаберите прво име компаније. -Select dates to create a new ,Изаберите датум да створи нову -Select or drag across time slots to create a new event.,Изаберите или превуците преко терминима да креирате нови догађај. Select template from which you want to get the Goals,Изаберите шаблон из којег желите да добијете циљеве Select the Employee for whom you are creating the Appraisal.,Изаберите запосленог за кога правите процену. Select the period when the invoice will be generated automatically,Изаберите период када ће рачун бити аутоматски генерисан @@ -2691,11 +2522,9 @@ Select your home country and check the timezone and currency.,Изаберите Selling,Продаја Selling Settings,Продаја Сеттингс Send,Послати -Send As Email,Пошаљи као емаил Send Autoreply,Пошаљи Ауторепли Send Email,Сенд Емаил Send From,Пошаљи Од -Send Me A Copy,Пошаљи ми копију Send Notifications To,Слање обавештења Send Now,Пошаљи сада Send SMS,Пошаљи СМС @@ -2705,7 +2534,6 @@ Send mass SMS to your contacts,Пошаљи СМС масовне вашим к Send to this list,Пошаљи на овој листи Sender Name,Сендер Наме Sent On,Послата -Sent or Received,Послате или примљене Separate production order will be created for each finished good item.,Одвојена производња поруџбина ће бити направљен за сваку готовог добар ставке. Serial No,Серијски број Serial No / Batch,Серијски бр / Серије @@ -2739,11 +2567,9 @@ Series {0} already used in {1},Серия {0} уже используется в Service,служба Service Address,Услуга Адреса Services,Услуге -Session Expired. Logging you out,Сесија је истекла. Логгинг те из Set,набор "Set Default Values like Company, Currency, Current Fiscal Year, etc.","Установить значения по умолчанию , как Болгарии, Валюта , текущий финансовый год и т.д." Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,Сет тачка Групе мудрих буџете на овој територији. Такође можете укључити сезонски постављањем дистрибуције. -Set Link,Сет линк Set as Default,Постави као подразумевано Set as Lost,Постави као Лост Set prefix for numbering series on your transactions,Сет префикс за нумерисање серију на својим трансакцијама @@ -2776,17 +2602,12 @@ Shipping Rule Label,Достава Правило Лабел Shop,Продавница Shopping Cart,Корпа Short biography for website and other publications.,Кратка биографија за сајт и других публикација. -Shortcut,Пречица "Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",Схов "У складишту" или "Није у складишту" заснован на лагеру на располагању у овом складишту. "Show / Hide features like Serial Nos, POS etc.","Показать / скрыть функции, такие как последовательный Нос, POS и т.д." -Show Details,Прикажи детаље Show In Website,Схов у сајт -Show Tags,Схов Ознаке Show a slideshow at the top of the page,Приказивање слајдова на врху странице Show in Website,Прикажи у сајту -Show rows with zero values,Покажи редове са нула вредностима Show this slideshow at the top of the page,Покажи ову пројекцију слајдова на врху странице -Showing only for (if not empty),Показаны только (если не пусто) Sick Leave,Отпуск по болезни Signature,Потпис Signature to be appended at the end of every email,Потпис се додаје на крају сваког е-поште @@ -2797,11 +2618,8 @@ Slideshow,Слидесхов Soap & Detergent,Сапун и детерџент Software,софтвер Software Developer,Софтваре Девелопер -Sorry we were unable to find what you were looking for.,Жао ми је што нису могли да пронађу оно што сте тражили. -Sorry you are not permitted to view this page.,Жао ми је што није дозвољено да видите ову страницу. "Sorry, Serial Nos cannot be merged","Извини , Серијски Нос не може да се споје" "Sorry, companies cannot be merged","Жао нам је , компаније не могу да се споје" -Sort By,Сортирање Source,Извор Source File,Исходный файл Source Warehouse,Извор Магацин @@ -2826,7 +2644,6 @@ Standard Selling,Стандардна Продаја Standard contract terms for Sales or Purchase.,Стандартные условия договора для продажи или покупки. Start,старт Start Date,Датум почетка -Start Report For,Почетак ИЗВЕШТАЈ ЗА Start date of current invoice's period,Почетак датум периода текуће фактуре за Start date should be less than end date for Item {0},Дата начала должна быть меньше даты окончания для Пункт {0} State,Држава @@ -2884,7 +2701,6 @@ Sub Assemblies,Sub сборки "Sub-currency. For e.g. ""Cent""",Под-валута. За пример "цент" Subcontract,Подуговор Subject,Предмет -Submit,Поднети Submit Salary Slip,Пошаљи Слип платама Submit all salary slips for the above selected criteria,Доставе све рачуне плата за горе наведене изабраним критеријумима Submit this Production Order for further processing.,Пошаљите ова производња би за даљу обраду . @@ -2928,7 +2744,6 @@ Support Email Settings,Подршка Емаил Сеттингс Support Password,Подршка Лозинка Support Ticket,Подршка улазница Support queries from customers.,Подршка упите од купаца. -Switch to Website,Перейти на сайт Symbol,Симбол Sync Support Mails,Синхронизација маилова подршке Sync with Dropbox,Синхронизација са Дропбок @@ -2936,7 +2751,6 @@ Sync with Google Drive,Синхронизација са Гоогле Дриве System,Систем System Settings,Систем Сеттингс "System User (login) ID. If set, it will become default for all HR forms.","Систем Корисник (пријављивање) ИД. Ако се постави, она ће постати стандардна за све ХР облицима." -Tags,Тагс: Target Amount,Циљна Износ Target Detail,Циљна Детаљ Target Details,Циљне Детаљи @@ -2995,7 +2809,6 @@ Territory Target Variance Item Group-Wise,Территория Целевая Р Territory Targets,Територија Мете Test,Тест Test Email Id,Тест маил Ид -Test Runner,Тест Руннер Test the Newsletter,Тестирајте билтен The BOM which will be replaced,БОМ који ће бити замењен The First User: You,Први Корисник : Ви @@ -3015,28 +2828,23 @@ The net weight of this package. (calculated automatically as sum of net weight o The new BOM after replacement,Нови БОМ након замене The rate at which Bill Currency is converted into company's base currency,Стопа по којој је Бил валута претвара у основну валуту компаније The unique id for tracking all recurring invoices. It is generated on submit.,Стеам ИД за праћење свих понавља фактуре. Генерише се на субмит. -Then By (optional),Затим (опционо) There are more holidays than working days this month.,"Есть больше праздников , чем рабочих дней в этом месяце." "There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Там может быть только один Правило Начальные с 0 или пустое значение для "" To Размер """ There is not enough leave balance for Leave Type {0},Существует не хватает отпуск баланс для отпуске Тип {0} There is nothing to edit.,Не постоји ништа да измените . 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.,Дошло је до грешке . Један могући разлог би могао бити да нисте сачували форму . Молимо контактирајте суппорт@ерпнект.цом акопроблем и даље постоји . -There were errors,Были ошибки -There were errors while sending email. Please try again.,"Были ошибки при отправке электронной почты . Пожалуйста, попробуйте еще раз ." There were errors.,Било је грешака . This Currency is disabled. Enable to use in transactions,Ова валута је онемогућен . Омогућите да користе у трансакцијама This Leave Application is pending approval. Only the Leave Apporver can update status.,Ово одсуство апликација чека одобрење . СамоОставите Аппорвер да ажурирате статус . This Time Log Batch has been billed.,Ово време Пријава Групно је наплаћена. This Time Log Batch has been cancelled.,Ово време Пријава серија је отказана. This Time Log conflicts with {0},Это время входа в противоречии с {0} -This is PERMANENT action and you cannot undo. Continue?,То је стална акција и не можете да опозовете. Наставити? This is a root account and cannot be edited.,То јекорен рачун и не може се мењати . This is a root customer group and cannot be edited.,То јекорен група купац и не може се мењати . This is a root item group and cannot be edited.,То јекорен ставка група и не може се мењати . This is a root sales person and cannot be edited.,То јекорен продаје човек и не може се мењати . This is a root territory and cannot be edited.,То јекорен територија и не могу да се мењају . This is an example website auto-generated from ERPNext,Это пример сайт автоматически сгенерированный из ERPNext -This is permanent action and you cannot undo. Continue?,То је стална акција и не можете да опозовете. Наставити? This is the number of the last created transaction with this prefix,То је број последње створеног трансакције са овим префиксом This will be used for setting rule in HR module,Ово ће се користити за постављање правила у ХР модулу Thread HTML,Тема ХТМЛ @@ -3078,7 +2886,6 @@ To get Item Group in details table,Да бисте добили групу ст "To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Для учета налога в строке {0} в размере Item , налоги в строках должны быть также включены {1}" "To merge, following properties must be same for both items","Да бисте објединили , следеће особине морају бити исти за обе ставке" "To report an issue, go to ", -"To run a test add the module name in the route after '{0}'. For example, {1}","Чтобы запустить тест добавить имя модуля в маршруте после ' {0}' . Например, {1}" "To set this Fiscal Year as Default, click on 'Set as Default'","Да бисте подесили ову фискалну годину , као подразумевајуће , кликните на "" Сет ас Дефаулт '" To track any installation or commissioning related work after sales,Да бисте пратили сваку инсталацију или пуштање у вези рада након продаје "To track brand name in the following documents Delivery Note, Opportunity, Material Request, Item, Purchase Order, Purchase Voucher, Purchaser Receipt, Quotation, Sales Invoice, Sales BOM, Sales Order, Serial No","Для отслеживания бренд в следующих документах накладной , редкая возможность , материал запрос , Пункт , Заказа , ЧЕКОМ , Покупателя получения, цитаты , счет-фактура , в продаже спецификации , заказ клиента , серийный номер" @@ -3130,7 +2937,6 @@ Totals,Укупно Track Leads by Industry Type.,Стаза води од индустрије Типе . Track this Delivery Note against any Project,Прати ову напомену Испорука против било ког пројекта Track this Sales Order against any Project,Прати овај продајни налог против било ког пројекта -Trainee,новајлија Transaction,Трансакција Transaction Date,Трансакција Датум Transaction not allowed against stopped Production Order {0},Сделка не допускается в отношении остановил производство ордена {0} @@ -3162,7 +2968,6 @@ UOM Conversion Factor,УОМ конверзије фактор UOM Conversion factor is required in row {0},Фактор Единица измерения преобразования требуется в строке {0} UOM Name,УОМ Име UOM coversion factor required for UOM {0} in Item {1},Единица измерения фактором Конверсия требуется для UOM {0} в пункте {1} -Unable to load: {0},Невозможно нагрузки : {0} Under AMC,Под АМЦ Under Graduate,Под Дипломац Under Warranty,Под гаранцијом @@ -3172,11 +2977,8 @@ Unit of Measure {0} has been entered more than once in Conversion Factor Table, "Unit of measurement of this item (e.g. Kg, Unit, No, Pair).","Јединица за мерење ове тачке (нпр. кг, Јединица, Не Паир)." Units/Hour,Јединице / сат Units/Shifts,Јединице / Смене -Unknown Column: {0},Неизвестный Колонка: {0} -Unknown Print Format: {0},Неизвестно Формат печати : {0} Unmatched Amount,Ненадмашна Износ Unpaid,Неплаћен -Unread Messages,Непрочитаних порука Unscheduled,Неплански Unsecured Loans,необеспеченных кредитов Unstop,отпушити @@ -3196,18 +2998,14 @@ Update bank payment dates with journals.,Ажурирање банка плаћ Update clearance date of Journal Entries marked as 'Bank Vouchers',"Клиренс Ажурирање датум уноса у дневник означена као "" банка "" Ваучери" Updated,Ажурирано Updated Birthday Reminders,Ажурирано Рођендан Подсетници -Upload,Уплоад -Upload Attachment,Уплоад прилог Upload Attendance,Уплоад присуствовање Upload Backups to Dropbox,Уплоад копије на Дропбок Upload Backups to Google Drive,Уплоад копије на Гоогле Дриве Upload HTML,Уплоад ХТМЛ Upload a .csv file with two columns: the old name and the new name. Max 500 rows.,Постави ЦСВ датотеку са две колоне:. Стари назив и ново име. Мак 500 редова. -Upload a file,Уплоад фајл Upload attendance from a .csv file,Постави присуство из ЦСВ датотеке. Upload stock balance via csv.,Уплоад равнотежу берзе преко ЦСВ. Upload your letter head and logo - you can edit them later.,Постави главу писмо и логотип - можете их уредите касније . -Uploading...,Отпремање ... Upper Income,Горња прихода Urgent,Хитан Use Multi-Level BOM,Користите Мулти-Левел бом @@ -3217,11 +3015,9 @@ User ID,Кориснички ИД User ID not set for Employee {0},ID пользователя не установлен Требуются {0} User Name,Корисничко име User Name or Support Password missing. Please enter and try again.,"Имя или поддержки Пароль пропавшими без вести. Пожалуйста, введите и повторите попытку." -User Permission Restrictions,Пользователь Введено Ограничения User Remark,Корисник Напомена User Remark will be added to Auto Remark,Корисник Напомена ће бити додат Ауто Напомена User Remarks is mandatory,Пользователь Замечания является обязательным -User Restrictions,Ограничения пользователей User Specific,Удельный Пользователь User must always select,Корисник мора увек изабрати User {0} is already assigned to Employee {1},Пользователь {0} уже назначен Employee {1} @@ -3319,8 +3115,6 @@ Will be updated after Sales Invoice is Submitted.,Да ли ће бити ажу Will be updated when batched.,Да ли ће се ажурирати када дозирају. Will be updated when billed.,Да ли ће се ажурирати када наплаћени. Wire Transfer,Вире Трансфер -With Groups,С группы -With Ledgers,С Ledgers With Operations,Са операције With period closing entry,Ступањем затварања периода Work Details,Радни Детаљније @@ -3328,7 +3122,6 @@ Work Done,Рад Доне Work In Progress,Ворк Ин Прогресс Work-in-Progress Warehouse,Рад у прогресу Магацин Work-in-Progress Warehouse is required before Submit,Работа -в- Прогресс Склад требуется перед Отправить -Workflow will start after saving.,Воркфлов ће почети након штедње. Working,Радни Workstation,Воркстатион Workstation Name,Воркстатион Име @@ -3351,11 +3144,6 @@ Year Start Date should not be greater than Year End Date,Година Датум Year of Passing,Година Пассинг Yearly,Годишње Yes,Да -Yesterday,Јуче -You are not allowed to create / edit reports,Вы не можете создавать / редактировать отчеты -You are not allowed to export this report,Вам не разрешено экспортировать этот отчет -You are not allowed to print this document,Вы не можете распечатать этот документ -You are not allowed to send emails related to this document,"Вы не можете отправлять письма , связанные с этим документом" You are not authorized to add or update entries before {0},"Вы не авторизованы , чтобы добавить или обновить записи до {0}" You are not authorized to set Frozen value,Нисте овлашћени да подесите вредност Фрозен You are the Expense Approver for this record. Please Update the 'Status' and Save,Ви стеТрошак одобраватељ за овај запис . Молимо Ажурирајте 'статус' и Саве @@ -3372,7 +3160,6 @@ You can submit this Stock Reconciliation.,Можете да пошаљете о You can update either Quantity or Valuation Rate or both.,Можете да ажурирате или Количина или вредновања Рате или обоје . You cannot credit and debit same account at the same time,Ви не можете кредитних и дебитних исти налог у исто време You have entered duplicate items. Please rectify and try again.,Унели дупликате . Молимо исправи и покушајте поново . -You have unsaved changes in this form. Please save before you continue.,Имате сачували све промене у овом облику . You may need to update: {0},"Возможно, вам придется обновить : {0}" You must Save the form before proceeding,"Вы должны Сохраните форму , прежде чем приступить" You must allocate amount before reconcile,Морате издвоји износ пре помире @@ -3381,7 +3168,6 @@ Your Customers,Ваши Купци Your Login Id,Ваше корисничко име Your Products or Services,Ваши производи или услуге Your Suppliers,Ваши Добављачи -"Your download is being built, this may take a few moments...","Преузимање се гради, ово може да потраје неколико тренутака ..." Your email address,Ваш электронный адрес Your financial year begins on,Ваш финансовый год начинается Your financial year ends on,Ваш финансовый год заканчивается @@ -3394,8 +3180,6 @@ Your support email id - must be a valid email - this is where your emails will c and,и are not allowed.,нису дозвољени . assigned by,додељује -comment,коментар -comments,Коментари "e.g. ""Build tools for builders""","например ""Build инструменты для строителей """ "e.g. ""MC""","например ""МС """ "e.g. ""My Company LLC""","например "" Моя компания ООО """ @@ -3405,14 +3189,9 @@ e.g. 5,например 5 e.g. VAT,например НДС eg. Cheque Number,нпр. Чек Број example: Next Day Shipping,Пример: Нект Даи Схиппинг -found,фоунд -is not allowed.,није дозвољено. lft,ЛФТ old_parent,олд_парент -or,или rgt,пука -to,до -values and dates,вредности и датуми website page link,веб страница веза {0} '{1}' not in Fiscal Year {2},{0} ' {1}' не в финансовом году {2} {0} Credit limit {0} crossed,{0} Кредитный лимит {0} пересек diff --git a/erpnext/translations/ta.csv b/erpnext/translations/ta.csv index 124f5c5624..4521d2d62e 100644 --- a/erpnext/translations/ta.csv +++ b/erpnext/translations/ta.csv @@ -1,7 +1,5 @@ (Half Day),(அரை நாள்) and year: ,ஆண்டு: - by Role ,பாத்திரம் மூலம் - is not set,அமைக்கப்படவில்லை """ does not exists",""" உள்ளது இல்லை" % Delivered,அனுப்பப்பட்டது% % Amount Billed,கணக்கில்% தொகை @@ -34,7 +32,6 @@ "1 Currency = [?] Fraction For e.g. 1 USD = 100 Cent","1 நாணய = [?] பின்னம் \ nFor , எ.கா." 1. To maintain the customer wise item code and to make them searchable based on their code use this option,1. வாடிக்கையாளர் வாரியாக உருப்படியை குறியீடு பராமரிக்க மற்றும் அவற்றின் குறியீடு அடிப்படையில் அவர்களை தேடும் செய்ய இந்த விருப்பத்தை பயன்படுத்த -2 days ago,2 நாட்களுக்கு முன்பு "Add / Edit","மிக href=""#Sales Browser/Customer Group""> சேர் / திருத்து " "Add / Edit","மிக href=""#Sales Browser/Item Group""> சேர் / திருத்து " "Add / Edit","மிக href=""#Sales Browser/Territory""> சேர் / திருத்து " @@ -89,7 +86,6 @@ Accounts Frozen Upto,கணக்குகள் வரை உறை Accounts Payable,கணக்குகள் செலுத்த வேண்டிய Accounts Receivable,கணக்குகள் Accounts Settings,கணக்குகள் அமைப்புகள் -Actions,செயல்கள் Active,செயலில் Active: Will extract emails from ,செயலில்: மின்னஞ்சல்களை பிரித்தெடுக்கும் Activity,நடவடிக்கை @@ -111,23 +107,13 @@ Actual Quantity,உண்மையான அளவு Actual Start Date,உண்மையான தொடக்க தேதி Add,சேர் Add / Edit Taxes and Charges,வரிகள் மற்றும் கட்டணங்கள் சேர்க்க / திருத்தவும் -Add Attachments,இணைப்புகள் சேர்க்க -Add Bookmark,Bookmark சேர்க்க Add Child,குழந்தை சேர் -Add Column,நெடுவரிசையை சேர்க்க -Add Message,செய்தி சேர்க்க -Add Reply,பதில் சேர்க்க Add Serial No,சீரியல் இல்லை சேர் Add Taxes,வரிகளை சேர்க்க Add Taxes and Charges,வரிகள் மற்றும் கட்டணங்கள் சேர் -Add This To User's Restrictions,பயனர் கட்டுப்பாடுகள் இந்த சேர்க்க -Add attachment,இணைப்பை சேர் -Add new row,புதிய வரிசை சேர்க்க Add or Deduct,சேர்க்க அல்லது கழித்து Add rows to set annual budgets on Accounts.,கணக்கு ஆண்டு வரவு செலவு திட்டம் அமைக்க வரிசைகளை சேர்க்க. Add to Cart,வணிக வண்டியில் சேர் -Add to To Do,செய்யவேண்டியவை சேர்க்க -Add to To Do List of,பட்டியல் செய்யவேண்டியவை சேர்க்க Add to calendar on this date,இந்த தேதி நாள்காட்டியில் சேர்க்கவும் Add/Remove Recipients,சேர்க்க / பெற்றவர்கள் அகற்று Address,முகவரி @@ -220,9 +206,6 @@ Allow user to edit Price List Rate in transactions,பயனர் நடவட Allowance Percent,கொடுப்பனவு விகிதம் Allowance for over-delivery / over-billing crossed for Item {0},அலவன்ஸ் அதிகமாக விநியோகம் / மேல் பில்லிங் பொருள் கடந்து {0} Allowed Role to Edit Entries Before Frozen Date,உறைந்த தேதி முன் திருத்து பதிவுகள் அனுமதி ரோல் -"Allowing DocType, DocType. Be careful!","அனுமதிப்பது DOCTYPE , DOCTYPE . கவனமாக இருங்கள்!" -Alternative download link,மாற்று இணைப்பை -Amend,முன்னேற்று Amended From,முதல் திருத்தப்பட்ட Amount,அளவு Amount (Company Currency),அளவு (நிறுவனத்தின் கரன்சி) @@ -270,26 +253,18 @@ Approving User,பயனர் ஒப்புதல் Approving User cannot be same as user the rule is Applicable To,பயனர் ஒப்புதல் ஆட்சி பொருந்தும் பயனர் அதே இருக்க முடியாது Are you sure you want to STOP , Are you sure you want to UNSTOP , -Are you sure you want to delete the attachment?,நீங்கள் இணைப்பு நீக்க வேண்டுமா? Arrear Amount,நிலுவை தொகை "As Production Order can be made for this item, it must be a stock item.","உத்தரவு இந்த உருப்படிக்கு செய்து கொள்ள முடியும் என , அது ஒரு பங்கு பொருளாக இருக்க வேண்டும் ." As per Stock UOM,பங்கு மொறட்டுவ பல்கலைகழகம் படி "As there are existing stock transactions for this item, you can not change the values of 'Has Serial No', 'Is Stock Item' and 'Valuation Method'","இந்த உருப்படி இருக்கும் பங்கு பரிவர்த்தனைகள் உள்ளன , நீங்கள் ' சீரியல் இல்லை உள்ளது ' மதிப்புகள் மாற்ற முடியாது , மற்றும் ' மதிப்பீட்டு முறை ' பங்கு உருப்படாது '" -Ascending,ஏறுமுகம் Asset,சொத்து -Assign To,என்று ஒதுக்க -Assigned To,ஒதுக்கப்படும் -Assignments,பணிகள் Assistant,உதவியாளர் Associate,இணை Atleast one warehouse is mandatory,குறைந்தது ஒரு கிடங்கில் அவசியமானதாகும் -Attach Document Print,ஆவண அச்சிடுக இணைக்கவும் Attach Image,படத்தை இணைக்கவும் Attach Letterhead,லெட்டர் இணைக்கவும் Attach Logo,லோகோ இணைக்கவும் Attach Your Picture,உங்கள் படம் இணைக்கவும் -Attach as web link,இணைய இணைப்பு இணை -Attachments,இணைப்புகள் Attendance,கவனம் Attendance Date,வருகை தேதி Attendance Details,வருகை விவரங்கள் @@ -402,7 +377,6 @@ Block leave applications by department.,துறை மூலம் பயன Blog Post,வலைப்பதிவு இடுகை Blog Subscriber,வலைப்பதிவு சந்தாதாரர் Blood Group,குருதி பகுப்பினம் -Bookmarks,புக்மார்க்குகள் Both Warehouse must belong to same Company,இரண்டு கிடங்கு அதே நிறுவனத்திற்கு சொந்தமானது வேண்டும் Box,பெட்டி Branch,கிளை @@ -437,7 +411,6 @@ C-Form No,இல்லை சி படிவம் C-Form records,சி படிவம் பதிவுகள் Calculate Based On,ஆனால் அடிப்படையில் கணக்கிட Calculate Total Score,மொத்த மதிப்பெண் கணக்கிட -Calendar,அட்டவணை Calendar Events,அட்டவணை நிகழ்வுகள் Call,அழைப்பு Calls,கால்ஸ் @@ -450,7 +423,6 @@ Can be approved by {0},{0} ஒப்புதல் "Can not filter based on Account, if grouped by Account","கணக்கு மூலம் தொகுக்கப்பட்டுள்ளது என்றால் , கணக்கு அடிப்படையில் வடிகட்ட முடியாது" "Can not filter based on Voucher No, if grouped by Voucher","வவுச்சர் அடிப்படையில் வடிகட்ட முடியாது இல்லை , ரசீது மூலம் தொகுக்கப்பட்டுள்ளது என்றால்" Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',கட்டணம் வகை அல்லது ' முந்தைய வரிசை மொத்த ' முந்தைய வரிசை அளவு ' மட்டுமே வரிசையில் பார்க்கவும் முடியும் -Cancel,ரத்து Cancel Material Visit {0} before cancelling this Customer Issue,ரத்து பொருள் வருகை {0} இந்த வாடிக்கையாளர் வெளியீடு ரத்து முன் Cancel Material Visits {0} before cancelling this Maintenance Visit,இந்த பராமரிப்பு பணிகள் முன் பொருள் வருகைகள் {0} ரத்து Cancelled,ரத்து @@ -469,11 +441,7 @@ Cannot deactive or cancle BOM as it is linked with other BOMs,அது மற Cannot deduct when category is for 'Valuation' or 'Valuation and Total',வகை ' மதிப்பீட்டு ' அல்லது ' மதிப்பீடு மற்றும் மொத்த ' உள்ளது போது கழித்து முடியாது "Cannot delete Serial No {0} in stock. First remove from stock, then delete.","பங்கு {0} சீரியல் இல்லை நீக்க முடியாது. முதல் நீக்க பின்னர் , பங்கு இருந்து நீக்க ." "Cannot directly set amount. For 'Actual' charge type, use the rate field","நேரடியாக அளவு அமைக்க முடியாது. ' உண்மையான ' கட்டணம் வகை , விகிதம் துறையில் பயன்படுத்த" -Cannot edit standard fields,நிலையான துறைகள் திருத்த முடியாது -Cannot open instance when its {0} is open,அதன் {0} திறந்த போது உதாரணமாக திறக்க முடியாது -Cannot open {0} when its instance is open,அதன் உதாரணமாக திறந்த போது {0} திறக்க முடியாது "Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in 'Setup' > 'Global Defaults'","{1} விட {0} மேலும் வரிசையில் பொருள் {0} க்கு overbill முடியாது . Overbilling அனுமதிக்க, ' உலகளாவிய முன்னிருப்பு ' > ' அமைப்பு ' அமைக்க தயவு செய்து" -Cannot print cancelled documents,ரத்து ஆவணங்களை அச்சிட முடியாது Cannot produce more Item {0} than Sales Order quantity {1},மேலும் பொருள் தயாரிக்க முடியாது {0} விட விற்பனை ஆணை அளவு {1} Cannot refer row number greater than or equal to current row number for this Charge type,இந்த குற்றச்சாட்டை வகை விட அல்லது தற்போதைய வரிசையில் எண்ணிக்கை சமமாக வரிசை எண் பார்க்கவும் முடியாது Cannot return more than {0} for Item {1},விட திரும்ப முடியாது {0} உருப்படி {1} @@ -527,19 +495,14 @@ Claim Amount,உரிமை தொகை Claims for company expense.,நிறுவனத்தின் செலவினம் கூற்றுக்கள். Class / Percentage,வர்க்கம் / சதவீதம் Classic,தரமான -Clear Cache,தெளிவு Cache Clear Table,தெளிவான அட்டவணை Clearance Date,அனுமதி தேதி Clearance Date not mentioned,இசைவு தேதி குறிப்பிடப்படவில்லை Clearance date cannot be before check date in row {0},இசைவு தேதி வரிசையில் காசோலை தேதி முன் இருக்க முடியாது {0} Click on 'Make Sales Invoice' button to create a new Sales Invoice.,ஒரு புதிய விற்பனை விலைப்பட்டியல் உருவாக்க பொத்தானை 'விற்பனை விலைப்பட்டியல் கொள்ளுங்கள்' கிளிக். Click on a link to get options to expand get options , -Click on row to view / edit.,/ தொகு பார்வையிட வரிசையில் கிளிக் . -Click to Expand / Collapse,சுருக்கு / விரிவாக்கு சொடுக்கவும் Client,கிளையன் -Close,மூடவும் Close Balance Sheet and book Profit or Loss.,Close இருப்புநிலை மற்றும் புத்தகம் லாபம் அல்லது நஷ்டம் . -Close: {0},Close : {0} Closed,மூடிய Closing Account Head,கணக்கு தலைமை மூடுவதற்கு Closing Account {0} must be of type 'Liability',கணக்கு {0} நிறைவு வகை ' பொறுப்பு ' இருக்க வேண்டும் @@ -550,10 +513,8 @@ Closing Value,மூடுவதால் CoA Help,CoA உதவி Code,குறியீடு Cold Calling,குளிர் காலிங் -Collapse,சுருக்கு Color,நிறம் Comma separated list of email addresses,மின்னஞ்சல் முகவரிகளை கமாவால் பிரிக்கப்பட்ட பட்டியல் -Comment,கருத்து Comments,கருத்துரைகள் Commercial,வர்த்தகம் Commission,தரகு @@ -564,7 +525,6 @@ Commission rate cannot be greater than 100,கமிஷன் விகிதம Communication,தகவல் Communication HTML,தொடர்பு HTML Communication History,தொடர்பு வரலாறு -Communication Medium,தொடர்பு மொழி Communication log.,தகவல் பதிவு. Communications,தகவல் Company,நிறுவனம் @@ -583,7 +543,6 @@ Company registration numbers for your reference. Tax numbers etc.,உங்க "Company, Month and Fiscal Year is mandatory","நிறுவனத்தின் , மாதம் மற்றும் நிதியாண்டு கட்டாயமாகும்" Compensatory Off,இழப்பீட்டு இனிய Complete,முழு -Complete By,மூலம் நிறைவு Complete Setup,அமைவு Completed,நிறைவு Completed Production Orders,இதன் தயாரிப்பு நிறைவடைந்தது ஆணைகள் @@ -635,7 +594,6 @@ Convert into Recurring Invoice,தொடர் விலைப்பட்ட Convert to Group,குழு மாற்ற Convert to Ledger,லெட்ஜர் மாற்ற Converted,மாற்றப்படுகிறது -Copy,நகலெடுக்க Copy From Item Group,பொருள் குழு நகல் Cosmetics,ஒப்பனை Cost Center,செலவு மையம் @@ -666,7 +624,6 @@ Create Stock Ledger Entries when you submit a Sales Invoice,நீங்கள Create rules to restrict transactions based on values.,மதிப்புகள் அடிப்படையில் நடவடிக்கைகளை கட்டுப்படுத்த விதிகளை உருவாக்க . Created By,மூலம் உருவாக்கப்பட்டது Creates salary slip for above mentioned criteria.,மேலே குறிப்பிட்டுள்ள அடிப்படை சம்பளம் சீட்டு உருவாக்குகிறது. -Creation / Modified By,உருவாக்கம் / மாற்ற Creation Date,உருவாக்கிய தேதி Creation Document No,உருவாக்கம் ஆவண இல்லை Creation Document Type,உருவாக்கம் ஆவண வகை @@ -697,11 +654,9 @@ Current Liabilities,நடப்பு பொறுப்புகள் Current Stock,தற்போதைய பங்கு Current Stock UOM,தற்போதைய பங்கு மொறட்டுவ பல்கலைகழகம் Current Value,தற்போதைய மதிப்பு -Current status,தற்போதைய நிலை Custom,வழக்கம் Custom Autoreply Message,தனிபயன் Autoreply செய்தி Custom Message,தனிப்பயன் செய்தி -Custom Reports,தனிபயன் அறிக்கைகள் Customer,வாடிக்கையாளர் Customer (Receivable) Account,வாடிக்கையாளர் (வரவேண்டிய) கணக்கு Customer / Item Name,வாடிக்கையாளர் / உருப்படி பெயர் @@ -750,7 +705,6 @@ Date Format,தேதி வடிவமைப்பு Date Of Retirement,ஓய்வு தேதி Date Of Retirement must be greater than Date of Joining,ஓய்வு நாள் சேர தேதி விட அதிகமாக இருக்க வேண்டும் Date is repeated,தேதி மீண்டும் -Date must be in format: {0},தேதி வடிவமைப்பில் இருக்க வேண்டும் : {0} Date of Birth,பிறந்த நாள் Date of Issue,இந்த தேதி Date of Joining,சேர்வது தேதி @@ -761,7 +715,6 @@ Dates,தேதிகள் Days Since Last Order,கடந்த சில நாட்களாக கடைசி ஆர்டர் Days for which Holidays are blocked for this department.,இது விடுமுறை நாட்கள் இந்த துறை தடுக்கப்பட்டது. Dealer,வாணிகம் செய்பவர் -Dear,அன்பே Debit,பற்று Debit Amt,பற்று AMT Debit Note,பற்றுக்குறிப்பு @@ -809,7 +762,6 @@ Default settings for stock transactions.,பங்கு பரிவர்த Defense,பாதுகாப்பு "Define Budget for this Cost Center. To set budget action, see Company Master","இந்த செலவு மையம் பட்ஜெட் வரையறை. வரவு செலவு திட்ட நடவடிக்கை அமைக்க, பார்க்க நிறுவனத்தின் முதன்மை" Delete,நீக்கு -Delete Row,வரிசையை நீக்கு Delete {0} {1}?,நீக்கு {0} {1} ? Delivered,வழங்கினார் Delivered Items To Be Billed,கட்டணம் வழங்கப்படும் பொருட்கள் @@ -836,7 +788,6 @@ Department,இலாகா Department Stores,டிபார்ட்மெண்ட் ஸ்டோர்கள் Depends on LWP,LWP பொறுத்தது Depreciation,மதிப்பிறக்கம் தேய்மானம் -Descending,இறங்கு Description,விளக்கம் Description HTML,விளக்கம் HTML Designation,பதவி @@ -881,15 +832,10 @@ Do you really want to stop production order: , Doc Name,Doc பெயர் Doc Type,Doc வகை Document Description,ஆவண விவரம் -Document Status transition from ,முதல் ஆவண நிலைமை மாற்றம் -Document Status transition from {0} to {1} is not allowed,{1} செய்ய {0} ஆவண நிலைமை மாற்றம் அனுமதி இல்லை Document Type,ஆவண வகை -Document is only editable by users of role,ஆவண பங்கு பயனர்கள் மட்டுமே திருத்தக்கூடிய -Documentation,ஆவணமாக்கம் Documents,ஆவணங்கள் Domain,டொமைன் Don't send Employee Birthday Reminders,பணியாளர் நினைவூட்டல்கள் அனுப்ப வேண்டாம் -Download,பதிவிறக்கம் Download Materials Required,தேவையான பொருட்கள் பதிவிறக்க Download Reconcilation Data,நல்லிணக்கத்தையும் தரவு பதிவிறக்க Download Template,வார்ப்புரு பதிவிறக்க @@ -898,8 +844,6 @@ Download a report containing all raw materials with their latest inventory statu "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","டெம்ப்ளேட் பதிவிறக்க , அதற்கான தரவு நிரப்ப மாற்றம் கோப்பினை இணைக்கவும் . \ NAll தேதிகள் மற்றும் தேர்ந்தெடுக்கப்பட்ட காலத்தில் ஊழியர் இணைந்து இருக்கும் வருகை பதிவேடுகள் , டெம்ப்ளேட் வரும்" Draft,காற்று வீச்சு -Drafts,வரைவுகள் -Drag to sort columns,வகை நெடுவரிசைகள் இழுக்கவும் Dropbox,டிராப்பாக்ஸ் Dropbox Access Allowed,டிரா பாக்ஸ் அனுமதி Dropbox Access Key,டிரா பாக்ஸ் அணுகல் விசை @@ -920,7 +864,6 @@ Earning & Deduction,சம்பளம் மற்றும் பொரு Earning Type,வகை சம்பாதித்து Earning1,Earning1 Edit,திருத்த -Editable,திருத்தும்படி Education,கல்வி Educational Qualification,கல்வி தகுதி Educational Qualification Details,கல்வி தகுதி விவரம் @@ -940,12 +883,9 @@ Email Id,மின்னஞ்சல் விலாசம் "Email Id where a job applicant will email e.g. ""jobs@example.com""",ஒரு வேலை விண்ணப்பதாரர் எ.கா. "jobs@example.com" மின்னஞ்சல் எங்கு மின்னஞ்சல் விலாசம் Email Notifications,மின்னஞ்சல் அறிவிப்புகள் Email Sent?,அனுப்பிய மின்னஞ்சல்? -"Email addresses, separted by commas","கமாவால் separted மின்னஞ்சல் முகவரிகள்," "Email id must be unique, already exists for {0}","மின்னஞ்சல் அடையாள தனிப்பட்ட இருக்க வேண்டும் , ஏற்கனவே உள்ளது {0}" Email ids separated by commas.,மின்னஞ்சல் ஐடிகள் பிரிக்கப்பட்ட. -Email sent to {0},மின்னஞ்சல் அனுப்பி {0} "Email settings to extract Leads from sales email id e.g. ""sales@example.com""",மின்னஞ்சல் அமைப்புகளை விற்பனை மின்னஞ்சல் ஐடி எ.கா. "sales@example.com" செல்கின்றது பெறுவதற்கு -Email...,மின்னஞ்சல் ... Emergency Contact,அவசர தொடர்பு Emergency Contact Details,அவசர தொடர்பு விவரம் Emergency Phone,அவசர தொலைபேசி @@ -984,7 +924,6 @@ End date of current invoice's period,தற்போதைய விலைப End of Life,வாழ்க்கை முடிவுக்கு Energy,சக்தி Engineer,பொறியாளர் -Enter Value,மதிப்பு சேர்க்கவும் Enter Verification Code,அதிகாரமளித்தல் குறியீடு உள்ளிடவும் Enter campaign name if the source of lead is campaign.,முன்னணி மூலம் பிரச்சாரம் என்று பிரச்சாரம் பெயரை உள்ளிடவும். Enter department to which this Contact belongs,இந்த தொடர்பு சார்ந்த துறை உள்ளிடவும் @@ -1002,7 +941,6 @@ Entries,பதிவுகள் Entries against,பதிவுகள் எதிராக Entries are not allowed against this Fiscal Year if the year is closed.,ஆண்டு மூடப்பட்டு என்றால் உள்ளீடுகளை இந்த நிதியாண்டு எதிராக அனுமதி இல்லை. Entries before {0} are frozen,{0} முன் பதிவுகள் உறைந்திருக்கும் -Equals,சமங்களின் Equity,ஈக்விட்டி Error: {0} > {1},பிழை: {0} > {1} Estimated Material Cost,கிட்டத்தட்ட பொருள் செலவு @@ -1019,7 +957,6 @@ Exhibition,கண்காட்சி Existing Customer,ஏற்கனவே வாடிக்கையாளர் Exit,மரணம் Exit Interview Details,பேட்டி விவரம் வெளியேற -Expand,விரி Expected,எதிர்பார்க்கப்படுகிறது Expected Completion Date can not be less than Project Start Date,எதிர்பார்க்கப்பட்ட தேதி திட்ட தொடக்க தேதி விட குறைவாக இருக்க முடியாது Expected Date cannot be before Material Request Date,எதிர்பார்க்கப்படுகிறது தேதி பொருள் கோரிக்கை தேதி முன் இருக்க முடியாது @@ -1052,8 +989,6 @@ Expenses Booked,செலவுகள் பதிவு Expenses Included In Valuation,செலவுகள் மதிப்பீட்டு சேர்க்கப்பட்டுள்ளது Expenses booked for the digest period,தொகுப்பு காலம் பதிவு செலவுகள் Expiry Date,காலாவதியாகும் தேதி -Export,ஏற்றுமதி செய் -Export not allowed. You need {0} role to export.,ஏற்றுமதி அனுமதி இல்லை . ஏற்றுமதி செய்ய நீங்கள் {0} பங்கு வேண்டும் . Exports,ஏற்றுமதி External,வெளி Extract Emails,மின்னஞ்சல்கள் பிரித்தெடுக்க @@ -1068,11 +1003,8 @@ Feedback,கருத்து Female,பெண் Fetch exploded BOM (including sub-assemblies),( துணை கூட்டங்கள் உட்பட ) வெடித்தது BOM எடு "Field available in Delivery Note, Quotation, Sales Invoice, Sales Order","டெலிவரி குறிப்பு, மேற்கோள், விற்பனை விலைப்பட்டியல், விற்பனை ஆர்டர் கிடைக்கும் புலம்" -Field {0} is not selectable.,புலம் {0} தேர்ந்தெடுக்கும் அல்ல. -File,கோப்பு Files Folder ID,கோப்புகளை அடைவு ஐடி Fill the form and save it,"படிவத்தை பூர்த்தி செய்து, அதை காப்பாற்ற" -Filter,வடிகட்ட Filter based on customer,வாடிக்கையாளர் அடிப்படையில் வடிகட்ட Filter based on item,உருப்படியை அடிப்படையில் வடிகட்ட Financial / accounting year.,நிதி / கணக்கு ஆண்டு . @@ -1101,14 +1033,10 @@ For Server Side Print Formats,சர்வர் பக்க அச்சு For Supplier,சப்ளையர் For Warehouse,சேமிப்பு For Warehouse is required before Submit,கிடங்கு தேவையாக முன் சமர்ப்பிக்க -"For comparative filters, start with","ஒப்பீட்டு வடிப்பான்களின், துவக்க" "For e.g. 2012, 2012-13","உதாரணமாக 2012, 2012-13 க்கான" -For ranges,வரம்புகள் For reference,குறிப்பிற்கு For reference only.,குறிப்பு மட்டுமே. "For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","வாடிக்கையாளர்களின் வசதிக்காக, இந்த குறியீடுகள் பற்றுச்சீட்டுகள் மற்றும் டெலிவரி குறிப்புகள் போன்ற அச்சு வடிவங்கள் பயன்படுத்த முடியும்" -Form,படிவம் -Forums,கருத்துக்களம் Fraction,பின்னம் Fraction Units,பின்னம் அலகுகள் Freeze Stock Entries,பங்கு பதிவுகள் நிறுத்தப்படலாம் @@ -1161,12 +1089,10 @@ Generate Material Requests (MRP) and Production Orders.,பொருள் Generate Salary Slips,சம்பளம் தவறிவிடும் உருவாக்க Generate Schedule,அட்டவணை உருவாக்க Generates HTML to include selected image in the description,விளக்கத்தில் தேர்ந்தெடுக்கப்பட்ட படத்தை சேர்க்க HTML உருவாக்குகிறது -Get,கிடைக்கும் Get Advances Paid,கட்டண முன்னேற்றங்கள் கிடைக்கும் Get Advances Received,முன்னேற்றம் பெற்ற கிடைக்கும் Get Against Entries,பதிவுகள் எதிராக பெறவும் Get Current Stock,தற்போதைய பங்கு கிடைக்கும் -Get From ,முதல் கிடைக்கும் Get Items,பொருட்கள் கிடைக்கும் Get Items From Sales Orders,விற்பனை ஆணைகள் உருப்படிகளை கிடைக்கும் Get Items from BOM,BOM இருந்து பொருட்களை பெற @@ -1194,8 +1120,6 @@ Government,அரசாங்கம் Graduate,பல்கலை கழக பட்டம் பெற்றவர் Grand Total,ஆக மொத்தம் Grand Total (Company Currency),கிராண்ட் மொத்த (நிறுவனத்தின் கரன்சி) -Greater or equals,கிரேட்டர் அல்லது சமமாக -Greater than,அதிகமாக "Grid ""","கிரிட் """ Grocery,மளிகை Gross Margin %,மொத்த அளவு% @@ -1207,7 +1131,6 @@ Gross Profit (%),மொத்த லாபம் (%) Gross Weight,மொத்த எடை Gross Weight UOM,மொத்த எடை மொறட்டுவ பல்கலைகழகம் Group,தொகுதி -"Group Added, refreshing...","குழு சேர்க்கப்பட்டது , புத்துணர்ச்சி ..." Group by Account,கணக்கு குழு Group by Voucher,வவுச்சர் மூலம் குழு Group or Ledger,குழு அல்லது லெட்ஜர் @@ -1229,14 +1152,12 @@ Health Care,உடல்நலம் Health Concerns,சுகாதார கவலைகள் Health Details,சுகாதார விவரம் Held On,இல் நடைபெற்றது -Help,உதவி Help HTML,HTML உதவி "Help: To link to another record in the system, use ""#Form/Note/[Note Name]"" as the Link URL. (don't use ""http://"")","உதவி:. அமைப்பு மற்றொரு சாதனை இணைக்க, "# படிவம் / குறிப்பு / [குறிப்பு பெயர்]" இணைப்பு URL பயன்படுத்த ("Http://" பயன்படுத்த வேண்டாம்)" "Here you can maintain family details like name and occupation of parent, spouse and children","இங்கே நீங்கள் பெற்றோர், மனைவி மற்றும் குழந்தைகள் பெயர் மற்றும் ஆக்கிரமிப்பு போன்ற குடும்ப விவரங்கள் பராமரிக்க முடியும்" "Here you can maintain height, weight, allergies, medical concerns etc","இங்கே நீங்கள் உயரம், எடை, ஒவ்வாமை, மருத்துவ கவலைகள் ஹிப்ரு பராமரிக்க முடியும்" Hide Currency Symbol,நாணய சின்னம் மறைக்க High,உயர் -History,வரலாறு History In Company,நிறுவனத்தின் ஆண்டு வரலாறு Hold,பிடி Holiday,விடுமுறை @@ -1281,17 +1202,14 @@ If you have Sales Team and Sale Partners (Channel Partners) they can be tagged If you involve in manufacturing activity. Enables Item 'Is Manufactured',நீங்கள் உற்பத்தி துறையில் உள்ளடக்கியது என்றால் . பொருள் இயக்கும் ' உற்பத்தி செய்யப்படுகிறது ' Ignore,புறக்கணி Ignored: ,அலட்சியம்: -"Ignoring Item {0}, because a group exists with the same name!","தவிர்த்தல் பொருள் {0} , ஒரு குழு , அதே பெயரில் உள்ளது, ஏனெனில் !" Image,படம் Image View,பட காட்சி Implementation Partner,செயல்படுத்தல் வரன்வாழ்க்கை துணை -Import,இறக்குமதி பொருள்கள் Import Attendance,இறக்குமதி பங்கேற்கும் Import Failed!,இறக்குமதி தோல்வி! Import Log,புகுபதிகை இறக்குமதி Import Successful!,வெற்றிகரமான இறக்குமதி! Imports,இறக்குமதி -In,இல் In Hours,மணி In Process,செயல்முறை உள்ள In Qty,அளவு உள்ள @@ -1306,7 +1224,6 @@ In Words will be visible once you save the Purchase Receipt.,நீங்கள In Words will be visible once you save the Quotation.,நீங்கள் மேற்கோள் சேமிக்க முறை சொற்கள் காணக்கூடியதாக இருக்கும். In Words will be visible once you save the Sales Invoice.,நீங்கள் விற்பனை விலைப்பட்டியல் சேமிக்க முறை சொற்கள் காணக்கூடியதாக இருக்கும். In Words will be visible once you save the Sales Order.,நீங்கள் விற்பனை ஆணை சேமிக்க முறை சொற்கள் காணக்கூடியதாக இருக்கும். -In response to,பதில் Incentives,செயல் தூண்டுதல் Include Reconciled Entries,ஆர தழுவி பதிவுகள் சேர்க்கிறது Include holidays in Total no. of Working Days,மொத்த எந்த விடுமுறை அடங்கும். வேலை நாட்கள் @@ -1327,8 +1244,6 @@ Indirect Income,மறைமுக வருமானம் Individual,தனிப்பட்ட Industry,தொழில் Industry Type,தொழில் அமைப்பு -Insert Below,கீழே நுழைக்கவும் -Insert Row,ரோ நுழைக்க Inspected By,மூலம் ஆய்வு Inspection Criteria,ஆய்வு வரையறைகள் Inspection Required,ஆய்வு தேவை @@ -1350,8 +1265,6 @@ Internal,உள்ளக Internet Publishing,இணைய பப்ளிஷிங் Introduction,அறிமுகப்படுத்துதல் Invalid Barcode or Serial No,செல்லாத பார்கோடு அல்லது சீரியல் இல்லை -Invalid Email: {0},தவறான மின்னஞ்சல் : {0} -Invalid Filter: {0},செல்லாத வடிகட்டவும்: {0} Invalid Mail Server. Please rectify and try again.,தவறான மின்னஞ்சல் சேவகன் . சரிசெய்து மீண்டும் முயற்சிக்கவும். Invalid Master Name,செல்லாத மாஸ்டர் பெயர் Invalid User Name or Support Password. Please rectify and try again.,செல்லாத பயனர் பெயர் அல்லது ஆதரவு கடவுச்சொல் . சரிசெய்து மீண்டும் முயற்சிக்கவும். @@ -1516,7 +1429,6 @@ Landed Cost updated successfully,Landed செலவு வெற்றிகர Language,மொழி Last Name,கடந்த பெயர் Last Purchase Rate,கடந்த கொள்முதல் விலை -Last updated by,கடந்த மூலம் மேம்படுத்தப்பட்டது Latest,சமீபத்திய Lead,தலைமை Lead Details,விவரம் இட்டு @@ -1566,24 +1478,17 @@ Ledgers,பேரேடுகளால் Left,விட்டு Legal,சட்ட Legal Expenses,சட்ட செலவுகள் -Less or equals,குறைவாக அல்லது சமமாக -Less than,குறைவான Letter Head,முகவரியடங்கல் Letter Heads for print templates.,அச்சு வார்ப்புருக்கள் லெடர்ஹெட்ஸ் . Level,நிலை Lft,Lft Liability,கடமை -Like,போன்ற -Linked With,உடன் இணைக்கப்பட்ட -List,பட்டியல் List a few of your customers. They could be organizations or individuals.,உங்கள் வாடிக்கையாளர்களுக்கு ஒரு சில பட்டியல் . அவர்கள் நிறுவனங்கள் அல்லது தனிநபர்கள் இருக்க முடியும் . List a few of your suppliers. They could be organizations or individuals.,உங்கள் சப்ளையர்கள் ஒரு சில பட்டியல் . அவர்கள் நிறுவனங்கள் அல்லது தனிநபர்கள் இருக்க முடியும் . List items that form the package.,தொகுப்பு அமைக்க என்று பட்டியல் உருப்படிகள். List this Item in multiple groups on the website.,வலைத்தளத்தில் பல குழுக்கள் இந்த உருப்படி பட்டியல். "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 your tax heads (e.g. VAT, Excise; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","மற்றும் அவற்றின் தரத்தை விகிதங்கள், உங்கள் வரி தலைகள் ( அவர்கள் தனிப்பட்ட பெயர்கள் வேண்டும் எ.கா. பெறுமதிசேர் வரி, உற்பத்தி ) பட்டியலில் ." -Loading,சுமையேற்றம் -Loading Report,அறிக்கை ஏற்றும் Loading...,ஏற்றுகிறது ... Loans (Liabilities),கடன்கள் ( கடன்) Loans and Advances (Assets),கடன்கள் ( சொத்துக்கள் ) @@ -1591,7 +1496,6 @@ Local,உள்ளூர் Login with your new User ID,உங்கள் புதிய பயனர் ஐடி காண்க Logo,லோகோ Logo and Letter Heads,லோகோ மற்றும் லெடர்ஹெட்ஸ் -Logout,விடு பதிகை Lost,லாஸ்ட் Lost Reason,இழந்த காரணம் Low,குறைந்த @@ -1642,7 +1546,6 @@ Make Salary Structure,சம்பள கட்டமைப்பு செய Make Sales Invoice,கவிஞருக்கு செய்ய Make Sales Order,செய்ய விற்பனை ஆணை Make Supplier Quotation,வழங்குபவர் மேற்கோள் செய்ய -Make a new,ஒரு புதிய செய்ய Male,ஆண் Manage Customer Group Tree.,வாடிக்கையாளர் குழு மரம் நிர்வகி . Manage Sales Person Tree.,விற்பனை நபர் மரம் நிர்வகி . @@ -1650,8 +1553,6 @@ Manage Territory Tree.,மண்டலம் மரம் நிர்வகி Manage cost of operations,நடவடிக்கைகள் செலவு மேலாண்மை Management,மேலாண்மை Manager,மேலாளர் -Mandatory fields required in {0},தேவையான கட்டாய துறைகள் {0} -Mandatory filters required:\n,கட்டாய வடிகட்டிகள் தேவை: \ n "Mandatory if Stock Item is ""Yes"". Also the default warehouse where reserved quantity is set from Sales Order.",கட்டாய என்றால் பங்கு பொருள் "ஆமாம்" என்று. மேலும் ஒதுக்கப்பட்ட அளவு விற்பனை ஆர்டர் இருந்து அமைக்க அமைந்துள்ள இயல்புநிலை கிடங்கு. Manufacture against Sales Order,விற்பனை அமைப்புக்கு எதிராக உற்பத்தி Manufacture/Repack,உற்பத்தி / Repack @@ -1722,13 +1623,11 @@ Minute,நிமிஷம் Misc Details,மற்றவை விவரம் Miscellaneous Expenses,இதர செலவுகள் Miscelleneous,Miscelleneous -Missing Values Required,தேவையான காணவில்லை கலாச்சாரம் Mobile No,இல்லை மொபைல் Mobile No.,மொபைல் எண் Mode of Payment,கட்டணம் செலுத்தும் முறை Modern,நவீன Modified Amount,மாற்றப்பட்ட தொகை -Modified by,திருத்தியது Monday,திங்கட்கிழமை Month,மாதம் Monthly,மாதாந்தர @@ -1736,12 +1635,9 @@ Monthly Attendance Sheet,மாதாந்திர பங்கேற்கு Monthly Earning & Deduction,மாத வருமானம் & பொருத்தியறிதல் Monthly Salary Register,மாத சம்பளம் பதிவு Monthly salary statement.,மாத சம்பளம் அறிக்கை. -More,அதிக More Details,மேலும் விபரங்கள் More Info,மேலும் தகவல் Motion Picture & Video,மோஷன் பிக்சர் & வீடியோ -Move Down: {0},: கீழே நகர்த்து {0} -Move Up: {0},மேல் நகர்த்து : {0} Moving Average,சராசரி நகரும் Moving Average Rate,சராசரி விகிதம் நகரும் Mr,திரு @@ -1751,12 +1647,9 @@ Multiple Item prices.,பல பொருள் விலை . conflict by assigning priority. Price Rules: {0}","பல விலை விதி அதே அளவுகோலை கொண்டு உள்ளது , முன்னுரிமை ஒதுக்க மூலம் \ \ N மோதலை தீர்க்க , தயவு செய்து ." Music,இசை Must be Whole Number,முழு எண் இருக்க வேண்டும் -My Settings,என் அமைப்புகள் Name,பெயர் Name and Description,பெயர் மற்றும் விவரம் Name and Employee ID,பெயர் மற்றும் பணியாளர் ஐடி -Name is required,பெயர் தேவை -Name not permitted,அனுமதி இல்லை பெயர் "Name of new Account. Note: Please don't create accounts for Customers and Suppliers, they are created automatically from the Customer and Supplier master","புதிய கணக்கு பெயர். குறிப்பு: வாடிக்கையாளர்கள் மற்றும் வழங்குநர்கள் கணக்குகள் உருவாக்க வேண்டாம் , அவர்கள் வாடிக்கையாளர் மற்றும் சப்ளையர் மாஸ்டர் இருந்து தானாக உருவாக்கப்பட்டது" Name of person or organization that this address belongs to.,நபர் அல்லது இந்த முகவரியை சொந்தமானது என்று நிறுவனத்தின் பெயர். Name of the Budget Distribution,பட்ஜெட் விநியோகம் பெயர் @@ -1774,7 +1667,6 @@ Net Weight UOM,நிகர எடை மொறட்டுவ பல்க Net Weight of each Item,ஒவ்வொரு பொருள் நிகர எடை Net pay cannot be negative,நிகர ஊதியம் எதிர்மறை இருக்க முடியாது Never,இல்லை -New,புதிய New , New Account,புதிய கணக்கு New Account Name,புதிய கணக்கு பெயர் @@ -1794,7 +1686,6 @@ New Projects,புதிய திட்டங்கள் New Purchase Orders,புதிய கொள்முதல் ஆணை New Purchase Receipts,புதிய கொள்முதல் ரசீதுகள் New Quotations,புதிய மேற்கோள்கள் -New Record,புதிய பதிவு New Sales Orders,புதிய விற்பனை ஆணைகள் New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,புதிய சீரியல் இல்லை கிடங்கு முடியாது . கிடங்கு பங்கு நுழைவு அல்லது கொள்முதல் ரசீது மூலம் அமைக்க வேண்டும் New Stock Entries,புதிய பங்கு பதிவுகள் @@ -1816,11 +1707,8 @@ Next,அடுத்து Next Contact By,அடுத்த தொடர்பு Next Contact Date,அடுத்த தொடர்பு தேதி Next Date,அடுத்த நாள் -Next Record,அடுத்த பதிவு -Next actions,அடுத்த நடவடிக்கைகள் Next email will be sent on:,அடுத்த மின்னஞ்சலில் அனுப்பி வைக்கப்படும்: No,இல்லை -No Communication tagged with this ,இந்த குறிச்சொல் இல்லை தொடர்பாடல் No Customer Accounts found.,இல்லை வாடிக்கையாளர் கணக்குகள் எதுவும் இல்லை. No Customer or Supplier Accounts found,இல்லை வாடிக்கையாளருக்கு அல்லது வழங்குநருக்கு கணக்குகள் எதுவும் இல்லை No Expense Approvers. Please assign 'Expense Approver' Role to atleast one user,எந்த இழப்பில் ஒப்பியவர்சான்று . குறைந்தது ஒரு பயனர் 'செலவு அப்ரூவரான பங்கு ஒதுக்க தயவுசெய்து @@ -1830,48 +1718,31 @@ No Items to pack,மூட்டை உருப்படிகள் எது No Leave Approvers. Please assign 'Leave Approver' Role to atleast one user,இல்லை விட்டு ஒப்பியவர்சான்று . குறைந்தது ஒரு பயனர் 'விடுப்பு அப்ரூவரான பங்கு ஒதுக்க தயவுசெய்து No Permission,இல்லை அனுமதி No Production Orders created,உருவாக்கப்பட்ட எந்த உற்பத்தி ஆணைகள் -No Report Loaded. Please use query-report/[Report Name] to run a report.,"எந்த அறிக்கை ஏற்றப்பட்டது. பயன்படுத்த கேள்வி, அறிக்கை / [அறிக்கை பெயர்] ஒரு அறிக்கை ரன் செய்யவும்." -No Results,இல்லை முடிவுகள் No Supplier Accounts found. Supplier Accounts are identified based on 'Master Type' value in account record.,இல்லை வழங்குபவர் கணக்குகள் எதுவும் இல்லை. வழங்குபவர் கணக்கு கணக்கு பதிவு ' மாஸ்டர் வகை ' மதிப்பு அடிப்படையில் அடையாளம். No accounting entries for the following warehouses,பின்வரும் கிடங்குகள் இல்லை கணக்கியல் உள்ளீடுகள் No addresses created,உருவாக்கப்பட்ட முகவரிகள் No contacts created,உருவாக்கப்பட்ட எந்த தொடர்பும் இல்லை No default BOM exists for Item {0},இயல்புநிலை BOM உள்ளது உருப்படி {0} No description given,கொடுக்கப்பட்ட விளக்கம் இல்லை -No document selected,தேர்வு இல்லை ஆவணம் No employee found,எதுவும் ஊழியர் No employee found!,இல்லை ஊழியர் இல்லை! No of Requested SMS,கோரப்பட்ட எஸ்எம்எஸ் இல்லை No of Sent SMS,அனுப்பிய எஸ்எம்எஸ் இல்லை No of Visits,வருகைகள் எண்ணிக்கை -No one,எந்த ஒரு No permission,அனுமதி இல்லை -No permission to '{0}' {1},அனுமதி இல்லை ' {0}' {1} -No permission to edit,திருத்த அனுமதி இல்லை No record found,எந்த பதிவும் இல்லை -No records tagged.,இல்லை பதிவுகளை குறித்துள்ளார். No salary slip found for month: ,மாதம் இல்லை சம்பளம் சீட்டு: Non Profit,லாபம் -None,None -None: End of Workflow,None: பணியோட்ட முடிவு Nos,இலக்கங்கள் Not Active,செயலில் இல்லை Not Applicable,பொருந்தாது Not Available,இல்லை Not Billed,கட்டணம் Not Delivered,அனுப்பப்பட்டது -Not Found,எதுவும் இல்லை -Not Linked to any record.,எந்த பதிவு இணைந்தது. -Not Permitted,அனுமதிக்கப்பட்ட Not Set,அமை -Not Submitted,சமர்ப்பிக்கவில்லை -Not allowed,அனுமதி இல்லை Not allowed to update entries older than {0},விட உள்ளீடுகளை பழைய இற்றைப்படுத்த முடியாது {0} Not authorized to edit frozen Account {0},உறைந்த கணக்கு திருத்த அதிகாரம் இல்லை {0} Not authroized since {0} exceeds limits,{0} வரம்புகளை அதிகமாக இருந்து authroized -Not enough permission to see links.,இல்லை இணைப்புகளை பார்க்க போதுமான அனுமதி. -Not equals,சமம் -Not found,இல்லை Not permitted,அனுமதி இல்லை Note,குறிப்பு Note User,குறிப்பு பயனர் @@ -1880,7 +1751,6 @@ Note User,குறிப்பு பயனர் Note: Due Date exceeds the allowed credit days by {0} day(s),குறிப்பு: தேதி {0} நாள் (கள்) அனுமதி கடன் நாட்களுக்கு கூடுதல் Note: Email will not be sent to disabled users,குறிப்பு: மின்னஞ்சல் ஊனமுற்ற செய்த அனுப்ப முடியாது Note: Item {0} entered multiple times,குறிப்பு: பொருள் {0} பல முறை உள்ளிட்ட -Note: Other permission rules may also apply,குறிப்பு: பிற அனுமதி விதிகளை கூட பொருந்தும் Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,குறிப்பு: கொடுப்பனவு நுழைவு ' பண அல்லது வங்கி கணக்கு ' குறிப்பிடப்படவில்லை என்பதால் உருவாக்கப்பட்டது முடியாது Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,"குறிப்பு: இந்த அமைப்பு பொருள் விநியோகம் , மேல் முன்பதிவு பார்க்க மாட்டேன் {0} அளவு அல்லது அளவு 0 ஆகிறது" Note: There is not enough leave balance for Leave Type {0},குறிப்பு: விடுப்பு வகை போதுமான விடுப்பு சமநிலை இல்லை {0} @@ -1889,12 +1759,9 @@ Note: {0},குறிப்பு: {0} Notes,குறிப்புகள் Notes:,குறிப்புகள்: Nothing to request,கேட்டு எதுவும் -Nothing to show,காண்பிக்க ஒன்றும் -Nothing to show for this selection,இந்த தேர்வு காண்பிக்க ஒன்றும் Notice (days),அறிவிப்பு ( நாட்கள்) Notification Control,அறிவிப்பு கட்டுப்பாடு Notification Email Address,அறிவிப்பு மின்னஞ்சல் முகவரி -Notify By Email,மின்னஞ்சல் மூலம் தெரிவிக்க Notify by Email on creation of automatic Material Request,தானியங்கி பொருள் கோரிக்கை உருவாக்கம் மின்னஞ்சல் மூலம் தெரிவிக்க Number Format,எண் வடிவமைப்பு Offer Date,ஆஃபர் தேதி @@ -1938,7 +1805,6 @@ Opportunity Items,வாய்ப்பு உருப்படிகள் Opportunity Lost,வாய்ப்பை இழந்த Opportunity Type,வாய்ப்பு வகை Optional. This setting will be used to filter in various transactions.,விருப்ப . இந்த அமைப்பு பல்வேறு நடவடிக்கைகளில் வடிகட்ட பயன்படும். -Or Created By,அல்லது உருவாக்கப்பட்டது Order Type,வரிசை வகை Order Type must be one of {1},ஒழுங்கு வகை ஒன்றாக இருக்க வேண்டும் {1} Ordered,ஆணையிட்டார் @@ -1953,7 +1819,6 @@ Organization Profile,அமைப்பு செய்தது Organization branch master.,அமைப்பு கிளை மாஸ்டர் . Organization unit (department) master.,அமைப்பு அலகு ( துறை ) மாஸ்டர் . Original Amount,அசல் தொகை -Original Message,அசல் செய்தி Other,வேறு Other Details,மற்ற விவரங்கள் Others,மற்றவை @@ -1996,7 +1861,6 @@ Packing Slip Items,ஸ்லிப் பொருட்களை பொ Packing Slip(s) cancelled,மூட்டை சீட்டு (கள்) ரத்து Page Break,பக்கம் பிரேக் Page Name,பக்கம் பெயர் -Page not found,பக்கம் காணவில்லை Paid Amount,பணம் தொகை Paid amount + Write Off Amount can not be greater than Grand Total,பணம் அளவு + அளவு தள்ளுபடி கிராண்ட் மொத்த விட முடியாது Pair,இணை @@ -2062,9 +1926,6 @@ Period Closing Voucher,காலம் முடிவுறும் வவு Periodicity,வட்டம் Permanent Address,நிரந்தர முகவரி Permanent Address Is,நிரந்தர முகவரி -Permanently Cancel {0}?,நிரந்தரமாக {0} ரத்து ? -Permanently Submit {0}?,நிரந்தரமாக {0} சமர்ப்பிக்கவும் ? -Permanently delete {0}?,நிரந்தரமாக {0} நீக்க வேண்டுமா? Permission,உத்தரவு Personal,தனிப்பட்ட Personal Details,தனிப்பட்ட விவரங்கள் @@ -2073,7 +1934,6 @@ Pharmaceutical,மருந்து Pharmaceuticals,மருந்துப்பொருள்கள் Phone,தொலைபேசி Phone No,இல்லை போன் -Pick Columns,பத்திகள் தேர்வு Piecework,சிறுதுண்டு வேலைக்கு Pincode,ப ன்ேகா Place of Issue,இந்த இடத்தில் @@ -2086,8 +1946,6 @@ Plant,தாவரம் Plant and Machinery,இயந்திரங்களில் Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,இது அனைத்து கணக்கு தலைவர்கள் என்று பின்னொட்டு என சேர்க்கப்படும் என ஒழுங்காக சுருக்கமான அல்லது குறுகிய பெயர் உள்ளிடுக. Please add expense voucher details,"இழப்பில் ரசீது விவரங்கள் சேர்க்க தயவு செய்து," -Please attach a file first.,முதல் ஒரு கோப்பை இணைக்கவும். -Please attach a file or set a URL,ஒரு கோப்பை இணைக்கவும் அல்லது ஒரு URL ஐ அமைக்கவும் Please check 'Is Advance' against Account {0} if this is an advance entry.,கணக்கு எதிராக ' முன்பணம் ' சரிபார்க்கவும் {0} இந்த ஒரு முன்னேற்றத்தை நுழைவு என்றால் . Please click on 'Generate Schedule',"' உருவாக்குதல் அட்டவணை ' கிளிக் செய்து," Please click on 'Generate Schedule' to fetch Serial No added for Item {0},"சீரியல் இல்லை பொருள் சேர்க்க எடுக்க ' உருவாக்குதல் அட்டவணை ' கிளிக் செய்து, {0}" @@ -2096,7 +1954,6 @@ Please create Customer from Lead {0},முன்னணி இருந்து Please create Salary Structure for employee {0},ஊழியர் சம்பள கட்டமைப்பை உருவாக்க தயவுசெய்து {0} Please create new account from Chart of Accounts.,கணக்கு பட்டியலில் இருந்து புதிய கணக்கை உருவாக்கு . Please do NOT create Account (Ledgers) for Customers and Suppliers. They are created directly from the Customer / Supplier masters.,வாடிக்கையாளர்கள் மற்றும் சப்ளையர்கள் கணக்கு ( துறைகளை ) உருவாக்க வேண்டாம். அவர்கள் வாடிக்கையாளர் / வழங்குபவர் முதுநிலை நேரடியாக உருவாக்கப்படுகின்றன . -Please enable pop-ups,பாப் அப்களை தயவுசெய்து Please enter 'Expected Delivery Date',' எதிர்பார்த்த டெலிவரி தேதி ' உள்ளிடவும் Please enter 'Is Subcontracted' as Yes or No,உள்ளிடவும் ஆம் அல்லது இல்லை என ' துணை ஒப்பந்தம்' Please enter 'Repeat on Day of Month' field value,துறையில் மதிப்பு ' மாதம் நாளில் பூசை ' உள்ளிடவும் @@ -2107,7 +1964,6 @@ Please enter Company,நிறுவனத்தின் உள்ளிடவ Please enter Cost Center,செலவு மையம் உள்ளிடவும் Please enter Delivery Note No or Sales Invoice No to proceed,இல்லை அல்லது விற்பனை விலைப்பட்டியல் இல்லை தொடர டெலிவரி குறிப்பு உள்ளிடவும் Please enter Employee Id of this sales parson,இந்த விற்பனை பார்சன் என்ற பணியாளர் Id உள்ளிடவும் -Please enter Event's Date and Time!,நிகழ்வின் தேதி மற்றும் நேரம் உள்ளிடவும் ! Please enter Expense Account,செலவு கணக்கு உள்ளிடவும் Please enter Item Code to get batch no,எந்த தொகுதி கிடைக்கும் பொருள் கோட் உள்ளிடவும் Please enter Item Code.,பொருள் கோட் உள்ளிடவும். @@ -2133,14 +1989,11 @@ Please enter parent cost center,பெற்றோர் செலவு செ Please enter quantity for Item {0},பொருள் எண்ணிக்கையை உள்ளிடவும் {0} Please enter relieving date.,தேதி நிவாரணத்தில் உள்ளிடவும். Please enter sales order in the above table,மேலே உள்ள அட்டவணையில் விற்பனை பொருட்டு உள்ளிடவும் -Please enter some text!,சில சொற்களை உள்ளிடவும் ! -Please enter title!,தலைப்பு உள்ளிடவும் ! Please enter valid Company Email,நிறுவனத்தின் மின்னஞ்சல் உள்ளிடவும் Please enter valid Email Id,செல்லுபடியாகும் மின்னஞ்சல் ஐடியை உள்ளிடுக Please enter valid Personal Email,செல்லுபடியாகும் தனிப்பட்ட மின்னஞ்சல் உள்ளிடவும் Please enter valid mobile nos,சரியான மொபைல் இலக்கங்கள் உள்ளிடவும் Please install dropbox python module,டிரா பாக்ஸ் பைதான் தொகுதி நிறுவவும் -Please login to Upvote!,வளி உள்நுழைய தயவு செய்து! Please mention no of visits required,குறிப்பிட தயவுசெய்து தேவையான வருகைகள் எந்த Please pull items from Delivery Note,"டெலிவரி குறிப்பு இருந்து உருப்படிகள் இழுக்க , தயவு செய்து" Please save the Newsletter before sending,"அனுப்பும் முன் செய்திமடல் சேமிக்க , தயவு செய்து" @@ -2191,8 +2044,6 @@ Plot By,கதை Point of Sale,விற்பனை செய்யுமிடம் Point-of-Sale Setting,புள்ளி விற்பனை அமைக்கிறது Post Graduate,பட்டதாரி பதிவு -Post already exists. Cannot add again!,போஸ்ட் ஏற்கனவே உள்ளது. மீண்டும் சேர்க்க இயலாது! -Post does not exist. Please add post!,போஸ்ட் இல்லை . பதவியை சேர்க்க தயவு செய்து! Postal,தபால் அலுவலகம் சார்ந்த Postal Expenses,தபால் செலவுகள் Posting Date,தேதி தகவல்களுக்கு @@ -2207,7 +2058,6 @@ Prevdoc DocType,Prevdoc டாக்டைப்பின் Prevdoc Doctype,Prevdoc Doctype Preview,முன்னோட்டம் Previous,முந்தைய -Previous Record,முந்தைய பதிவு Previous Work Experience,முந்தைய பணி அனுபவம் Price,விலை Price / Discount,விலை / தள்ளுபடி @@ -2226,12 +2076,10 @@ Price or Discount,விலை அல்லது தள்ளுபடி Pricing Rule,விலை விதி Pricing Rule For Discount,விலை ஆட்சிக்கு தள்ளுபடி Pricing Rule For Price,விலை ஆட்சிக்கு விலை -Print,அச்சடி Print Format Style,அச்சு வடிவம் உடை Print Heading,தலைப்பு அச்சிட Print Without Amount,மொத்த தொகை இல்லாமல் அச்சிட Print and Stationary,அச்சு மற்றும் நிலையான -Print...,அச்சு ... Printing and Branding,அச்சிடுதல் மற்றும் பிராண்டிங் Priority,முதன்மை Private Equity,தனியார் சமபங்கு @@ -2357,7 +2205,6 @@ Quantity of item obtained after manufacturing / repacking from given quantities Quantity required for Item {0} in row {1},உருப்படி தேவையான அளவு {0} வரிசையில் {1} Quarter,காலாண்டு Quarterly,கால் ஆண்டுக்கு ஒரு முறை நிகழ்கிற -Query Report,கேள்வி அறிக்கை Quick Help,விரைவு உதவி Quotation,மேற்கோள் Quotation Date,விலைப்பட்டியல் தேதி @@ -2459,14 +2306,11 @@ Rejected Warehouse is mandatory against regected item,நிராகரிக Relation,உறவு Relieving Date,தேதி நிவாரணத்தில் Relieving Date must be greater than Date of Joining,தேதி நிவாரணத்தில் சேர தேதி விட அதிகமாக இருக்க வேண்டும் -Reload Page,பக்கத்தை மீண்டும் ஏற்றுக Remark,குறிப்பு Remarks,கருத்துக்கள் -Remove Bookmark,Bookmark நீக்க Rename,மறுபெயரிடு Rename Log,பதிவு மறுபெயர் Rename Tool,கருவி மறுபெயரிடு -Rename...,மறுபெயர் ... Rent Cost,வாடகை செலவு Rent per hour,ஒரு மணி நேரத்திற்கு வாடகைக்கு Rented,வாடகைக்கு @@ -2474,12 +2318,9 @@ Repeat on Day of Month,மாதம் ஒரு நாள் மீண்டு Replace,பதிலாக Replace Item / BOM in all BOMs,அனைத்து BOM கள் உள்ள பொருள் / BOM பதிலாக Replied,பதில் -Report,புகார் Report Date,தேதி அறிக்கை Report Type,வகை புகார் Report Type is mandatory,புகார் வகை கட்டாய ஆகிறது -Report an Issue,சிக்கலை புகார் -Report was not saved (there were errors),அறிக்கை சேமிக்க (பிழைகள் இருந்தன) Reports to,அறிக்கைகள் Reqd By Date,தேதி வாக்கில் Reqd Request Type,கோரிக்கை வகை @@ -2630,7 +2471,6 @@ Salutation,வணக்கம் தெரிவித்தல் Sample Size,மாதிரி அளவு Sanctioned Amount,ஒப்புதல் தொகை Saturday,சனிக்கிழமை -Save,சேமிக்கவும் Schedule,அனுபந்தம் Schedule Date,அட்டவணை தேதி Schedule Details,அட்டவணை விவரம் @@ -2644,7 +2484,6 @@ Score (0-5),ஸ்கோர் (0-5) Score Earned,ஜூலை ஈட்டிய Score must be less than or equal to 5,ஸ்கோர் குறைவாக அல்லது 5 சமமாக இருக்க வேண்டும் Scrap %,% கைவிட்டால் -Search,தேடல் Seasonality for setting budgets.,வரவு செலவு திட்டம் அமைக்க பருவகாலம். Secretary,காரியதரிசி Secured Loans,பிணை கடன்கள் @@ -2656,26 +2495,18 @@ Securities and Deposits,பத்திரங்கள் மற்றும் "Select ""Yes"" if this item represents some work like training, designing, consulting etc.","இந்த உருப்படியை பயிற்சி போன்ற சில வேலை, பல ஆலோசனை, வடிவமைத்தல் குறிக்கிறது என்றால் "ஆம்" என்பதை தேர்ந்தெடுக்கவும்" "Select ""Yes"" if you are maintaining stock of this item in your Inventory.","உங்கள் இருப்பு, இந்த உருப்படி பங்கு பராமரிக்க என்றால் "ஆம்" என்பதை தேர்ந்தெடுக்கவும்." "Select ""Yes"" if you supply raw materials to your supplier to manufacture this item.",நீங்கள் இந்த உருப்படியை உற்பத்தி உங்கள் சப்ளையர் மூல பொருட்களை சப்ளை என்றால் "ஆம்" என்பதை தேர்ந்தெடுக்கவும். -Select All,அனைத்து தேர்வு -Select Attachments,இணைப்புகள் தேர்வு Select Budget Distribution to unevenly distribute targets across months.,ஒரே சீராக பரவி மாதங்கள் முழுவதும் இலக்குகளை விநியோகிக்க பட்ஜெட் விநியோகம் தேர்ந்தெடுக்கவும். "Select Budget Distribution, if you want to track based on seasonality.","நீங்கள் பருவகாலம் அடிப்படையில் கண்காணிக்க வேண்டும் என்றால், பட்ஜெட் விநியோகம் தேர்ந்தெடுக்கவும்." Select DocType,DOCTYPE தேர்வு Select Items,தேர்ந்தெடு -Select Print Format,அச்சு வடிவம் தேர்வு Select Purchase Receipts,கொள்முதல் ரசீதுகள் தேர்வு -Select Report Name,அறிக்கை பெயர் தேர்வு Select Sales Orders,விற்பனை ஆணைகள் தேர்வு Select Sales Orders from which you want to create Production Orders.,நீங்கள் உற்பத்தி ஆணைகள் உருவாக்க வேண்டிய இருந்து விற்பனை ஆணைகள் தேர்ந்தெடுக்கவும். Select Time Logs and Submit to create a new Sales Invoice.,நேரம் பதிவுகள் தேர்ந்தெடுத்து ஒரு புதிய விற்பனை விலைப்பட்டியல் உருவாக்க சமர்ப்பிக்கவும். -Select To Download:,பதிவிறக்க தேர்வு : Select Transaction,பரிவர்த்தனை தேர்வு -Select Type,வகை தேர்வு Select Your Language,உங்கள் மொழி தேர்வு Select account head of the bank where cheque was deposited.,காசோலை டெபாசிட் அங்கு வங்கி கணக்கு தலைவர் தேர்வு. Select company name first.,முதல் நிறுவனத்தின் பெயரை தேர்ந்தெடுக்கவும். -Select dates to create a new ,ஒரு புதிய உருவாக்க தேதிகளில் தேர்வு -Select or drag across time slots to create a new event.,தேர்வு அல்லது ஒரு புதிய நிகழ்வை உருவாக்க நேரம் இடங்கள் முழுவதும் இழுக்கவும். Select template from which you want to get the Goals,நீங்கள் இலக்குகள் பெற விரும்பும் டெம்ப்ளேட்டை தேர்வு Select the Employee for whom you are creating the Appraisal.,நீங்கள் மதிப்பீடு உருவாக்கும் யாருக்காக பணியாளர் தேர்வு. Select the period when the invoice will be generated automatically,விலைப்பட்டியல் தானாக உருவாக்கப்படும் போது காலம் தேர்வு @@ -2691,11 +2522,9 @@ Select your home country and check the timezone and currency.,உங்கள் Selling,விற்பனை Selling Settings,அமைப்புகள் விற்பனை Send,அனுப்பு -Send As Email,மின்னஞ்சல் அனுப்பு Send Autoreply,Autoreply அனுப்ப Send Email,மின்னஞ்சல் அனுப்ப Send From,வரம்பு அனுப்ப -Send Me A Copy,என்னை ஒரு நகல் அனுப்ப Send Notifications To,அறிவிப்புகளை அனுப்பவும் Send Now,இப்போது அனுப்பவும் Send SMS,எஸ்எம்எஸ் அனுப்ப @@ -2705,7 +2534,6 @@ Send mass SMS to your contacts,உங்கள் தொடர்புகள Send to this list,இந்த பட்டியலில் அனுப்ப Sender Name,அனுப்புநர் பெயர் Sent On,அன்று அனுப்பப்பட்டது -Sent or Received,அனுப்பப்படும் அல்லது பெறப்படும் Separate production order will be created for each finished good item.,தனி உற்பத்தி வரிசையில் ஒவ்வொரு முடிக்கப்பட்ட நல்ல உருப்படியை செய்தது. Serial No,இல்லை தொடர் Serial No / Batch,சீரியல் இல்லை / தொகுப்பு @@ -2739,11 +2567,9 @@ Series {0} already used in {1},தொடர் {0} ஏற்கனவே பய Service,சேவை Service Address,சேவை முகவரி Services,சேவைகள் -Session Expired. Logging you out,அமர்வு காலாவதியானது. உங்களை வெளியேற்றுகிறோம் Set,அமை "Set Default Values like Company, Currency, Current Fiscal Year, etc.","முதலியன கம்பெனி, நாணய , நடப்பு நிதியாண்டில் , போன்ற அமை கலாச்சாரம்" Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,இந்த மண்டலம் உருப்படி பிரிவு வாரியான வரவு செலவு திட்டம் அமைக்க. நீங்கள் விநியோகம் அமைக்க பருவகாலம் சேர்க்க முடியும். -Set Link,அமை இணைப்பு Set as Default,இயல்புநிலை அமை Set as Lost,லாஸ்ட் அமை Set prefix for numbering series on your transactions,உங்கள் நடவடிக்கைகள் மீது தொடர் எண்ணுவதற்கான முன்னொட்டு அமைக்க @@ -2776,17 +2602,12 @@ Shipping Rule Label,கப்பல் விதி லேபிள் Shop,ஷாப்பிங் Shopping Cart,வணிக வண்டி Short biography for website and other publications.,இணையதளம் மற்றும் பிற வெளியீடுகள் குறுகிய வாழ்க்கை. -Shortcut,குறுக்கு வழி "Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",இந்த கிடங்கில் கிடைக்கும் பங்கு அடிப்படையில் "ஸ்டாக் இல்லை" "இருப்பு" காட்டு அல்லது. "Show / Hide features like Serial Nos, POS etc.","பல தொடர் இலக்கங்கள் , பிஓஎஸ் போன்ற காட்டு / மறை அம்சங்கள்" -Show Details,விவரங்கள் காட்டுகின்றன Show In Website,இணையத்தளம் காண்பி -Show Tags,நிகழ்ச்சி குறிச்சொற்களை Show a slideshow at the top of the page,பக்கம் மேலே ஒரு ஸ்லைடு ஷோ Show in Website,வெப்சைட் காண்பி -Show rows with zero values,பூஜ்ய மதிப்புகள் வரிசைகள் காட்டு Show this slideshow at the top of the page,பக்கத்தின் மேல் இந்த காட்சியை காட்ட -Showing only for (if not empty),மட்டும் காண்பிக்கிறது ( இல்லை என்றால் காலியாக ) Sick Leave,விடுப்பு Signature,கையொப்பம் Signature to be appended at the end of every email,ஒவ்வொரு மின்னஞ்சல் இறுதியில் தொடுக்க வேண்டும் கையெழுத்து @@ -2797,11 +2618,8 @@ Slideshow,ஸ்லைடுஷோ Soap & Detergent,சோப் & சோப்பு Software,மென்பொருள் Software Developer,மென்பொருள் டெவலப்பர் -Sorry we were unable to find what you were looking for.,"மன்னிக்கவும், நீங்கள் தேடும் என்ன கண்டுபிடிக்க முடியவில்லை." -Sorry you are not permitted to view this page.,"மன்னிக்கவும், நீங்கள் இந்த பக்கம் பார்க்க அனுமதியில்லை." "Sorry, Serial Nos cannot be merged","மன்னிக்கவும், சீரியல் இலக்கங்கள் ஒன்றாக்க முடியாது" "Sorry, companies cannot be merged","மன்னிக்கவும், நிறுவனங்கள் ஒன்றாக்க முடியாது" -Sort By,வரிசைப்படுத்து Source,மூல Source File,மூல கோப்பு Source Warehouse,மூல கிடங்கு @@ -2826,7 +2644,6 @@ Standard Selling,ஸ்டாண்டர்ட் விற்பனை Standard contract terms for Sales or Purchase.,விற்பனை அல்லது கொள்முதல் தரநிலை ஒப்பந்த அடிப்படையில் . Start,தொடக்கம் Start Date,தொடக்க தேதி -Start Report For,இந்த அறிக்கை தொடங்க Start date of current invoice's period,தற்போதைய விலைப்பட்டியல் நேரத்தில் தேதி தொடங்கும் Start date should be less than end date for Item {0},தொடக்க தேதி பொருள் முடிவு தேதி விட குறைவாக இருக்க வேண்டும் {0} State,நிலை @@ -2884,7 +2701,6 @@ Sub Assemblies,துணை சபைகளின் "Sub-currency. For e.g. ""Cent""",துணை நாணய. உதாரணமாக "செண்ட்" க்கான Subcontract,உள் ஒப்பந்தம் Subject,பொருள் -Submit,Submit ' Submit Salary Slip,சம்பளம் ஸ்லிப் 'to Submit all salary slips for the above selected criteria,மேலே தேர்ந்தெடுக்கப்பட்ட அடிப்படை அனைத்து சம்பளம் பின்னடைவு 'to Submit this Production Order for further processing.,மேலும் செயலாக்க இந்த உற்பத்தி ஆர்டர் . @@ -2928,7 +2744,6 @@ Support Email Settings,ஆதரவு மின்னஞ்சல் அமை Support Password,ஆதரவு கடவுச்சொல் Support Ticket,ஆதரவு டிக்கெட் Support queries from customers.,வாடிக்கையாளர்கள் கேள்விகளுக்கு ஆதரவு. -Switch to Website,இணைய மாற்றலாம் Symbol,அடையாளம் Sync Support Mails,ஆதரவு அஞ்சல் ஒத்திசை Sync with Dropbox,டிராப்பாக்ஸ் உடன் ஒத்திசைக்க @@ -2936,7 +2751,6 @@ Sync with Google Drive,Google Drive ஐ ஒத்திசைந்து System,முறை System Settings,கணினி அமைப்புகள் "System User (login) ID. If set, it will become default for all HR forms.","கணினி பயனர் (உள்நுழைய) ஐடி. அமைத்தால், அது அனைத்து அலுவலக வடிவங்கள் முன்னிருப்பு போம்." -Tags,குறிச்சொற்கள் Target Amount,இலக்கு தொகை Target Detail,இலக்கு விரிவாக Target Details,இலக்கு விவரம் @@ -2995,7 +2809,6 @@ Territory Target Variance Item Group-Wise,மண்டலம் இலக்க Territory Targets,மண்டலம் இலக்குகள் Test,சோதனை Test Email Id,டெஸ்ட் மின்னஞ்சல் விலாசம் -Test Runner,டெஸ்ட் ரன்னர் Test the Newsletter,இ சோதனை The BOM which will be replaced,பதிலீடு செய்யப்படும் BOM The First User: You,முதல் பயனர் : நீங்கள் @@ -3015,28 +2828,23 @@ The net weight of this package. (calculated automatically as sum of net weight o The new BOM after replacement,மாற்று பின்னர் புதிய BOM The rate at which Bill Currency is converted into company's base currency,பில் நாணய நிறுவனத்தின் அடிப்படை நாணய மாற்றப்படும் விகிதத்தை The unique id for tracking all recurring invoices. It is generated on submit.,அனைத்து மீண்டும் பொருள் தேடும் தனிப்பட்ட ஐடி. அதை சமர்ப்பிக்க இல் உருவாக்கப்பட்டது. -Then By (optional),பின்னர் (விரும்பினால்) மூலம் There are more holidays than working days this month.,இந்த மாதம் வேலை நாட்களுக்கு மேல் விடுமுறை உள்ளன . "There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","மட்டுமே "" மதிப்பு "" 0 அல்லது வெற்று மதிப்பு ஒரு கப்பல் விதி நிலை இருக்க முடியாது" There is not enough leave balance for Leave Type {0},விடுப்பு வகை போதுமான விடுப்பு சமநிலை இல்லை {0} There is nothing to edit.,திருத்த எதுவும் இல்லை . There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,ஒரு பிழை ஏற்பட்டது . ஒரு சாத்தியமான காரணம் நீங்கள் வடிவம் காப்பாற்ற முடியாது என்று இருக்க முடியும் . சிக்கல் தொடர்ந்தால் support@erpnext.com தொடர்பு கொள்ளவும். -There were errors,பிழைகள் உள்ளன -There were errors while sending email. Please try again.,மின்னஞ்சல் அனுப்பும் போது பிழைகள் இருந்தன . மீண்டும் முயற்சிக்கவும். There were errors.,பிழைகள் இருந்தன . This Currency is disabled. Enable to use in transactions,இந்த நாணய முடக்கப்பட்டுள்ளது. நடவடிக்கைகளில் பயன்படுத்த உதவும் This Leave Application is pending approval. Only the Leave Apporver can update status.,இந்த விடுமுறை விண்ணப்பம் அனுமதிக்காக நிலுவையில் உள்ளது . மட்டும் விட்டு Apporver நிலையை மேம்படுத்த முடியும் . This Time Log Batch has been billed.,இந்த நேரம் புகுபதிகை தொகுதி படியாக. This Time Log Batch has been cancelled.,இந்த நேரம் புகுபதிகை தொகுப்பு ரத்து செய்யப்பட்டது. This Time Log conflicts with {0},இந்த நேரம் பதிவு மோதல்கள் {0} -This is PERMANENT action and you cannot undo. Continue?,"இந்த நிரந்தர செயலாகும், நீங்கள் செயல்தவிர்க்க முடியாது. தொடர்ந்து?" This is a root account and cannot be edited.,இந்த ரூட் கணக்கு மற்றும் திருத்த முடியாது . This is a root customer group and cannot be edited.,இந்த ஒரு ரூட் வாடிக்கையாளர் குழு மற்றும் திருத்த முடியாது . This is a root item group and cannot be edited.,இந்த ஒரு ரூட் உருப்படியை குழு மற்றும் திருத்த முடியாது . This is a root sales person and cannot be edited.,இந்த ஒரு ரூட் விற்பனை நபர் மற்றும் திருத்த முடியாது . This is a root territory and cannot be edited.,இந்த வேர் பகுதியில் மற்றும் திருத்த முடியாது . This is an example website auto-generated from ERPNext,இந்த ERPNext இருந்து தானாக உருவாக்கப்பட்ட ஒரு உதாரணம் இணையதளம் உள்ளது -This is permanent action and you cannot undo. Continue?,இந்த நிரந்தர நடவடிக்கை மற்றும் நீங்கள் செயல்தவிர்க்க முடியாது. தொடர்ந்து? This is the number of the last created transaction with this prefix,இந்த முன்னொட்டு கடந்த உருவாக்கப்பட்ட பரிவர்த்தனை எண்ணிக்கை This will be used for setting rule in HR module,இந்த அலுவலக தொகுதி உள்ள அமைப்பு விதி பயன்படுத்தப்படும் Thread HTML,Thread HTML @@ -3078,7 +2886,6 @@ To get Item Group in details table,விவரங்கள் அட்டவ "To include tax in row {0} in Item rate, taxes in rows {1} must also be included","வரிசையில் வரி ஆகியவை அடங்கும் {0} பொருள் விகிதம் , வரிசைகளில் வரிகளை {1} சேர்க்கப்பட்டுள்ளது" "To merge, following properties must be same for both items","ஒன்றாக்க , பின்வரும் பண்புகளை இரு பொருட்களை சமமாக இருக்க வேண்டும்" "To report an issue, go to ", -"To run a test add the module name in the route after '{0}'. For example, {1}","ஒரு சோதனை ' {0}' பிறகு இந்த தொகுதி பெயர் சேர்க்க ரன் . உதாரணமாக, {1}" "To set this Fiscal Year as Default, click on 'Set as Default'","இயல்புநிலை என இந்த நிதியாண்டில் அமைக்க, ' இயல்புநிலை அமை ' கிளிக்" To track any installation or commissioning related work after sales,விற்பனை பிறகு எந்த நிறுவல் அல்லது அதிகாரம்பெற்ற தொடர்பான வேலை தடமறிய "To track brand name in the following documents Delivery Note, Opportunity, Material Request, Item, Purchase Order, Purchase Voucher, Purchaser Receipt, Quotation, Sales Invoice, Sales BOM, Sales Order, Serial No","பின்வரும் ஆவணங்களை டெலிவரி குறிப்பு , வாய்ப்பு , பொருள் கோரிக்கை , பொருள் , கொள்முதல் ஆணை , கொள்முதல் ரசீது கொள்முதல் ரசீது , மேற்கோள் , கவிஞருக்கு , விற்பனை BOM , விற்பனை , சீரியல் இல்லை பிராண்ட் பெயர் கண்காணிக்க" @@ -3130,7 +2937,6 @@ Totals,மொத்த Track Leads by Industry Type.,ட்ராக் தொழில் வகை செல்கிறது. Track this Delivery Note against any Project,எந்த திட்டம் எதிரான இந்த டெலிவரி குறிப்பு கண்காணிக்க Track this Sales Order against any Project,எந்த திட்டம் எதிரான இந்த விற்பனை ஆணை கண்காணிக்க -Trainee,பயிற்சி பெறுபவர் Transaction,பரிவர்த்தனை Transaction Date,பரிவர்த்தனை தேதி Transaction not allowed against stopped Production Order {0},பரிவர்த்தனை நிறுத்தி உத்தரவு எதிரான அனுமதி இல்லை {0} @@ -3162,7 +2968,6 @@ UOM Conversion Factor,மொறட்டுவ பல்கலைகழகம UOM Conversion factor is required in row {0},மொறட்டுவ பல்கலைகழகம் மாற்ற காரணி வரிசையில் தேவைப்படுகிறது {0} UOM Name,மொறட்டுவ பல்கலைகழகம் பெயர் UOM coversion factor required for UOM {0} in Item {1},மொறட்டுவ பல்கலைகழகம் தேவையான மொறட்டுவ பல்கலைகழகம் Coversion காரணி {0} உருப்படியை {1} -Unable to load: {0},ஏற்ற முடியவில்லை: {0} Under AMC,AMC கீழ் Under Graduate,பட்டதாரி கீழ் Under Warranty,உத்தரவாதத்தின் கீழ் @@ -3172,11 +2977,8 @@ Unit of Measure {0} has been entered more than once in Conversion Factor Table, "Unit of measurement of this item (e.g. Kg, Unit, No, Pair).","இந்த உருப்படியின் அளவீட்டு அலகு (எ.கா. கிலோ, அலகு, இல்லை, சோடி)." Units/Hour,அலகுகள் / ஹவர் Units/Shifts,அலகுகள் / மாற்றம் நேரும் -Unknown Column: {0},தெரியாத வரிசை : {0} -Unknown Print Format: {0},தெரியாத அச்சு வடிவம்: {0} Unmatched Amount,பொருந்தா தொகை Unpaid,செலுத்தப்படாத -Unread Messages,படிக்காத செய்திகள் Unscheduled,திட்டமிடப்படாத Unsecured Loans,பிணையற்ற கடன்கள் Unstop,தடை இல்லாத @@ -3196,18 +2998,14 @@ Update bank payment dates with journals.,மேம்படுத்தல் Update clearance date of Journal Entries marked as 'Bank Vouchers',ஜர்னல் பதிவுகள் புதுப்பிக்கவும் அனுமதி தேதி ' வங்கி உறுதி சீட்டு ' என குறிக்கப்பட்ட Updated,புதுப்பிக்கப்பட்ட Updated Birthday Reminders,இற்றை நினைவூட்டல்கள் -Upload,பதிவேற்று -Upload Attachment,இணைப்பு பதிவேற்று Upload Attendance,பங்கேற்கும் பதிவேற்ற Upload Backups to Dropbox,டிரா காப்புப்படிகள் பதிவேற்ற Upload Backups to Google Drive,Google இயக்ககத்தில் காப்புப்படிகள் பதிவேற்ற Upload HTML,HTML பதிவேற்று Upload a .csv file with two columns: the old name and the new name. Max 500 rows.,பழைய பெயர் புதிய பெயர்:. இரண்டு பத்திகள் ஒரு கோப்பை பதிவேற்ற. அதிகபட்சம் 500 வரிசைகள். -Upload a file,ஒரு கோப்பை பதிவேற்று Upload attendance from a .csv file,ஒரு. Csv கோப்பு இருந்து வருகை பதிவேற்று Upload stock balance via csv.,Csv வழியாக பங்கு சமநிலை பதிவேற்றலாம். Upload your letter head and logo - you can edit them later.,உங்கள் கடிதம் தலை மற்றும் லோகோ பதிவேற்ற - நீங்கள் பின்னர் அவர்களை திருத்த முடியாது . -Uploading...,பதிவேற்ற ... Upper Income,உயர் வருமானம் Urgent,அவசரமான Use Multi-Level BOM,மல்டி லெவல் BOM பயன்படுத்த @@ -3217,11 +3015,9 @@ User ID,பயனர் ஐடி User ID not set for Employee {0},பயனர் ஐடி பணியாளர் அமைக்க{0} User Name,பயனர் பெயர் User Name or Support Password missing. Please enter and try again.,பயனர் பெயர் அல்லது ஆதரவு கடவுச்சொல் காணவில்லை. உள்ளிட்டு மீண்டும் முயற்சிக்கவும். -User Permission Restrictions,பயனர் அனுமதி கட்டுப்பாடுகள் User Remark,பயனர் குறிப்பு User Remark will be added to Auto Remark,பயனர் குறிப்பு ஆட்டோ குறிப்பு சேர்க்கப்படும் User Remarks is mandatory,பயனர் கட்டாய குறிப்புரை -User Restrictions,பயனர் கட்டுப்பாடுகள் User Specific,பயனர் குறிப்பிட்ட User must always select,பயனர் எப்போதும் தேர்ந்தெடுக்க வேண்டும் User {0} is already assigned to Employee {1},பயனர் {0} ஏற்கனவே பணியாளர் ஒதுக்கப்படும் {1} @@ -3319,8 +3115,6 @@ Will be updated after Sales Invoice is Submitted.,விற்பனை வி Will be updated when batched.,Batched போது புதுப்பிக்கப்படும். Will be updated when billed.,கணக்கில் போது புதுப்பிக்கப்படும். Wire Transfer,வயர் மாற்றம் -With Groups,குழுக்கள் -With Ledgers,பேரேடுகளும் With Operations,செயல்பாடுகள் மூலம் With period closing entry,காலம் நிறைவு நுழைவு Work Details,வேலை விவரம் @@ -3328,7 +3122,6 @@ Work Done,வேலை Work In Progress,முன்னேற்றம் வேலை Work-in-Progress Warehouse,"வேலை, செயலில் கிடங்கு" Work-in-Progress Warehouse is required before Submit,"வேலை, முன்னேற்றம் கிடங்கு சமர்ப்பிக்க முன் தேவை" -Workflow will start after saving.,பணியோட்டம் சேமிப்பு பின்னர் ஆரம்பிக்கும். Working,உழைக்கும் Workstation,பணிநிலையம் Workstation Name,பணிநிலைய பெயர் @@ -3351,11 +3144,6 @@ Year Start Date should not be greater than Year End Date,ஆண்டு தெ Year of Passing,தேர்ச்சி பெறுவதற்கான ஆண்டு Yearly,வருடாந்திர Yes,ஆம் -Yesterday,நேற்று -You are not allowed to create / edit reports,நீங்கள் / தொகு அறிக்கைகள் உருவாக்க அனுமதி இல்லை -You are not allowed to export this report,நீங்கள் இந்த அறிக்கையை ஏற்றுமதி செய்ய அனுமதி இல்லை -You are not allowed to print this document,நீங்கள் இந்த ஆவணத்தை அச்சிட அனுமதி இல்லை -You are not allowed to send emails related to this document,இந்த ஆவணம் தொடர்பான மின்னஞ்சல்களை அனுப்ப அனுமதி இல்லை You are not authorized to add or update entries before {0},நீங்கள் முன் உள்ளீடுகளை சேர்க்க அல்லது மேம்படுத்தல் அங்கீகாரம் இல்லை {0} You are not authorized to set Frozen value,நீங்கள் உறைந்த மதிப்பை அமைக்க அதிகாரம் இல்லை You are the Expense Approver for this record. Please Update the 'Status' and Save,இந்த பதிவு செலவு அப்ரூவரான இருக்கிறீர்கள் . 'தகுதி' புதுப்பி இரட்சியும் @@ -3372,7 +3160,6 @@ You can submit this Stock Reconciliation.,இந்த பங்கு நல் You can update either Quantity or Valuation Rate or both.,நீங்கள் அளவு அல்லது மதிப்பீட்டு விகிதம் அல்லது இரண்டு அல்லது மேம்படுத்த முடியும் . You cannot credit and debit same account at the same time,நீங்கள் கடன் மற்றும் அதே நேரத்தில் அதே கணக்கு பற்று முடியாது You have entered duplicate items. Please rectify and try again.,நீங்கள் போலி பொருட்களை நுழைந்தது. சரிசெய்து மீண்டும் முயற்சிக்கவும். -You have unsaved changes in this form. Please save before you continue.,நீங்கள் இந்த படிவத்தை சேமிக்கப்படாத மாற்றங்கள் உள்ளன . You may need to update: {0},நீங்கள் மேம்படுத்த வேண்டும் : {0} You must Save the form before proceeding,தொடர்வதற்கு முன் படிவத்தை சேமிக்க வேண்டும் You must allocate amount before reconcile,நீங்கள் சரிசெய்யும் முன் தொகை ஒதுக்க வேண்டும் @@ -3381,7 +3168,6 @@ Your Customers,உங்கள் வாடிக்கையாளர்கள Your Login Id,உங்கள் உள்நுழைவு ஐடி Your Products or Services,உங்கள் தயாரிப்புகள் அல்லது சேவைகள் Your Suppliers,உங்கள் சப்ளையர்கள் -"Your download is being built, this may take a few moments...","உங்கள் பதிவிறக்க கட்டப்பட உள்ளது, இந்த ஒரு சில நிமிடங்கள் ஆகலாம் ..." Your email address,உங்கள் மின்னஞ்சல் முகவரியை Your financial year begins on,உங்கள் நிதி ஆண்டு தொடங்கும் Your financial year ends on,உங்கள் நிதி ஆண்டில் முடிவடைகிறது @@ -3394,8 +3180,6 @@ Your support email id - must be a valid email - this is where your emails will c and,மற்றும் are not allowed.,அனுமதி இல்லை. assigned by,ஒதுக்கப்படுகின்றன -comment,கருத்து -comments,கருத்துக்கள் "e.g. ""Build tools for builders""","உதாரணமாக, "" கட்டுமான கருவிகள் கட்ட """ "e.g. ""MC""","உதாரணமாக, ""MC """ "e.g. ""My Company LLC""","உதாரணமாக, ""என் கம்பெனி எல்எல்சி""" @@ -3405,14 +3189,9 @@ e.g. 5,"உதாரணமாக, 5" e.g. VAT,"உதாரணமாக, வரி" eg. Cheque Number,உதாரணம். காசோலை எண் example: Next Day Shipping,உதாரணமாக: அடுத்த நாள் கப்பல் -found,இல்லை -is not allowed.,அனுமதி இல்லை. lft,lft old_parent,old_parent -or,அல்லது rgt,rgt -to,வேண்டும் -values and dates,மதிப்புகள் மற்றும் தேதிகள் website page link,இணைய பக்கம் இணைப்பு {0} '{1}' not in Fiscal Year {2},{0} ' {1} ' இல்லை நிதி ஆண்டில் {2} {0} Credit limit {0} crossed,{0} கடன் வரம்பை {0} கடந்து diff --git a/erpnext/translations/th.csv b/erpnext/translations/th.csv index 9b713c6d82..359a9ff7d9 100644 --- a/erpnext/translations/th.csv +++ b/erpnext/translations/th.csv @@ -1,7 +1,5 @@ (Half Day),(ครึ่งวัน) and year: ,และปี: - by Role ,โดยบทบาท - is not set,ไม่ได้ตั้งค่า """ does not exists","""ไม่ได้ มีอยู่" % Delivered,ส่ง% % Amount Billed,จำนวนเงิน% จำนวน @@ -34,7 +32,6 @@ "1 Currency = [?] Fraction For e.g. 1 USD = 100 Cent",1 สกุลเงิน = [ ?] เศษส่วน \ n สำหรับ เช่นผู้ 1. To maintain the customer wise item code and to make them searchable based on their code use this option,1 เพื่อรักษารหัสรายการลูกค้าที่ฉลาดและจะทำให้พวกเขาค้นหาตามรหัสของพวกเขาใช้ตัวเลือกนี้ -2 days ago,2 วันที่ผ่านมา "Add / Edit"," เพิ่ม / แก้ไข " "Add / Edit"," เพิ่ม / แก้ไข " "Add / Edit"," เพิ่ม / แก้ไข " @@ -89,7 +86,6 @@ Accounts Frozen Upto,บัญชี Frozen เกิน Accounts Payable,บัญชีเจ้าหนี้ Accounts Receivable,ลูกหนี้ Accounts Settings,การตั้งค่าบัญชี -Actions,การปฏิบัติ Active,คล่องแคล่ว Active: Will extract emails from ,ใช้งานล่าสุด: จะดึงอีเมลจาก Activity,กิจกรรม @@ -111,23 +107,13 @@ Actual Quantity,จำนวนที่เกิดขึ้นจริง Actual Start Date,วันที่เริ่มต้นจริง Add,เพิ่ม Add / Edit Taxes and Charges,เพิ่ม / แก้ไขภาษีและค่าธรรมเนียม -Add Attachments,เพิ่มสิ่งที่แนบ -Add Bookmark,เพิ่มบุ๊คมาร์ค Add Child,เพิ่ม เด็ก -Add Column,เพิ่มคอลัมน์ -Add Message,เพิ่มข้อความ -Add Reply,เพิ่มตอบ Add Serial No,เพิ่ม หมายเลขเครื่อง Add Taxes,เพิ่ม ภาษี Add Taxes and Charges,เพิ่ม ภาษี และ ค่าใช้จ่าย -Add This To User's Restrictions,เพิ่ม นี้กับ ข้อ จำกัด ใน การใช้งาน -Add attachment,เพิ่มสิ่งที่แนบมา -Add new row,เพิ่มแถวใหม่ Add or Deduct,เพิ่มหรือหัก Add rows to set annual budgets on Accounts.,เพิ่มแถวตั้งงบประมาณประจำปีเกี่ยวกับบัญชี Add to Cart,ใส่ในรถเข็น -Add to To Do,เพิ่มสิ่งที่ต้องทำ -Add to To Do List of,เพิ่มไป To Do List ของ Add to calendar on this date,เพิ่ม ปฏิทิน ในวัน นี้ Add/Remove Recipients,Add / Remove ผู้รับ Address,ที่อยู่ @@ -220,9 +206,6 @@ Allow user to edit Price List Rate in transactions,ช่วยให้ผู Allowance Percent,ร้อยละค่าเผื่อ Allowance for over-delivery / over-billing crossed for Item {0},ค่าเผื่อการ ไป จัดส่ง / กว่า การเรียกเก็บเงิน ข้าม กับ รายการ {0} Allowed Role to Edit Entries Before Frozen Date,บทบาท ได้รับอนุญาตให้ แก้ไข คอมเมนต์ ก่อน วันที่ แช่แข็ง -"Allowing DocType, DocType. Be careful!","ช่วยให้ DocType , DocType ระวัง !" -Alternative download link,ลิงค์ดาวน์โหลด ทางเลือก -Amend,แก้ไข Amended From,แก้ไขเพิ่มเติม Amount,จำนวน Amount (Company Currency),จำนวนเงิน (สกุลเงิน บริษัท ) @@ -270,26 +253,18 @@ Approving User,อนุมัติผู้ใช้ Approving User cannot be same as user the rule is Applicable To,อนุมัติ ผู้ใช้ ไม่สามารถเป็น เช่นเดียวกับ ผู้ ปกครองใช้กับ Are you sure you want to STOP , Are you sure you want to UNSTOP , -Are you sure you want to delete the attachment?,คุณแน่ใจหรือว่าต้องการลบสิ่งที่แนบมา? Arrear Amount,จำนวน Arrear "As Production Order can be made for this item, it must be a stock item.",ในขณะที่ การผลิต สามารถสั่ง ทำ สำหรับรายการ นี้จะต้อง เป็นรายการ สต็อก As per Stock UOM,เป็นต่อสต็อก UOM "As there are existing stock transactions for this item, you can not change the values of 'Has Serial No', 'Is Stock Item' and 'Valuation Method'","เนื่องจากมี การทำธุรกรรม หุ้น ที่มีอยู่ สำหรับรายการนี้ คุณจะไม่สามารถ เปลี่ยนค่า ของ 'มี ซีเรียล ไม่', ' เป็น รายการ สินค้า ' และ ' วิธี การประเมิน '" -Ascending,Ascending Asset,สินทรัพย์ -Assign To,กำหนดให้ -Assigned To,มอบหมายให้ -Assignments,ที่ได้รับมอบหมาย Assistant,ผู้ช่วย Associate,ภาคี Atleast one warehouse is mandatory,อย่างน้อยหนึ่งคลังสินค้ามีผลบังคับใช้ -Attach Document Print,แนบเอกสารพิมพ์ Attach Image,แนบ ภาพ Attach Letterhead,แนบ จดหมาย Attach Logo,แนบ โลโก้ Attach Your Picture,แนบ รูปของคุณ -Attach as web link,แนบ เป็นลิงค์ เว็บ -Attachments,สิ่งที่แนบมา Attendance,การดูแลรักษา Attendance Date,วันที่เข้าร่วม Attendance Details,รายละเอียดการเข้าร่วมประชุม @@ -402,7 +377,6 @@ Block leave applications by department.,ปิดกั้นการใช้ Blog Post,โพสต์บล็อก Blog Subscriber,สมาชิกบล็อก Blood Group,กรุ๊ปเลือด -Bookmarks,ที่คั่นหน้า Both Warehouse must belong to same Company,ทั้ง คลังสินค้า ต้องอยู่ใน บริษัท เดียวกัน Box,กล่อง Branch,สาขา @@ -437,7 +411,6 @@ C-Form No,C-Form ไม่มี C-Form records,C- บันทึก แบบฟอร์ม Calculate Based On,การคำนวณพื้นฐานตาม Calculate Total Score,คำนวณคะแนนรวม -Calendar,ปฏิทิน Calendar Events,ปฏิทินเหตุการณ์ Call,โทรศัพท์ Calls,โทร @@ -450,7 +423,6 @@ Can be approved by {0},สามารถ ได้รับการอนุ "Can not filter based on Account, if grouped by Account",ไม่สามารถกรอง ตาม บัญชี ถ้า จัดกลุ่มตาม บัญชี "Can not filter based on Voucher No, if grouped by Voucher",ไม่สามารถกรอง ตาม คูปอง ไม่ ถ้า จัดกลุ่มตาม คูปอง Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',สามารถดู แถว เฉพาะในกรณีที่ ค่าใช้จ่าย ประเภทคือ ใน แถว หน้า จำนวน 'หรือ' แล้ว แถว รวม -Cancel,ยกเลิก Cancel Material Visit {0} before cancelling this Customer Issue,ยกเลิก วัสดุ เยี่ยมชม {0} ก่อนที่จะ ยกเลิกการ ออก ของลูกค้า นี้ Cancel Material Visits {0} before cancelling this Maintenance Visit,ยกเลิก การเข้าชม วัสดุ {0} ก่อนที่จะ ยกเลิก การบำรุงรักษา นี้ เยี่ยมชม Cancelled,ยกเลิก @@ -469,11 +441,7 @@ Cannot deactive or cancle BOM as it is linked with other BOMs,ไม่สาม Cannot deduct when category is for 'Valuation' or 'Valuation and Total',ไม่ สามารถหัก เมื่อ เป็น หมวดหมู่ สำหรับ ' ประเมิน ' หรือ ' การประเมิน และการ รวม "Cannot delete Serial No {0} in stock. First remove from stock, then delete.",ไม่สามารถลบ หมายเลขเครื่อง {0} ในสต็อก ครั้งแรกที่ ออกจาก สต็อก แล้วลบ "Cannot directly set amount. For 'Actual' charge type, use the rate field",ไม่สามารถกำหนด โดยตรง จำนวน สำหรับ ' จริง ' ประเภท ค่าใช้จ่าย ด้านการ ใช้ อัตรา -Cannot edit standard fields,ไม่สามารถแก้ไข เขตข้อมูลมาตรฐาน -Cannot open instance when its {0} is open,ไม่สามารถเปิด เช่นเมื่อ มัน {0} เปิด -Cannot open {0} when its instance is open,ไม่สามารถเปิด {0} เมื่อ ตัวอย่าง ที่ เปิดให้บริการ "Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in 'Setup' > 'Global Defaults'",ไม่สามารถ overbill กับ รายการ {0} ในแถว {0} มากกว่า {1} เพื่อให้ overbilling โปรดตั้ง ใน ' ติดตั้ง ' > ' ค่าเริ่มต้น ทั่วโลก ' -Cannot print cancelled documents,ไม่สามารถพิมพ์ เอกสารที่ ยกเลิก Cannot produce more Item {0} than Sales Order quantity {1},ไม่สามารถผลิต สินค้า ได้มากขึ้น {0} กว่าปริมาณ การขายสินค้า {1} Cannot refer row number greater than or equal to current row number for this Charge type,ไม่ สามารถดู จำนวน แถว มากกว่าหรือ เท่ากับจำนวน แถวปัจจุบัน ค่าใช้จ่าย สำหรับประเภท นี้ Cannot return more than {0} for Item {1},ไม่สามารถกลับ มากขึ้นกว่า {0} กับ รายการ {1} @@ -527,19 +495,14 @@ Claim Amount,จำนวนการเรียกร้อง Claims for company expense.,การเรียกร้องค่าใช้จ่ายของ บริษัท Class / Percentage,ระดับ / ร้อยละ Classic,คลาสสิก -Clear Cache,ล้างข้อมูลแคช Clear Table,ตารางที่ชัดเจน Clearance Date,วันที่กวาดล้าง Clearance Date not mentioned,โปรโมชั่น วันที่ ไม่ได้กล่าวถึง Clearance date cannot be before check date in row {0},วันที่ โปรโมชั่น ไม่สามารถเป็น ก่อนวันที่ เช็คอิน แถว {0} Click on 'Make Sales Invoice' button to create a new Sales Invoice.,คลิกที่ 'ให้ขายใบแจ้งหนี้' เพื่อสร้างใบแจ้งหนี้การขายใหม่ Click on a link to get options to expand get options , -Click on row to view / edit.,คลิกที่ แถว เพื่อดู / แก้ไข -Click to Expand / Collapse,คลิกที่นี่เพื่อขยาย / ยุบ Client,ลูกค้า -Close,ปิด Close Balance Sheet and book Profit or Loss.,ปิด งบดุล และงบกำไร ขาดทุน หรือ หนังสือ -Close: {0},ปิด : {0} Closed,ปิด Closing Account Head,ปิดหัวบัญชี Closing Account {0} must be of type 'Liability',ปิด บัญชี {0} ต้องเป็นชนิด ' รับผิด ' @@ -550,10 +513,8 @@ Closing Value,มูลค่า การปิด CoA Help,ช่วยเหลือ CoA Code,รหัส Cold Calling,โทรเย็น -Collapse,ล่มสลาย Color,สี Comma separated list of email addresses,รายการที่คั่นด้วยจุลภาคของที่อยู่อีเมล -Comment,ความเห็น Comments,ความเห็น Commercial,เชิงพาณิชย์ Commission,ค่านายหน้า @@ -564,7 +525,6 @@ Commission rate cannot be greater than 100,อัตราค่านายห Communication,การสื่อสาร Communication HTML,HTML การสื่อสาร Communication History,สื่อสาร -Communication Medium,กลางการสื่อสาร Communication log.,บันทึกการสื่อสาร Communications,คมนาคม Company,บริษัท @@ -583,7 +543,6 @@ Company registration numbers for your reference. Tax numbers etc.,เลขท "Company, Month and Fiscal Year is mandatory",บริษัท เดือน และ ปีงบประมาณ มีผลบังคับใช้ Compensatory Off,ชดเชย ปิด Complete,สมบูรณ์ -Complete By,เสร็จสมบูรณ์โดย Complete Setup,การติดตั้ง เสร็จสมบูรณ์ Completed,เสร็จ Completed Production Orders,เสร็จสิ้นการ สั่งซื้อ การผลิต @@ -635,7 +594,6 @@ Convert into Recurring Invoice,แปลงเป็นใบแจ้งหน Convert to Group,แปลงเป็น กลุ่ม Convert to Ledger,แปลงเป็น บัญชีแยกประเภท Converted,แปลง -Copy,คัดลอก Copy From Item Group,คัดลอกจากกลุ่มสินค้า Cosmetics,เครื่องสำอาง Cost Center,ศูนย์ต้นทุน @@ -666,7 +624,6 @@ Create Stock Ledger Entries when you submit a Sales Invoice,สร้างร Create rules to restrict transactions based on values.,สร้างกฎ เพื่อ จำกัด การ ทำธุรกรรม ตามค่า Created By,สร้างโดย Creates salary slip for above mentioned criteria.,สร้างสลิปเงินเดือนสำหรับเกณฑ์ดังกล่าวข้างต้น -Creation / Modified By,การสร้าง / การ ปรับเปลี่ยนโดย Creation Date,วันที่สร้าง Creation Document No,การสร้าง เอกสาร ไม่มี Creation Document Type,ประเภท การสร้าง เอกสาร @@ -697,11 +654,9 @@ Current Liabilities,หนี้สินหมุนเวียน Current Stock,สต็อกปัจจุบัน Current Stock UOM,UOM ต็อกสินค้าปัจจุบัน Current Value,ค่าปัจจุบัน -Current status,สถานะปัจจุบัน Custom,ประเพณี Custom Autoreply Message,ข้อความตอบกลับอัตโนมัติที่กำหนดเอง Custom Message,ข้อความที่กำหนดเอง -Custom Reports,รายงานที่กำหนดเอง Customer,ลูกค้า Customer (Receivable) Account,บัญชีลูกค้า (ลูกหนี้) Customer / Item Name,ชื่อลูกค้า / รายการ @@ -750,7 +705,6 @@ Date Format,รูปแบบวันที่ Date Of Retirement,วันที่ของการเกษียณอายุ Date Of Retirement must be greater than Date of Joining,วันที่ ของ การเกษียณอายุ ต้องมากกว่า วันที่ เข้าร่วม Date is repeated,วันที่ซ้ำแล้วซ้ำอีก -Date must be in format: {0},วันที่ จะต้องอยู่ใน รูปแบบ : {0} Date of Birth,วันเกิด Date of Issue,วันที่ออก Date of Joining,วันที่ของการเข้าร่วม @@ -761,7 +715,6 @@ Dates,วันที่ Days Since Last Order,ตั้งแต่ วันที่ สั่งซื้อ ล่าสุด Days for which Holidays are blocked for this department.,วันที่วันหยุดจะถูกบล็อกสำหรับแผนกนี้ Dealer,เจ้ามือ -Dear,น่ารัก Debit,หักบัญชี Debit Amt,จำนวนบัตรเดบิต Debit Note,หมายเหตุเดบิต @@ -809,7 +762,6 @@ Default settings for stock transactions.,ตั้งค่าเริ่มต Defense,ฝ่ายจำเลย "Define Budget for this Cost Center. To set budget action, see Company Master","กำหนดงบประมาณสำหรับศูนย์ต้นทุนนี้ เพื่อตั้งกระทำงบประมาณเห็น บริษัท มาสเตอร์" Delete,ลบ -Delete Row,ลบแถว Delete {0} {1}?,ลบ {0} {1}? Delivered,ส่ง Delivered Items To Be Billed,รายการที่ส่งไปถูกเรียกเก็บเงิน @@ -836,7 +788,6 @@ Department,แผนก Department Stores,ห้างสรรพสินค้า Depends on LWP,ขึ้นอยู่กับ LWP Depreciation,ค่าเสื่อมราคา -Descending,น้อย Description,ลักษณะ Description HTML,HTML รายละเอียด Designation,การแต่งตั้ง @@ -881,15 +832,10 @@ Do you really want to stop production order: , Doc Name,ชื่อหมอ Doc Type,ประเภท Doc Document Description,คำอธิบายเอกสาร -Document Status transition from ,การเปลี่ยนแปลงสถานะเอกสารจาก -Document Status transition from {0} to {1} is not allowed,การเปลี่ยนแปลง สถานะ เอกสารจาก {0} เป็น {1} ไม่ได้รับอนุญาต Document Type,ประเภทเอกสาร -Document is only editable by users of role,เอกสารเป็นเพียงแก้ไขได้โดยผู้ใช้ของบทบาท -Documentation,เอกสาร Documents,เอกสาร Domain,โดเมน Don't send Employee Birthday Reminders,อย่าส่ง พนักงาน เตือนวันเกิด -Download,ดาวน์โหลด Download Materials Required,ดาวน์โหลดวัสดุที่จำเป็น Download Reconcilation Data,ดาวน์โหลด Reconcilation ข้อมูล Download Template,ดาวน์โหลดแม่แบบ @@ -898,8 +844,6 @@ Download a report containing all raw materials with their latest inventory statu "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",ดาวน์โหลด แม่แบบกรอก ข้อมูลที่เหมาะสม และแนบ ไฟล์ ที่มีการแก้ไข . \ nAll วัน และการรวมกัน ของพนักงาน ใน ระยะเวลาที่เลือกจะมาใน แบบ ที่มีการ บันทึกการเข้าร่วม ที่มีอยู่ Draft,ร่าง -Drafts,ร่าง -Drag to sort columns,ลากเพื่อเรียงลำดับคอลัมน์ Dropbox,Dropbox Dropbox Access Allowed,Dropbox เข็น Dropbox Access Key,ที่สำคัญในการเข้าถึง Dropbox @@ -920,7 +864,6 @@ Earning & Deduction,รายได้และการหัก Earning Type,รายได้ประเภท Earning1,Earning1 Edit,แก้ไข -Editable,ที่สามารถแก้ไขได้ Education,การศึกษา Educational Qualification,วุฒิการศึกษา Educational Qualification Details,รายละเอียดคุ​​ณสมบัติการศึกษา @@ -940,12 +883,9 @@ Email Id,Email รหัส "Email Id where a job applicant will email e.g. ""jobs@example.com""",Email รหัสที่ผู้สมัครงานจะส่งอีเมลถึง "jobs@example.com" เช่น Email Notifications,การแจ้งเตือน ทางอีเมล์ Email Sent?,อีเมลที่ส่ง? -"Email addresses, separted by commas","ที่อยู่อีเมล, separted ด้วยเครื่องหมายจุลภาค" "Email id must be unique, already exists for {0}",id อีเมล ต้องไม่ซ้ำกัน อยู่ แล้วสำหรับ {0} Email ids separated by commas.,รหัสอีเมลคั่นด้วยเครื่องหมายจุลภาค -Email sent to {0},อีเมล์ ส่งไปที่ {0} "Email settings to extract Leads from sales email id e.g. ""sales@example.com""",การตั้งค่าอีเมลที่จะดึงนำมาจากอีเมล์ ID เช่นยอดขาย "sales@example.com" -Email...,อีเมล์ ... Emergency Contact,ติดต่อฉุกเฉิน Emergency Contact Details,รายละเอียดการติดต่อในกรณีฉุกเฉิน Emergency Phone,โทรศัพท์ ฉุกเฉิน @@ -984,7 +924,6 @@ End date of current invoice's period,วันที่สิ้นสุดข End of Life,ในตอนท้ายของชีวิต Energy,พลังงาน Engineer,วิศวกร -Enter Value,ใส่ ความคุ้มค่า Enter Verification Code,ใส่รหัสยืนยัน Enter campaign name if the source of lead is campaign.,ป้อนชื่อแคมเปญหากแหล่งที่มาของสารตะกั่วเป็นแคมเปญ Enter department to which this Contact belongs,ใส่แผนกที่ติดต่อนี้เป็นของ @@ -1002,7 +941,6 @@ Entries,คอมเมนต์ Entries against,คอมเมนต์ กับ Entries are not allowed against this Fiscal Year if the year is closed.,คอมเมนต์ไม่ได้รับอนุญาตกับปีงบประมาณนี้หากที่ปิดปี Entries before {0} are frozen,คอมเมนต์ ก่อนที่ {0} ถูกแช่แข็ง -Equals,เท่ากับ Equity,ความเสมอภาค Error: {0} > {1},ข้อผิดพลาด: {0}> {1} Estimated Material Cost,ต้นทุนวัสดุประมาณ @@ -1019,7 +957,6 @@ Exhibition,งานมหกรรม Existing Customer,ลูกค้าที่มีอยู่ Exit,ทางออก Exit Interview Details,ออกจากรายละเอียดการสัมภาษณ์ -Expand,ขยายความ Expected,ที่คาดหวัง Expected Completion Date can not be less than Project Start Date,วันที่ แล้วเสร็จ คาดว่าจะ ต้องไม่น้อย กว่า วันที่ เริ่มโครงการ Expected Date cannot be before Material Request Date,วันที่ คาดว่าจะ ไม่สามารถเป็น วัสดุ ก่อนที่จะ ขอ วันที่ @@ -1052,8 +989,6 @@ Expenses Booked,ค่าใช้จ่ายใน Booked Expenses Included In Valuation,ค่าใช้จ่ายรวมอยู่ในการประเมินมูลค่า Expenses booked for the digest period,ค่าใช้จ่ายสำหรับการจองช่วงเวลาที่สำคัญ Expiry Date,วันหมดอายุ -Export,ส่งออก -Export not allowed. You need {0} role to export.,ส่งออก ไม่ได้รับอนุญาต คุณต้อง {0} บทบาท ในการส่งออก Exports,การส่งออก External,ภายนอก Extract Emails,สารสกัดจากอีเมล @@ -1068,11 +1003,8 @@ Feedback,ข้อเสนอแนะ Female,หญิง Fetch exploded BOM (including sub-assemblies),เรียก BOM ระเบิด (รวมถึงการ ประกอบย่อย ) "Field available in Delivery Note, Quotation, Sales Invoice, Sales Order","สนามที่มีอยู่ในหมายเหตุส่งใบเสนอราคา, ใบแจ้งหนี้การขาย, การสั่งซื้อการขาย" -Field {0} is not selectable.,สนาม {0} ไม่ได้ เลือก -File,ไฟล์ Files Folder ID,ไฟล์ ID โฟลเดอร์ Fill the form and save it,กรอกแบบฟอร์ม และบันทึกไว้ -Filter,กรอง Filter based on customer,กรองขึ้นอยู่กับลูกค้า Filter based on item,กรองขึ้นอยู่กับสินค้า Financial / accounting year.,การเงิน รอบปีบัญชี / @@ -1101,14 +1033,10 @@ For Server Side Print Formats,สำหรับเซิร์ฟเวอร For Supplier,สำหรับ ผู้ผลิต For Warehouse,สำหรับโกดัง For Warehouse is required before Submit,สำหรับ คลังสินค้า จะต้อง ก่อนที่จะ ส่ง -"For comparative filters, start with",สำหรับตัวกรองเปรียบเทียบเริ่มต้นด้วย "For e.g. 2012, 2012-13","สำหรับเช่น 2012, 2012-13" -For ranges,สำหรับช่วง For reference,สำหรับการอ้างอิง For reference only.,สำหรับการอ้างอิงเท่านั้น "For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes",เพื่อความสะดวกของลูกค้ารหัสเหล่านี้สามารถนำมาใช้ในรูปแบบที่พิมพ์เช่นใบแจ้งหนี้และนำส่งสินค้า -Form,ฟอร์ม -Forums,ฟอรั่ม Fraction,เศษ Fraction Units,หน่วยเศษ Freeze Stock Entries,ตรึงคอมเมนต์สินค้า @@ -1161,12 +1089,10 @@ Generate Material Requests (MRP) and Production Orders.,สร้างคำข Generate Salary Slips,สร้าง Slips เงินเดือน Generate Schedule,สร้างตาราง Generates HTML to include selected image in the description,สร้าง HTM​​L ที่จะรวมภาพที่เลือกไว้ในคำอธิบาย -Get,ได้รับ Get Advances Paid,รับเงินทดรองจ่าย Get Advances Received,รับเงินรับล่วงหน้า Get Against Entries,คอมเมนต์ ได้รับการ ต่อต้าน Get Current Stock,รับสินค้าปัจจุบัน -Get From ,ได้รับจาก Get Items,รับสินค้า Get Items From Sales Orders,รับรายการจากคำสั่งซื้อขาย Get Items from BOM,รับสินค้า จาก BOM @@ -1194,8 +1120,6 @@ Government,รัฐบาล Graduate,จบการศึกษา Grand Total,รวมทั้งสิ้น Grand Total (Company Currency),แกรนด์รวม (สกุลเงิน บริษัท ) -Greater or equals,ที่มากกว่าหรือ เท่ากับ -Greater than,ที่ยิ่งใหญ่กว่า "Grid ""","ตาราง """ Grocery,ร้านขายของชำ Gross Margin %,อัตรากำไรขั้นต้น% @@ -1207,7 +1131,6 @@ Gross Profit (%),กำไรขั้นต้น (%) Gross Weight,น้ำหนักรวม Gross Weight UOM,UOM น้ำหนักรวม Group,กลุ่ม -"Group Added, refreshing...",กลุ่ม เพิ่ม สดชื่น ... Group by Account,โดย กลุ่ม บัญชี Group by Voucher,กลุ่ม โดย คูปอง Group or Ledger,กลุ่มหรือบัญชีแยกประเภท @@ -1229,14 +1152,12 @@ Health Care,การดูแลสุขภาพ Health Concerns,ความกังวลเรื่องสุขภาพ Health Details,รายละเอียดสุขภาพ Held On,จัดขึ้นเมื่อวันที่ -Help,ช่วย Help HTML,วิธีใช้ HTML "Help: To link to another record in the system, use ""#Form/Note/[Note Name]"" as the Link URL. (don't use ""http://"")",ช่วยเหลือ: ต้องการเชื่อมโยงไปบันทึกในระบบอื่นใช้ "แบบฟอร์ม # / หมายเหตุ / [ชื่อ] หมายเหตุ" เป็น URL ลิ้งค์ (ไม่ต้องใช้ "http://") "Here you can maintain family details like name and occupation of parent, spouse and children",ที่นี่คุณสามารถรักษารายละเอียดเช่นชื่อครอบครัวและอาชีพของผู้ปกครองคู่สมรสและเด็ก "Here you can maintain height, weight, allergies, medical concerns etc","ที่นี่คุณสามารถรักษาความสูงน้ำหนัก, ภูมิแพ้, ฯลฯ ปัญหาด้านการแพทย์" Hide Currency Symbol,ซ่อนสัญลักษณ์สกุลเงิน High,สูง -History,ประวัติศาสตร์ History In Company,ประวัติใน บริษัท Hold,ถือ Holiday,วันหยุด @@ -1281,17 +1202,14 @@ If you have Sales Team and Sale Partners (Channel Partners) they can be tagged If you involve in manufacturing activity. Enables Item 'Is Manufactured',หากคุณ มีส่วนร่วมใน กิจกรรมการผลิต ช่วยให้ รายการ ' เป็นผลิตภัณฑ์ที่ผลิต ' Ignore,ไม่สนใจ Ignored: ,ละเว้น: -"Ignoring Item {0}, because a group exists with the same name!",ไม่สนใจ รายการ {0} เพราะ กลุ่ม ที่มีอยู่ ที่มีชื่อ เดียวกัน Image,ภาพ Image View,ดูภาพ Implementation Partner,พันธมิตรการดำเนินงาน -Import,นำเข้า Import Attendance,การเข้าร่วมประชุมและนำเข้า Import Failed!,นำเข้า ล้มเหลว Import Log,นำเข้าสู่ระบบ Import Successful!,นำ ที่ประสบความสำเร็จ Imports,การนำเข้า -In,ใน In Hours,ในชั่วโมง In Process,ในกระบวนการ In Qty,ใน จำนวน @@ -1306,7 +1224,6 @@ In Words will be visible once you save the Purchase Receipt.,ในคำพู In Words will be visible once you save the Quotation.,ในคำพูดของจะสามารถมองเห็นได้เมื่อคุณบันทึกใบเสนอราคา In Words will be visible once you save the Sales Invoice.,ในคำพูดของจะสามารถมองเห็นได้เมื่อคุณบันทึกใบแจ้งหนี้การขาย In Words will be visible once you save the Sales Order.,ในคำพูดของจะสามารถมองเห็นได้เมื่อคุณบันทึกการสั่งซื้อการขาย -In response to,ในการตอบสนองต่อ Incentives,แรงจูงใจ Include Reconciled Entries,รวมถึง คอมเมนต์ Reconciled Include holidays in Total no. of Working Days,รวมถึงวันหยุดในไม่รวม ของวันทําการ @@ -1327,8 +1244,6 @@ Indirect Income,รายได้ ทางอ้อม Individual,บุคคล Industry,อุตสาหกรรม Industry Type,ประเภทอุตสาหกรรม -Insert Below,ใส่ด้านล่าง -Insert Row,ใส่แถวของ Inspected By,การตรวจสอบโดย Inspection Criteria,เกณฑ์การตรวจสอบ Inspection Required,การตรวจสอบที่จำเป็น @@ -1350,8 +1265,6 @@ Internal,ภายใน Internet Publishing,สำนักพิมพ์ ทางอินเทอร์เน็ต Introduction,การแนะนำ Invalid Barcode or Serial No,บาร์โค้ด ที่ไม่ถูกต้อง หรือ ไม่มี Serial -Invalid Email: {0},อีเมล์ ไม่ถูกต้อง: {0} -Invalid Filter: {0},กรอง ที่ไม่ถูกต้อง : {0} Invalid Mail Server. Please rectify and try again.,เซิร์ฟเวอร์ของจดหมายที่ ไม่ถูกต้อง กรุณา แก้ไข และลองอีกครั้ง Invalid Master Name,ชื่อ ปริญญาโท ที่ไม่ถูกต้อง Invalid User Name or Support Password. Please rectify and try again.,ชื่อผู้ใช้งาน ที่ไม่ถูกต้อง หรือ การสนับสนุน ผ่าน กรุณา แก้ไข และลองอีกครั้ง @@ -1516,7 +1429,6 @@ Landed Cost updated successfully,ต้นทุน ที่ดิน การ Language,ภาษา Last Name,นามสกุล Last Purchase Rate,อัตราซื้อล่าสุด -Last updated by,ปรับปรุง ครั้งล่าสุดโดย Latest,ล่าสุด Lead,นำ Lead Details,นำรายละเอียด @@ -1566,24 +1478,17 @@ Ledgers,บัญชีแยกประเภท Left,ซ้าย Legal,ถูกกฎหมาย Legal Expenses,ค่าใช้จ่าย ทางกฎหมาย -Less or equals,น้อยกว่าหรือ เท่ากับ -Less than,น้อยกว่า Letter Head,หัวจดหมาย Letter Heads for print templates.,หัว จดหมาย สำหรับการพิมพ์ แม่แบบ Level,ชั้น Lft,lft Liability,ความรับผิดชอบ -Like,เช่น -Linked With,เชื่อมโยงกับ -List,รายการ List a few of your customers. They could be organizations or individuals.,รายการ บางส่วนของ ลูกค้าของคุณ พวกเขาจะเป็น องค์กร หรือบุคคล List a few of your suppliers. They could be organizations or individuals.,รายการ บางส่วนของ ซัพพลายเออร์ ของคุณ พวกเขาจะเป็น องค์กร หรือบุคคล List items that form the package.,รายการที่สร้างแพคเกจ List this Item in multiple groups on the website.,รายการนี​​้ในหลายกลุ่มในเว็บไซต์ "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 your tax heads (e.g. VAT, Excise; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.",หัว รายการ ภาษีของคุณ (เช่น ภาษีมูลค่าเพิ่ม สรรพสามิต ; พวกเขาควรจะ มีชื่อ ไม่ซ้ำกัน ) และอัตรา มาตรฐาน ของพวกเขา -Loading,โหลด -Loading Report,โหลดรายงาน Loading...,กำลังโหลด ... Loans (Liabilities),เงินให้กู้ยืม ( หนี้สิน ) Loans and Advances (Assets),เงินให้กู้ยืม และ เงินทดรอง ( สินทรัพย์ ) @@ -1591,7 +1496,6 @@ Local,ในประเทศ Login with your new User ID,เข้าสู่ระบบด้วย ชื่อผู้ใช้ ใหม่ของคุณ Logo,เครื่องหมาย Logo and Letter Heads,โลโก้และ หัว จดหมาย -Logout,ออกจากระบบ Lost,สูญหาย Lost Reason,เหตุผลที่หายไป Low,ต่ำ @@ -1642,7 +1546,6 @@ Make Salary Structure,ทำให้ โครงสร้าง เงิน Make Sales Invoice,ทำให้การ ขายใบแจ้งหนี้ Make Sales Order,ทำให้ การขายสินค้า Make Supplier Quotation,ทำ ใบเสนอราคา ของผู้ผลิต -Make a new,ทำให้ใหม่ Male,ชาย Manage Customer Group Tree.,จัดการ กลุ่ม ลูกค้า ต้นไม้ Manage Sales Person Tree.,จัดการ คนขาย ต้นไม้ @@ -1650,8 +1553,6 @@ Manage Territory Tree.,จัดการ ต้นไม้ มณฑล Manage cost of operations,จัดการค่าใช้จ่ายในการดำเนินงาน Management,การจัดการ Manager,ผู้จัดการ -Mandatory fields required in {0},เขตข้อมูล ที่จำเป็นในการ บังคับ {0} -Mandatory filters required:\n,กรอง ต้อง บังคับ : \ n "Mandatory if Stock Item is ""Yes"". Also the default warehouse where reserved quantity is set from Sales Order.",บังคับรายการสินค้าหากคือ "ใช่" ยังคลังสินค้าเริ่มต้นที่ปริมาณสำรองจะถูกตั้งค่าจากการสั่งซื้อการขาย Manufacture against Sales Order,การผลิตกับการสั่งซื้อการขาย Manufacture/Repack,การผลิต / Repack @@ -1722,13 +1623,11 @@ Minute,นาที Misc Details,รายละเอียดอื่น ๆ Miscellaneous Expenses,ค่าใช้จ่าย เบ็ดเตล็ด Miscelleneous,เบ็ดเตล็ด -Missing Values Required,ค่านิยม ที่จำเป็น ขาดหายไป Mobile No,มือถือไม่มี Mobile No.,เบอร์มือถือ Mode of Payment,โหมดของการชำระเงิน Modern,ทันสมัย Modified Amount,จำนวนการแก้ไข -Modified by,ดัดแปลงโดย Monday,วันจันทร์ Month,เดือน Monthly,รายเดือน @@ -1736,12 +1635,9 @@ Monthly Attendance Sheet,แผ่นผู้เข้าร่วมราย Monthly Earning & Deduction,กำไรสุทธิรายเดือนและหัก Monthly Salary Register,สมัครสมาชิกเงินเดือน Monthly salary statement.,งบเงินเดือน -More,ขึ้น More Details,รายละเอียดเพิ่มเติม More Info,ข้อมูลเพิ่มเติม Motion Picture & Video,ภาพยนตร์ และวิดีโอ -Move Down: {0},ย้ายลง : {0} -Move Up: {0},Move Up : {0} Moving Average,ค่าเฉลี่ยเคลื่อนที่ Moving Average Rate,ย้ายอัตราเฉลี่ย Mr,นาย @@ -1751,12 +1647,9 @@ Multiple Item prices.,ราคา หลายรายการ conflict by assigning priority. Price Rules: {0}",ราคา หลาย กฎ ที่มีอยู่ ด้วย เกณฑ์ เดียวกัน กรุณา แก้ไข \ \ n ความขัดแย้ง โดยการกำหนด ลำดับความสำคัญ Music,เพลง Must be Whole Number,ต้องเป็นจำนวนเต็ม -My Settings,การตั้งค่าของฉัน Name,ชื่อ Name and Description,ชื่อและรายละเอียด Name and Employee ID,ชื่อและลูกจ้าง ID -Name is required,ชื่อจะต้อง -Name not permitted,ชื่อ ไม่ได้รับอนุญาต "Name of new Account. Note: Please don't create accounts for Customers and Suppliers, they are created automatically from the Customer and Supplier master",ชื่อของ บัญชี ใหม่ หมายเหตุ : โปรดอย่าสร้าง บัญชี สำหรับลูกค้า และ ซัพพลายเออร์ ของพวกเขาจะ สร้างขึ้นโดยอัตโนมัติ จาก ลูกค้าและ ซัพพลายเออร์ หลัก Name of person or organization that this address belongs to.,ชื่อบุคคลหรือองค์กรที่อยู่นี้เป็นของ Name of the Budget Distribution,ชื่อของการกระจายงบประมาณ @@ -1774,7 +1667,6 @@ Net Weight UOM,UOM น้ำหนักสุทธิ Net Weight of each Item,น้ำหนักสุทธิของแต่ละรายการ Net pay cannot be negative,จ่ายสุทธิ ไม่สามารถ ลบ Never,ไม่เคย -New,ใหม่ New , New Account,บัญชีผู้ใช้ใหม่ New Account Name,ชื่อ บัญชีผู้ใช้ใหม่ @@ -1794,7 +1686,6 @@ New Projects,โครงการใหม่ New Purchase Orders,สั่งซื้อใหม่ New Purchase Receipts,รายรับซื้อใหม่ New Quotations,ใบเสนอราคาใหม่ -New Record,การบันทึกใหม่ New Sales Orders,คำสั่งขายใหม่ New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,ใหม่ หมายเลขเครื่อง ไม่สามารถมี คลังสินค้า คลังสินค้า จะต้องตั้งค่า โดย สต็อก รายการ หรือ รับซื้อ New Stock Entries,คอมเมนต์สต็อกใหม่ @@ -1816,11 +1707,8 @@ Next,ต่อไป Next Contact By,ติดต่อถัดไป Next Contact Date,วันที่ถัดไปติดต่อ Next Date,วันที่ถัดไป -Next Record,ระเบียนถัดไป -Next actions,ดำเนินการต่อไป Next email will be sent on:,อีเมล์ถัดไปจะถูกส่งเมื่อ: No,ไม่ -No Communication tagged with this ,การสื่อสารที่มีแท็กนี้ No Customer Accounts found.,ไม่มี บัญชีลูกค้า พบ No Customer or Supplier Accounts found,ไม่มี ลูกค้า หรือ ผู้ผลิต พบ บัญชี No Expense Approvers. Please assign 'Expense Approver' Role to atleast one user,ไม่มี ค่าใช้จ่าย ผู้อนุมัติ กรุณากำหนด ' อนุมัติ ค่าใช้จ่าย ' บทบาท ให้กับผู้ใช้ อย่างน้อย หนึ่ง @@ -1830,48 +1718,31 @@ No Items to pack,ไม่มี รายการ ที่จะแพ็ค No Leave Approvers. Please assign 'Leave Approver' Role to atleast one user,ไม่ ปล่อยให้ ผู้อนุมัติ กรุณากำหนด บทบาท ' ออก อนุมัติ ' ให้กับผู้ใช้ อย่างน้อย หนึ่ง No Permission,ไม่ได้รับอนุญาต No Production Orders created,ไม่มี ใบสั่ง ผลิต สร้างขึ้น -No Report Loaded. Please use query-report/[Report Name] to run a report.,รายงาน Loaded ไม่มี กรุณาใช้แบบสอบถามรายงาน / [ชื่อรายงาน] เพื่อเรียกใช้รายงาน -No Results,ไม่มี ผล No Supplier Accounts found. Supplier Accounts are identified based on 'Master Type' value in account record.,ไม่มี บัญชี ผู้ผลิต พบว่า บัญชี ผู้จัดจำหน่าย จะมีการระบุ ขึ้นอยู่กับ 'ประเภท โท ค่าใน การบันทึก บัญชี No accounting entries for the following warehouses,ไม่มี รายการบัญชี สำหรับคลังสินค้า ดังต่อไปนี้ No addresses created,ไม่มี ที่อยู่ ที่สร้างขึ้น No contacts created,ไม่มี รายชื่อ ที่สร้างขึ้น No default BOM exists for Item {0},ไม่มี BOM เริ่มต้น แล้วสำหรับ รายการ {0} No description given,ให้ คำอธิบาย -No document selected,เอกสาร ที่เลือก ไม่มี No employee found,พบว่า พนักงานที่ ไม่มี No employee found!,พนักงาน ไม่พบ ! No of Requested SMS,ไม่มีของ SMS ขอ No of Sent SMS,ไม่มี SMS ที่ส่ง No of Visits,ไม่มีการเข้าชม -No one,ไม่มีใคร No permission,ไม่อนุญาต -No permission to '{0}' {1},ไม่ อนุญาตให้ ' {0} ' {1} -No permission to edit,ได้รับอนุญาตให้ แก้ไข ไม่ No record found,บันทึกไม่พบ -No records tagged.,ระเบียนที่ไม่มีการติดแท็ก No salary slip found for month: ,สลิปเงินเดือนไม่พบคำที่เดือน: Non Profit,องค์กรไม่แสวงหากำไร -None,ไม่ -None: End of Workflow,: ไม่มีสิ้นสุดเวิร์กโฟลว์ Nos,Nos Not Active,ไม่ได้ใช้งานล่าสุด Not Applicable,ไม่สามารถใช้งาน Not Available,ไม่สามารถใช้งาน Not Billed,ไม่ได้เรียกเก็บ Not Delivered,ไม่ได้ส่ง -Not Found,ไม่พบ -Not Linked to any record.,ไม่ได้เชื่อมโยงไปยังระเบียนใด ๆ -Not Permitted,ไม่ได้รับอนุญาต Not Set,ยังไม่ได้ระบุ -Not Submitted,ไม่ได้ ส่ง -Not allowed,ไม่ได้รับอนุญาต Not allowed to update entries older than {0},ไม่ได้รับอนุญาต ในการปรับปรุง รายการที่ เก่ากว่า {0} Not authorized to edit frozen Account {0},ได้รับอนุญาตให้ แก้ไข บัญชี แช่แข็ง {0} Not authroized since {0} exceeds limits,ไม่ authroized ตั้งแต่ {0} เกินขีด จำกัด -Not enough permission to see links.,ไม่ได้รับอนุญาตพอที่จะเห็นการเชื่อมโยง -Not equals,ไม่ เท่ากับ -Not found,ไม่พบ Not permitted,ไม่ได้รับอนุญาต Note,หมายเหตุ Note User,ผู้ใช้งานหมายเหตุ @@ -1880,7 +1751,6 @@ Note User,ผู้ใช้งานหมายเหตุ Note: Due Date exceeds the allowed credit days by {0} day(s),หมายเหตุ : วันที่ครบกำหนด เกินกว่า ที่ได้รับอนุญาต วัน เครดิตโดย {0} วัน (s) Note: Email will not be sent to disabled users,หมายเหตุ: อีเมล์ของคุณจะไม่ถูกส่งไปยังผู้ใช้คนพิการ Note: Item {0} entered multiple times,หมายเหตุ : รายการ {0} เข้ามา หลายครั้ง -Note: Other permission rules may also apply,หมายเหตุ: กฎอนุญาตอื่น ๆ ที่ยังอาจมี Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,หมายเหตุ : รายการ การชำระเงินจะ ไม่ได้รับการ สร้างขึ้นตั้งแต่ ' เงินสด หรือ บัญชี ธนาคาร ไม่ได้ระบุ Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,หมายเหตุ : ระบบ จะไม่ตรวจสอบ มากกว่าการ ส่งมอบและ มากกว่าการ จอง รายการ {0} เป็น ปริมาณ หรือจำนวน เป็น 0 Note: There is not enough leave balance for Leave Type {0},หมายเหตุ : มี ไม่ สมดุล เพียงพอสำหรับ การลา ออกจาก ประเภท {0} @@ -1889,12 +1759,9 @@ Note: {0},หมายเหตุ : {0} Notes,หมายเหตุ Notes:,หมายเหตุ: Nothing to request,ไม่มีอะไรที่จะ ขอ -Nothing to show,ไม่มีอะไรที่จะแสดง -Nothing to show for this selection,อะไรที่จะแสดง การเลือกนี้ Notice (days),แจ้งให้ทราบล่วงหน้า (วัน) Notification Control,ควบคุมการแจ้งเตือน Notification Email Address,ที่อยู่อีเมลการแจ้งเตือน -Notify By Email,แจ้งทางอีเมล์ Notify by Email on creation of automatic Material Request,แจ้งทางอีเมล์เมื่อการสร้างการร้องขอวัสดุโดยอัตโนมัติ Number Format,รูปแบบจำนวน Offer Date,ข้อเสนอ วันที่ @@ -1938,7 +1805,6 @@ Opportunity Items,รายการโอกาส Opportunity Lost,สูญเสียโอกาส Opportunity Type,ประเภทโอกาส Optional. This setting will be used to filter in various transactions.,ไม่จำเป็น การตั้งค่านี้ จะถูก ใช้ในการกรอง ในการทำธุรกรรม ต่างๆ -Or Created By,หรือ สร้างโดย Order Type,ประเภทสั่งซื้อ Order Type must be one of {1},ประเภท การสั่งซื้อ ต้องเป็นหนึ่งใน {1} Ordered,ได้รับคำสั่ง @@ -1953,7 +1819,6 @@ Organization Profile,องค์กร รายละเอียด Organization branch master.,ปริญญาโท สาขา องค์กร Organization unit (department) master.,หน่วย องค์กร (เขตปกครอง) ต้นแบบ Original Amount,จำนวนเงินที่ เดิม -Original Message,ข้อความเดิม Other,อื่น ๆ Other Details,รายละเอียดอื่น ๆ Others,คนอื่น ๆ @@ -1996,7 +1861,6 @@ Packing Slip Items,บรรจุรายการสลิป Packing Slip(s) cancelled,บรรจุ สลิป (s) ยกเลิก Page Break,แบ่งหน้า Page Name,ชื่อเพจ -Page not found,ไม่พบหน้าเว็บ Paid Amount,จำนวนเงินที่ชำระ Paid amount + Write Off Amount can not be greater than Grand Total,ชำระ เงิน + เขียน ปิด จำนวน ไม่สามารถ จะสูงกว่า แกรนด์ รวม Pair,คู่ @@ -2062,9 +1926,6 @@ Period Closing Voucher,บัตรกำนัลปิดงวด Periodicity,การเป็นช่วง ๆ Permanent Address,ที่อยู่ถาวร Permanent Address Is,ที่อยู่ ถาวร เป็น -Permanently Cancel {0}?,อย่างถาวร ยกเลิก {0}? -Permanently Submit {0}?,อย่างถาวร ส่ง {0}? -Permanently delete {0}?,ลบ {0}? Permission,การอนุญาต Personal,ส่วนตัว Personal Details,รายละเอียดส่วนบุคคล @@ -2073,7 +1934,6 @@ Pharmaceutical,เภสัชกรรม Pharmaceuticals,ยา Phone,โทรศัพท์ Phone No,โทรศัพท์ไม่มี -Pick Columns,เลือกคอลัมน์ Piecework,งานเหมา Pincode,Pincode Place of Issue,สถานที่ได้รับการรับรอง @@ -2086,8 +1946,6 @@ Plant,พืช Plant and Machinery,อาคารและ เครื่องจักร Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,กรุณาใส่ชื่อย่อหรือชื่อสั้นอย่างถูกต้องตามก็จะถูกเพิ่มเป็นคำต่อท้ายทุกหัวบัญชี Please add expense voucher details,กรุณา เพิ่มรายละเอียด บัตรกำนัล ค่าใช้จ่าย -Please attach a file first.,กรุณาแนบไฟล์แรก -Please attach a file or set a URL,กรุณาแนบไฟล์หรือตั้งค่า URL Please check 'Is Advance' against Account {0} if this is an advance entry.,กรุณาตรวจสอบ ว่า ' แอดวานซ์ ' กับ บัญชี {0} ถ้าเป็นรายการ ล่วงหน้า Please click on 'Generate Schedule',กรุณา คลิกที่ 'สร้าง ตาราง ' Please click on 'Generate Schedule' to fetch Serial No added for Item {0},กรุณา คลิกที่ 'สร้าง ตาราง ' เพื่อ เรียก หมายเลขเครื่อง เพิ่มสำหรับ รายการ {0} @@ -2096,7 +1954,6 @@ Please create Customer from Lead {0},กรุณาสร้าง ลูกค Please create Salary Structure for employee {0},กรุณาสร้าง โครงสร้าง เงินเดือน สำหรับพนักงาน {0} Please create new account from Chart of Accounts.,กรุณา สร้างบัญชี ใหม่จาก ผังบัญชี Please do NOT create Account (Ledgers) for Customers and Suppliers. They are created directly from the Customer / Supplier masters.,กรุณา อย่า สร้าง บัญชี ( Ledgers ) สำหรับลูกค้า และ ซัพพลายเออร์ พวกเขาจะ สร้างขึ้นโดยตรง จากผู้เชี่ยวชาญ ลูกค้า / ผู้จัดจำหน่าย -Please enable pop-ups,กรุณาเปิดใช้งาน ป๊อปอัพ Please enter 'Expected Delivery Date',"โปรดป้อน "" วันที่ส่ง ที่คาดหวัง '" Please enter 'Is Subcontracted' as Yes or No,กรุณากรอก ' คือ รับเหมา ' เป็น ใช่หรือไม่ใช่ Please enter 'Repeat on Day of Month' field value,กรุณากรอก ' ทำซ้ำ ในวัน เดือน ' ค่าของฟิลด์ @@ -2107,7 +1964,6 @@ Please enter Company,กรุณาใส่ บริษัท Please enter Cost Center,กรุณาใส่ ศูนย์ต้นทุน Please enter Delivery Note No or Sales Invoice No to proceed,กรุณากรอกหมายเหตุการจัดส่งสินค้าหรือใบแจ้งหนี้การขายยังไม่ได้ดำเนินการต่อไป Please enter Employee Id of this sales parson,กรุณาใส่ รหัส พนักงาน ของ พระ ยอดขาย นี้ -Please enter Event's Date and Time!,โปรดใส่ วันที่ เหตุการณ์ และ เวลา Please enter Expense Account,กรุณากรอกบัญชีค่าใช้จ่าย Please enter Item Code to get batch no,กรุณากรอก รหัสสินค้า ที่จะได้รับ ชุด ไม่ Please enter Item Code.,กรุณากรอก รหัสสินค้า @@ -2133,14 +1989,11 @@ Please enter parent cost center,กรุณาใส่ ศูนย์ ค่ Please enter quantity for Item {0},กรุณากรอก ปริมาณ รายการ {0} Please enter relieving date.,กรุณากรอก วันที่ บรรเทา Please enter sales order in the above table,กรุณาใส่ คำสั่งขาย ใน ตารางข้างต้น -Please enter some text!,กรุณา ใส่ข้อความ บาง -Please enter title!,กรุณาใส่ ชื่อ ! Please enter valid Company Email,กรุณาใส่ อีเมล์ ที่ถูกต้อง ของ บริษัท Please enter valid Email Id,กรุณาใส่ อีเมล์ ที่ถูกต้อง รหัส Please enter valid Personal Email,กรุณากรอก อีเมล์ ส่วนบุคคล ที่ถูกต้อง Please enter valid mobile nos,กรุณากรอก กัดกร่อน มือถือ ที่ถูกต้อง Please install dropbox python module,กรุณาติดตั้ง dropbox หลามโมดูล -Please login to Upvote!,กรุณา เข้าสู่ระบบเพื่อ upvote ! Please mention no of visits required,กรุณาระบุ ไม่ จำเป็นต้องมี การเข้าชม Please pull items from Delivery Note,กรุณา ดึง รายการจาก การจัดส่งสินค้า หมายเหตุ Please save the Newsletter before sending,กรุณาบันทึก ข่าวก่อนที่จะส่ง @@ -2191,8 +2044,6 @@ Plot By,พล็อต จาก Point of Sale,จุดขาย Point-of-Sale Setting,การตั้งค่า point-of-Sale Post Graduate,หลังจบการศึกษา -Post already exists. Cannot add again!,โพสต์ ที่มีอยู่แล้ว ไม่สามารถเพิ่ม อีกครั้ง -Post does not exist. Please add post!,โพสต์ ไม่ได้มีอยู่ กรุณาเพิ่ม การโพสต์ ! Postal,ไปรษณีย์ Postal Expenses,ค่าใช้จ่าย ไปรษณีย์ Posting Date,โพสต์วันที่ @@ -2207,7 +2058,6 @@ Prevdoc DocType,DocType Prevdoc Prevdoc Doctype,Doctype Prevdoc Preview,แสดงตัวอย่าง Previous,ก่อน -Previous Record,ระเบียนก่อนหน้า Previous Work Experience,ประสบการณ์การทำงานก่อนหน้า Price,ราคา Price / Discount,ราคา / ส่วนลด @@ -2226,12 +2076,10 @@ Price or Discount,ราคา หรือ ส่วนลด Pricing Rule,กฎ การกำหนดราคา Pricing Rule For Discount,กฎ การกำหนดราคา ส่วนลด Pricing Rule For Price,ราคา สำหรับราคาตาม กฎ -Print,พิมพ์ Print Format Style,Style Format พิมพ์ Print Heading,พิมพ์หัวเรื่อง Print Without Amount,พิมพ์ที่ไม่มีจำนวน Print and Stationary,การพิมพ์และ เครื่องเขียน -Print...,พิมพ์ ... Printing and Branding,การพิมพ์และ การสร้างแบรนด์ Priority,บุริมสิทธิ์ Private Equity,ส่วนของภาคเอกชน @@ -2357,7 +2205,6 @@ Quantity of item obtained after manufacturing / repacking from given quantities Quantity required for Item {0} in row {1},จำนวน รายการ ที่จำเป็นสำหรับ {0} ในแถว {1} Quarter,หนึ่งในสี่ Quarterly,ทุกสามเดือน -Query Report,รายงานแบบสอบถาม Quick Help,ความช่วยเหลือด่วน Quotation,ใบเสนอราคา Quotation Date,วันที่ใบเสนอราคา @@ -2459,14 +2306,11 @@ Rejected Warehouse is mandatory against regected item,คลังสินค Relation,ความสัมพันธ์ Relieving Date,บรรเทาวันที่ Relieving Date must be greater than Date of Joining,บรรเทา วันที่ ต้องมากกว่า วันที่ เข้าร่วม -Reload Page,โหลดหน้า Remark,คำพูด Remarks,ข้อคิดเห็น -Remove Bookmark,ลบบุ๊คมาร์ค Rename,ตั้งชื่อใหม่ Rename Log,เปลี่ยนชื่อเข้าสู่ระบบ Rename Tool,เปลี่ยนชื่อเครื่องมือ -Rename...,เปลี่ยนชื่อ ... Rent Cost,ต้นทุนการ ให้เช่า Rent per hour,เช่า ต่อชั่วโมง Rented,เช่า @@ -2474,12 +2318,9 @@ Repeat on Day of Month,ทำซ้ำในวันเดือน Replace,แทนที่ Replace Item / BOM in all BOMs,แทนที่รายการ / BOM ใน BOMs ทั้งหมด Replied,Replied -Report,รายงาน Report Date,รายงานวันที่ Report Type,ประเภทรายงาน Report Type is mandatory,ประเภทรายงาน มีผลบังคับใช้ -Report an Issue,รายงาน ฉบับ -Report was not saved (there were errors),รายงานไม่ถูกบันทึกไว้ (มีข้อผิดพลาด) Reports to,รายงานไปยัง Reqd By Date,reqd โดยวันที่ Request Type,ชนิดของการร้องขอ @@ -2630,7 +2471,6 @@ Salutation,ประณม Sample Size,ขนาดของกลุ่มตัวอย่าง Sanctioned Amount,จำนวนตามทำนองคลองธรรม Saturday,วันเสาร์ -Save,ประหยัด Schedule,กำหนด Schedule Date,กำหนดการ วันที่ Schedule Details,รายละเอียดตาราง @@ -2644,7 +2484,6 @@ Score (0-5),คะแนน (0-5) Score Earned,คะแนนที่ได้รับ Score must be less than or equal to 5,คะแนน ต้องน้อยกว่า หรือ เท่ากับ 5 Scrap %,เศษ% -Search,ค้นหา Seasonality for setting budgets.,ฤดูกาลสำหรับงบประมาณการตั้งค่า Secretary,เลขานุการ Secured Loans,เงินให้กู้ยืม ที่มีหลักประกัน @@ -2656,26 +2495,18 @@ Securities and Deposits,หลักทรัพย์และ เงินฝ "Select ""Yes"" if this item represents some work like training, designing, consulting etc.",เลือก "ใช่" ถ้ารายการนี​​้แสดงให้เห็นถึงการทำงานบางอย่างเช่นการฝึกอบรมการออกแบบให้คำปรึกษา ฯลฯ "Select ""Yes"" if you are maintaining stock of this item in your Inventory.",เลือก "ใช่" ถ้าคุณจะรักษาสต็อกของรายการนี​​้ในสินค้าคงคลังของคุณ "Select ""Yes"" if you supply raw materials to your supplier to manufacture this item.",เลือก "ใช่" ถ้าคุณจัดหาวัตถุดิบเพื่อจำหน่ายของคุณในการผลิตรายการนี​​้ -Select All,เลือกทั้งหมด -Select Attachments,เลือกสิ่งที่แนบ Select Budget Distribution to unevenly distribute targets across months.,เลือกการกระจายงบประมาณที่จะไม่สม่ำเสมอกระจายทั่วเป้าหมายเดือน "Select Budget Distribution, if you want to track based on seasonality.",เลือกการกระจายงบประมาณถ้าคุณต้องการที่จะติดตามจากฤดูกาล Select DocType,เลือก DocType Select Items,เลือกรายการ -Select Print Format,เลือกรูปแบบพิมพ์ Select Purchase Receipts,เลือก ซื้อ รายรับ -Select Report Name,เลือกชื่อรายงาน Select Sales Orders,เลือกคำสั่งซื้อขาย Select Sales Orders from which you want to create Production Orders.,เลือกขายที่คุณต้องการที่จะสร้างคำสั่งการผลิตสั่งซื้อ Select Time Logs and Submit to create a new Sales Invoice.,เลือกบันทึกเวลาและส่งในการสร้างใบแจ้งหนี้การขายใหม่ -Select To Download:,เลือก ที่จะ ดาวน์โหลด Select Transaction,เลือกรายการ -Select Type,เลือกประเภท Select Your Language,เลือกภาษา ของคุณ Select account head of the bank where cheque was deposited.,เลือกหัวที่บัญชีของธนาคารที่ตรวจสอบถูกวาง Select company name first.,เลือกชื่อ บริษัท แรก -Select dates to create a new ,เลือกวันที่จะสร้างใหม่ -Select or drag across time slots to create a new event.,เลือกหรือลากผ่านช่วงเวลาที่จะสร้างเหตุการณ์ใหม่ Select template from which you want to get the Goals,เลือกแม่แบบที่คุณต้องการที่จะได้รับเป้าหมาย Select the Employee for whom you are creating the Appraisal.,เลือกพนักงานสำหรับคนที่คุณกำลังสร้างการประเมิน Select the period when the invoice will be generated automatically,เลือกระยะเวลาเมื่อใบแจ้งหนี้จะถูกสร้างขึ้นโดยอัตโนมัติ @@ -2691,11 +2522,9 @@ Select your home country and check the timezone and currency.,เลือกป Selling,ขาย Selling Settings,การขายการตั้งค่า Send,ส่ง -Send As Email,ส่งเป็น อีเมล์ Send Autoreply,ส่ง autoreply Send Email,ส่งอีเมล์ Send From,ส่งเริ่มต้นที่ -Send Me A Copy,ส่งสำเนา Send Notifications To,ส่งการแจ้งเตือนไป Send Now,ส่งเดี๋ยวนี้ Send SMS,ส่ง SMS @@ -2705,7 +2534,6 @@ Send mass SMS to your contacts,ส่ง SMS มวลการติดต่ Send to this list,ส่งมาที่รายการนี​​้ Sender Name,ชื่อผู้ส่ง Sent On,ส่ง -Sent or Received,ส่งหรือ ได้รับ Separate production order will be created for each finished good item.,เพื่อผลิตแยกจะถูกสร้างขึ้นสำหรับรายการที่ดีในแต่ละสำเร็จรูป Serial No,อนุกรมไม่มี Serial No / Batch,หมายเลขเครื่อง / ชุด @@ -2739,11 +2567,9 @@ Series {0} already used in {1},ชุด {0} ใช้แล้ว ใน {1} Service,ให้บริการ Service Address,ที่อยู่บริการ Services,การบริการ -Session Expired. Logging you out,เซสชันหมดอายุ คุณออกจากระบบ Set,ชุด "Set Default Values like Company, Currency, Current Fiscal Year, etc.",การตั้ง ค่าเริ่มต้น เช่น บริษัท สกุลเงิน ปัจจุบัน ปีงบประมาณ ฯลฯ Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,กำหนดงบประมาณกลุ่มฉลาดรายการในมณฑลนี้ คุณยังสามารถรวมฤดูกาลโดยการตั้งค่าการกระจาย -Set Link,ตั้งค่า การเชื่อมโยง Set as Default,Set as Default Set as Lost,ตั้งเป็น ที่หายไป Set prefix for numbering series on your transactions,กำหนดคำนำหน้าสำหรับหมายเลขชุดทำธุรกรรมของคุณ @@ -2776,17 +2602,12 @@ Shipping Rule Label,ป้ายกฎการจัดส่งสินค้ Shop,ร้านค้า Shopping Cart,รถเข็นช้อปปิ้ง Short biography for website and other publications.,ชีวประวัติสั้นสำหรับเว็บไซต์และสิ่งพิมพ์อื่น ๆ -Shortcut,ทางลัด "Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",แสดง "ในสต็อก" หรือ "ไม่อยู่ในสต็อก" บนพื้นฐานของหุ้นที่มีอยู่ในคลังสินค้านี้ "Show / Hide features like Serial Nos, POS etc.","แสดง / ซ่อน คุณสมบัติเช่น อนุกรม Nos , POS ฯลฯ" -Show Details,แสดงรายละเอียด Show In Website,แสดงในเว็บไซต์ -Show Tags,แสดง แท็ก Show a slideshow at the top of the page,สไลด์โชว์ที่ด้านบนของหน้า Show in Website,แสดงในเว็บไซต์ -Show rows with zero values,แสดงแถวที่มีค่าศูนย์ Show this slideshow at the top of the page,แสดงภาพสไลด์นี้ที่ด้านบนของหน้า -Showing only for (if not empty),แสดง เท่านั้น (ถ้าไม่ ว่าง ) Sick Leave,ป่วย ออกจาก Signature,ลายเซ็น Signature to be appended at the end of every email,ลายเซ็นที่จะต่อท้ายของอีเมลทุก @@ -2797,11 +2618,8 @@ Slideshow,สไลด์โชว์ Soap & Detergent,สบู่ และ ผงซักฟอก Software,ซอฟต์แวร์ Software Developer,นักพัฒนาซอฟต์แวร์ -Sorry we were unable to find what you were looking for.,ขออภัยเราไม่สามารถที่จะหาสิ่งที่คุณกำลังมองหา -Sorry you are not permitted to view this page.,ขออภัยคุณไม่ได้รับอนุญาตให้ดูหน้านี้ "Sorry, Serial Nos cannot be merged",ขออภัย อนุกรม Nos ไม่สามารถ รวม "Sorry, companies cannot be merged",ขออภัย บริษัท ไม่สามารถ รวม -Sort By,เรียงลำดับตาม Source,แหล่ง Source File,แฟ้มแหล่งที่มา Source Warehouse,คลังสินค้าที่มา @@ -2826,7 +2644,6 @@ Standard Selling,ขาย มาตรฐาน Standard contract terms for Sales or Purchase.,ข้อสัญญา มาตรฐานสำหรับ การขายหรือการ ซื้อ Start,เริ่มต้น Start Date,วันที่เริ่มต้น -Start Report For,เริ่มรายงานสำหรับ Start date of current invoice's period,วันที่เริ่มต้นของระยะเวลาการออกใบแจ้งหนี้ปัจจุบัน Start date should be less than end date for Item {0},วันที่เริ่มต้น ควรจะน้อยกว่า วันที่ สิ้นสุดสำหรับ รายการ {0} State,รัฐ @@ -2884,7 +2701,6 @@ Sub Assemblies,ประกอบ ย่อย "Sub-currency. For e.g. ""Cent""",ย่อยสกุลเงิน สำหรับ "ร้อย" เช่น Subcontract,สัญญารับช่วง Subject,เรื่อง -Submit,เสนอ Submit Salary Slip,ส่งสลิปเงินเดือน Submit all salary slips for the above selected criteria,ส่งบิลเงินเดือนทั้งหมดสำหรับเกณฑ์ที่เลือกข้างต้น Submit this Production Order for further processing.,ส่ง การผลิต การสั่งซื้อ นี้ สำหรับการประมวลผล ต่อไป @@ -2928,7 +2744,6 @@ Support Email Settings,การสนับสนุน การตั้ง Support Password,รหัสผ่านสนับสนุน Support Ticket,ตั๋วสนับสนุน Support queries from customers.,คำสั่งการสนับสนุนจากลูกค้า -Switch to Website,สลับไปยัง เว็บไซต์ Symbol,สัญญลักษณ์ Sync Support Mails,ซิงค์อีเมลที่สนับสนุน Sync with Dropbox,ซิงค์กับ Dropbox @@ -2936,7 +2751,6 @@ Sync with Google Drive,ซิงค์กับ Google ไดรฟ์ System,ระบบ System Settings,การตั้งค่าระบบ "System User (login) ID. If set, it will become default for all HR forms.",ผู้ใช้ระบบ (login) ID ถ้าชุดก็จะกลายเป็นค่าเริ่มต้นสำหรับทุกรูปแบบทรัพยากรบุคคล -Tags,แท็ก Target Amount,จำนวนเป้าหมาย Target Detail,รายละเอียดเป้าหมาย Target Details,รายละเอียดเป้าหมาย @@ -2957,7 +2771,7 @@ Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are no Tax Rate,อัตราภาษี Tax and other salary deductions.,ภาษีและอื่น ๆ หักเงินเดือน "Tax detail table fetched from item master as a string and stored in this field. -Used for Taxes and Charges",ตาราง รายละเอียด ภาษี มาจาก รายการ หลัก เป็นสตริง และเก็บไว้ใน เขตข้อมูลนี้ . \ n ใช้งาน กับ ภาษี และ ค่าใช้จ่าย +Used for Taxes and Charges",ตาราง รายละเอียด ภาษี มาจาก รายการ หลัก เป็นสตริง และเก็บไว้ใน เขตข้อมูลนี้ . \ n ใช้งาน เพื่อการ ภาษี และ ค่าใช้จ่าย Tax template for buying transactions.,แม่แบบ ภาษี สำหรับการซื้อ ในการทำธุรกรรม Tax template for selling transactions.,แม่แบบ ภาษี สำหรับการขาย ในการทำธุรกรรม Taxable,ต้องเสียภาษี @@ -2995,7 +2809,6 @@ Territory Target Variance Item Group-Wise,มณฑล เป้าหมาย Territory Targets,เป้าหมายดินแดน Test,ทดสอบ Test Email Id,Email รหัสการทดสอบ -Test Runner,วิ่งทดสอบ Test the Newsletter,ทดสอบเกี่ยวกับ The BOM which will be replaced,BOM ซึ่งจะถูกแทนที่ The First User: You,ผู้ใช้งาน ครั้งแรก: คุณ @@ -3015,28 +2828,23 @@ The net weight of this package. (calculated automatically as sum of net weight o The new BOM after replacement,BOM ใหม่หลังจากเปลี่ยน The rate at which Bill Currency is converted into company's base currency,อัตราที่สกุลเงินบิลจะถูกแปลงเป็นสกุลเงินหลักของ บริษัท The unique id for tracking all recurring invoices. It is generated on submit.,ID ไม่ซ้ำกันสำหรับการติดตามใบแจ้งหนี้ที่เกิดขึ้นทั้งหมด มันถูกสร้างขึ้นเมื่อส่ง -Then By (optional),แล้วโดย (ไม่จำเป็น) There are more holidays than working days this month.,มี วันหยุด มากขึ้นกว่าที่ เป็น วันทำการ ในเดือนนี้ "There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","มีเพียงสามารถเป็น สภาพ กฎ การจัดส่งสินค้า ที่มี 0 หรือ ค่าว่าง สำหรับ "" ค่า """ There is not enough leave balance for Leave Type {0},ที่มีอยู่ไม่ สมดุล เพียงพอสำหรับ การลา ออกจาก ประเภท {0} There is nothing to edit.,ไม่มีอะไรที่จะ แก้ไข คือ There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,เกิดข้อผิดพลาด น่าจะเป็น เหตุผลหนึ่งที่ อาจ เป็นไปได้ว่า คุณ ยังไม่ได้บันทึก ในรูปแบบ โปรดติดต่อ support@erpnext.com ถ้า ปัญหายังคงอยู่ -There were errors,มีข้อผิดพลาด ได้ -There were errors while sending email. Please try again.,มีข้อผิดพลาด ในขณะที่ มี การส่งอีเมล์ โปรดลองอีกครั้ง There were errors.,มีข้อผิดพลาด ได้ This Currency is disabled. Enable to use in transactions,สกุลเงิน นี้จะถูก ปิดการใช้งาน เปิดใช้งานเพื่อ ใช้ ในการทำธุรกรรม This Leave Application is pending approval. Only the Leave Apporver can update status.,การใช้งาน ออกจาก นี้จะ รอการอนุมัติ เพียง แต่ออก Apporver สามารถอัปเดต สถานะ This Time Log Batch has been billed.,ชุดนี้บันทึกเวลาที่ได้รับการเรียกเก็บเงิน This Time Log Batch has been cancelled.,ชุดนี้บันทึกเวลาที่ถูกยกเลิก This Time Log conflicts with {0},นี้ เข้าสู่ระบบ เวลาที่ ขัดแย้งกับ {0} -This is PERMANENT action and you cannot undo. Continue?,นี้คือการกระทำที่เป็นการถาวรและคุณไม่สามารถยกเลิกการ ต่อหรือไม่ This is a root account and cannot be edited.,นี่คือบัญชี รากและ ไม่สามารถแก้ไขได้ This is a root customer group and cannot be edited.,นี่คือกลุ่ม ลูกค้าราก และ ไม่สามารถแก้ไขได้ This is a root item group and cannot be edited.,กลุ่มนี้เป็นกลุ่ม รายการที่ ราก และ ไม่สามารถแก้ไขได้ This is a root sales person and cannot be edited.,นี้เป็น คนขาย ราก และ ไม่สามารถแก้ไขได้ This is a root territory and cannot be edited.,นี่คือ ดินแดนของ รากและ ไม่สามารถแก้ไขได้ This is an example website auto-generated from ERPNext,เว็บไซต์ นี้เป็น ตัวอย่างที่สร้างขึ้นโดยอัตโนมัติ จาก ERPNext -This is permanent action and you cannot undo. Continue?,นี้คือการกระทำอย่างถาวรและคุณไม่สามารถยกเลิก ต่อหรือไม่ This is the number of the last created transaction with this prefix,นี่คือหมายเลขของรายการที่สร้างขึ้นล่าสุดกับคำนำหน้านี้ This will be used for setting rule in HR module,นี้จะถูกใช้สำหรับกฎการตั้งค่าในโมดูลทรัพยากรบุคคล Thread HTML,HTML กระทู้ @@ -3078,7 +2886,6 @@ To get Item Group in details table,ที่จะได้รับกลุ่ "To include tax in row {0} in Item rate, taxes in rows {1} must also be included",จะรวมถึง ภาษี ในแถว {0} ใน อัตรา รายการ ภาษี ใน แถว {1} จะต้องรวม "To merge, following properties must be same for both items",ที่จะ ผสาน คุณสมบัติต่อไปนี้ จะต้อง เหมือนกันสำหรับ ทั้งสองรายการ "To report an issue, go to ", -"To run a test add the module name in the route after '{0}'. For example, {1}",เรียกใช้การทดสอบโมดูล เพิ่มชื่อใน เส้นทางหลังจาก ' {0} ' ตัวอย่างเช่น {1} "To set this Fiscal Year as Default, click on 'Set as Default'",การตั้งค่า นี้ ปีงบประมาณ เป็นค่าเริ่มต้น ให้คลิกที่ 'ตั้ง เป็นค่าเริ่มต้น ' To track any installation or commissioning related work after sales,เพื่อติดตามการติดตั้งใด ๆ หรืองานที่เกี่ยวข้องกับการว่าจ้างหลังการขาย "To track brand name in the following documents Delivery Note, Opportunity, Material Request, Item, Purchase Order, Purchase Voucher, Purchaser Receipt, Quotation, Sales Invoice, Sales BOM, Sales Order, Serial No","เพื่อติดตาม ชื่อแบรนด์ ในเอกสาร ดังต่อไปนี้ หมายเหตุ การจัดส่ง โอกาส ขอ วัสดุ, รายการ สั่งซื้อ , ซื้อ คูปอง , ซื้อ ใบเสร็จรับเงิน ใบเสนอราคา ขายใบแจ้งหนี้ การขาย BOM , การขายสินค้า , หมายเลขเครื่อง" @@ -3130,7 +2937,6 @@ Totals,ผลรวม Track Leads by Industry Type.,ติดตาม นำ ตามประเภท อุตสาหกรรม Track this Delivery Note against any Project,ติดตามการจัดส่งสินค้าหมายเหตุนี้กับโครงการใด ๆ Track this Sales Order against any Project,ติดตามนี้สั่งซื้อขายกับโครงการใด ๆ -Trainee,ผู้ฝึกงาน Transaction,การซื้อขาย Transaction Date,วันที่ทำรายการ Transaction not allowed against stopped Production Order {0},การทำธุรกรรมที่ ไม่ได้รับอนุญาต กับ หยุด การผลิต สั่งซื้อ {0} @@ -3162,7 +2968,6 @@ UOM Conversion Factor,ปัจจัยการแปลง UOM UOM Conversion factor is required in row {0},ปัจจัย UOM แปลง จะต้อง อยู่ในแถว {0} UOM Name,ชื่อ UOM UOM coversion factor required for UOM {0} in Item {1},ปัจจัย Coversion UOM ที่จำเป็นสำหรับการ UOM {0} ใน รายการ {1} -Unable to load: {0},ไม่สามารถที่จะ โหลด : {0} Under AMC,ภายใต้ AMC Under Graduate,ภายใต้บัณฑิต Under Warranty,ภายใต้การรับประกัน @@ -3172,11 +2977,8 @@ Unit of Measure {0} has been entered more than once in Conversion Factor Table, "Unit of measurement of this item (e.g. Kg, Unit, No, Pair).","หน่วยของการวัดของรายการนี​​้ (เช่นกิโลกรัมหน่วย, ไม่มี, คู่)" Units/Hour,หน่วย / ชั่วโมง Units/Shifts,หน่วย / กะ -Unknown Column: {0},ไม่ทราบ คอลัมน์ : {0} -Unknown Print Format: {0},พิมพ์รูปแบบ ที่ไม่รู้จัก : {0} Unmatched Amount,จำนวนเปรียบ Unpaid,ไม่ได้ค่าจ้าง -Unread Messages,ไม่ได้อ่านข้อความ Unscheduled,ไม่ได้หมายกำหนดการ Unsecured Loans,เงินให้กู้ยืม ที่ไม่มีหลักประกัน Unstop,เปิดจุก @@ -3196,18 +2998,14 @@ Update bank payment dates with journals.,การชำระเงินขอ Update clearance date of Journal Entries marked as 'Bank Vouchers',ปรับปรุง การกวาดล้าง ของ อนุทิน ทำเครื่องหมายเป็น ' ธนาคาร บัตรกำนัล ' Updated,อัพเดต Updated Birthday Reminders,การปรับปรุง การแจ้งเตือน วันเกิด -Upload,อัปโหลด -Upload Attachment,อัพโหลดไฟล์แนบ Upload Attendance,อัพโหลดผู้เข้าร่วม Upload Backups to Dropbox,อัพโหลดการสำรองข้อมูลเพื่อ Dropbox Upload Backups to Google Drive,อัพโหลดการสำรองข้อมูลไปยัง Google ไดรฟ์ Upload HTML,อัพโหลด HTML Upload a .csv file with two columns: the old name and the new name. Max 500 rows.,อัพโหลดไฟล์ CSV มีสองคอลัมน์:. ชื่อเก่าและชื่อใหม่ แม็กซ์ 500 แถว -Upload a file,อัปโหลดไฟล์ Upload attendance from a .csv file,อัพโหลดการดูแลรักษาจาก. csv ที่ Upload stock balance via csv.,อัพโหลดสมดุลหุ้นผ่าน CSV Upload your letter head and logo - you can edit them later.,อัปโหลด หัว จดหมาย และโลโก้ ของคุณ - คุณ สามารถแก้ไข ได้ในภายหลัง -Uploading...,อัพโหลด ... Upper Income,รายได้บน Urgent,ด่วน Use Multi-Level BOM,ใช้ BOM หลายระดับ @@ -3217,11 +3015,9 @@ User ID,รหัสผู้ใช้ User ID not set for Employee {0},รหัสผู้ใช้ ไม่ได้ ตั้งไว้สำหรับ พนักงาน {0} User Name,ชื่อผู้ใช้ User Name or Support Password missing. Please enter and try again.,ชื่อผู้ใช้ หรือ รหัสผ่าน ที่หายไป สนับสนุน กรุณากรอกตัวอักษร และลองอีกครั้ง -User Permission Restrictions,ข้อ จำกัด ใน การอนุญาต ผู้ใช้ User Remark,หมายเหตุผู้ใช้ User Remark will be added to Auto Remark,หมายเหตุผู้ใช้จะถูกเพิ่มเข้าไปในหมายเหตุอัตโนมัติ User Remarks is mandatory,ผู้ใช้ หมายเหตุ มีผลบังคับใช้ -User Restrictions,ข้อ จำกัด ของผู้ใช้ User Specific,ผู้ใช้งาน ที่เฉพาะเจาะจง User must always select,ผู้ใช้จะต้องเลือก User {0} is already assigned to Employee {1},ผู้ใช้ {0} จะถูก กำหนดให้กับ พนักงาน {1} @@ -3319,8 +3115,6 @@ Will be updated after Sales Invoice is Submitted.,จะมีการปรั Will be updated when batched.,จะมีการปรับปรุงเมื่อ batched Will be updated when billed.,จะมีการปรับปรุงเมื่อเรียกเก็บเงิน Wire Transfer,โอนเงิน -With Groups,ด้วย กลุ่ม -With Ledgers,ด้วย Ledgers With Operations,กับการดำเนินงาน With period closing entry,กับรายการ ปิด ในช่วงเวลา Work Details,รายละเอียดการทำงาน @@ -3328,7 +3122,6 @@ Work Done,งานที่ทำ Work In Progress,ทำงานในความคืบหน้า Work-in-Progress Warehouse,คลังสินค้าทำงานในความคืบหน้า Work-in-Progress Warehouse is required before Submit,ทำงาน ความคืบหน้าใน คลังสินค้า จะต้อง ก่อนที่จะ ส่ง -Workflow will start after saving.,เวิร์กโฟลว์จะเริ่มหลังจากการบันทึก Working,ทำงาน Workstation,เวิร์คสเตชั่ Workstation Name,ชื่อเวิร์กสเตชัน @@ -3351,11 +3144,6 @@ Year Start Date should not be greater than Year End Date,วันเริ่ Year of Passing,ปีที่ผ่าน Yearly,ประจำปี Yes,ใช่ -Yesterday,เมื่อวาน -You are not allowed to create / edit reports,คุณยังไม่ได้ รับอนุญาตให้ สร้าง / แก้ไข รายงาน -You are not allowed to export this report,คุณยังไม่ได้ รับอนุญาต ในการส่งออก รายงานฉบับนี้ -You are not allowed to print this document,คุณยังไม่ได้ รับอนุญาตให้ พิมพ์เอกสาร นี้ -You are not allowed to send emails related to this document,คุณยังไม่ได้ รับอนุญาตให้ส่ง อีเมล ที่เกี่ยวข้องกับ เอกสารฉบับนี้ You are not authorized to add or update entries before {0},คุณยังไม่ได้ รับอนุญาตให้ เพิ่มหรือปรับปรุง รายการ ก่อนที่ {0} You are not authorized to set Frozen value,คุณยังไม่ได้ รับอนุญาตให้ กำหนดค่า แช่แข็ง You are the Expense Approver for this record. Please Update the 'Status' and Save,คุณเป็น ผู้อนุมัติ ค่าใช้จ่าย สำหรับการ บันทึก นี้ กรุณา อัปเดต 'สถานะ ' และ ประหยัด @@ -3372,7 +3160,6 @@ You can submit this Stock Reconciliation.,คุณสามารถส่ง You can update either Quantity or Valuation Rate or both.,คุณสามารถปรับปรุง ทั้ง จำนวน หรือ อัตรา การประเมิน หรือทั้งสองอย่าง You cannot credit and debit same account at the same time,คุณไม่ สามารถเครดิต และ หักเงินจากบัญชี เดียวกันในเวลาเดียวกัน You have entered duplicate items. Please rectify and try again.,คุณได้ป้อน รายการที่ซ้ำกัน กรุณา แก้ไข และลองอีกครั้ง -You have unsaved changes in this form. Please save before you continue.,คุณมีการเปลี่ยนแปลง ที่ไม่ได้บันทึก ในรูปแบบ นี้ You may need to update: {0},คุณ อาจจำเป็นต้องปรับปรุง : {0} You must Save the form before proceeding,คุณต้อง บันทึกแบบฟอร์ม ก่อนที่จะดำเนิน You must allocate amount before reconcile,คุณต้อง จัดสรร จำนวน ก่อนที่จะ ตกลงกันได้ @@ -3381,7 +3168,6 @@ Your Customers,ลูกค้าของคุณ Your Login Id,รหัส เข้าสู่ระบบ Your Products or Services,สินค้า หรือ บริการของคุณ Your Suppliers,ซัพพลายเออร์ ของคุณ -"Your download is being built, this may take a few moments...",การดาวน์โหลดของคุณจะถูกสร้างขึ้นนี้อาจใช้เวลาสักครู่ ... Your email address,ที่อยู่ อีเมลของคุณ Your financial year begins on,ปี การเงินของคุณ จะเริ่มต้นใน Your financial year ends on,ปี การเงินของคุณ จะสิ้นสุดลงใน @@ -3394,8 +3180,6 @@ Your support email id - must be a valid email - this is where your emails will c and,และ are not allowed.,ไม่ได้รับอนุญาต assigned by,ได้รับมอบหมายจาก -comment,ความเห็น -comments,ความเห็น "e.g. ""Build tools for builders""","เช่นผู้ ""สร้าง เครื่องมือสำหรับการ สร้าง """ "e.g. ""MC""","เช่นผู้ "" MC """ "e.g. ""My Company LLC""","เช่นผู้ ""บริษัท LLC ของฉัน""" @@ -3405,14 +3189,9 @@ e.g. 5,เช่นผู้ 5 e.g. VAT,เช่นผู้ ภาษีมูลค่าเพิ่ม eg. Cheque Number,เช่น จำนวนเช็ค example: Next Day Shipping,ตัวอย่างเช่นการจัดส่งสินค้าวันถัดไป -found,พบ -is not allowed.,ไม่ได้รับอนุญาต lft,lft old_parent,old_parent -or,หรือ rgt,RGT -to,ไปยัง -values and dates,ค่านิยมและวันที่ website page link,การเชื่อมโยงหน้าเว็บไซต์ {0} '{1}' not in Fiscal Year {2},{0} ' {1} ' ไม่ได้อยู่ใน ปีงบประมาณ {2} {0} Credit limit {0} crossed,{0} วงเงิน {0} ข้าม diff --git a/erpnext/translations/zh-cn.csv b/erpnext/translations/zh-cn.csv index 94e4aaa52b..a3e57ec923 100644 --- a/erpnext/translations/zh-cn.csv +++ b/erpnext/translations/zh-cn.csv @@ -1,7 +1,5 @@ (Half Day),(半天) and year: ,和年份: - by Role ,按角色 - is not set,没有设置 """ does not exists",“不存在 % Delivered,%交付 % Amount Billed,(%)金额帐单 @@ -34,7 +32,6 @@ "1 Currency = [?] Fraction For e.g. 1 USD = 100 Cent",1货币= [?]分数\ n对于如 1. To maintain the customer wise item code and to make them searchable based on their code use this option,1。为了保持客户明智的项目代码,并使其搜索根据自己的代码中使用这个选项 -2 days ago,3天前 "Add / Edit","添加/编辑" "Add / Edit","添加/编辑" "Add / Edit","添加/编辑" @@ -89,7 +86,6 @@ Accounts Frozen Upto,账户被冻结到...为止 Accounts Payable,应付帐款 Accounts Receivable,应收帐款 Accounts Settings,账户设置 -Actions,操作 Active,活跃 Active: Will extract emails from ,主动:请问从邮件中提取 Activity,活动 @@ -111,23 +107,13 @@ Actual Quantity,实际数量 Actual Start Date,实际开始日期 Add,加 Add / Edit Taxes and Charges,添加/编辑税金及费用 -Add Attachments,添加附件 -Add Bookmark,添加书签 Add Child,添加子 -Add Column,添加列 -Add Message,发表留言 -Add Reply,添加回复 Add Serial No,添加序列号 Add Taxes,加税 Add Taxes and Charges,增加税收和收费 -Add This To User's Restrictions,将它添加到用户的限制 -Add attachment,添加附件 -Add new row,添加新行 Add or Deduct,添加或扣除 Add rows to set annual budgets on Accounts.,添加行上的帐户设置年度预算。 Add to Cart,添加到购物车 -Add to To Do,添加到待办事项 -Add to To Do List of,添加到待办事项列表 Add to calendar on this date,添加到日历在此日期 Add/Remove Recipients,添加/删除收件人 Address,地址 @@ -220,9 +206,6 @@ Allow user to edit Price List Rate in transactions,允许用户编辑价目表 Allowance Percent,津贴百分比 Allowance for over-delivery / over-billing crossed for Item {0},备抵过交付/过账单越过为项目{0} Allowed Role to Edit Entries Before Frozen Date,宠物角色来编辑文章前冷冻日期 -"Allowing DocType, DocType. Be careful!",允许的DOCTYPE,的DocType 。要小心! -Alternative download link,另类下载链接 -Amend,修改 Amended From,从修订 Amount,量 Amount (Company Currency),金额(公司货币) @@ -270,26 +253,18 @@ Approving User,批准用户 Approving User cannot be same as user the rule is Applicable To,批准用户作为用户的规则适用于不能相同 Are you sure you want to STOP ,您确定要停止 Are you sure you want to UNSTOP ,您确定要UNSTOP -Are you sure you want to delete the attachment?,您确定要删除的附件? Arrear Amount,欠款金额 "As Production Order can be made for this item, it must be a stock item.",由于生产订单可以为这个项目提出,它必须是一个股票项目。 As per Stock UOM,按库存计量单位 "As there are existing stock transactions for this item, you can not change the values of 'Has Serial No', 'Is Stock Item' and 'Valuation Method'",首先从仓库中取出,然后将其删除。 -Ascending,升序 Asset,财富 -Assign To,分配给 -Assigned To,分配给 -Assignments,作业 Assistant,助理 Associate,关联 Atleast one warehouse is mandatory,ATLEAST一间仓库是强制性的 -Attach Document Print,附加文档打印 Attach Image,附上图片 Attach Letterhead,附加信 Attach Logo,附加标志 Attach Your Picture,附上你的照片 -Attach as web link,附加为网站链接 -Attachments,附件 Attendance,护理 Attendance Date,考勤日期 Attendance Details,考勤详情 @@ -402,7 +377,6 @@ Block leave applications by department.,按部门封锁许可申请。 Blog Post,博客公告 Blog Subscriber,博客用户 Blood Group,血型 -Bookmarks,书签 Both Warehouse must belong to same Company,这两个仓库必须属于同一个公司 Box,箱 Branch,支 @@ -437,7 +411,6 @@ C-Form No,C-表格编号 C-Form records,C-往绩纪录 Calculate Based On,计算的基础上 Calculate Total Score,计算总分 -Calendar,日历 Calendar Events,日历事件 Call,通话 Calls,电话 @@ -450,7 +423,6 @@ Can be approved by {0},可以通过{0}的批准 "Can not filter based on Account, if grouped by Account",7 。总计:累积总数达到了这一点。 "Can not filter based on Voucher No, if grouped by Voucher",是冷冻的帐户。要禁止该帐户创建/编辑事务,你需要角色 Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',可以参考的行只有在充电类型是“在上一行量'或'前行总计” -Cancel,取消 Cancel Material Visit {0} before cancelling this Customer Issue,取消物料造访{0}之前取消这个客户问题 Cancel Material Visits {0} before cancelling this Maintenance Visit,取消取消此保养访问之前,材质访问{0} Cancelled,注销 @@ -469,11 +441,7 @@ Cannot deactive or cancle BOM as it is linked with other BOMs,不能取消激活 Cannot deduct when category is for 'Valuation' or 'Valuation and Total',不能抵扣当类别为“估值”或“估值及总' "Cannot delete Serial No {0} in stock. First remove from stock, then delete.",不能{0}删除序号股票。首先从库存中删除,然后删除。 "Cannot directly set amount. For 'Actual' charge type, use the rate field",不能直接设置金额。对于“实际”充电式,用速度场 -Cannot edit standard fields,不能编辑标准字段 -Cannot open instance when its {0} is open,无法打开实例时,它的{0}是开放的 -Cannot open {0} when its instance is open,无法打开{0} ,当它的实例是开放的 "Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in 'Setup' > 'Global Defaults'",不能在一行overbill的项目{0} {0}不是{1}更多。要允许超收,请在“设置”设置> “全球默认值” -Cannot print cancelled documents,无法打印的文档取消 Cannot produce more Item {0} than Sales Order quantity {1},不能产生更多的项目{0}不是销售订单数量{1} Cannot refer row number greater than or equal to current row number for this Charge type,不能引用的行号大于或等于当前行号码提供给充电式 Cannot return more than {0} for Item {1},不能返回超过{0}的项目{1} @@ -527,19 +495,14 @@ Claim Amount,索赔金额 Claims for company expense.,索赔费用由公司负责。 Class / Percentage,类/百分比 Classic,经典 -Clear Cache,清除缓存 Clear Table,明确表 Clearance Date,清拆日期 Clearance Date not mentioned,清拆日期未提及 Clearance date cannot be before check date in row {0},清拆日期不能行检查日期前{0} Click on 'Make Sales Invoice' button to create a new Sales Invoice.,单击“制作销售发票”按钮来创建一个新的销售发票。 Click on a link to get options to expand get options ,点击一个链接以获取股权以扩大获取选项 -Click on row to view / edit.,点击一行,查看/编辑。 -Click to Expand / Collapse,点击展开/折叠 Client,客户 -Close,关闭 Close Balance Sheet and book Profit or Loss.,关闭资产负债表和账面利润或亏损。 -Close: {0},关闭: {0} Closed,关闭 Closing Account Head,关闭帐户头 Closing Account {0} must be of type 'Liability',关闭帐户{0}必须是类型'责任' @@ -550,10 +513,8 @@ Closing Value,收盘值 CoA Help,辅酶帮助 Code,码 Cold Calling,自荐 -Collapse,崩溃 Color,颜色 Comma separated list of email addresses,逗号分隔的电子邮件地址列表 -Comment,评论 Comments,评论 Commercial,广告 Commission,佣金 @@ -564,7 +525,6 @@ Commission rate cannot be greater than 100,佣金率不能大于100 Communication,通讯 Communication HTML,沟通的HTML Communication History,通信历史记录 -Communication Medium,通信介质 Communication log.,通信日志。 Communications,通讯 Company,公司 @@ -583,7 +543,6 @@ Company registration numbers for your reference. Tax numbers etc.,公司注册 "Company, Month and Fiscal Year is mandatory",在以下文件 - 轨道名牌 Compensatory Off,补假 Complete,完整 -Complete By,完成 Complete Setup,完成安装 Completed,已完成 Completed Production Orders,完成生产订单 @@ -635,7 +594,6 @@ Convert into Recurring Invoice,转换成周期性发票 Convert to Group,转换为集团 Convert to Ledger,转换到总帐 Converted,转换 -Copy,复制 Copy From Item Group,复制从项目组 Cosmetics,化妆品 Cost Center,成本中心 @@ -666,7 +624,6 @@ Create Stock Ledger Entries when you submit a Sales Invoice,创建库存总帐 Create rules to restrict transactions based on values.,创建规则来限制基于价值的交易。 Created By,创建人 Creates salary slip for above mentioned criteria.,建立工资单上面提到的标准。 -Creation / Modified By,创建/修改者 Creation Date,创建日期 Creation Document No,文档创建无 Creation Document Type,创建文件类型 @@ -697,11 +654,9 @@ Current Liabilities,流动负债 Current Stock,当前库存 Current Stock UOM,目前的库存计量单位 Current Value,当前值 -Current status,现状 Custom,习俗 Custom Autoreply Message,自定义自动回复消息 Custom Message,自定义消息 -Custom Reports,自定义报告 Customer,顾客 Customer (Receivable) Account,客户(应收)帐 Customer / Item Name,客户/项目名称 @@ -750,7 +705,6 @@ Date Format,日期格式 Date Of Retirement,日退休 Date Of Retirement must be greater than Date of Joining,日期退休必须大于加入的日期 Date is repeated,日期重复 -Date must be in format: {0},日期格式必须是: {0} Date of Birth,出生日期 Date of Issue,发行日期 Date of Joining,加入日期 @@ -761,7 +715,6 @@ Dates,日期 Days Since Last Order,天自上次订购 Days for which Holidays are blocked for this department.,天的假期被封锁这个部门。 Dealer,零售商 -Dear,亲爱 Debit,借方 Debit Amt,借记额 Debit Note,缴费单 @@ -809,7 +762,6 @@ Default settings for stock transactions.,默认设置为股票交易。 Defense,防御 "Define Budget for this Cost Center. To set budget action, see Company Master","定义预算这个成本中心。要设置预算行动,见公司主" Delete,删除 -Delete Row,删除行 Delete {0} {1}?,删除{0} {1} ? Delivered,交付 Delivered Items To Be Billed,交付项目要被收取 @@ -836,7 +788,6 @@ Department,部门 Department Stores,百货 Depends on LWP,依赖于LWP Depreciation,折旧 -Descending,降 Description,描述 Description HTML,说明HTML Designation,指定 @@ -881,15 +832,10 @@ Do you really want to stop production order: , Doc Name,文件名称 Doc Type,文件类型 Document Description,文档说明 -Document Status transition from ,从文档状态过渡 -Document Status transition from {0} to {1} is not allowed,从{0}到{1}文件状态转换是不允许的 Document Type,文件类型 -Document is only editable by users of role,文件只有通过编辑角色的用户 -Documentation,文档 Documents,文件 Domain,域 Don't send Employee Birthday Reminders,不要送员工生日提醒 -Download,下载 Download Materials Required,下载所需材料 Download Reconcilation Data,下载Reconcilation数据 Download Template,下载模板 @@ -898,8 +844,6 @@ Download a report containing all raw materials with their latest inventory statu "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",下载模板,填写相应的数据,并附加了修改后的文件。 \ n所有的日期,并在所选期间员工的组合会在模板中,与现有的考勤记录 Draft,草案 -Drafts,草稿箱 -Drag to sort columns,拖动进行排序的列 Dropbox,Dropbox的 Dropbox Access Allowed,Dropbox的允许访问 Dropbox Access Key,Dropbox的访问键 @@ -920,7 +864,6 @@ Earning & Deduction,收入及扣除 Earning Type,收入类型 Earning1,Earning1 Edit,编辑 -Editable,编辑 Education,教育 Educational Qualification,学历 Educational Qualification Details,学历详情 @@ -940,12 +883,9 @@ Email Id,电子邮件Id "Email Id where a job applicant will email e.g. ""jobs@example.com""",电子邮件Id其中一个应聘者的电子邮件,例如“jobs@example.com” Email Notifications,电子邮件通知 Email Sent?,邮件发送? -"Email addresses, separted by commas",电子邮件地址,以逗号separted "Email id must be unique, already exists for {0}",电子邮件ID必须是唯一的,已经存在{0} Email ids separated by commas.,电子邮件ID,用逗号分隔。 -Email sent to {0},电子邮件发送到{0} "Email settings to extract Leads from sales email id e.g. ""sales@example.com""",电子邮件设置,以销售电子邮件ID,例如“sales@example.com”提取信息 -Email...,电子邮件... Emergency Contact,紧急联络人 Emergency Contact Details,紧急联系方式 Emergency Phone,紧急电话 @@ -984,7 +924,6 @@ End date of current invoice's period,当前发票的期限的最后一天 End of Life,寿命结束 Energy,能源 Engineer,工程师 -Enter Value,输入值 Enter Verification Code,输入验证码 Enter campaign name if the source of lead is campaign.,输入活动名称,如果铅的来源是运动。 Enter department to which this Contact belongs,输入部门的这种联系是属于 @@ -1002,7 +941,6 @@ Entries,项 Entries against,将成为 Entries are not allowed against this Fiscal Year if the year is closed.,参赛作品不得对本财年,如果当年被关闭。 Entries before {0} are frozen,前{0}项被冻结 -Equals,等号 Equity,公平 Error: {0} > {1},错误: {0} > {1} Estimated Material Cost,预计材料成本 @@ -1019,7 +957,6 @@ Exhibition,展览 Existing Customer,现有客户 Exit,出口 Exit Interview Details,退出面试细节 -Expand,扩大 Expected,预期 Expected Completion Date can not be less than Project Start Date,预计完成日期不能少于项目开始日期 Expected Date cannot be before Material Request Date,消息大于160个字符将会被分成多个消息 @@ -1052,8 +989,6 @@ Expenses Booked,支出预订 Expenses Included In Valuation,支出计入估值 Expenses booked for the digest period,预订了消化期间费用 Expiry Date,到期时间 -Export,出口 -Export not allowed. You need {0} role to export.,导出不允许的。您需要{0}的角色出口。 Exports,出口 External,外部 Extract Emails,提取电子邮件 @@ -1068,11 +1003,8 @@ Feedback,反馈 Female,女 Fetch exploded BOM (including sub-assemblies),取爆炸BOM(包括子组件) "Field available in Delivery Note, Quotation, Sales Invoice, Sales Order",在送货单,报价单,销售发票,销售订单可用字段 -Field {0} is not selectable.,域{0}是不可选择的。 -File,文件 Files Folder ID,文件夹的ID Fill the form and save it,填写表格,并将其保存 -Filter,过滤器 Filter based on customer,过滤器可根据客户 Filter based on item,根据项目筛选 Financial / accounting year.,财务/会计年度。 @@ -1101,14 +1033,10 @@ For Server Side Print Formats,对于服务器端打印的格式 For Supplier,已过期 For Warehouse,对于仓库 For Warehouse is required before Submit,对于仓库之前,需要提交 -"For comparative filters, start with",对于比较器,开始 "For e.g. 2012, 2012-13",对于例如2012,2012-13 -For ranges,对于范围 For reference,供参考 For reference only.,仅供参考。 "For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes",为方便客户,这些代码可以在打印格式,如发票和送货单使用 -Form,表格 -Forums,论坛 Fraction,分数 Fraction Units,部分单位 Freeze Stock Entries,冻结库存条目 @@ -1161,12 +1089,10 @@ Generate Material Requests (MRP) and Production Orders.,生成材料要求(MRP Generate Salary Slips,生成工资条 Generate Schedule,生成时间表 Generates HTML to include selected image in the description,生成HTML,包括所选图像的描述 -Get,得到 Get Advances Paid,获取有偿进展 Get Advances Received,取得进展收稿 Get Against Entries,获取对条目 Get Current Stock,获取当前库存 -Get From ,得到 Get Items,找项目 Get Items From Sales Orders,获取项目从销售订单 Get Items from BOM,获取项目从物料清单 @@ -1194,8 +1120,6 @@ Government,政府 Graduate,毕业生 Grand Total,累计 Grand Total (Company Currency),总计(公司货币) -Greater or equals,大于或等于 -Greater than,大于 "Grid """,电网“ Grocery,杂货 Gross Margin %,毛利率% @@ -1207,7 +1131,6 @@ Gross Profit (%),毛利率(%) Gross Weight,毛重 Gross Weight UOM,毛重计量单位 Group,组 -"Group Added, refreshing...",集团已添加,清爽... Group by Account,集团账户 Group by Voucher,集团透过券 Group or Ledger,集团或Ledger @@ -1229,14 +1152,12 @@ Health Care,保健 Health Concerns,健康问题 Health Details,健康细节 Held On,举行 -Help,帮助 Help HTML,HTML帮助 "Help: To link to another record in the system, use ""#Form/Note/[Note Name]"" as the Link URL. (don't use ""http://"")",说明:要链接到另一个记录在系统中,使用“#表单/注意/ [注名]”的链接网址。 (不使用的“http://”) "Here you can maintain family details like name and occupation of parent, spouse and children",在这里,您可以维系家庭的详细信息,如姓名的父母,配偶和子女及职业 "Here you can maintain height, weight, allergies, medical concerns etc",在这里,你可以保持身高,体重,过敏,医疗问题等 Hide Currency Symbol,隐藏货币符号 High,高 -History,历史 History In Company,历史在公司 Hold,持有 Holiday,节日 @@ -1281,17 +1202,14 @@ If you have Sales Team and Sale Partners (Channel Partners) they can be tagged If you involve in manufacturing activity. Enables Item 'Is Manufactured',如果您在制造业活动涉及。使项目'制造' Ignore,忽略 Ignored: ,忽略: -"Ignoring Item {0}, because a group exists with the same name!",忽略项目{0} ,因为一组存在具有相同名字! Image,图像 Image View,图像查看 Implementation Partner,实施合作伙伴 -Import,进口 Import Attendance,进口出席 Import Failed!,导入失败! Import Log,导入日志 Import Successful!,导入成功! Imports,进口 -In,在 In Hours,以小时为单位 In Process,在过程 In Qty,在数量 @@ -1306,7 +1224,6 @@ In Words will be visible once you save the Purchase Receipt.,在词将是可见 In Words will be visible once you save the Quotation.,在词将是可见的,一旦你保存报价。 In Words will be visible once you save the Sales Invoice.,在词将是可见的,一旦你保存销售发票。 In Words will be visible once you save the Sales Order.,在词将是可见的,一旦你保存销售订单。 -In response to,响应于 Incentives,奖励 Include Reconciled Entries,包括对账项目 Include holidays in Total no. of Working Days,包括节假日的总数。工作日 @@ -1327,8 +1244,6 @@ Indirect Income,间接收入 Individual,个人 Industry,行业 Industry Type,行业类型 -Insert Below,下面插入 -Insert Row,插入行 Inspected By,视察 Inspection Criteria,检验标准 Inspection Required,需要检验 @@ -1350,8 +1265,6 @@ Internal,内部 Internet Publishing,互联网出版 Introduction,介绍 Invalid Barcode or Serial No,无效的条码或序列号 -Invalid Email: {0},无效的电子邮件: {0} -Invalid Filter: {0},无效的过滤器: {0} Invalid Mail Server. Please rectify and try again.,无效的邮件服务器。请纠正,然后再试一次。 Invalid Master Name,公司,月及全年是强制性的 Invalid User Name or Support Password. Please rectify and try again.,无效的用户名或支持密码。请纠正,然后再试一次。 @@ -1516,7 +1429,6 @@ Landed Cost updated successfully,到岸成本成功更新 Language,语 Last Name,姓 Last Purchase Rate,最后预订价 -Last updated by,最后更新由 Latest,最新 Lead,铅 Lead Details,铅详情 @@ -1566,24 +1478,17 @@ Ledgers,总帐 Left,左 Legal,法律 Legal Expenses,法律费用 -Less or equals,小于或等于 -Less than,小于 Letter Head,信头 Letter Heads for print templates.,信头的打印模板。 Level,级别 Lft,LFT Liability,责任 -Like,喜欢 -Linked With,挂具 -List,表 List a few of your customers. They could be organizations or individuals.,列出一些你的客户。他们可以是组织或个人。 List a few of your suppliers. They could be organizations or individuals.,列出一些你的供应商。他们可以是组织或个人。 List items that form the package.,形成包列表项。 List this Item in multiple groups on the website.,列出这个项目在网站上多个组。 "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 your tax heads (e.g. VAT, Excise; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.",列出你的头税(如增值税,消费税,他们应该有唯一的名称)及其标准费率。 -Loading,载入中 -Loading Report,加载报表 Loading...,载入中... Loans (Liabilities),借款(负债) Loans and Advances (Assets),贷款及垫款(资产) @@ -1591,7 +1496,6 @@ Local,当地 Login with your new User ID,与你的新的用户ID登录 Logo,标志 Logo and Letter Heads,标志和信头 -Logout,注销 Lost,丢失 Lost Reason,失落的原因 Low,低 @@ -1642,7 +1546,6 @@ Make Salary Structure,使薪酬结构 Make Sales Invoice,做销售发票 Make Sales Order,使销售订单 Make Supplier Quotation,让供应商报价 -Make a new,创建一个新的 Male,男性 Manage Customer Group Tree.,管理客户组树。 Manage Sales Person Tree.,管理销售人员树。 @@ -1650,8 +1553,6 @@ Manage Territory Tree.,管理领地树。 Manage cost of operations,管理运营成本 Management,管理 Manager,经理 -Mandatory fields required in {0},在需要的必填字段{0} -Mandatory filters required:\n,需要强制性的过滤器: \ ñ "Mandatory if Stock Item is ""Yes"". Also the default warehouse where reserved quantity is set from Sales Order.",如果股票的强制性项目为“是”。也是默认仓库,保留数量从销售订单设置。 Manufacture against Sales Order,对制造销售订单 Manufacture/Repack,制造/重新包装 @@ -1722,13 +1623,11 @@ Minute,分钟 Misc Details,其它详细信息 Miscellaneous Expenses,杂项开支 Miscelleneous,Miscelleneous -Missing Values Required,所需遗漏值 Mobile No,手机号码 Mobile No.,手机号码 Mode of Payment,付款方式 Modern,现代 Modified Amount,修改金额 -Modified by,改性 Monday,星期一 Month,月 Monthly,每月一次 @@ -1736,12 +1635,9 @@ Monthly Attendance Sheet,每月考勤表 Monthly Earning & Deduction,每月入息和扣除 Monthly Salary Register,月薪注册 Monthly salary statement.,月薪声明。 -More,更多 More Details,更多详情 More Info,更多信息 Motion Picture & Video,电影和视频 -Move Down: {0},下移: {0} -Move Up: {0},上移: {0} Moving Average,移动平均线 Moving Average Rate,移动平均房价 Mr,先生 @@ -1751,12 +1647,9 @@ Multiple Item prices.,多个项目的价格。 conflict by assigning priority. Price Rules: {0}",多价规则存在具有相同的标准,请通过分配优先解决\ \ ñ冲突。 Music,音乐 Must be Whole Number,必须是整数 -My Settings,我的设置 Name,名称 Name and Description,名称和说明 Name and Employee ID,姓名和雇员ID -Name is required,名称是必需的 -Name not permitted,名称不允许 "Name of new Account. Note: Please don't create accounts for Customers and Suppliers, they are created automatically from the Customer and Supplier master",新帐户的名称。注:请不要创建帐户客户和供应商,它们会自动从客户和供应商创造大师 Name of person or organization that this address belongs to.,的人或组织该地址所属的命名。 Name of the Budget Distribution,在预算分配的名称 @@ -1774,7 +1667,6 @@ Net Weight UOM,净重计量单位 Net Weight of each Item,每个项目的净重 Net pay cannot be negative,净工资不能为负 Never,从来没有 -New,新 New ,新 New Account,新帐号 New Account Name,新帐号名称 @@ -1794,7 +1686,6 @@ New Projects,新项目 New Purchase Orders,新的采购订单 New Purchase Receipts,新的购买收据 New Quotations,新语录 -New Record,新记录 New Sales Orders,新的销售订单 New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,新的序列号不能有仓库。仓库必须由股票输入或外购入库单进行设置 New Stock Entries,新货条目 @@ -1816,11 +1707,8 @@ Next,下一个 Next Contact By,接着联系到 Next Contact Date,下一步联络日期 Next Date,下一个日期 -Next Record,下一纪录 -Next actions,下一步行动 Next email will be sent on:,接下来的电子邮件将被发送: No,无 -No Communication tagged with this ,无标签的通信与此 No Customer Accounts found.,没有客户帐户发现。 No Customer or Supplier Accounts found,没有找到客户或供应商账户 No Expense Approvers. Please assign 'Expense Approver' Role to atleast one user,无费用审批。请指定“支出审批人的角色,以ATLEAST一个用户 @@ -1830,48 +1718,31 @@ No Items to pack,无项目包 No Leave Approvers. Please assign 'Leave Approver' Role to atleast one user,没有请假审批。请指定'休假审批的角色,以ATLEAST一个用户 No Permission,无权限 No Production Orders created,没有创建生产订单 -No Report Loaded. Please use query-report/[Report Name] to run a report.,无报告加载。请使用查询报告/ [报告名称]运行报告。 -No Results,没有结果 No Supplier Accounts found. Supplier Accounts are identified based on 'Master Type' value in account record.,#,## # ### No accounting entries for the following warehouses,没有以下的仓库会计分录 No addresses created,没有发起任何地址 No contacts created,没有发起任何接触 No default BOM exists for Item {0},默认情况下不存在的BOM项目为{0} No description given,未提供描述 -No document selected,没有选择文件 No employee found,任何员工发现 No employee found!,任何员工发现! No of Requested SMS,无的请求短信 No of Sent SMS,没有发送短信 No of Visits,没有访问量的 -No one,没有人 No permission,没有权限 -No permission to '{0}' {1},没有权限“{0}” {1} -No permission to edit,无权限进行编辑 No record found,没有资料 -No records tagged.,没有记录标记。 No salary slip found for month: ,没有工资单上发现的一个月: Non Profit,非营利 -None,无 -None: End of Workflow,无:结束的工作流程 Nos,NOS Not Active,不活跃 Not Applicable,不适用 Not Available,不可用 Not Billed,不发单 Not Delivered,未交付 -Not Found,未找到 -Not Linked to any record.,不链接到任何记录。 -Not Permitted,不允许 Not Set,没有设置 -Not Submitted,未提交 -Not allowed,不允许 Not allowed to update entries older than {0},不允许更新比旧条目{0} Not authorized to edit frozen Account {0},无权修改冻结帐户{0} Not authroized since {0} exceeds limits,不authroized因为{0}超出范围 -Not enough permission to see links.,没有足够的权限查看链接。 -Not equals,不等于 -Not found,未找到 Not permitted,不允许 Note,注 Note User,注意用户 @@ -1880,7 +1751,6 @@ Note User,注意用户 Note: Due Date exceeds the allowed credit days by {0} day(s),注:截止日期为{0}天超过允许的信用天 Note: Email will not be sent to disabled users,注:电子邮件将不会被发送到用户禁用 Note: Item {0} entered multiple times,注:项目{0}多次输入 -Note: Other permission rules may also apply,注:其它权限规则也可申请 Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,注:付款项将不会被因为“现金或银行帐户”未指定创建 Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,注:系统将不检查过交付和超额预订的项目{0}的数量或金额为0 Note: There is not enough leave balance for Leave Type {0},注:没有足够的休假余额请假类型{0} @@ -1889,12 +1759,9 @@ Note: {0},注: {0} Notes,笔记 Notes:,注意事项: Nothing to request,9 。这是含税的基本价格:?如果您检查这一点,就意味着这个税不会显示在项目表中,但在你的主项表将被纳入基本速率。你想要给一个单位价格(包括所有税费)的价格为顾客这是有用的。 -Nothing to show,没有显示 -Nothing to show for this selection,没什么可显示该选择 Notice (days),通告(天) Notification Control,通知控制 Notification Email Address,通知电子邮件地址 -Notify By Email,通知通过电子邮件 Notify by Email on creation of automatic Material Request,在创建自动材料通知要求通过电子邮件 Number Format,数字格式 Offer Date,要约日期 @@ -1938,7 +1805,6 @@ Opportunity Items,项目的机会 Opportunity Lost,失去的机会 Opportunity Type,机会型 Optional. This setting will be used to filter in various transactions.,可选。此设置将被应用于各种交易进行过滤。 -Or Created By,或者创建人 Order Type,订单类型 Order Type must be one of {1},订单类型必须是一个{1} Ordered,订购 @@ -1953,7 +1819,6 @@ Organization Profile,组织简介 Organization branch master.,组织分支主。 Organization unit (department) master.,组织单位(部门)的主人。 Original Amount,原来的金额 -Original Message,原始消息 Other,其他 Other Details,其他详细信息 Others,他人 @@ -1996,7 +1861,6 @@ Packing Slip Items,装箱单项目 Packing Slip(s) cancelled,装箱单( S)取消 Page Break,分页符 Page Name,网页名称 -Page not found,找不到网页 Paid Amount,支付的金额 Paid amount + Write Off Amount can not be greater than Grand Total,支付的金额+写的抵销金额不能大于总计 Pair,对 @@ -2062,9 +1926,6 @@ Period Closing Voucher,期末券 Periodicity,周期性 Permanent Address,永久地址 Permanent Address Is,永久地址 -Permanently Cancel {0}?,永久取消{0} ? -Permanently Submit {0}?,永久提交{0} ? -Permanently delete {0}?,永久删除{0} ? Permission,允许 Personal,个人 Personal Details,个人资料 @@ -2073,7 +1934,6 @@ Pharmaceutical,医药 Pharmaceuticals,制药 Phone,电话 Phone No,电话号码 -Pick Columns,摘列 Piecework,计件工作 Pincode,PIN代码 Place of Issue,签发地点 @@ -2086,8 +1946,6 @@ Plant,厂 Plant and Machinery,厂房及机器 Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,请输入缩写或简称恰当,因为它会被添加为后缀的所有帐户头。 Please add expense voucher details,请新增支出凭单细节 -Please attach a file first.,请附上文件第一。 -Please attach a file or set a URL,请附上一个文件或设置一个URL Please check 'Is Advance' against Account {0} if this is an advance entry.,请检查'是推进'对帐户{0} ,如果这是一个进步的条目。 Please click on 'Generate Schedule',请点击“生成表” Please click on 'Generate Schedule' to fetch Serial No added for Item {0},请点击“生成表”来获取序列号增加了对项目{0} @@ -2096,7 +1954,6 @@ Please create Customer from Lead {0},请牵头建立客户{0} Please create Salary Structure for employee {0},员工请建立薪酬结构{0} Please create new account from Chart of Accounts.,请从科目表创建新帐户。 Please do NOT create Account (Ledgers) for Customers and Suppliers. They are created directly from the Customer / Supplier masters.,请不要用于客户及供应商建立的帐户(总帐)。他们直接从客户/供应商创造的主人。 -Please enable pop-ups,请启用弹出窗口 Please enter 'Expected Delivery Date',请输入“预产期” Please enter 'Is Subcontracted' as Yes or No,请输入'转包' YES或NO Please enter 'Repeat on Day of Month' field value,请输入“重复上月的一天'字段值 @@ -2107,7 +1964,6 @@ Please enter Company,你不能输入行没有。大于或等于当前行没有 Please enter Cost Center,请输入成本中心 Please enter Delivery Note No or Sales Invoice No to proceed,请输入送货单号或销售发票号码进行 Please enter Employee Id of this sales parson,请输入本销售牧师的员工标识 -Please enter Event's Date and Time!,请输入事件的日期和时间! Please enter Expense Account,请输入您的费用帐户 Please enter Item Code to get batch no,请输入产品编号,以获得批号 Please enter Item Code.,请输入产品编号。 @@ -2133,14 +1989,11 @@ Please enter parent cost center,请输入父成本中心 Please enter quantity for Item {0},请输入量的项目{0} Please enter relieving date.,请输入解除日期。 Please enter sales order in the above table,小于等于零系统,估值率是强制性的资料 -Please enter some text!,请输入一些文字! -Please enter title!,请输入标题! Please enter valid Company Email,请输入有效的电邮地址 Please enter valid Email Id,请输入有效的电子邮件Id Please enter valid Personal Email,请输入有效的个人电子邮件 Please enter valid mobile nos,请输入有效的手机号 Please install dropbox python module,请安装Dropbox的Python模块 -Please login to Upvote!,请登录到的upvote ! Please mention no of visits required,请注明无需访问 Please pull items from Delivery Note,请送货单拉项目 Please save the Newsletter before sending,请在发送之前保存通讯 @@ -2191,8 +2044,6 @@ Plot By,阴谋 Point of Sale,销售点 Point-of-Sale Setting,销售点的设置 Post Graduate,研究生 -Post already exists. Cannot add again!,帖子已经存在。不能再添加! -Post does not exist. Please add post!,帖子不存在。请新增职位! Postal,邮政 Postal Expenses,邮政费用 Posting Date,发布日期 @@ -2207,7 +2058,6 @@ Prevdoc DocType,Prevdoc的DocType Prevdoc Doctype,Prevdoc文档类型 Preview,预览 Previous,以前 -Previous Record,上一记录 Previous Work Experience,以前的工作经验 Price,价格 Price / Discount,价格/折扣 @@ -2226,12 +2076,10 @@ Price or Discount,价格或折扣 Pricing Rule,定价规则 Pricing Rule For Discount,定价规则对于折扣 Pricing Rule For Price,定价规则对于价格 -Print,打印 Print Format Style,打印格式样式 Print Heading,打印标题 Print Without Amount,打印量不 Print and Stationary,印刷和文具 -Print...,打印... Printing and Branding,印刷及品牌 Priority,优先 Private Equity,私募股权投资 @@ -2357,7 +2205,6 @@ Quantity of item obtained after manufacturing / repacking from given quantities Quantity required for Item {0} in row {1},要求项目数量{0}行{1} Quarter,季 Quarterly,季刊 -Query Report,查询报表 Quick Help,快速帮助 Quotation,行情 Quotation Date,报价日期 @@ -2459,14 +2306,11 @@ Rejected Warehouse is mandatory against regected item,拒绝仓库是必须反 Relation,关系 Relieving Date,解除日期 Relieving Date must be greater than Date of Joining,解除日期必须大于加入的日期 -Reload Page,刷新页面 Remark,备注 Remarks,备注 -Remove Bookmark,删除书签 Rename,重命名 Rename Log,重命名日志 Rename Tool,重命名工具 -Rename...,重命名... Rent Cost,租金成本 Rent per hour,每小时租 Rented,租 @@ -2474,12 +2318,9 @@ Repeat on Day of Month,重复上月的日 Replace,更换 Replace Item / BOM in all BOMs,更换项目/物料清单中的所有材料明细表 Replied,回答 -Report,报告 Report Date,报告日期 Report Type,报告类型 Report Type is mandatory,报告类型是强制性的 -Report an Issue,报告问题 -Report was not saved (there were errors),报告没有被保存(有错误) Reports to,报告以 Reqd By Date,REQD按日期 Request Type,请求类型 @@ -2630,7 +2471,6 @@ Salutation,招呼 Sample Size,样本大小 Sanctioned Amount,制裁金额 Saturday,星期六 -Save,节省 Schedule,时间表 Schedule Date,时间表日期 Schedule Details,计划详细信息 @@ -2644,7 +2484,6 @@ Score (0-5),得分(0-5) Score Earned,获得得分 Score must be less than or equal to 5,得分必须小于或等于5 Scrap %,废钢% -Search,搜索 Seasonality for setting budgets.,季节性设定预算。 Secretary,秘书 Secured Loans,抵押贷款 @@ -2656,26 +2495,18 @@ Securities and Deposits,证券及存款 "Select ""Yes"" if this item represents some work like training, designing, consulting etc.",选择“是”,如果此项目表示类似的培训,设计,咨询等一些工作 "Select ""Yes"" if you are maintaining stock of this item in your Inventory.",选择“是”,如果你保持这个项目的股票在你的库存。 "Select ""Yes"" if you supply raw materials to your supplier to manufacture this item.",选择“是”,如果您对供应原料给供应商,制造资料。 -Select All,全选 -Select Attachments,选择附件 Select Budget Distribution to unevenly distribute targets across months.,选择预算分配跨个月呈不均衡分布的目标。 "Select Budget Distribution, if you want to track based on seasonality.",选择预算分配,如果你要根据季节来跟踪。 Select DocType,选择的DocType Select Items,选择项目 -Select Print Format,选择打印格式 Select Purchase Receipts,选择外购入库单 -Select Report Name,选择报告名称 Select Sales Orders,选择销售订单 Select Sales Orders from which you want to create Production Orders.,要从创建生产订单选择销售订单。 Select Time Logs and Submit to create a new Sales Invoice.,选择时间日志和提交创建一个新的销售发票。 -Select To Download:,选择要下载: Select Transaction,选择交易 -Select Type,选择类型 Select Your Language,选择您的语言 Select account head of the bank where cheque was deposited.,选取支票存入该银行账户的头。 Select company name first.,先选择公司名称。 -Select dates to create a new ,选择日期以创建一个新的 -Select or drag across time slots to create a new event.,选择或拖动整个时隙,以创建一个新的事件。 Select template from which you want to get the Goals,选择您想要得到的目标模板 Select the Employee for whom you are creating the Appraisal.,选择要为其创建的考核员工。 Select the period when the invoice will be generated automatically,当选择发票会自动生成期间 @@ -2691,11 +2522,9 @@ Select your home country and check the timezone and currency.,选择您的国家 Selling,销售 Selling Settings,销售设置 Send,发送 -Send As Email,发送电​​子邮件 Send Autoreply,发送自动回复 Send Email,发送电​​子邮件 Send From,从发送 -Send Me A Copy,给我发一份 Send Notifications To,发送通知给 Send Now,立即发送 Send SMS,发送短信 @@ -2705,7 +2534,6 @@ Send mass SMS to your contacts,发送群发短信到您的联系人 Send to this list,发送到这个列表 Sender Name,发件人名称 Sent On,在发送 -Sent or Received,发送或接收 Separate production order will be created for each finished good item.,独立的生产订单将每个成品项目被创建。 Serial No,序列号 Serial No / Batch,序列号/批次 @@ -2739,11 +2567,9 @@ Series {0} already used in {1},系列{0}已经被应用在{1} Service,服务 Service Address,服务地址 Services,服务 -Session Expired. Logging you out,会话过期。您的退出 Set,集 "Set Default Values like Company, Currency, Current Fiscal Year, etc.",像公司,货币,当前财政年度,等设置默认值 Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,设置这个领地项目组间的预算。您还可以包括季节性通过设置分发。 -Set Link,设置链接 Set as Default,设置为默认 Set as Lost,设为失落 Set prefix for numbering series on your transactions,为你的交易编号序列设置的前缀 @@ -2776,17 +2602,12 @@ Shipping Rule Label,送货规则标签 Shop,店 Shopping Cart,购物车 Short biography for website and other publications.,短的传记的网站和其他出版物。 -Shortcut,捷径 "Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",显示“有货”或“无货”的基础上股票在这个仓库有。 "Show / Hide features like Serial Nos, POS etc.",像序列号, POS机等显示/隐藏功能 -Show Details,显示详细信息 Show In Website,显示在网站 -Show Tags,显示标签 Show a slideshow at the top of the page,显示幻灯片在页面顶部 Show in Website,显示在网站 -Show rows with zero values,秀行与零值 Show this slideshow at the top of the page,这显示在幻灯片页面顶部 -Showing only for (if not empty),仅显示为(如果不为空) Sick Leave,病假 Signature,签名 Signature to be appended at the end of every email,签名在每封电子邮件的末尾追加 @@ -2797,11 +2618,8 @@ Slideshow,连续播放 Soap & Detergent,肥皂和洗涤剂 Software,软件 Software Developer,软件开发人员 -Sorry we were unable to find what you were looking for.,对不起,我们无法找到您所期待的。 -Sorry you are not permitted to view this page.,对不起,您没有权限浏览这个页面。 "Sorry, Serial Nos cannot be merged",对不起,序列号无法合并 "Sorry, companies cannot be merged",对不起,企业不能合并 -Sort By,排序 Source,源 Source File,源文件 Source Warehouse,源代码仓库 @@ -2826,7 +2644,6 @@ Standard Selling,标准销售 Standard contract terms for Sales or Purchase.,标准合同条款的销售或采购。 Start,开始 Start Date,开始日期 -Start Report For,启动年报 Start date of current invoice's period,启动电流发票的日期内 Start date should be less than end date for Item {0},开始日期必须小于结束日期项目{0} State,态 @@ -2884,7 +2701,6 @@ Sub Assemblies,子组件 "Sub-currency. For e.g. ""Cent""",子货币。对于如“美分” Subcontract,转包 Subject,主题 -Submit,提交 Submit Salary Slip,提交工资单 Submit all salary slips for the above selected criteria,提交所有工资单的上面选择标准 Submit this Production Order for further processing.,提交此生产订单进行进一步的处理。 @@ -2928,7 +2744,6 @@ Support Email Settings,支持电子邮件设置 Support Password,支持密码 Support Ticket,支持票 Support queries from customers.,客户支持查询。 -Switch to Website,切换到网站 Symbol,符号 Sync Support Mails,同步支持邮件 Sync with Dropbox,同步与Dropbox @@ -2936,7 +2751,6 @@ Sync with Google Drive,同步与谷歌驱动器 System,系统 System Settings,系统设置 "System User (login) ID. If set, it will become default for all HR forms.",系统用户(登录)的标识。如果设置,这将成为默认的所有人力资源的形式。 -Tags,标签 Target Amount,目标金额 Target Detail,目标详细信息 Target Details,目标详细信息 @@ -2995,7 +2809,6 @@ Territory Target Variance Item Group-Wise,境内目标差异项目组,智者 Territory Targets,境内目标 Test,测试 Test Email Id,测试电子邮件Id -Test Runner,测试运行 Test the Newsletter,测试通讯 The BOM which will be replaced,这将被替换的物料清单 The First User: You,第一个用户:您 @@ -3003,7 +2816,7 @@ The First User: You,第一个用户:您 The Organization,本组织 "The account head under Liability, in which Profit/Loss will be booked",根据责任账号头,其中利润/亏损将被黄牌警告 "The date on which next invoice will be generated. It is generated on submit. -",在这接下来的发票将生成的日期。 +",在其旁边的发票将生成的日期。 The date on which recurring invoice will be stop,在其经常性发票将被停止日期 "The day of the month on which auto invoice will be generated e.g. 05, 28 etc ",这个月的日子,汽车发票将会产生如05,28等 The day(s) on which you are applying for leave are holiday. You need not apply for leave.,在天在你申请许可的假期。你不需要申请许可。 @@ -3015,28 +2828,23 @@ The net weight of this package. (calculated automatically as sum of net weight o The new BOM after replacement,更换后的新物料清单 The rate at which Bill Currency is converted into company's base currency,在该条例草案的货币转换成公司的基础货币的比率 The unique id for tracking all recurring invoices. It is generated on submit.,唯一ID来跟踪所有的经常性发票。它是在提交生成的。 -Then By (optional),再由(可选) There are more holidays than working days this month.,还有比这个月工作日更多的假期。 "There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",只能有一个运输规则条件为0或空值“ To值” There is not enough leave balance for Leave Type {0},没有足够的余额休假请假类型{0} There is nothing to edit.,对于如1美元= 100美分 There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,有一个错误。一个可能的原因可能是因为您没有保存的形式。请联系support@erpnext.com如果问题仍然存在。 -There were errors,有错误 -There were errors while sending email. Please try again.,还有在发送电子邮件是错误的。请再试一次。 There were errors.,有错误。 This Currency is disabled. Enable to use in transactions,公司在以下仓库失踪 This Leave Application is pending approval. Only the Leave Apporver can update status.,这个假期申请正在等待批准。只有离开Apporver可以更新状态。 This Time Log Batch has been billed.,此时日志批量一直标榜。 This Time Log Batch has been cancelled.,此时日志批次已被取消。 This Time Log conflicts with {0},这个时间日志与冲突{0} -This is PERMANENT action and you cannot undo. Continue?,这是永久性的行动,你不能撤消。要继续吗? This is a root account and cannot be edited.,这是一个root帐户,不能被编辑。 This is a root customer group and cannot be edited.,ERPNext是一个开源的基于Web的ERP系统通过网络注技术私人有限公司向提供集成的工具,在一个小的组织管理大多数进程。有关Web注释,或购买托管楝更多信息,请访问 This is a root item group and cannot be edited.,请先输入项目 This is a root sales person and cannot be edited.,您可以通过选择备份频率启动和\ This is a root territory and cannot be edited.,集团或Ledger ,借方或贷方,是特等帐户 This is an example website auto-generated from ERPNext,这是一个示例网站从ERPNext自动生成 -This is permanent action and you cannot undo. Continue?,这是永久的行动,你不能撤消。要继续吗? This is the number of the last created transaction with this prefix,这就是以这个前缀的最后一个创建的事务数 This will be used for setting rule in HR module,这将用于在人力资源模块的设置规则 Thread HTML,主题HTML @@ -3078,7 +2886,6 @@ To get Item Group in details table,为了让项目组在详细信息表 "To include tax in row {0} in Item rate, taxes in rows {1} must also be included",要包括税款,行{0}项率,税收行{1}也必须包括在内 "To merge, following properties must be same for both items",若要合并,以下属性必须为这两个项目是相同的 "To report an issue, go to ",要报告问题,请至 -"To run a test add the module name in the route after '{0}'. For example, {1}",运行测试后, “{0}”添加模块名称的路线。例如, {1} "To set this Fiscal Year as Default, click on 'Set as Default'",要设置这个财政年度为默认值,点击“设为默认” To track any installation or commissioning related work after sales,跟踪销售后的任何安装或调试相关工作 "To track brand name in the following documents Delivery Note, Opportunity, Material Request, Item, Purchase Order, Purchase Voucher, Purchaser Receipt, Quotation, Sales Invoice, Sales BOM, Sales Order, Serial No",在以下文件送货单,机遇,材质要求,项目,采购订单,购买凭证,买方收据,报价单,销售发票,销售物料,销售订单,序列号跟踪品牌 @@ -3130,7 +2937,6 @@ Totals,总计 Track Leads by Industry Type.,轨道信息通过行业类型。 Track this Delivery Note against any Project,跟踪此送货单反对任何项目 Track this Sales Order against any Project,跟踪对任何项目这个销售订单 -Trainee,实习生 Transaction,交易 Transaction Date,交易日期 Transaction not allowed against stopped Production Order {0},交易不反对停止生产订单允许{0} @@ -3162,7 +2968,6 @@ UOM Conversion Factor,计量单位换算系数 UOM Conversion factor is required in row {0},计量单位换算系数是必需的行{0} UOM Name,计量单位名称 UOM coversion factor required for UOM {0} in Item {1},所需的计量单位计量单位:丁文因素{0}项{1} -Unable to load: {0},无法加载: {0} Under AMC,在AMC Under Graduate,根据研究生 Under Warranty,在保修期 @@ -3172,11 +2977,8 @@ Unit of Measure {0} has been entered more than once in Conversion Factor Table, "Unit of measurement of this item (e.g. Kg, Unit, No, Pair).",这资料(如公斤,单位,不,一对)的测量单位。 Units/Hour,单位/小时 Units/Shifts,单位/位移 -Unknown Column: {0},未知专栏: {0} -Unknown Print Format: {0},未知的打印格式: {0} Unmatched Amount,无与伦比的金额 Unpaid,未付 -Unread Messages,未读消息 Unscheduled,计划外 Unsecured Loans,无抵押贷款 Unstop,Unstop @@ -3196,18 +2998,14 @@ Update bank payment dates with journals.,更新与期刊银行付款日期。 Update clearance date of Journal Entries marked as 'Bank Vouchers',你不能同时输入送货单号及销售发票编号请输入任何一个。 Updated,更新 Updated Birthday Reminders,更新生日提醒 -Upload,上载 -Upload Attachment,上传附件 Upload Attendance,上传出席 Upload Backups to Dropbox,上传备份到Dropbox Upload Backups to Google Drive,上传备份到谷歌驱动器 Upload HTML,上传HTML Upload a .csv file with two columns: the old name and the new name. Max 500 rows.,上传一个csv文件有两列:旧名称和新名称。最大500行。 -Upload a file,上传文件 Upload attendance from a .csv file,从。csv文件上传考勤 Upload stock balance via csv.,通过CSV上传库存余额。 Upload your letter head and logo - you can edit them later.,上传你的信头和标志 - 你可以在以后对其进行编辑。 -Uploading...,上载... Upper Income,高收入 Urgent,急 Use Multi-Level BOM,采用多级物料清单 @@ -3217,11 +3015,9 @@ User ID,用户ID User ID not set for Employee {0},用户ID不为员工设置{0} User Name,用户名 User Name or Support Password missing. Please enter and try again.,用户名或支持密码丢失。请输入并重试。 -User Permission Restrictions,用户权限限制 User Remark,用户备注 User Remark will be added to Auto Remark,用户备注将被添加到自动注 User Remarks is mandatory,用户备注是强制性的 -User Restrictions,用户限制 User Specific,特定用户 User must always select,用户必须始终选择 User {0} is already assigned to Employee {1},用户{0}已经被分配给员工{1} @@ -3319,8 +3115,6 @@ Will be updated after Sales Invoice is Submitted.,之后销售发票已提交将 Will be updated when batched.,批处理时将被更新。 Will be updated when billed.,计费时将被更新。 Wire Transfer,电汇 -With Groups,与团体 -With Ledgers,与总帐 With Operations,随着运营 With period closing entry,随着期末入门 Work Details,作品详细信息 @@ -3328,7 +3122,6 @@ Work Done,工作完成 Work In Progress,工作进展 Work-in-Progress Warehouse,工作在建仓库 Work-in-Progress Warehouse is required before Submit,工作在进展仓库提交之前,需要 -Workflow will start after saving.,保存后的工作流程将启动。 Working,工作的 Workstation,工作站 Workstation Name,工作站名称 @@ -3351,11 +3144,6 @@ Year Start Date should not be greater than Year End Date,今年开始日期不 Year of Passing,路过的一年 Yearly,每年 Yes,是的 -Yesterday,昨天 -You are not allowed to create / edit reports,你不允许创建/编辑报道 -You are not allowed to export this report,你不准出口本报告 -You are not allowed to print this document,你不允许打印此文档 -You are not allowed to send emails related to this document,你是不是允许发送与此相关的文档的电子邮件 You are not authorized to add or update entries before {0},你无权之前添加或更新条目{0} You are not authorized to set Frozen value,您无权设定值冻结 You are the Expense Approver for this record. Please Update the 'Status' and Save,让项目B是制造< / B> @@ -3372,7 +3160,6 @@ You can submit this Stock Reconciliation.,您可以提交该股票对账。 You can update either Quantity or Valuation Rate or both.,你可以更新数量或估值速率或两者兼而有之。 You cannot credit and debit same account at the same time,你无法信用卡和借记同一账户在同一时间 You have entered duplicate items. Please rectify and try again.,您输入重复的项目。请纠正,然后再试一次。 -You have unsaved changes in this form. Please save before you continue.,你在本表格未保存的更改。 You may need to update: {0},你可能需要更新: {0} You must Save the form before proceeding,在继续之前,您必须保存表单 You must allocate amount before reconcile,调和之前,你必须分配金额 @@ -3381,7 +3168,6 @@ Your Customers,您的客户 Your Login Id,您的登录ID Your Products or Services,您的产品或服务 Your Suppliers,您的供应商 -"Your download is being built, this may take a few moments...",您的下载正在修建,这可能需要一些时间...... Your email address,您的电子邮件地址 Your financial year begins on,您的会计年度自 Your financial year ends on,您的财政年度结束于 @@ -3394,8 +3180,6 @@ Your support email id - must be a valid email - this is where your emails will c and,和 are not allowed.,项目组树 assigned by,由分配 -comment,评论 -comments,评论 "e.g. ""Build tools for builders""",例如「建设建设者工具“ "e.g. ""MC""",例如“MC” "e.g. ""My Company LLC""",例如“我的公司有限责任公司” @@ -3405,14 +3189,9 @@ e.g. 5,例如5 e.g. VAT,例如增值税 eg. Cheque Number,例如:。支票号码 example: Next Day Shipping,例如:次日发货 -found,发现 -is not allowed.,是不允许的。 lft,LFT old_parent,old_parent -or,或 rgt,RGT -to,至 -values and dates,值和日期 website page link,网站页面的链接 {0} '{1}' not in Fiscal Year {2},{0}“ {1}”不财政年度{2} {0} Credit limit {0} crossed,{0}信贷限额{0}划线 diff --git a/erpnext/translations/zh-tw.csv b/erpnext/translations/zh-tw.csv index 6115cdd760..391c5dcf14 100644 --- a/erpnext/translations/zh-tw.csv +++ b/erpnext/translations/zh-tw.csv @@ -1,7 +1,5 @@ (Half Day),(半天) and year: ,和年份: - by Role ,按角色 - is not set,沒有設置 """ does not exists",“不存在 % Delivered,%交付 % Amount Billed,(%)金額帳單 @@ -34,7 +32,6 @@ "1 Currency = [?] Fraction For e.g. 1 USD = 100 Cent",1貨幣= [?]分數\ n對於如 1. To maintain the customer wise item code and to make them searchable based on their code use this option,1。為了保持客戶明智的項目代碼,並使其搜索根據自己的代碼中使用這個選項 -2 days ago,3天前 "Add / Edit","添加/編輯" "Add / Edit","添加/編輯" "Add / Edit","添加/編輯" @@ -89,7 +86,6 @@ Accounts Frozen Upto,賬戶被凍結到...為止 Accounts Payable,應付帳款 Accounts Receivable,應收帳款 Accounts Settings,賬戶設置 -Actions,操作 Active,活躍 Active: Will extract emails from ,主動:請問從郵件中提取 Activity,活動 @@ -111,23 +107,13 @@ Actual Quantity,實際數量 Actual Start Date,實際開始日期 Add,加 Add / Edit Taxes and Charges,添加/編輯稅金及費用 -Add Attachments,添加附件 -Add Bookmark,添加書籤 Add Child,添加子 -Add Column,添加列 -Add Message,發表留言 -Add Reply,添加回复 Add Serial No,添加序列號 Add Taxes,加稅 Add Taxes and Charges,增加稅收和收費 -Add This To User's Restrictions,將它添加到用戶的限制 -Add attachment,添加附件 -Add new row,添加新行 Add or Deduct,添加或扣除 Add rows to set annual budgets on Accounts.,添加行上的帳戶設置年度預算。 Add to Cart,添加到購物車 -Add to To Do,添加到待辦事項 -Add to To Do List of,添加到待辦事項列表 Add to calendar on this date,添加到日曆在此日期 Add/Remove Recipients,添加/刪除收件人 Address,地址 @@ -220,9 +206,6 @@ Allow user to edit Price List Rate in transactions,允許用戶編輯價目表 Allowance Percent,津貼百分比 Allowance for over-delivery / over-billing crossed for Item {0},備抵過交付/過賬單越過為項目{0} Allowed Role to Edit Entries Before Frozen Date,寵物角色來編輯文章前冷凍日期 -"Allowing DocType, DocType. Be careful!",允許的DOCTYPE,的DocType 。要小心! -Alternative download link,另類下載鏈接 -Amend,修改 Amended From,從修訂 Amount,量 Amount (Company Currency),金額(公司貨幣) @@ -270,26 +253,18 @@ Approving User,批准用戶 Approving User cannot be same as user the rule is Applicable To,批准用戶作為用戶的規則適用於不能相同 Are you sure you want to STOP ,您確定要停止 Are you sure you want to UNSTOP ,您確定要UNSTOP -Are you sure you want to delete the attachment?,您確定要刪除的附件? Arrear Amount,欠款金額 "As Production Order can be made for this item, it must be a stock item.",由於生產訂單可以為這個項目提出,它必須是一個股票項目。 As per Stock UOM,按庫存計量單位 "As there are existing stock transactions for this item, you can not change the values of 'Has Serial No', 'Is Stock Item' and 'Valuation Method'",首先從倉庫中取出,然後將其刪除。 -Ascending,升序 Asset,財富 -Assign To,分配給 -Assigned To,分配給 -Assignments,作業 Assistant,助理 Associate,關聯 Atleast one warehouse is mandatory,ATLEAST一間倉庫是強制性的 -Attach Document Print,附加文檔打印 Attach Image,附上圖片 Attach Letterhead,附加信 Attach Logo,附加標誌 Attach Your Picture,附上你的照片 -Attach as web link,附加為網站鏈接 -Attachments,附件 Attendance,護理 Attendance Date,考勤日期 Attendance Details,考勤詳情 @@ -402,7 +377,6 @@ Block leave applications by department.,按部門封鎖許可申請。 Blog Post,博客公告 Blog Subscriber,博客用戶 Blood Group,血型 -Bookmarks,書籤 Both Warehouse must belong to same Company,這兩個倉庫必須屬於同一個公司 Box,箱 Branch,支 @@ -437,7 +411,6 @@ C-Form No,C-表格編號 C-Form records,C-往績紀錄 Calculate Based On,計算的基礎上 Calculate Total Score,計算總分 -Calendar,日曆 Calendar Events,日曆事件 Call,通話 Calls,電話 @@ -450,7 +423,6 @@ Can be approved by {0},可以通過{0}的批准 "Can not filter based on Account, if grouped by Account",7 。總計:累積總數達到了這一點。 "Can not filter based on Voucher No, if grouped by Voucher",是冷凍的帳戶。要禁止該帳戶創建/編輯事務,你需要角色 Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',可以參考的行只有在充電類型是“在上一行量'或'前行總計” -Cancel,取消 Cancel Material Visit {0} before cancelling this Customer Issue,取消物料造訪{0}之前取消這個客戶問題 Cancel Material Visits {0} before cancelling this Maintenance Visit,取消取消此保養訪問之前,材質訪問{0} Cancelled,註銷 @@ -469,11 +441,7 @@ Cannot deactive or cancle BOM as it is linked with other BOMs,不能取消激活 Cannot deduct when category is for 'Valuation' or 'Valuation and Total',不能抵扣當類別為“估值”或“估值及總' "Cannot delete Serial No {0} in stock. First remove from stock, then delete.",不能{0}刪除序號股票。首先從庫存中刪除,然後刪除。 "Cannot directly set amount. For 'Actual' charge type, use the rate field",不能直接設置金額。對於“實際”充電式,用速度場 -Cannot edit standard fields,不能編輯標準字段 -Cannot open instance when its {0} is open,無法打開實例時,它的{0}是開放的 -Cannot open {0} when its instance is open,無法打開{0} ,當它的實例是開放的 "Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in 'Setup' > 'Global Defaults'",不能在一行overbill的項目{0} {0}不是{1}更多。要允許超收,請在“設置”設置> “全球默認值” -Cannot print cancelled documents,無法打印的文檔取消 Cannot produce more Item {0} than Sales Order quantity {1},不能產生更多的項目{0}不是銷售訂單數量{1} Cannot refer row number greater than or equal to current row number for this Charge type,不能引用的行號大於或等於當前行號碼提供給充電式 Cannot return more than {0} for Item {1},不能返回超過{0}的項目{1} @@ -527,19 +495,14 @@ Claim Amount,索賠金額 Claims for company expense.,索賠費用由公司負責。 Class / Percentage,類/百分比 Classic,經典 -Clear Cache,清除緩存 Clear Table,明確表 Clearance Date,清拆日期 Clearance Date not mentioned,清拆日期未提及 Clearance date cannot be before check date in row {0},清拆日期不能行檢查日期前{0} Click on 'Make Sales Invoice' button to create a new Sales Invoice.,單擊“製作銷售發票”按鈕來創建一個新的銷售發票。 Click on a link to get options to expand get options ,點擊一個鏈接以獲取股權以擴大獲取選項 -Click on row to view / edit.,點擊一行,查看/編輯。 -Click to Expand / Collapse,點擊展開/折疊 Client,客戶 -Close,關閉 Close Balance Sheet and book Profit or Loss.,關閉資產負債表和賬面利潤或虧損。 -Close: {0},關閉: {0} Closed,關閉 Closing Account Head,關閉帳戶頭 Closing Account {0} must be of type 'Liability',關閉帳戶{0}必須是類型'責任' @@ -550,10 +513,8 @@ Closing Value,收盤值 CoA Help,輔酶幫助 Code,碼 Cold Calling,自薦 -Collapse,崩潰 Color,顏色 Comma separated list of email addresses,逗號分隔的電子郵件地址列表 -Comment,評論 Comments,評論 Commercial,廣告 Commission,佣金 @@ -564,7 +525,6 @@ Commission rate cannot be greater than 100,佣金率不能大於100 Communication,通訊 Communication HTML,溝通的HTML Communication History,通信歷史記錄 -Communication Medium,通信介質 Communication log.,通信日誌。 Communications,通訊 Company,公司 @@ -583,7 +543,6 @@ Company registration numbers for your reference. Tax numbers etc.,公司註冊 "Company, Month and Fiscal Year is mandatory",在以下文件 - 軌道名牌 Compensatory Off,補假 Complete,完整 -Complete By,完成 Complete Setup,完成安裝 Completed,已完成 Completed Production Orders,完成生產訂單 @@ -635,7 +594,6 @@ Convert into Recurring Invoice,轉換成週期性發票 Convert to Group,轉換為集團 Convert to Ledger,轉換到總帳 Converted,轉換 -Copy,複製 Copy From Item Group,複製從項目組 Cosmetics,化妝品 Cost Center,成本中心 @@ -666,7 +624,6 @@ Create Stock Ledger Entries when you submit a Sales Invoice,創建庫存總帳 Create rules to restrict transactions based on values.,創建規則來限制基於價值的交易。 Created By,創建人 Creates salary slip for above mentioned criteria.,建立工資單上面提到的標準。 -Creation / Modified By,創建/修改者 Creation Date,創建日期 Creation Document No,文檔創建無 Creation Document Type,創建文件類型 @@ -697,11 +654,9 @@ Current Liabilities,流動負債 Current Stock,當前庫存 Current Stock UOM,目前的庫存計量單位 Current Value,當前值 -Current status,現狀 Custom,習俗 Custom Autoreply Message,自定義自動回复消息 Custom Message,自定義消息 -Custom Reports,自定義報告 Customer,顧客 Customer (Receivable) Account,客戶(應收)帳 Customer / Item Name,客戶/項目名稱 @@ -750,7 +705,6 @@ Date Format,日期格式 Date Of Retirement,日退休 Date Of Retirement must be greater than Date of Joining,日期退休必須大於加入的日期 Date is repeated,日期重複 -Date must be in format: {0},日期格式必須是: {0} Date of Birth,出生日期 Date of Issue,發行日期 Date of Joining,加入日期 @@ -761,7 +715,6 @@ Dates,日期 Days Since Last Order,天自上次訂購 Days for which Holidays are blocked for this department.,天的假期被封鎖這個部門。 Dealer,零售商 -Dear,親愛 Debit,借方 Debit Amt,借記額 Debit Note,繳費單 @@ -809,7 +762,6 @@ Default settings for stock transactions.,默認設置為股票交易。 Defense,防禦 "Define Budget for this Cost Center. To set budget action, see Company Master","定義預算這個成本中心。要設置預算行動,見公司主" Delete,刪除 -Delete Row,刪除行 Delete {0} {1}?,刪除{0} {1} ? Delivered,交付 Delivered Items To Be Billed,交付項目要被收取 @@ -836,7 +788,6 @@ Department,部門 Department Stores,百貨 Depends on LWP,依賴於LWP Depreciation,折舊 -Descending,降 Description,描述 Description HTML,說明HTML Designation,指定 @@ -881,15 +832,10 @@ Do you really want to stop production order: , Doc Name,文件名稱 Doc Type,文件類型 Document Description,文檔說明 -Document Status transition from ,從文檔狀態過渡 -Document Status transition from {0} to {1} is not allowed,從{0}到{1}文件狀態轉換是不允許的 Document Type,文件類型 -Document is only editable by users of role,文件只有通過編輯角色的用戶 -Documentation,文檔 Documents,文件 Domain,域 Don't send Employee Birthday Reminders,不要送員工生日提醒 -Download,下載 Download Materials Required,下載所需材料 Download Reconcilation Data,下載Reconcilation數據 Download Template,下載模板 @@ -898,8 +844,6 @@ Download a report containing all raw materials with their latest inventory statu "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",下載模板,填寫相應的數據,並附加了修改後的文件。 \ n所有的日期,並在所選期間員工的組合會在模板中,與現有的考勤記錄 Draft,草案 -Drafts,草稿箱 -Drag to sort columns,拖動進行排序的列 Dropbox,Dropbox的 Dropbox Access Allowed,Dropbox的允許訪問 Dropbox Access Key,Dropbox的訪問鍵 @@ -920,7 +864,6 @@ Earning & Deduction,收入及扣除 Earning Type,收入類型 Earning1,Earning1 Edit,編輯 -Editable,編輯 Education,教育 Educational Qualification,學歷 Educational Qualification Details,學歷詳情 @@ -940,12 +883,9 @@ Email Id,電子郵件Id "Email Id where a job applicant will email e.g. ""jobs@example.com""",電子郵件Id其中一個應聘者的電子郵件,例如“jobs@example.com” Email Notifications,電子郵件通知 Email Sent?,郵件發送? -"Email addresses, separted by commas",電子郵件地址,以逗號separted "Email id must be unique, already exists for {0}",電子郵件ID必須是唯一的,已經存在{0} Email ids separated by commas.,電子郵件ID,用逗號分隔。 -Email sent to {0},電子郵件發送到{0} "Email settings to extract Leads from sales email id e.g. ""sales@example.com""",電子郵件設置,以銷售電子郵件ID,例如“sales@example.com”提取信息 -Email...,電子郵件... Emergency Contact,緊急聯絡人 Emergency Contact Details,緊急聯繫方式 Emergency Phone,緊急電話 @@ -984,7 +924,6 @@ End date of current invoice's period,當前發票的期限的最後一天 End of Life,壽命結束 Energy,能源 Engineer,工程師 -Enter Value,輸入值 Enter Verification Code,輸入驗證碼 Enter campaign name if the source of lead is campaign.,輸入活動名稱,如果鉛的來源是運動。 Enter department to which this Contact belongs,輸入部門的這種聯繫是屬於 @@ -1002,7 +941,6 @@ Entries,項 Entries against,將成為 Entries are not allowed against this Fiscal Year if the year is closed.,參賽作品不得對本財年,如果當年被關閉。 Entries before {0} are frozen,前{0}項被凍結 -Equals,等號 Equity,公平 Error: {0} > {1},錯誤: {0} > {1} Estimated Material Cost,預計材料成本 @@ -1019,7 +957,6 @@ Exhibition,展覽 Existing Customer,現有客戶 Exit,出口 Exit Interview Details,退出面試細節 -Expand,擴大 Expected,預期 Expected Completion Date can not be less than Project Start Date,預計完成日期不能少於項目開始日期 Expected Date cannot be before Material Request Date,消息大於160個字符將會被分成多個消息 @@ -1052,8 +989,6 @@ Expenses Booked,支出預訂 Expenses Included In Valuation,支出計入估值 Expenses booked for the digest period,預訂了消化期間費用 Expiry Date,到期時間 -Export,出口 -Export not allowed. You need {0} role to export.,導出不允許的。您需要{0}的角色出口。 Exports,出口 External,外部 Extract Emails,提取電子郵件 @@ -1068,11 +1003,8 @@ Feedback,反饋 Female,女 Fetch exploded BOM (including sub-assemblies),取爆炸BOM(包括子組件) "Field available in Delivery Note, Quotation, Sales Invoice, Sales Order",在送貨單,報價單,銷售發票,銷售訂單可用字段 -Field {0} is not selectable.,域{0}是不可選擇的。 -File,文件 Files Folder ID,文件夾的ID Fill the form and save it,填寫表格,並將其保存 -Filter,過濾器 Filter based on customer,過濾器可根據客戶 Filter based on item,根據項目篩選 Financial / accounting year.,財務/會計年度。 @@ -1101,14 +1033,10 @@ For Server Side Print Formats,對於服務器端打印的格式 For Supplier,已過期 For Warehouse,對於倉​​庫 For Warehouse is required before Submit,對於倉庫之前,需要提交 -"For comparative filters, start with",對於比較器,開始 "For e.g. 2012, 2012-13",對於例如2012,2012-13 -For ranges,對於範圍 For reference,供參考 For reference only.,僅供參考。 "For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes",為方便客戶,這些代碼可以在打印格式,如發票和送貨單使用 -Form,表格 -Forums,論壇 Fraction,分數 Fraction Units,部分單位 Freeze Stock Entries,凍結庫存條目 @@ -1161,12 +1089,10 @@ Generate Material Requests (MRP) and Production Orders.,生成材料要求(MRP Generate Salary Slips,生成工資條 Generate Schedule,生成時間表 Generates HTML to include selected image in the description,生成HTML,包括所選圖像的描述 -Get,得到 Get Advances Paid,獲取有償進展 Get Advances Received,取得進展收稿 Get Against Entries,獲取對條目 Get Current Stock,獲取當前庫存 -Get From ,得到 Get Items,找項目 Get Items From Sales Orders,獲取項目從銷售訂單 Get Items from BOM,獲取項目從物料清單 @@ -1194,8 +1120,6 @@ Government,政府 Graduate,畢業生 Grand Total,累計 Grand Total (Company Currency),總計(公司貨幣) -Greater or equals,大於或等於 -Greater than,大於 "Grid """,電網“ Grocery,雜貨 Gross Margin %,毛利率% @@ -1207,7 +1131,6 @@ Gross Profit (%),毛利率(%) Gross Weight,毛重 Gross Weight UOM,毛重計量單位 Group,組 -"Group Added, refreshing...",集團已添加,清爽... Group by Account,集團賬戶 Group by Voucher,集團透過券 Group or Ledger,集團或Ledger @@ -1229,14 +1152,12 @@ Health Care,保健 Health Concerns,健康問題 Health Details,健康細節 Held On,舉行 -Help,幫助 Help HTML,HTML幫助 "Help: To link to another record in the system, use ""#Form/Note/[Note Name]"" as the Link URL. (don't use ""http://"")",說明:要鏈接到另一個記錄在系統中,使用“#表單/注意/ [注名]”的鏈接網址。 (不使用的“http://”) "Here you can maintain family details like name and occupation of parent, spouse and children",在這裡,您可以維繫家庭的詳細信息,如姓名的父母,配偶和子女及職業 "Here you can maintain height, weight, allergies, medical concerns etc",在這裡,你可以保持身高,體重,過敏,醫療問題等 Hide Currency Symbol,隱藏貨幣符號 High,高 -History,歷史 History In Company,歷史在公司 Hold,持有 Holiday,節日 @@ -1281,17 +1202,14 @@ If you have Sales Team and Sale Partners (Channel Partners) they can be tagged If you involve in manufacturing activity. Enables Item 'Is Manufactured',如果您在製造業活動涉及。使項目'製造' Ignore,忽略 Ignored: ,忽略: -"Ignoring Item {0}, because a group exists with the same name!",忽略項目{0} ,因為一組存在具有相同名字! Image,圖像 Image View,圖像查看 Implementation Partner,實施合作夥伴 -Import,進口 Import Attendance,進口出席 Import Failed!,導入失敗! Import Log,導入日誌 Import Successful!,導入成功! Imports,進口 -In,在 In Hours,以小時為單位 In Process,在過程 In Qty,在數量 @@ -1306,7 +1224,6 @@ In Words will be visible once you save the Purchase Receipt.,在詞將是可見 In Words will be visible once you save the Quotation.,在詞將是可見的,一旦你保存報價。 In Words will be visible once you save the Sales Invoice.,在詞將是可見的,一旦你保存銷售發票。 In Words will be visible once you save the Sales Order.,在詞將是可見的,一旦你保存銷售訂單。 -In response to,響應於 Incentives,獎勵 Include Reconciled Entries,包括對賬項目 Include holidays in Total no. of Working Days,包括節假日的總數。工作日 @@ -1327,8 +1244,6 @@ Indirect Income,間接收入 Individual,個人 Industry,行業 Industry Type,行業類型 -Insert Below,下面插入 -Insert Row,插入行 Inspected By,視察 Inspection Criteria,檢驗標準 Inspection Required,需要檢驗 @@ -1350,8 +1265,6 @@ Internal,內部 Internet Publishing,互聯網出版 Introduction,介紹 Invalid Barcode or Serial No,無效的條碼或序列號 -Invalid Email: {0},無效的電子郵件: {0} -Invalid Filter: {0},無效的過濾器: {0} Invalid Mail Server. Please rectify and try again.,無效的郵件服務器。請糾正,然後再試一次。 Invalid Master Name,公司,月及全年是強制性的 Invalid User Name or Support Password. Please rectify and try again.,無效的用戶名或支持密碼。請糾正,然後再試一次。 @@ -1516,7 +1429,6 @@ Landed Cost updated successfully,到岸成本成功更新 Language,語 Last Name,姓 Last Purchase Rate,最後預訂價 -Last updated by,最後更新由 Latest,最新 Lead,鉛 Lead Details,鉛詳情 @@ -1566,24 +1478,17 @@ Ledgers,總帳 Left,左 Legal,法律 Legal Expenses,法律費用 -Less or equals,小於或等於 -Less than,小於 Letter Head,信頭 Letter Heads for print templates.,信頭的打印模板。 Level,級別 Lft,LFT Liability,責任 -Like,喜歡 -Linked With,掛具 -List,表 List a few of your customers. They could be organizations or individuals.,列出一些你的客戶。他們可以是組織或個人。 List a few of your suppliers. They could be organizations or individuals.,列出一些你的供應商。他們可以是組織或個人。 List items that form the package.,形成包列表項。 List this Item in multiple groups on the website.,列出這個項目在網站上多個組。 "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 your tax heads (e.g. VAT, Excise; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.",列出你的頭稅(如增值稅,消費稅,他們應該有唯一的名稱)及其標準費率。 -Loading,載入中 -Loading Report,加載報表 Loading...,載入中... Loans (Liabilities),借款(負債) Loans and Advances (Assets),貸款及墊款(資產) @@ -1591,7 +1496,6 @@ Local,當地 Login with your new User ID,與你的新的用戶ID登錄 Logo,標誌 Logo and Letter Heads,標誌和信頭 -Logout,註銷 Lost,丟失 Lost Reason,失落的原因 Low,低 @@ -1642,7 +1546,6 @@ Make Salary Structure,使薪酬結構 Make Sales Invoice,做銷售發票 Make Sales Order,使銷售訂單 Make Supplier Quotation,讓供應商報價 -Make a new,創建一個新的 Male,男性 Manage Customer Group Tree.,管理客戶組樹。 Manage Sales Person Tree.,管理銷售人員樹。 @@ -1650,8 +1553,6 @@ Manage Territory Tree.,管理領地樹。 Manage cost of operations,管理運營成本 Management,管理 Manager,經理 -Mandatory fields required in {0},在需要的必填字段{0} -Mandatory filters required:\n,需要強制性的過濾器: \ ñ "Mandatory if Stock Item is ""Yes"". Also the default warehouse where reserved quantity is set from Sales Order.",如果股票的強制性項目為“是”。也是默認倉庫,保留數量從銷售訂單設置。 Manufacture against Sales Order,對製造銷售訂單 Manufacture/Repack,製造/重新包裝 @@ -1722,13 +1623,11 @@ Minute,分鐘 Misc Details,其它詳細信息 Miscellaneous Expenses,雜項開支 Miscelleneous,Miscelleneous -Missing Values Required,所需遺漏值 Mobile No,手機號碼 Mobile No.,手機號碼 Mode of Payment,付款方式 Modern,現代 Modified Amount,修改金額 -Modified by,改性 Monday,星期一 Month,月 Monthly,每月一次 @@ -1736,12 +1635,9 @@ Monthly Attendance Sheet,每月考勤表 Monthly Earning & Deduction,每月入息和扣除 Monthly Salary Register,月薪註冊 Monthly salary statement.,月薪聲明。 -More,更多 More Details,更多詳情 More Info,更多信息 Motion Picture & Video,電影和視頻 -Move Down: {0},下移: {0} -Move Up: {0},上移: {0} Moving Average,移動平均線 Moving Average Rate,移動平均房價 Mr,先生 @@ -1751,12 +1647,9 @@ Multiple Item prices.,多個項目的價格。 conflict by assigning priority. Price Rules: {0}",多價規則存在具有相同的標準,請通過分配優先解決\ \ ñ衝突。 Music,音樂 Must be Whole Number,必須是整數 -My Settings,我的設置 Name,名稱 Name and Description,名稱和說明 Name and Employee ID,姓名和僱員ID -Name is required,名稱是必需的 -Name not permitted,名稱不允許 "Name of new Account. Note: Please don't create accounts for Customers and Suppliers, they are created automatically from the Customer and Supplier master",新帳戶的名稱。注:請不要創建帳戶客戶和供應商,它們會自動從客戶和供應商創造大師 Name of person or organization that this address belongs to.,的人或組織該地址所屬的命名。 Name of the Budget Distribution,在預算分配的名稱 @@ -1774,7 +1667,6 @@ Net Weight UOM,淨重計量單位 Net Weight of each Item,每個項目的淨重 Net pay cannot be negative,淨工資不能為負 Never,從來沒有 -New,新 New ,新 New Account,新帳號 New Account Name,新帳號名稱 @@ -1794,7 +1686,6 @@ New Projects,新項目 New Purchase Orders,新的採購訂單 New Purchase Receipts,新的購買收據 New Quotations,新語錄 -New Record,新記錄 New Sales Orders,新的銷售訂單 New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,新的序列號不能有倉庫。倉庫必須由股票輸入或外購入庫單進行設置 New Stock Entries,新貨條目 @@ -1816,11 +1707,8 @@ Next,下一個 Next Contact By,接著聯繫到 Next Contact Date,下一步聯絡日期 Next Date,下一個日期 -Next Record,下一紀錄 -Next actions,下一步行動 Next email will be sent on:,接下來的電子郵件將被發送: No,無 -No Communication tagged with this ,無標籤的通信與此 No Customer Accounts found.,沒有客戶帳戶發現。 No Customer or Supplier Accounts found,沒有找到客戶或供應商賬戶 No Expense Approvers. Please assign 'Expense Approver' Role to atleast one user,無費用審批。請指定“支出審批人的角色,以ATLEAST一個用戶 @@ -1830,48 +1718,31 @@ No Items to pack,無項目包 No Leave Approvers. Please assign 'Leave Approver' Role to atleast one user,沒有請假審批。請指定'休假審批的角色,以ATLEAST一個用戶 No Permission,無權限 No Production Orders created,沒有創建生產訂單 -No Report Loaded. Please use query-report/[Report Name] to run a report.,無報告加載。請使用查詢報告/ [報告名稱]運行報告。 -No Results,沒有結果 No Supplier Accounts found. Supplier Accounts are identified based on 'Master Type' value in account record.,#,## # ### No accounting entries for the following warehouses,沒有以下的倉庫會計分錄 No addresses created,沒有發起任何地址 No contacts created,沒有發起任何接觸 No default BOM exists for Item {0},默認情況下不存在的BOM項目為{0} No description given,未提供描述 -No document selected,沒有選擇文件 No employee found,任何員工發現 No employee found!,任何員工發現! No of Requested SMS,無的請求短信 No of Sent SMS,沒有發送短信 No of Visits,沒有訪問量的 -No one,沒有人 No permission,沒有權限 -No permission to '{0}' {1},沒有權限“{0}” {1} -No permission to edit,無權限進行編輯 No record found,沒有資料 -No records tagged.,沒有記錄標記。 No salary slip found for month: ,沒有工資單上發現的一個月: Non Profit,非營利 -None,無 -None: End of Workflow,無:結束的工作流程 Nos,NOS Not Active,不活躍 Not Applicable,不適用 Not Available,不可用 Not Billed,不發單 Not Delivered,未交付 -Not Found,未找到 -Not Linked to any record.,不鏈接到任何記錄。 -Not Permitted,不允許 Not Set,沒有設置 -Not Submitted,未提交 -Not allowed,不允許 Not allowed to update entries older than {0},不允許更新比舊條目{0} Not authorized to edit frozen Account {0},無權修改凍結帳戶{0} Not authroized since {0} exceeds limits,不authroized因為{0}超出範圍 -Not enough permission to see links.,沒有足夠的權限查看鏈接。 -Not equals,不等於 -Not found,未找到 Not permitted,不允許 Note,注 Note User,注意用戶 @@ -1880,7 +1751,6 @@ Note User,注意用戶 Note: Due Date exceeds the allowed credit days by {0} day(s),注:截止日期為{0}天超過允許的信用天 Note: Email will not be sent to disabled users,注:電子郵件將不會被發送到用戶禁用 Note: Item {0} entered multiple times,注:項目{0}多次輸入 -Note: Other permission rules may also apply,注:其它權限規則也可申請 Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,注:付款項將不會被因為“現金或銀行帳戶”未指定創建 Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,注:系統將不檢查過交付和超額預訂的項目{0}的數量或金額為0 Note: There is not enough leave balance for Leave Type {0},注:沒有足夠的休假餘額請假類型{0} @@ -1889,12 +1759,9 @@ Note: {0},注: {0} Notes,筆記 Notes:,注意事項: Nothing to request,9 。這是含稅的基本價格:?如果您檢查這一點,就意味著這個稅不會顯示在項目表中,但在你的主項表將被納入基本速率。你想要給一個單位價格(包括所有稅費)的價格為顧客這是有用的。 -Nothing to show,沒有顯示 -Nothing to show for this selection,沒什麼可顯示該選擇 Notice (days),通告(天) Notification Control,通知控制 Notification Email Address,通知電子郵件地址 -Notify By Email,通知通過電子郵件 Notify by Email on creation of automatic Material Request,在創建自動材料通知要求通過電子郵件 Number Format,數字格式 Offer Date,要約日期 @@ -1938,7 +1805,6 @@ Opportunity Items,項目的機會 Opportunity Lost,失去的機會 Opportunity Type,機會型 Optional. This setting will be used to filter in various transactions.,可選。此設置將被應用於各種交易進行過濾。 -Or Created By,或者創建人 Order Type,訂單類型 Order Type must be one of {1},訂單類型必須是一個{1} Ordered,訂購 @@ -1953,7 +1819,6 @@ Organization Profile,組織簡介 Organization branch master.,組織分支主。 Organization unit (department) master.,組織單位(部門)的主人。 Original Amount,原來的金額 -Original Message,原始消息 Other,其他 Other Details,其他詳細信息 Others,他人 @@ -1996,7 +1861,6 @@ Packing Slip Items,裝箱單項目 Packing Slip(s) cancelled,裝箱單( S)取消 Page Break,分頁符 Page Name,網頁名稱 -Page not found,找不到網頁 Paid Amount,支付的金額 Paid amount + Write Off Amount can not be greater than Grand Total,支付的金額+寫的抵銷金額不能大於總計 Pair,對 @@ -2062,9 +1926,6 @@ Period Closing Voucher,期末券 Periodicity,週期性 Permanent Address,永久地址 Permanent Address Is,永久地址 -Permanently Cancel {0}?,永久取消{0} ? -Permanently Submit {0}?,永久提交{0} ? -Permanently delete {0}?,永久刪除{0} ? Permission,允許 Personal,個人 Personal Details,個人資料 @@ -2073,7 +1934,6 @@ Pharmaceutical,醫藥 Pharmaceuticals,製藥 Phone,電話 Phone No,電話號碼 -Pick Columns,摘列 Piecework,計件工作 Pincode,PIN代碼 Place of Issue,簽發地點 @@ -2086,8 +1946,6 @@ Plant,廠 Plant and Machinery,廠房及機器 Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,請輸入縮寫或簡稱恰當,因為它會被添加為後綴的所有帳戶頭。 Please add expense voucher details,請新增支出憑單細節 -Please attach a file first.,請附上文件第一。 -Please attach a file or set a URL,請附上一個文件或設置一個URL Please check 'Is Advance' against Account {0} if this is an advance entry.,請檢查'是推進'對帳戶{0} ,如果這是一個進步的條目。 Please click on 'Generate Schedule',請點擊“生成表” Please click on 'Generate Schedule' to fetch Serial No added for Item {0},請點擊“生成表”來獲取序列號增加了對項目{0} @@ -2096,7 +1954,6 @@ Please create Customer from Lead {0},請牽頭建立客戶{0} Please create Salary Structure for employee {0},員工請建立薪酬結構{0} Please create new account from Chart of Accounts.,請從科目表創建新帳戶。 Please do NOT create Account (Ledgers) for Customers and Suppliers. They are created directly from the Customer / Supplier masters.,請不要用於客戶及供應商建立的帳戶(總帳)。他們直接從客戶/供應商創造的主人。 -Please enable pop-ups,請啟用彈出窗口 Please enter 'Expected Delivery Date',請輸入“預產期” Please enter 'Is Subcontracted' as Yes or No,請輸入'轉包' YES或NO Please enter 'Repeat on Day of Month' field value,請輸入“重複上月的一天'字段值 @@ -2107,7 +1964,6 @@ Please enter Company,你不能輸入行沒有。大於或等於當前行沒有 Please enter Cost Center,請輸入成本中心 Please enter Delivery Note No or Sales Invoice No to proceed,請輸入送貨單號或銷售發票號碼進行 Please enter Employee Id of this sales parson,請輸入本銷售牧師的員工標識 -Please enter Event's Date and Time!,請輸入事件的日期和時間! Please enter Expense Account,請輸入您的費用帳戶 Please enter Item Code to get batch no,請輸入產品編號,以獲得批號 Please enter Item Code.,請輸入產品編號。 @@ -2133,14 +1989,11 @@ Please enter parent cost center,請輸入父成本中心 Please enter quantity for Item {0},請輸入量的項目{0} Please enter relieving date.,請輸入解除日期。 Please enter sales order in the above table,小於等於零系統,估值率是強制性的資料 -Please enter some text!,請輸入一些文字! -Please enter title!,請輸入標題! Please enter valid Company Email,請輸入有效的電郵地址 Please enter valid Email Id,請輸入有效的電子郵件Id Please enter valid Personal Email,請輸入有效的個人電子郵件 Please enter valid mobile nos,請輸入有效的手機號 Please install dropbox python module,請安裝Dropbox的Python模塊 -Please login to Upvote!,請登錄到的upvote ! Please mention no of visits required,請註明無需訪問 Please pull items from Delivery Note,請送貨單拉項目 Please save the Newsletter before sending,請在發送之前保存通訊 @@ -2191,8 +2044,6 @@ Plot By,陰謀 Point of Sale,銷售點 Point-of-Sale Setting,銷售點的設置 Post Graduate,研究生 -Post already exists. Cannot add again!,帖子已經存在。不能再添加! -Post does not exist. Please add post!,帖子不存在。請新增職位! Postal,郵政 Postal Expenses,郵政費用 Posting Date,發布日期 @@ -2207,7 +2058,6 @@ Prevdoc DocType,Prevdoc的DocType Prevdoc Doctype,Prevdoc文檔類型 Preview,預覽 Previous,以前 -Previous Record,上一記錄 Previous Work Experience,以前的工作經驗 Price,價格 Price / Discount,價格/折扣 @@ -2226,12 +2076,10 @@ Price or Discount,價格或折扣 Pricing Rule,定價規則 Pricing Rule For Discount,定價規則對於折扣 Pricing Rule For Price,定價規則對於價格 -Print,打印 Print Format Style,打印格式樣式 Print Heading,打印標題 Print Without Amount,打印量不 Print and Stationary,印刷和文具 -Print...,打印... Printing and Branding,印刷及品牌 Priority,優先 Private Equity,私募股權投資 @@ -2357,7 +2205,6 @@ Quantity of item obtained after manufacturing / repacking from given quantities Quantity required for Item {0} in row {1},要求項目數量{0}行{1} Quarter,季 Quarterly,季刊 -Query Report,查詢報表 Quick Help,快速幫助 Quotation,行情 Quotation Date,報價日期 @@ -2459,14 +2306,11 @@ Rejected Warehouse is mandatory against regected item,拒絕倉庫是必須反 Relation,關係 Relieving Date,解除日期 Relieving Date must be greater than Date of Joining,解除日期必須大於加入的日期 -Reload Page,刷新頁面 Remark,備註 Remarks,備註 -Remove Bookmark,刪除書籤 Rename,重命名 Rename Log,重命名日誌 Rename Tool,重命名工具 -Rename...,重命名... Rent Cost,租金成本 Rent per hour,每小時租 Rented,租 @@ -2474,12 +2318,9 @@ Repeat on Day of Month,重複上月的日 Replace,更換 Replace Item / BOM in all BOMs,更換項目/物料清單中的所有材料明細表 Replied,回答 -Report,報告 Report Date,報告日期 Report Type,報告類型 Report Type is mandatory,報告類型是強制性的 -Report an Issue,報告問題 -Report was not saved (there were errors),報告沒有被保存(有錯誤) Reports to,報告以 Reqd By Date,REQD按日期 Request Type,請求類型 @@ -2630,7 +2471,6 @@ Salutation,招呼 Sample Size,樣本大小 Sanctioned Amount,制裁金額 Saturday,星期六 -Save,節省 Schedule,時間表 Schedule Date,時間表日期 Schedule Details,計劃詳細信息 @@ -2644,7 +2484,6 @@ Score (0-5),得分(0-5) Score Earned,獲得得分 Score must be less than or equal to 5,得分必須小於或等於5 Scrap %,廢鋼% -Search,搜索 Seasonality for setting budgets.,季節性設定預算。 Secretary,秘書 Secured Loans,抵押貸款 @@ -2656,26 +2495,18 @@ Securities and Deposits,證券及存款 "Select ""Yes"" if this item represents some work like training, designing, consulting etc.",選擇“是”,如果此項目表示類似的培訓,設計,諮詢等一些工作 "Select ""Yes"" if you are maintaining stock of this item in your Inventory.",選擇“是”,如果你保持這個項目的股票在你的庫存。 "Select ""Yes"" if you supply raw materials to your supplier to manufacture this item.",選擇“是”,如果您對供應原料給供應商,製造資料。 -Select All,全選 -Select Attachments,選擇附件 Select Budget Distribution to unevenly distribute targets across months.,選擇預算分配跨個月呈不均衡分佈的目標。 "Select Budget Distribution, if you want to track based on seasonality.",選擇預算分配,如果你要根據季節來跟踪。 Select DocType,選擇的DocType Select Items,選擇項目 -Select Print Format,選擇打印格式 Select Purchase Receipts,選擇外購入庫單 -Select Report Name,選擇報告名稱 Select Sales Orders,選擇銷售訂單 Select Sales Orders from which you want to create Production Orders.,要從創建生產訂單選擇銷售訂單。 Select Time Logs and Submit to create a new Sales Invoice.,選擇時間日誌和提交創建一個新的銷售發票。 -Select To Download:,選擇要下載: Select Transaction,選擇交易 -Select Type,選擇類型 Select Your Language,選擇您的語言 Select account head of the bank where cheque was deposited.,選取支票存入該銀行賬戶的頭。 Select company name first.,先選擇公司名稱。 -Select dates to create a new ,選擇日期以創建一個新的 -Select or drag across time slots to create a new event.,選擇或拖動整個時隙,以創建一個新的事件。 Select template from which you want to get the Goals,選擇您想要得到的目標模板 Select the Employee for whom you are creating the Appraisal.,選擇要為其創建的考核員工。 Select the period when the invoice will be generated automatically,當選擇發票會自動生成期間 @@ -2691,11 +2522,9 @@ Select your home country and check the timezone and currency.,選擇您的國家 Selling,銷售 Selling Settings,銷售設置 Send,發送 -Send As Email,發送電子郵件 Send Autoreply,發送自動回复 Send Email,發送電子郵件 Send From,從發送 -Send Me A Copy,給我發一份 Send Notifications To,發送通知給 Send Now,立即發送 Send SMS,發送短信 @@ -2705,7 +2534,6 @@ Send mass SMS to your contacts,發送群發短信到您的聯繫人 Send to this list,發送到這個列表 Sender Name,發件人名稱 Sent On,在發送 -Sent or Received,發送或接收 Separate production order will be created for each finished good item.,獨立的生產訂單將每個成品項目被創建。 Serial No,序列號 Serial No / Batch,序列號/批次 @@ -2739,11 +2567,9 @@ Series {0} already used in {1},系列{0}已經被應用在{1} Service,服務 Service Address,服務地址 Services,服務 -Session Expired. Logging you out,會話過期。您的退出 Set,集 "Set Default Values like Company, Currency, Current Fiscal Year, etc.",像公司,貨幣,當前財政年度,等設置默認值 Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,設置這個領地項目組間的預算。您還可以包括季節性通過設置分發。 -Set Link,設置鏈接 Set as Default,設置為默認 Set as Lost,設為失落 Set prefix for numbering series on your transactions,為你的交易編號序列設置的前綴 @@ -2776,17 +2602,12 @@ Shipping Rule Label,送貨規則標籤 Shop,店 Shopping Cart,購物車 Short biography for website and other publications.,短的傳記的網站和其他出版物。 -Shortcut,捷徑 "Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",顯示“有貨”或“無貨”的基礎上股票在這個倉庫有。 "Show / Hide features like Serial Nos, POS etc.",像序列號, POS機等顯示/隱藏功能 -Show Details,顯示詳細信息 Show In Website,顯示在網站 -Show Tags,顯示標籤 Show a slideshow at the top of the page,顯示幻燈片在頁面頂部 Show in Website,顯示在網站 -Show rows with zero values,秀行與零值 Show this slideshow at the top of the page,這顯示在幻燈片頁面頂部 -Showing only for (if not empty),僅顯示為(如果不為空) Sick Leave,病假 Signature,簽名 Signature to be appended at the end of every email,簽名在每封電子郵件的末尾追加 @@ -2797,11 +2618,8 @@ Slideshow,連續播放 Soap & Detergent,肥皂和洗滌劑 Software,軟件 Software Developer,軟件開發人員 -Sorry we were unable to find what you were looking for.,對不起,我們無法找到您所期待的。 -Sorry you are not permitted to view this page.,對不起,您沒有權限瀏覽這個頁面。 "Sorry, Serial Nos cannot be merged",對不起,序列號無法合併 "Sorry, companies cannot be merged",對不起,企業不能合併 -Sort By,排序 Source,源 Source File,源文件 Source Warehouse,源代碼倉庫 @@ -2826,7 +2644,6 @@ Standard Selling,標準銷售 Standard contract terms for Sales or Purchase.,標準合同條款的銷售或採購。 Start,開始 Start Date,開始日期 -Start Report For,啟動年報 Start date of current invoice's period,啟動電流發票的日期內 Start date should be less than end date for Item {0},開始日期必須小於結束日期項目{0} State,態 @@ -2884,7 +2701,6 @@ Sub Assemblies,子組件 "Sub-currency. For e.g. ""Cent""",子貨幣。對於如“美分” Subcontract,轉包 Subject,主題 -Submit,提交 Submit Salary Slip,提交工資單 Submit all salary slips for the above selected criteria,提交所有工資單的上面選擇標準 Submit this Production Order for further processing.,提交此生產訂單進行進一步的處理。 @@ -2928,7 +2744,6 @@ Support Email Settings,支持電子郵件設置 Support Password,支持密碼 Support Ticket,支持票 Support queries from customers.,客戶支持查詢。 -Switch to Website,切換到網站 Symbol,符號 Sync Support Mails,同步支持郵件 Sync with Dropbox,同步與Dropbox @@ -2936,7 +2751,6 @@ Sync with Google Drive,同步與谷歌驅動器 System,系統 System Settings,系統設置 "System User (login) ID. If set, it will become default for all HR forms.",系統用戶(登錄)的標識。如果設置,這將成為默認的所有人力資源的形式。 -Tags,標籤 Target Amount,目標金額 Target Detail,目標詳細信息 Target Details,目標詳細信息 @@ -2957,7 +2771,7 @@ Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are no Tax Rate,稅率 Tax and other salary deductions.,稅務及其他薪金中扣除。 "Tax detail table fetched from item master as a string and stored in this field. -Used for Taxes and Charges",稅務詳細表由項目主作為一個字符串,並存儲在此字段中取出。 \ n已使用的稅費和費用 +Used for Taxes and Charges",稅表的細節從項目主作為一個字符串,並存儲在此字段中取出。 \ n已使用的稅費和費用 Tax template for buying transactions.,稅務模板購買交易。 Tax template for selling transactions.,稅務模板賣出的交易。 Taxable,應課稅 @@ -2995,7 +2809,6 @@ Territory Target Variance Item Group-Wise,境內目標差異項目組,智者 Territory Targets,境內目標 Test,測試 Test Email Id,測試電子郵件Id -Test Runner,測試運行 Test the Newsletter,測試通訊 The BOM which will be replaced,這將被替換的物料清單 The First User: You,第一個用戶:您 @@ -3003,7 +2816,7 @@ The First User: You,第一個用戶:您 The Organization,本組織 "The account head under Liability, in which Profit/Loss will be booked",根據責任賬號頭,其中利潤/虧損將被黃牌警告 "The date on which next invoice will be generated. It is generated on submit. -",在這接下來的發票將生成的日期。 +",在其旁邊的發票將生成的日期。 The date on which recurring invoice will be stop,在其經常性發票將被停止日期 "The day of the month on which auto invoice will be generated e.g. 05, 28 etc ",這個月的日子,汽車發票將會產生如05,28等 The day(s) on which you are applying for leave are holiday. You need not apply for leave.,在天在你申請許可的假期。你不需要申請許可。 @@ -3015,28 +2828,23 @@ The net weight of this package. (calculated automatically as sum of net weight o The new BOM after replacement,更換後的新物料清單 The rate at which Bill Currency is converted into company's base currency,在該條例草案的貨幣轉換成公司的基礎貨幣的比率 The unique id for tracking all recurring invoices. It is generated on submit.,唯一ID來跟踪所有的經常性發票。它是在提交生成的。 -Then By (optional),再由(可選) There are more holidays than working days this month.,還有比這個月工作日更多的假期。 "There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",只能有一個運輸規則條件為0或空值“ To值” There is not enough leave balance for Leave Type {0},沒有足夠的餘額休假請假類型{0} There is nothing to edit.,對於如1美元= 100美分 There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,有一個錯誤。一個可能的原因可能是因為您沒有保存的形式。請聯繫support@erpnext.com如果問題仍然存在。 -There were errors,有錯誤 -There were errors while sending email. Please try again.,還有在發送電子郵件是錯誤的。請再試一次。 There were errors.,有錯誤。 This Currency is disabled. Enable to use in transactions,公司在以下倉庫失踪 This Leave Application is pending approval. Only the Leave Apporver can update status.,這個假期申請正在等待批准。只有離開Apporver可以更新狀態。 This Time Log Batch has been billed.,此時日誌批量一直標榜。 This Time Log Batch has been cancelled.,此時日誌批次已被取消。 This Time Log conflicts with {0},這個時間日誌與衝突{0} -This is PERMANENT action and you cannot undo. Continue?,這是永久性的行動,你不能撤消。要繼續嗎? This is a root account and cannot be edited.,這是一個root帳戶,不能被編輯。 This is a root customer group and cannot be edited.,ERPNext是一個開源的基於Web的ERP系統通過網絡注技術私人有限公司向提供集成的工具,在一個小的組織管理大多數進程。有關Web註釋,或購買託管楝更多信息,請訪問 This is a root item group and cannot be edited.,請先輸入項目 This is a root sales person and cannot be edited.,您可以通過選擇備份頻率啟動和\ This is a root territory and cannot be edited.,集團或Ledger ,借方或貸方,是特等帳戶 This is an example website auto-generated from ERPNext,這是一個示例網站從ERPNext自動生成 -This is permanent action and you cannot undo. Continue?,這是永久的行動,你不能撤消。要繼續嗎? This is the number of the last created transaction with this prefix,這就是以這個前綴的最後一個創建的事務數 This will be used for setting rule in HR module,這將用於在人力資源模塊的設置規則 Thread HTML,主題HTML @@ -3078,7 +2886,6 @@ To get Item Group in details table,為了讓項目組在詳細信息表 "To include tax in row {0} in Item rate, taxes in rows {1} must also be included",要包括稅款,行{0}項率,稅收行{1}也必須包括在內 "To merge, following properties must be same for both items",若要合併,以下屬性必須為這兩個項目是相同的 "To report an issue, go to ",要報告問題,請至 -"To run a test add the module name in the route after '{0}'. For example, {1}",運行測試後, “{0}”添加模塊名稱的路線。例如, {1} "To set this Fiscal Year as Default, click on 'Set as Default'",要設置這個財政年度為默認值,點擊“設為默認” To track any installation or commissioning related work after sales,跟踪銷售後的任何安裝或調試相關工作 "To track brand name in the following documents Delivery Note, Opportunity, Material Request, Item, Purchase Order, Purchase Voucher, Purchaser Receipt, Quotation, Sales Invoice, Sales BOM, Sales Order, Serial No",在以下文件送貨單,機遇,材質要求,項目,採購訂單,購買憑證,買方收據,報價單,銷售發票,銷售物料,銷售訂單,序列號跟踪品牌 @@ -3130,7 +2937,6 @@ Totals,總計 Track Leads by Industry Type.,軌道信息通過行業類型。 Track this Delivery Note against any Project,跟踪此送貨單反對任何項目 Track this Sales Order against any Project,跟踪對任何項目這個銷售訂單 -Trainee,實習生 Transaction,交易 Transaction Date,交易日期 Transaction not allowed against stopped Production Order {0},交易不反對停止生產訂單允許{0} @@ -3162,7 +2968,6 @@ UOM Conversion Factor,計量單位換算係數 UOM Conversion factor is required in row {0},計量單位換算係數是必需的行{0} UOM Name,計量單位名稱 UOM coversion factor required for UOM {0} in Item {1},所需的計量單位計量單位:丁文因素{0}項{1} -Unable to load: {0},無法加載: {0} Under AMC,在AMC Under Graduate,根據研究生 Under Warranty,在保修期 @@ -3172,11 +2977,8 @@ Unit of Measure {0} has been entered more than once in Conversion Factor Table, "Unit of measurement of this item (e.g. Kg, Unit, No, Pair).",這資料(如公斤,單位,不,一對)的測量單位。 Units/Hour,單位/小時 Units/Shifts,單位/位移 -Unknown Column: {0},未知專欄: {0} -Unknown Print Format: {0},未知的打印格式: {0} Unmatched Amount,無與倫比的金額 Unpaid,未付 -Unread Messages,未讀消息 Unscheduled,計劃外 Unsecured Loans,無抵押貸款 Unstop,Unstop @@ -3196,18 +2998,14 @@ Update bank payment dates with journals.,更新與期刊銀行付款日期。 Update clearance date of Journal Entries marked as 'Bank Vouchers',你不能同時輸入送貨單號及銷售發票編號請輸入任何一個。 Updated,更新 Updated Birthday Reminders,更新生日提醒 -Upload,上載 -Upload Attachment,上傳附件 Upload Attendance,上傳出席 Upload Backups to Dropbox,上傳備份到Dropbox Upload Backups to Google Drive,上傳備份到谷歌驅動器 Upload HTML,上傳HTML Upload a .csv file with two columns: the old name and the new name. Max 500 rows.,上傳一個csv文件有兩列:舊名稱和新名稱。最大500行。 -Upload a file,上傳文件 Upload attendance from a .csv file,從。csv文件上傳考勤 Upload stock balance via csv.,通過CSV上傳庫存餘額。 Upload your letter head and logo - you can edit them later.,上傳你的信頭和標誌 - 你可以在以後對其進行編輯。 -Uploading...,上載... Upper Income,高收入 Urgent,急 Use Multi-Level BOM,採用多級物料清單 @@ -3217,11 +3015,9 @@ User ID,用戶ID User ID not set for Employee {0},用戶ID不為員工設置{0} User Name,用戶名 User Name or Support Password missing. Please enter and try again.,用戶名或支持密碼丟失。請輸入並重試。 -User Permission Restrictions,用戶權限限制 User Remark,用戶備註 User Remark will be added to Auto Remark,用戶備註將被添加到自動注 User Remarks is mandatory,用戶備註是強制性的 -User Restrictions,用戶限制 User Specific,特定用戶 User must always select,用戶必須始終選擇 User {0} is already assigned to Employee {1},用戶{0}已經被分配給員工{1} @@ -3319,8 +3115,6 @@ Will be updated after Sales Invoice is Submitted.,之後銷售發票已提交將 Will be updated when batched.,批處理時將被更新。 Will be updated when billed.,計費時將被更新。 Wire Transfer,電匯 -With Groups,與團體 -With Ledgers,與總帳 With Operations,隨著運營 With period closing entry,隨著期末入門 Work Details,作品詳細信息 @@ -3328,7 +3122,6 @@ Work Done,工作完成 Work In Progress,工作進展 Work-in-Progress Warehouse,工作在建倉庫 Work-in-Progress Warehouse is required before Submit,工作在進展倉庫提交之前,需要 -Workflow will start after saving.,保存後的工作流程將啟動。 Working,工作的 Workstation,工作站 Workstation Name,工作站名稱 @@ -3351,11 +3144,6 @@ Year Start Date should not be greater than Year End Date,今年開始日期不 Year of Passing,路過的一年 Yearly,每年 Yes,是的 -Yesterday,昨天 -You are not allowed to create / edit reports,你不允許創建/編輯報導 -You are not allowed to export this report,你不准出口本報告 -You are not allowed to print this document,你不允許打印此文檔 -You are not allowed to send emails related to this document,你是不是允許發送與此相關的文檔的電子郵件 You are not authorized to add or update entries before {0},你無權之前添加或更新條目{0} You are not authorized to set Frozen value,您無權設定值凍結 You are the Expense Approver for this record. Please Update the 'Status' and Save,讓項目B是製造< / B> @@ -3372,7 +3160,6 @@ You can submit this Stock Reconciliation.,您可以提交該股票對賬。 You can update either Quantity or Valuation Rate or both.,你可以更新數量或估值速率或兩者兼而有之。 You cannot credit and debit same account at the same time,你無法信用卡和借記同一賬戶在同一時間 You have entered duplicate items. Please rectify and try again.,您輸入重複的項目。請糾正,然後再試一次。 -You have unsaved changes in this form. Please save before you continue.,你在本表格未保存的更改。 You may need to update: {0},你可能需要更新: {0} You must Save the form before proceeding,在繼續之前,您必須保存表單 You must allocate amount before reconcile,調和之前,你必須分配金額 @@ -3381,7 +3168,6 @@ Your Customers,您的客戶 Your Login Id,您的登錄ID Your Products or Services,您的產品或服務 Your Suppliers,您的供應商 -"Your download is being built, this may take a few moments...",您的下載正在修建,這可能需要一些時間...... Your email address,您的電子郵件地址 Your financial year begins on,您的會計年度自 Your financial year ends on,您的財政年度結束於 @@ -3394,8 +3180,6 @@ Your support email id - must be a valid email - this is where your emails will c and,和 are not allowed.,項目組樹 assigned by,由分配 -comment,評論 -comments,評論 "e.g. ""Build tools for builders""",例如「建設建設者工具“ "e.g. ""MC""",例如“MC” "e.g. ""My Company LLC""",例如“我的公司有限責任公司” @@ -3405,14 +3189,9 @@ e.g. 5,例如5 e.g. VAT,例如增值稅 eg. Cheque Number,例如:。支票號碼 example: Next Day Shipping,例如:次日發貨 -found,發現 -is not allowed.,是不允許的。 lft,LFT old_parent,old_parent -or,或 rgt,RGT -to,至 -values and dates,值和日期 website page link,網站頁面的鏈接 {0} '{1}' not in Fiscal Year {2},{0}“ {1}”不財政年度{2} {0} Credit limit {0} crossed,{0}信貸限額{0}劃線 From 3b0f0265229b4e3434ef463f5bf1341f283cf92c Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Sat, 24 May 2014 12:04:13 +0530 Subject: [PATCH 020/630] fix to sales parter --- .../doctype/sales_partner/sales_partner.js | 26 +++++-------------- 1 file changed, 6 insertions(+), 20 deletions(-) diff --git a/erpnext/setup/doctype/sales_partner/sales_partner.js b/erpnext/setup/doctype/sales_partner/sales_partner.js index 8f12aa9890..b12c01b69e 100644 --- a/erpnext/setup/doctype/sales_partner/sales_partner.js +++ b/erpnext/setup/doctype/sales_partner/sales_partner.js @@ -7,8 +7,8 @@ cur_frm.cscript.onload = function(doc,dt,dn){ } -cur_frm.cscript.refresh = function(doc,dt,dn){ - +cur_frm.cscript.refresh = function(doc,dt,dn){ + if(doc.__islocal){ hide_field(['address_html', 'contact_html']); } @@ -34,20 +34,13 @@ cur_frm.cscript.make_address = function() { address.address_title = cur_frm.doc.name; address.address_type = "Office"; frappe.set_route("Form", "Address", address.name); - }, + }, get_query: function() { return "select name, address_type, address_line1, address_line2, city, state, country, pincode, fax, email_id, phone, is_primary_address, is_shipping_address from tabAddress where sales_partner='"+cur_frm.docname+"' and docstatus != 2 order by is_primary_address desc" }, as_dict: 1, no_results_message: __('No addresses created'), - render_row: function(wrapper, data) { - $(wrapper).css('padding','5px 0px'); - var link = $ln(wrapper,cstr(data.name), function() { loaddoc("Address", this.dn); }, {fontWeight:'bold'}); - link.dn = data.name - - $a(wrapper,'span','',{marginLeft:'5px', color: '#666'},(data.is_primary_address ? '[Primary]' : '') + (data.is_shipping_address ? '[Shipping]' : '')); - $a(wrapper,'div','',{marginTop:'5px', color:'#555'}, data.address_line1 + '
' + (data.address_line2 ? data.address_line2 + '
' : '') + data.city + '
' + (data.state ? data.state + ', ' : '') + data.country + '
' + (data.pincode ? 'Pincode: ' + data.pincode + '
' : '') + (data.phone ? 'Tel: ' + data.phone + '
' : '') + (data.fax ? 'Fax: ' + data.fax + '
' : '') + (data.email_id ? 'Email: ' + data.email_id + '
' : '')); - } + render_row: cur_frm.cscript.render_address_row, }); } cur_frm.address_list.run(); @@ -70,14 +63,7 @@ cur_frm.cscript.make_contact = function() { }, as_dict: 1, no_results_message: __('No contacts created'), - render_row: function(wrapper, data) { - $(wrapper).css('padding', '5px 0px'); - var link = $ln(wrapper, cstr(data.name), function() { loaddoc("Contact", this.dn); }, {fontWeight:'bold'}); - link.dn = data.name - - $a(wrapper,'span','',{marginLeft:'5px', color: '#666'},(data.is_primary_contact ? '[Primary]' : '')); - $a(wrapper,'div', '',{marginTop:'5px', color:'#555'}, data.first_name + (data.last_name ? ' ' + data.last_name + '
' : '
') + (data.phone ? 'Tel: ' + data.phone + '
' : '') + (data.mobile_no ? 'Mobile: ' + data.mobile_no + '
' : '') + (data.email_id ? 'Email: ' + data.email_id + '
' : '') + (data.department ? 'Department: ' + data.department + '
' : '') + (data.designation ? 'Designation: ' + data.designation + '
' : '')); - } + render_row: cur_frm.cscript.render_contact_row, }); } cur_frm.contact_list.run(); @@ -87,4 +73,4 @@ cur_frm.fields_dict['partner_target_details'].grid.get_field("item_group").get_q return{ filters:{ 'is_group': "No" } } -} \ No newline at end of file +} From b15d760406a45e5e623853cc2f5ba9a6b2af74a9 Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Mon, 26 May 2014 13:05:19 +0530 Subject: [PATCH 021/630] fix to packing slip (validation) --- .../doctype/packing_slip/packing_slip.js | 6 +- .../doctype/packing_slip/packing_slip.json | 408 +++++++++--------- .../doctype/packing_slip/packing_slip.py | 10 +- 3 files changed, 213 insertions(+), 211 deletions(-) diff --git a/erpnext/stock/doctype/packing_slip/packing_slip.js b/erpnext/stock/doctype/packing_slip/packing_slip.js index 2f0bd81b12..acdd27e1ab 100644 --- a/erpnext/stock/doctype/packing_slip/packing_slip.js +++ b/erpnext/stock/doctype/packing_slip/packing_slip.js @@ -8,7 +8,7 @@ cur_frm.fields_dict['delivery_note'].get_query = function(doc, cdt, cdn) { } -cur_frm.fields_dict['item_details'].grid.get_field('item_code').get_query = +cur_frm.fields_dict['item_details'].grid.get_field('item_code').get_query = function(doc, cdt, cdn) { return { query: "erpnext.stock.doctype.packing_slip.packing_slip.item_details", @@ -53,7 +53,7 @@ cur_frm.cscript.validate_case_nos = function(doc) { } else if(cint(doc.to_case_no) < cint(doc.from_case_no)) { msgprint(__("'To Case No.' cannot be less than 'From Case No.'")); validated = false; - } + } } @@ -88,7 +88,7 @@ cur_frm.cscript.validate_duplicate_items = function(doc, ps_detail) { // Calculate Net Weight of Package cur_frm.cscript.calc_net_total_pkg = function(doc, ps_detail) { var net_weight_pkg = 0; - doc.net_weight_uom = ps_detail?ps_detail[0].weight_uom:''; + doc.net_weight_uom = (ps_detail && ps_detail.length) ? ps_detail[0].weight_uom : ''; doc.gross_weight_uom = doc.net_weight_uom; for(var i=0; i Date: Mon, 26 May 2014 13:35:47 +0530 Subject: [PATCH 022/630] removed debug in query (packing_slip.py) --- erpnext/stock/doctype/packing_slip/packing_slip.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/stock/doctype/packing_slip/packing_slip.py b/erpnext/stock/doctype/packing_slip/packing_slip.py index 0b1258831a..e3d01999f1 100644 --- a/erpnext/stock/doctype/packing_slip/packing_slip.py +++ b/erpnext/stock/doctype/packing_slip/packing_slip.py @@ -59,7 +59,7 @@ class PackingSlip(Document): OR (%(from_case_no)s BETWEEN from_case_no AND to_case_no)) """, {"delivery_note":self.delivery_note, "from_case_no":self.from_case_no, - "to_case_no":self.to_case_no}, debug=1) + "to_case_no":self.to_case_no}) if res: frappe.throw(_("""Case No(s) already in use. Try from Case No {0}""").format(self.get_recommended_case_no())) From 08dd6af446d9b0e8ffd0ab1b6c2d56ef5ede6be4 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Mon, 26 May 2014 15:06:42 +0530 Subject: [PATCH 023/630] Update status based on communication. Fixes #1682 --- erpnext/controllers/status_updater.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/controllers/status_updater.py b/erpnext/controllers/status_updater.py index bbcd143260..0e4ac31e60 100644 --- a/erpnext/controllers/status_updater.py +++ b/erpnext/controllers/status_updater.py @@ -87,7 +87,7 @@ class StatusUpdater(Document): frappe.db.set_value(self.doctype, self.name, "status", self.status) def on_communication(self): - if not self.get("communication"): return + if not self.get("communications"): return self.communication_set = True self.get("communications").sort(key=lambda d: d.creation) self.set_status(update=True) From d82e85d099bc36ffe4c1c17a6d6678a421f32597 Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Mon, 26 May 2014 16:01:01 +0530 Subject: [PATCH 024/630] fix to pos invoice --- erpnext/accounts/print_format/pos_invoice/pos_invoice.json | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/erpnext/accounts/print_format/pos_invoice/pos_invoice.json b/erpnext/accounts/print_format/pos_invoice/pos_invoice.json index aab62e74fb..e565ab841a 100644 --- a/erpnext/accounts/print_format/pos_invoice/pos_invoice.json +++ b/erpnext/accounts/print_format/pos_invoice/pos_invoice.json @@ -3,9 +3,9 @@ "doc_type": "Sales Invoice", "docstatus": 0, "doctype": "Print Format", - "html": "\n\t\n\n\t\t\n\t\t\n\n\t\t\n\t\t\n\t\n\n\t\n\t\t\n\t\t
\n\t\t
\n\t\t
\n\t\t
\n\t\t
\n\t\n", + "html": "\n\t\n\n\t\t\n\t\t\n\n\t\t\n\t\t\n\t\n\n\t\n\t\t\n\t\t
\n\t\t
\n\t\t
\n\t\t
\n\t\t
\n\t\n", "idx": 1, - "modified": "2014-05-13 16:07:19.151172", + "modified": "2014-05-26 06:29:57.220753", "modified_by": "Administrator", "module": "Accounts", "name": "POS Invoice", From f944e819e9b4663ae09dff50cbe6e8c53e47192a Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Tue, 27 May 2014 15:22:04 +0530 Subject: [PATCH 025/630] fixes #1581 and added icons to grid reports --- erpnext/accounts/page/accounts_browser/accounts_browser.js | 6 ++++++ .../page/financial_analytics/financial_analytics.js | 2 +- .../buying/page/purchase_analytics/purchase_analytics.js | 2 +- erpnext/public/js/account_tree_grid.js | 2 +- erpnext/public/js/stock_analytics.js | 2 +- erpnext/selling/page/sales_browser/sales_browser.js | 4 ++-- erpnext/stock/page/stock_ageing/stock_ageing.js | 2 +- erpnext/stock/page/stock_balance/stock_balance.js | 2 +- erpnext/stock/page/stock_ledger/stock_ledger.js | 2 +- erpnext/stock/page/stock_level/stock_level.js | 2 +- erpnext/support/page/support_analytics/support_analytics.js | 2 +- 11 files changed, 17 insertions(+), 11 deletions(-) diff --git a/erpnext/accounts/page/accounts_browser/accounts_browser.js b/erpnext/accounts/page/accounts_browser/accounts_browser.js index ca6ebffdd1..552ec2a34c 100644 --- a/erpnext/accounts/page/accounts_browser/accounts_browser.js +++ b/erpnext/accounts/page/accounts_browser/accounts_browser.js @@ -238,6 +238,9 @@ erpnext.AccountsChart = Class.extend({ method: 'erpnext.accounts.utils.add_ac', callback: function(r) { d.hide(); + if(node.expanded) { + node.toggle_node(); + } node.reload(); } }); @@ -281,6 +284,9 @@ erpnext.AccountsChart = Class.extend({ method: 'erpnext.accounts.utils.add_cc', callback: function(r) { d.hide(); + if(node.expanded) { + node.toggle_node(); + } node.reload(); } }); diff --git a/erpnext/accounts/page/financial_analytics/financial_analytics.js b/erpnext/accounts/page/financial_analytics/financial_analytics.js index f3452e8f68..7d2cfb1179 100644 --- a/erpnext/accounts/page/financial_analytics/financial_analytics.js +++ b/erpnext/accounts/page/financial_analytics/financial_analytics.js @@ -45,7 +45,7 @@ erpnext.FinancialAnalytics = erpnext.AccountTreeGrid.extend({ {fieldtype:"Select", label: __("Range"), options:["Daily", "Weekly", "Monthly", "Quarterly", "Yearly"]}, {fieldtype:"Button", label: __("Refresh"), icon:"icon-refresh icon-white"}, - {fieldtype:"Button", label: __("Reset Filters")} + {fieldtype:"Button", label: __("Reset Filters"), icon: "icon-filter"} ], setup_columns: function() { var std_columns = [ diff --git a/erpnext/buying/page/purchase_analytics/purchase_analytics.js b/erpnext/buying/page/purchase_analytics/purchase_analytics.js index 614b40d387..f695a4982f 100644 --- a/erpnext/buying/page/purchase_analytics/purchase_analytics.js +++ b/erpnext/buying/page/purchase_analytics/purchase_analytics.js @@ -102,7 +102,7 @@ erpnext.PurchaseAnalytics = frappe.views.TreeGridReport.extend({ {fieldtype:"Select", label: __("Range"), options:["Daily", "Weekly", "Monthly", "Quarterly", "Yearly"]}, {fieldtype:"Button", label: __("Refresh"), icon:"icon-refresh icon-white"}, - {fieldtype:"Button", label: __("Reset Filters")} + {fieldtype:"Button", label: __("Reset Filters"), icon: "icon-filter"} ], setup_filters: function() { var me = this; diff --git a/erpnext/public/js/account_tree_grid.js b/erpnext/public/js/account_tree_grid.js index df39d3ffdd..50924772d5 100644 --- a/erpnext/public/js/account_tree_grid.js +++ b/erpnext/public/js/account_tree_grid.js @@ -69,7 +69,7 @@ erpnext.AccountTreeGrid = frappe.views.TreeGridReport.extend({ {fieldtype: "Date", label: __("To Date")}, {fieldtype: "Button", label: __("Refresh"), icon:"icon-refresh icon-white", cssClass:"btn-info"}, - {fieldtype: "Button", label: __("Reset Filters")}, + {fieldtype: "Button", label: __("Reset Filters"), icon: "icon-filter"}, ], setup_filters: function() { this._super(); diff --git a/erpnext/public/js/stock_analytics.js b/erpnext/public/js/stock_analytics.js index d62a1da883..7c15dba2a5 100644 --- a/erpnext/public/js/stock_analytics.js +++ b/erpnext/public/js/stock_analytics.js @@ -66,7 +66,7 @@ erpnext.StockAnalytics = erpnext.StockGridReport.extend({ {fieldtype:"Select", label: __("Range"), options:["Daily", "Weekly", "Monthly", "Quarterly", "Yearly"]}, {fieldtype:"Button", label: __("Refresh"), icon:"icon-refresh icon-white"}, - {fieldtype:"Button", label: __("Reset Filters")} + {fieldtype:"Button", label: __("Reset Filters"), icon: "icon-filter"} ], setup_filters: function() { var me = this; diff --git a/erpnext/selling/page/sales_browser/sales_browser.js b/erpnext/selling/page/sales_browser/sales_browser.js index 950e3f61f4..a8fd464c68 100644 --- a/erpnext/selling/page/sales_browser/sales_browser.js +++ b/erpnext/selling/page/sales_browser/sales_browser.js @@ -147,10 +147,10 @@ erpnext.SalesChart = Class.extend({ callback: function(r) { if(!r.exc) { d.hide(); - node.reload(); - if(!node.expanded) { + if(node.expanded) { node.toggle_node(); } + node.reload(); } } }); diff --git a/erpnext/stock/page/stock_ageing/stock_ageing.js b/erpnext/stock/page/stock_ageing/stock_ageing.js index c16e2eca1b..f7740101ca 100644 --- a/erpnext/stock/page/stock_ageing/stock_ageing.js +++ b/erpnext/stock/page/stock_ageing/stock_ageing.js @@ -60,7 +60,7 @@ erpnext.StockAgeing = erpnext.StockGridReport.extend({ options: ["Average Age", "Earliest", "Latest"]}, {fieldtype:"Date", label: __("To Date")}, {fieldtype:"Button", label: __("Refresh"), icon:"icon-refresh icon-white"}, - {fieldtype:"Button", label: __("Reset Filters")} + {fieldtype:"Button", label: __("Reset Filters"), icon: "icon-filter"} ], setup_filters: function() { var me = this; diff --git a/erpnext/stock/page/stock_balance/stock_balance.js b/erpnext/stock/page/stock_balance/stock_balance.js index 52e73f1a91..dbd8830774 100644 --- a/erpnext/stock/page/stock_balance/stock_balance.js +++ b/erpnext/stock/page/stock_balance/stock_balance.js @@ -71,7 +71,7 @@ erpnext.StockBalance = erpnext.StockAnalytics.extend({ {fieldtype:"Label", label: __("To")}, {fieldtype:"Date", label: __("To Date")}, {fieldtype:"Button", label: __("Refresh"), icon:"icon-refresh icon-white"}, - {fieldtype:"Button", label: __("Reset Filters")} + {fieldtype:"Button", label: __("Reset Filters"), icon: "icon-filter"} ], setup_plot_check: function() { diff --git a/erpnext/stock/page/stock_ledger/stock_ledger.js b/erpnext/stock/page/stock_ledger/stock_ledger.js index 4e31e37de4..02af7149f7 100644 --- a/erpnext/stock/page/stock_ledger/stock_ledger.js +++ b/erpnext/stock/page/stock_ledger/stock_ledger.js @@ -85,7 +85,7 @@ erpnext.StockLedger = erpnext.StockGridReport.extend({ return dateutil.str_to_obj(val) >= dateutil.str_to_obj(item.posting_date); }}, {fieldtype:"Button", label: __("Refresh"), icon:"icon-refresh icon-white"}, - {fieldtype:"Button", label: __("Reset Filters")} + {fieldtype:"Button", label: __("Reset Filters"), icon: "icon-filter"} ], setup_filters: function() { diff --git a/erpnext/stock/page/stock_level/stock_level.js b/erpnext/stock/page/stock_level/stock_level.js index b04882f120..8659c28729 100644 --- a/erpnext/stock/page/stock_level/stock_level.js +++ b/erpnext/stock/page/stock_level/stock_level.js @@ -99,7 +99,7 @@ erpnext.StockLevel = erpnext.StockGridReport.extend({ return val == opts.default_value || item.brand == val; }}, {fieldtype:"Button", label: __("Refresh"), icon:"icon-refresh icon-white"}, - {fieldtype:"Button", label: __("Reset Filters")} + {fieldtype:"Button", label: __("Reset Filters"), icon: "icon-filter"} ], setup_filters: function() { diff --git a/erpnext/support/page/support_analytics/support_analytics.js b/erpnext/support/page/support_analytics/support_analytics.js index 5c2a722e11..b9db1f881c 100644 --- a/erpnext/support/page/support_analytics/support_analytics.js +++ b/erpnext/support/page/support_analytics/support_analytics.js @@ -35,7 +35,7 @@ erpnext.SupportAnalytics = frappe.views.GridReportWithPlot.extend({ {fieldtype:"Select", label: __("Range"), options:["Daily", "Weekly", "Monthly", "Quarterly", "Yearly"]}, {fieldtype:"Button", label: __("Refresh"), icon:"icon-refresh icon-white"}, - {fieldtype:"Button", label: __("Reset Filters")} + {fieldtype:"Button", label: __("Reset Filters"), icon: "icon-filter"} ], setup_columns: function() { From 32063bb4720a643b0c1ac94fa5384c78cff063c4 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Tue, 27 May 2014 22:40:37 +0530 Subject: [PATCH 026/630] Removed designation 'Director' owing to problems with Greek translation --- erpnext/setup/page/setup_wizard/install_fixtures.py | 1 - 1 file changed, 1 deletion(-) diff --git a/erpnext/setup/page/setup_wizard/install_fixtures.py b/erpnext/setup/page/setup_wizard/install_fixtures.py index 2a0a2711a9..90ef1f4a84 100644 --- a/erpnext/setup/page/setup_wizard/install_fixtures.py +++ b/erpnext/setup/page/setup_wizard/install_fixtures.py @@ -71,7 +71,6 @@ def install(country=None): # Designation {'doctype': 'Designation', 'designation_name': _('CEO')}, - {'doctype': 'Designation', 'designation_name': _('Director')}, {'doctype': 'Designation', 'designation_name': _('Manager')}, {'doctype': 'Designation', 'designation_name': _('Analyst')}, {'doctype': 'Designation', 'designation_name': _('Engineer')}, From 1bf9df7c851892437bc423fa7cbf719183f18cdb Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Wed, 28 May 2014 13:15:32 +0530 Subject: [PATCH 027/630] removed about --- erpnext/public/js/conf.js | 22 ---------------------- 1 file changed, 22 deletions(-) diff --git a/erpnext/public/js/conf.js b/erpnext/public/js/conf.js index 65ffe2db72..176e13a091 100644 --- a/erpnext/public/js/conf.js +++ b/erpnext/public/js/conf.js @@ -16,25 +16,3 @@ $(document).bind('toolbar_setup', function() { "white-space": "nowrap" }); }); - -frappe.provide('frappe.ui.misc'); -frappe.ui.misc.about = function() { - if(!frappe.ui.misc.about_dialog) { - var d = new frappe.ui.Dialog({title: __('About')}) - - $(d.body).html(repl("
\ -

ERPNext

\ -

"+__("Built on") + " Frappe Framework"+"

\ -

"+__("Open source ERP built for the web") + "

" + - "

"+__("To report an issue, go to ")+"GitHub Issues

\ -

http://erpnext.org.

\ -

License: GNU General Public License Version 3

\ -
\ -

© 2014 Web Notes Technologies Pvt. Ltd and contributers

\ -
", frappe.app)); - - frappe.ui.misc.about_dialog = d; - } - - frappe.ui.misc.about_dialog.show(); -} From 76e48b5c3fdc5e05a5eed56c288b995e3d0a49de Mon Sep 17 00:00:00 2001 From: Pratik Vyas Date: Wed, 28 May 2014 15:22:34 +0530 Subject: [PATCH 028/630] hotfix: update_account_root_type.py patch --- erpnext/patches/v4_0/update_account_root_type.py | 13 ++++--------- 1 file changed, 4 insertions(+), 9 deletions(-) diff --git a/erpnext/patches/v4_0/update_account_root_type.py b/erpnext/patches/v4_0/update_account_root_type.py index a93b835e29..10f6cda3c8 100644 --- a/erpnext/patches/v4_0/update_account_root_type.py +++ b/erpnext/patches/v4_0/update_account_root_type.py @@ -20,15 +20,10 @@ def execute(): """) else: - frappe.db.sql("""UPDATE tabAccount - SET root_type = CASE - WHEN name like '%%asset%%' THEN 'Asset' - WHEN name like '%%liabilities%%' THEN 'Liability' - WHEN name like '%%expense%%' THEN 'Expense' - WHEN name like '%%income%%' THEN 'Income' - END - WHERE ifnull(parent_account, '') = '' - """) + for key, root_type in (("asset", "Asset"), ("liabilities", "Liability"), ("expense", "Expense"), + ("income", "Income")): + frappe.db.sql("""update tabAccount set root_type=%s where name like %s + and ifnull(parent_account, '')=''""", (root_type, "%" + key + "%")) for root in frappe.db.sql("""SELECT name, lft, rgt, root_type FROM `tabAccount` WHERE ifnull(parent_account, '')=''""", as_dict=True): From 8e0438bad4cd2fbf1b005a6947944002ff0d367d Mon Sep 17 00:00:00 2001 From: Pratik Vyas Date: Wed, 28 May 2014 16:53:05 +0530 Subject: [PATCH 029/630] keep version in separate file --- erpnext/__init__.py | 2 +- erpnext/__version__.py | 1 + erpnext/hooks.py | 3 ++- setup.py | 5 ++--- 4 files changed, 6 insertions(+), 5 deletions(-) create mode 100644 erpnext/__version__.py diff --git a/erpnext/__init__.py b/erpnext/__init__.py index 4391764022..60bec4fbec 100644 --- a/erpnext/__init__.py +++ b/erpnext/__init__.py @@ -1 +1 @@ -__version__ = '4.0.2' +from erpnext.__version__ import __version__ diff --git a/erpnext/__version__.py b/erpnext/__version__.py new file mode 100644 index 0000000000..4391764022 --- /dev/null +++ b/erpnext/__version__.py @@ -0,0 +1 @@ +__version__ = '4.0.2' diff --git a/erpnext/hooks.py b/erpnext/hooks.py index a488b31a5f..58341ca226 100644 --- a/erpnext/hooks.py +++ b/erpnext/hooks.py @@ -1,10 +1,11 @@ +from erpnext.__version__ import __version__ app_name = "erpnext" app_title = "ERPNext" app_publisher = "Web Notes Technologies Pvt. Ltd. and Contributors" app_description = "Open Source Enterprise Resource Planning for Small and Midsized Organizations" app_icon = "icon-th" app_color = "#e74c3c" -app_version = "4.0.0-wip" +app_version = __version__ app_include_js = "assets/js/erpnext.min.js" app_include_css = "assets/css/erpnext.css" diff --git a/setup.py b/setup.py index c62a6a84f7..0004998146 100644 --- a/setup.py +++ b/setup.py @@ -1,14 +1,13 @@ from setuptools import setup, find_packages +from erpnext.__version__ import __version__ import os -version = '4.0.2' - with open("requirements.txt", "r") as f: install_requires = f.readlines() setup( name='erpnext', - version=version, + version=__version__, description='Open Source ERP', author='Web Notes Technologies', author_email='info@erpnext.com', From 62ec60188b8ca7ebe431f43ca875897ec406a9fa Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Mon, 26 May 2014 17:44:24 +0530 Subject: [PATCH 030/630] use build_filter_conditions from db_query. Fixes #1679 --- erpnext/accounts/doctype/c_form/c_form.py | 10 ------ .../bank_reconciliation_statement.js | 4 +-- .../bank_reconciliation_statement.py | 33 ++++++++--------- erpnext/accounts/utils.py | 35 ++++++++++--------- erpnext/utilities/__init__.py | 9 ----- 5 files changed, 37 insertions(+), 54 deletions(-) diff --git a/erpnext/accounts/doctype/c_form/c_form.py b/erpnext/accounts/doctype/c_form/c_form.py index 11d05470aa..e0f008f8ad 100644 --- a/erpnext/accounts/doctype/c_form/c_form.py +++ b/erpnext/accounts/doctype/c_form/c_form.py @@ -64,13 +64,3 @@ class CForm(Document): 'net_total' : inv.net_total, 'grand_total' : inv.grand_total } - -def get_invoice_nos(doctype, txt, searchfield, start, page_len, filters): - from erpnext.utilities import build_filter_conditions - conditions, filter_values = build_filter_conditions(filters) - - return frappe.db.sql("""select name from `tabSales Invoice` where docstatus = 1 - and c_form_applicable = 'Yes' and ifnull(c_form_no, '') = '' %s - and %s like %s order by name limit %s, %s""" % - (conditions, searchfield, "%s", "%s", "%s"), - tuple(filter_values + ["%%%s%%" % txt, start, page_len])) diff --git a/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.js b/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.js index 5316b587e1..4bdcd9e0c7 100644 --- a/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.js +++ b/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.js @@ -11,7 +11,7 @@ frappe.query_reports["Bank Reconciliation Statement"] = { "reqd": 1, "get_query": function() { return { - "query": "erpnext.accounts.utils.get_account_list", + "query": "erpnext.accounts.utils.get_account_list", "filters": [ ['Account', 'account_type', 'in', 'Bank, Cash'], ['Account', 'group_or_ledger', '=', 'Ledger'], @@ -27,4 +27,4 @@ frappe.query_reports["Bank Reconciliation Statement"] = { "reqd": 1 }, ] -} \ No newline at end of file +} diff --git a/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py b/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py index 2b1923b11f..05cde6aab0 100644 --- a/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +++ b/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py @@ -7,10 +7,11 @@ from frappe.utils import flt def execute(filters=None): if not filters: filters = {} - + if not filters.get("account"): return + columns = get_columns() data = get_entries(filters) - + from erpnext.accounts.utils import get_balance_on balance_as_per_company = get_balance_on(filters["account"], filters["report_date"]) @@ -20,33 +21,33 @@ def execute(filters=None): total_credit += flt(d[5]) bank_bal = flt(balance_as_per_company) + flt(total_debit) - flt(total_credit) - + data += [ get_balance_row("Balance as per company books", balance_as_per_company), - ["", "", "", "Amounts not reflected in bank", total_debit, total_credit], + ["", "", "", "Amounts not reflected in bank", total_debit, total_credit], get_balance_row("Balance as per bank", bank_bal) ] - + return columns, data - + def get_columns(): - return ["Journal Voucher:Link/Journal Voucher:140", "Posting Date:Date:100", - "Clearance Date:Date:110", "Against Account:Link/Account:200", + return ["Journal Voucher:Link/Journal Voucher:140", "Posting Date:Date:100", + "Clearance Date:Date:110", "Against Account:Link/Account:200", "Debit:Currency:120", "Credit:Currency:120" ] - + def get_entries(filters): - entries = frappe.db.sql("""select + entries = frappe.db.sql("""select jv.name, jv.posting_date, jv.clearance_date, jvd.against_account, jvd.debit, jvd.credit - from - `tabJournal Voucher Detail` jvd, `tabJournal Voucher` jv - where jvd.parent = jv.name and jv.docstatus=1 - and jvd.account = %(account)s and jv.posting_date <= %(report_date)s + from + `tabJournal Voucher Detail` jvd, `tabJournal Voucher` jv + where jvd.parent = jv.name and jv.docstatus=1 + and jvd.account = %(account)s and jv.posting_date <= %(report_date)s and ifnull(jv.clearance_date, '4000-01-01') > %(report_date)s order by jv.name DESC""", filters, as_list=1) - + return entries - + def get_balance_row(label, amount): if amount > 0: return ["", "", "", label, amount, 0] diff --git a/erpnext/accounts/utils.py b/erpnext/accounts/utils.py index 1a09d38bf7..75825fcb7e 100644 --- a/erpnext/accounts/utils.py +++ b/erpnext/accounts/utils.py @@ -7,8 +7,7 @@ import frappe from frappe.utils import nowdate, cstr, flt, now, getdate, add_months from frappe import throw, _ from frappe.utils import formatdate -from erpnext.utilities import build_filter_conditions - +import frappe.widgets.reportview class FiscalYearError(frappe.ValidationError): pass class BudgetError(frappe.ValidationError): pass @@ -197,26 +196,28 @@ def update_against_doc(d, jv_obj): jv_obj.save() def get_account_list(doctype, txt, searchfield, start, page_len, filters): - if not filters.get("group_or_ledger"): - filters["group_or_ledger"] = "Ledger" + filters = add_group_or_ledger_filter("Account", filters) - conditions, filter_values = build_filter_conditions(filters) - - return frappe.db.sql("""select name, parent_account from `tabAccount` - where docstatus < 2 %s and %s like %s order by name limit %s, %s""" % - (conditions, searchfield, "%s", "%s", "%s"), - tuple(filter_values + ["%%%s%%" % txt, start, page_len])) + return frappe.widgets.reportview.execute("Account", filters = filters, + fields = ["name", "parent_account"], + limit_start=start, limit_page_length=page_len, as_list=True) def get_cost_center_list(doctype, txt, searchfield, start, page_len, filters): - if not filters.get("group_or_ledger"): - filters["group_or_ledger"] = "Ledger" + filters = add_group_or_ledger_filter("Cost Center", filters) - conditions, filter_values = build_filter_conditions(filters) + return frappe.widgets.reportview.execute("Cost Center", filters = filters, + fields = ["name", "parent_cost_center"], + limit_start=start, limit_page_length=page_len, as_list=True) - return frappe.db.sql("""select name, parent_cost_center from `tabCost Center` - where docstatus < 2 %s and %s like %s order by name limit %s, %s""" % - (conditions, searchfield, "%s", "%s", "%s"), - tuple(filter_values + ["%%%s%%" % txt, start, page_len])) +def add_group_or_ledger_filter(doctype, filters): + if isinstance(filters, dict): + if not filters.get("group_or_ledger"): + filters["group_or_ledger"] = "Ledger" + elif isinstance(filters, list): + if "group_or_ledger" not in [d[0] for d in filters]: + filters.append([doctype, "group_or_ledger", "=", "Ledger"]) + + return filters def remove_against_link_from_jv(ref_type, ref_no, against_field): linked_jv = frappe.db.sql_list("""select parent from `tabJournal Voucher Detail` diff --git a/erpnext/utilities/__init__.py b/erpnext/utilities/__init__.py index e96ae83c8a..bfb3fe4bdf 100644 --- a/erpnext/utilities/__init__.py +++ b/erpnext/utilities/__init__.py @@ -22,12 +22,3 @@ from frappe.utils import cint, comma_or def validate_status(status, options): if status not in options: frappe.throw(_("Status must be one of {0}").format(comma_or(options))) - -def build_filter_conditions(filters): - conditions, filter_values = [], [] - for key in filters: - conditions.append('`' + key + '` = %s') - filter_values.append(filters[key]) - - conditions = conditions and " and " + " and ".join(conditions) or "" - return conditions, filter_values From a3dd72a7596c64b0a33cce07c15af8075747a133 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Wed, 28 May 2014 12:49:20 +0530 Subject: [PATCH 031/630] Pricing Rule --- .../doctype/pricing_rule/pricing_rule.js | 64 ++++++++++++ .../doctype/pricing_rule/pricing_rule.json | 22 ++++- .../doctype/pricing_rule/pricing_rule.py | 2 - .../purchase_invoice/purchase_invoice.js | 9 +- .../purchase_invoice_item.json | 21 ++-- .../doctype/sales_invoice/sales_invoice.js | 9 +- .../sales_invoice_item.json | 21 ++-- .../bank_reconciliation_statement.py | 4 +- .../purchase_common/purchase_common.js | 3 +- .../purchase_order_item.json | 21 ++-- .../supplier_quotation_item.json | 21 ++-- erpnext/controllers/accounts_controller.py | 6 ++ erpnext/public/js/transaction.js | 55 ++++++++++- erpnext/public/js/utils/party.js | 3 +- .../quotation_item/quotation_item.json | 21 ++-- .../sales_order_item/sales_order_item.json | 21 ++-- erpnext/selling/sales_common.js | 11 ++- .../delivery_note_item.json | 21 ++-- .../purchase_receipt_item.json | 21 ++-- erpnext/stock/get_item_details.py | 98 ++++++++++++------- 20 files changed, 296 insertions(+), 158 deletions(-) create mode 100644 erpnext/accounts/doctype/pricing_rule/pricing_rule.js diff --git a/erpnext/accounts/doctype/pricing_rule/pricing_rule.js b/erpnext/accounts/doctype/pricing_rule/pricing_rule.js new file mode 100644 index 0000000000..356cc0de9c --- /dev/null +++ b/erpnext/accounts/doctype/pricing_rule/pricing_rule.js @@ -0,0 +1,64 @@ +// Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors +// License: GNU General Public License v3. See license.txt + +frappe.ui.form.on("Pricing Rule", "refresh", function(frm) { + var help_content = ['', + '', + '', + '
', + '

', + __('Notes'), + ':

', + '
    ', + '
  • ', + __("Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria."), + '
  • ', + '
  • ', + __("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."), + '
  • ', + '
  • ', + __('Discount Percentage can be applied either against a Price List or for all Price List.'), + '
  • ', + '
  • ', + __('To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.'), + '
  • ', + '
', + '
', + '

', + __('How Pricing Rule is applied?'), + '

', + '
    ', + '
  1. ', + __("Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand."), + '
  2. ', + '
  3. ', + __("Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc."), + '
  4. ', + '
  5. ', + __('Pricing Rules are further filtered based on quantity.'), + '
  6. ', + '
  7. ', + __('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.'), + '
  8. ', + '
  9. ', + __('Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:'), + '
      ', + '
    • ', + __('Item Code > Item Group > Brand'), + '
    • ', + '
    • ', + __('Customer > Customer Group > Territory'), + '
    • ', + '
    • ', + __('Supplier > Supplier Type'), + '
    • ', + '
    ', + '
  10. ', + '
  11. ', + __('If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.'), + '
  12. ', + '
', + '
'].join("\n"); + + set_field_options("pricing_rule_help", help_content); +}); diff --git a/erpnext/accounts/doctype/pricing_rule/pricing_rule.json b/erpnext/accounts/doctype/pricing_rule/pricing_rule.json index baefde26ef..5fbb08f1cf 100644 --- a/erpnext/accounts/doctype/pricing_rule/pricing_rule.json +++ b/erpnext/accounts/doctype/pricing_rule/pricing_rule.json @@ -131,6 +131,13 @@ "fieldtype": "Column Break", "permlevel": 0 }, + { + "fieldname": "company", + "fieldtype": "Link", + "label": "Company", + "options": "Company", + "permlevel": 0 + }, { "default": "Today", "fieldname": "valid_from", @@ -198,12 +205,25 @@ "label": "For Price List", "options": "Price List", "permlevel": 0 + }, + { + "fieldname": "help_section", + "fieldtype": "Section Break", + "label": "", + "options": "Simple", + "permlevel": 0 + }, + { + "fieldname": "pricing_rule_help", + "fieldtype": "HTML", + "label": "Pricing Rule Help", + "permlevel": 0 } ], "icon": "icon-gift", "idx": 1, "istable": 0, - "modified": "2014-05-12 16:24:52.005162", + "modified": "2014-05-27 15:14:34.849671", "modified_by": "Administrator", "module": "Accounts", "name": "Pricing Rule", diff --git a/erpnext/accounts/doctype/pricing_rule/pricing_rule.py b/erpnext/accounts/doctype/pricing_rule/pricing_rule.py index 39260a2e9e..61e7ade441 100644 --- a/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +++ b/erpnext/accounts/doctype/pricing_rule/pricing_rule.py @@ -15,7 +15,6 @@ class PricingRule(Document): self.validate_min_max_qty() self.cleanup_fields_value() - def validate_mandatory(self): for field in ["apply_on", "applicable_for", "price_or_discount"]: tocheck = frappe.scrub(self.get(field) or "") @@ -26,7 +25,6 @@ class PricingRule(Document): if self.min_qty and self.max_qty and flt(self.min_qty) > flt(self.max_qty): throw(_("Min Qty can not be greater than Max Qty")) - def cleanup_fields_value(self): for logic_field in ["apply_on", "applicable_for", "price_or_discount"]: fieldname = frappe.scrub(self.get(logic_field) or "") diff --git a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js index 158dec2046..d87456d260 100644 --- a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +++ b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js @@ -77,16 +77,19 @@ erpnext.accounts.PurchaseInvoice = erpnext.buying.BuyingController.extend({ }, supplier: function() { + var me = this; if(this.frm.updating_party_details) return; - erpnext.utils.get_party_details(this.frm, - "erpnext.accounts.party.get_party_details", { + erpnext.utils.get_party_details(this.frm, "erpnext.accounts.party.get_party_details", + { posting_date: this.frm.doc.posting_date, party: this.frm.doc.supplier, party_type: "Supplier", account: this.frm.doc.debit_to, price_list: this.frm.doc.buying_price_list, - }) + }, function() { + me.apply_pricing_rule(); + }) }, credit_to: function() { diff --git a/erpnext/accounts/doctype/purchase_invoice_item/purchase_invoice_item.json b/erpnext/accounts/doctype/purchase_invoice_item/purchase_invoice_item.json index 26f3be7889..d3b4606034 100755 --- a/erpnext/accounts/doctype/purchase_invoice_item/purchase_invoice_item.json +++ b/erpnext/accounts/doctype/purchase_invoice_item/purchase_invoice_item.json @@ -1,6 +1,6 @@ { "autoname": "EVD.######", - "creation": "2013-05-22 12:43:10.000000", + "creation": "2013-05-22 12:43:10", "docstatus": 0, "doctype": "DocType", "fields": [ @@ -193,17 +193,9 @@ "reqd": 1 }, { - "fieldname": "pricing_rule_for_price", + "fieldname": "pricing_rule", "fieldtype": "Link", - "label": "Pricing Rule For Price", - "options": "Pricing Rule", - "permlevel": 0, - "read_only": 1 - }, - { - "fieldname": "pricing_rule_for_discount", - "fieldtype": "Link", - "label": "Pricing Rule For Discount", + "label": "Pricing Rule", "options": "Pricing Rule", "permlevel": 0, "read_only": 1 @@ -429,9 +421,12 @@ ], "idx": 1, "istable": 1, - "modified": "2014-02-28 11:27:53.000000", + "modified": "2014-05-28 12:43:40.647183", "modified_by": "Administrator", "module": "Accounts", "name": "Purchase Invoice Item", - "owner": "Administrator" + "owner": "Administrator", + "permissions": [], + "sort_field": "modified", + "sort_order": "DESC" } \ No newline at end of file diff --git a/erpnext/accounts/doctype/sales_invoice/sales_invoice.js b/erpnext/accounts/doctype/sales_invoice/sales_invoice.js index a5707bb222..21b42a5f3f 100644 --- a/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +++ b/erpnext/accounts/doctype/sales_invoice/sales_invoice.js @@ -155,8 +155,9 @@ erpnext.accounts.SalesInvoiceController = erpnext.selling.SellingController.exte }, customer: function() { - if(this.frm.updating_party_details) - return; + var me = this; + if(this.frm.updating_party_details) return; + erpnext.utils.get_party_details(this.frm, "erpnext.accounts.party.get_party_details", { posting_date: this.frm.doc.posting_date, @@ -164,7 +165,9 @@ erpnext.accounts.SalesInvoiceController = erpnext.selling.SellingController.exte party_type: "Customer", account: this.frm.doc.debit_to, price_list: this.frm.doc.selling_price_list, - }) + }, function() { + me.apply_pricing_rule(); + }) }, debit_to: function() { diff --git a/erpnext/accounts/doctype/sales_invoice_item/sales_invoice_item.json b/erpnext/accounts/doctype/sales_invoice_item/sales_invoice_item.json index 527213be01..5b3bd9d888 100644 --- a/erpnext/accounts/doctype/sales_invoice_item/sales_invoice_item.json +++ b/erpnext/accounts/doctype/sales_invoice_item/sales_invoice_item.json @@ -1,6 +1,6 @@ { "autoname": "INVD.######", - "creation": "2013-06-04 11:02:19.000000", + "creation": "2013-06-04 11:02:19", "docstatus": 0, "doctype": "DocType", "fields": [ @@ -201,17 +201,9 @@ "reqd": 1 }, { - "fieldname": "pricing_rule_for_price", + "fieldname": "pricing_rule", "fieldtype": "Link", - "label": "Pricing Rule For Price", - "options": "Pricing Rule", - "permlevel": 0, - "read_only": 1 - }, - { - "fieldname": "pricing_rule_for_discount", - "fieldtype": "Link", - "label": "Pricing Rule For Discount", + "label": "Pricing Rule", "options": "Pricing Rule", "permlevel": 0, "read_only": 1 @@ -456,9 +448,12 @@ ], "idx": 1, "istable": 1, - "modified": "2014-02-28 11:04:19.000000", + "modified": "2014-05-28 12:42:28.209942", "modified_by": "Administrator", "module": "Accounts", "name": "Sales Invoice Item", - "owner": "Administrator" + "owner": "Administrator", + "permissions": [], + "sort_field": "modified", + "sort_order": "DESC" } \ No newline at end of file diff --git a/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py b/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py index 05cde6aab0..c1072a30ff 100644 --- a/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +++ b/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py @@ -7,9 +7,11 @@ from frappe.utils import flt def execute(filters=None): if not filters: filters = {} - if not filters.get("account"): return columns = get_columns() + + if not filters.get("account"): return columns, [] + data = get_entries(filters) from erpnext.accounts.utils import get_balance_on diff --git a/erpnext/buying/doctype/purchase_common/purchase_common.js b/erpnext/buying/doctype/purchase_common/purchase_common.js index c50dc3b664..032448f79f 100644 --- a/erpnext/buying/doctype/purchase_common/purchase_common.js +++ b/erpnext/buying/doctype/purchase_common/purchase_common.js @@ -62,7 +62,8 @@ erpnext.buying.BuyingController = erpnext.TransactionController.extend({ }, supplier: function() { - erpnext.utils.get_party_details(this.frm); + var me = this; + erpnext.utils.get_party_details(this.frm, null, null, function(){me.apply_pricing_rule()}); }, supplier_address: function() { diff --git a/erpnext/buying/doctype/purchase_order_item/purchase_order_item.json b/erpnext/buying/doctype/purchase_order_item/purchase_order_item.json index 23fb1c0e95..224f784c69 100755 --- a/erpnext/buying/doctype/purchase_order_item/purchase_order_item.json +++ b/erpnext/buying/doctype/purchase_order_item/purchase_order_item.json @@ -1,6 +1,6 @@ { "autoname": "POD/.#####", - "creation": "2013-05-24 19:29:06.000000", + "creation": "2013-05-24 19:29:06", "docstatus": 0, "doctype": "DocType", "fields": [ @@ -252,17 +252,9 @@ "reqd": 1 }, { - "fieldname": "pricing_rule_for_price", + "fieldname": "pricing_rule", "fieldtype": "Link", - "label": "Pricing Rule For Price", - "options": "Pricing Rule", - "permlevel": 0, - "read_only": 1 - }, - { - "fieldname": "pricing_rule_for_discount", - "fieldtype": "Link", - "label": "Pricing Rule For Discount", + "label": "Pricing Rule", "options": "Pricing Rule", "permlevel": 0, "read_only": 1 @@ -474,9 +466,12 @@ ], "idx": 1, "istable": 1, - "modified": "2014-02-28 11:26:25.000000", + "modified": "2014-05-28 12:42:53.018610", "modified_by": "Administrator", "module": "Buying", "name": "Purchase Order Item", - "owner": "Administrator" + "owner": "Administrator", + "permissions": [], + "sort_field": "modified", + "sort_order": "DESC" } \ No newline at end of file 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 11cb9d9627..65dfe97af8 100644 --- a/erpnext/buying/doctype/supplier_quotation_item/supplier_quotation_item.json +++ b/erpnext/buying/doctype/supplier_quotation_item/supplier_quotation_item.json @@ -1,6 +1,6 @@ { "autoname": "SQI-.#####", - "creation": "2013-05-22 12:43:10.000000", + "creation": "2013-05-22 12:43:10", "docstatus": 0, "doctype": "DocType", "fields": [ @@ -195,17 +195,9 @@ "reqd": 1 }, { - "fieldname": "pricing_rule_for_price", + "fieldname": "pricing_rule", "fieldtype": "Link", - "label": "Pricing Rule For Price", - "options": "Pricing Rule", - "permlevel": 0, - "read_only": 1 - }, - { - "fieldname": "pricing_rule_for_discount", - "fieldtype": "Link", - "label": "Pricing Rule For Discount", + "label": "Pricing Rule", "options": "Pricing Rule", "permlevel": 0, "read_only": 1 @@ -354,9 +346,12 @@ ], "idx": 1, "istable": 1, - "modified": "2014-02-28 11:25:38.000000", + "modified": "2014-05-28 12:44:17.347236", "modified_by": "Administrator", "module": "Buying", "name": "Supplier Quotation Item", - "owner": "Administrator" + "owner": "Administrator", + "permissions": [], + "sort_field": "modified", + "sort_order": "DESC" } \ No newline at end of file diff --git a/erpnext/controllers/accounts_controller.py b/erpnext/controllers/accounts_controller.py index 9033065bd9..683f72b0f2 100644 --- a/erpnext/controllers/accounts_controller.py +++ b/erpnext/controllers/accounts_controller.py @@ -97,11 +97,17 @@ class AccountsController(TransactionBase): args = item.as_dict() args.update(parent_dict) ret = get_item_details(args) + for fieldname, value in ret.items(): if item.meta.get_field(fieldname) and \ item.get(fieldname) is None and value is not None: item.set(fieldname, value) + if ret.get("pricing_rule"): + for field in ["base_price_list_rate", "price_list_rate", + "discount_percentage", "base_rate", "rate"]: + item.set(field, ret.get(field)) + def set_taxes(self, tax_parentfield, tax_master_field): if not self.meta.get_field(tax_parentfield): return diff --git a/erpnext/public/js/transaction.js b/erpnext/public/js/transaction.js index e12a30e14e..b336637f0a 100644 --- a/erpnext/public/js/transaction.js +++ b/erpnext/public/js/transaction.js @@ -194,6 +194,7 @@ erpnext.TransactionController = erpnext.stock.StockController.extend({ } this.frm.script_manager.trigger("currency"); + this.apply_pricing_rule() } }, @@ -225,7 +226,9 @@ erpnext.TransactionController = erpnext.stock.StockController.extend({ this.frm.doc.plc_conversion_rate !== this.frm.doc.conversion_rate) { this.frm.set_value("plc_conversion_rate", this.frm.doc.conversion_rate); } - if(flt(this.frm.doc.conversion_rate)>0.0) this.calculate_taxes_and_totals(); + if(flt(this.frm.doc.conversion_rate)>0.0) { + this.apply_pricing_rule(); + } }, get_price_list_currency: function(buying_or_selling) { @@ -278,12 +281,12 @@ erpnext.TransactionController = erpnext.stock.StockController.extend({ } if(this.frm.doc.price_list_currency === this.frm.doc.currency) { this.frm.set_value("conversion_rate", this.frm.doc.plc_conversion_rate); - this.calculate_taxes_and_totals(); + this.apply_pricing_rule(); } }, qty: function(doc, cdt, cdn) { - this.calculate_taxes_and_totals(); + this.apply_pricing_rule(frappe.get_doc(cdt, cdn)); }, // tax rate @@ -326,6 +329,52 @@ erpnext.TransactionController = erpnext.stock.StockController.extend({ this.calculate_taxes_and_totals(); }, + apply_pricing_rule: function(item) { + var me = this; + + var _apply_pricing_rule = function(item) { + return me.frm.call({ + method: "erpnext.stock.get_item_details.apply_pricing_rule", + child: item, + args: { + args: { + item_code: item.item_code, + item_group: item.item_group, + brand: item.brand, + qty: item.qty, + customer: me.frm.doc.customer, + customer_group: me.frm.doc.customer_group, + territory: me.frm.doc.territory, + supplier: me.frm.doc.supplier, + supplier_type: me.frm.doc.supplier_type, + currency: me.frm.doc.currency, + conversion_rate: me.frm.doc.conversion_rate, + price_list: me.frm.doc.selling_price_list || + me.frm.doc.buying_price_list, + plc_conversion_rate: me.frm.doc.plc_conversion_rate, + company: me.frm.doc.company, + transaction_date: me.frm.doc.transaction_date || me.frm.doc.posting_date, + campaign: me.frm.doc.campaign, + sales_partner: me.frm.doc.sales_partner + } + }, + callback: function(r) { + if(!r.exc) { + me.frm.script_manager.trigger("price_list_rate", item.doctype, item.name); + } + } + }); + } + + + if(item) _apply_pricing_rule(item); + else { + $.each(this.get_item_doclist(), function(n, item) { + _apply_pricing_rule(item); + }); + } + }, + included_in_print_rate: function(doc, cdt, cdn) { var tax = frappe.get_doc(cdt, cdn); try { diff --git a/erpnext/public/js/utils/party.js b/erpnext/public/js/utils/party.js index 31abbb304f..9da0353dbb 100644 --- a/erpnext/public/js/utils/party.js +++ b/erpnext/public/js/utils/party.js @@ -2,7 +2,7 @@ // License: GNU General Public License v3. See license.txt frappe.provide("erpnext.utils"); -erpnext.utils.get_party_details = function(frm, method, args) { +erpnext.utils.get_party_details = function(frm, method, args, callback) { if(!method) { method = "erpnext.accounts.party.get_party_details"; } @@ -33,6 +33,7 @@ erpnext.utils.get_party_details = function(frm, method, args) { frm.updating_party_details = true; frm.set_value(r.message); frm.updating_party_details = false; + if(callback) callback() } } }); diff --git a/erpnext/selling/doctype/quotation_item/quotation_item.json b/erpnext/selling/doctype/quotation_item/quotation_item.json index 4e19ee7970..a1807dd9ad 100644 --- a/erpnext/selling/doctype/quotation_item/quotation_item.json +++ b/erpnext/selling/doctype/quotation_item/quotation_item.json @@ -1,6 +1,6 @@ { "autoname": "QUOD/.#####", - "creation": "2013-03-07 11:42:57.000000", + "creation": "2013-03-07 11:42:57", "docstatus": 0, "doctype": "DocType", "fields": [ @@ -231,17 +231,9 @@ "width": "100px" }, { - "fieldname": "pricing_rule_for_price", + "fieldname": "pricing_rule", "fieldtype": "Link", - "label": "Pricing Rule For Price", - "options": "Pricing Rule", - "permlevel": 0, - "read_only": 1 - }, - { - "fieldname": "pricing_rule_for_discount", - "fieldtype": "Link", - "label": "Pricing Rule For Discount", + "label": "Pricing Rule", "options": "Pricing Rule", "permlevel": 0, "read_only": 1 @@ -353,9 +345,12 @@ ], "idx": 1, "istable": 1, - "modified": "2014-02-28 11:20:34.000000", + "modified": "2014-05-28 12:41:40.811916", "modified_by": "Administrator", "module": "Selling", "name": "Quotation Item", - "owner": "Administrator" + "owner": "Administrator", + "permissions": [], + "sort_field": "modified", + "sort_order": "DESC" } \ No newline at end of file diff --git a/erpnext/selling/doctype/sales_order_item/sales_order_item.json b/erpnext/selling/doctype/sales_order_item/sales_order_item.json index 9d0ae0e031..13ee085eef 100644 --- a/erpnext/selling/doctype/sales_order_item/sales_order_item.json +++ b/erpnext/selling/doctype/sales_order_item/sales_order_item.json @@ -1,6 +1,6 @@ { "autoname": "SOD/.#####", - "creation": "2013-03-07 11:42:58.000000", + "creation": "2013-03-07 11:42:58", "docstatus": 0, "doctype": "DocType", "fields": [ @@ -217,17 +217,9 @@ "width": "100px" }, { - "fieldname": "pricing_rule_for_price", + "fieldname": "pricing_rule", "fieldtype": "Link", - "label": "Pricing Rule For Price", - "options": "Pricing Rule", - "permlevel": 0, - "read_only": 1 - }, - { - "fieldname": "pricing_rule_for_discount", - "fieldtype": "Link", - "label": "Pricing Rule For Discount", + "label": "Pricing Rule", "options": "Pricing Rule", "permlevel": 0, "read_only": 1 @@ -439,9 +431,12 @@ ], "idx": 1, "istable": 1, - "modified": "2014-02-28 11:20:05.000000", + "modified": "2014-05-27 14:41:14.996650", "modified_by": "Administrator", "module": "Selling", "name": "Sales Order Item", - "owner": "Administrator" + "owner": "Administrator", + "permissions": [], + "sort_field": "modified", + "sort_order": "DESC" } \ No newline at end of file diff --git a/erpnext/selling/sales_common.js b/erpnext/selling/sales_common.js index 1e9643aeb8..b4841006e2 100644 --- a/erpnext/selling/sales_common.js +++ b/erpnext/selling/sales_common.js @@ -104,7 +104,8 @@ erpnext.selling.SellingController = erpnext.TransactionController.extend({ }, customer: function() { - erpnext.utils.get_party_details(this.frm); + var me = this; + erpnext.utils.get_party_details(this.frm, null, null, function(){me.apply_pricing_rule()}); }, customer_address: function() { @@ -119,6 +120,14 @@ erpnext.selling.SellingController = erpnext.TransactionController.extend({ erpnext.utils.get_contact_details(this.frm); }, + sales_partner: function() { + this.apply_pricing_rule(); + }, + + campaign: function() { + this.apply_pricing_rule(); + }, + barcode: function(doc, cdt, cdn) { this.item_code(doc, cdt, cdn); }, diff --git a/erpnext/stock/doctype/delivery_note_item/delivery_note_item.json b/erpnext/stock/doctype/delivery_note_item/delivery_note_item.json index e093def886..13307ef64a 100644 --- a/erpnext/stock/doctype/delivery_note_item/delivery_note_item.json +++ b/erpnext/stock/doctype/delivery_note_item/delivery_note_item.json @@ -1,6 +1,6 @@ { "autoname": "DND/.#######", - "creation": "2013-04-22 13:15:44.000000", + "creation": "2013-04-22 13:15:44", "docstatus": 0, "doctype": "DocType", "fields": [ @@ -225,17 +225,9 @@ "width": "100px" }, { - "fieldname": "pricing_rule_for_price", + "fieldname": "pricing_rule", "fieldtype": "Link", - "label": "Pricing Rule For Price", - "options": "Pricing Rule", - "permlevel": 0, - "read_only": 1 - }, - { - "fieldname": "pricing_rule_for_discount", - "fieldtype": "Link", - "label": "Pricing Rule For Discount", + "label": "Pricing Rule", "options": "Pricing Rule", "permlevel": 0, "read_only": 1 @@ -437,9 +429,12 @@ ], "idx": 1, "istable": 1, - "modified": "2014-02-28 11:20:58.000000", + "modified": "2014-05-28 12:42:05.788579", "modified_by": "Administrator", "module": "Stock", "name": "Delivery Note Item", - "owner": "Administrator" + "owner": "Administrator", + "permissions": [], + "sort_field": "modified", + "sort_order": "DESC" } \ No newline at end of file diff --git a/erpnext/stock/doctype/purchase_receipt_item/purchase_receipt_item.json b/erpnext/stock/doctype/purchase_receipt_item/purchase_receipt_item.json index 0c8100ce7d..548a7dacf1 100755 --- a/erpnext/stock/doctype/purchase_receipt_item/purchase_receipt_item.json +++ b/erpnext/stock/doctype/purchase_receipt_item/purchase_receipt_item.json @@ -1,6 +1,6 @@ { "autoname": "GRND/.#######", - "creation": "2013-05-24 19:29:10.000000", + "creation": "2013-05-24 19:29:10", "docstatus": 0, "doctype": "DocType", "fields": [ @@ -256,17 +256,9 @@ "width": "100px" }, { - "fieldname": "pricing_rule_for_price", + "fieldname": "pricing_rule", "fieldtype": "Link", - "label": "Pricing Rule For Price", - "options": "Pricing Rule", - "permlevel": 0, - "read_only": 1 - }, - { - "fieldname": "pricing_rule_for_discount", - "fieldtype": "Link", - "label": "Pricing Rule For Discount", + "label": "Pricing Rule", "options": "Pricing Rule", "permlevel": 0, "read_only": 1 @@ -553,9 +545,12 @@ ], "idx": 1, "istable": 1, - "modified": "2014-02-28 11:27:09.000000", + "modified": "2014-05-28 12:43:16.669040", "modified_by": "Administrator", "module": "Stock", "name": "Purchase Receipt Item", - "owner": "Administrator" + "owner": "Administrator", + "permissions": [], + "sort_field": "modified", + "sort_order": "DESC" } \ No newline at end of file diff --git a/erpnext/stock/get_item_details.py b/erpnext/stock/get_item_details.py index f9c7526a96..bd8cd3e939 100644 --- a/erpnext/stock/get_item_details.py +++ b/erpnext/stock/get_item_details.py @@ -68,7 +68,12 @@ def get_item_details(args): if args.transaction_type == "selling" and cint(args.is_pos): out.update(get_pos_settings_item_details(args.company, args)) - apply_pricing_rule(out, args) + # update args with out, if key or value not exists + for key, value in out.iteritems(): + if args.get(key) is None: + args[key] = value + + out.update(apply_pricing_rule(args)) if args.get("doctype") in ("Sales Invoice", "Delivery Note"): if item_doc.has_serial_no == "Yes" and not args.serial_no: @@ -243,36 +248,50 @@ def get_pos_settings(company): return pos_settings and pos_settings[0] or None -def apply_pricing_rule(out, args): - args_dict = frappe._dict().update(args) - args_dict.update(out) - all_pricing_rules = get_pricing_rules(args_dict) +@frappe.whitelist() +def apply_pricing_rule(args): + if isinstance(args, basestring): + args = json.loads(args) - rule_for_price = False - for rule_for in ["price", "discount_percentage"]: - pricing_rules = filter(lambda x: x[rule_for] > 0.0, all_pricing_rules) - if rule_for_price: - pricing_rules = filter(lambda x: not x["for_price_list"], pricing_rules) + args = frappe._dict(args) + out = frappe._dict() - pricing_rule = filter_pricing_rules(args_dict, pricing_rules) + if not args.get("item_group") or not args.get("brand"): + args.item_group, args.brand = frappe.db.get_value("Item", + args.item_code, ["item_group", "brand"]) - if pricing_rule: - if rule_for == "discount_percentage": - out["discount_percentage"] = pricing_rule["discount_percentage"] - out["pricing_rule_for_discount"] = pricing_rule["name"] - else: - out["base_price_list_rate"] = pricing_rule["price"] - out["price_list_rate"] = pricing_rule["price"] * \ - flt(args_dict.plc_conversion_rate) / flt(args_dict.conversion_rate) - out["pricing_rule_for_price"] = pricing_rule["name"] - rule_for_price = True + if not args.get("customer_group") or not args.get("territory"): + args.customer_group, args.territory = frappe.db.get_value("Customer", + args.customer, ["customer_group", "territory"]) -def get_pricing_rules(args_dict): + if not args.get("supplier_type"): + args.supplier_type = frappe.db.get_value("Supplier", args.supplier, "supplier_type") + + pricing_rules = get_pricing_rules(args) + pricing_rule = filter_pricing_rules(args, pricing_rules) + + if pricing_rule: + out.pricing_rule = pricing_rule.name + if pricing_rule.price_or_discount == "Price": + out.base_price_list_rate = pricing_rule.price + out.price_list_rate = pricing_rule.price*flt(args.plc_conversion_rate)/flt(args.conversion_rate) + out.base_rate = out.base_price_list_rate + out.rate = out.price_list_rate + out.discount_percentage = 0.0 + else: + out.discount_percentage = pricing_rule.discount_percentage + else: + out.pricing_rule = None + + return out + + +def get_pricing_rules(args): def _get_tree_conditions(doctype, allow_blank=True): field = frappe.scrub(doctype) condition = "" - if args_dict.get(field): - lft, rgt = frappe.db.get_value(doctype, args_dict[field], ["lft", "rgt"]) + if args.get(field): + lft, rgt = frappe.db.get_value(doctype, args[field], ["lft", "rgt"]) parent_groups = frappe.db.sql_list("""select name from `tab%s` where lft<=%s and rgt>=%s""" % (doctype, '%s', '%s'), (lft, rgt)) @@ -284,8 +303,8 @@ def get_pricing_rules(args_dict): conditions = "" - for field in ["customer", "supplier", "supplier_type", "campaign", "sales_partner"]: - if args_dict.get(field): + for field in ["company", "customer", "supplier", "supplier_type", "campaign", "sales_partner"]: + if args.get(field): conditions += " and ifnull("+field+", '') in (%("+field+")s, '')" else: conditions += " and ifnull("+field+", '') = ''" @@ -297,8 +316,7 @@ def get_pricing_rules(args_dict): conditions += " and ifnull(for_price_list, '') in (%(price_list)s, '')" - - if args_dict.get("transaction_date"): + if args.get("transaction_date"): conditions += """ and %(transaction_date)s between ifnull(valid_from, '2000-01-01') and ifnull(valid_upto, '2500-12-31')""" @@ -307,13 +325,13 @@ def get_pricing_rules(args_dict): and docstatus < 2 and ifnull(disable, 0) = 0 {conditions} order by priority desc, name desc""".format( item_group_condition=_get_tree_conditions("Item Group", False), conditions=conditions), - args_dict, as_dict=1) + args, as_dict=1) -def filter_pricing_rules(args_dict, pricing_rules): +def filter_pricing_rules(args, pricing_rules): # filter for qty - if pricing_rules and args_dict.get("qty"): - pricing_rules = filter(lambda x: (args_dict.qty>=flt(x.min_qty) - and (args_dict.qty<=x.max_qty if x.max_qty else True)), pricing_rules) + if pricing_rules and args.get("qty"): + pricing_rules = filter(lambda x: (args.qty>=flt(x.min_qty) + and (args.qty<=x.max_qty if x.max_qty else True)), pricing_rules) # find pricing rule with highest priority if pricing_rules: @@ -323,15 +341,19 @@ def filter_pricing_rules(args_dict, pricing_rules): # apply internal priority all_fields = ["item_code", "item_group", "brand", "customer", "customer_group", "territory", - "supplier", "supplier_type", "campaign", "for_price_list", "sales_partner"] + "supplier", "supplier_type", "campaign", "sales_partner"] if len(pricing_rules) > 1: for field_set in [["item_code", "item_group", "brand"], ["customer", "customer_group", "territory"], ["supplier", "supplier_type"]]: remaining_fields = list(set(all_fields) - set(field_set)) if if_all_rules_same(pricing_rules, remaining_fields): - pricing_rules = apply_internal_priority(pricing_rules, field_set, args_dict) + pricing_rules = apply_internal_priority(pricing_rules, field_set, args) break + if len(pricing_rules) > 1: + price_or_discount = list(set([d.price_or_discount for d in pricing_rules])) + if len(price_or_discount) == 1 and price_or_discount[0] == "Discount Percentage": + pricing_rules = filter(lambda x: x.for_price_list==args.price_list, pricing_rules) if len(pricing_rules) > 1: frappe.throw(_("Multiple Price Rule exists with same criteria, please resolve \ @@ -350,11 +372,11 @@ def if_all_rules_same(pricing_rules, fields): return all_rules_same -def apply_internal_priority(pricing_rules, field_set, args_dict): +def apply_internal_priority(pricing_rules, field_set, args): filtered_rules = [] for field in field_set: - if args_dict.get(field): - filtered_rules = filter(lambda x: x[field]==args_dict[field], pricing_rules) + if args.get(field): + filtered_rules = filter(lambda x: x[field]==args[field], pricing_rules) if filtered_rules: break return filtered_rules or pricing_rules From ea4aa04cc485dac2b24119b8295e3569bab512b5 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Wed, 28 May 2014 12:56:28 +0530 Subject: [PATCH 032/630] Search query for account cleanup --- .../accounts_payable/accounts_payable.js | 2 +- .../accounts_receivable.js | 2 +- .../bank_clearance_summary.js | 2 +- .../bank_reconciliation_statement.js | 2 +- .../item_wise_purchase_register.js | 2 +- .../item_wise_sales_register.js | 2 +- .../payment_period_based_on_invoice_date.js | 2 +- .../purchase_register/purchase_register.js | 2 +- .../report/sales_register/sales_register.js | 2 +- erpnext/accounts/utils.py | 24 ------------------- erpnext/controllers/queries.py | 12 ++++++++++ 11 files changed, 21 insertions(+), 33 deletions(-) diff --git a/erpnext/accounts/report/accounts_payable/accounts_payable.js b/erpnext/accounts/report/accounts_payable/accounts_payable.js index 09fbd3ef28..300c2285e7 100644 --- a/erpnext/accounts/report/accounts_payable/accounts_payable.js +++ b/erpnext/accounts/report/accounts_payable/accounts_payable.js @@ -18,7 +18,7 @@ frappe.query_reports["Accounts Payable"] = { "get_query": function() { var company = frappe.query_report.filters_by_name.company.get_value(); return { - "query": "erpnext.accounts.utils.get_account_list", + "query": "erpnext.controllers.queries.get_account_list", "filters": { "report_type": "Balance Sheet", "company": company, diff --git a/erpnext/accounts/report/accounts_receivable/accounts_receivable.js b/erpnext/accounts/report/accounts_receivable/accounts_receivable.js index 1cf0941e0f..304c21bebb 100644 --- a/erpnext/accounts/report/accounts_receivable/accounts_receivable.js +++ b/erpnext/accounts/report/accounts_receivable/accounts_receivable.js @@ -18,7 +18,7 @@ frappe.query_reports["Accounts Receivable"] = { "get_query": function() { var company = frappe.query_report.filters_by_name.company.get_value(); return { - "query": "erpnext.accounts.utils.get_account_list", + "query": "erpnext.controllers.queries.get_account_list", "filters": { "report_type": "Balance Sheet", "company": company, diff --git a/erpnext/accounts/report/bank_clearance_summary/bank_clearance_summary.js b/erpnext/accounts/report/bank_clearance_summary/bank_clearance_summary.js index abeaba85e5..c28ba70a25 100644 --- a/erpnext/accounts/report/bank_clearance_summary/bank_clearance_summary.js +++ b/erpnext/accounts/report/bank_clearance_summary/bank_clearance_summary.js @@ -23,7 +23,7 @@ frappe.query_reports["Bank Clearance Summary"] = { "options": "Account", "get_query": function() { return { - "query": "erpnext.accounts.utils.get_account_list", + "query": "erpnext.controllers.queries.get_account_list", "filters": [ ['Account', 'account_type', 'in', 'Bank, Cash'], ['Account', 'group_or_ledger', '=', 'Ledger'], diff --git a/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.js b/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.js index 4bdcd9e0c7..adc9ca2500 100644 --- a/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.js +++ b/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.js @@ -11,7 +11,7 @@ frappe.query_reports["Bank Reconciliation Statement"] = { "reqd": 1, "get_query": function() { return { - "query": "erpnext.accounts.utils.get_account_list", + "query": "erpnext.controllers.queries.get_account_list", "filters": [ ['Account', 'account_type', 'in', 'Bank, Cash'], ['Account', 'group_or_ledger', '=', 'Ledger'], diff --git a/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.js b/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.js index 402f894d3f..13c0edc0a7 100644 --- a/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.js +++ b/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.js @@ -30,7 +30,7 @@ frappe.query_reports["Item-wise Purchase Register"] = { "get_query": function() { var company = frappe.query_report.filters_by_name.company.get_value(); return { - "query": "erpnext.accounts.utils.get_account_list", + "query": "erpnext.controllers.queries.get_account_list", "filters": { "report_type": "Balance Sheet", "company": company, diff --git a/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.js b/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.js index 3264da7155..79b1785dec 100644 --- a/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.js +++ b/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.js @@ -24,7 +24,7 @@ frappe.query_reports["Item-wise Sales Register"] = frappe.query_reports["Sales R "get_query": function() { var company = frappe.query_report.filters_by_name.company.get_value(); return { - "query": "erpnext.accounts.utils.get_account_list", + "query": "erpnext.controllers.queries.get_account_list", "filters": { "report_type": "Balance Sheet", "company": company, diff --git a/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js b/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js index b0833b54a7..bff3f70a34 100644 --- a/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js +++ b/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js @@ -29,7 +29,7 @@ frappe.query_reports["Payment Period Based On Invoice Date"] = { options: "Account", get_query: function() { return { - query: "erpnext.accounts.utils.get_account_list", + query: "erpnext.controllers.queries.get_account_list", filters: { "report_type": "Balance Sheet", company: frappe.query_report.filters_by_name.company.get_value() diff --git a/erpnext/accounts/report/purchase_register/purchase_register.js b/erpnext/accounts/report/purchase_register/purchase_register.js index 7e999dee70..a1a41a5ee0 100644 --- a/erpnext/accounts/report/purchase_register/purchase_register.js +++ b/erpnext/accounts/report/purchase_register/purchase_register.js @@ -24,7 +24,7 @@ frappe.query_reports["Purchase Register"] = { "get_query": function() { var company = frappe.query_report.filters_by_name.company.get_value(); return { - "query": "erpnext.accounts.utils.get_account_list", + "query": "erpnext.controllers.queries.get_account_list", "filters": { "report_type": "Balance Sheet", "company": company, diff --git a/erpnext/accounts/report/sales_register/sales_register.js b/erpnext/accounts/report/sales_register/sales_register.js index 0cc48a6489..ac30562fd7 100644 --- a/erpnext/accounts/report/sales_register/sales_register.js +++ b/erpnext/accounts/report/sales_register/sales_register.js @@ -24,7 +24,7 @@ frappe.query_reports["Sales Register"] = { "get_query": function() { var company = frappe.query_report.filters_by_name.company.get_value(); return { - "query": "erpnext.accounts.utils.get_account_list", + "query": "erpnext.controllers.queries.get_account_list", "filters": { "report_type": "Balance Sheet", "company": company, diff --git a/erpnext/accounts/utils.py b/erpnext/accounts/utils.py index 75825fcb7e..160514bfe5 100644 --- a/erpnext/accounts/utils.py +++ b/erpnext/accounts/utils.py @@ -195,30 +195,6 @@ def update_against_doc(d, jv_obj): jv_obj.ignore_validate_update_after_submit = True jv_obj.save() -def get_account_list(doctype, txt, searchfield, start, page_len, filters): - filters = add_group_or_ledger_filter("Account", filters) - - return frappe.widgets.reportview.execute("Account", filters = filters, - fields = ["name", "parent_account"], - limit_start=start, limit_page_length=page_len, as_list=True) - -def get_cost_center_list(doctype, txt, searchfield, start, page_len, filters): - filters = add_group_or_ledger_filter("Cost Center", filters) - - return frappe.widgets.reportview.execute("Cost Center", filters = filters, - fields = ["name", "parent_cost_center"], - limit_start=start, limit_page_length=page_len, as_list=True) - -def add_group_or_ledger_filter(doctype, filters): - if isinstance(filters, dict): - if not filters.get("group_or_ledger"): - filters["group_or_ledger"] = "Ledger" - elif isinstance(filters, list): - if "group_or_ledger" not in [d[0] for d in filters]: - filters.append([doctype, "group_or_ledger", "=", "Ledger"]) - - return filters - def remove_against_link_from_jv(ref_type, ref_no, against_field): linked_jv = frappe.db.sql_list("""select parent from `tabJournal Voucher Detail` where `%s`=%s and docstatus < 2""" % (against_field, "%s"), (ref_no)) diff --git a/erpnext/controllers/queries.py b/erpnext/controllers/queries.py index 5cc7f6448c..a30cde72a5 100644 --- a/erpnext/controllers/queries.py +++ b/erpnext/controllers/queries.py @@ -234,3 +234,15 @@ def get_batch_no(doctype, txt, searchfield, start, page_len, filters): 'posting_date': filters['posting_date'], 'txt': "%%%s%%" % txt, 'mcond':get_match_cond(doctype),'start': start, 'page_len': page_len}) + +def get_account_list(doctype, txt, searchfield, start, page_len, filters): + if isinstance(filters, dict): + if not filters.get("group_or_ledger"): + filters["group_or_ledger"] = "Ledger" + elif isinstance(filters, list): + if "group_or_ledger" not in [d[0] for d in filters]: + filters.append(["Account", "group_or_ledger", "=", "Ledger"]) + + return frappe.widgets.reportview.execute("Account", filters = filters, + fields = ["name", "parent_account"], + limit_start=start, limit_page_length=page_len, as_list=True) From 8de61559b01fa468548dff3e6c41d59c4f542d58 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Wed, 28 May 2014 15:12:36 +0530 Subject: [PATCH 033/630] Minor fixes in sales / purchase analytics. Fixes #1701 --- .../purchase_analytics/purchase_analytics.js | 98 +++++++++---------- .../page/sales_analytics/sales_analytics.js | 88 ++++++++--------- 2 files changed, 93 insertions(+), 93 deletions(-) diff --git a/erpnext/buying/page/purchase_analytics/purchase_analytics.js b/erpnext/buying/page/purchase_analytics/purchase_analytics.js index f695a4982f..2e29d01a0a 100644 --- a/erpnext/buying/page/purchase_analytics/purchase_analytics.js +++ b/erpnext/buying/page/purchase_analytics/purchase_analytics.js @@ -1,18 +1,18 @@ // Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors // License: GNU General Public License v3. See license.txt -frappe.pages['purchase-analytics'].onload = function(wrapper) { +frappe.pages['purchase-analytics'].onload = function(wrapper) { frappe.ui.make_app_page({ parent: wrapper, title: __('Purchase Analytics'), single_column: true - }); - + }); + new erpnext.PurchaseAnalytics(wrapper); - + wrapper.appframe.add_module_icon("Buying") - + } erpnext.PurchaseAnalytics = frappe.views.TreeGridReport.extend({ @@ -22,19 +22,19 @@ erpnext.PurchaseAnalytics = frappe.views.TreeGridReport.extend({ page: wrapper, parent: $(wrapper).find('.layout-main'), appframe: wrapper.appframe, - doctypes: ["Item", "Item Group", "Supplier", "Supplier Type", "Company", "Fiscal Year", - "Purchase Invoice", "Purchase Invoice Item", - "Purchase Order", "Purchase Order Item[Purchase Analytics]", + doctypes: ["Item", "Item Group", "Supplier", "Supplier Type", "Company", "Fiscal Year", + "Purchase Invoice", "Purchase Invoice Item", + "Purchase Order", "Purchase Order Item[Purchase Analytics]", "Purchase Receipt", "Purchase Receipt Item[Purchase Analytics]"], tree_grid: { show: true } }); - + this.tree_grids = { "Supplier Type": { label: __("Supplier Type / Supplier"), - show: true, + show: true, item_key: "supplier", - parent_field: "parent_supplier_type", + parent_field: "parent_supplier_type", formatter: function(item) { // return repl('%(value)s', { // value: item.name, @@ -45,29 +45,29 @@ erpnext.PurchaseAnalytics = frappe.views.TreeGridReport.extend({ }, "Supplier": { label: __("Supplier"), - show: false, + show: false, item_key: "supplier", formatter: function(item) { return item.name; } - }, + }, "Item Group": { label: "Item", - show: true, - parent_field: "parent_item_group", + show: true, + parent_field: "parent_item_group", item_key: "item_code", formatter: function(item) { return item.name; } - }, + }, "Item": { label: "Item", - show: false, + show: false, item_key: "item_code", formatter: function(item) { return item.name; } - }, + }, } }, setup_columns: function() { @@ -82,24 +82,24 @@ erpnext.PurchaseAnalytics = frappe.views.TreeGridReport.extend({ formatter: this.currency_formatter} ]; - this.make_date_range_columns(); + this.make_date_range_columns(); this.columns = std_columns.concat(this.columns); }, filters: [ - {fieldtype:"Select", label: __("Tree Type"), options:["Supplier Type", "Supplier", + {fieldtype:"Select", label: __("Tree Type"), options:["Supplier Type", "Supplier", "Item Group", "Item"], filter: function(val, item, opts, me) { return me.apply_zero_filter(val, item, opts, me); }}, - {fieldtype:"Select", label: __("Based On"), options:["Purchase Invoice", + {fieldtype:"Select", label: __("Based On"), options:["Purchase Invoice", "Purchase Order", "Purchase Receipt"]}, {fieldtype:"Select", label: __("Value or Qty"), options:["Value", "Quantity"]}, - {fieldtype:"Select", label: __("Company"), link:"Company", + {fieldtype:"Select", label: __("Company"), link:"Company", default_value: "Select Company..."}, {fieldtype:"Date", label: __("From Date")}, {fieldtype:"Label", label: __("To")}, {fieldtype:"Date", label: __("To Date")}, - {fieldtype:"Select", label: __("Range"), + {fieldtype:"Select", label: __("Range"), options:["Daily", "Weekly", "Monthly", "Quarterly", "Yearly"]}, {fieldtype:"Button", label: __("Refresh"), icon:"icon-refresh icon-white"}, {fieldtype:"Button", label: __("Reset Filters"), icon: "icon-filter"} @@ -107,10 +107,10 @@ erpnext.PurchaseAnalytics = frappe.views.TreeGridReport.extend({ setup_filters: function() { var me = this; this._super(); - + this.trigger_refresh_on_change(["value_or_qty", "tree_type", "based_on", "company"]); - this.show_zero_check() + this.show_zero_check() this.setup_plot_check(); }, init_filter_values: function() { @@ -124,34 +124,34 @@ erpnext.PurchaseAnalytics = frappe.views.TreeGridReport.extend({ // Add 'All Supplier Types' Supplier Type // (Supplier / Item are not mandatory!!) // Set parent supplier type for tree view - + $.each(frappe.report_dump.data["Supplier Type"], function(i, v) { v['parent_supplier_type'] = "All Supplier Types" }) - + frappe.report_dump.data["Supplier Type"] = [{ - name: __("All Supplier Types"), + name: __("All Supplier Types"), id: "All Supplier Types", }].concat(frappe.report_dump.data["Supplier Type"]); - + frappe.report_dump.data["Supplier"].push({ - name: __("Not Set"), + name: __("Not Set"), parent_supplier_type: "All Supplier Types", id: "Not Set", }); frappe.report_dump.data["Item"].push({ - name: __("Not Set"), + name: __("Not Set"), parent_item_group: "All Item Groups", id: "Not Set", }); } - + if (!this.tl || !this.tl[this.based_on]) { this.make_transaction_list(this.based_on, this.based_on + " Item"); } - - + + if(!this.data || me.item_type != me.tree_type) { if(me.tree_type=='Supplier') { var items = frappe.report_dump.data["Supplier"]; @@ -177,20 +177,20 @@ erpnext.PurchaseAnalytics = frappe.views.TreeGridReport.extend({ me.parent_map[d.name] = d[me.tree_grid.parent_field]; } me.reset_item_values(d); - }); - + }); + this.set_indent(); - + } else { // otherwise, only reset values $.each(this.data, function(i, d) { me.reset_item_values(d); }); } - + this.prepare_balances(); if(me.tree_grid.show) { - this.set_totals(false); + this.set_totals(false); this.update_groups(); } else { this.set_totals(true); @@ -201,14 +201,14 @@ erpnext.PurchaseAnalytics = frappe.views.TreeGridReport.extend({ var from_date = dateutil.str_to_obj(this.from_date); var to_date = dateutil.str_to_obj(this.to_date); var is_val = this.value_or_qty == 'Value'; - + $.each(this.tl[this.based_on], function(i, tl) { - if (me.is_default('company') ? true : tl.company === me.company) { + if (me.is_default('company') ? true : tl.company === me.company) { var posting_date = dateutil.str_to_obj(tl.posting_date); if (posting_date >= from_date && posting_date <= to_date) { - var item = me.item_by_name[tl[me.tree_grid.item_key]] || + var item = me.item_by_name[tl[me.tree_grid.item_key]] || me.item_by_name['Not Set']; - item[me.column_map[tl.posting_date].field] += (is_val ? tl.amount : tl.qty); + item[me.column_map[tl.posting_date].field] += (is_val ? tl.base_amount : tl.qty); } } }); @@ -220,10 +220,10 @@ erpnext.PurchaseAnalytics = frappe.views.TreeGridReport.extend({ var parent = me.parent_map[item.name]; while(parent) { parent_group = me.item_by_name[parent]; - + $.each(me.columns, function(c, col) { if (col.formatter == me.currency_formatter) { - parent_group[col.field] = + parent_group[col.field] = flt(parent_group[col.field]) + flt(item[col.field]); } @@ -235,10 +235,10 @@ erpnext.PurchaseAnalytics = frappe.views.TreeGridReport.extend({ set_totals: function(sort) { var me = this; var checked = false; - $.each(this.data, function(i, d) { + $.each(this.data, function(i, d) { d.total = 0.0; $.each(me.columns, function(i, col) { - if(col.formatter==me.currency_formatter && !col.hidden && col.field!="total") + if(col.formatter==me.currency_formatter && !col.hidden && col.field!="total") d.total += d[col.field]; if(d.checked) checked = true; }) @@ -251,7 +251,7 @@ erpnext.PurchaseAnalytics = frappe.views.TreeGridReport.extend({ } }, get_plot_points: function(item, col, idx) { - return [[dateutil.str_to_obj(col.id).getTime(), item[col.field]], + return [[dateutil.str_to_obj(col.id).getTime(), item[col.field]], [dateutil.user_to_obj(col.name).getTime(), item[col.field]]]; } -}); \ No newline at end of file +}); diff --git a/erpnext/selling/page/sales_analytics/sales_analytics.js b/erpnext/selling/page/sales_analytics/sales_analytics.js index 25c8f80497..2117370285 100644 --- a/erpnext/selling/page/sales_analytics/sales_analytics.js +++ b/erpnext/selling/page/sales_analytics/sales_analytics.js @@ -1,17 +1,17 @@ // Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors // License: GNU General Public License v3. See license.txt -frappe.pages['sales-analytics'].onload = function(wrapper) { +frappe.pages['sales-analytics'].onload = function(wrapper) { frappe.ui.make_app_page({ parent: wrapper, title: __('Sales Analytics'), single_column: true }); new erpnext.SalesAnalytics(wrapper); - + wrapper.appframe.add_module_icon("Selling") - + } erpnext.SalesAnalytics = frappe.views.TreeGridReport.extend({ @@ -21,55 +21,55 @@ erpnext.SalesAnalytics = frappe.views.TreeGridReport.extend({ page: wrapper, parent: $(wrapper).find('.layout-main'), appframe: wrapper.appframe, - doctypes: ["Item", "Item Group", "Customer", "Customer Group", "Company", "Territory", - "Fiscal Year", "Sales Invoice", "Sales Invoice Item", - "Sales Order", "Sales Order Item[Sales Analytics]", + doctypes: ["Item", "Item Group", "Customer", "Customer Group", "Company", "Territory", + "Fiscal Year", "Sales Invoice", "Sales Invoice Item", + "Sales Order", "Sales Order Item[Sales Analytics]", "Delivery Note", "Delivery Note Item[Sales Analytics]"], tree_grid: { show: true } }); - + this.tree_grids = { "Customer Group": { label: __("Customer Group / Customer"), - show: true, + show: true, item_key: "customer", - parent_field: "parent_customer_group", + parent_field: "parent_customer_group", formatter: function(item) { return item.name; } }, "Customer": { label: __("Customer"), - show: false, + show: false, item_key: "customer", formatter: function(item) { return item.name; } - }, + }, "Item Group": { label: __("Item"), - show: true, - parent_field: "parent_item_group", + show: true, + parent_field: "parent_item_group", item_key: "item_code", formatter: function(item) { return item.name; } - }, + }, "Item": { label: __("Item"), - show: false, + show: false, item_key: "item_code", formatter: function(item) { return item.name; } - }, + }, "Territory": { label: __("Territory / Customer"), - show: true, + show: true, item_key: "customer", - parent_field: "parent_territory", + parent_field: "parent_territory", formatter: function(item) { return item.name; } - } + } } }, setup_columns: function() { @@ -84,24 +84,24 @@ erpnext.SalesAnalytics = frappe.views.TreeGridReport.extend({ formatter: this.currency_formatter} ]; - this.make_date_range_columns(); + this.make_date_range_columns(); this.columns = std_columns.concat(this.columns); }, filters: [ - {fieldtype:"Select", fieldname: "tree_type", label: __("Tree Type"), options:["Customer Group", "Customer", + {fieldtype:"Select", fieldname: "tree_type", label: __("Tree Type"), options:["Customer Group", "Customer", "Item Group", "Item", "Territory"], filter: function(val, item, opts, me) { return me.apply_zero_filter(val, item, opts, me); }}, - {fieldtype:"Select", fieldname: "based_on", label: __("Based On"), options:["Sales Invoice", + {fieldtype:"Select", fieldname: "based_on", label: __("Based On"), options:["Sales Invoice", "Sales Order", "Delivery Note"]}, {fieldtype:"Select", fieldname: "value_or_qty", label: __("Value or Qty"), options:["Value", "Quantity"]}, - {fieldtype:"Select", fieldname: "company", label: __("Company"), link:"Company", + {fieldtype:"Select", fieldname: "company", label: __("Company"), link:"Company", default_value: "Select Company..."}, {fieldtype:"Date", fieldname: "from_date", label: __("From Date")}, {fieldtype:"Label", fieldname: "to", label: __("To")}, {fieldtype:"Date", fieldname: "to_date", label: __("To Date")}, - {fieldtype:"Select", fieldname: "range", label: __("Range"), + {fieldtype:"Select", fieldname: "range", label: __("Range"), options:["Daily", "Weekly", "Monthly", "Quarterly", "Yearly"]}, {fieldtype:"Button", fieldname: "refresh", label: __("Refresh"), icon:"icon-refresh"}, {fieldtype:"Button", fieldname: "reset_filters", label: __("Reset Filters"), icon:"icon-filter"} @@ -109,10 +109,10 @@ erpnext.SalesAnalytics = frappe.views.TreeGridReport.extend({ setup_filters: function() { var me = this; this._super(); - + this.trigger_refresh_on_change(["value_or_qty", "tree_type", "based_on", "company"]); - this.show_zero_check() + this.show_zero_check() this.setup_plot_check(); }, init_filter_values: function() { @@ -125,14 +125,14 @@ erpnext.SalesAnalytics = frappe.views.TreeGridReport.extend({ // add 'Not Set' Customer & Item // (Customer / Item are not mandatory!!) frappe.report_dump.data["Customer"].push({ - name: "Not Set", + name: "Not Set", parent_customer_group: "All Customer Groups", parent_territory: "All Territories", id: "Not Set", }); frappe.report_dump.data["Item"].push({ - name: "Not Set", + name: "Not Set", parent_item_group: "All Item Groups", id: "Not Set", }); @@ -141,7 +141,7 @@ erpnext.SalesAnalytics = frappe.views.TreeGridReport.extend({ if (!this.tl || !this.tl[this.based_on]) { this.make_transaction_list(this.based_on, this.based_on + " Item"); } - + if(!this.data || me.item_type != me.tree_type) { if(me.tree_type=='Customer') { var items = frappe.report_dump.data["Customer"]; @@ -159,7 +159,7 @@ erpnext.SalesAnalytics = frappe.views.TreeGridReport.extend({ me.parent_map = {}; me.item_by_name = {}; me.data = []; - + $.each(items, function(i, v) { var d = copy_dict(v); @@ -169,20 +169,20 @@ erpnext.SalesAnalytics = frappe.views.TreeGridReport.extend({ me.parent_map[d.name] = d[me.tree_grid.parent_field]; } me.reset_item_values(d); - }); - + }); + this.set_indent(); - + } else { // otherwise, only reset values $.each(this.data, function(i, d) { me.reset_item_values(d); }); } - + this.prepare_balances(); if(me.tree_grid.show) { - this.set_totals(false); + this.set_totals(false); this.update_groups(); } else { this.set_totals(true); @@ -194,14 +194,14 @@ erpnext.SalesAnalytics = frappe.views.TreeGridReport.extend({ var from_date = dateutil.str_to_obj(this.from_date); var to_date = dateutil.str_to_obj(this.to_date); var is_val = this.value_or_qty == 'Value'; - + $.each(this.tl[this.based_on], function(i, tl) { - if (me.is_default('company') ? true : tl.company === me.company) { + if (me.is_default('company') ? true : tl.company === me.company) { var posting_date = dateutil.str_to_obj(tl.posting_date); if (posting_date >= from_date && posting_date <= to_date) { - var item = me.item_by_name[tl[me.tree_grid.item_key]] || + var item = me.item_by_name[tl[me.tree_grid.item_key]] || me.item_by_name['Not Set']; - item[me.column_map[tl.posting_date].field] += (is_val ? tl.amount : tl.qty); + item[me.column_map[tl.posting_date].field] += (is_val ? tl.base_amount : tl.qty); } } }); @@ -213,10 +213,10 @@ erpnext.SalesAnalytics = frappe.views.TreeGridReport.extend({ var parent = me.parent_map[item.name]; while(parent) { parent_group = me.item_by_name[parent]; - + $.each(me.columns, function(c, col) { if (col.formatter == me.currency_formatter) { - parent_group[col.field] = + parent_group[col.field] = flt(parent_group[col.field]) + flt(item[col.field]); } @@ -228,10 +228,10 @@ erpnext.SalesAnalytics = frappe.views.TreeGridReport.extend({ set_totals: function(sort) { var me = this; var checked = false; - $.each(this.data, function(i, d) { + $.each(this.data, function(i, d) { d.total = 0.0; $.each(me.columns, function(i, col) { - if(col.formatter==me.currency_formatter && !col.hidden && col.field!="total") + if(col.formatter==me.currency_formatter && !col.hidden && col.field!="total") d.total += d[col.field]; if(d.checked) checked = true; }) @@ -244,7 +244,7 @@ erpnext.SalesAnalytics = frappe.views.TreeGridReport.extend({ } }, get_plot_points: function(item, col, idx) { - return [[dateutil.str_to_obj(col.id).getTime(), item[col.field]], + return [[dateutil.str_to_obj(col.id).getTime(), item[col.field]], [dateutil.user_to_obj(col.name).getTime(), item[col.field]]]; } }); From ccb9826afd4ba0001dc6ad3916f7d5d9e2e3f652 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Wed, 28 May 2014 15:46:54 +0530 Subject: [PATCH 034/630] pricing list tets case fixes --- erpnext/accounts/doctype/pricing_rule/pricing_rule.json | 2 +- .../accounts/doctype/pricing_rule/test_pricing_rule.py | 2 +- erpnext/stock/get_item_details.py | 8 +++++--- 3 files changed, 7 insertions(+), 5 deletions(-) diff --git a/erpnext/accounts/doctype/pricing_rule/pricing_rule.json b/erpnext/accounts/doctype/pricing_rule/pricing_rule.json index 5fbb08f1cf..e023dd08c3 100644 --- a/erpnext/accounts/doctype/pricing_rule/pricing_rule.json +++ b/erpnext/accounts/doctype/pricing_rule/pricing_rule.json @@ -223,7 +223,7 @@ "icon": "icon-gift", "idx": 1, "istable": 0, - "modified": "2014-05-27 15:14:34.849671", + "modified": "2014-05-28 15:36:29.403659", "modified_by": "Administrator", "module": "Accounts", "name": "Pricing Rule", diff --git a/erpnext/accounts/doctype/pricing_rule/test_pricing_rule.py b/erpnext/accounts/doctype/pricing_rule/test_pricing_rule.py index 003c6e66b4..1c53902076 100644 --- a/erpnext/accounts/doctype/pricing_rule/test_pricing_rule.py +++ b/erpnext/accounts/doctype/pricing_rule/test_pricing_rule.py @@ -72,7 +72,7 @@ class TestPricingRule(unittest.TestCase): frappe.db.sql("update `tabPricing Rule` set priority=NULL where campaign='_Test Campaign'") from erpnext.stock.get_item_details import MultiplePricingRuleConflict - self.assertRaises (MultiplePricingRuleConflict, get_item_details, args) + self.assertRaises(MultiplePricingRuleConflict, get_item_details, args) args.item_code = "_Test Item 2" details = get_item_details(args) diff --git a/erpnext/stock/get_item_details.py b/erpnext/stock/get_item_details.py index bd8cd3e939..fe62070640 100644 --- a/erpnext/stock/get_item_details.py +++ b/erpnext/stock/get_item_details.py @@ -260,11 +260,11 @@ def apply_pricing_rule(args): args.item_group, args.brand = frappe.db.get_value("Item", args.item_code, ["item_group", "brand"]) - if not args.get("customer_group") or not args.get("territory"): + if args.get("customer") and (not args.get("customer_group") or not args.get("territory")): args.customer_group, args.territory = frappe.db.get_value("Customer", args.customer, ["customer_group", "territory"]) - if not args.get("supplier_type"): + if args.get("supplier") and not args.get("supplier_type"): args.supplier_type = frappe.db.get_value("Supplier", args.supplier, "supplier_type") pricing_rules = get_pricing_rules(args) @@ -350,10 +350,12 @@ def filter_pricing_rules(args, pricing_rules): if if_all_rules_same(pricing_rules, remaining_fields): pricing_rules = apply_internal_priority(pricing_rules, field_set, args) break + if len(pricing_rules) > 1: price_or_discount = list(set([d.price_or_discount for d in pricing_rules])) if len(price_or_discount) == 1 and price_or_discount[0] == "Discount Percentage": - pricing_rules = filter(lambda x: x.for_price_list==args.price_list, pricing_rules) + pricing_rules = filter(lambda x: x.for_price_list==args.price_list, pricing_rules) \ + or pricing_rules if len(pricing_rules) > 1: frappe.throw(_("Multiple Price Rule exists with same criteria, please resolve \ From e7546e230572e5cc6c5aae95e6c0228489b3b500 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Wed, 28 May 2014 16:25:54 +0530 Subject: [PATCH 035/630] SMS Settings added in setup and selling module page. Fixes #1693 --- erpnext/config/selling.py | 5 +++++ erpnext/config/setup.py | 5 +++++ 2 files changed, 10 insertions(+) diff --git a/erpnext/config/selling.py b/erpnext/config/selling.py index 4d3e059188..bb70ac9607 100644 --- a/erpnext/config/selling.py +++ b/erpnext/config/selling.py @@ -156,6 +156,11 @@ def get_data(): "name": "Industry Type", "description": _("Track Leads by Industry Type.") }, + { + "type": "doctype", + "name": "SMS Settings", + "description": _("Setup SMS gateway settings") + }, ] }, { diff --git a/erpnext/config/setup.py b/erpnext/config/setup.py index e538de5ab3..66b44e28c5 100644 --- a/erpnext/config/setup.py +++ b/erpnext/config/setup.py @@ -83,6 +83,11 @@ def get_data(): "name": "Jobs Email Settings", "description": _("Setup incoming server for jobs email id. (e.g. jobs@example.com)") }, + { + "type": "doctype", + "name": "SMS Settings", + "description": _("Setup SMS gateway settings") + }, ] }, { From 47a8670d378e7fb72bf2356aba574e256243d74b Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Wed, 28 May 2014 17:03:28 +0530 Subject: [PATCH 036/630] pricing rule testcase fixes --- erpnext/accounts/doctype/pricing_rule/test_pricing_rule.py | 2 +- erpnext/stock/get_item_details.py | 1 + 2 files changed, 2 insertions(+), 1 deletion(-) diff --git a/erpnext/accounts/doctype/pricing_rule/test_pricing_rule.py b/erpnext/accounts/doctype/pricing_rule/test_pricing_rule.py index 1c53902076..b17c995298 100644 --- a/erpnext/accounts/doctype/pricing_rule/test_pricing_rule.py +++ b/erpnext/accounts/doctype/pricing_rule/test_pricing_rule.py @@ -20,6 +20,7 @@ class TestPricingRule(unittest.TestCase): "price_or_discount": "Discount Percentage", "price": 0, "discount_percentage": 10, + "company": "_Test Company" } frappe.get_doc(test_record.copy()).insert() @@ -36,7 +37,6 @@ class TestPricingRule(unittest.TestCase): "transaction_type": "selling", "customer": "_Test Customer", }) - details = get_item_details(args) self.assertEquals(details.get("discount_percentage"), 10) diff --git a/erpnext/stock/get_item_details.py b/erpnext/stock/get_item_details.py index fe62070640..4a295d8242 100644 --- a/erpnext/stock/get_item_details.py +++ b/erpnext/stock/get_item_details.py @@ -268,6 +268,7 @@ def apply_pricing_rule(args): args.supplier_type = frappe.db.get_value("Supplier", args.supplier, "supplier_type") pricing_rules = get_pricing_rules(args) + pricing_rule = filter_pricing_rules(args, pricing_rules) if pricing_rule: From d0605443fb6cbf4b888417804aa745b64434d2ac Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Wed, 28 May 2014 17:11:22 +0530 Subject: [PATCH 037/630] removed print statement --- erpnext/stock/doctype/item/item.py | 1 - 1 file changed, 1 deletion(-) diff --git a/erpnext/stock/doctype/item/item.py b/erpnext/stock/doctype/item/item.py index 104f905383..6d6db94f30 100644 --- a/erpnext/stock/doctype/item/item.py +++ b/erpnext/stock/doctype/item/item.py @@ -137,7 +137,6 @@ class Item(WebsiteGenerator): bom = frappe.db.sql("""select name from `tabBOM` where item = %s and is_active = 1""", (self.name,)) if bom and bom[0][0]: - print self.name frappe.throw(_("""Allow Bill of Materials should be 'Yes'. Because one or many active BOMs present for this item""")) def fill_customer_code(self): From 9bc9b8795ba720c6c1619b383112f9831e2874fa Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Thu, 29 May 2014 14:18:40 +0530 Subject: [PATCH 038/630] Fixes in stock reconciliation --- .../doctype/stock_reconciliation/stock_reconciliation.py | 8 ++++++-- 1 file changed, 6 insertions(+), 2 deletions(-) diff --git a/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py b/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py index 35030a6a78..78cf194cc2 100644 --- a/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +++ b/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py @@ -11,8 +11,11 @@ from erpnext.stock.stock_ledger import update_entries_after from erpnext.controllers.stock_controller import StockController class StockReconciliation(StockController): - def validate(self): + def __init__(self, arg1, arg2=None): + super(StockReconciliation, self).__init__(arg1, arg2) self.head_row = ["Item Code", "Warehouse", "Quantity", "Valuation Rate"] + + def validate(self): self.entries = [] self.validate_data() @@ -300,4 +303,5 @@ class StockReconciliation(StockController): @frappe.whitelist() def upload(): from frappe.utils.datautils import read_csv_content_from_uploaded_file - return read_csv_content_from_uploaded_file() + csv_content = read_csv_content_from_uploaded_file() + return filter(lambda x: x and any(x), csv_content) From c3cbe2a30ca1d3fdd9762d0fb7ed41f0971f0639 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Thu, 29 May 2014 14:19:32 +0530 Subject: [PATCH 039/630] minor fixes in sales invoice validation --- erpnext/controllers/accounts_controller.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/controllers/accounts_controller.py b/erpnext/controllers/accounts_controller.py index 683f72b0f2..1f2e3b2699 100644 --- a/erpnext/controllers/accounts_controller.py +++ b/erpnext/controllers/accounts_controller.py @@ -415,7 +415,7 @@ class AccountsController(TransactionBase): if total_billed_amt - max_allowed_amt > 0.01: reduce_by = total_billed_amt - max_allowed_amt - frappe.throw(_("Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in 'Setup' > 'Global Defaults'").format(item.item_code, item.row, max_allowed_amt)) + frappe.throw(_("Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in 'Setup' > 'Global Defaults'").format(item.item_code, item.idx, max_allowed_amt)) def get_company_default(self, fieldname): from erpnext.accounts.utils import get_company_default From 732a7e81a0ae450f1f0342bb6c8e8072d24881f3 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Thu, 29 May 2014 15:42:23 +0530 Subject: [PATCH 040/630] Incoming rate in stock ledger and valuation rate in stock balance report. Fixes #1706 --- erpnext/startup/report_data_map.py | 32 ++++---- .../stock/page/stock_balance/stock_balance.js | 79 ++++++++++--------- .../stock/page/stock_ledger/stock_ledger.js | 54 ++++++------- .../stock/report/stock_ledger/stock_ledger.py | 22 +++--- 4 files changed, 97 insertions(+), 90 deletions(-) diff --git a/erpnext/startup/report_data_map.py b/erpnext/startup/report_data_map.py index e614c71ae0..ce71310ad9 100644 --- a/erpnext/startup/report_data_map.py +++ b/erpnext/startup/report_data_map.py @@ -18,14 +18,14 @@ data_map = { # Accounts "Account": { - "columns": ["name", "parent_account", "lft", "rgt", "report_type", + "columns": ["name", "parent_account", "lft", "rgt", "report_type", "company", "group_or_ledger"], "conditions": ["docstatus < 2"], "order_by": "lft", "links": { "company": ["Company", "name"], } - + }, "Cost Center": { "columns": ["name", "lft", "rgt"], @@ -33,7 +33,7 @@ data_map = { "order_by": "lft" }, "GL Entry": { - "columns": ["name", "account", "posting_date", "cost_center", "debit", "credit", + "columns": ["name", "account", "posting_date", "cost_center", "debit", "credit", "is_opening", "company", "voucher_type", "voucher_no", "remarks"], "order_by": "posting_date, account", "links": { @@ -45,8 +45,8 @@ data_map = { # Stock "Item": { - "columns": ["name", "if(item_name=name, '', item_name) as item_name", "description", - "item_group as parent_item_group", "stock_uom", "brand", "valuation_method", + "columns": ["name", "if(item_name=name, '', item_name) as item_name", "description", + "item_group as parent_item_group", "stock_uom", "brand", "valuation_method", "re_order_level", "re_order_qty"], # "conditions": ["docstatus < 2"], "order_by": "name", @@ -76,7 +76,7 @@ data_map = { "order_by": "name" }, "Stock Ledger Entry": { - "columns": ["name", "posting_date", "posting_time", "item_code", "warehouse", + "columns": ["name", "posting_date", "posting_time", "item_code", "warehouse", "actual_qty as qty", "voucher_type", "voucher_no", "project", "ifnull(incoming_rate,0) as incoming_rate", "stock_uom", "serial_no"], "order_by": "posting_date, posting_time, name", @@ -98,8 +98,8 @@ data_map = { "order_by": "posting_date, posting_time, name", }, "Production Order": { - "columns": ["name", "production_item as item_code", - "(ifnull(qty, 0) - ifnull(produced_qty, 0)) as qty", + "columns": ["name", "production_item as item_code", + "(ifnull(qty, 0) - ifnull(produced_qty, 0)) as qty", "fg_warehouse as warehouse"], "conditions": ["docstatus=1", "status != 'Stopped'", "ifnull(fg_warehouse, '')!=''", "ifnull(qty, 0) > ifnull(produced_qty, 0)"], @@ -109,7 +109,7 @@ data_map = { }, }, "Material Request Item": { - "columns": ["item.name as name", "item_code", "warehouse", + "columns": ["item.name as name", "item_code", "warehouse", "(ifnull(qty, 0) - ifnull(ordered_qty, 0)) as qty"], "from": "`tabMaterial Request Item` item, `tabMaterial Request` main", "conditions": ["item.parent = main.name", "main.docstatus=1", "main.status != 'Stopped'", @@ -120,21 +120,21 @@ data_map = { }, }, "Purchase Order Item": { - "columns": ["item.name as name", "item_code", "warehouse", + "columns": ["item.name as name", "item_code", "warehouse", "(ifnull(qty, 0) - ifnull(received_qty, 0)) as qty"], "from": "`tabPurchase Order Item` item, `tabPurchase Order` main", - "conditions": ["item.parent = main.name", "main.docstatus=1", "main.status != 'Stopped'", + "conditions": ["item.parent = main.name", "main.docstatus=1", "main.status != 'Stopped'", "ifnull(warehouse, '')!=''", "ifnull(qty, 0) > ifnull(received_qty, 0)"], "links": { "item_code": ["Item", "name"], "warehouse": ["Warehouse", "name"] }, }, - + "Sales Order Item": { "columns": ["item.name as name", "item_code", "(ifnull(qty, 0) - ifnull(delivered_qty, 0)) as qty", "warehouse"], "from": "`tabSales Order Item` item, `tabSales Order` main", - "conditions": ["item.parent = main.name", "main.docstatus=1", "main.status != 'Stopped'", + "conditions": ["item.parent = main.name", "main.docstatus=1", "main.status != 'Stopped'", "ifnull(warehouse, '')!=''", "ifnull(qty, 0) > ifnull(delivered_qty, 0)"], "links": { "item_code": ["Item", "name"], @@ -144,7 +144,7 @@ data_map = { # Sales "Customer": { - "columns": ["name", "if(customer_name=name, '', customer_name) as customer_name", + "columns": ["name", "if(customer_name=name, '', customer_name) as customer_name", "customer_group as parent_customer_group", "territory as parent_territory"], "conditions": ["docstatus < 2"], "order_by": "name", @@ -218,7 +218,7 @@ data_map = { } }, "Supplier": { - "columns": ["name", "if(supplier_name=name, '', supplier_name) as supplier_name", + "columns": ["name", "if(supplier_name=name, '', supplier_name) as supplier_name", "supplier_type as parent_supplier_type"], "conditions": ["docstatus < 2"], "order_by": "name", @@ -291,5 +291,5 @@ data_map = { "conditions": ["docstatus < 2"], "order_by": "creation" } - + } diff --git a/erpnext/stock/page/stock_balance/stock_balance.js b/erpnext/stock/page/stock_balance/stock_balance.js index dbd8830774..18f79169a9 100644 --- a/erpnext/stock/page/stock_balance/stock_balance.js +++ b/erpnext/stock/page/stock_balance/stock_balance.js @@ -3,18 +3,18 @@ frappe.require("assets/erpnext/js/stock_analytics.js"); -frappe.pages['stock-balance'].onload = function(wrapper) { +frappe.pages['stock-balance'].onload = function(wrapper) { frappe.ui.make_app_page({ parent: wrapper, title: __('Stock Balance'), single_column: true }); - + new erpnext.StockBalance(wrapper); - + wrapper.appframe.add_module_icon("Stock") - + } erpnext.StockBalance = erpnext.StockAnalytics.extend({ @@ -30,40 +30,42 @@ erpnext.StockBalance = erpnext.StockAnalytics.extend({ {id: "name", name: __("Item"), field: "name", width: 300, formatter: this.tree_formatter}, {id: "item_name", name: __("Item Name"), field: "item_name", width: 100}, - {id: "description", name: __("Description"), field: "description", width: 200, + {id: "description", name: __("Description"), field: "description", width: 200, formatter: this.text_formatter}, {id: "brand", name: __("Brand"), field: "brand", width: 100}, {id: "stock_uom", name: __("UOM"), field: "stock_uom", width: 100}, - {id: "opening_qty", name: __("Opening Qty"), field: "opening_qty", width: 100, + {id: "opening_qty", name: __("Opening Qty"), field: "opening_qty", width: 100, formatter: this.currency_formatter}, - {id: "inflow_qty", name: __("In Qty"), field: "inflow_qty", width: 100, + {id: "inflow_qty", name: __("In Qty"), field: "inflow_qty", width: 100, formatter: this.currency_formatter}, - {id: "outflow_qty", name: __("Out Qty"), field: "outflow_qty", width: 100, + {id: "outflow_qty", name: __("Out Qty"), field: "outflow_qty", width: 100, formatter: this.currency_formatter}, - {id: "closing_qty", name: __("Closing Qty"), field: "closing_qty", width: 100, + {id: "closing_qty", name: __("Closing Qty"), field: "closing_qty", width: 100, formatter: this.currency_formatter}, - - {id: "opening_value", name: __("Opening Value"), field: "opening_value", width: 100, + + {id: "opening_value", name: __("Opening Value"), field: "opening_value", width: 100, formatter: this.currency_formatter}, - {id: "inflow_value", name: __("In Value"), field: "inflow_value", width: 100, + {id: "inflow_value", name: __("In Value"), field: "inflow_value", width: 100, formatter: this.currency_formatter}, - {id: "outflow_value", name: __("Out Value"), field: "outflow_value", width: 100, + {id: "outflow_value", name: __("Out Value"), field: "outflow_value", width: 100, formatter: this.currency_formatter}, - {id: "closing_value", name: __("Closing Value"), field: "closing_value", width: 100, + {id: "closing_value", name: __("Closing Value"), field: "closing_value", width: 100, + formatter: this.currency_formatter}, + {id: "valuation_rate", name: __("Valuation Rate"), field: "valuation_rate", width: 100, formatter: this.currency_formatter}, ]; }, - + filters: [ - {fieldtype:"Select", label: __("Brand"), link:"Brand", + {fieldtype:"Select", label: __("Brand"), link:"Brand", default_value: "Select Brand...", filter: function(val, item, opts) { return val == opts.default_value || item.brand == val || item._show; }, link_formatter: {filter_input: "brand"}}, - {fieldtype:"Select", label: __("Warehouse"), link:"Warehouse", + {fieldtype:"Select", label: __("Warehouse"), link:"Warehouse", default_value: "Select Warehouse...", filter: function(val, item, opts, me) { return me.apply_zero_filter(val, item, opts, me); }}, - {fieldtype:"Select", label: __("Project"), link:"Project", + {fieldtype:"Select", label: __("Project"), link:"Project", default_value: "Select Project...", filter: function(val, item, opts, me) { return me.apply_zero_filter(val, item, opts, me); }, link_formatter: {filter_input: "project"}}, @@ -73,16 +75,16 @@ erpnext.StockBalance = erpnext.StockAnalytics.extend({ {fieldtype:"Button", label: __("Refresh"), icon:"icon-refresh icon-white"}, {fieldtype:"Button", label: __("Reset Filters"), icon: "icon-filter"} ], - + setup_plot_check: function() { return; }, - + prepare_data: function() { this.stock_entry_map = this.make_name_map(frappe.report_dump.data["Stock Entry"], "name"); this._super(); }, - + prepare_balances: function() { var me = this; var from_date = dateutil.str_to_obj(this.from_date); @@ -95,26 +97,26 @@ erpnext.StockBalance = erpnext.StockAnalytics.extend({ for(var i=0, j=data.length; i 0) + item.valuation_rate = flt(item.closing_value) / flt(item.closing_qty); + else item.valuation_rate = 0.0 }); }, - + update_groups: function() { var me = this; @@ -155,24 +162,22 @@ erpnext.StockBalance = erpnext.StockAnalytics.extend({ while(parent) { parent_group = me.item_by_name[parent]; $.each(me.columns, function(c, col) { - if (col.formatter == me.currency_formatter) { - parent_group[col.field] = - flt(parent_group[col.field]) - + flt(item[col.field]); + if (col.formatter == me.currency_formatter && col.field != "valuation_rate") { + parent_group[col.field] = flt(parent_group[col.field]) + flt(item[col.field]); } }); - + // show parent if filtered by brand if(item.brand == me.brand) parent_group._show = true; - + parent = me.parent_map[parent]; } } }); }, - + get_plot_data: function() { return; } -}); \ No newline at end of file +}); diff --git a/erpnext/stock/page/stock_ledger/stock_ledger.js b/erpnext/stock/page/stock_ledger/stock_ledger.js index 02af7149f7..b4086dc66e 100644 --- a/erpnext/stock/page/stock_ledger/stock_ledger.js +++ b/erpnext/stock/page/stock_ledger/stock_ledger.js @@ -1,13 +1,13 @@ // Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors // License: GNU General Public License v3. See license.txt -frappe.pages['stock-ledger'].onload = function(wrapper) { +frappe.pages['stock-ledger'].onload = function(wrapper) { frappe.ui.make_app_page({ parent: wrapper, title: __('Stock Ledger'), single_column: true }); - + new erpnext.StockLedger(wrapper); wrapper.appframe.add_module_icon("Stock") } @@ -30,7 +30,7 @@ erpnext.StockLedger = erpnext.StockGridReport.extend({ this.columns = [ {id: "posting_datetime", name: __("Posting Date"), field: "posting_datetime", width: 120, formatter: this.date_formatter}, - {id: "item_code", name: __("Item Code"), field: "item_code", width: 160, + {id: "item_code", name: __("Item Code"), field: "item_code", width: 160, link_formatter: { filter_input: "item_code", open_btn: true, @@ -57,10 +57,10 @@ erpnext.StockLedger = erpnext.StockGridReport.extend({ doctype: "dataContext.voucher_type" }}, ]; - + }, filters: [ - {fieldtype:"Select", label: __("Warehouse"), link:"Warehouse", + {fieldtype:"Select", label: __("Warehouse"), link:"Warehouse", default_value: "Select Warehouse...", filter: function(val, item, opts) { return item.warehouse == val || val == opts.default_value; }}, @@ -68,7 +68,7 @@ erpnext.StockLedger = erpnext.StockGridReport.extend({ filter: function(val, item, opts) { return item.item_code == val || !val; }}, - {fieldtype:"Select", label: "Brand", link:"Brand", + {fieldtype:"Select", label: "Brand", link:"Brand", default_value: "Select Brand...", filter: function(val, item, opts) { return val == opts.default_value || item.brand == val || item._show; }, link_formatter: {filter_input: "brand"}}, @@ -87,17 +87,17 @@ erpnext.StockLedger = erpnext.StockGridReport.extend({ {fieldtype:"Button", label: __("Refresh"), icon:"icon-refresh icon-white"}, {fieldtype:"Button", label: __("Reset Filters"), icon: "icon-filter"} ], - + setup_filters: function() { var me = this; this._super(); - + this.wrapper.bind("apply_filters_from_route", function() { me.toggle_enable_brand(); }); this.filter_inputs.item_code.change(function() { me.toggle_enable_brand(); }); - + this.trigger_refresh_on_change(["item_code", "warehouse", "brand"]); }, - + toggle_enable_brand: function() { if(!this.filter_inputs.item_code.val()) { this.filter_inputs.brand.prop("disabled", false); @@ -107,7 +107,7 @@ erpnext.StockLedger = erpnext.StockGridReport.extend({ .prop("disabled", true); } }, - + init_filter_values: function() { this._super(); this.filter_inputs.warehouse.get(0).selectedIndex = 0; @@ -131,19 +131,19 @@ erpnext.StockLedger = erpnext.StockGridReport.extend({ item_code: "Total Out", qty: 0.0, balance: 0.0, balance_value: 0.0, id:"_total_out", _show: true, _style: "font-weight: bold" } - + // clear balance $.each(frappe.report_dump.data["Item"], function(i, item) { - item.balance = item.balance_value = 0.0; + item.balance = item.balance_value = 0.0; }); - + // initialize warehouse-item map this.item_warehouse = {}; this.serialized_buying_rates = this.get_serialized_buying_rates(); var from_datetime = dateutil.str_to_obj(me.from_date + " 00:00:00"); var to_datetime = dateutil.str_to_obj(me.to_date + " 23:59:59"); - - // + + // for(var i=0, j=data.length; i 0 else 0.0), + sle.valuation_rate, sle.stock_value, sle.voucher_type, sle.voucher_no, + voucher_link_icon, sle.batch_no, sle.serial_no, sle.company]) return columns, data def get_columns(): - return ["Date:Datetime:95", "Item:Link/Item:130", "Item Name::100", - "Item Group:Link/Item Group:100", "Brand:Link/Brand:100", - "Description::200", "Warehouse:Link/Warehouse:100", - "Stock UOM:Link/UOM:100", "Qty:Float:50", "Balance Qty:Float:100", "Valuation Rate:Currency:110", - "Balance Value:Currency:110", "Voucher Type::110", "Voucher #::100", "Link::30", - "Batch:Link/Batch:100", "Serial #:Link/Serial No:100", "Company:Link/Company:100"] + return ["Date:Datetime:95", "Item:Link/Item:130", "Item Name::100", "Item Group:Link/Item Group:100", + "Brand:Link/Brand:100", "Description::200", "Warehouse:Link/Warehouse:100", + "Stock UOM:Link/UOM:100", "Qty:Float:50", "Balance Qty:Float:100", + "Incoming Rate:Currency:110", "Valuation Rate:Currency:110", "Balance Value:Currency:110", + "Voucher Type::110", "Voucher #::100", "Link::30", "Batch:Link/Batch:100", + "Serial #:Link/Serial No:100", "Company:Link/Company:100"] def get_stock_ledger_entries(filters): return frappe.db.sql("""select concat_ws(" ", posting_date, posting_time) as date, - item_code, warehouse, actual_qty, qty_after_transaction, valuation_rate, + item_code, warehouse, actual_qty, qty_after_transaction, incoming_rate, valuation_rate, stock_value, voucher_type, voucher_no, batch_no, serial_no, company from `tabStock Ledger Entry` where company = %(company)s and From e71159d6ea89437966561cde9386089c23774dff Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Thu, 29 May 2014 16:18:49 +0530 Subject: [PATCH 041/630] Standard Rate field removed from item. Fixes #1688 --- erpnext/manufacturing/doctype/bom/bom.py | 4 +- .../doctype/bom_item/bom_item.json | 12 ++-- erpnext/stock/doctype/item/item.json | 12 +--- .../stock/report/item_prices/item_prices.py | 63 +++++++++---------- 4 files changed, 41 insertions(+), 50 deletions(-) diff --git a/erpnext/manufacturing/doctype/bom/bom.py b/erpnext/manufacturing/doctype/bom/bom.py index c39a5b7aac..13bf0875e4 100644 --- a/erpnext/manufacturing/doctype/bom/bom.py +++ b/erpnext/manufacturing/doctype/bom/bom.py @@ -54,7 +54,7 @@ class BOM(Document): def get_item_det(self, item_code): item = frappe.db.sql("""select name, is_asset_item, is_purchase_item, docstatus, description, is_sub_contracted_item, stock_uom, default_bom, - last_purchase_rate, standard_rate, is_manufactured_item + last_purchase_rate, is_manufactured_item from `tabItem` where name=%s""", item_code, as_dict = 1) return item @@ -111,8 +111,6 @@ class BOM(Document): frappe.throw(_("Please select Price List")) rate = frappe.db.get_value("Item Price", {"price_list": self.buying_price_list, "item_code": arg["item_code"]}, "price_list_rate") or 0 - elif self.rm_cost_as_per == 'Standard Rate': - rate = arg['standard_rate'] return rate diff --git a/erpnext/manufacturing/doctype/bom_item/bom_item.json b/erpnext/manufacturing/doctype/bom_item/bom_item.json index fbf478c756..0231a703f1 100644 --- a/erpnext/manufacturing/doctype/bom_item/bom_item.json +++ b/erpnext/manufacturing/doctype/bom_item/bom_item.json @@ -1,5 +1,5 @@ { - "creation": "2013-02-22 01:27:49.000000", + "creation": "2013-02-22 01:27:49", "docstatus": 0, "doctype": "DocType", "fields": [ @@ -79,7 +79,8 @@ "fieldtype": "Float", "in_list_view": 1, "label": "Rate", - "permlevel": 0 + "permlevel": 0, + "reqd": 1 }, { "fieldname": "col_break2", @@ -133,9 +134,12 @@ ], "idx": 1, "istable": 1, - "modified": "2014-02-03 12:47:39.000000", + "modified": "2014-05-29 15:56:31.859868", "modified_by": "Administrator", "module": "Manufacturing", "name": "BOM Item", - "owner": "Administrator" + "owner": "Administrator", + "permissions": [], + "sort_field": "modified", + "sort_order": "DESC" } \ No newline at end of file diff --git a/erpnext/stock/doctype/item/item.json b/erpnext/stock/doctype/item/item.json index 0e12cd2963..92c16f8b90 100644 --- a/erpnext/stock/doctype/item/item.json +++ b/erpnext/stock/doctype/item/item.json @@ -439,16 +439,6 @@ "permlevel": 0, "read_only": 1 }, - { - "depends_on": "eval:doc.is_purchase_item==\"Yes\"", - "fieldname": "standard_rate", - "fieldtype": "Float", - "label": "Standard Rate", - "oldfieldname": "standard_rate", - "oldfieldtype": "Currency", - "permlevel": 0, - "read_only": 0 - }, { "depends_on": "eval:doc.is_purchase_item==\"Yes\"", "fieldname": "column_break2", @@ -835,7 +825,7 @@ "icon": "icon-tag", "idx": 1, "max_attachments": 1, - "modified": "2014-05-21 15:37:30.124881", + "modified": "2014-05-29 16:05:53.126214", "modified_by": "Administrator", "module": "Stock", "name": "Item", diff --git a/erpnext/stock/report/item_prices/item_prices.py b/erpnext/stock/report/item_prices/item_prices.py index 0d5539ecec..d2da54f8fa 100644 --- a/erpnext/stock/report/item_prices/item_prices.py +++ b/erpnext/stock/report/item_prices/item_prices.py @@ -7,7 +7,7 @@ from frappe.utils import flt def execute(filters=None): if not filters: filters = {} - + columns = get_columns(filters) item_map = get_item_details() pl = get_price_list() @@ -19,34 +19,33 @@ def execute(filters=None): precision = get_currency_precision() or 2 data = [] for item in sorted(item_map): - data.append([item, item_map[item]["item_name"], - item_map[item]["description"], item_map[item]["stock_uom"], - flt(last_purchase_rate.get(item, 0), precision), - flt(val_rate_map.get(item, 0), precision), - pl.get(item, {}).get("Selling"), - pl.get(item, {}).get("Buying"), - flt(bom_rate.get(item, 0), precision), - flt(item_map[item]["standard_rate"], precision) + data.append([item, item_map[item]["item_name"], + item_map[item]["description"], item_map[item]["stock_uom"], + flt(last_purchase_rate.get(item, 0), precision), + flt(val_rate_map.get(item, 0), precision), + pl.get(item, {}).get("Selling"), + pl.get(item, {}).get("Buying"), + flt(bom_rate.get(item, 0), precision) ]) - + return columns, data def get_columns(filters): """return columns based on filters""" - - columns = ["Item:Link/Item:100", "Item Name::150", "Description::150", "UOM:Link/UOM:80", - "Last Purchase Rate:Currency:90", "Valuation Rate:Currency:80", "Sales Price List::80", - "Purchase Price List::80", "BOM Rate:Currency:90", "Standard Rate:Currency:100"] + + columns = ["Item:Link/Item:100", "Item Name::150", "Description::150", "UOM:Link/UOM:80", + "Last Purchase Rate:Currency:90", "Valuation Rate:Currency:80", "Sales Price List::80", + "Purchase Price List::80", "BOM Rate:Currency:90"] return columns def get_item_details(): """returns all items details""" - + item_map = {} - + for i in frappe.db.sql("select name, item_name, description, \ - stock_uom, standard_rate from tabItem \ + stock_uom from tabItem \ order by item_code", as_dict=1): item_map.setdefault(i.name, i) @@ -57,42 +56,42 @@ def get_price_list(): rate = {} - price_list = frappe.db.sql("""select ip.item_code, ip.buying, ip.selling, - concat(ip.price_list, " - ", ip.currency, " ", ip.price_list_rate) as price - from `tabItem Price` ip, `tabPrice List` pl + price_list = frappe.db.sql("""select ip.item_code, ip.buying, ip.selling, + concat(ip.price_list, " - ", ip.currency, " ", ip.price_list_rate) as price + from `tabItem Price` ip, `tabPrice List` pl where ip.price_list=pl.name and pl.enabled=1""", as_dict=1) for j in price_list: if j.price: rate.setdefault(j.item_code, {}).setdefault("Buying" if j.buying else "Selling", []).append(j.price) item_rate_map = {} - + for item in rate: for buying_or_selling in rate[item]: - item_rate_map.setdefault(item, {}).setdefault(buying_or_selling, + item_rate_map.setdefault(item, {}).setdefault(buying_or_selling, ", ".join(rate[item].get(buying_or_selling, []))) - + return item_rate_map def get_last_purchase_rate(): item_last_purchase_rate_map = {} - query = """select * from (select + query = """select * from (select result.item_code, result.base_rate from ( - (select + (select po_item.item_code, po_item.item_name, po.transaction_date as posting_date, - po_item.base_price_list_rate, - po_item.discount_percentage, + po_item.base_price_list_rate, + po_item.discount_percentage, po_item.base_rate from `tabPurchase Order` po, `tabPurchase Order Item` po_item where po.name = po_item.parent and po.docstatus = 1) union - (select + (select pr_item.item_code, pr_item.item_name, pr.posting_date, @@ -114,8 +113,8 @@ def get_item_bom_rate(): """Get BOM rate of an item from BOM""" item_bom_map = {} - - for b in frappe.db.sql("""select item, (total_cost/quantity) as bom_rate + + for b in frappe.db.sql("""select item, (total_cost/quantity) as bom_rate from `tabBOM` where is_active=1 and is_default=1""", as_dict=1): item_bom_map.setdefault(b.item, flt(b.bom_rate)) @@ -125,8 +124,8 @@ def get_valuation_rate(): """Get an average valuation rate of an item from all warehouses""" item_val_rate_map = {} - - for d in frappe.db.sql("""select item_code, + + for d in frappe.db.sql("""select item_code, sum(actual_qty*valuation_rate)/sum(actual_qty) as val_rate from tabBin where actual_qty > 0 group by item_code""", as_dict=1): item_val_rate_map.setdefault(d.item_code, d.val_rate) From 3dc6a8019840b9a31c7cc8d0939a374e9929cb0a Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Thu, 29 May 2014 16:29:08 +0530 Subject: [PATCH 042/630] deleted delivery note packing list wise print format --- .../delivery_note_packing_list_wise.json | 13 ------------- 1 file changed, 13 deletions(-) delete mode 100644 erpnext/stock/print_format/delivery_note_packing_list_wise/delivery_note_packing_list_wise.json diff --git a/erpnext/stock/print_format/delivery_note_packing_list_wise/delivery_note_packing_list_wise.json b/erpnext/stock/print_format/delivery_note_packing_list_wise/delivery_note_packing_list_wise.json deleted file mode 100644 index a971a104ae..0000000000 --- a/erpnext/stock/print_format/delivery_note_packing_list_wise/delivery_note_packing_list_wise.json +++ /dev/null @@ -1,13 +0,0 @@ -{ - "creation": "2011-08-23 16:49:40", - "docstatus": 0, - "doctype": "Print Format", - "html": "\n\n\n\n\n\n\n\n\n\n", - "idx": 1, - "modified": "2014-05-13 16:07:19.133031", - "modified_by": "Administrator", - "module": "Stock", - "name": "Delivery Note Packing List Wise", - "owner": "Administrator", - "standard": "Yes" -} \ No newline at end of file From f3552ca7376c0da7c15dc159e62e8cf3fd8e9432 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Thu, 29 May 2014 18:26:01 +0530 Subject: [PATCH 043/630] packing slip fixes #1711 --- erpnext/stock/doctype/packing_slip/packing_slip.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/stock/doctype/packing_slip/packing_slip.py b/erpnext/stock/doctype/packing_slip/packing_slip.py index e3d01999f1..63657b75ab 100644 --- a/erpnext/stock/doctype/packing_slip/packing_slip.py +++ b/erpnext/stock/doctype/packing_slip/packing_slip.py @@ -141,7 +141,7 @@ class PackingSlip(Document): note """ recommended_case_no = frappe.db.sql("""SELECT MAX(to_case_no) FROM `tabPacking Slip` - WHERE delivery_note = %(delivery_note)s AND docstatus=1""", self.as_dict()) + WHERE delivery_note = %s AND docstatus=1""", self.delivery_note) return cint(recommended_case_no[0][0]) + 1 From 66cecf48247da3dc83b907169481dad80536588d Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Thu, 29 May 2014 18:36:58 +0530 Subject: [PATCH 044/630] uom trigger issue in stock entry fixes #1712 --- .../stock/doctype/stock_entry/stock_entry.py | 17 +++++++++-------- 1 file changed, 9 insertions(+), 8 deletions(-) diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.py b/erpnext/stock/doctype/stock_entry/stock_entry.py index 900474be3b..039d4a03f8 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry.py +++ b/erpnext/stock/doctype/stock_entry/stock_entry.py @@ -365,17 +365,18 @@ class StockEntry(StockController): ret.update(stock_and_rate) return ret - def get_uom_details(self, arg = ''): - arg, ret = eval(arg), {} - uom = frappe.db.sql("""select conversion_factor from `tabUOM Conversion Detail` - where parent = %s and uom = %s""", (arg['item_code'], arg['uom']), as_dict = 1) - if not uom or not flt(uom[0].conversion_factor): - frappe.msgprint(_("UOM coversion factor required for UOM {0} in Item {1}").format(arg["uom"], arg["item_code"])) + def get_uom_details(self, args): + conversion_factor = frappe.db.get_value("UOM Conversion Detail", {"parent": args.get("item_code"), + "uom": args.get("uom")}, "conversion_factor") + + if not conversion_factor: + frappe.msgprint(_("UOM coversion factor required for UOM: {0} in Item: {1}") + .format(args.get("uom"), args.get("item_code"))) ret = {'uom' : ''} else: ret = { - 'conversion_factor' : flt(uom[0]['conversion_factor']), - 'transfer_qty' : flt(arg['qty']) * flt(uom[0]['conversion_factor']), + 'conversion_factor' : flt(conversion_factor), + 'transfer_qty' : flt(args.get("qty")) * flt(conversion_factor) } return ret From 7f03e24c5518fefe6a939e34f26bf6da0a34456f Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Thu, 29 May 2014 18:53:09 +0530 Subject: [PATCH 045/630] Valuation rate of raw materials in BOM. #1688 --- erpnext/manufacturing/doctype/bom/bom.py | 29 ++++++++---------------- 1 file changed, 9 insertions(+), 20 deletions(-) diff --git a/erpnext/manufacturing/doctype/bom/bom.py b/erpnext/manufacturing/doctype/bom/bom.py index 13bf0875e4..56bff32f8e 100644 --- a/erpnext/manufacturing/doctype/bom/bom.py +++ b/erpnext/manufacturing/doctype/bom/bom.py @@ -3,7 +3,7 @@ from __future__ import unicode_literals import frappe -from frappe.utils import cint, cstr, flt, now, nowdate +from frappe.utils import cint, cstr, flt from frappe import _ from frappe.model.document import Document @@ -132,26 +132,15 @@ class BOM(Document): return bom and bom[0]['unit_cost'] or 0 def get_valuation_rate(self, args): - """ Get average valuation rate of relevant warehouses - as per valuation method (MAR/FIFO) - as on costing date - """ - from erpnext.stock.utils import get_incoming_rate - posting_date, posting_time = nowdate(), now().split()[1] - warehouse = frappe.db.sql("select warehouse from `tabBin` where item_code = %s", args['item_code']) - rate = [] - for wh in warehouse: - r = get_incoming_rate({ - "item_code": args.get("item_code"), - "warehouse": wh[0], - "posting_date": posting_date, - "posting_time": posting_time, - "qty": args.get("qty") or 0 - }) - if r: - rate.append(r) + """ Get weighted average of valuation rate from all warehouses """ - return rate and flt(sum(rate))/len(rate) or 0 + total_qty, total_value = 0, 0 + for d in frappe.db.sql("""select actual_qty, stock_value from `tabBin` + where item_code=%s and actual_qty > 0""", args['item_code'], as_dict=1): + total_qty += flt(d.actual_qty) + total_value += flt(d.stock_value) + + return total_value / total_qty def manage_default_bom(self): """ Uncheck others if current one is selected as default, From c7253b3a370306ea317ef26a00c5c29444f5896d Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Thu, 29 May 2014 19:48:41 +0530 Subject: [PATCH 046/630] Get valuation rate for fg item base don issued item cost + operation cost. #1688 --- erpnext/manufacturing/doctype/bom/bom.js | 22 +++++++++--------- .../stock/doctype/stock_entry/stock_entry.py | 23 +++++++++++++++---- erpnext/stock/utils.py | 4 ---- 3 files changed, 29 insertions(+), 20 deletions(-) diff --git a/erpnext/manufacturing/doctype/bom/bom.js b/erpnext/manufacturing/doctype/bom/bom.js index ac023f360d..1cee6b9103 100644 --- a/erpnext/manufacturing/doctype/bom/bom.js +++ b/erpnext/manufacturing/doctype/bom/bom.js @@ -4,11 +4,11 @@ // On REFRESH cur_frm.cscript.refresh = function(doc,dt,dn){ cur_frm.toggle_enable("item", doc.__islocal); - + if (!doc.__islocal && doc.docstatus<2) { cur_frm.add_custom_button(__("Update Cost"), cur_frm.cscript.update_cost); } - + cur_frm.cscript.with_operations(doc); set_operation_no(doc); } @@ -41,14 +41,14 @@ var set_operation_no = function(doc) { var op = op_table[i].operation_no; if (op && !inList(operations, op)) operations.push(op); } - - frappe.meta.get_docfield("BOM Item", "operation_no", + + frappe.meta.get_docfield("BOM Item", "operation_no", cur_frm.docname).options = operations.join("\n"); - + $.each(doc.bom_materials || [], function(i, v) { if(!inList(operations, cstr(v.operation_no))) v.operation_no = null; }); - + refresh_field("bom_materials"); } @@ -97,7 +97,7 @@ var get_bom_material_detail= function(doc, cdt, cdn) { doc: cur_frm.doc, method: "get_bom_material_detail", args: { - 'item_code': d.item_code, + 'item_code': d.item_code, 'bom_no': d.bom_no != null ? d.bom_no: '', 'qty': d.qty }, @@ -131,7 +131,7 @@ cur_frm.cscript.rate = function(doc, cdt, cdn) { } } -var calculate_op_cost = function(doc) { +var calculate_op_cost = function(doc) { var op = doc.bom_operations || []; total_op_cost = 0; for(var i=0;i Date: Thu, 29 May 2014 20:09:04 +0530 Subject: [PATCH 047/630] Total valuation for manufactured or repacked item(s) can not be less than total valuation of raw materials #1688 --- .../stock/doctype/stock_entry/stock_entry.py | 21 ++++++++++++++++--- 1 file changed, 18 insertions(+), 3 deletions(-) diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.py b/erpnext/stock/doctype/stock_entry/stock_entry.py index 1d04a7dbc3..c613e4ea11 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry.py +++ b/erpnext/stock/doctype/stock_entry/stock_entry.py @@ -41,6 +41,7 @@ class StockEntry(StockController): self.validate_return_reference_doc() self.validate_with_material_request() self.validate_fiscal_year() + self.validate_valuation_rate() self.set_total_amount() def on_submit(self): @@ -170,6 +171,19 @@ class StockEntry(StockController): frappe.throw(_("Stock Entries already created for Production Order ") + self.production_order + ":" + ", ".join(other_ste), DuplicateEntryForProductionOrderError) + def validate_valuation_rate(self): + if self.purpose == "Manufacture/Repack": + valuation_at_source, valuation_at_target = 0, 0 + for d in self.get("mtn_details"): + if d.s_warehouse and not d.t_warehouse: + valuation_at_source += flt(d.amount) + if d.t_warehouse and not d.s_warehouse: + valuation_at_target += flt(d.amount) + + if valuation_at_target < valuation_at_source: + frappe.throw(_("Total valuation for manufactured or repacked item(s) can not be less than \ + total valuation of raw materials")) + def set_total_amount(self): self.total_amount = sum([flt(item.amount) for item in self.get("mtn_details")]) @@ -202,9 +216,10 @@ class StockEntry(StockController): if self.production_order and self.purpose == "Manufacture/Repack": for d in self.get("mtn_details"): if d.bom_no: - bom = frappe.db.get_value("BOM", d.bom_no, ["operating_cost", "quantity"], as_dict=1) - operation_cost_per_unit = flt(bom.operating_cost) / flt(bom.quantity) - d.incoming_rate = operation_cost_per_unit + (raw_material_cost / flt(d.transfer_qty)) + if not flt(d.incoming_rate): + bom = frappe.db.get_value("BOM", d.bom_no, ["operating_cost", "quantity"], as_dict=1) + operation_cost_per_unit = flt(bom.operating_cost) / flt(bom.quantity) + d.incoming_rate = operation_cost_per_unit + (raw_material_cost / flt(d.transfer_qty)) d.amount = flt(d.transfer_qty) * flt(d.incoming_rate) def get_incoming_rate(self, args): From 6b1a8e0a40813b29018a9d727be19a412f94342b Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Thu, 29 May 2014 22:57:13 +0530 Subject: [PATCH 048/630] minor fixes --- erpnext/manufacturing/doctype/bom/bom.py | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/erpnext/manufacturing/doctype/bom/bom.py b/erpnext/manufacturing/doctype/bom/bom.py index 56bff32f8e..ffcbbd9920 100644 --- a/erpnext/manufacturing/doctype/bom/bom.py +++ b/erpnext/manufacturing/doctype/bom/bom.py @@ -134,13 +134,13 @@ class BOM(Document): def get_valuation_rate(self, args): """ Get weighted average of valuation rate from all warehouses """ - total_qty, total_value = 0, 0 + total_qty, total_value = 0.0, 0.0 for d in frappe.db.sql("""select actual_qty, stock_value from `tabBin` where item_code=%s and actual_qty > 0""", args['item_code'], as_dict=1): total_qty += flt(d.actual_qty) total_value += flt(d.stock_value) - return total_value / total_qty + return total_value / total_qty if total_qty else 0.0 def manage_default_bom(self): """ Uncheck others if current one is selected as default, From cb9bdf43f6a0a6aadf42fa0c810a8c7829dd98f6 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Fri, 30 May 2014 11:20:02 +0530 Subject: [PATCH 049/630] over billing validation fixed --- erpnext/controllers/accounts_controller.py | 2 +- erpnext/controllers/status_updater.py | 4 ++-- 2 files changed, 3 insertions(+), 3 deletions(-) diff --git a/erpnext/controllers/accounts_controller.py b/erpnext/controllers/accounts_controller.py index 1f2e3b2699..4567dd7005 100644 --- a/erpnext/controllers/accounts_controller.py +++ b/erpnext/controllers/accounts_controller.py @@ -415,7 +415,7 @@ class AccountsController(TransactionBase): if total_billed_amt - max_allowed_amt > 0.01: reduce_by = total_billed_amt - max_allowed_amt - frappe.throw(_("Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in 'Setup' > 'Global Defaults'").format(item.item_code, item.idx, max_allowed_amt)) + frappe.throw(_("Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in Stock Settings").format(item.item_code, item.idx, max_allowed_amt)) def get_company_default(self, fieldname): from erpnext.accounts.utils import get_company_default diff --git a/erpnext/controllers/status_updater.py b/erpnext/controllers/status_updater.py index 0e4ac31e60..9322ca6aa6 100644 --- a/erpnext/controllers/status_updater.py +++ b/erpnext/controllers/status_updater.py @@ -156,8 +156,8 @@ class StatusUpdater(Document): item['max_allowed'] = flt(item[args['target_ref_field']] * (100+tolerance)/100) item['reduce_by'] = item[args['target_field']] - item['max_allowed'] - msgprint(_("Allowance for over-delivery / over-billing crossed for Item {0}").format(item["item_code"])) - throw(_("{0} must be less than or equal to {1}").format(_(item["target_ref_field"]), item[args["max_allowed"]])) + msgprint(_("Allowance for over-delivery / over-billing crossed for Item {0}.").format(item["item_code"])) + throw(_("{0} must be less than or equal to {1}").format(item["target_ref_field"].title(), item["max_allowed"])) def update_qty(self, change_modified=True): """ From c1367d9d10b3ffb59dc7c7ef9eea516d809d41c1 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Fri, 30 May 2014 11:43:00 +0530 Subject: [PATCH 050/630] minor fixes --- erpnext/public/js/transaction.js | 5 +++-- erpnext/public/js/utils/party.js | 2 +- erpnext/stock/doctype/stock_entry/stock_entry.py | 3 +-- 3 files changed, 5 insertions(+), 5 deletions(-) diff --git a/erpnext/public/js/transaction.js b/erpnext/public/js/transaction.js index b336637f0a..6d30ef0999 100644 --- a/erpnext/public/js/transaction.js +++ b/erpnext/public/js/transaction.js @@ -367,8 +367,9 @@ erpnext.TransactionController = erpnext.stock.StockController.extend({ } - if(item) _apply_pricing_rule(item); - else { + if(item) { + _apply_pricing_rule(item); + } else { $.each(this.get_item_doclist(), function(n, item) { _apply_pricing_rule(item); }); diff --git a/erpnext/public/js/utils/party.js b/erpnext/public/js/utils/party.js index 9da0353dbb..40db97feb8 100644 --- a/erpnext/public/js/utils/party.js +++ b/erpnext/public/js/utils/party.js @@ -33,7 +33,7 @@ erpnext.utils.get_party_details = function(frm, method, args, callback) { frm.updating_party_details = true; frm.set_value(r.message); frm.updating_party_details = false; - if(callback) callback() + if(callback) callback(); } } }); diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.py b/erpnext/stock/doctype/stock_entry/stock_entry.py index c613e4ea11..cbe8c29749 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry.py +++ b/erpnext/stock/doctype/stock_entry/stock_entry.py @@ -181,8 +181,7 @@ class StockEntry(StockController): valuation_at_target += flt(d.amount) if valuation_at_target < valuation_at_source: - frappe.throw(_("Total valuation for manufactured or repacked item(s) can not be less than \ - total valuation of raw materials")) + frappe.throw(_("Total valuation for manufactured or repacked item(s) can not be less than total valuation of raw materials")) def set_total_amount(self): self.total_amount = sum([flt(item.amount) for item in self.get("mtn_details")]) From 1897e75894f642a1e703eb373856e8daea33fecc Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Fri, 30 May 2014 14:30:36 +0530 Subject: [PATCH 051/630] Remove blank lines from uploaded file of attendance #1714 --- erpnext/hr/doctype/upload_attendance/upload_attendance.py | 1 + 1 file changed, 1 insertion(+) diff --git a/erpnext/hr/doctype/upload_attendance/upload_attendance.py b/erpnext/hr/doctype/upload_attendance/upload_attendance.py index af86eb97e0..b6e56d0d06 100644 --- a/erpnext/hr/doctype/upload_attendance/upload_attendance.py +++ b/erpnext/hr/doctype/upload_attendance/upload_attendance.py @@ -100,6 +100,7 @@ def upload(): from frappe.modules import scrub rows = read_csv_content_from_uploaded_file() + rows = filter(lambda x: x and any(x), rows) if not rows: msg = [_("Please select a csv file")] return {"messages": msg, "error": msg} From e6ddd28067cc1b2e67132eceeec7421bd80c0b60 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Fri, 30 May 2014 14:44:37 +0530 Subject: [PATCH 052/630] Don't execute reorder_item, if initial setup not completed. fixes #1668 --- erpnext/stock/utils.py | 5 +++++ 1 file changed, 5 insertions(+) diff --git a/erpnext/stock/utils.py b/erpnext/stock/utils.py index b5c98bf2e1..252a296d8b 100644 --- a/erpnext/stock/utils.py +++ b/erpnext/stock/utils.py @@ -175,6 +175,11 @@ def get_buying_amount(voucher_type, voucher_no, item_row, stock_ledger_entries): def reorder_item(): """ Reorder item if stock reaches reorder level""" + + # if initial setup not completed, return + if not frappe.db.sql("select name from `tabFiscal Year` limit 1"): + return + if getattr(frappe.local, "auto_indent", None) is None: frappe.local.auto_indent = cint(frappe.db.get_value('Stock Settings', None, 'auto_indent')) From fb988ba8349a0e1954e9e511d838aea22f596c41 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Fri, 30 May 2014 15:46:50 +0530 Subject: [PATCH 053/630] Salary Slip: pull details from salary struture. fixes #1719 --- erpnext/hr/doctype/salary_slip/salary_slip.py | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/erpnext/hr/doctype/salary_slip/salary_slip.py b/erpnext/hr/doctype/salary_slip/salary_slip.py index 9ae394b97c..232d6a9840 100644 --- a/erpnext/hr/doctype/salary_slip/salary_slip.py +++ b/erpnext/hr/doctype/salary_slip/salary_slip.py @@ -33,8 +33,8 @@ class SalarySlip(TransactionBase): return struct and struct[0][0] or '' def pull_sal_struct(self, struct): - from erpnext.hr.doctype.salary_structure.salary_structure import get_mapped_doc - self.update(get_mapped_doc(struct, self)) + from erpnext.hr.doctype.salary_structure.salary_structure import make_salary_slip + self.update(make_salary_slip(struct, self).as_dict()) def pull_emp_details(self): emp = frappe.db.get_value("Employee", self.employee, From 0be378af6ac951ff07b0b1288ec7b10ad17759d8 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Fri, 30 May 2014 15:52:52 +0530 Subject: [PATCH 054/630] Purchase ordered qty can not be less than minimum order qty. fixes #1529 --- erpnext/buying/doctype/purchase_order/purchase_order.py | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/erpnext/buying/doctype/purchase_order/purchase_order.py b/erpnext/buying/doctype/purchase_order/purchase_order.py index 8d6ba46040..91cc865b7b 100644 --- a/erpnext/buying/doctype/purchase_order/purchase_order.py +++ b/erpnext/buying/doctype/purchase_order/purchase_order.py @@ -45,6 +45,7 @@ class PurchaseOrder(BuyingController): self.validate_with_previous_doc() self.validate_for_subcontracting() + self.validate_minimum_order_qty() self.create_raw_materials_supplied("po_raw_material_details") def validate_with_previous_doc(self): @@ -61,6 +62,13 @@ class PurchaseOrder(BuyingController): } }) + def validate_minimum_order_qty(self): + itemwise_min_order_qty = frappe._dict(frappe.db.sql("select name, min_order_qty from tabItem")) + + for d in self.get("po_details"): + if flt(d.qty) < flt(itemwise_min_order_qty.get(d.item_code)): + frappe.throw(_("Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).").format(d.idx)) + def get_schedule_dates(self): for d in self.get('po_details'): if d.prevdoc_detail_docname and not d.schedule_date: From 548cf96c44b8f1dec36f06b3374554c39327bfa3 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Fri, 30 May 2014 19:09:59 +0530 Subject: [PATCH 055/630] Minor fixes in sales return --- erpnext/stock/doctype/stock_entry/stock_entry.py | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.py b/erpnext/stock/doctype/stock_entry/stock_entry.py index cbe8c29749..ac81f88e88 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry.py +++ b/erpnext/stock/doctype/stock_entry/stock_entry.py @@ -297,8 +297,8 @@ class StockEntry(StockController): frappe.DoesNotExistError) # validate quantity <= ref item's qty - qty already returned - ref_item = ref.doc.getone({"item_code": item.item_code}) - returnable_qty = ref_item.qty - flt(already_returned_item_qty.get(item.item_code)) + ref_item_qty = sum([flt(d.qty) for d in ref.doc.get({"item_code": item.item_code})]) + returnable_qty = ref_item_qty - flt(already_returned_item_qty.get(item.item_code)) if not returnable_qty: frappe.throw(_("Item {0} has already been returned").format(item.item_code), StockOverReturnError) elif item.transfer_qty > returnable_qty: From 0984f227a8d0c5dd3a25dec2f87f5eece773f29b Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Fri, 30 May 2014 19:10:12 +0530 Subject: [PATCH 056/630] minor fixes related to path --- erpnext/buying/doctype/purchase_common/purchase_common.js | 4 ++-- erpnext/selling/doctype/sales_order/sales_order.js | 2 +- erpnext/selling/sales_common.js | 2 +- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/erpnext/buying/doctype/purchase_common/purchase_common.js b/erpnext/buying/doctype/purchase_common/purchase_common.js index 032448f79f..c3ef365f68 100644 --- a/erpnext/buying/doctype/purchase_common/purchase_common.js +++ b/erpnext/buying/doctype/purchase_common/purchase_common.js @@ -111,7 +111,7 @@ erpnext.buying.BuyingController = erpnext.TransactionController.extend({ var item = frappe.get_doc(cdt, cdn); if(item.item_code && item.uom) { return this.frm.call({ - method: "erpnext.buying.utils.get_conversion_factor", + method: "erpnext.stock.get_item_details.get_conversion_factor", child: item, args: { item_code: item.item_code, @@ -144,7 +144,7 @@ erpnext.buying.BuyingController = erpnext.TransactionController.extend({ var item = frappe.get_doc(cdt, cdn); if(item.item_code && item.warehouse) { return this.frm.call({ - method: "erpnext.buying.utils.get_projected_qty", + method: "erpnext.stock.get_item_details.get_projected_qty", child: item, args: { item_code: item.item_code, diff --git a/erpnext/selling/doctype/sales_order/sales_order.js b/erpnext/selling/doctype/sales_order/sales_order.js index dce9916c51..06eb470318 100644 --- a/erpnext/selling/doctype/sales_order/sales_order.js +++ b/erpnext/selling/doctype/sales_order/sales_order.js @@ -89,7 +89,7 @@ erpnext.selling.SalesOrderController = erpnext.selling.SellingController.extend( var item = frappe.get_doc(cdt, cdn); if(item.item_code && item.warehouse) { return this.frm.call({ - method: "erpnext.selling.utils.get_available_qty", + method: "erpnext.stock.get_item_details.get_available_qty", child: item, args: { item_code: item.item_code, diff --git a/erpnext/selling/sales_common.js b/erpnext/selling/sales_common.js index b4841006e2..260fbe5ab9 100644 --- a/erpnext/selling/sales_common.js +++ b/erpnext/selling/sales_common.js @@ -215,7 +215,7 @@ erpnext.selling.SellingController = erpnext.TransactionController.extend({ var item = frappe.get_doc(cdt, cdn); if(item.item_code && item.warehouse) { return this.frm.call({ - method: "erpnext.selling.utils.get_available_qty", + method: "erpnext.stock.get_item_details.get_available_qty", child: item, args: { item_code: item.item_code, From cc37cc83cd9726732085e1c7b350f6298bea444b Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Fri, 30 May 2014 12:58:09 +0530 Subject: [PATCH 057/630] removed section_style --- .../purchase_taxes_and_charges.json | 801 +++++++++--------- .../sales_taxes_and_charges.json | 801 +++++++++--------- .../selling/doctype/campaign/campaign.json | 433 +++++----- .../selling_settings/selling_settings.json | 677 ++++++++------- 4 files changed, 1354 insertions(+), 1358 deletions(-) diff --git a/erpnext/accounts/doctype/purchase_taxes_and_charges/purchase_taxes_and_charges.json b/erpnext/accounts/doctype/purchase_taxes_and_charges/purchase_taxes_and_charges.json index 8bc96e210b..6f95a16e7f 100644 --- a/erpnext/accounts/doctype/purchase_taxes_and_charges/purchase_taxes_and_charges.json +++ b/erpnext/accounts/doctype/purchase_taxes_and_charges/purchase_taxes_and_charges.json @@ -1,431 +1,430 @@ { - "_last_update": null, - "_user_tags": null, - "allow_attach": null, - "allow_copy": null, - "allow_email": null, - "allow_import": null, - "allow_print": null, - "allow_rename": null, - "allow_trash": null, - "autoname": "PVTD.######", - "change_log": null, - "client_script": null, - "client_script_core": null, - "client_string": null, - "colour": null, - "creation": "2013-05-21 16:16:04", - "custom": null, - "default_print_format": null, - "description": null, - "docstatus": 0, - "doctype": "DocType", - "document_type": null, - "dt_template": null, + "_last_update": null, + "_user_tags": null, + "allow_attach": null, + "allow_copy": null, + "allow_email": null, + "allow_import": null, + "allow_print": null, + "allow_rename": null, + "allow_trash": null, + "autoname": "PVTD.######", + "change_log": null, + "client_script": null, + "client_script_core": null, + "client_string": null, + "colour": null, + "creation": "2013-05-21 16:16:04", + "custom": null, + "default_print_format": null, + "description": null, + "docstatus": 0, + "doctype": "DocType", + "document_type": null, + "dt_template": null, "fields": [ { - "allow_on_submit": null, - "default": "Valuation and Total", - "depends_on": null, - "description": null, - "fieldname": "category", - "fieldtype": "Select", - "hidden": null, - "ignore_restrictions": null, - "in_filter": null, - "in_list_view": 0, - "label": "Consider Tax or Charge for", - "no_column": null, - "no_copy": null, - "oldfieldname": "category", - "oldfieldtype": "Select", - "options": "Valuation and Total\nValuation\nTotal", - "permlevel": 0, - "print_hide": null, - "print_width": null, - "read_only": 0, - "report_hide": null, - "reqd": 1, - "search_index": null, - "set_only_once": null, - "trigger": null, + "allow_on_submit": null, + "default": "Valuation and Total", + "depends_on": null, + "description": null, + "fieldname": "category", + "fieldtype": "Select", + "hidden": null, + "ignore_restrictions": null, + "in_filter": null, + "in_list_view": 0, + "label": "Consider Tax or Charge for", + "no_column": null, + "no_copy": null, + "oldfieldname": "category", + "oldfieldtype": "Select", + "options": "Valuation and Total\nValuation\nTotal", + "permlevel": 0, + "print_hide": null, + "print_width": null, + "read_only": 0, + "report_hide": null, + "reqd": 1, + "search_index": null, + "set_only_once": null, + "trigger": null, "width": null - }, + }, { - "allow_on_submit": null, - "default": "Add", - "depends_on": null, - "description": null, - "fieldname": "add_deduct_tax", - "fieldtype": "Select", - "hidden": null, - "ignore_restrictions": null, - "in_filter": null, - "in_list_view": null, - "label": "Add or Deduct", - "no_column": null, - "no_copy": null, - "oldfieldname": "add_deduct_tax", - "oldfieldtype": "Select", - "options": "Add\nDeduct", - "permlevel": 0, - "print_hide": null, - "print_width": null, - "read_only": 0, - "report_hide": null, - "reqd": 1, - "search_index": null, - "set_only_once": null, - "trigger": null, + "allow_on_submit": null, + "default": "Add", + "depends_on": null, + "description": null, + "fieldname": "add_deduct_tax", + "fieldtype": "Select", + "hidden": null, + "ignore_restrictions": null, + "in_filter": null, + "in_list_view": null, + "label": "Add or Deduct", + "no_column": null, + "no_copy": null, + "oldfieldname": "add_deduct_tax", + "oldfieldtype": "Select", + "options": "Add\nDeduct", + "permlevel": 0, + "print_hide": null, + "print_width": null, + "read_only": 0, + "report_hide": null, + "reqd": 1, + "search_index": null, + "set_only_once": null, + "trigger": null, "width": null - }, + }, { - "allow_on_submit": null, - "default": null, - "depends_on": null, - "description": null, - "fieldname": "charge_type", - "fieldtype": "Select", - "hidden": null, - "ignore_restrictions": null, - "in_filter": null, - "in_list_view": 1, - "label": "Type", - "no_column": null, - "no_copy": null, - "oldfieldname": "charge_type", - "oldfieldtype": "Select", - "options": "\nActual\nOn Net Total\nOn Previous Row Amount\nOn Previous Row Total", - "permlevel": 0, - "print_hide": null, - "print_width": null, - "read_only": 0, - "report_hide": null, - "reqd": 1, - "search_index": null, - "set_only_once": null, - "trigger": null, + "allow_on_submit": null, + "default": null, + "depends_on": null, + "description": null, + "fieldname": "charge_type", + "fieldtype": "Select", + "hidden": null, + "ignore_restrictions": null, + "in_filter": null, + "in_list_view": 1, + "label": "Type", + "no_column": null, + "no_copy": null, + "oldfieldname": "charge_type", + "oldfieldtype": "Select", + "options": "\nActual\nOn Net Total\nOn Previous Row Amount\nOn Previous Row Total", + "permlevel": 0, + "print_hide": null, + "print_width": null, + "read_only": 0, + "report_hide": null, + "reqd": 1, + "search_index": null, + "set_only_once": null, + "trigger": null, "width": null - }, + }, { - "allow_on_submit": null, - "default": null, - "depends_on": "eval:[\"On Previous Row Amount\", \"On Previous Row Total\"].indexOf(doc.charge_type)!==-1", - "description": null, - "fieldname": "row_id", - "fieldtype": "Data", - "hidden": 0, - "ignore_restrictions": null, - "in_filter": null, - "in_list_view": null, - "label": "Reference Row #", - "no_column": null, - "no_copy": null, - "oldfieldname": "row_id", - "oldfieldtype": "Data", - "options": null, - "permlevel": 0, - "print_hide": null, - "print_width": null, - "read_only": 0, - "report_hide": null, - "reqd": null, - "search_index": null, - "set_only_once": null, - "trigger": null, + "allow_on_submit": null, + "default": null, + "depends_on": "eval:[\"On Previous Row Amount\", \"On Previous Row Total\"].indexOf(doc.charge_type)!==-1", + "description": null, + "fieldname": "row_id", + "fieldtype": "Data", + "hidden": 0, + "ignore_restrictions": null, + "in_filter": null, + "in_list_view": null, + "label": "Reference Row #", + "no_column": null, + "no_copy": null, + "oldfieldname": "row_id", + "oldfieldtype": "Data", + "options": null, + "permlevel": 0, + "print_hide": null, + "print_width": null, + "read_only": 0, + "report_hide": null, + "reqd": null, + "search_index": null, + "set_only_once": null, + "trigger": null, "width": null - }, + }, { - "allow_on_submit": null, - "default": null, - "depends_on": null, - "description": null, - "fieldname": "description", - "fieldtype": "Small Text", - "hidden": null, - "ignore_restrictions": null, - "in_filter": null, - "in_list_view": 1, - "label": "Description", - "no_column": null, - "no_copy": null, - "oldfieldname": "description", - "oldfieldtype": "Small Text", - "options": null, - "permlevel": 0, - "print_hide": null, - "print_width": "300px", - "read_only": 0, - "report_hide": null, - "reqd": 1, - "search_index": null, - "set_only_once": null, - "trigger": null, + "allow_on_submit": null, + "default": null, + "depends_on": null, + "description": null, + "fieldname": "description", + "fieldtype": "Small Text", + "hidden": null, + "ignore_restrictions": null, + "in_filter": null, + "in_list_view": 1, + "label": "Description", + "no_column": null, + "no_copy": null, + "oldfieldname": "description", + "oldfieldtype": "Small Text", + "options": null, + "permlevel": 0, + "print_hide": null, + "print_width": "300px", + "read_only": 0, + "report_hide": null, + "reqd": 1, + "search_index": null, + "set_only_once": null, + "trigger": null, "width": "300px" - }, + }, { - "allow_on_submit": null, - "default": null, - "depends_on": null, - "description": null, - "fieldname": "col_break1", - "fieldtype": "Column Break", - "hidden": null, - "ignore_restrictions": null, - "in_filter": null, - "in_list_view": null, - "label": null, - "no_column": null, - "no_copy": null, - "oldfieldname": null, - "oldfieldtype": null, - "options": null, - "permlevel": 0, - "print_hide": null, - "print_width": null, - "read_only": null, - "report_hide": null, - "reqd": null, - "search_index": null, - "set_only_once": null, - "trigger": null, + "allow_on_submit": null, + "default": null, + "depends_on": null, + "description": null, + "fieldname": "col_break1", + "fieldtype": "Column Break", + "hidden": null, + "ignore_restrictions": null, + "in_filter": null, + "in_list_view": null, + "label": null, + "no_column": null, + "no_copy": null, + "oldfieldname": null, + "oldfieldtype": null, + "options": null, + "permlevel": 0, + "print_hide": null, + "print_width": null, + "read_only": null, + "report_hide": null, + "reqd": null, + "search_index": null, + "set_only_once": null, + "trigger": null, "width": null - }, + }, { - "allow_on_submit": null, - "default": null, - "depends_on": null, - "description": null, - "fieldname": "account_head", - "fieldtype": "Link", - "hidden": null, - "ignore_restrictions": null, - "in_filter": null, - "in_list_view": 0, - "label": "Account Head", - "no_column": null, - "no_copy": null, - "oldfieldname": "account_head", - "oldfieldtype": "Link", - "options": "Account", - "permlevel": 0, - "print_hide": null, - "print_width": null, - "read_only": 0, - "report_hide": null, - "reqd": 1, - "search_index": null, - "set_only_once": null, - "trigger": null, + "allow_on_submit": null, + "default": null, + "depends_on": null, + "description": null, + "fieldname": "account_head", + "fieldtype": "Link", + "hidden": null, + "ignore_restrictions": null, + "in_filter": null, + "in_list_view": 0, + "label": "Account Head", + "no_column": null, + "no_copy": null, + "oldfieldname": "account_head", + "oldfieldtype": "Link", + "options": "Account", + "permlevel": 0, + "print_hide": null, + "print_width": null, + "read_only": 0, + "report_hide": null, + "reqd": 1, + "search_index": null, + "set_only_once": null, + "trigger": null, "width": null - }, + }, { - "allow_on_submit": null, - "default": ":Company", - "depends_on": null, - "description": null, - "fieldname": "cost_center", - "fieldtype": "Link", - "hidden": null, - "ignore_restrictions": null, - "in_filter": null, - "in_list_view": 0, - "label": "Cost Center", - "no_column": null, - "no_copy": null, - "oldfieldname": "cost_center", - "oldfieldtype": "Link", - "options": "Cost Center", - "permlevel": 0, - "print_hide": null, - "print_width": null, - "read_only": 0, - "report_hide": null, - "reqd": null, - "search_index": null, - "set_only_once": null, - "trigger": null, + "allow_on_submit": null, + "default": ":Company", + "depends_on": null, + "description": null, + "fieldname": "cost_center", + "fieldtype": "Link", + "hidden": null, + "ignore_restrictions": null, + "in_filter": null, + "in_list_view": 0, + "label": "Cost Center", + "no_column": null, + "no_copy": null, + "oldfieldname": "cost_center", + "oldfieldtype": "Link", + "options": "Cost Center", + "permlevel": 0, + "print_hide": null, + "print_width": null, + "read_only": 0, + "report_hide": null, + "reqd": null, + "search_index": null, + "set_only_once": null, + "trigger": null, "width": null - }, + }, { - "allow_on_submit": null, - "default": null, - "depends_on": null, - "description": null, - "fieldname": "rate", - "fieldtype": "Float", - "hidden": null, - "ignore_restrictions": null, - "in_filter": null, - "in_list_view": 1, - "label": "Rate", - "no_column": null, - "no_copy": null, - "oldfieldname": "rate", - "oldfieldtype": "Currency", - "options": null, - "permlevel": 0, - "print_hide": null, - "print_width": null, - "read_only": 0, - "report_hide": null, - "reqd": 0, - "search_index": null, - "set_only_once": null, - "trigger": null, + "allow_on_submit": null, + "default": null, + "depends_on": null, + "description": null, + "fieldname": "rate", + "fieldtype": "Float", + "hidden": null, + "ignore_restrictions": null, + "in_filter": null, + "in_list_view": 1, + "label": "Rate", + "no_column": null, + "no_copy": null, + "oldfieldname": "rate", + "oldfieldtype": "Currency", + "options": null, + "permlevel": 0, + "print_hide": null, + "print_width": null, + "read_only": 0, + "report_hide": null, + "reqd": 0, + "search_index": null, + "set_only_once": null, + "trigger": null, "width": null - }, + }, { - "allow_on_submit": null, - "default": null, - "depends_on": null, - "description": null, - "fieldname": "tax_amount", - "fieldtype": "Currency", - "hidden": null, - "ignore_restrictions": null, - "in_filter": null, - "in_list_view": 1, - "label": "Amount", - "no_column": null, - "no_copy": null, - "oldfieldname": "tax_amount", - "oldfieldtype": "Currency", - "options": "Company:company:default_currency", - "permlevel": 0, - "print_hide": null, - "print_width": null, - "read_only": 1, - "report_hide": null, - "reqd": 0, - "search_index": null, - "set_only_once": null, - "trigger": null, + "allow_on_submit": null, + "default": null, + "depends_on": null, + "description": null, + "fieldname": "tax_amount", + "fieldtype": "Currency", + "hidden": null, + "ignore_restrictions": null, + "in_filter": null, + "in_list_view": 1, + "label": "Amount", + "no_column": null, + "no_copy": null, + "oldfieldname": "tax_amount", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", + "permlevel": 0, + "print_hide": null, + "print_width": null, + "read_only": 1, + "report_hide": null, + "reqd": 0, + "search_index": null, + "set_only_once": null, + "trigger": null, "width": null - }, + }, { - "allow_on_submit": null, - "default": null, - "depends_on": null, - "description": null, - "fieldname": "total", - "fieldtype": "Currency", - "hidden": null, - "ignore_restrictions": null, - "in_filter": null, - "in_list_view": null, - "label": "Total", - "no_column": null, - "no_copy": null, - "oldfieldname": "total", - "oldfieldtype": "Currency", - "options": "Company:company:default_currency", - "permlevel": 0, - "print_hide": null, - "print_width": null, - "read_only": 1, - "report_hide": null, - "reqd": null, - "search_index": null, - "set_only_once": null, - "trigger": null, + "allow_on_submit": null, + "default": null, + "depends_on": null, + "description": null, + "fieldname": "total", + "fieldtype": "Currency", + "hidden": null, + "ignore_restrictions": null, + "in_filter": null, + "in_list_view": null, + "label": "Total", + "no_column": null, + "no_copy": null, + "oldfieldname": "total", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", + "permlevel": 0, + "print_hide": null, + "print_width": null, + "read_only": 1, + "report_hide": null, + "reqd": null, + "search_index": null, + "set_only_once": null, + "trigger": null, "width": null - }, + }, { - "allow_on_submit": null, - "default": null, - "depends_on": null, - "description": null, - "fieldname": "item_wise_tax_detail", - "fieldtype": "Small Text", - "hidden": 1, - "ignore_restrictions": null, - "in_filter": null, - "in_list_view": null, - "label": "Item Wise Tax Detail ", - "no_column": null, - "no_copy": null, - "oldfieldname": "item_wise_tax_detail", - "oldfieldtype": "Small Text", - "options": null, - "permlevel": 0, - "print_hide": 1, - "print_width": null, - "read_only": 1, - "report_hide": null, - "reqd": null, - "search_index": null, - "set_only_once": null, - "trigger": null, + "allow_on_submit": null, + "default": null, + "depends_on": null, + "description": null, + "fieldname": "item_wise_tax_detail", + "fieldtype": "Small Text", + "hidden": 1, + "ignore_restrictions": null, + "in_filter": null, + "in_list_view": null, + "label": "Item Wise Tax Detail ", + "no_column": null, + "no_copy": null, + "oldfieldname": "item_wise_tax_detail", + "oldfieldtype": "Small Text", + "options": null, + "permlevel": 0, + "print_hide": 1, + "print_width": null, + "read_only": 1, + "report_hide": null, + "reqd": null, + "search_index": null, + "set_only_once": null, + "trigger": null, "width": null - }, + }, { - "allow_on_submit": null, - "default": null, - "depends_on": null, - "description": null, - "fieldname": "parenttype", - "fieldtype": "Data", - "hidden": 1, - "ignore_restrictions": null, - "in_filter": 1, - "in_list_view": null, - "label": "Parenttype", - "no_column": null, - "no_copy": null, - "oldfieldname": "parenttype", - "oldfieldtype": "Data", - "options": null, - "permlevel": 0, - "print_hide": 1, - "print_width": null, - "read_only": 0, - "report_hide": null, - "reqd": null, - "search_index": 0, - "set_only_once": null, - "trigger": null, + "allow_on_submit": null, + "default": null, + "depends_on": null, + "description": null, + "fieldname": "parenttype", + "fieldtype": "Data", + "hidden": 1, + "ignore_restrictions": null, + "in_filter": 1, + "in_list_view": null, + "label": "Parenttype", + "no_column": null, + "no_copy": null, + "oldfieldname": "parenttype", + "oldfieldtype": "Data", + "options": null, + "permlevel": 0, + "print_hide": 1, + "print_width": null, + "read_only": 0, + "report_hide": null, + "reqd": null, + "search_index": 0, + "set_only_once": null, + "trigger": null, "width": null } - ], - "hide_heading": 1, - "hide_toolbar": null, - "icon": null, - "idx": 1, - "in_create": null, - "in_dialog": null, - "is_submittable": null, - "is_transaction_doc": null, - "issingle": null, - "istable": 1, - "max_attachments": null, - "menu_index": null, - "modified": "2014-04-15 09:48:45.892548", - "modified_by": "Administrator", - "module": "Accounts", - "name": "Purchase Taxes and Charges", - "name_case": null, - "owner": "Administrator", - "parent": null, - "parent_node": null, - "parentfield": null, - "parenttype": null, - "permissions": [], - "plugin": null, - "print_outline": null, - "read_only": null, - "read_only_onload": null, - "search_fields": null, - "section_style": null, - "server_code": null, - "server_code_compiled": null, - "server_code_core": null, - "server_code_error": null, - "show_in_menu": null, - "smallicon": null, - "subject": null, - "tag_fields": null, - "title_field": null, - "use_template": null, + ], + "hide_heading": 1, + "hide_toolbar": null, + "icon": null, + "idx": 1, + "in_create": null, + "in_dialog": null, + "is_submittable": null, + "is_transaction_doc": null, + "issingle": null, + "istable": 1, + "max_attachments": null, + "menu_index": null, + "modified": "2014-04-15 09:48:45.892548", + "modified_by": "Administrator", + "module": "Accounts", + "name": "Purchase Taxes and Charges", + "name_case": null, + "owner": "Administrator", + "parent": null, + "parent_node": null, + "parentfield": null, + "parenttype": null, + "permissions": [], + "plugin": null, + "print_outline": null, + "read_only": null, + "read_only_onload": null, + "search_fields": null, + "server_code": null, + "server_code_compiled": null, + "server_code_core": null, + "server_code_error": null, + "show_in_menu": null, + "smallicon": null, + "subject": null, + "tag_fields": null, + "title_field": null, + "use_template": null, "version": null -} \ No newline at end of file +} diff --git a/erpnext/accounts/doctype/sales_taxes_and_charges/sales_taxes_and_charges.json b/erpnext/accounts/doctype/sales_taxes_and_charges/sales_taxes_and_charges.json index c47990f394..0b0703f17a 100644 --- a/erpnext/accounts/doctype/sales_taxes_and_charges/sales_taxes_and_charges.json +++ b/erpnext/accounts/doctype/sales_taxes_and_charges/sales_taxes_and_charges.json @@ -1,431 +1,430 @@ { - "_last_update": null, - "_user_tags": null, - "allow_attach": null, - "allow_copy": null, - "allow_email": null, - "allow_import": null, - "allow_print": null, - "allow_rename": null, - "allow_trash": null, - "autoname": "INVTD.######", - "change_log": null, - "client_script": null, - "client_script_core": null, - "client_string": null, - "colour": null, - "creation": "2013-04-24 11:39:32", - "custom": null, - "default_print_format": null, - "description": null, - "docstatus": 0, - "doctype": "DocType", - "document_type": null, - "dt_template": null, + "_last_update": null, + "_user_tags": null, + "allow_attach": null, + "allow_copy": null, + "allow_email": null, + "allow_import": null, + "allow_print": null, + "allow_rename": null, + "allow_trash": null, + "autoname": "INVTD.######", + "change_log": null, + "client_script": null, + "client_script_core": null, + "client_string": null, + "colour": null, + "creation": "2013-04-24 11:39:32", + "custom": null, + "default_print_format": null, + "description": null, + "docstatus": 0, + "doctype": "DocType", + "document_type": null, + "dt_template": null, "fields": [ { - "allow_on_submit": null, - "default": null, - "depends_on": null, - "description": null, - "fieldname": "charge_type", - "fieldtype": "Select", - "hidden": null, - "ignore_restrictions": null, - "in_filter": null, - "in_list_view": 1, - "label": "Type", - "no_column": null, - "no_copy": null, - "oldfieldname": "charge_type", - "oldfieldtype": "Select", - "options": "\nActual\nOn Net Total\nOn Previous Row Amount\nOn Previous Row Total", - "permlevel": 0, - "print_hide": null, - "print_width": null, - "read_only": null, - "report_hide": null, - "reqd": 1, - "search_index": null, - "set_only_once": null, - "trigger": null, + "allow_on_submit": null, + "default": null, + "depends_on": null, + "description": null, + "fieldname": "charge_type", + "fieldtype": "Select", + "hidden": null, + "ignore_restrictions": null, + "in_filter": null, + "in_list_view": 1, + "label": "Type", + "no_column": null, + "no_copy": null, + "oldfieldname": "charge_type", + "oldfieldtype": "Select", + "options": "\nActual\nOn Net Total\nOn Previous Row Amount\nOn Previous Row Total", + "permlevel": 0, + "print_hide": null, + "print_width": null, + "read_only": null, + "report_hide": null, + "reqd": 1, + "search_index": null, + "set_only_once": null, + "trigger": null, "width": null - }, + }, { - "allow_on_submit": null, - "default": null, - "depends_on": "eval:[\"On Previous Row Amount\", \"On Previous Row Total\"].indexOf(doc.charge_type)!==-1", - "description": null, - "fieldname": "row_id", - "fieldtype": "Data", - "hidden": 0, - "ignore_restrictions": null, - "in_filter": null, - "in_list_view": null, - "label": "Reference Row #", - "no_column": null, - "no_copy": null, - "oldfieldname": "row_id", - "oldfieldtype": "Data", - "options": null, - "permlevel": 0, - "print_hide": null, - "print_width": null, - "read_only": null, - "report_hide": null, - "reqd": null, - "search_index": null, - "set_only_once": null, - "trigger": null, + "allow_on_submit": null, + "default": null, + "depends_on": "eval:[\"On Previous Row Amount\", \"On Previous Row Total\"].indexOf(doc.charge_type)!==-1", + "description": null, + "fieldname": "row_id", + "fieldtype": "Data", + "hidden": 0, + "ignore_restrictions": null, + "in_filter": null, + "in_list_view": null, + "label": "Reference Row #", + "no_column": null, + "no_copy": null, + "oldfieldname": "row_id", + "oldfieldtype": "Data", + "options": null, + "permlevel": 0, + "print_hide": null, + "print_width": null, + "read_only": null, + "report_hide": null, + "reqd": null, + "search_index": null, + "set_only_once": null, + "trigger": null, "width": null - }, + }, { - "allow_on_submit": null, - "default": null, - "depends_on": null, - "description": null, - "fieldname": "description", - "fieldtype": "Small Text", - "hidden": null, - "ignore_restrictions": null, - "in_filter": null, - "in_list_view": 1, - "label": "Description", - "no_column": null, - "no_copy": null, - "oldfieldname": "description", - "oldfieldtype": "Small Text", - "options": null, - "permlevel": 0, - "print_hide": null, - "print_width": "300px", - "read_only": null, - "report_hide": null, - "reqd": 1, - "search_index": null, - "set_only_once": null, - "trigger": null, + "allow_on_submit": null, + "default": null, + "depends_on": null, + "description": null, + "fieldname": "description", + "fieldtype": "Small Text", + "hidden": null, + "ignore_restrictions": null, + "in_filter": null, + "in_list_view": 1, + "label": "Description", + "no_column": null, + "no_copy": null, + "oldfieldname": "description", + "oldfieldtype": "Small Text", + "options": null, + "permlevel": 0, + "print_hide": null, + "print_width": "300px", + "read_only": null, + "report_hide": null, + "reqd": 1, + "search_index": null, + "set_only_once": null, + "trigger": null, "width": "300px" - }, + }, { - "allow_on_submit": null, - "default": null, - "depends_on": null, - "description": null, - "fieldname": "col_break_1", - "fieldtype": "Column Break", - "hidden": null, - "ignore_restrictions": null, - "in_filter": null, - "in_list_view": null, - "label": null, - "no_column": null, - "no_copy": null, - "oldfieldname": null, - "oldfieldtype": null, - "options": null, - "permlevel": 0, - "print_hide": null, - "print_width": null, - "read_only": null, - "report_hide": null, - "reqd": null, - "search_index": null, - "set_only_once": null, - "trigger": null, + "allow_on_submit": null, + "default": null, + "depends_on": null, + "description": null, + "fieldname": "col_break_1", + "fieldtype": "Column Break", + "hidden": null, + "ignore_restrictions": null, + "in_filter": null, + "in_list_view": null, + "label": null, + "no_column": null, + "no_copy": null, + "oldfieldname": null, + "oldfieldtype": null, + "options": null, + "permlevel": 0, + "print_hide": null, + "print_width": null, + "read_only": null, + "report_hide": null, + "reqd": null, + "search_index": null, + "set_only_once": null, + "trigger": null, "width": "50%" - }, + }, { - "allow_on_submit": null, - "default": null, - "depends_on": null, - "description": null, - "fieldname": "account_head", - "fieldtype": "Link", - "hidden": null, - "ignore_restrictions": null, - "in_filter": null, - "in_list_view": 0, - "label": "Account Head", - "no_column": null, - "no_copy": null, - "oldfieldname": "account_head", - "oldfieldtype": "Link", - "options": "Account", - "permlevel": 0, - "print_hide": null, - "print_width": null, - "read_only": null, - "report_hide": null, - "reqd": 1, - "search_index": 1, - "set_only_once": null, - "trigger": null, + "allow_on_submit": null, + "default": null, + "depends_on": null, + "description": null, + "fieldname": "account_head", + "fieldtype": "Link", + "hidden": null, + "ignore_restrictions": null, + "in_filter": null, + "in_list_view": 0, + "label": "Account Head", + "no_column": null, + "no_copy": null, + "oldfieldname": "account_head", + "oldfieldtype": "Link", + "options": "Account", + "permlevel": 0, + "print_hide": null, + "print_width": null, + "read_only": null, + "report_hide": null, + "reqd": 1, + "search_index": 1, + "set_only_once": null, + "trigger": null, "width": null - }, + }, { - "allow_on_submit": null, - "default": ":Company", - "depends_on": null, - "description": null, - "fieldname": "cost_center", - "fieldtype": "Link", - "hidden": null, - "ignore_restrictions": null, - "in_filter": null, - "in_list_view": 0, - "label": "Cost Center", - "no_column": null, - "no_copy": null, - "oldfieldname": "cost_center_other_charges", - "oldfieldtype": "Link", - "options": "Cost Center", - "permlevel": 0, - "print_hide": null, - "print_width": null, - "read_only": null, - "report_hide": null, - "reqd": null, - "search_index": null, - "set_only_once": null, - "trigger": null, + "allow_on_submit": null, + "default": ":Company", + "depends_on": null, + "description": null, + "fieldname": "cost_center", + "fieldtype": "Link", + "hidden": null, + "ignore_restrictions": null, + "in_filter": null, + "in_list_view": 0, + "label": "Cost Center", + "no_column": null, + "no_copy": null, + "oldfieldname": "cost_center_other_charges", + "oldfieldtype": "Link", + "options": "Cost Center", + "permlevel": 0, + "print_hide": null, + "print_width": null, + "read_only": null, + "report_hide": null, + "reqd": null, + "search_index": null, + "set_only_once": null, + "trigger": null, "width": null - }, + }, { - "allow_on_submit": null, - "default": null, - "depends_on": null, - "description": null, - "fieldname": "rate", - "fieldtype": "Float", - "hidden": null, - "ignore_restrictions": null, - "in_filter": null, - "in_list_view": 1, - "label": "Rate", - "no_column": null, - "no_copy": null, - "oldfieldname": "rate", - "oldfieldtype": "Currency", - "options": null, - "permlevel": 0, - "print_hide": null, - "print_width": null, - "read_only": null, - "report_hide": null, - "reqd": 1, - "search_index": null, - "set_only_once": null, - "trigger": null, + "allow_on_submit": null, + "default": null, + "depends_on": null, + "description": null, + "fieldname": "rate", + "fieldtype": "Float", + "hidden": null, + "ignore_restrictions": null, + "in_filter": null, + "in_list_view": 1, + "label": "Rate", + "no_column": null, + "no_copy": null, + "oldfieldname": "rate", + "oldfieldtype": "Currency", + "options": null, + "permlevel": 0, + "print_hide": null, + "print_width": null, + "read_only": null, + "report_hide": null, + "reqd": 1, + "search_index": null, + "set_only_once": null, + "trigger": null, "width": null - }, + }, { - "allow_on_submit": null, - "default": null, - "depends_on": null, - "description": null, - "fieldname": "tax_amount", - "fieldtype": "Currency", - "hidden": null, - "ignore_restrictions": null, - "in_filter": null, - "in_list_view": 1, - "label": "Amount", - "no_column": null, - "no_copy": null, - "oldfieldname": "tax_amount", - "oldfieldtype": "Currency", - "options": "Company:company:default_currency", - "permlevel": 0, - "print_hide": null, - "print_width": null, - "read_only": 1, - "report_hide": null, - "reqd": 0, - "search_index": null, - "set_only_once": null, - "trigger": null, + "allow_on_submit": null, + "default": null, + "depends_on": null, + "description": null, + "fieldname": "tax_amount", + "fieldtype": "Currency", + "hidden": null, + "ignore_restrictions": null, + "in_filter": null, + "in_list_view": 1, + "label": "Amount", + "no_column": null, + "no_copy": null, + "oldfieldname": "tax_amount", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", + "permlevel": 0, + "print_hide": null, + "print_width": null, + "read_only": 1, + "report_hide": null, + "reqd": 0, + "search_index": null, + "set_only_once": null, + "trigger": null, "width": null - }, + }, { - "allow_on_submit": null, - "default": null, - "depends_on": null, - "description": null, - "fieldname": "total", - "fieldtype": "Currency", - "hidden": null, - "ignore_restrictions": null, - "in_filter": null, - "in_list_view": null, - "label": "Total", - "no_column": null, - "no_copy": null, - "oldfieldname": "total", - "oldfieldtype": "Currency", - "options": "Company:company:default_currency", - "permlevel": 0, - "print_hide": null, - "print_width": null, - "read_only": 1, - "report_hide": null, - "reqd": null, - "search_index": null, - "set_only_once": null, - "trigger": null, + "allow_on_submit": null, + "default": null, + "depends_on": null, + "description": null, + "fieldname": "total", + "fieldtype": "Currency", + "hidden": null, + "ignore_restrictions": null, + "in_filter": null, + "in_list_view": null, + "label": "Total", + "no_column": null, + "no_copy": null, + "oldfieldname": "total", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", + "permlevel": 0, + "print_hide": null, + "print_width": null, + "read_only": 1, + "report_hide": null, + "reqd": null, + "search_index": null, + "set_only_once": null, + "trigger": null, "width": null - }, + }, { - "allow_on_submit": 0, - "default": null, - "depends_on": null, - "description": "If checked, the tax amount will be considered as already included in the Print Rate / Print Amount", - "fieldname": "included_in_print_rate", - "fieldtype": "Check", - "hidden": null, - "ignore_restrictions": null, - "in_filter": null, - "in_list_view": null, - "label": "Is this Tax included in Basic Rate?", - "no_column": null, - "no_copy": 0, - "oldfieldname": null, - "oldfieldtype": null, - "options": null, - "permlevel": 0, - "print_hide": 1, - "print_width": "150px", - "read_only": null, - "report_hide": 1, - "reqd": null, - "search_index": null, - "set_only_once": null, - "trigger": null, + "allow_on_submit": 0, + "default": null, + "depends_on": null, + "description": "If checked, the tax amount will be considered as already included in the Print Rate / Print Amount", + "fieldname": "included_in_print_rate", + "fieldtype": "Check", + "hidden": null, + "ignore_restrictions": null, + "in_filter": null, + "in_list_view": null, + "label": "Is this Tax included in Basic Rate?", + "no_column": null, + "no_copy": 0, + "oldfieldname": null, + "oldfieldtype": null, + "options": null, + "permlevel": 0, + "print_hide": 1, + "print_width": "150px", + "read_only": null, + "report_hide": 1, + "reqd": null, + "search_index": null, + "set_only_once": null, + "trigger": null, "width": "150px" - }, + }, { - "allow_on_submit": null, - "default": null, - "depends_on": null, - "description": null, - "fieldname": "tax_amount_after_discount_amount", - "fieldtype": "Currency", - "hidden": 1, - "ignore_restrictions": null, - "in_filter": null, - "in_list_view": null, - "label": "Tax Amount After Discount Amount", - "no_column": null, - "no_copy": null, - "oldfieldname": null, - "oldfieldtype": null, - "options": "Company:company:default_currency", - "permlevel": 0, - "print_hide": null, - "print_width": null, - "read_only": 1, - "report_hide": null, - "reqd": null, - "search_index": null, - "set_only_once": null, - "trigger": null, + "allow_on_submit": null, + "default": null, + "depends_on": null, + "description": null, + "fieldname": "tax_amount_after_discount_amount", + "fieldtype": "Currency", + "hidden": 1, + "ignore_restrictions": null, + "in_filter": null, + "in_list_view": null, + "label": "Tax Amount After Discount Amount", + "no_column": null, + "no_copy": null, + "oldfieldname": null, + "oldfieldtype": null, + "options": "Company:company:default_currency", + "permlevel": 0, + "print_hide": null, + "print_width": null, + "read_only": 1, + "report_hide": null, + "reqd": null, + "search_index": null, + "set_only_once": null, + "trigger": null, "width": null - }, + }, { - "allow_on_submit": null, - "default": null, - "depends_on": null, - "description": null, - "fieldname": "item_wise_tax_detail", - "fieldtype": "Small Text", - "hidden": 1, - "ignore_restrictions": null, - "in_filter": null, - "in_list_view": null, - "label": "Item Wise Tax Detail", - "no_column": null, - "no_copy": null, - "oldfieldname": "item_wise_tax_detail", - "oldfieldtype": "Small Text", - "options": null, - "permlevel": 0, - "print_hide": null, - "print_width": null, - "read_only": 1, - "report_hide": null, - "reqd": null, - "search_index": null, - "set_only_once": null, - "trigger": null, + "allow_on_submit": null, + "default": null, + "depends_on": null, + "description": null, + "fieldname": "item_wise_tax_detail", + "fieldtype": "Small Text", + "hidden": 1, + "ignore_restrictions": null, + "in_filter": null, + "in_list_view": null, + "label": "Item Wise Tax Detail", + "no_column": null, + "no_copy": null, + "oldfieldname": "item_wise_tax_detail", + "oldfieldtype": "Small Text", + "options": null, + "permlevel": 0, + "print_hide": null, + "print_width": null, + "read_only": 1, + "report_hide": null, + "reqd": null, + "search_index": null, + "set_only_once": null, + "trigger": null, "width": null - }, + }, { - "allow_on_submit": null, - "default": null, - "depends_on": null, - "description": null, - "fieldname": "parenttype", - "fieldtype": "Data", - "hidden": 1, - "ignore_restrictions": null, - "in_filter": 1, - "in_list_view": null, - "label": "Parenttype", - "no_column": null, - "no_copy": null, - "oldfieldname": "parenttype", - "oldfieldtype": "Data", - "options": null, - "permlevel": 0, - "print_hide": 1, - "print_width": null, - "read_only": null, - "report_hide": null, - "reqd": null, - "search_index": 1, - "set_only_once": null, - "trigger": null, + "allow_on_submit": null, + "default": null, + "depends_on": null, + "description": null, + "fieldname": "parenttype", + "fieldtype": "Data", + "hidden": 1, + "ignore_restrictions": null, + "in_filter": 1, + "in_list_view": null, + "label": "Parenttype", + "no_column": null, + "no_copy": null, + "oldfieldname": "parenttype", + "oldfieldtype": "Data", + "options": null, + "permlevel": 0, + "print_hide": 1, + "print_width": null, + "read_only": null, + "report_hide": null, + "reqd": null, + "search_index": 1, + "set_only_once": null, + "trigger": null, "width": null } - ], - "hide_heading": 1, - "hide_toolbar": null, - "icon": null, - "idx": 1, - "in_create": null, - "in_dialog": null, - "is_submittable": null, - "is_transaction_doc": null, - "issingle": null, - "istable": 1, - "max_attachments": null, - "menu_index": null, - "modified": "2014-04-14 18:40:48.450796", - "modified_by": "Administrator", - "module": "Accounts", - "name": "Sales Taxes and Charges", - "name_case": null, - "owner": "Administrator", - "parent": null, - "parent_node": null, - "parentfield": null, - "parenttype": null, - "permissions": [], - "plugin": null, - "print_outline": null, - "read_only": null, - "read_only_onload": null, - "search_fields": null, - "section_style": null, - "server_code": null, - "server_code_compiled": null, - "server_code_core": null, - "server_code_error": null, - "show_in_menu": null, - "smallicon": null, - "subject": null, - "tag_fields": null, - "title_field": null, - "use_template": null, + ], + "hide_heading": 1, + "hide_toolbar": null, + "icon": null, + "idx": 1, + "in_create": null, + "in_dialog": null, + "is_submittable": null, + "is_transaction_doc": null, + "issingle": null, + "istable": 1, + "max_attachments": null, + "menu_index": null, + "modified": "2014-04-14 18:40:48.450796", + "modified_by": "Administrator", + "module": "Accounts", + "name": "Sales Taxes and Charges", + "name_case": null, + "owner": "Administrator", + "parent": null, + "parent_node": null, + "parentfield": null, + "parenttype": null, + "permissions": [], + "plugin": null, + "print_outline": null, + "read_only": null, + "read_only_onload": null, + "search_fields": null, + "server_code": null, + "server_code_compiled": null, + "server_code_core": null, + "server_code_error": null, + "show_in_menu": null, + "smallicon": null, + "subject": null, + "tag_fields": null, + "title_field": null, + "use_template": null, "version": null -} \ No newline at end of file +} diff --git a/erpnext/selling/doctype/campaign/campaign.json b/erpnext/selling/doctype/campaign/campaign.json index 7d02d22abd..7764a235ec 100644 --- a/erpnext/selling/doctype/campaign/campaign.json +++ b/erpnext/selling/doctype/campaign/campaign.json @@ -1,237 +1,236 @@ { - "_last_update": null, - "_user_tags": null, - "allow_attach": null, - "allow_copy": null, - "allow_email": null, - "allow_import": 1, - "allow_print": null, - "allow_rename": 1, - "allow_trash": null, - "autoname": "naming_series:", - "change_log": null, - "client_script": null, - "client_script_core": null, - "client_string": null, - "colour": null, - "creation": "2013-01-10 16:34:18", - "custom": null, - "default_print_format": null, - "description": "Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment. ", - "docstatus": 0, - "doctype": "DocType", - "document_type": "Master", - "dt_template": null, + "_last_update": null, + "_user_tags": null, + "allow_attach": null, + "allow_copy": null, + "allow_email": null, + "allow_import": 1, + "allow_print": null, + "allow_rename": 1, + "allow_trash": null, + "autoname": "naming_series:", + "change_log": null, + "client_script": null, + "client_script_core": null, + "client_string": null, + "colour": null, + "creation": "2013-01-10 16:34:18", + "custom": null, + "default_print_format": null, + "description": "Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment. ", + "docstatus": 0, + "doctype": "DocType", + "document_type": "Master", + "dt_template": null, "fields": [ { - "allow_on_submit": null, - "default": null, - "depends_on": null, - "description": null, - "fieldname": "campaign", - "fieldtype": "Section Break", - "hidden": null, - "ignore_restrictions": null, - "in_filter": null, - "in_list_view": 0, - "label": "Campaign", - "no_column": null, - "no_copy": null, - "oldfieldname": null, - "oldfieldtype": "Section Break", - "options": null, - "permlevel": 0, - "print_hide": null, - "print_width": null, - "read_only": null, - "report_hide": null, - "reqd": null, - "search_index": null, - "set_only_once": null, - "trigger": null, + "allow_on_submit": null, + "default": null, + "depends_on": null, + "description": null, + "fieldname": "campaign", + "fieldtype": "Section Break", + "hidden": null, + "ignore_restrictions": null, + "in_filter": null, + "in_list_view": 0, + "label": "Campaign", + "no_column": null, + "no_copy": null, + "oldfieldname": null, + "oldfieldtype": "Section Break", + "options": null, + "permlevel": 0, + "print_hide": null, + "print_width": null, + "read_only": null, + "report_hide": null, + "reqd": null, + "search_index": null, + "set_only_once": null, + "trigger": null, "width": null - }, + }, { - "allow_on_submit": null, - "default": null, - "depends_on": null, - "description": null, - "fieldname": "campaign_name", - "fieldtype": "Data", - "hidden": null, - "ignore_restrictions": null, - "in_filter": null, - "in_list_view": 1, - "label": "Campaign Name", - "no_column": null, - "no_copy": null, - "oldfieldname": "campaign_name", - "oldfieldtype": "Data", - "options": null, - "permlevel": 0, - "print_hide": null, - "print_width": null, - "read_only": null, - "report_hide": null, - "reqd": 1, - "search_index": null, - "set_only_once": null, - "trigger": null, + "allow_on_submit": null, + "default": null, + "depends_on": null, + "description": null, + "fieldname": "campaign_name", + "fieldtype": "Data", + "hidden": null, + "ignore_restrictions": null, + "in_filter": null, + "in_list_view": 1, + "label": "Campaign Name", + "no_column": null, + "no_copy": null, + "oldfieldname": "campaign_name", + "oldfieldtype": "Data", + "options": null, + "permlevel": 0, + "print_hide": null, + "print_width": null, + "read_only": null, + "report_hide": null, + "reqd": 1, + "search_index": null, + "set_only_once": null, + "trigger": null, "width": null - }, + }, { - "allow_on_submit": null, - "default": null, - "depends_on": null, - "description": null, - "fieldname": "naming_series", - "fieldtype": "Select", - "hidden": null, - "ignore_restrictions": null, - "in_filter": null, - "in_list_view": 0, - "label": "Naming Series", - "no_column": null, - "no_copy": null, - "oldfieldname": null, - "oldfieldtype": null, - "options": "Campaign-.####", - "permlevel": 0, - "print_hide": null, - "print_width": null, - "read_only": null, - "report_hide": null, - "reqd": 0, - "search_index": null, - "set_only_once": null, - "trigger": null, + "allow_on_submit": null, + "default": null, + "depends_on": null, + "description": null, + "fieldname": "naming_series", + "fieldtype": "Select", + "hidden": null, + "ignore_restrictions": null, + "in_filter": null, + "in_list_view": 0, + "label": "Naming Series", + "no_column": null, + "no_copy": null, + "oldfieldname": null, + "oldfieldtype": null, + "options": "Campaign-.####", + "permlevel": 0, + "print_hide": null, + "print_width": null, + "read_only": null, + "report_hide": null, + "reqd": 0, + "search_index": null, + "set_only_once": null, + "trigger": null, "width": null - }, + }, { - "allow_on_submit": null, - "default": null, - "depends_on": null, - "description": null, - "fieldname": "description", - "fieldtype": "Text", - "hidden": null, - "ignore_restrictions": null, - "in_filter": null, - "in_list_view": 1, - "label": "Description", - "no_column": null, - "no_copy": null, - "oldfieldname": "description", - "oldfieldtype": "Text", - "options": null, - "permlevel": 0, - "print_hide": null, - "print_width": null, - "read_only": null, - "report_hide": null, - "reqd": null, - "search_index": null, - "set_only_once": null, - "trigger": null, + "allow_on_submit": null, + "default": null, + "depends_on": null, + "description": null, + "fieldname": "description", + "fieldtype": "Text", + "hidden": null, + "ignore_restrictions": null, + "in_filter": null, + "in_list_view": 1, + "label": "Description", + "no_column": null, + "no_copy": null, + "oldfieldname": "description", + "oldfieldtype": "Text", + "options": null, + "permlevel": 0, + "print_hide": null, + "print_width": null, + "read_only": null, + "report_hide": null, + "reqd": null, + "search_index": null, + "set_only_once": null, + "trigger": null, "width": "300px" } - ], - "hide_heading": null, - "hide_toolbar": null, - "icon": "icon-bullhorn", - "idx": 1, - "in_create": null, - "in_dialog": null, - "is_submittable": null, - "is_transaction_doc": null, - "issingle": null, - "istable": null, - "max_attachments": null, - "menu_index": null, - "modified": "2014-04-16 12:36:34.606593", - "modified_by": "Administrator", - "module": "Selling", - "name": "Campaign", - "name_case": null, - "owner": "Administrator", - "parent": null, - "parent_node": null, - "parentfield": null, - "parenttype": null, + ], + "hide_heading": null, + "hide_toolbar": null, + "icon": "icon-bullhorn", + "idx": 1, + "in_create": null, + "in_dialog": null, + "is_submittable": null, + "is_transaction_doc": null, + "issingle": null, + "istable": null, + "max_attachments": null, + "menu_index": null, + "modified": "2014-04-16 12:36:34.606593", + "modified_by": "Administrator", + "module": "Selling", + "name": "Campaign", + "name_case": null, + "owner": "Administrator", + "parent": null, + "parent_node": null, + "parentfield": null, + "parenttype": null, "permissions": [ { - "amend": 0, - "cancel": 0, - "create": 0, - "delete": 0, - "email": 1, - "export": null, - "import": 0, - "match": null, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 0, - "restrict": null, - "restricted": null, - "role": "Sales Manager", - "submit": 0, + "amend": 0, + "cancel": 0, + "create": 0, + "delete": 0, + "email": 1, + "export": null, + "import": 0, + "match": null, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 0, + "restrict": null, + "restricted": null, + "role": "Sales Manager", + "submit": 0, "write": 0 - }, + }, { - "amend": 0, - "cancel": 0, - "create": 0, - "delete": 0, - "email": 1, - "export": null, - "import": null, - "match": null, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "restrict": null, - "restricted": null, - "role": "Sales User", - "submit": 0, + "amend": 0, + "cancel": 0, + "create": 0, + "delete": 0, + "email": 1, + "export": null, + "import": null, + "match": null, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "restrict": null, + "restricted": null, + "role": "Sales User", + "submit": 0, "write": 0 - }, + }, { - "amend": 0, - "cancel": 0, - "create": 1, - "delete": 1, - "email": 1, - "export": null, - "import": null, - "match": null, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "restrict": null, - "restricted": null, - "role": "Sales Master Manager", - "submit": 0, + "amend": 0, + "cancel": 0, + "create": 1, + "delete": 1, + "email": 1, + "export": null, + "import": null, + "match": null, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "restrict": null, + "restricted": null, + "role": "Sales Master Manager", + "submit": 0, "write": 1 } - ], - "plugin": null, - "print_outline": null, - "read_only": null, - "read_only_onload": null, - "search_fields": null, - "section_style": null, - "server_code": null, - "server_code_compiled": null, - "server_code_core": null, - "server_code_error": null, - "show_in_menu": null, - "smallicon": null, - "subject": null, - "tag_fields": null, - "title_field": null, - "use_template": null, + ], + "plugin": null, + "print_outline": null, + "read_only": null, + "read_only_onload": null, + "search_fields": null, + "server_code": null, + "server_code_compiled": null, + "server_code_core": null, + "server_code_error": null, + "show_in_menu": null, + "smallicon": null, + "subject": null, + "tag_fields": null, + "title_field": null, + "use_template": null, "version": null -} \ No newline at end of file +} diff --git a/erpnext/selling/doctype/selling_settings/selling_settings.json b/erpnext/selling/doctype/selling_settings/selling_settings.json index ec3096c43c..948d6ad429 100644 --- a/erpnext/selling/doctype/selling_settings/selling_settings.json +++ b/erpnext/selling/doctype/selling_settings/selling_settings.json @@ -1,367 +1,366 @@ { - "_last_update": null, - "_user_tags": null, - "allow_attach": null, - "allow_copy": null, - "allow_email": null, - "allow_import": null, - "allow_print": null, - "allow_rename": null, - "allow_trash": null, - "autoname": null, - "change_log": null, - "client_script": null, - "client_script_core": null, - "client_string": null, - "colour": null, - "creation": "2013-06-25 10:25:16", - "custom": null, - "default_print_format": null, - "description": "Settings for Selling Module", - "docstatus": 0, - "doctype": "DocType", - "document_type": "Other", - "dt_template": null, + "_last_update": null, + "_user_tags": null, + "allow_attach": null, + "allow_copy": null, + "allow_email": null, + "allow_import": null, + "allow_print": null, + "allow_rename": null, + "allow_trash": null, + "autoname": null, + "change_log": null, + "client_script": null, + "client_script_core": null, + "client_string": null, + "colour": null, + "creation": "2013-06-25 10:25:16", + "custom": null, + "default_print_format": null, + "description": "Settings for Selling Module", + "docstatus": 0, + "doctype": "DocType", + "document_type": "Other", + "dt_template": null, "fields": [ { - "allow_on_submit": null, - "default": "Customer Name", - "depends_on": null, - "description": null, - "fieldname": "cust_master_name", - "fieldtype": "Select", - "hidden": null, - "ignore_restrictions": null, - "in_filter": null, - "in_list_view": 1, - "label": "Customer Naming By", - "no_column": null, - "no_copy": null, - "oldfieldname": null, - "oldfieldtype": null, - "options": "Customer Name\nNaming Series", - "permlevel": 0, - "print_hide": null, - "print_width": null, - "read_only": null, - "report_hide": null, - "reqd": null, - "search_index": null, - "set_only_once": null, - "trigger": null, + "allow_on_submit": null, + "default": "Customer Name", + "depends_on": null, + "description": null, + "fieldname": "cust_master_name", + "fieldtype": "Select", + "hidden": null, + "ignore_restrictions": null, + "in_filter": null, + "in_list_view": 1, + "label": "Customer Naming By", + "no_column": null, + "no_copy": null, + "oldfieldname": null, + "oldfieldtype": null, + "options": "Customer Name\nNaming Series", + "permlevel": 0, + "print_hide": null, + "print_width": null, + "read_only": null, + "report_hide": null, + "reqd": null, + "search_index": null, + "set_only_once": null, + "trigger": null, "width": null - }, + }, { - "allow_on_submit": null, - "default": null, - "depends_on": null, - "description": null, - "fieldname": "campaign_naming_by", - "fieldtype": "Select", - "hidden": null, - "ignore_restrictions": null, - "in_filter": null, - "in_list_view": 1, - "label": "Campaign Naming By", - "no_column": null, - "no_copy": null, - "oldfieldname": null, - "oldfieldtype": null, - "options": "Campaign Name\nNaming Series", - "permlevel": 0, - "print_hide": null, - "print_width": null, - "read_only": null, - "report_hide": null, - "reqd": null, - "search_index": null, - "set_only_once": null, - "trigger": null, + "allow_on_submit": null, + "default": null, + "depends_on": null, + "description": null, + "fieldname": "campaign_naming_by", + "fieldtype": "Select", + "hidden": null, + "ignore_restrictions": null, + "in_filter": null, + "in_list_view": 1, + "label": "Campaign Naming By", + "no_column": null, + "no_copy": null, + "oldfieldname": null, + "oldfieldtype": null, + "options": "Campaign Name\nNaming Series", + "permlevel": 0, + "print_hide": null, + "print_width": null, + "read_only": null, + "report_hide": null, + "reqd": null, + "search_index": null, + "set_only_once": null, + "trigger": null, "width": null - }, + }, { - "allow_on_submit": null, - "default": null, - "depends_on": null, - "description": "Add / Edit", - "fieldname": "customer_group", - "fieldtype": "Link", - "hidden": null, - "ignore_restrictions": null, - "in_filter": null, - "in_list_view": 1, - "label": "Default Customer Group", - "no_column": null, - "no_copy": null, - "oldfieldname": null, - "oldfieldtype": null, - "options": "Customer Group", - "permlevel": 0, - "print_hide": null, - "print_width": null, - "read_only": null, - "report_hide": null, - "reqd": null, - "search_index": null, - "set_only_once": null, - "trigger": null, + "allow_on_submit": null, + "default": null, + "depends_on": null, + "description": "Add / Edit", + "fieldname": "customer_group", + "fieldtype": "Link", + "hidden": null, + "ignore_restrictions": null, + "in_filter": null, + "in_list_view": 1, + "label": "Default Customer Group", + "no_column": null, + "no_copy": null, + "oldfieldname": null, + "oldfieldtype": null, + "options": "Customer Group", + "permlevel": 0, + "print_hide": null, + "print_width": null, + "read_only": null, + "report_hide": null, + "reqd": null, + "search_index": null, + "set_only_once": null, + "trigger": null, "width": null - }, + }, { - "allow_on_submit": null, - "default": null, - "depends_on": null, - "description": "Add / Edit", - "fieldname": "territory", - "fieldtype": "Link", - "hidden": null, - "ignore_restrictions": null, - "in_filter": null, - "in_list_view": 1, - "label": "Default Territory", - "no_column": null, - "no_copy": null, - "oldfieldname": null, - "oldfieldtype": null, - "options": "Territory", - "permlevel": 0, - "print_hide": null, - "print_width": null, - "read_only": null, - "report_hide": null, - "reqd": null, - "search_index": null, - "set_only_once": null, - "trigger": null, + "allow_on_submit": null, + "default": null, + "depends_on": null, + "description": "Add / Edit", + "fieldname": "territory", + "fieldtype": "Link", + "hidden": null, + "ignore_restrictions": null, + "in_filter": null, + "in_list_view": 1, + "label": "Default Territory", + "no_column": null, + "no_copy": null, + "oldfieldname": null, + "oldfieldtype": null, + "options": "Territory", + "permlevel": 0, + "print_hide": null, + "print_width": null, + "read_only": null, + "report_hide": null, + "reqd": null, + "search_index": null, + "set_only_once": null, + "trigger": null, "width": null - }, + }, { - "allow_on_submit": null, - "default": null, - "depends_on": null, - "description": null, - "fieldname": "selling_price_list", - "fieldtype": "Link", - "hidden": null, - "ignore_restrictions": null, - "in_filter": null, - "in_list_view": 1, - "label": "Default Price List", - "no_column": null, - "no_copy": null, - "oldfieldname": null, - "oldfieldtype": null, - "options": "Price List", - "permlevel": 0, - "print_hide": null, - "print_width": null, - "read_only": null, - "report_hide": null, - "reqd": null, - "search_index": null, - "set_only_once": null, - "trigger": null, + "allow_on_submit": null, + "default": null, + "depends_on": null, + "description": null, + "fieldname": "selling_price_list", + "fieldtype": "Link", + "hidden": null, + "ignore_restrictions": null, + "in_filter": null, + "in_list_view": 1, + "label": "Default Price List", + "no_column": null, + "no_copy": null, + "oldfieldname": null, + "oldfieldtype": null, + "options": "Price List", + "permlevel": 0, + "print_hide": null, + "print_width": null, + "read_only": null, + "report_hide": null, + "reqd": null, + "search_index": null, + "set_only_once": null, + "trigger": null, "width": null - }, + }, { - "allow_on_submit": null, - "default": null, - "depends_on": null, - "description": null, - "fieldname": "column_break_5", - "fieldtype": "Column Break", - "hidden": null, - "ignore_restrictions": null, - "in_filter": null, - "in_list_view": null, - "label": null, - "no_column": null, - "no_copy": null, - "oldfieldname": null, - "oldfieldtype": null, - "options": null, - "permlevel": 0, - "print_hide": null, - "print_width": null, - "read_only": null, - "report_hide": null, - "reqd": null, - "search_index": null, - "set_only_once": null, - "trigger": null, + "allow_on_submit": null, + "default": null, + "depends_on": null, + "description": null, + "fieldname": "column_break_5", + "fieldtype": "Column Break", + "hidden": null, + "ignore_restrictions": null, + "in_filter": null, + "in_list_view": null, + "label": null, + "no_column": null, + "no_copy": null, + "oldfieldname": null, + "oldfieldtype": null, + "options": null, + "permlevel": 0, + "print_hide": null, + "print_width": null, + "read_only": null, + "report_hide": null, + "reqd": null, + "search_index": null, + "set_only_once": null, + "trigger": null, "width": null - }, + }, { - "allow_on_submit": null, - "default": null, - "depends_on": null, - "description": null, - "fieldname": "so_required", - "fieldtype": "Select", - "hidden": null, - "ignore_restrictions": null, - "in_filter": null, - "in_list_view": null, - "label": "Sales Order Required", - "no_column": null, - "no_copy": null, - "oldfieldname": null, - "oldfieldtype": null, - "options": "No\nYes", - "permlevel": 0, - "print_hide": null, - "print_width": null, - "read_only": null, - "report_hide": null, - "reqd": null, - "search_index": null, - "set_only_once": null, - "trigger": null, + "allow_on_submit": null, + "default": null, + "depends_on": null, + "description": null, + "fieldname": "so_required", + "fieldtype": "Select", + "hidden": null, + "ignore_restrictions": null, + "in_filter": null, + "in_list_view": null, + "label": "Sales Order Required", + "no_column": null, + "no_copy": null, + "oldfieldname": null, + "oldfieldtype": null, + "options": "No\nYes", + "permlevel": 0, + "print_hide": null, + "print_width": null, + "read_only": null, + "report_hide": null, + "reqd": null, + "search_index": null, + "set_only_once": null, + "trigger": null, "width": null - }, + }, { - "allow_on_submit": null, - "default": null, - "depends_on": null, - "description": null, - "fieldname": "dn_required", - "fieldtype": "Select", - "hidden": null, - "ignore_restrictions": null, - "in_filter": null, - "in_list_view": null, - "label": "Delivery Note Required", - "no_column": null, - "no_copy": null, - "oldfieldname": null, - "oldfieldtype": null, - "options": "No\nYes", - "permlevel": 0, - "print_hide": null, - "print_width": null, - "read_only": null, - "report_hide": null, - "reqd": null, - "search_index": null, - "set_only_once": null, - "trigger": null, + "allow_on_submit": null, + "default": null, + "depends_on": null, + "description": null, + "fieldname": "dn_required", + "fieldtype": "Select", + "hidden": null, + "ignore_restrictions": null, + "in_filter": null, + "in_list_view": null, + "label": "Delivery Note Required", + "no_column": null, + "no_copy": null, + "oldfieldname": null, + "oldfieldtype": null, + "options": "No\nYes", + "permlevel": 0, + "print_hide": null, + "print_width": null, + "read_only": null, + "report_hide": null, + "reqd": null, + "search_index": null, + "set_only_once": null, + "trigger": null, "width": null - }, + }, { - "allow_on_submit": null, - "default": null, - "depends_on": null, - "description": null, - "fieldname": "maintain_same_sales_rate", - "fieldtype": "Check", - "hidden": null, - "ignore_restrictions": null, - "in_filter": null, - "in_list_view": null, - "label": "Maintain Same Rate Throughout Sales Cycle", - "no_column": null, - "no_copy": null, - "oldfieldname": null, - "oldfieldtype": null, - "options": null, - "permlevel": 0, - "print_hide": null, - "print_width": null, - "read_only": null, - "report_hide": null, - "reqd": null, - "search_index": null, - "set_only_once": null, - "trigger": null, + "allow_on_submit": null, + "default": null, + "depends_on": null, + "description": null, + "fieldname": "maintain_same_sales_rate", + "fieldtype": "Check", + "hidden": null, + "ignore_restrictions": null, + "in_filter": null, + "in_list_view": null, + "label": "Maintain Same Rate Throughout Sales Cycle", + "no_column": null, + "no_copy": null, + "oldfieldname": null, + "oldfieldtype": null, + "options": null, + "permlevel": 0, + "print_hide": null, + "print_width": null, + "read_only": null, + "report_hide": null, + "reqd": null, + "search_index": null, + "set_only_once": null, + "trigger": null, "width": null - }, + }, { - "allow_on_submit": null, - "default": null, - "depends_on": null, - "description": null, - "fieldname": "editable_price_list_rate", - "fieldtype": "Check", - "hidden": null, - "ignore_restrictions": null, - "in_filter": null, - "in_list_view": null, - "label": "Allow user to edit Price List Rate in transactions", - "no_column": null, - "no_copy": null, - "oldfieldname": null, - "oldfieldtype": null, - "options": null, - "permlevel": 0, - "print_hide": null, - "print_width": null, - "read_only": null, - "report_hide": null, - "reqd": null, - "search_index": null, - "set_only_once": null, - "trigger": null, + "allow_on_submit": null, + "default": null, + "depends_on": null, + "description": null, + "fieldname": "editable_price_list_rate", + "fieldtype": "Check", + "hidden": null, + "ignore_restrictions": null, + "in_filter": null, + "in_list_view": null, + "label": "Allow user to edit Price List Rate in transactions", + "no_column": null, + "no_copy": null, + "oldfieldname": null, + "oldfieldtype": null, + "options": null, + "permlevel": 0, + "print_hide": null, + "print_width": null, + "read_only": null, + "report_hide": null, + "reqd": null, + "search_index": null, + "set_only_once": null, + "trigger": null, "width": null } - ], - "hide_heading": null, - "hide_toolbar": null, - "icon": "icon-cog", - "idx": 1, - "in_create": null, - "in_dialog": null, - "is_submittable": null, - "is_transaction_doc": null, - "issingle": 1, - "istable": null, - "max_attachments": null, - "menu_index": null, - "modified": "2014-04-16 12:21:36.117261", - "modified_by": "Administrator", - "module": "Selling", - "name": "Selling Settings", - "name_case": null, - "owner": "Administrator", - "parent": null, - "parent_node": null, - "parentfield": null, - "parenttype": null, + ], + "hide_heading": null, + "hide_toolbar": null, + "icon": "icon-cog", + "idx": 1, + "in_create": null, + "in_dialog": null, + "is_submittable": null, + "is_transaction_doc": null, + "issingle": 1, + "istable": null, + "max_attachments": null, + "menu_index": null, + "modified": "2014-04-16 12:21:36.117261", + "modified_by": "Administrator", + "module": "Selling", + "name": "Selling Settings", + "name_case": null, + "owner": "Administrator", + "parent": null, + "parent_node": null, + "parentfield": null, + "parenttype": null, "permissions": [ { - "amend": null, - "cancel": null, - "create": 1, - "delete": null, - "email": 1, - "export": null, - "import": null, - "match": null, - "permlevel": 0, - "print": 1, - "read": 1, - "report": null, - "restrict": null, - "restricted": null, - "role": "System Manager", - "submit": null, + "amend": null, + "cancel": null, + "create": 1, + "delete": null, + "email": 1, + "export": null, + "import": null, + "match": null, + "permlevel": 0, + "print": 1, + "read": 1, + "report": null, + "restrict": null, + "restricted": null, + "role": "System Manager", + "submit": null, "write": 1 } - ], - "plugin": null, - "print_outline": null, - "read_only": null, - "read_only_onload": null, - "search_fields": null, - "section_style": null, - "server_code": null, - "server_code_compiled": null, - "server_code_core": null, - "server_code_error": null, - "show_in_menu": null, - "smallicon": null, - "subject": null, - "tag_fields": null, - "title_field": null, - "use_template": null, + ], + "plugin": null, + "print_outline": null, + "read_only": null, + "read_only_onload": null, + "search_fields": null, + "server_code": null, + "server_code_compiled": null, + "server_code_core": null, + "server_code_error": null, + "show_in_menu": null, + "smallicon": null, + "subject": null, + "tag_fields": null, + "title_field": null, + "use_template": null, "version": null -} \ No newline at end of file +} From 430d132ee094c4da2843a7f40bfb48438309d04b Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Sat, 31 May 2014 10:36:04 +0530 Subject: [PATCH 058/630] awesomebar: add tree links --- erpnext/startup/boot.py | 71 +++++++++++++++++++++++++++++------------ 1 file changed, 50 insertions(+), 21 deletions(-) diff --git a/erpnext/startup/boot.py b/erpnext/startup/boot.py index 1d5a6d207b..c7acba74b9 100644 --- a/erpnext/startup/boot.py +++ b/erpnext/startup/boot.py @@ -8,39 +8,68 @@ import frappe def boot_session(bootinfo): """boot session - send website info if guest""" import frappe - - bootinfo['custom_css'] = frappe.db.get_value('Style Settings', None, 'custom_css') or '' - bootinfo['website_settings'] = frappe.get_doc('Website Settings') + + bootinfo.custom_css = frappe.db.get_value('Style Settings', None, 'custom_css') or '' + bootinfo.website_settings = frappe.get_doc('Website Settings') if frappe.session['user']!='Guest': - bootinfo['letter_heads'] = get_letter_heads() - - load_country_and_currency(bootinfo) - - bootinfo['notification_settings'] = frappe.get_doc("Notification Control", - "Notification Control") - - # if no company, show a dialog box to create a new company - bootinfo["customer_count"] = frappe.db.sql("""select count(*) from tabCustomer""")[0][0] + bootinfo.letter_heads = get_letter_heads() - if not bootinfo["customer_count"]: - bootinfo['setup_complete'] = frappe.db.sql("""select name from + update_page_info(bootinfo) + + load_country_and_currency(bootinfo) + + bootinfo.notification_settings = frappe.get_doc("Notification Control", + "Notification Control") + + # if no company, show a dialog box to create a new company + bootinfo.customer_count = frappe.db.sql("""select count(*) from tabCustomer""")[0][0] + + if not bootinfo.customer_count: + bootinfo.setup_complete = frappe.db.sql("""select name from tabCompany limit 1""") and 'Yes' or 'No' - - bootinfo['docs'] += frappe.db.sql("""select name, default_currency, cost_center + + bootinfo.docs += frappe.db.sql("""select name, default_currency, cost_center from `tabCompany`""", as_dict=1, update={"doctype":":Company"}) def load_country_and_currency(bootinfo): country = frappe.db.get_default("country") if country and frappe.db.exists("Country", country): - bootinfo["docs"] += [frappe.get_doc("Country", country)] - - bootinfo["docs"] += frappe.db.sql("""select * from tabCurrency + bootinfo.docs += [frappe.get_doc("Country", country)] + + bootinfo.docs += frappe.db.sql("""select * from tabCurrency where ifnull(enabled,0)=1""", as_dict=1, update={"doctype":":Currency"}) def get_letter_heads(): import frappe - ret = frappe.db.sql("""select name, content from `tabLetter Head` + ret = frappe.db.sql("""select name, content from `tabLetter Head` where ifnull(disabled,0)=0""") return dict(ret) - + +def update_page_info(bootinfo): + bootinfo.page_info.update({ + "Chart of Accounts": { + "title": "Chart of Accounts", + "route": "Accounts Browser/Account" + }, + "Chart of Cost Centers": { + "title": "Chart of Cost Centers", + "route": "Accounts Browser/Cost Center" + }, + "Item Group Tree": { + "title": "Item Group Tree", + "route": "Sales Browser/Item Group" + }, + "Customer Group Tree": { + "title": "Customer Group Tree", + "route": "Sales Browser/Customer Group" + }, + "Territory Tree": { + "title": "Territory Tree", + "route": "Sales Browser/Territory" + }, + "Sales Person Tree": { + "title": "Sales Person Tree", + "route": "Sales Browser/Sales Person" + } + }) From 51b7f322cc261328f2b1ad3788ff6c2fb87a5efb Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Mon, 2 Jun 2014 18:47:13 +0530 Subject: [PATCH 059/630] Closing balance fixes in trial balance. Fixes #1730 --- erpnext/public/js/account_tree_grid.js | 57 ++++++++++++++------------ 1 file changed, 30 insertions(+), 27 deletions(-) diff --git a/erpnext/public/js/account_tree_grid.js b/erpnext/public/js/account_tree_grid.js index 50924772d5..7002c1a1c5 100644 --- a/erpnext/public/js/account_tree_grid.js +++ b/erpnext/public/js/account_tree_grid.js @@ -5,12 +5,12 @@ // it under the terms of the GNU General Public License as published by // the Free Software Foundation, either version 3 of the License, or // (at your option) any later version. -// +// // This program is distributed in the hope that it will be useful, // but WITHOUT ANY WARRANTY; without even the implied warranty of // MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the // GNU General Public License for more details. -// +// // You should have received a copy of the GNU General Public License // along with this program. If not, see . @@ -23,8 +23,8 @@ erpnext.AccountTreeGrid = frappe.views.TreeGridReport.extend({ appframe: wrapper.appframe, doctypes: ["Company", "Fiscal Year", "Account", "GL Entry", "Cost Center"], tree_grid: { - show: true, - parent_field: "parent_account", + show: true, + parent_field: "parent_account", formatter: function(item) { return repl("\ @@ -37,7 +37,7 @@ erpnext.AccountTreeGrid = frappe.views.TreeGridReport.extend({ }, setup_columns: function() { this.columns = [ - {id: "name", name: __("Account"), field: "name", width: 300, cssClass: "cell-title", + {id: "name", name: __("Account"), field: "name", width: 300, cssClass: "cell-title", formatter: this.tree_formatter}, {id: "opening_dr", name: __("Opening (Dr)"), field: "opening_dr", width: 100, formatter: this.currency_formatter}, @@ -62,7 +62,7 @@ erpnext.AccountTreeGrid = frappe.views.TreeGridReport.extend({ } return false; }}, - {fieldtype: "Select", label: __("Fiscal Year"), link:"Fiscal Year", + {fieldtype: "Select", label: __("Fiscal Year"), link:"Fiscal Year", default_value: "Select Fiscal Year..."}, {fieldtype: "Date", label: __("From Date")}, {fieldtype: "Label", label: __("To")}, @@ -105,21 +105,21 @@ erpnext.AccountTreeGrid = frappe.views.TreeGridReport.extend({ me.parent_map[d.name] = d.parent_account; } }); - + me.primary_data = [].concat(me.data); } - + me.data = [].concat(me.primary_data); $.each(me.data, function(i, d) { me.init_account(d); }); - + this.set_indent(); this.prepare_balances(); - + }, init_account: function(d) { - this.reset_item_values(d); + this.reset_item_values(d); }, prepare_balances: function() { @@ -132,7 +132,7 @@ erpnext.AccountTreeGrid = frappe.views.TreeGridReport.extend({ if (!this.fiscal_year) return; $.each(this.data, function(i, v) { - v.opening_dr = v.opening_cr = v.debit + v.opening_dr = v.opening_cr = v.debit = v.credit = v.closing_dr = v.closing_cr = 0; }); @@ -145,15 +145,16 @@ erpnext.AccountTreeGrid = frappe.views.TreeGridReport.extend({ this.update_groups(); }, update_balances: function(account, posting_date, v) { - var bal = flt(account.opening_dr) - flt(account.opening_cr) + flt(v.debit) - flt(v.credit); // opening if (posting_date < this.opening_date || v.is_opening === "Yes") { - if (account.report_type === "Profit and Loss" && + if (account.report_type === "Profit and Loss" && posting_date <= dateutil.str_to_obj(this.fiscal_year[1])) { - // balance of previous fiscal_year should + // balance of previous fiscal_year should // not be part of opening of pl account balance } else { - this.set_debit_or_credit(account, "opening", bal); + var opening_bal = flt(account.opening_dr) - flt(account.opening_cr) + + flt(v.debit) - flt(v.credit); + this.set_debit_or_credit(account, "opening", opening_bal); } } else if (this.opening_date <= posting_date && posting_date <= this.closing_date) { // in between @@ -161,7 +162,9 @@ erpnext.AccountTreeGrid = frappe.views.TreeGridReport.extend({ account.credit += flt(v.credit); } // closing - this.set_debit_or_credit(account, "closing", bal); + var closing_bal = flt(account.opening_dr) - flt(account.opening_cr) + + flt(account.debit) - flt(account.credit); + this.set_debit_or_credit(account, "closing", closing_bal); }, set_debit_or_credit: function(account, field, balance) { if(balance > 0) { @@ -184,25 +187,25 @@ erpnext.AccountTreeGrid = frappe.views.TreeGridReport.extend({ $.each(me.columns, function(c, col) { if (col.formatter == me.currency_formatter) { if(col.field=="opening_dr") { - var bal = flt(parent_account.opening_dr) - - flt(parent_account.opening_cr) + + var bal = flt(parent_account.opening_dr) - + flt(parent_account.opening_cr) + flt(account.opening_dr) - flt(account.opening_cr); me.set_debit_or_credit(parent_account, "opening", bal); } else if(col.field=="closing_dr") { - var bal = flt(parent_account.closing_dr) - - flt(parent_account.closing_cr) + + var bal = flt(parent_account.closing_dr) - + flt(parent_account.closing_cr) + flt(account.closing_dr) - flt(account.closing_cr); me.set_debit_or_credit(parent_account, "closing", bal); } else if(in_list(["debit", "credit"], col.field)) { - parent_account[col.field] = flt(parent_account[col.field]) + + parent_account[col.field] = flt(parent_account[col.field]) + flt(account[col.field]); } } }); parent = me.parent_map[parent]; - } + } } - }); + }); }, set_fiscal_year: function() { @@ -214,7 +217,7 @@ erpnext.AccountTreeGrid = frappe.views.TreeGridReport.extend({ this.fiscal_year = null; var me = this; $.each(frappe.report_dump.data["Fiscal Year"], function(i, v) { - if (me.opening_date >= dateutil.str_to_obj(v.year_start_date) && + if (me.opening_date >= dateutil.str_to_obj(v.year_start_date) && me.closing_date <= dateutil.str_to_obj(v.year_end_date)) { me.fiscal_year = v; } @@ -225,7 +228,7 @@ erpnext.AccountTreeGrid = frappe.views.TreeGridReport.extend({ return; } }, - + show_general_ledger: function(account) { frappe.route_options = { account: account, @@ -235,4 +238,4 @@ erpnext.AccountTreeGrid = frappe.views.TreeGridReport.extend({ }; frappe.set_route("query-report", "General Ledger"); } -}); \ No newline at end of file +}); From abb62c76d8b4f6191609e166857cfdaed6d1a057 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Tue, 3 Jun 2014 10:50:55 +0530 Subject: [PATCH 060/630] Removed allocated to field from serach fields in support ticket --- erpnext/support/doctype/support_ticket/support_ticket.json | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/erpnext/support/doctype/support_ticket/support_ticket.json b/erpnext/support/doctype/support_ticket/support_ticket.json index 5ea9ac5c0d..fd97884626 100644 --- a/erpnext/support/doctype/support_ticket/support_ticket.json +++ b/erpnext/support/doctype/support_ticket/support_ticket.json @@ -237,7 +237,7 @@ ], "icon": "icon-ticket", "idx": 1, - "modified": "2014-05-21 06:15:26.988620", + "modified": "2014-06-03 10:49:47.781578", "modified_by": "Administrator", "module": "Support", "name": "Support Ticket", @@ -286,6 +286,6 @@ "write": 1 } ], - "search_fields": "status,customer,allocated_to,subject,raised_by", + "search_fields": "status,customer,subject,raised_by", "title_field": "subject" } \ No newline at end of file From b15764ef2c8cf867965e96b78bbc354ce05d396f Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Tue, 3 Jun 2014 13:02:18 +0530 Subject: [PATCH 061/630] Translation issue fixed in analytics/grid report --- .../financial_analytics.js | 23 +++++---- .../page/trial_balance/trial_balance.js | 18 +++---- .../purchase_analytics/purchase_analytics.js | 31 ++++++----- erpnext/public/js/account_tree_grid.js | 13 ++--- erpnext/public/js/stock_analytics.js | 51 ++++++++++--------- .../page/sales_analytics/sales_analytics.js | 11 ++-- .../stock/page/stock_balance/stock_balance.js | 16 +++--- 7 files changed, 87 insertions(+), 76 deletions(-) diff --git a/erpnext/accounts/page/financial_analytics/financial_analytics.js b/erpnext/accounts/page/financial_analytics/financial_analytics.js index 7d2cfb1179..df30d83861 100644 --- a/erpnext/accounts/page/financial_analytics/financial_analytics.js +++ b/erpnext/accounts/page/financial_analytics/financial_analytics.js @@ -17,8 +17,9 @@ frappe.pages['financial-analytics'].onload = function(wrapper) { erpnext.FinancialAnalytics = erpnext.AccountTreeGrid.extend({ filters: [ { - fieldtype:"Select", label: __("PL or BS"), - options:["Profit and Loss", "Balance Sheet"], + fieldtype:"Select", label: __("PL or BS"), fieldname: "pl_or_bs", + options:[{"label": __("Profit and Loss"), "value": "Profit and Loss"}, + {"label": __("Balance Sheet"), "value": "Balance Sheet"}], filter: function(val, item, opts, me) { if(item._show) return true; @@ -31,19 +32,21 @@ erpnext.FinancialAnalytics = erpnext.AccountTreeGrid.extend({ } }, { - fieldtype:"Select", label: __("Company"), - link:"Company", default_value: "Select Company...", + fieldtype:"Select", label: __("Company"), fieldname: "company", + link:"Company", default_value: __("Select Company..."), filter: function(val, item, opts) { return item.company == val || val == opts.default_value || item._show; } }, - {fieldtype:"Select", label: __("Fiscal Year"), link:"Fiscal Year", - default_value: "Select Fiscal Year..."}, - {fieldtype:"Date", label: __("From Date")}, + {fieldtype:"Select", label: __("Fiscal Year"), link:"Fiscal Year", fieldname: "fiscal_year", + default_value: __("Select Fiscal Year...")}, + {fieldtype:"Date", label: __("From Date"), fieldname: "from_date"}, {fieldtype:"Label", label: __("To")}, - {fieldtype:"Date", label: __("To Date")}, - {fieldtype:"Select", label: __("Range"), - options:["Daily", "Weekly", "Monthly", "Quarterly", "Yearly"]}, + {fieldtype:"Date", label: __("To Date"), fieldname: "to_date"}, + {fieldtype:"Select", label: __("Range"), fieldname: "range", + options:[{label: __("Daily"), value: "Daily"}, {label: __("Weekly"), value: "Weekly"}, + {label: __("Monthly"), value: "Monthly"}, {label: __("Quarterly"), value: "Quarterly"}, + {label: __("Yearly"), value: "Yearly"}]}, {fieldtype:"Button", label: __("Refresh"), icon:"icon-refresh icon-white"}, {fieldtype:"Button", label: __("Reset Filters"), icon: "icon-filter"} ], diff --git a/erpnext/accounts/page/trial_balance/trial_balance.js b/erpnext/accounts/page/trial_balance/trial_balance.js index 95818093f6..e73e1d4f3a 100644 --- a/erpnext/accounts/page/trial_balance/trial_balance.js +++ b/erpnext/accounts/page/trial_balance/trial_balance.js @@ -3,7 +3,7 @@ frappe.require("assets/erpnext/js/account_tree_grid.js"); -frappe.pages['trial-balance'].onload = function(wrapper) { +frappe.pages['trial-balance'].onload = function(wrapper) { frappe.ui.make_app_page({ parent: wrapper, title: __('Trial Balance'), @@ -13,26 +13,26 @@ frappe.pages['trial-balance'].onload = function(wrapper) { init: function(wrapper, title) { var me = this; this._super(wrapper, title); - + // period closing entry checkbox this.wrapper.bind("make", function() { $('
' + + class="with_period_closing_entry">' + __("With period closing entry") + '
') .appendTo(me.wrapper) .find("input").click(function() { me.refresh(); }); }); }, - + prepare_balances: function() { // store value of with closing entry this.with_period_closing_entry = this.wrapper .find(".with_period_closing_entry input:checked").length; this._super(); }, - + update_balances: function(account, posting_date, v) { - // for period closing voucher, + // for period closing voucher, // only consider them when adding "With Closing Entry is checked" if(v.voucher_type === "Period Closing Voucher") { if(this.with_period_closing_entry) { @@ -44,8 +44,8 @@ frappe.pages['trial-balance'].onload = function(wrapper) { }, }) erpnext.trial_balance = new TrialBalance(wrapper, 'Trial Balance'); - + wrapper.appframe.add_module_icon("Accounts") - -} \ No newline at end of file + +} diff --git a/erpnext/buying/page/purchase_analytics/purchase_analytics.js b/erpnext/buying/page/purchase_analytics/purchase_analytics.js index 2e29d01a0a..f1c050d1ff 100644 --- a/erpnext/buying/page/purchase_analytics/purchase_analytics.js +++ b/erpnext/buying/page/purchase_analytics/purchase_analytics.js @@ -86,21 +86,24 @@ erpnext.PurchaseAnalytics = frappe.views.TreeGridReport.extend({ this.columns = std_columns.concat(this.columns); }, filters: [ - {fieldtype:"Select", label: __("Tree Type"), options:["Supplier Type", "Supplier", - "Item Group", "Item"], + {fieldtype:"Select", label: __("Tree Type"), fieldname: "tree_type", + options:["Supplier Type", "Supplier", "Item Group", "Item"], filter: function(val, item, opts, me) { return me.apply_zero_filter(val, item, opts, me); }}, - {fieldtype:"Select", label: __("Based On"), options:["Purchase Invoice", - "Purchase Order", "Purchase Receipt"]}, - {fieldtype:"Select", label: __("Value or Qty"), options:["Value", "Quantity"]}, - {fieldtype:"Select", label: __("Company"), link:"Company", - default_value: "Select Company..."}, - {fieldtype:"Date", label: __("From Date")}, + {fieldtype:"Select", label: __("Based On"), fieldname: "based_on", + options:["Purchase Invoice", "Purchase Order", "Purchase Receipt"]}, + {fieldtype:"Select", label: __("Value or Qty"), fieldname: "value_or_qty", + options:["Value", "Quantity"]}, + {fieldtype:"Select", label: __("Company"), link:"Company", fieldname: "company", + default_value: __("Select Company...")}, + {fieldtype:"Date", label: __("From Date"), fieldname: "from_date"}, {fieldtype:"Label", label: __("To")}, - {fieldtype:"Date", label: __("To Date")}, - {fieldtype:"Select", label: __("Range"), - options:["Daily", "Weekly", "Monthly", "Quarterly", "Yearly"]}, + {fieldtype:"Date", label: __("To Date"), fieldname: "to_date"}, + {fieldtype:"Select", label: __("Range"), fieldname: "range", + options:[{label: __("Daily"), value: "Daily"}, {label: __("Weekly"), value: "Weekly"}, + {label: __("Monthly"), value: "Monthly"}, {label: __("Quarterly"), value: "Quarterly"}, + {label: __("Yearly"), value: "Yearly"}]}, {fieldtype:"Button", label: __("Refresh"), icon:"icon-refresh icon-white"}, {fieldtype:"Button", label: __("Reset Filters"), icon: "icon-filter"} ], @@ -126,7 +129,7 @@ erpnext.PurchaseAnalytics = frappe.views.TreeGridReport.extend({ // Set parent supplier type for tree view $.each(frappe.report_dump.data["Supplier Type"], function(i, v) { - v['parent_supplier_type'] = "All Supplier Types" + v['parent_supplier_type'] = __("All Supplier Types") }) frappe.report_dump.data["Supplier Type"] = [{ @@ -136,7 +139,7 @@ erpnext.PurchaseAnalytics = frappe.views.TreeGridReport.extend({ frappe.report_dump.data["Supplier"].push({ name: __("Not Set"), - parent_supplier_type: "All Supplier Types", + parent_supplier_type: __("All Supplier Types"), id: "Not Set", }); @@ -219,7 +222,7 @@ erpnext.PurchaseAnalytics = frappe.views.TreeGridReport.extend({ $.each(this.data, function(i, item) { var parent = me.parent_map[item.name]; while(parent) { - parent_group = me.item_by_name[parent]; + var parent_group = me.item_by_name[parent]; $.each(me.columns, function(c, col) { if (col.formatter == me.currency_formatter) { diff --git a/erpnext/public/js/account_tree_grid.js b/erpnext/public/js/account_tree_grid.js index 7002c1a1c5..87fb7a986b 100644 --- a/erpnext/public/js/account_tree_grid.js +++ b/erpnext/public/js/account_tree_grid.js @@ -55,18 +55,19 @@ erpnext.AccountTreeGrid = frappe.views.TreeGridReport.extend({ }, filters: [ - {fieldtype: "Select", label: __("Company"), link:"Company", default_value: "Select Company...", + {fieldtype: "Select", label: __("Company"), link:"Company", fieldname: "company", + default_value: __("Select Company..."), filter: function(val, item, opts, me) { if (item.company == val || val == opts.default_value) { return me.apply_zero_filter(val, item, opts, me); } return false; }}, - {fieldtype: "Select", label: __("Fiscal Year"), link:"Fiscal Year", - default_value: "Select Fiscal Year..."}, - {fieldtype: "Date", label: __("From Date")}, + {fieldtype: "Select", label: "Fiscal Year", link:"Fiscal Year", fieldname: "fiscal_year", + default_value: __("Select Fiscal Year...")}, + {fieldtype: "Date", label: __("From Date"), fieldname: "from_date"}, {fieldtype: "Label", label: __("To")}, - {fieldtype: "Date", label: __("To Date")}, + {fieldtype: "Date", label: __("To Date"), fieldname: "to_date"}, {fieldtype: "Button", label: __("Refresh"), icon:"icon-refresh icon-white", cssClass:"btn-info"}, {fieldtype: "Button", label: __("Reset Filters"), icon: "icon-filter"}, @@ -83,7 +84,7 @@ erpnext.AccountTreeGrid = frappe.views.TreeGridReport.extend({ me.filter_inputs.to_date.val(dateutil.str_to_user(v.year_end_date)); } }); - me.set_route(); + me.refresh(); }); me.show_zero_check() if(me.ignore_closing_entry) me.ignore_closing_entry(); diff --git a/erpnext/public/js/stock_analytics.js b/erpnext/public/js/stock_analytics.js index 7c15dba2a5..d4f43e98b9 100644 --- a/erpnext/public/js/stock_analytics.js +++ b/erpnext/public/js/stock_analytics.js @@ -10,11 +10,11 @@ erpnext.StockAnalytics = erpnext.StockGridReport.extend({ page: wrapper, parent: $(wrapper).find('.layout-main'), appframe: wrapper.appframe, - doctypes: ["Item", "Item Group", "Warehouse", "Stock Ledger Entry", "Brand", + doctypes: ["Item", "Item Group", "Warehouse", "Stock Ledger Entry", "Brand", "Fiscal Year", "Serial No"], tree_grid: { - show: true, - parent_field: "parent_item_group", + show: true, + parent_field: "parent_item_group", formatter: function(item) { if(!item.is_group) { return repl("
Date: Tue, 3 Jun 2014 18:33:20 +0530 Subject: [PATCH 062/630] Parent account mandatory for all non-root accounts --- erpnext/accounts/doctype/account/account.json | 3 ++- erpnext/setup/doctype/company/company.py | 2 ++ erpnext/stock/doctype/warehouse/warehouse.py | 3 +-- 3 files changed, 5 insertions(+), 3 deletions(-) diff --git a/erpnext/accounts/doctype/account/account.json b/erpnext/accounts/doctype/account/account.json index 28a0329e54..dc83351034 100644 --- a/erpnext/accounts/doctype/account/account.json +++ b/erpnext/accounts/doctype/account/account.json @@ -80,6 +80,7 @@ "oldfieldtype": "Link", "options": "Account", "permlevel": 0, + "reqd": 1, "search_index": 1 }, { @@ -209,7 +210,7 @@ "icon": "icon-money", "idx": 1, "in_create": 1, - "modified": "2014-05-21 11:42:47.255511", + "modified": "2014-06-03 18:27:58.109303", "modified_by": "Administrator", "module": "Accounts", "name": "Account", diff --git a/erpnext/setup/doctype/company/company.py b/erpnext/setup/doctype/company/company.py index 2c019d9eb5..789a7f12c7 100644 --- a/erpnext/setup/doctype/company/company.py +++ b/erpnext/setup/doctype/company/company.py @@ -91,6 +91,8 @@ class Company(Document): for d in self.fld_dict.keys(): account.set(d, (d == 'parent_account' and lst[self.fld_dict[d]]) and lst[self.fld_dict[d]] +' - '+ self.abbr or lst[self.fld_dict[d]]) + if not account.parent_account: + account.ignore_mandatory = True account.insert() def set_default_accounts(self): diff --git a/erpnext/stock/doctype/warehouse/warehouse.py b/erpnext/stock/doctype/warehouse/warehouse.py index cc61d5654e..2b6892890a 100644 --- a/erpnext/stock/doctype/warehouse/warehouse.py +++ b/erpnext/stock/doctype/warehouse/warehouse.py @@ -38,8 +38,7 @@ class Warehouse(Document): def create_account_head(self): if cint(frappe.defaults.get_global_default("auto_accounting_for_stock")): if not frappe.db.get_value("Account", {"account_type": "Warehouse", - "master_name": self.name}) and not frappe.db.get_value("Account", - {"account_name": self.warehouse_name}): + "master_name": self.name}): if self.get("__islocal") or not frappe.db.get_value( "Stock Ledger Entry", {"warehouse": self.name}): self.validate_parent_account() From ce6977ffe6f732fbd061b5a4cfd6b51d36aa8c17 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Tue, 3 Jun 2014 23:01:31 +0530 Subject: [PATCH 063/630] Minor fixes in fetching item details --- erpnext/stock/get_item_details.py | 1 + 1 file changed, 1 insertion(+) diff --git a/erpnext/stock/get_item_details.py b/erpnext/stock/get_item_details.py index 4a295d8242..9c251b8b29 100644 --- a/erpnext/stock/get_item_details.py +++ b/erpnext/stock/get_item_details.py @@ -255,6 +255,7 @@ def apply_pricing_rule(args): args = frappe._dict(args) out = frappe._dict() + if not args.get("item_code"): return if not args.get("item_group") or not args.get("brand"): args.item_group, args.brand = frappe.db.get_value("Item", From 67d8b91690467575bf2c140b70338a79e2369e68 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Wed, 4 Jun 2014 11:18:25 +0530 Subject: [PATCH 064/630] Fixes in bank reconciliation statement --- .../bank_reconciliation_statement.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py b/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py index c1072a30ff..e87fbd3226 100644 --- a/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +++ b/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py @@ -22,7 +22,7 @@ def execute(filters=None): total_debit += flt(d[4]) total_credit += flt(d[5]) - bank_bal = flt(balance_as_per_company) + flt(total_debit) - flt(total_credit) + bank_bal = flt(balance_as_per_company) - flt(total_debit) + flt(total_credit) data += [ get_balance_row("Balance as per company books", balance_as_per_company), From b6843f20876a951cc437dcf0ed5d501c1a2fe2c2 Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Wed, 4 Jun 2014 13:10:41 +0530 Subject: [PATCH 065/630] added multiple item select and allow non purchase items in Material Request of type transfer --- erpnext/accounts/doctype/journal_voucher/journal_voucher.js | 4 ++++ erpnext/buying/doctype/purchase_common/purchase_common.py | 5 +++-- erpnext/public/js/transaction.js | 3 +++ erpnext/selling/doctype/quotation/quotation.js | 5 +++++ erpnext/selling/sales_common.js | 4 ++++ erpnext/stock/doctype/stock_entry/stock_entry.js | 1 + 6 files changed, 20 insertions(+), 2 deletions(-) diff --git a/erpnext/accounts/doctype/journal_voucher/journal_voucher.js b/erpnext/accounts/doctype/journal_voucher/journal_voucher.js index bc0108eba0..ccd5acee5c 100644 --- a/erpnext/accounts/doctype/journal_voucher/journal_voucher.js +++ b/erpnext/accounts/doctype/journal_voucher/journal_voucher.js @@ -9,6 +9,10 @@ erpnext.accounts.JournalVoucher = frappe.ui.form.Controller.extend({ this.setup_queries(); }, + onload_post_render: function() { + cur_frm.get_field("entries").grid.set_multiple_add("account"); + }, + load_defaults: function() { if(this.frm.doc.__islocal && this.frm.doc.company) { frappe.model.set_default_values(this.frm.doc); diff --git a/erpnext/buying/doctype/purchase_common/purchase_common.py b/erpnext/buying/doctype/purchase_common/purchase_common.py index 94e8ea367c..68a6e93e68 100644 --- a/erpnext/buying/doctype/purchase_common/purchase_common.py +++ b/erpnext/buying/doctype/purchase_common/purchase_common.py @@ -94,8 +94,9 @@ class PurchaseCommon(BuyingController): frappe.throw(_("Warehouse is mandatory for stock Item {0} in row {1}").format(d.item_code, d.idx)) # validate purchase item - if item[0][1] != 'Yes' and item[0][2] != 'Yes': - frappe.throw(_("{0} must be a Purchased or Sub-Contracted Item in row {1}").format(d.item_code, d.idx)) + if not (obj.doctype=="Material Request" and getattr(obj, "material_request_type", None)=="Transfer"): + if item[0][1] != 'Yes' and item[0][2] != 'Yes': + frappe.throw(_("{0} must be a Purchased or Sub-Contracted Item in row {1}").format(d.item_code, d.idx)) # list criteria that should not repeat if item is stock item e = [getattr(d, "schedule_date", None), d.item_code, d.description, d.warehouse, d.uom, diff --git a/erpnext/public/js/transaction.js b/erpnext/public/js/transaction.js index 6d30ef0999..c086aedcf5 100644 --- a/erpnext/public/js/transaction.js +++ b/erpnext/public/js/transaction.js @@ -41,6 +41,9 @@ erpnext.TransactionController = erpnext.stock.StockController.extend({ if(this.frm.doc.__islocal && this.frm.doc.company && !this.frm.doc.is_pos) { this.calculate_taxes_and_totals(); } + if(frappe.meta.get_docfield(this.tname, "item_code")) { + cur_frm.get_field(this.fname).grid.set_multiple_add("item_code"); + } }, refresh: function() { diff --git a/erpnext/selling/doctype/quotation/quotation.js b/erpnext/selling/doctype/quotation/quotation.js index ee140923f5..fa63975e42 100644 --- a/erpnext/selling/doctype/quotation/quotation.js +++ b/erpnext/selling/doctype/quotation/quotation.js @@ -13,6 +13,10 @@ cur_frm.cscript.sales_team_fname = "sales_team"; {% include 'utilities/doctype/sms_control/sms_control.js' %} {% include 'accounts/doctype/sales_invoice/pos.js' %} +frappe.ui.form.on("Quotation", "onload_post_render", function(frm) { + frm.get_field("quotation_details").grid.set_multiple_add("item_code"); +}); + erpnext.selling.QuotationController = erpnext.selling.SellingController.extend({ onload: function(doc, dt, dn) { var me = this; @@ -21,6 +25,7 @@ erpnext.selling.QuotationController = erpnext.selling.SellingController.extend({ doc.quotation_to = "Customer"; else if(doc.lead && !doc.quotation_to) doc.quotation_to = "Lead"; + }, refresh: function(doc, dt, dn) { this._super(doc, dt, dn); diff --git a/erpnext/selling/sales_common.js b/erpnext/selling/sales_common.js index 260fbe5ab9..1cc643eb40 100644 --- a/erpnext/selling/sales_common.js +++ b/erpnext/selling/sales_common.js @@ -21,6 +21,10 @@ erpnext.selling.SellingController = erpnext.TransactionController.extend({ this.toggle_editable_price_list_rate(); }, + onload_post_render: function() { + cur_frm.get_field(this.fname).grid.set_multiple_add("item_code"); + }, + setup_queries: function() { var me = this; diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.js b/erpnext/stock/doctype/stock_entry/stock_entry.js index 840c55da55..553b25c491 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry.js +++ b/erpnext/stock/doctype/stock_entry/stock_entry.js @@ -56,6 +56,7 @@ erpnext.stock.StockEntry = erpnext.stock.StockController.extend({ }, onload_post_render: function() { + cur_frm.get_field(this.fname).grid.set_multiple_add("item_code"); this.set_default_account(); }, From fab0904af7931a5b2feb3fbe30794ec0f6501da7 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Tue, 27 May 2014 08:39:35 +0530 Subject: [PATCH 066/630] Started permission relogication --- erpnext/accounts/doctype/account/account.json | 540 +++--- erpnext/accounts/doctype/c_form/c_form.json | 4 +- .../doctype/cost_center/cost_center.json | 6 +- .../journal_voucher/journal_voucher.json | 4 +- .../mode_of_payment/mode_of_payment.json | 4 +- .../period_closing_voucher.json | 4 +- .../doctype/pricing_rule/pricing_rule.json | 428 ++--- .../purchase_invoice/purchase_invoice.json | 4 +- .../purchase_taxes_and_charges.json | 13 - .../doctype/sales_invoice/sales_invoice.json | 4 +- .../sales_taxes_and_charges.json | 13 - erpnext/accounts/party.py | 4 +- .../purchase_order/purchase_order.json | 4 +- .../quality_inspection.json | 366 ++--- erpnext/buying/doctype/supplier/supplier.json | 8 +- .../supplier_quotation.json | 4 +- .../doctype/party_type/party_type.json | 4 +- erpnext/home/doctype/feed/feed.py | 8 +- erpnext/hr/doctype/appraisal/appraisal.json | 6 +- erpnext/hr/doctype/attendance/attendance.json | 4 +- erpnext/hr/doctype/employee/employee.json | 1109 +++++++------ erpnext/hr/doctype/employee/employee.py | 6 +- .../doctype/expense_claim/expense_claim.json | 6 +- .../leave_allocation/leave_allocation.json | 6 +- .../leave_application/leave_application.json | 422 ++--- .../test_leave_application.py | 4 +- .../hr/doctype/salary_slip/salary_slip.json | 5 +- erpnext/manufacturing/doctype/bom/bom.json | 4 +- .../production_order/production_order.json | 4 +- erpnext/patches.txt | 4 +- .../move_warehouse_user_to_restrictions.py | 4 +- .../patches/v4_0/update_user_properties.py | 22 +- .../projects/doctype/time_log/time_log.json | 6 +- .../time_log_batch/time_log_batch.json | 6 +- .../selling/doctype/campaign/campaign.json | 145 +- .../selling/doctype/customer/customer.json | 526 +++--- .../installation_note/installation_note.json | 4 +- .../doctype/opportunity/opportunity.json | 4 +- .../selling/doctype/quotation/quotation.json | 4 +- .../doctype/sales_order/sales_order.json | 4 +- .../doctype/sales_order/test_sales_order.py | 4 +- .../selling_settings/selling_settings.json | 11 - erpnext/setup/doctype/company/company.json | 27 +- .../customer_group/customer_group.json | 8 +- .../global_defaults/global_defaults.json | 6 +- .../setup/doctype/item_group/item_group.json | 6 +- .../doctype/sales_person/sales_person.json | 9 +- .../setup/doctype/territory/territory.json | 6 +- .../doctype/delivery_note/delivery_note.json | 4 +- erpnext/stock/doctype/item/item.json | 1446 ++++++++--------- .../material_request/material_request.json | 4 +- .../doctype/packing_slip/packing_slip.json | 408 ++--- .../purchase_receipt/purchase_receipt.json | 4 +- .../doctype/stock_entry/stock_entry.json | 4 +- .../doctype/stock_entry/test_stock_entry.py | 8 +- .../stock_reconciliation.json | 4 +- .../customer_issue/customer_issue.json | 4 +- .../maintenance_visit/maintenance_visit.json | 4 +- erpnext/utilities/doctype/note/note.json | 101 +- 59 files changed, 2811 insertions(+), 2984 deletions(-) diff --git a/erpnext/accounts/doctype/account/account.json b/erpnext/accounts/doctype/account/account.json index dc83351034..ccb0d24502 100644 --- a/erpnext/accounts/doctype/account/account.json +++ b/erpnext/accounts/doctype/account/account.json @@ -1,332 +1,332 @@ { - "allow_copy": 1, - "allow_import": 1, - "allow_rename": 1, - "creation": "2013-01-30 12:49:46", - "description": "Heads (or groups) against which Accounting Entries are made and balances are maintained.", - "docstatus": 0, - "doctype": "DocType", - "document_type": "Master", + "allow_copy": 1, + "allow_import": 1, + "allow_rename": 1, + "creation": "2013-01-30 12:49:46", + "description": "Heads (or groups) against which Accounting Entries are made and balances are maintained.", + "docstatus": 0, + "doctype": "DocType", + "document_type": "Master", "fields": [ { - "fieldname": "properties", - "fieldtype": "Section Break", - "in_list_view": 0, - "label": "Account Details", - "oldfieldtype": "Section Break", + "fieldname": "properties", + "fieldtype": "Section Break", + "in_list_view": 0, + "label": "Account Details", + "oldfieldtype": "Section Break", "permlevel": 0 - }, + }, { - "fieldname": "column_break0", - "fieldtype": "Column Break", - "in_list_view": 0, - "permlevel": 0, + "fieldname": "column_break0", + "fieldtype": "Column Break", + "in_list_view": 0, + "permlevel": 0, "width": "50%" - }, + }, { - "fieldname": "account_name", - "fieldtype": "Data", - "in_filter": 1, - "in_list_view": 1, - "label": "Account Name", - "no_copy": 1, - "oldfieldname": "account_name", - "oldfieldtype": "Data", - "permlevel": 0, - "read_only": 1, - "reqd": 1, + "fieldname": "account_name", + "fieldtype": "Data", + "in_filter": 1, + "in_list_view": 1, + "label": "Account Name", + "no_copy": 1, + "oldfieldname": "account_name", + "oldfieldtype": "Data", + "permlevel": 0, + "read_only": 1, + "reqd": 1, "search_index": 1 - }, + }, { - "default": "Ledger", - "fieldname": "group_or_ledger", - "fieldtype": "Select", - "in_filter": 1, - "in_list_view": 1, - "label": "Group or Ledger", - "oldfieldname": "group_or_ledger", - "oldfieldtype": "Select", - "options": "\nLedger\nGroup", - "permlevel": 0, - "read_only": 1, - "reqd": 1, + "default": "Ledger", + "fieldname": "group_or_ledger", + "fieldtype": "Select", + "in_filter": 1, + "in_list_view": 1, + "label": "Group or Ledger", + "oldfieldname": "group_or_ledger", + "oldfieldtype": "Select", + "options": "\nLedger\nGroup", + "permlevel": 0, + "read_only": 1, + "reqd": 1, "search_index": 1 - }, + }, { - "fieldname": "company", - "fieldtype": "Link", - "in_filter": 1, - "label": "Company", - "oldfieldname": "company", - "oldfieldtype": "Link", - "options": "Company", - "permlevel": 0, - "read_only": 1, - "reqd": 1, + "fieldname": "company", + "fieldtype": "Link", + "in_filter": 1, + "label": "Company", + "oldfieldname": "company", + "oldfieldtype": "Link", + "options": "Company", + "permlevel": 0, + "read_only": 1, + "reqd": 1, "search_index": 1 - }, + }, { - "fieldname": "column_break1", - "fieldtype": "Column Break", - "permlevel": 0, + "fieldname": "column_break1", + "fieldtype": "Column Break", + "permlevel": 0, "width": "50%" - }, + }, { - "fieldname": "parent_account", - "fieldtype": "Link", - "ignore_restrictions": 1, - "label": "Parent Account", - "oldfieldname": "parent_account", - "oldfieldtype": "Link", - "options": "Account", - "permlevel": 0, - "reqd": 1, + "fieldname": "parent_account", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Parent Account", + "oldfieldname": "parent_account", + "oldfieldtype": "Link", + "options": "Account", + "permlevel": 0, + "reqd": 1, "search_index": 1 - }, + }, { - "description": "Setting Account Type helps in selecting this Account in transactions.", - "fieldname": "account_type", - "fieldtype": "Select", - "in_filter": 1, - "label": "Account Type", - "oldfieldname": "account_type", - "oldfieldtype": "Select", - "options": "\nBank\nCash\nTax\nChargeable\nWarehouse\nReceivable\nPayable\nEquity\nFixed Asset\nCost of Goods Sold\nExpense Account\nIncome Account\nStock Received But Not Billed\nExpenses Included In Valuation\nStock Adjustment", - "permlevel": 0, + "description": "Setting Account Type helps in selecting this Account in transactions.", + "fieldname": "account_type", + "fieldtype": "Select", + "in_filter": 1, + "label": "Account Type", + "oldfieldname": "account_type", + "oldfieldtype": "Select", + "options": "\nBank\nCash\nTax\nChargeable\nWarehouse\nReceivable\nPayable\nEquity\nFixed Asset\nCost of Goods Sold\nExpense Account\nIncome Account\nStock Received But Not Billed\nExpenses Included In Valuation\nStock Adjustment", + "permlevel": 0, "search_index": 0 - }, + }, { - "description": "Rate at which this tax is applied", - "fieldname": "tax_rate", - "fieldtype": "Float", - "hidden": 0, - "label": "Rate", - "oldfieldname": "tax_rate", - "oldfieldtype": "Currency", - "permlevel": 0, + "description": "Rate at which this tax is applied", + "fieldname": "tax_rate", + "fieldtype": "Float", + "hidden": 0, + "label": "Rate", + "oldfieldname": "tax_rate", + "oldfieldtype": "Currency", + "permlevel": 0, "reqd": 0 - }, + }, { - "description": "If the account is frozen, entries are allowed to restricted users.", - "fieldname": "freeze_account", - "fieldtype": "Select", - "label": "Frozen", - "oldfieldname": "freeze_account", - "oldfieldtype": "Select", - "options": "No\nYes", + "description": "If the account is frozen, entries are allowed to restricted users.", + "fieldname": "freeze_account", + "fieldtype": "Select", + "label": "Frozen", + "oldfieldname": "freeze_account", + "oldfieldtype": "Select", + "options": "No\nYes", "permlevel": 0 - }, + }, { - "fieldname": "credit_days", - "fieldtype": "Int", - "hidden": 1, - "label": "Credit Days", - "oldfieldname": "credit_days", - "oldfieldtype": "Int", - "permlevel": 0, + "fieldname": "credit_days", + "fieldtype": "Int", + "hidden": 1, + "label": "Credit Days", + "oldfieldname": "credit_days", + "oldfieldtype": "Int", + "permlevel": 0, "print_hide": 1 - }, + }, { - "fieldname": "credit_limit", - "fieldtype": "Currency", - "hidden": 1, - "label": "Credit Limit", - "oldfieldname": "credit_limit", - "oldfieldtype": "Currency", - "options": "Company:company:default_currency", - "permlevel": 0, + "fieldname": "credit_limit", + "fieldtype": "Currency", + "hidden": 1, + "label": "Credit Limit", + "oldfieldname": "credit_limit", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", + "permlevel": 0, "print_hide": 1 - }, + }, { - "description": "If this Account represents a Customer, Supplier or Employee, set it here.", - "fieldname": "master_type", - "fieldtype": "Select", - "label": "Master Type", - "oldfieldname": "master_type", - "oldfieldtype": "Select", - "options": "\nSupplier\nCustomer\nEmployee", + "description": "If this Account represents a Customer, Supplier or Employee, set it here.", + "fieldname": "master_type", + "fieldtype": "Select", + "label": "Master Type", + "oldfieldname": "master_type", + "oldfieldtype": "Select", + "options": "\nSupplier\nCustomer\nEmployee", "permlevel": 0 - }, + }, { - "fieldname": "master_name", - "fieldtype": "Link", - "label": "Master Name", - "oldfieldname": "master_name", - "oldfieldtype": "Link", - "options": "[Select]", + "fieldname": "master_name", + "fieldtype": "Link", + "label": "Master Name", + "oldfieldname": "master_name", + "oldfieldtype": "Link", + "options": "[Select]", "permlevel": 0 - }, + }, { - "fieldname": "balance_must_be", - "fieldtype": "Select", - "label": "Balance must be", - "options": "\nDebit\nCredit", + "fieldname": "balance_must_be", + "fieldtype": "Select", + "label": "Balance must be", + "options": "\nDebit\nCredit", "permlevel": 0 - }, + }, { - "fieldname": "root_type", - "fieldtype": "Select", - "label": "Root Type", - "options": "\nAsset\nLiability\nIncome\nExpense\nEquity", - "permlevel": 0, + "fieldname": "root_type", + "fieldtype": "Select", + "label": "Root Type", + "options": "\nAsset\nLiability\nIncome\nExpense\nEquity", + "permlevel": 0, "read_only": 1 - }, + }, { - "fieldname": "report_type", - "fieldtype": "Select", - "label": "Report Type", - "options": "\nBalance Sheet\nProfit and Loss", - "permlevel": 0, + "fieldname": "report_type", + "fieldtype": "Select", + "label": "Report Type", + "options": "\nBalance Sheet\nProfit and Loss", + "permlevel": 0, "read_only": 1 - }, + }, { - "fieldname": "lft", - "fieldtype": "Int", - "hidden": 1, - "label": "Lft", - "permlevel": 0, - "print_hide": 1, + "fieldname": "lft", + "fieldtype": "Int", + "hidden": 1, + "label": "Lft", + "permlevel": 0, + "print_hide": 1, "read_only": 1 - }, + }, { - "fieldname": "rgt", - "fieldtype": "Int", - "hidden": 1, - "label": "Rgt", - "permlevel": 0, - "print_hide": 1, + "fieldname": "rgt", + "fieldtype": "Int", + "hidden": 1, + "label": "Rgt", + "permlevel": 0, + "print_hide": 1, "read_only": 1 - }, + }, { - "fieldname": "old_parent", - "fieldtype": "Data", - "hidden": 1, - "label": "Old Parent", - "permlevel": 0, - "print_hide": 1, + "fieldname": "old_parent", + "fieldtype": "Data", + "hidden": 1, + "label": "Old Parent", + "permlevel": 0, + "print_hide": 1, "read_only": 1 } - ], - "icon": "icon-money", - "idx": 1, - "in_create": 1, - "modified": "2014-06-03 18:27:58.109303", - "modified_by": "Administrator", - "module": "Accounts", - "name": "Account", - "owner": "Administrator", + ], + "icon": "icon-money", + "idx": 1, + "in_create": 1, + "modified": "2014-06-03 18:27:58.109303", + "modified_by": "Administrator", + "module": "Accounts", + "name": "Account", + "owner": "Administrator", "permissions": [ { - "amend": 0, - "cancel": 0, - "create": 1, - "delete": 1, - "email": 1, - "export": 1, - "import": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Accounts User", - "submit": 0, + "amend": 0, + "cancel": 0, + "create": 1, + "delete": 1, + "email": 1, + "export": 1, + "import": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Accounts User", + "submit": 0, "write": 1 - }, + }, { - "amend": 0, - "cancel": 0, - "create": 0, - "delete": 0, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Auditor", - "submit": 0, + "amend": 0, + "cancel": 0, + "create": 0, + "delete": 0, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Auditor", + "submit": 0, "write": 0 - }, + }, { - "amend": 0, - "cancel": 0, - "create": 0, - "delete": 0, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Sales User", - "submit": 0, + "amend": 0, + "cancel": 0, + "create": 0, + "delete": 0, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Sales User", + "submit": 0, "write": 0 - }, + }, { - "amend": 0, - "cancel": 0, - "create": 0, - "delete": 0, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Purchase User", - "submit": 0, + "amend": 0, + "cancel": 0, + "create": 0, + "delete": 0, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Purchase User", + "submit": 0, "write": 0 - }, + }, { - "amend": 0, - "cancel": 0, - "create": 0, - "delete": 0, - "permlevel": 2, - "read": 1, - "report": 1, - "role": "Auditor", - "submit": 0, + "amend": 0, + "cancel": 0, + "create": 0, + "delete": 0, + "permlevel": 2, + "read": 1, + "report": 1, + "role": "Auditor", + "submit": 0, "write": 0 - }, + }, { - "amend": 0, - "cancel": 0, - "create": 1, - "delete": 1, - "email": 1, - "export": 1, - "import": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "restrict": 1, - "role": "Accounts Manager", - "submit": 0, + "amend": 0, + "cancel": 0, + "create": 1, + "delete": 1, + "email": 1, + "export": 1, + "import": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "set_user_permissions": 1, + "role": "Accounts Manager", + "submit": 0, "write": 1 - }, + }, { - "amend": 0, - "cancel": 0, - "create": 0, - "delete": 0, - "permlevel": 2, - "read": 1, - "report": 1, - "role": "Accounts Manager", - "submit": 0, + "amend": 0, + "cancel": 0, + "create": 0, + "delete": 0, + "permlevel": 2, + "read": 1, + "report": 1, + "role": "Accounts Manager", + "submit": 0, "write": 1 - }, + }, { - "amend": 0, - "cancel": 0, - "create": 0, - "delete": 0, - "permlevel": 2, - "read": 1, - "report": 1, - "role": "Accounts User", - "submit": 0, + "amend": 0, + "cancel": 0, + "create": 0, + "delete": 0, + "permlevel": 2, + "read": 1, + "report": 1, + "role": "Accounts User", + "submit": 0, "write": 0 } - ], + ], "search_fields": "group_or_ledger" -} \ No newline at end of file +} diff --git a/erpnext/accounts/doctype/c_form/c_form.json b/erpnext/accounts/doctype/c_form/c_form.json index 87d2922c63..6ba4578cc4 100644 --- a/erpnext/accounts/doctype/c_form/c_form.json +++ b/erpnext/accounts/doctype/c_form/c_form.json @@ -126,7 +126,7 @@ { "fieldname": "amended_from", "fieldtype": "Link", - "ignore_restrictions": 1, + "ignore_user_permissions": 1, "label": "Amended From", "no_copy": 1, "options": "C-Form", @@ -139,7 +139,7 @@ "idx": 1, "is_submittable": 1, "max_attachments": 3, - "modified": "2014-05-09 02:18:00.162685", + "modified": "2014-05-26 03:05:47.144265", "modified_by": "Administrator", "module": "Accounts", "name": "C-Form", diff --git a/erpnext/accounts/doctype/cost_center/cost_center.json b/erpnext/accounts/doctype/cost_center/cost_center.json index d497974e43..2e3efc1cd0 100644 --- a/erpnext/accounts/doctype/cost_center/cost_center.json +++ b/erpnext/accounts/doctype/cost_center/cost_center.json @@ -31,7 +31,7 @@ { "fieldname": "parent_cost_center", "fieldtype": "Link", - "ignore_restrictions": 1, + "ignore_user_permissions": 1, "in_list_view": 1, "label": "Parent Cost Center", "oldfieldname": "parent_cost_center", @@ -131,7 +131,7 @@ "fieldname": "old_parent", "fieldtype": "Link", "hidden": 1, - "ignore_restrictions": 1, + "ignore_user_permissions": 1, "label": "old_parent", "no_copy": 1, "oldfieldname": "old_parent", @@ -145,7 +145,7 @@ "icon": "icon-money", "idx": 1, "in_create": 1, - "modified": "2014-05-07 06:37:48.038993", + "modified": "2014-05-26 03:05:47.474366", "modified_by": "Administrator", "module": "Accounts", "name": "Cost Center", diff --git a/erpnext/accounts/doctype/journal_voucher/journal_voucher.json b/erpnext/accounts/doctype/journal_voucher/journal_voucher.json index c214f988a0..bafc6df9c6 100644 --- a/erpnext/accounts/doctype/journal_voucher/journal_voucher.json +++ b/erpnext/accounts/doctype/journal_voucher/journal_voucher.json @@ -426,7 +426,7 @@ { "fieldname": "amended_from", "fieldtype": "Link", - "ignore_restrictions": 1, + "ignore_user_permissions": 1, "label": "Amended From", "no_copy": 1, "oldfieldname": "amended_from", @@ -440,7 +440,7 @@ "icon": "icon-file-text", "idx": 1, "is_submittable": 1, - "modified": "2014-05-09 02:16:47.686703", + "modified": "2014-05-26 03:05:49.482476", "modified_by": "Administrator", "module": "Accounts", "name": "Journal Voucher", diff --git a/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.json b/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.json index ef508829f5..decdc0ad65 100644 --- a/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.json +++ b/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.json @@ -31,7 +31,7 @@ "description": "Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.", "fieldname": "default_account", "fieldtype": "Link", - "ignore_restrictions": 1, + "ignore_user_permissions": 1, "in_list_view": 1, "label": "Default Account", "options": "Account", @@ -41,7 +41,7 @@ ], "icon": "icon-credit-card", "idx": 1, - "modified": "2014-05-07 05:06:13.702313", + "modified": "2014-05-26 03:05:50.299354", "modified_by": "Administrator", "module": "Accounts", "name": "Mode of Payment", diff --git a/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.json b/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.json index aaa8c8a84e..e1aa66ff11 100644 --- a/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.json +++ b/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.json @@ -44,7 +44,7 @@ { "fieldname": "amended_from", "fieldtype": "Data", - "ignore_restrictions": 1, + "ignore_user_permissions": 1, "in_list_view": 1, "label": "Amended From", "no_copy": 1, @@ -101,7 +101,7 @@ "icon": "icon-file-text", "idx": 1, "is_submittable": 1, - "modified": "2014-05-09 02:16:36.920034", + "modified": "2014-05-26 03:05:50.722547", "modified_by": "Administrator", "module": "Accounts", "name": "Period Closing Voucher", diff --git a/erpnext/accounts/doctype/pricing_rule/pricing_rule.json b/erpnext/accounts/doctype/pricing_rule/pricing_rule.json index e023dd08c3..b20563fa76 100644 --- a/erpnext/accounts/doctype/pricing_rule/pricing_rule.json +++ b/erpnext/accounts/doctype/pricing_rule/pricing_rule.json @@ -1,288 +1,288 @@ { - "allow_import": 1, - "autoname": "PRULE.#####", - "creation": "2014-02-21 15:02:51", - "docstatus": 0, - "doctype": "DocType", - "document_type": "Master", + "allow_import": 1, + "autoname": "PRULE.#####", + "creation": "2014-02-21 15:02:51", + "docstatus": 0, + "doctype": "DocType", + "document_type": "Master", "fields": [ { - "fieldname": "applicability_section", - "fieldtype": "Section Break", - "in_list_view": 0, - "label": "Applicability", + "fieldname": "applicability_section", + "fieldtype": "Section Break", + "in_list_view": 0, + "label": "Applicability", "permlevel": 0 - }, + }, { - "default": "Item Code", - "fieldname": "apply_on", - "fieldtype": "Select", - "in_list_view": 1, - "label": "Apply On", - "options": "\nItem Code\nItem Group\nBrand", - "permlevel": 0, + "default": "Item Code", + "fieldname": "apply_on", + "fieldtype": "Select", + "in_list_view": 1, + "label": "Apply On", + "options": "\nItem Code\nItem Group\nBrand", + "permlevel": 0, "reqd": 1 - }, + }, { - "depends_on": "eval:doc.apply_on==\"Item Code\"", - "fieldname": "item_code", - "fieldtype": "Link", - "in_list_view": 1, - "label": "Item Code", - "options": "Item", - "permlevel": 0, + "depends_on": "eval:doc.apply_on==\"Item Code\"", + "fieldname": "item_code", + "fieldtype": "Link", + "in_list_view": 1, + "label": "Item Code", + "options": "Item", + "permlevel": 0, "reqd": 0 - }, + }, { - "depends_on": "eval:doc.apply_on==\"Item Group\"", - "fieldname": "item_group", - "fieldtype": "Link", - "in_list_view": 1, - "label": "Item Group", - "options": "Item Group", + "depends_on": "eval:doc.apply_on==\"Item Group\"", + "fieldname": "item_group", + "fieldtype": "Link", + "in_list_view": 1, + "label": "Item Group", + "options": "Item Group", "permlevel": 0 - }, + }, { - "depends_on": "eval:doc.apply_on==\"Brand\"", - "fieldname": "brand", - "fieldtype": "Link", - "in_list_view": 1, - "label": "Brand", - "options": "Brand", + "depends_on": "eval:doc.apply_on==\"Brand\"", + "fieldname": "brand", + "fieldtype": "Link", + "in_list_view": 1, + "label": "Brand", + "options": "Brand", "permlevel": 0 - }, + }, { - "fieldname": "applicable_for", - "fieldtype": "Select", - "label": "Applicable For", - "options": "\nCustomer\nCustomer Group\nTerritory\nSales Partner\nCampaign\nSupplier\nSupplier Type", + "fieldname": "applicable_for", + "fieldtype": "Select", + "label": "Applicable For", + "options": "\nCustomer\nCustomer Group\nTerritory\nSales Partner\nCampaign\nSupplier\nSupplier Type", "permlevel": 0 - }, + }, { - "depends_on": "eval:doc.applicable_for==\"Customer\"", - "fieldname": "customer", - "fieldtype": "Link", - "label": "Customer", - "options": "Customer", + "depends_on": "eval:doc.applicable_for==\"Customer\"", + "fieldname": "customer", + "fieldtype": "Link", + "label": "Customer", + "options": "Customer", "permlevel": 0 - }, + }, { - "depends_on": "eval:doc.applicable_for==\"Customer Group\"", - "fieldname": "customer_group", - "fieldtype": "Link", - "label": "Customer Group", - "options": "Customer Group", + "depends_on": "eval:doc.applicable_for==\"Customer Group\"", + "fieldname": "customer_group", + "fieldtype": "Link", + "label": "Customer Group", + "options": "Customer Group", "permlevel": 0 - }, + }, { - "depends_on": "eval:doc.applicable_for==\"Territory\"", - "fieldname": "territory", - "fieldtype": "Link", - "label": "Territory", - "options": "Territory", + "depends_on": "eval:doc.applicable_for==\"Territory\"", + "fieldname": "territory", + "fieldtype": "Link", + "label": "Territory", + "options": "Territory", "permlevel": 0 - }, + }, { - "depends_on": "eval:doc.applicable_for==\"Sales Partner\"", - "fieldname": "sales_partner", - "fieldtype": "Link", - "label": "Sales Partner", - "options": "Sales Partner", + "depends_on": "eval:doc.applicable_for==\"Sales Partner\"", + "fieldname": "sales_partner", + "fieldtype": "Link", + "label": "Sales Partner", + "options": "Sales Partner", "permlevel": 0 - }, + }, { - "depends_on": "eval:doc.applicable_for==\"Campaign\"", - "fieldname": "campaign", - "fieldtype": "Link", - "label": "Campaign", - "options": "Campaign", + "depends_on": "eval:doc.applicable_for==\"Campaign\"", + "fieldname": "campaign", + "fieldtype": "Link", + "label": "Campaign", + "options": "Campaign", "permlevel": 0 - }, + }, { - "depends_on": "eval:doc.applicable_for==\"Supplier\"", - "fieldname": "supplier", - "fieldtype": "Link", - "label": "Supplier", - "options": "Supplier", + "depends_on": "eval:doc.applicable_for==\"Supplier\"", + "fieldname": "supplier", + "fieldtype": "Link", + "label": "Supplier", + "options": "Supplier", "permlevel": 0 - }, + }, { - "depends_on": "eval:doc.applicable_for==\"Supplier Type\"", - "fieldname": "supplier_type", - "fieldtype": "Link", - "label": "Supplier Type", - "options": "Supplier Type", + "depends_on": "eval:doc.applicable_for==\"Supplier Type\"", + "fieldname": "supplier_type", + "fieldtype": "Link", + "label": "Supplier Type", + "options": "Supplier Type", "permlevel": 0 - }, + }, { - "fieldname": "min_qty", - "fieldtype": "Float", - "label": "Min Qty", + "fieldname": "min_qty", + "fieldtype": "Float", + "label": "Min Qty", "permlevel": 0 - }, + }, { - "fieldname": "max_qty", - "fieldtype": "Float", - "label": "Max Qty", + "fieldname": "max_qty", + "fieldtype": "Float", + "label": "Max Qty", "permlevel": 0 - }, + }, { - "fieldname": "col_break1", - "fieldtype": "Column Break", + "fieldname": "col_break1", + "fieldtype": "Column Break", "permlevel": 0 - }, + }, { - "fieldname": "company", - "fieldtype": "Link", - "label": "Company", - "options": "Company", + "fieldname": "company", + "fieldtype": "Link", + "label": "Company", + "options": "Company", "permlevel": 0 - }, + }, { - "default": "Today", - "fieldname": "valid_from", - "fieldtype": "Date", - "label": "Valid From", + "default": "Today", + "fieldname": "valid_from", + "fieldtype": "Date", + "label": "Valid From", "permlevel": 0 - }, + }, { - "fieldname": "valid_upto", - "fieldtype": "Date", - "label": "Valid Upto", + "fieldname": "valid_upto", + "fieldtype": "Date", + "label": "Valid Upto", "permlevel": 0 - }, + }, { - "fieldname": "priority", - "fieldtype": "Select", - "label": "Priority", - "options": "\n1\n2\n3\n4\n5\n6\n7\n8\n9\n10\n11\n12\n13\n14\n15\n16\n17\n18\n19\n20", + "fieldname": "priority", + "fieldtype": "Select", + "label": "Priority", + "options": "\n1\n2\n3\n4\n5\n6\n7\n8\n9\n10\n11\n12\n13\n14\n15\n16\n17\n18\n19\n20", "permlevel": 0 - }, + }, { - "fieldname": "disable", - "fieldtype": "Check", - "label": "Disable", + "fieldname": "disable", + "fieldtype": "Check", + "label": "Disable", "permlevel": 0 - }, + }, { - "fieldname": "price_discount_section", - "fieldtype": "Section Break", - "label": "Price / Discount", + "fieldname": "price_discount_section", + "fieldtype": "Section Break", + "label": "Price / Discount", "permlevel": 0 - }, + }, { - "default": "Discount Percentage", - "fieldname": "price_or_discount", - "fieldtype": "Select", - "label": "Price or Discount", - "options": "\nPrice\nDiscount Percentage", - "permlevel": 0, + "default": "Discount Percentage", + "fieldname": "price_or_discount", + "fieldtype": "Select", + "label": "Price or Discount", + "options": "\nPrice\nDiscount Percentage", + "permlevel": 0, "reqd": 1 - }, + }, { - "fieldname": "col_break2", - "fieldtype": "Column Break", + "fieldname": "col_break2", + "fieldtype": "Column Break", "permlevel": 0 - }, + }, { - "depends_on": "eval:doc.price_or_discount==\"Price\"", - "fieldname": "price", - "fieldtype": "Float", - "label": "Price", + "depends_on": "eval:doc.price_or_discount==\"Price\"", + "fieldname": "price", + "fieldtype": "Float", + "label": "Price", "permlevel": 0 - }, + }, { - "depends_on": "eval:doc.price_or_discount==\"Discount Percentage\"", - "fieldname": "discount_percentage", - "fieldtype": "Float", - "label": "Discount Percentage", + "depends_on": "eval:doc.price_or_discount==\"Discount Percentage\"", + "fieldname": "discount_percentage", + "fieldtype": "Float", + "label": "Discount Percentage", "permlevel": 0 - }, + }, { - "depends_on": "eval:doc.price_or_discount==\"Discount Percentage\"", - "fieldname": "for_price_list", - "fieldtype": "Link", - "label": "For Price List", - "options": "Price List", + "depends_on": "eval:doc.price_or_discount==\"Discount Percentage\"", + "fieldname": "for_price_list", + "fieldtype": "Link", + "label": "For Price List", + "options": "Price List", "permlevel": 0 - }, + }, { - "fieldname": "help_section", - "fieldtype": "Section Break", - "label": "", - "options": "Simple", + "fieldname": "help_section", + "fieldtype": "Section Break", + "label": "", + "options": "Simple", "permlevel": 0 - }, + }, { - "fieldname": "pricing_rule_help", - "fieldtype": "HTML", - "label": "Pricing Rule Help", + "fieldname": "pricing_rule_help", + "fieldtype": "HTML", + "label": "Pricing Rule Help", "permlevel": 0 } - ], - "icon": "icon-gift", - "idx": 1, - "istable": 0, - "modified": "2014-05-28 15:36:29.403659", - "modified_by": "Administrator", - "module": "Accounts", - "name": "Pricing Rule", - "owner": "Administrator", + ], + "icon": "icon-gift", + "idx": 1, + "istable": 0, + "modified": "2014-05-28 15:36:29.403659", + "modified_by": "Administrator", + "module": "Accounts", + "name": "Pricing Rule", + "owner": "Administrator", "permissions": [ { - "create": 1, - "delete": 1, - "export": 0, - "import": 0, - "permlevel": 0, - "read": 1, - "report": 1, - "role": "Accounts Manager", + "create": 1, + "delete": 1, + "export": 0, + "import": 0, + "permlevel": 0, + "read": 1, + "report": 1, + "role": "Accounts Manager", "write": 1 - }, + }, { - "create": 1, - "delete": 1, - "export": 0, - "import": 0, - "permlevel": 0, - "print": 0, - "read": 1, - "report": 1, - "role": "Sales Manager", + "create": 1, + "delete": 1, + "export": 0, + "import": 0, + "permlevel": 0, + "print": 0, + "read": 1, + "report": 1, + "role": "Sales Manager", "write": 1 - }, + }, { - "create": 1, - "delete": 1, - "permlevel": 0, - "read": 1, - "report": 1, - "role": "Purchase Manager", + "create": 1, + "delete": 1, + "permlevel": 0, + "read": 1, + "report": 1, + "role": "Purchase Manager", "write": 1 - }, + }, { - "create": 1, - "delete": 1, - "permlevel": 0, - "read": 1, - "report": 1, - "role": "Website Manager", + "create": 1, + "delete": 1, + "permlevel": 0, + "read": 1, + "report": 1, + "role": "Website Manager", "write": 1 - }, + }, { - "create": 1, - "delete": 1, - "export": 1, - "import": 1, - "permlevel": 0, - "read": 1, - "report": 1, - "restrict": 1, - "role": "System Manager", + "create": 1, + "delete": 1, + "export": 1, + "import": 1, + "permlevel": 0, + "read": 1, + "report": 1, + "set_user_permissions": 1, + "role": "System Manager", "write": 1 } - ], - "sort_field": "modified", + ], + "sort_field": "modified", "sort_order": "DESC" -} \ No newline at end of file +} diff --git a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.json b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.json index b3eb534577..23bf3d810d 100755 --- a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.json +++ b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.json @@ -146,7 +146,7 @@ { "fieldname": "amended_from", "fieldtype": "Link", - "ignore_restrictions": 1, + "ignore_user_permissions": 1, "label": "Amended From", "no_copy": 1, "oldfieldname": "amended_from", @@ -744,7 +744,7 @@ "icon": "icon-file-text", "idx": 1, "is_submittable": 1, - "modified": "2014-05-09 02:16:52.618986", + "modified": "2014-05-26 03:05:50.996094", "modified_by": "Administrator", "module": "Accounts", "name": "Purchase Invoice", diff --git a/erpnext/accounts/doctype/purchase_taxes_and_charges/purchase_taxes_and_charges.json b/erpnext/accounts/doctype/purchase_taxes_and_charges/purchase_taxes_and_charges.json index 6f95a16e7f..147f2f5672 100644 --- a/erpnext/accounts/doctype/purchase_taxes_and_charges/purchase_taxes_and_charges.json +++ b/erpnext/accounts/doctype/purchase_taxes_and_charges/purchase_taxes_and_charges.json @@ -31,7 +31,6 @@ "fieldname": "category", "fieldtype": "Select", "hidden": null, - "ignore_restrictions": null, "in_filter": null, "in_list_view": 0, "label": "Consider Tax or Charge for", @@ -59,7 +58,6 @@ "fieldname": "add_deduct_tax", "fieldtype": "Select", "hidden": null, - "ignore_restrictions": null, "in_filter": null, "in_list_view": null, "label": "Add or Deduct", @@ -87,7 +85,6 @@ "fieldname": "charge_type", "fieldtype": "Select", "hidden": null, - "ignore_restrictions": null, "in_filter": null, "in_list_view": 1, "label": "Type", @@ -115,7 +112,6 @@ "fieldname": "row_id", "fieldtype": "Data", "hidden": 0, - "ignore_restrictions": null, "in_filter": null, "in_list_view": null, "label": "Reference Row #", @@ -143,7 +139,6 @@ "fieldname": "description", "fieldtype": "Small Text", "hidden": null, - "ignore_restrictions": null, "in_filter": null, "in_list_view": 1, "label": "Description", @@ -171,7 +166,6 @@ "fieldname": "col_break1", "fieldtype": "Column Break", "hidden": null, - "ignore_restrictions": null, "in_filter": null, "in_list_view": null, "label": null, @@ -199,7 +193,6 @@ "fieldname": "account_head", "fieldtype": "Link", "hidden": null, - "ignore_restrictions": null, "in_filter": null, "in_list_view": 0, "label": "Account Head", @@ -227,7 +220,6 @@ "fieldname": "cost_center", "fieldtype": "Link", "hidden": null, - "ignore_restrictions": null, "in_filter": null, "in_list_view": 0, "label": "Cost Center", @@ -255,7 +247,6 @@ "fieldname": "rate", "fieldtype": "Float", "hidden": null, - "ignore_restrictions": null, "in_filter": null, "in_list_view": 1, "label": "Rate", @@ -283,7 +274,6 @@ "fieldname": "tax_amount", "fieldtype": "Currency", "hidden": null, - "ignore_restrictions": null, "in_filter": null, "in_list_view": 1, "label": "Amount", @@ -311,7 +301,6 @@ "fieldname": "total", "fieldtype": "Currency", "hidden": null, - "ignore_restrictions": null, "in_filter": null, "in_list_view": null, "label": "Total", @@ -339,7 +328,6 @@ "fieldname": "item_wise_tax_detail", "fieldtype": "Small Text", "hidden": 1, - "ignore_restrictions": null, "in_filter": null, "in_list_view": null, "label": "Item Wise Tax Detail ", @@ -367,7 +355,6 @@ "fieldname": "parenttype", "fieldtype": "Data", "hidden": 1, - "ignore_restrictions": null, "in_filter": 1, "in_list_view": null, "label": "Parenttype", diff --git a/erpnext/accounts/doctype/sales_invoice/sales_invoice.json b/erpnext/accounts/doctype/sales_invoice/sales_invoice.json index ad326df956..5d3c50f243 100644 --- a/erpnext/accounts/doctype/sales_invoice/sales_invoice.json +++ b/erpnext/accounts/doctype/sales_invoice/sales_invoice.json @@ -106,7 +106,7 @@ { "fieldname": "amended_from", "fieldtype": "Link", - "ignore_restrictions": 1, + "ignore_user_permissions": 1, "label": "Amended From", "no_copy": 1, "oldfieldname": "amended_from", @@ -1180,7 +1180,7 @@ "icon": "icon-file-text", "idx": 1, "is_submittable": 1, - "modified": "2014-05-09 02:17:00.217556", + "modified": "2014-05-26 03:05:52.871209", "modified_by": "Administrator", "module": "Accounts", "name": "Sales Invoice", diff --git a/erpnext/accounts/doctype/sales_taxes_and_charges/sales_taxes_and_charges.json b/erpnext/accounts/doctype/sales_taxes_and_charges/sales_taxes_and_charges.json index 0b0703f17a..bba8f7e927 100644 --- a/erpnext/accounts/doctype/sales_taxes_and_charges/sales_taxes_and_charges.json +++ b/erpnext/accounts/doctype/sales_taxes_and_charges/sales_taxes_and_charges.json @@ -31,7 +31,6 @@ "fieldname": "charge_type", "fieldtype": "Select", "hidden": null, - "ignore_restrictions": null, "in_filter": null, "in_list_view": 1, "label": "Type", @@ -59,7 +58,6 @@ "fieldname": "row_id", "fieldtype": "Data", "hidden": 0, - "ignore_restrictions": null, "in_filter": null, "in_list_view": null, "label": "Reference Row #", @@ -87,7 +85,6 @@ "fieldname": "description", "fieldtype": "Small Text", "hidden": null, - "ignore_restrictions": null, "in_filter": null, "in_list_view": 1, "label": "Description", @@ -115,7 +112,6 @@ "fieldname": "col_break_1", "fieldtype": "Column Break", "hidden": null, - "ignore_restrictions": null, "in_filter": null, "in_list_view": null, "label": null, @@ -143,7 +139,6 @@ "fieldname": "account_head", "fieldtype": "Link", "hidden": null, - "ignore_restrictions": null, "in_filter": null, "in_list_view": 0, "label": "Account Head", @@ -171,7 +166,6 @@ "fieldname": "cost_center", "fieldtype": "Link", "hidden": null, - "ignore_restrictions": null, "in_filter": null, "in_list_view": 0, "label": "Cost Center", @@ -199,7 +193,6 @@ "fieldname": "rate", "fieldtype": "Float", "hidden": null, - "ignore_restrictions": null, "in_filter": null, "in_list_view": 1, "label": "Rate", @@ -227,7 +220,6 @@ "fieldname": "tax_amount", "fieldtype": "Currency", "hidden": null, - "ignore_restrictions": null, "in_filter": null, "in_list_view": 1, "label": "Amount", @@ -255,7 +247,6 @@ "fieldname": "total", "fieldtype": "Currency", "hidden": null, - "ignore_restrictions": null, "in_filter": null, "in_list_view": null, "label": "Total", @@ -283,7 +274,6 @@ "fieldname": "included_in_print_rate", "fieldtype": "Check", "hidden": null, - "ignore_restrictions": null, "in_filter": null, "in_list_view": null, "label": "Is this Tax included in Basic Rate?", @@ -311,7 +301,6 @@ "fieldname": "tax_amount_after_discount_amount", "fieldtype": "Currency", "hidden": 1, - "ignore_restrictions": null, "in_filter": null, "in_list_view": null, "label": "Tax Amount After Discount Amount", @@ -339,7 +328,6 @@ "fieldname": "item_wise_tax_detail", "fieldtype": "Small Text", "hidden": 1, - "ignore_restrictions": null, "in_filter": null, "in_list_view": null, "label": "Item Wise Tax Detail", @@ -367,7 +355,6 @@ "fieldname": "parenttype", "fieldtype": "Data", "hidden": 1, - "ignore_restrictions": null, "in_filter": 1, "in_list_view": null, "label": "Parenttype", diff --git a/erpnext/accounts/party.py b/erpnext/accounts/party.py index eb6dc02443..539ebd1a93 100644 --- a/erpnext/accounts/party.py +++ b/erpnext/accounts/party.py @@ -5,7 +5,7 @@ from __future__ import unicode_literals import frappe from frappe import _ -from frappe.defaults import get_restrictions +from frappe.defaults import get_user_permissions from frappe.utils import add_days from erpnext.utilities.doctype.address.address import get_address_display from erpnext.utilities.doctype.contact.contact import get_contact_details @@ -86,7 +86,7 @@ def set_other_values(out, party, party_type): def set_price_list(out, party, party_type, given_price_list): # price list - price_list = get_restrictions().get("Price List") + price_list = get_user_permissions().get("Price List") if isinstance(price_list, list): price_list = None diff --git a/erpnext/buying/doctype/purchase_order/purchase_order.json b/erpnext/buying/doctype/purchase_order/purchase_order.json index 2a954f051e..839e788186 100644 --- a/erpnext/buying/doctype/purchase_order/purchase_order.json +++ b/erpnext/buying/doctype/purchase_order/purchase_order.json @@ -106,7 +106,7 @@ "fieldname": "amended_from", "fieldtype": "Data", "hidden": 0, - "ignore_restrictions": 1, + "ignore_user_permissions": 1, "label": "Amended From", "no_copy": 1, "oldfieldname": "amended_from", @@ -636,7 +636,7 @@ "icon": "icon-file-text", "idx": 1, "is_submittable": 1, - "modified": "2014-05-09 02:17:04.992233", + "modified": "2014-05-26 03:05:51.544591", "modified_by": "Administrator", "module": "Buying", "name": "Purchase Order", diff --git a/erpnext/buying/doctype/quality_inspection/quality_inspection.json b/erpnext/buying/doctype/quality_inspection/quality_inspection.json index 815a4bf23a..4da6e63f36 100644 --- a/erpnext/buying/doctype/quality_inspection/quality_inspection.json +++ b/erpnext/buying/doctype/quality_inspection/quality_inspection.json @@ -1,231 +1,231 @@ { - "autoname": "naming_series:", - "creation": "2013-04-30 13:13:03", - "docstatus": 0, - "doctype": "DocType", + "autoname": "naming_series:", + "creation": "2013-04-30 13:13:03", + "docstatus": 0, + "doctype": "DocType", "fields": [ { - "fieldname": "qa_inspection", - "fieldtype": "Section Break", - "label": "QA Inspection", - "no_copy": 0, - "oldfieldtype": "Section Break", + "fieldname": "qa_inspection", + "fieldtype": "Section Break", + "label": "QA Inspection", + "no_copy": 0, + "oldfieldtype": "Section Break", "permlevel": 0 - }, + }, { - "fieldname": "column_break0", - "fieldtype": "Column Break", - "oldfieldtype": "Column Break", - "permlevel": 0, + "fieldname": "column_break0", + "fieldtype": "Column Break", + "oldfieldtype": "Column Break", + "permlevel": 0, "width": "50%" - }, + }, { - "fieldname": "naming_series", - "fieldtype": "Select", - "label": "Series", - "no_copy": 1, - "options": "QI-", - "permlevel": 0, + "fieldname": "naming_series", + "fieldtype": "Select", + "label": "Series", + "no_copy": 1, + "options": "QI-", + "permlevel": 0, "reqd": 1 - }, + }, { - "fieldname": "inspection_type", - "fieldtype": "Select", - "in_filter": 1, - "in_list_view": 1, - "label": "Inspection Type", - "oldfieldname": "inspection_type", - "oldfieldtype": "Select", - "options": "\nIncoming\nOutgoing\nIn Process", - "permlevel": 0, + "fieldname": "inspection_type", + "fieldtype": "Select", + "in_filter": 1, + "in_list_view": 1, + "label": "Inspection Type", + "oldfieldname": "inspection_type", + "oldfieldtype": "Select", + "options": "\nIncoming\nOutgoing\nIn Process", + "permlevel": 0, "reqd": 1 - }, + }, { - "fieldname": "report_date", - "fieldtype": "Date", - "in_filter": 1, - "in_list_view": 1, - "label": "Report Date", - "oldfieldname": "report_date", - "oldfieldtype": "Date", - "permlevel": 0, - "reqd": 1, + "fieldname": "report_date", + "fieldtype": "Date", + "in_filter": 1, + "in_list_view": 1, + "label": "Report Date", + "oldfieldname": "report_date", + "oldfieldtype": "Date", + "permlevel": 0, + "reqd": 1, "search_index": 1 - }, + }, { - "fieldname": "item_code", - "fieldtype": "Link", - "hidden": 0, - "in_list_view": 1, - "in_filter": 1, - "label": "Item Code", - "oldfieldname": "item_code", - "oldfieldtype": "Link", - "options": "Item", - "permlevel": 0, - "reqd": 1, + "fieldname": "item_code", + "fieldtype": "Link", + "hidden": 0, + "in_filter": 1, + "in_list_view": 1, + "label": "Item Code", + "oldfieldname": "item_code", + "oldfieldtype": "Link", + "options": "Item", + "permlevel": 0, + "reqd": 1, "search_index": 1 - }, + }, { - "fieldname": "sample_size", - "fieldtype": "Float", - "in_filter": 0, - "label": "Sample Size", - "oldfieldname": "sample_size", - "oldfieldtype": "Currency", - "permlevel": 0, - "reqd": 1, + "fieldname": "sample_size", + "fieldtype": "Float", + "in_filter": 0, + "label": "Sample Size", + "oldfieldname": "sample_size", + "oldfieldtype": "Currency", + "permlevel": 0, + "reqd": 1, "search_index": 0 - }, + }, { - "fieldname": "description", - "fieldtype": "Small Text", - "in_filter": 1, - "label": "Description", - "oldfieldname": "description", - "oldfieldtype": "Small Text", - "permlevel": 0, - "search_index": 0, + "fieldname": "description", + "fieldtype": "Small Text", + "in_filter": 1, + "label": "Description", + "oldfieldname": "description", + "oldfieldtype": "Small Text", + "permlevel": 0, + "search_index": 0, "width": "300px" - }, + }, { - "fieldname": "column_break1", - "fieldtype": "Column Break", - "oldfieldtype": "Column Break", - "permlevel": 0, + "fieldname": "column_break1", + "fieldtype": "Column Break", + "oldfieldtype": "Column Break", + "permlevel": 0, "width": "50%" - }, + }, { - "fieldname": "item_serial_no", - "fieldtype": "Link", - "hidden": 0, - "label": "Item Serial No", - "oldfieldname": "item_serial_no", - "oldfieldtype": "Link", - "options": "Serial No", - "permlevel": 0, + "fieldname": "item_serial_no", + "fieldtype": "Link", + "hidden": 0, + "label": "Item Serial No", + "oldfieldname": "item_serial_no", + "oldfieldtype": "Link", + "options": "Serial No", + "permlevel": 0, "print_hide": 0 - }, + }, { - "fieldname": "batch_no", - "fieldtype": "Link", - "label": "Batch No", - "oldfieldname": "batch_no", - "oldfieldtype": "Link", - "options": "Batch", + "fieldname": "batch_no", + "fieldtype": "Link", + "label": "Batch No", + "oldfieldname": "batch_no", + "oldfieldtype": "Link", + "options": "Batch", "permlevel": 0 - }, + }, { - "fieldname": "purchase_receipt_no", - "fieldtype": "Link", - "hidden": 0, - "in_filter": 1, - "label": "Purchase Receipt No", - "oldfieldname": "purchase_receipt_no", - "oldfieldtype": "Link", - "options": "Purchase Receipt", - "permlevel": 0, + "fieldname": "purchase_receipt_no", + "fieldtype": "Link", + "hidden": 0, + "in_filter": 1, + "label": "Purchase Receipt No", + "oldfieldname": "purchase_receipt_no", + "oldfieldtype": "Link", + "options": "Purchase Receipt", + "permlevel": 0, "search_index": 1 - }, + }, { - "fieldname": "delivery_note_no", - "fieldtype": "Link", - "hidden": 0, - "in_filter": 1, - "label": "Delivery Note No", - "oldfieldname": "delivery_note_no", - "oldfieldtype": "Link", - "options": "Delivery Note", - "permlevel": 0, - "print_hide": 0, + "fieldname": "delivery_note_no", + "fieldtype": "Link", + "hidden": 0, + "in_filter": 1, + "label": "Delivery Note No", + "oldfieldname": "delivery_note_no", + "oldfieldtype": "Link", + "options": "Delivery Note", + "permlevel": 0, + "print_hide": 0, "search_index": 1 - }, + }, { - "fieldname": "inspected_by", - "fieldtype": "Data", - "label": "Inspected By", - "oldfieldname": "inspected_by", - "oldfieldtype": "Data", - "permlevel": 0, + "fieldname": "inspected_by", + "fieldtype": "Data", + "label": "Inspected By", + "oldfieldname": "inspected_by", + "oldfieldtype": "Data", + "permlevel": 0, "reqd": 1 - }, + }, { - "fieldname": "remarks", - "fieldtype": "Text", - "label": "Remarks", - "no_copy": 1, - "oldfieldname": "remarks", - "oldfieldtype": "Text", + "fieldname": "remarks", + "fieldtype": "Text", + "label": "Remarks", + "no_copy": 1, + "oldfieldname": "remarks", + "oldfieldtype": "Text", "permlevel": 0 - }, + }, { - "fieldname": "verified_by", - "fieldtype": "Data", - "label": "Verified By", - "oldfieldname": "verified_by", - "oldfieldtype": "Data", + "fieldname": "verified_by", + "fieldtype": "Data", + "label": "Verified By", + "oldfieldname": "verified_by", + "oldfieldtype": "Data", "permlevel": 0 - }, + }, { - "fieldname": "amended_from", - "fieldtype": "Data", - "ignore_restrictions": 1, - "label": "Amended From", - "no_copy": 1, - "oldfieldname": "amended_from", - "oldfieldtype": "Data", - "permlevel": 0, - "print_hide": 1, + "fieldname": "amended_from", + "fieldtype": "Data", + "ignore_user_permissions": 1, + "label": "Amended From", + "no_copy": 1, + "oldfieldname": "amended_from", + "oldfieldtype": "Data", + "permlevel": 0, + "print_hide": 1, "read_only": 1 - }, + }, { - "fieldname": "specification_details", - "fieldtype": "Section Break", - "label": "Specification Details", - "oldfieldtype": "Section Break", - "options": "Simple", + "fieldname": "specification_details", + "fieldtype": "Section Break", + "label": "Specification Details", + "oldfieldtype": "Section Break", + "options": "Simple", "permlevel": 0 - }, + }, { - "fieldname": "get_specification_details", - "fieldtype": "Button", - "label": "Get Specification Details", - "options": "get_item_specification_details", + "fieldname": "get_specification_details", + "fieldtype": "Button", + "label": "Get Specification Details", + "options": "get_item_specification_details", "permlevel": 0 - }, + }, { - "fieldname": "qa_specification_details", - "fieldtype": "Table", - "label": "Quality Inspection Readings", - "oldfieldname": "qa_specification_details", - "oldfieldtype": "Table", - "options": "Quality Inspection Reading", + "fieldname": "qa_specification_details", + "fieldtype": "Table", + "label": "Quality Inspection Readings", + "oldfieldname": "qa_specification_details", + "oldfieldtype": "Table", + "options": "Quality Inspection Reading", "permlevel": 0 } - ], - "icon": "icon-search", - "idx": 1, - "is_submittable": 1, - "modified": "2014-05-06 08:20:33.015328", - "modified_by": "Administrator", - "module": "Buying", - "name": "Quality Inspection", - "owner": "Administrator", + ], + "icon": "icon-search", + "idx": 1, + "is_submittable": 1, + "modified": "2014-05-26 03:05:52.140251", + "modified_by": "Administrator", + "module": "Buying", + "name": "Quality Inspection", + "owner": "Administrator", "permissions": [ { - "amend": 1, - "cancel": 1, - "create": 1, - "delete": 1, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Quality Manager", - "submit": 1, + "amend": 1, + "cancel": 1, + "create": 1, + "delete": 1, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Quality Manager", + "submit": 1, "write": 1 } - ], + ], "search_fields": "item_code, report_date, purchase_receipt_no, delivery_note_no" -} +} \ No newline at end of file diff --git a/erpnext/buying/doctype/supplier/supplier.json b/erpnext/buying/doctype/supplier/supplier.json index e9a165ea3c..c418d0191e 100644 --- a/erpnext/buying/doctype/supplier/supplier.json +++ b/erpnext/buying/doctype/supplier/supplier.json @@ -123,7 +123,7 @@ { "fieldname": "default_currency", "fieldtype": "Link", - "ignore_restrictions": 1, + "ignore_user_permissions": 1, "label": "Default Currency", "no_copy": 1, "options": "Currency", @@ -132,7 +132,7 @@ { "fieldname": "default_price_list", "fieldtype": "Link", - "ignore_restrictions": 1, + "ignore_user_permissions": 1, "label": "Price List", "options": "Price List", "permlevel": 0 @@ -140,7 +140,7 @@ { "fieldname": "default_taxes_and_charges", "fieldtype": "Link", - "ignore_restrictions": 1, + "ignore_user_permissions": 1, "label": "Taxes and Charges", "options": "Purchase Taxes and Charges Master", "permlevel": 0 @@ -186,7 +186,7 @@ ], "icon": "icon-user", "idx": 1, - "modified": "2014-05-07 06:08:33.836379", + "modified": "2014-05-26 03:05:54.108284", "modified_by": "Administrator", "module": "Buying", "name": "Supplier", diff --git a/erpnext/buying/doctype/supplier_quotation/supplier_quotation.json b/erpnext/buying/doctype/supplier_quotation/supplier_quotation.json index 8c5e2739ff..e41d59be0d 100644 --- a/erpnext/buying/doctype/supplier_quotation/supplier_quotation.json +++ b/erpnext/buying/doctype/supplier_quotation/supplier_quotation.json @@ -106,7 +106,7 @@ "fieldname": "amended_from", "fieldtype": "Data", "hidden": 1, - "ignore_restrictions": 1, + "ignore_user_permissions": 1, "label": "Amended From", "no_copy": 1, "oldfieldname": "amended_from", @@ -562,7 +562,7 @@ "icon": "icon-shopping-cart", "idx": 1, "is_submittable": 1, - "modified": "2014-05-09 02:17:10.664189", + "modified": "2014-05-26 03:05:54.245409", "modified_by": "Administrator", "module": "Buying", "name": "Supplier Quotation", diff --git a/erpnext/contacts/doctype/party_type/party_type.json b/erpnext/contacts/doctype/party_type/party_type.json index c702be2d92..e5e99d6279 100644 --- a/erpnext/contacts/doctype/party_type/party_type.json +++ b/erpnext/contacts/doctype/party_type/party_type.json @@ -32,7 +32,7 @@ { "fieldname": "default_price_list", "fieldtype": "Link", - "ignore_restrictions": 1, + "ignore_user_permissions": 1, "label": "Default Price List", "options": "Price List", "permlevel": 0 @@ -64,7 +64,7 @@ "read_only": 1 } ], - "modified": "2014-05-07 05:18:29.669293", + "modified": "2014-05-26 03:05:50.667527", "modified_by": "Administrator", "module": "Contacts", "name": "Party Type", diff --git a/erpnext/home/doctype/feed/feed.py b/erpnext/home/doctype/feed/feed.py index 40c05f82e4..91b1590d33 100644 --- a/erpnext/home/doctype/feed/feed.py +++ b/erpnext/home/doctype/feed/feed.py @@ -17,20 +17,20 @@ def on_doctype_update(): add index feed_doctype_docname_index(doc_type, doc_name)""") def get_permission_query_conditions(): - restrictions = frappe.defaults.get_restrictions() + user_permissions = frappe.defaults.get_user_permissions() can_read = frappe.user.get_can_read() can_read_doctypes = ['"{}"'.format(doctype) for doctype in - list(set(can_read) - set(restrictions.keys()))] + list(set(can_read) - set(user_permissions.keys()))] if not can_read_doctypes: return "" conditions = ["tabFeed.doc_type in ({})".format(", ".join(can_read_doctypes))] - if restrictions: + if user_permissions: can_read_docs = [] - for doctype, names in restrictions.items(): + for doctype, names in user_permissions.items(): for n in names: can_read_docs.append('"{}|{}"'.format(doctype, n)) diff --git a/erpnext/hr/doctype/appraisal/appraisal.json b/erpnext/hr/doctype/appraisal/appraisal.json index cd02dd69df..4893b358d8 100644 --- a/erpnext/hr/doctype/appraisal/appraisal.json +++ b/erpnext/hr/doctype/appraisal/appraisal.json @@ -181,7 +181,7 @@ "fieldname": "amended_from", "fieldtype": "Data", "hidden": 1, - "ignore_restrictions": 1, + "ignore_user_permissions": 1, "label": "Amended From", "no_copy": 1, "oldfieldname": "amended_from", @@ -196,13 +196,14 @@ "icon": "icon-thumbs-up", "idx": 1, "is_submittable": 1, - "modified": "2014-05-09 02:16:37.334857", + "modified": "2014-05-26 03:05:46.761819", "modified_by": "Administrator", "module": "HR", "name": "Appraisal", "owner": "ashwini@webnotestech.com", "permissions": [ { + "apply_user_permissions": 1, "cancel": 0, "create": 1, "delete": 0, @@ -211,7 +212,6 @@ "print": 1, "read": 1, "report": 1, - "restricted": 1, "role": "Employee", "submit": 0, "write": 1 diff --git a/erpnext/hr/doctype/attendance/attendance.json b/erpnext/hr/doctype/attendance/attendance.json index b6d437dde6..2c7781075c 100644 --- a/erpnext/hr/doctype/attendance/attendance.json +++ b/erpnext/hr/doctype/attendance/attendance.json @@ -117,7 +117,7 @@ { "fieldname": "amended_from", "fieldtype": "Link", - "ignore_restrictions": 1, + "ignore_user_permissions": 1, "label": "Amended From", "no_copy": 1, "options": "Attendance", @@ -129,7 +129,7 @@ "icon": "icon-ok", "idx": 1, "is_submittable": 1, - "modified": "2014-05-09 02:16:37.761770", + "modified": "2014-05-26 03:05:46.906637", "modified_by": "Administrator", "module": "HR", "name": "Attendance", diff --git a/erpnext/hr/doctype/employee/employee.json b/erpnext/hr/doctype/employee/employee.json index 22c1fc2758..d7cf5ae6cc 100644 --- a/erpnext/hr/doctype/employee/employee.json +++ b/erpnext/hr/doctype/employee/employee.json @@ -1,737 +1,736 @@ { - "allow_attach": 1, - "allow_import": 1, - "allow_rename": 1, - "autoname": "naming_series:", - "creation": "2013-03-07 09:04:18", - "docstatus": 0, - "doctype": "DocType", - "document_type": "Master", + "allow_attach": 1, + "allow_import": 1, + "allow_rename": 1, + "autoname": "naming_series:", + "creation": "2013-03-07 09:04:18", + "docstatus": 0, + "doctype": "DocType", + "document_type": "Master", "fields": [ { - "fieldname": "basic_information", - "fieldtype": "Section Break", - "label": "Basic Information", - "oldfieldtype": "Section Break", + "fieldname": "basic_information", + "fieldtype": "Section Break", + "label": "Basic Information", + "oldfieldtype": "Section Break", "permlevel": 0 - }, + }, { - "fieldname": "column_break0", - "fieldtype": "Column Break", - "permlevel": 0, + "fieldname": "column_break0", + "fieldtype": "Column Break", + "permlevel": 0, "width": "50%" - }, + }, { - "fieldname": "image_view", - "fieldtype": "Image", - "in_list_view": 0, - "label": "Image View", - "options": "image", + "fieldname": "image_view", + "fieldtype": "Image", + "in_list_view": 0, + "label": "Image View", + "options": "image", "permlevel": 0 - }, + }, { - "fieldname": "employee", - "fieldtype": "Data", - "hidden": 1, - "label": "Employee", - "no_copy": 1, - "permlevel": 0, - "print_hide": 1, + "fieldname": "employee", + "fieldtype": "Data", + "hidden": 1, + "label": "Employee", + "no_copy": 1, + "permlevel": 0, + "print_hide": 1, "report_hide": 1 - }, + }, { - "fieldname": "naming_series", - "fieldtype": "Select", - "label": "Series", - "no_copy": 1, - "oldfieldname": "naming_series", - "oldfieldtype": "Select", - "options": "EMP/", - "permlevel": 0, + "fieldname": "naming_series", + "fieldtype": "Select", + "label": "Series", + "no_copy": 1, + "oldfieldname": "naming_series", + "oldfieldtype": "Select", + "options": "EMP/", + "permlevel": 0, "reqd": 0 - }, + }, { - "fieldname": "salutation", - "fieldtype": "Select", - "label": "Salutation", - "oldfieldname": "salutation", - "oldfieldtype": "Select", - "options": "\nMr\nMs", - "permlevel": 0, + "fieldname": "salutation", + "fieldtype": "Select", + "label": "Salutation", + "oldfieldname": "salutation", + "oldfieldtype": "Select", + "options": "\nMr\nMs", + "permlevel": 0, "search_index": 0 - }, + }, { - "fieldname": "employee_name", - "fieldtype": "Data", - "in_list_view": 1, - "label": "Full Name", - "oldfieldname": "employee_name", - "oldfieldtype": "Data", - "permlevel": 0, + "fieldname": "employee_name", + "fieldtype": "Data", + "in_list_view": 1, + "label": "Full Name", + "oldfieldname": "employee_name", + "oldfieldtype": "Data", + "permlevel": 0, "reqd": 1 - }, + }, { - "fieldname": "image", - "fieldtype": "Select", - "label": "Image", - "options": "attach_files:", + "fieldname": "image", + "fieldtype": "Select", + "label": "Image", + "options": "attach_files:", "permlevel": 0 - }, + }, { - "fieldname": "column_break1", - "fieldtype": "Column Break", - "permlevel": 0, + "fieldname": "column_break1", + "fieldtype": "Column Break", + "permlevel": 0, "width": "50%" - }, + }, { - "description": "System User (login) ID. If set, it will become default for all HR forms.", - "fieldname": "user_id", - "fieldtype": "Link", - "label": "User ID", - "options": "User", + "description": "System User (login) ID. If set, it will become default for all HR forms.", + "fieldname": "user_id", + "fieldtype": "Link", + "label": "User ID", + "options": "User", "permlevel": 0 - }, + }, { - "fieldname": "employee_number", - "fieldtype": "Data", - "in_filter": 1, - "label": "Employee Number", - "oldfieldname": "employee_number", - "oldfieldtype": "Data", - "permlevel": 0, + "fieldname": "employee_number", + "fieldtype": "Data", + "in_filter": 1, + "label": "Employee Number", + "oldfieldname": "employee_number", + "oldfieldtype": "Data", + "permlevel": 0, "search_index": 0 - }, + }, { - "fieldname": "date_of_joining", - "fieldtype": "Date", - "label": "Date of Joining", - "oldfieldname": "date_of_joining", - "oldfieldtype": "Date", - "permlevel": 0, + "fieldname": "date_of_joining", + "fieldtype": "Date", + "label": "Date of Joining", + "oldfieldname": "date_of_joining", + "oldfieldtype": "Date", + "permlevel": 0, "reqd": 1 - }, + }, { - "description": "You can enter any date manually", - "fieldname": "date_of_birth", - "fieldtype": "Date", - "in_filter": 1, - "label": "Date of Birth", - "oldfieldname": "date_of_birth", - "oldfieldtype": "Date", - "permlevel": 0, - "reqd": 1, + "description": "You can enter any date manually", + "fieldname": "date_of_birth", + "fieldtype": "Date", + "in_filter": 1, + "label": "Date of Birth", + "oldfieldname": "date_of_birth", + "oldfieldtype": "Date", + "permlevel": 0, + "reqd": 1, "search_index": 0 - }, + }, { - "fieldname": "gender", - "fieldtype": "Select", - "in_filter": 1, - "label": "Gender", - "oldfieldname": "gender", - "oldfieldtype": "Select", - "options": "\nMale\nFemale", - "permlevel": 0, - "reqd": 1, + "fieldname": "gender", + "fieldtype": "Select", + "in_filter": 1, + "label": "Gender", + "oldfieldname": "gender", + "oldfieldtype": "Select", + "options": "\nMale\nFemale", + "permlevel": 0, + "reqd": 1, "search_index": 0 - }, + }, { - "fieldname": "company", - "fieldtype": "Link", - "in_filter": 1, - "label": "Company", - "options": "Company", - "permlevel": 0, - "print_hide": 1, + "fieldname": "company", + "fieldtype": "Link", + "in_filter": 1, + "label": "Company", + "options": "Company", + "permlevel": 0, + "print_hide": 1, "reqd": 1 - }, + }, { - "fieldname": "employment_details", - "fieldtype": "Section Break", - "label": "Employment Details", + "fieldname": "employment_details", + "fieldtype": "Section Break", + "label": "Employment Details", "permlevel": 0 - }, + }, { - "fieldname": "col_break_21", - "fieldtype": "Column Break", + "fieldname": "col_break_21", + "fieldtype": "Column Break", "permlevel": 0 - }, + }, { - "default": "Active", - "fieldname": "status", - "fieldtype": "Select", - "in_filter": 1, - "in_list_view": 1, - "label": "Status", - "oldfieldname": "status", - "oldfieldtype": "Select", - "options": "\nActive\nLeft", - "permlevel": 0, - "reqd": 1, + "default": "Active", + "fieldname": "status", + "fieldtype": "Select", + "in_filter": 1, + "in_list_view": 1, + "label": "Status", + "oldfieldname": "status", + "oldfieldtype": "Select", + "options": "\nActive\nLeft", + "permlevel": 0, + "reqd": 1, "search_index": 1 - }, + }, { - "fieldname": "employment_type", - "fieldtype": "Link", - "in_filter": 1, - "in_list_view": 1, - "label": "Employment Type", - "oldfieldname": "employment_type", - "oldfieldtype": "Link", - "options": "Employment Type", - "permlevel": 0, + "fieldname": "employment_type", + "fieldtype": "Link", + "in_filter": 1, + "in_list_view": 1, + "label": "Employment Type", + "oldfieldname": "employment_type", + "oldfieldtype": "Link", + "options": "Employment Type", + "permlevel": 0, "search_index": 0 - }, + }, { - "description": "Applicable Holiday List", - "fieldname": "holiday_list", - "fieldtype": "Link", - "label": "Holiday List", - "oldfieldname": "holiday_list", - "oldfieldtype": "Link", - "options": "Holiday List", + "description": "Applicable Holiday List", + "fieldname": "holiday_list", + "fieldtype": "Link", + "label": "Holiday List", + "oldfieldname": "holiday_list", + "oldfieldtype": "Link", + "options": "Holiday List", "permlevel": 0 - }, + }, { - "fieldname": "col_break_22", - "fieldtype": "Column Break", + "fieldname": "col_break_22", + "fieldtype": "Column Break", "permlevel": 0 - }, + }, { - "fieldname": "scheduled_confirmation_date", - "fieldtype": "Date", - "in_filter": 1, - "label": "Offer Date", - "oldfieldname": "scheduled_confirmation_date", - "oldfieldtype": "Date", - "permlevel": 0, + "fieldname": "scheduled_confirmation_date", + "fieldtype": "Date", + "in_filter": 1, + "label": "Offer Date", + "oldfieldname": "scheduled_confirmation_date", + "oldfieldtype": "Date", + "permlevel": 0, "search_index": 0 - }, + }, { - "fieldname": "final_confirmation_date", - "fieldtype": "Date", - "label": "Confirmation Date", - "oldfieldname": "final_confirmation_date", - "oldfieldtype": "Date", - "permlevel": 0, + "fieldname": "final_confirmation_date", + "fieldtype": "Date", + "label": "Confirmation Date", + "oldfieldname": "final_confirmation_date", + "oldfieldtype": "Date", + "permlevel": 0, "search_index": 0 - }, + }, { - "fieldname": "contract_end_date", - "fieldtype": "Date", - "in_filter": 1, - "label": "Contract End Date", - "oldfieldname": "contract_end_date", - "oldfieldtype": "Date", - "permlevel": 0, + "fieldname": "contract_end_date", + "fieldtype": "Date", + "in_filter": 1, + "label": "Contract End Date", + "oldfieldname": "contract_end_date", + "oldfieldtype": "Date", + "permlevel": 0, "search_index": 0 - }, + }, { - "fieldname": "date_of_retirement", - "fieldtype": "Date", - "label": "Date Of Retirement", - "oldfieldname": "date_of_retirement", - "oldfieldtype": "Date", + "fieldname": "date_of_retirement", + "fieldtype": "Date", + "label": "Date Of Retirement", + "oldfieldname": "date_of_retirement", + "oldfieldtype": "Date", "permlevel": 0 - }, + }, { - "fieldname": "job_profile", - "fieldtype": "Section Break", - "label": "Job Profile", + "fieldname": "job_profile", + "fieldtype": "Section Break", + "label": "Job Profile", "permlevel": 0 - }, + }, { - "fieldname": "column_break2", - "fieldtype": "Column Break", - "permlevel": 0, + "fieldname": "column_break2", + "fieldtype": "Column Break", + "permlevel": 0, "width": "50%" - }, + }, { - "fieldname": "branch", - "fieldtype": "Link", - "in_filter": 1, - "label": "Branch", - "oldfieldname": "branch", - "oldfieldtype": "Link", - "options": "Branch", - "permlevel": 0, + "fieldname": "branch", + "fieldtype": "Link", + "in_filter": 1, + "label": "Branch", + "oldfieldname": "branch", + "oldfieldtype": "Link", + "options": "Branch", + "permlevel": 0, "reqd": 0 - }, + }, { - "fieldname": "department", - "fieldtype": "Link", - "in_filter": 1, - "label": "Department", - "oldfieldname": "department", - "oldfieldtype": "Link", - "options": "Department", - "permlevel": 0, + "fieldname": "department", + "fieldtype": "Link", + "in_filter": 1, + "label": "Department", + "oldfieldname": "department", + "oldfieldtype": "Link", + "options": "Department", + "permlevel": 0, "reqd": 0 - }, + }, { - "fieldname": "designation", - "fieldtype": "Link", - "in_filter": 1, - "label": "Designation", - "oldfieldname": "designation", - "oldfieldtype": "Link", - "options": "Designation", - "permlevel": 0, - "reqd": 0, + "fieldname": "designation", + "fieldtype": "Link", + "in_filter": 1, + "label": "Designation", + "oldfieldname": "designation", + "oldfieldtype": "Link", + "options": "Designation", + "permlevel": 0, + "reqd": 0, "search_index": 1 - }, + }, { - "description": "Provide email id registered in company", - "fieldname": "company_email", - "fieldtype": "Data", - "in_filter": 1, - "label": "Company Email", - "oldfieldname": "company_email", - "oldfieldtype": "Data", - "permlevel": 0, + "description": "Provide email id registered in company", + "fieldname": "company_email", + "fieldtype": "Data", + "in_filter": 1, + "label": "Company Email", + "oldfieldname": "company_email", + "oldfieldtype": "Data", + "permlevel": 0, "reqd": 0 - }, + }, { - "fieldname": "notice_number_of_days", - "fieldtype": "Int", - "label": "Notice (days)", - "oldfieldname": "notice_number_of_days", - "oldfieldtype": "Int", + "fieldname": "notice_number_of_days", + "fieldtype": "Int", + "label": "Notice (days)", + "oldfieldname": "notice_number_of_days", + "oldfieldtype": "Int", "permlevel": 0 - }, + }, { - "fieldname": "salary_information", - "fieldtype": "Column Break", - "label": "Salary Information", - "oldfieldtype": "Section Break", - "permlevel": 0, + "fieldname": "salary_information", + "fieldtype": "Column Break", + "label": "Salary Information", + "oldfieldtype": "Section Break", + "permlevel": 0, "width": "50%" - }, + }, { - "fieldname": "salary_mode", - "fieldtype": "Select", - "label": "Salary Mode", - "oldfieldname": "salary_mode", - "oldfieldtype": "Select", - "options": "\nBank\nCash\nCheque", + "fieldname": "salary_mode", + "fieldtype": "Select", + "label": "Salary Mode", + "oldfieldname": "salary_mode", + "oldfieldtype": "Select", + "options": "\nBank\nCash\nCheque", "permlevel": 0 - }, + }, { - "depends_on": "eval:doc.salary_mode == 'Bank'", - "fieldname": "bank_name", - "fieldtype": "Data", - "hidden": 0, - "in_filter": 1, - "label": "Bank Name", - "oldfieldname": "bank_name", - "oldfieldtype": "Link", - "options": "Suggest", + "depends_on": "eval:doc.salary_mode == 'Bank'", + "fieldname": "bank_name", + "fieldtype": "Data", + "hidden": 0, + "in_filter": 1, + "label": "Bank Name", + "oldfieldname": "bank_name", + "oldfieldtype": "Link", + "options": "Suggest", "permlevel": 0 - }, + }, { - "depends_on": "eval:doc.salary_mode == 'Bank'", - "fieldname": "bank_ac_no", - "fieldtype": "Data", - "hidden": 0, - "label": "Bank A/C No.", - "oldfieldname": "bank_ac_no", - "oldfieldtype": "Data", + "depends_on": "eval:doc.salary_mode == 'Bank'", + "fieldname": "bank_ac_no", + "fieldtype": "Data", + "hidden": 0, + "label": "Bank A/C No.", + "oldfieldname": "bank_ac_no", + "oldfieldtype": "Data", "permlevel": 0 - }, + }, { - "fieldname": "organization_profile", - "fieldtype": "Section Break", - "label": "Organization Profile", + "fieldname": "organization_profile", + "fieldtype": "Section Break", + "label": "Organization Profile", "permlevel": 0 - }, + }, { - "fieldname": "reports_to", - "fieldtype": "Link", - "ignore_restrictions": 1, - "label": "Reports to", - "oldfieldname": "reports_to", - "oldfieldtype": "Link", - "options": "Employee", + "fieldname": "reports_to", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Reports to", + "oldfieldname": "reports_to", + "oldfieldtype": "Link", + "options": "Employee", "permlevel": 0 - }, + }, { - "description": "The first Leave Approver in the list will be set as the default Leave Approver", - "fieldname": "employee_leave_approvers", - "fieldtype": "Table", - "label": "Leave Approvers", - "options": "Employee Leave Approver", + "description": "The first Leave Approver in the list will be set as the default Leave Approver", + "fieldname": "employee_leave_approvers", + "fieldtype": "Table", + "label": "Leave Approvers", + "options": "Employee Leave Approver", "permlevel": 0 - }, + }, { - "fieldname": "contact_details", - "fieldtype": "Section Break", - "label": "Contact Details", + "fieldname": "contact_details", + "fieldtype": "Section Break", + "label": "Contact Details", "permlevel": 0 - }, + }, { - "fieldname": "column_break3", - "fieldtype": "Column Break", - "permlevel": 0, + "fieldname": "column_break3", + "fieldtype": "Column Break", + "permlevel": 0, "width": "50%" - }, + }, { - "fieldname": "cell_number", - "fieldtype": "Data", - "label": "Cell Number", + "fieldname": "cell_number", + "fieldtype": "Data", + "label": "Cell Number", "permlevel": 0 - }, + }, { - "fieldname": "personal_email", - "fieldtype": "Data", - "label": "Personal Email", + "fieldname": "personal_email", + "fieldtype": "Data", + "label": "Personal Email", "permlevel": 0 - }, + }, { - "fieldname": "unsubscribed", - "fieldtype": "Check", - "label": "Unsubscribed", + "fieldname": "unsubscribed", + "fieldtype": "Check", + "label": "Unsubscribed", "permlevel": 0 - }, + }, { - "fieldname": "emergency_contact_details", - "fieldtype": "HTML", - "label": "Emergency Contact Details", - "options": "

Emergency Contact Details

", + "fieldname": "emergency_contact_details", + "fieldtype": "HTML", + "label": "Emergency Contact Details", + "options": "

Emergency Contact Details

", "permlevel": 0 - }, + }, { - "fieldname": "person_to_be_contacted", - "fieldtype": "Data", - "label": "Emergency Contact", + "fieldname": "person_to_be_contacted", + "fieldtype": "Data", + "label": "Emergency Contact", "permlevel": 0 - }, + }, { - "fieldname": "relation", - "fieldtype": "Data", - "label": "Relation", + "fieldname": "relation", + "fieldtype": "Data", + "label": "Relation", "permlevel": 0 - }, + }, { - "fieldname": "emergency_phone_number", - "fieldtype": "Data", - "label": "Emergency Phone", + "fieldname": "emergency_phone_number", + "fieldtype": "Data", + "label": "Emergency Phone", "permlevel": 0 - }, + }, { - "fieldname": "column_break4", - "fieldtype": "Column Break", - "permlevel": 0, + "fieldname": "column_break4", + "fieldtype": "Column Break", + "permlevel": 0, "width": "50%" - }, + }, { - "fieldname": "permanent_accommodation_type", - "fieldtype": "Select", - "label": "Permanent Address Is", - "options": "\nRented\nOwned", + "fieldname": "permanent_accommodation_type", + "fieldtype": "Select", + "label": "Permanent Address Is", + "options": "\nRented\nOwned", "permlevel": 0 - }, + }, { - "fieldname": "permanent_address", - "fieldtype": "Small Text", - "label": "Permanent Address", + "fieldname": "permanent_address", + "fieldtype": "Small Text", + "label": "Permanent Address", "permlevel": 0 - }, + }, { - "fieldname": "current_accommodation_type", - "fieldtype": "Select", - "label": "Current Address Is", - "options": "\nRented\nOwned", + "fieldname": "current_accommodation_type", + "fieldtype": "Select", + "label": "Current Address Is", + "options": "\nRented\nOwned", "permlevel": 0 - }, + }, { - "fieldname": "current_address", - "fieldtype": "Small Text", - "label": "Current Address", + "fieldname": "current_address", + "fieldtype": "Small Text", + "label": "Current Address", "permlevel": 0 - }, + }, { - "fieldname": "sb53", - "fieldtype": "Section Break", - "label": "Bio", + "fieldname": "sb53", + "fieldtype": "Section Break", + "label": "Bio", "permlevel": 0 - }, + }, { - "description": "Short biography for website and other publications.", - "fieldname": "bio", - "fieldtype": "Text Editor", - "label": "Bio", + "description": "Short biography for website and other publications.", + "fieldname": "bio", + "fieldtype": "Text Editor", + "label": "Bio", "permlevel": 0 - }, + }, { - "fieldname": "personal_details", - "fieldtype": "Section Break", - "label": "Personal Details", + "fieldname": "personal_details", + "fieldtype": "Section Break", + "label": "Personal Details", "permlevel": 0 - }, + }, { - "fieldname": "column_break5", - "fieldtype": "Column Break", - "permlevel": 0, + "fieldname": "column_break5", + "fieldtype": "Column Break", + "permlevel": 0, "width": "50%" - }, + }, { - "fieldname": "passport_number", - "fieldtype": "Data", - "label": "Passport Number", + "fieldname": "passport_number", + "fieldtype": "Data", + "label": "Passport Number", "permlevel": 0 - }, + }, { - "fieldname": "date_of_issue", - "fieldtype": "Date", - "label": "Date of Issue", + "fieldname": "date_of_issue", + "fieldtype": "Date", + "label": "Date of Issue", "permlevel": 0 - }, + }, { - "fieldname": "valid_upto", - "fieldtype": "Date", - "label": "Valid Upto", + "fieldname": "valid_upto", + "fieldtype": "Date", + "label": "Valid Upto", "permlevel": 0 - }, + }, { - "fieldname": "place_of_issue", - "fieldtype": "Data", - "label": "Place of Issue", + "fieldname": "place_of_issue", + "fieldtype": "Data", + "label": "Place of Issue", "permlevel": 0 - }, + }, { - "fieldname": "column_break6", - "fieldtype": "Column Break", - "permlevel": 0, + "fieldname": "column_break6", + "fieldtype": "Column Break", + "permlevel": 0, "width": "50%" - }, + }, { - "fieldname": "marital_status", - "fieldtype": "Select", - "label": "Marital Status", - "options": "\nSingle\nMarried\nDivorced\nWidowed", + "fieldname": "marital_status", + "fieldtype": "Select", + "label": "Marital Status", + "options": "\nSingle\nMarried\nDivorced\nWidowed", "permlevel": 0 - }, + }, { - "fieldname": "blood_group", - "fieldtype": "Select", - "label": "Blood Group", - "options": "\nA+\nA-\nB+\nB-\nAB+\nAB-\nO+\nO-", + "fieldname": "blood_group", + "fieldtype": "Select", + "label": "Blood Group", + "options": "\nA+\nA-\nB+\nB-\nAB+\nAB-\nO+\nO-", "permlevel": 0 - }, + }, { - "description": "Here you can maintain family details like name and occupation of parent, spouse and children", - "fieldname": "family_background", - "fieldtype": "Small Text", - "label": "Family Background", + "description": "Here you can maintain family details like name and occupation of parent, spouse and children", + "fieldname": "family_background", + "fieldtype": "Small Text", + "label": "Family Background", "permlevel": 0 - }, + }, { - "description": "Here you can maintain height, weight, allergies, medical concerns etc", - "fieldname": "health_details", - "fieldtype": "Small Text", - "label": "Health Details", + "description": "Here you can maintain height, weight, allergies, medical concerns etc", + "fieldname": "health_details", + "fieldtype": "Small Text", + "label": "Health Details", "permlevel": 0 - }, + }, { - "fieldname": "educational_qualification", - "fieldtype": "Section Break", - "label": "Educational Qualification", + "fieldname": "educational_qualification", + "fieldtype": "Section Break", + "label": "Educational Qualification", "permlevel": 0 - }, + }, { - "fieldname": "educational_qualification_details", - "fieldtype": "Table", - "label": "Educational Qualification Details", - "options": "Employee Education", + "fieldname": "educational_qualification_details", + "fieldtype": "Table", + "label": "Educational Qualification Details", + "options": "Employee Education", "permlevel": 0 - }, + }, { - "fieldname": "previous_work_experience", - "fieldtype": "Section Break", - "label": "Previous Work Experience", - "options": "Simple", + "fieldname": "previous_work_experience", + "fieldtype": "Section Break", + "label": "Previous Work Experience", + "options": "Simple", "permlevel": 0 - }, + }, { - "fieldname": "previous_experience_details", - "fieldtype": "Table", - "label": "Employee External Work History", - "options": "Employee External Work History", + "fieldname": "previous_experience_details", + "fieldtype": "Table", + "label": "Employee External Work History", + "options": "Employee External Work History", "permlevel": 0 - }, + }, { - "fieldname": "history_in_company", - "fieldtype": "Section Break", - "label": "History In Company", - "options": "Simple", + "fieldname": "history_in_company", + "fieldtype": "Section Break", + "label": "History In Company", + "options": "Simple", "permlevel": 0 - }, + }, { - "fieldname": "experience_in_company_details", - "fieldtype": "Table", - "label": "Employee Internal Work Historys", - "options": "Employee Internal Work History", + "fieldname": "experience_in_company_details", + "fieldtype": "Table", + "label": "Employee Internal Work Historys", + "options": "Employee Internal Work History", "permlevel": 0 - }, + }, { - "fieldname": "exit", - "fieldtype": "Section Break", - "label": "Exit", - "oldfieldtype": "Section Break", + "fieldname": "exit", + "fieldtype": "Section Break", + "label": "Exit", + "oldfieldtype": "Section Break", "permlevel": 0 - }, + }, { - "fieldname": "column_break7", - "fieldtype": "Column Break", - "permlevel": 0, + "fieldname": "column_break7", + "fieldtype": "Column Break", + "permlevel": 0, "width": "50%" - }, + }, { - "fieldname": "resignation_letter_date", - "fieldtype": "Date", - "label": "Resignation Letter Date", - "oldfieldname": "resignation_letter_date", - "oldfieldtype": "Date", + "fieldname": "resignation_letter_date", + "fieldtype": "Date", + "label": "Resignation Letter Date", + "oldfieldname": "resignation_letter_date", + "oldfieldtype": "Date", "permlevel": 0 - }, + }, { - "fieldname": "relieving_date", - "fieldtype": "Date", - "in_filter": 1, - "label": "Relieving Date", - "oldfieldname": "relieving_date", - "oldfieldtype": "Date", + "fieldname": "relieving_date", + "fieldtype": "Date", + "in_filter": 1, + "label": "Relieving Date", + "oldfieldname": "relieving_date", + "oldfieldtype": "Date", "permlevel": 0 - }, + }, { - "fieldname": "reason_for_leaving", - "fieldtype": "Data", - "label": "Reason for Leaving", - "oldfieldname": "reason_for_leaving", - "oldfieldtype": "Data", + "fieldname": "reason_for_leaving", + "fieldtype": "Data", + "label": "Reason for Leaving", + "oldfieldname": "reason_for_leaving", + "oldfieldtype": "Data", "permlevel": 0 - }, + }, { - "fieldname": "leave_encashed", - "fieldtype": "Select", - "label": "Leave Encashed?", - "oldfieldname": "leave_encashed", - "oldfieldtype": "Select", - "options": "\nYes\nNo", + "fieldname": "leave_encashed", + "fieldtype": "Select", + "label": "Leave Encashed?", + "oldfieldname": "leave_encashed", + "oldfieldtype": "Select", + "options": "\nYes\nNo", "permlevel": 0 - }, + }, { - "fieldname": "encashment_date", - "fieldtype": "Date", - "label": "Encashment Date", - "oldfieldname": "encashment_date", - "oldfieldtype": "Date", + "fieldname": "encashment_date", + "fieldtype": "Date", + "label": "Encashment Date", + "oldfieldname": "encashment_date", + "oldfieldtype": "Date", "permlevel": 0 - }, + }, { - "fieldname": "exit_interview_details", - "fieldtype": "Column Break", - "label": "Exit Interview Details", - "oldfieldname": "col_brk6", - "oldfieldtype": "Column Break", - "permlevel": 0, + "fieldname": "exit_interview_details", + "fieldtype": "Column Break", + "label": "Exit Interview Details", + "oldfieldname": "col_brk6", + "oldfieldtype": "Column Break", + "permlevel": 0, "width": "50%" - }, + }, { - "fieldname": "held_on", - "fieldtype": "Date", - "label": "Held On", - "oldfieldname": "held_on", - "oldfieldtype": "Date", + "fieldname": "held_on", + "fieldtype": "Date", + "label": "Held On", + "oldfieldname": "held_on", + "oldfieldtype": "Date", "permlevel": 0 - }, + }, { - "fieldname": "reason_for_resignation", - "fieldtype": "Select", - "label": "Reason for Resignation", - "oldfieldname": "reason_for_resignation", - "oldfieldtype": "Select", - "options": "\nBetter Prospects\nHealth Concerns", + "fieldname": "reason_for_resignation", + "fieldtype": "Select", + "label": "Reason for Resignation", + "oldfieldname": "reason_for_resignation", + "oldfieldtype": "Select", + "options": "\nBetter Prospects\nHealth Concerns", "permlevel": 0 - }, + }, { - "fieldname": "new_workplace", - "fieldtype": "Data", - "label": "New Workplace", - "oldfieldname": "new_workplace", - "oldfieldtype": "Data", + "fieldname": "new_workplace", + "fieldtype": "Data", + "label": "New Workplace", + "oldfieldname": "new_workplace", + "oldfieldtype": "Data", "permlevel": 0 - }, + }, { - "fieldname": "feedback", - "fieldtype": "Small Text", - "label": "Feedback", - "oldfieldname": "feedback", - "oldfieldtype": "Text", + "fieldname": "feedback", + "fieldtype": "Small Text", + "label": "Feedback", + "oldfieldname": "feedback", + "oldfieldtype": "Text", "permlevel": 0 } - ], - "icon": "icon-user", - "idx": 1, - "modified": "2014-05-21 07:49:56.180832", - "modified_by": "Administrator", - "module": "HR", - "name": "Employee", - "owner": "Administrator", + ], + "icon": "icon-user", + "idx": 1, + "modified": "2014-05-26 03:05:48.422199", + "modified_by": "Administrator", + "module": "HR", + "name": "Employee", + "owner": "Administrator", "permissions": [ { - "amend": 0, - "cancel": 0, - "create": 0, - "delete": 0, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "restricted": 1, - "role": "Employee", - "submit": 0, + "amend": 0, + "apply_user_permissions": 1, + "cancel": 0, + "create": 0, + "delete": 0, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Employee", + "submit": 0, "write": 0 - }, + }, { - "amend": 0, - "cancel": 0, - "create": 1, - "delete": 1, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "restrict": 0, - "role": "HR User", - "submit": 0, + "amend": 0, + "cancel": 0, + "create": 1, + "delete": 1, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "HR User", + "submit": 0, "write": 1 - }, + }, { - "amend": 0, - "cancel": 0, - "create": 1, - "delete": 1, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "restrict": 1, - "role": "HR Manager", - "submit": 0, + "amend": 0, + "cancel": 0, + "create": 1, + "delete": 1, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "set_user_permissions": 1, + "role": "HR Manager", + "submit": 0, "write": 1 - }, + }, { - "permlevel": 0, - "read": 1, - "restricted": 1, + "apply_user_permissions": 1, + "permlevel": 0, + "read": 1, "role": "Leave Approver" } - ], - "search_fields": "employee_name", - "sort_field": "modified", - "sort_order": "DESC", + ], + "search_fields": "employee_name", + "sort_field": "modified", + "sort_order": "DESC", "title_field": "employee_name" -} \ No newline at end of file +} diff --git a/erpnext/hr/doctype/employee/employee.py b/erpnext/hr/doctype/employee/employee.py index 9840df7bcf..1876916b1c 100644 --- a/erpnext/hr/doctype/employee/employee.py +++ b/erpnext/hr/doctype/employee/employee.py @@ -8,7 +8,7 @@ from frappe.utils import getdate, validate_email_add, cint from frappe.model.naming import make_autoname from frappe import throw, _ import frappe.permissions -from frappe.defaults import get_restrictions +from frappe.defaults import get_user_permissions from frappe.model.document import Document from frappe.model.mapper import get_mapped_doc @@ -72,9 +72,9 @@ class Employee(Document): def add_restriction_if_required(self, doctype, user): if frappe.permissions.has_only_non_restrict_role(doctype, user) \ - and self.name not in get_restrictions(user).get("Employee", []): + and self.name not in get_user_permissions(user).get("Employee", []): - frappe.defaults.add_default("Employee", self.name, user, "Restriction") + frappe.defaults.add_default("Employee", self.name, user, "User Permission") def update_user(self): # add employee role if missing diff --git a/erpnext/hr/doctype/expense_claim/expense_claim.json b/erpnext/hr/doctype/expense_claim/expense_claim.json index 0da31f754a..311903f2bb 100644 --- a/erpnext/hr/doctype/expense_claim/expense_claim.json +++ b/erpnext/hr/doctype/expense_claim/expense_claim.json @@ -172,7 +172,7 @@ { "fieldname": "amended_from", "fieldtype": "Data", - "ignore_restrictions": 1, + "ignore_user_permissions": 1, "label": "Amended From", "no_copy": 1, "oldfieldname": "amended_from", @@ -187,13 +187,14 @@ "icon": "icon-money", "idx": 1, "is_submittable": 1, - "modified": "2014-05-09 02:16:38.198490", + "modified": "2014-05-26 03:05:48.690180", "modified_by": "Administrator", "module": "HR", "name": "Expense Claim", "owner": "harshada@webnotestech.com", "permissions": [ { + "apply_user_permissions": 1, "create": 1, "delete": 0, "email": 1, @@ -201,7 +202,6 @@ "print": 1, "read": 1, "report": 1, - "restricted": 1, "role": "Employee", "write": 1 }, diff --git a/erpnext/hr/doctype/leave_allocation/leave_allocation.json b/erpnext/hr/doctype/leave_allocation/leave_allocation.json index d6e65f7189..99845bb79e 100644 --- a/erpnext/hr/doctype/leave_allocation/leave_allocation.json +++ b/erpnext/hr/doctype/leave_allocation/leave_allocation.json @@ -123,7 +123,7 @@ "fieldname": "amended_from", "fieldtype": "Data", "hidden": 0, - "ignore_restrictions": 1, + "ignore_user_permissions": 1, "label": "Amended From", "no_copy": 1, "oldfieldname": "amended_from", @@ -136,7 +136,7 @@ "icon": "icon-ok", "idx": 1, "is_submittable": 1, - "modified": "2014-05-09 02:16:39.508488", + "modified": "2014-05-26 03:05:49.674303", "modified_by": "Administrator", "module": "HR", "name": "Leave Allocation", @@ -144,6 +144,7 @@ "permissions": [ { "amend": 1, + "apply_user_permissions": 1, "cancel": 1, "create": 1, "delete": 1, @@ -152,7 +153,6 @@ "print": 1, "read": 1, "report": 1, - "restricted": 1, "role": "HR User", "submit": 1, "write": 1 diff --git a/erpnext/hr/doctype/leave_application/leave_application.json b/erpnext/hr/doctype/leave_application/leave_application.json index eb9b23921a..8dd58bb558 100644 --- a/erpnext/hr/doctype/leave_application/leave_application.json +++ b/erpnext/hr/doctype/leave_application/leave_application.json @@ -1,269 +1,269 @@ { - "allow_attach": 1, - "autoname": "LAP/.#####", - "creation": "2013-02-20 11:18:11", - "description": "Apply / Approve Leaves", - "docstatus": 0, - "doctype": "DocType", - "document_type": "Transaction", + "allow_attach": 1, + "autoname": "LAP/.#####", + "creation": "2013-02-20 11:18:11", + "description": "Apply / Approve Leaves", + "docstatus": 0, + "doctype": "DocType", + "document_type": "Transaction", "fields": [ { - "default": "Open", - "fieldname": "status", - "fieldtype": "Select", - "in_list_view": 1, - "label": "Status", - "no_copy": 1, - "options": "Open\nApproved\nRejected", + "default": "Open", + "fieldname": "status", + "fieldtype": "Select", + "in_list_view": 1, + "label": "Status", + "no_copy": 1, + "options": "Open\nApproved\nRejected", "permlevel": 1 - }, + }, { - "description": "Leave can be approved by users with Role, \"Leave Approver\"", - "fieldname": "leave_approver", - "fieldtype": "Select", - "label": "Leave Approver", - "options": "[Select]", + "description": "Leave can be approved by users with Role, \"Leave Approver\"", + "fieldname": "leave_approver", + "fieldtype": "Select", + "label": "Leave Approver", + "options": "[Select]", "permlevel": 0 - }, + }, { - "fieldname": "leave_type", - "fieldtype": "Link", - "in_filter": 1, - "in_list_view": 1, - "label": "Leave Type", - "options": "Leave Type", - "permlevel": 0, - "reqd": 1, + "fieldname": "leave_type", + "fieldtype": "Link", + "in_filter": 1, + "in_list_view": 1, + "label": "Leave Type", + "options": "Leave Type", + "permlevel": 0, + "reqd": 1, "search_index": 1 - }, + }, { - "fieldname": "from_date", - "fieldtype": "Date", - "in_list_view": 1, - "label": "From Date", - "permlevel": 0, - "reqd": 1, + "fieldname": "from_date", + "fieldtype": "Date", + "in_list_view": 1, + "label": "From Date", + "permlevel": 0, + "reqd": 1, "search_index": 1 - }, + }, { - "fieldname": "to_date", - "fieldtype": "Date", - "in_list_view": 0, - "label": "To Date", - "permlevel": 0, - "reqd": 1, + "fieldname": "to_date", + "fieldtype": "Date", + "in_list_view": 0, + "label": "To Date", + "permlevel": 0, + "reqd": 1, "search_index": 1 - }, + }, { - "fieldname": "half_day", - "fieldtype": "Check", - "label": "Half Day", + "fieldname": "half_day", + "fieldtype": "Check", + "label": "Half Day", "permlevel": 0 - }, + }, { - "fieldname": "column_break1", - "fieldtype": "Column Break", - "permlevel": 0, - "print_width": "50%", + "fieldname": "column_break1", + "fieldtype": "Column Break", + "permlevel": 0, + "print_width": "50%", "width": "50%" - }, + }, { - "fieldname": "description", - "fieldtype": "Small Text", - "label": "Reason", + "fieldname": "description", + "fieldtype": "Small Text", + "label": "Reason", "permlevel": 0 - }, + }, { - "fieldname": "employee", - "fieldtype": "Link", - "in_filter": 1, - "label": "Employee", - "options": "Employee", - "permlevel": 0, - "reqd": 1, + "fieldname": "employee", + "fieldtype": "Link", + "in_filter": 1, + "label": "Employee", + "options": "Employee", + "permlevel": 0, + "reqd": 1, "search_index": 1 - }, + }, { - "fieldname": "employee_name", - "fieldtype": "Data", - "in_filter": 1, - "in_list_view": 1, - "label": "Employee Name", - "permlevel": 0, - "read_only": 1, + "fieldname": "employee_name", + "fieldtype": "Data", + "in_filter": 1, + "in_list_view": 1, + "label": "Employee Name", + "permlevel": 0, + "read_only": 1, "search_index": 0 - }, + }, { - "fieldname": "leave_balance", - "fieldtype": "Float", - "label": "Leave Balance Before Application", - "no_copy": 1, - "permlevel": 0, + "fieldname": "leave_balance", + "fieldtype": "Float", + "label": "Leave Balance Before Application", + "no_copy": 1, + "permlevel": 0, "read_only": 1 - }, + }, { - "fieldname": "total_leave_days", - "fieldtype": "Float", - "label": "Total Leave Days", - "no_copy": 1, - "permlevel": 0, + "fieldname": "total_leave_days", + "fieldtype": "Float", + "label": "Total Leave Days", + "no_copy": 1, + "permlevel": 0, "read_only": 1 - }, + }, { - "fieldname": "sb10", - "fieldtype": "Section Break", - "label": "More Info", + "fieldname": "sb10", + "fieldtype": "Section Break", + "label": "More Info", "permlevel": 0 - }, + }, { - "allow_on_submit": 1, - "default": "1", - "fieldname": "follow_via_email", - "fieldtype": "Check", - "label": "Follow via Email", - "permlevel": 0, + "allow_on_submit": 1, + "default": "1", + "fieldname": "follow_via_email", + "fieldtype": "Check", + "label": "Follow via Email", + "permlevel": 0, "print_hide": 1 - }, + }, { - "default": "Today", - "fieldname": "posting_date", - "fieldtype": "Date", - "label": "Posting Date", - "no_copy": 1, - "permlevel": 0, + "default": "Today", + "fieldname": "posting_date", + "fieldtype": "Date", + "label": "Posting Date", + "no_copy": 1, + "permlevel": 0, "reqd": 1 - }, + }, { - "fieldname": "fiscal_year", - "fieldtype": "Link", - "in_filter": 1, - "label": "Fiscal Year", - "options": "Fiscal Year", - "permlevel": 0, - "read_only": 0, - "reqd": 1, + "fieldname": "fiscal_year", + "fieldtype": "Link", + "in_filter": 1, + "label": "Fiscal Year", + "options": "Fiscal Year", + "permlevel": 0, + "read_only": 0, + "reqd": 1, "search_index": 0 - }, + }, { - "fieldname": "column_break_17", - "fieldtype": "Column Break", + "fieldname": "column_break_17", + "fieldtype": "Column Break", "permlevel": 0 - }, + }, { - "fieldname": "company", - "fieldtype": "Link", - "label": "Company", - "options": "Company", - "permlevel": 0, + "fieldname": "company", + "fieldtype": "Link", + "label": "Company", + "options": "Company", + "permlevel": 0, "reqd": 1 - }, + }, { - "fieldname": "letter_head", - "fieldtype": "Link", - "label": "Letter Head", - "options": "Letter Head", - "permlevel": 0, - "print_hide": 1, + "fieldname": "letter_head", + "fieldtype": "Link", + "label": "Letter Head", + "options": "Letter Head", + "permlevel": 0, + "print_hide": 1, "read_only": 0 - }, + }, { - "fieldname": "amended_from", - "fieldtype": "Link", - "ignore_restrictions": 1, - "label": "Amended From", - "no_copy": 1, - "options": "Leave Application", - "permlevel": 0, - "print_hide": 1, + "fieldname": "amended_from", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Amended From", + "no_copy": 1, + "options": "Leave Application", + "permlevel": 0, + "print_hide": 1, "read_only": 1 } - ], - "icon": "icon-calendar", - "idx": 1, - "is_submittable": 1, - "max_attachments": 3, - "modified": "2014-05-15 19:30:47.331357", - "modified_by": "Administrator", - "module": "HR", - "name": "Leave Application", - "owner": "Administrator", + ], + "icon": "icon-calendar", + "idx": 1, + "is_submittable": 1, + "max_attachments": 3, + "modified": "2014-05-26 03:05:49.838899", + "modified_by": "Administrator", + "module": "HR", + "name": "Leave Application", + "owner": "Administrator", "permissions": [ { - "create": 1, - "delete": 0, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Employee", + "create": 1, + "delete": 0, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Employee", "write": 1 - }, + }, { - "amend": 0, - "cancel": 0, - "create": 0, - "delete": 0, - "permlevel": 1, - "read": 1, - "role": "All", + "amend": 0, + "cancel": 0, + "create": 0, + "delete": 0, + "permlevel": 1, + "read": 1, + "role": "All", "submit": 0 - }, + }, { - "amend": 1, - "cancel": 1, - "create": 1, - "delete": 1, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "restrict": 1, - "role": "HR User", - "submit": 1, + "amend": 1, + "cancel": 1, + "create": 1, + "delete": 1, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "set_user_permissions": 1, + "role": "HR User", + "submit": 1, "write": 1 - }, + }, { - "amend": 1, - "cancel": 0, - "create": 0, - "delete": 0, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Leave Approver", - "submit": 1, + "amend": 1, + "cancel": 0, + "create": 0, + "delete": 0, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Leave Approver", + "submit": 1, "write": 1 - }, + }, { - "amend": 0, - "cancel": 0, - "create": 0, - "delete": 0, - "permlevel": 1, - "read": 1, - "report": 1, - "role": "HR User", - "submit": 0, + "amend": 0, + "cancel": 0, + "create": 0, + "delete": 0, + "permlevel": 1, + "read": 1, + "report": 1, + "role": "HR User", + "submit": 0, "write": 1 - }, + }, { - "amend": 0, - "cancel": 0, - "create": 0, - "delete": 0, - "permlevel": 1, - "read": 1, - "report": 1, - "role": "Leave Approver", - "submit": 0, + "amend": 0, + "cancel": 0, + "create": 0, + "delete": 0, + "permlevel": 1, + "read": 1, + "report": 1, + "role": "Leave Approver", + "submit": 0, "write": 1 } - ], - "search_fields": "employee,employee_name,leave_type,from_date,to_date,total_leave_days,fiscal_year", - "sort_field": "modified", + ], + "search_fields": "employee,employee_name,leave_type,from_date,to_date,total_leave_days,fiscal_year", + "sort_field": "modified", "sort_order": "DESC" -} \ No newline at end of file +} diff --git a/erpnext/hr/doctype/leave_application/test_leave_application.py b/erpnext/hr/doctype/leave_application/test_leave_application.py index f6faf52421..dbf8a71fc6 100644 --- a/erpnext/hr/doctype/leave_application/test_leave_application.py +++ b/erpnext/hr/doctype/leave_application/test_leave_application.py @@ -5,7 +5,7 @@ import frappe import unittest from erpnext.hr.doctype.leave_application.leave_application import LeaveDayBlockedError, OverlapError -from frappe.core.page.user_properties.user_properties import clear_restrictions +from frappe.core.page.user_permissions.user_permissions import clear_user_permissions test_dependencies = ["Leave Allocation", "Leave Block List"] @@ -91,7 +91,7 @@ class TestLeaveApplication(unittest.TestCase): from frappe.utils.user import add_role add_role("test1@example.com", "HR User") - clear_restrictions("Employee") + clear_user_permissions("Employee") frappe.db.set_value("Department", "_Test Department", "leave_block_list", "_Test Leave Block List") diff --git a/erpnext/hr/doctype/salary_slip/salary_slip.json b/erpnext/hr/doctype/salary_slip/salary_slip.json index ff26d255d2..40354811b3 100644 --- a/erpnext/hr/doctype/salary_slip/salary_slip.json +++ b/erpnext/hr/doctype/salary_slip/salary_slip.json @@ -182,7 +182,7 @@ "fieldname": "amended_from", "fieldtype": "Data", "hidden": 0, - "ignore_restrictions": 1, + "ignore_user_permissions": 1, "label": "Amended From", "no_copy": 1, "oldfieldname": "amended_from", @@ -325,7 +325,7 @@ "icon": "icon-file-text", "idx": 1, "is_submittable": 1, - "modified": "2014-05-09 02:17:14.634335", + "modified": "2014-05-26 03:05:52.624169", "modified_by": "Administrator", "module": "HR", "name": "Salary Slip", @@ -361,7 +361,6 @@ { "permlevel": 0, "read": 1, - "restricted": 0, "role": "Employee" } ], diff --git a/erpnext/manufacturing/doctype/bom/bom.json b/erpnext/manufacturing/doctype/bom/bom.json index 6dcefbd674..958d6bfa4c 100644 --- a/erpnext/manufacturing/doctype/bom/bom.json +++ b/erpnext/manufacturing/doctype/bom/bom.json @@ -194,7 +194,7 @@ { "fieldname": "amended_from", "fieldtype": "Link", - "ignore_restrictions": 1, + "ignore_user_permissions": 1, "label": "Amended From", "no_copy": 1, "options": "BOM", @@ -233,7 +233,7 @@ "is_submittable": 1, "issingle": 0, "istable": 0, - "modified": "2014-05-09 02:16:39.975486", + "modified": "2014-05-26 03:05:46.985950", "modified_by": "Administrator", "module": "Manufacturing", "name": "BOM", diff --git a/erpnext/manufacturing/doctype/production_order/production_order.json b/erpnext/manufacturing/doctype/production_order/production_order.json index 98e8f0cb68..4ade7196b4 100644 --- a/erpnext/manufacturing/doctype/production_order/production_order.json +++ b/erpnext/manufacturing/doctype/production_order/production_order.json @@ -211,7 +211,7 @@ { "fieldname": "amended_from", "fieldtype": "Data", - "ignore_restrictions": 1, + "ignore_user_permissions": 1, "label": "Amended From", "no_copy": 1, "oldfieldname": "amended_from", @@ -224,7 +224,7 @@ "idx": 1, "in_create": 0, "is_submittable": 1, - "modified": "2014-05-07 05:41:33.127710", + "modified": "2014-05-26 03:05:50.799576", "modified_by": "Administrator", "module": "Manufacturing", "name": "Production Order", diff --git a/erpnext/patches.txt b/erpnext/patches.txt index dc5bb57fb6..7694d549f2 100644 --- a/erpnext/patches.txt +++ b/erpnext/patches.txt @@ -1,8 +1,10 @@ execute:import unidecode # new requirement erpnext.patches.v4_0.validate_v3_patch +erpnext.patches.v4_0.fix_employee_user_id erpnext.patches.v4_0.update_user_properties erpnext.patches.v4_0.move_warehouse_user_to_restrictions +execute:frappe.delete_doc_if_exists("DocType", "Warehouse User") erpnext.patches.v4_0.new_permissions erpnext.patches.v4_0.global_defaults_to_system_settings erpnext.patches.v4_0.update_incharge_name_to_sales_person_in_maintenance_schedule @@ -30,7 +32,6 @@ erpnext.patches.v4_0.customer_discount_to_pricing_rule execute:frappe.db.sql("""delete from `tabWebsite Item Group` where ifnull(item_group, '')=''""") erpnext.patches.v4_0.remove_module_home_pages erpnext.patches.v4_0.split_email_settings -erpnext.patches.v4_0.fix_employee_user_id erpnext.patches.v4_0.import_country_codes erpnext.patches.v4_0.countrywise_coa execute:frappe.delete_doc("DocType", "MIS Control") @@ -39,7 +40,6 @@ execute:frappe.delete_doc("DocType", "Stock Ledger") execute:frappe.db.sql("update `tabJournal Voucher` set voucher_type='Journal Entry' where ifnull(voucher_type, '')=''") execute:frappe.delete_doc("DocType", "Grade") erpnext.patches.v4_0.remove_india_specific_fields -execute:frappe.delete_doc_if_exists("DocType", "Warehouse User") execute:frappe.db.sql("delete from `tabWebsite Item Group` where ifnull(item_group, '')=''") execute:frappe.delete_doc("Print Format", "SalesInvoice") execute:import frappe.defaults;frappe.defaults.clear_default("price_list_currency") diff --git a/erpnext/patches/v4_0/move_warehouse_user_to_restrictions.py b/erpnext/patches/v4_0/move_warehouse_user_to_restrictions.py index 16d3b29c96..64d53477a7 100644 --- a/erpnext/patches/v4_0/move_warehouse_user_to_restrictions.py +++ b/erpnext/patches/v4_0/move_warehouse_user_to_restrictions.py @@ -5,9 +5,9 @@ from __future__ import unicode_literals import frappe def execute(): - from frappe.core.page.user_properties import user_properties + from frappe.core.page.user_permissions import user_permissions for warehouse, user in frappe.db.sql("""select parent, user from `tabWarehouse User`"""): - user_properties.add(user, "Warehouse", warehouse) + user_permissions.add(user, "Warehouse", warehouse) frappe.delete_doc("DocType", "Warehouse User") frappe.reload_doc("stock", "doctype", "warehouse") \ No newline at end of file diff --git a/erpnext/patches/v4_0/update_user_properties.py b/erpnext/patches/v4_0/update_user_properties.py index 1c746d378c..54a907afda 100644 --- a/erpnext/patches/v4_0/update_user_properties.py +++ b/erpnext/patches/v4_0/update_user_properties.py @@ -9,15 +9,15 @@ import frappe.defaults def execute(): frappe.reload_doc("core", "doctype", "docperm") frappe.reload_doc("hr", "doctype", "employee") - update_user_properties() + update_user_permissions() update_user_match() - add_employee_restrictions_to_leave_approver() + add_employee_user_permissions_to_leave_approver() update_permissions() - remove_duplicate_restrictions() + remove_duplicate_user_permissions() frappe.defaults.clear_cache() frappe.clear_cache() -def update_user_properties(): +def update_user_permissions(): frappe.reload_doc("core", "doctype", "docfield") for d in frappe.db.sql("""select parent, defkey, defvalue from tabDefaultValue @@ -27,7 +27,7 @@ def update_user_properties(): if df: frappe.db.sql("""update tabDefaultValue - set defkey=%s, parenttype='Restriction' + set defkey=%s, parenttype='User Permission' where defkey=%s and parent not in ('__global', '__default')""", (df[0].options, d.defkey)) @@ -71,17 +71,17 @@ def update_user_match(): for name in frappe.db.sql_list("""select name from `tab{doctype}` where `{field}`=%s""".format(doctype=doctype, field=match.split(":")[0]), user): - frappe.defaults.add_default(doctype, name, user, "Restriction") + frappe.defaults.add_default(doctype, name, user, "User Permission") -def add_employee_restrictions_to_leave_approver(): - from frappe.core.page.user_properties import user_properties +def add_employee_user_permissions_to_leave_approver(): + from frappe.core.page.user_permissions import user_permissions # add restrict rights to HR User and HR Manager frappe.db.sql("""update `tabDocPerm` set `restrict`=1 where parent in ('Employee', 'Leave Application') and role in ('HR User', 'HR Manager') and permlevel=0 and `read`=1""") frappe.clear_cache() - # add Employee restrictions (in on_update method) + # add Employee user_permissions (in on_update method) for employee in frappe.db.sql_list("""select name from `tabEmployee` where (exists(select leave_approver from `tabEmployee Leave Approver` where `tabEmployee Leave Approver`.parent=`tabEmployee`.name) @@ -94,8 +94,8 @@ def update_permissions(): frappe.db.sql("""update tabDocPerm set `match`='' where ifnull(`match`,'') not in ('', 'owner')""") -def remove_duplicate_restrictions(): - # remove duplicate restrictions (if they exist) +def remove_duplicate_user_permissions(): + # remove duplicate user_permissions (if they exist) for d in frappe.db.sql("""select parent, defkey, defvalue, count(*) as cnt from tabDefaultValue where parent not in ('__global', '__default') diff --git a/erpnext/projects/doctype/time_log/time_log.json b/erpnext/projects/doctype/time_log/time_log.json index 73849b3b2c..49c52f7d87 100644 --- a/erpnext/projects/doctype/time_log/time_log.json +++ b/erpnext/projects/doctype/time_log/time_log.json @@ -140,7 +140,7 @@ { "fieldname": "amended_from", "fieldtype": "Link", - "ignore_restrictions": 1, + "ignore_user_permissions": 1, "label": "Amended From", "no_copy": 1, "options": "Time Log", @@ -152,7 +152,7 @@ "icon": "icon-time", "idx": 1, "is_submittable": 1, - "modified": "2014-05-06 11:53:04.133874", + "modified": "2014-05-26 03:05:54.597160", "modified_by": "Administrator", "module": "Projects", "name": "Time Log", @@ -160,6 +160,7 @@ "permissions": [ { "amend": 1, + "apply_user_permissions": 1, "cancel": 1, "create": 1, "delete": 1, @@ -168,7 +169,6 @@ "print": 1, "read": 1, "report": 1, - "restricted": 1, "role": "Projects User", "submit": 1, "write": 1 diff --git a/erpnext/projects/doctype/time_log_batch/time_log_batch.json b/erpnext/projects/doctype/time_log_batch/time_log_batch.json index 9d98a34b6b..a20f45e920 100644 --- a/erpnext/projects/doctype/time_log_batch/time_log_batch.json +++ b/erpnext/projects/doctype/time_log_batch/time_log_batch.json @@ -1,6 +1,6 @@ { "autoname": "naming_series:", - "creation": "2013-02-28 17:57:33.000000", + "creation": "2013-02-28 17:57:33", "description": "Batch Time Logs for Billing.", "docstatus": 0, "doctype": "DocType", @@ -71,7 +71,7 @@ { "fieldname": "amended_from", "fieldtype": "Link", - "ignore_restrictions": 1, + "ignore_user_permissions": 1, "label": "Amended From", "no_copy": 1, "options": "Time Log Batch", @@ -83,7 +83,7 @@ "icon": "icon-time", "idx": 1, "is_submittable": 1, - "modified": "2014-01-20 17:49:34.000000", + "modified": "2014-05-26 03:05:54.728928", "modified_by": "Administrator", "module": "Projects", "name": "Time Log Batch", diff --git a/erpnext/selling/doctype/campaign/campaign.json b/erpnext/selling/doctype/campaign/campaign.json index 7764a235ec..f179b2c01b 100644 --- a/erpnext/selling/doctype/campaign/campaign.json +++ b/erpnext/selling/doctype/campaign/campaign.json @@ -1,163 +1,58 @@ { - "_last_update": null, - "_user_tags": null, - "allow_attach": null, - "allow_copy": null, - "allow_email": null, "allow_import": 1, - "allow_print": null, "allow_rename": 1, - "allow_trash": null, "autoname": "naming_series:", - "change_log": null, - "client_script": null, - "client_script_core": null, - "client_string": null, - "colour": null, "creation": "2013-01-10 16:34:18", - "custom": null, - "default_print_format": null, "description": "Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment. ", "docstatus": 0, "doctype": "DocType", "document_type": "Master", - "dt_template": null, "fields": [ { - "allow_on_submit": null, - "default": null, - "depends_on": null, - "description": null, "fieldname": "campaign", "fieldtype": "Section Break", - "hidden": null, - "ignore_restrictions": null, - "in_filter": null, "in_list_view": 0, "label": "Campaign", - "no_column": null, - "no_copy": null, - "oldfieldname": null, "oldfieldtype": "Section Break", - "options": null, - "permlevel": 0, - "print_hide": null, - "print_width": null, - "read_only": null, - "report_hide": null, - "reqd": null, - "search_index": null, - "set_only_once": null, - "trigger": null, - "width": null + "permlevel": 0 }, { - "allow_on_submit": null, - "default": null, - "depends_on": null, - "description": null, "fieldname": "campaign_name", "fieldtype": "Data", - "hidden": null, - "ignore_restrictions": null, - "in_filter": null, "in_list_view": 1, "label": "Campaign Name", - "no_column": null, - "no_copy": null, "oldfieldname": "campaign_name", "oldfieldtype": "Data", - "options": null, "permlevel": 0, - "print_hide": null, - "print_width": null, - "read_only": null, - "report_hide": null, - "reqd": 1, - "search_index": null, - "set_only_once": null, - "trigger": null, - "width": null + "reqd": 1 }, { - "allow_on_submit": null, - "default": null, - "depends_on": null, - "description": null, "fieldname": "naming_series", "fieldtype": "Select", - "hidden": null, - "ignore_restrictions": null, - "in_filter": null, "in_list_view": 0, "label": "Naming Series", - "no_column": null, - "no_copy": null, - "oldfieldname": null, - "oldfieldtype": null, "options": "Campaign-.####", "permlevel": 0, - "print_hide": null, - "print_width": null, - "read_only": null, - "report_hide": null, - "reqd": 0, - "search_index": null, - "set_only_once": null, - "trigger": null, - "width": null + "reqd": 0 }, { - "allow_on_submit": null, - "default": null, - "depends_on": null, - "description": null, "fieldname": "description", "fieldtype": "Text", - "hidden": null, - "ignore_restrictions": null, - "in_filter": null, "in_list_view": 1, "label": "Description", - "no_column": null, - "no_copy": null, "oldfieldname": "description", "oldfieldtype": "Text", - "options": null, "permlevel": 0, - "print_hide": null, - "print_width": null, - "read_only": null, - "report_hide": null, - "reqd": null, - "search_index": null, - "set_only_once": null, - "trigger": null, "width": "300px" } ], - "hide_heading": null, - "hide_toolbar": null, "icon": "icon-bullhorn", "idx": 1, - "in_create": null, - "in_dialog": null, - "is_submittable": null, - "is_transaction_doc": null, - "issingle": null, - "istable": null, - "max_attachments": null, - "menu_index": null, - "modified": "2014-04-16 12:36:34.606593", + "modified": "2014-05-26 03:45:48.713672", "modified_by": "Administrator", "module": "Selling", "name": "Campaign", - "name_case": null, "owner": "Administrator", - "parent": null, - "parent_node": null, - "parentfield": null, - "parenttype": null, "permissions": [ { "amend": 0, @@ -165,15 +60,11 @@ "create": 0, "delete": 0, "email": 1, - "export": null, "import": 0, - "match": null, "permlevel": 0, "print": 1, "read": 1, "report": 0, - "restrict": null, - "restricted": null, "role": "Sales Manager", "submit": 0, "write": 0 @@ -184,15 +75,10 @@ "create": 0, "delete": 0, "email": 1, - "export": null, - "import": null, - "match": null, "permlevel": 0, "print": 1, "read": 1, "report": 1, - "restrict": null, - "restricted": null, "role": "Sales User", "submit": 0, "write": 0 @@ -203,34 +89,13 @@ "create": 1, "delete": 1, "email": 1, - "export": null, - "import": null, - "match": null, "permlevel": 0, "print": 1, "read": 1, "report": 1, - "restrict": null, - "restricted": null, "role": "Sales Master Manager", "submit": 0, "write": 1 } - ], - "plugin": null, - "print_outline": null, - "read_only": null, - "read_only_onload": null, - "search_fields": null, - "server_code": null, - "server_code_compiled": null, - "server_code_core": null, - "server_code_error": null, - "show_in_menu": null, - "smallicon": null, - "subject": null, - "tag_fields": null, - "title_field": null, - "use_template": null, - "version": null + ] } diff --git a/erpnext/selling/doctype/customer/customer.json b/erpnext/selling/doctype/customer/customer.json index 7d854ac881..5b82281bf3 100644 --- a/erpnext/selling/doctype/customer/customer.json +++ b/erpnext/selling/doctype/customer/customer.json @@ -1,337 +1,337 @@ { - "allow_import": 1, - "allow_rename": 1, - "autoname": "naming_series:", - "creation": "2013-06-11 14:26:44", - "description": "Buyer of Goods and Services.", - "docstatus": 0, - "doctype": "DocType", - "document_type": "Master", + "allow_import": 1, + "allow_rename": 1, + "autoname": "naming_series:", + "creation": "2013-06-11 14:26:44", + "description": "Buyer of Goods and Services.", + "docstatus": 0, + "doctype": "DocType", + "document_type": "Master", "fields": [ { - "fieldname": "basic_info", - "fieldtype": "Section Break", - "label": "Basic Info", - "oldfieldtype": "Section Break", - "options": "icon-user", - "permlevel": 0, + "fieldname": "basic_info", + "fieldtype": "Section Break", + "label": "Basic Info", + "oldfieldtype": "Section Break", + "options": "icon-user", + "permlevel": 0, "reqd": 0 - }, + }, { - "fieldname": "naming_series", - "fieldtype": "Select", - "label": "Series", - "no_copy": 1, - "options": "CUST-", - "permlevel": 0, + "fieldname": "naming_series", + "fieldtype": "Select", + "label": "Series", + "no_copy": 1, + "options": "CUST-", + "permlevel": 0, "print_hide": 0 - }, + }, { - "fieldname": "customer_name", - "fieldtype": "Data", - "hidden": 0, - "in_filter": 1, - "in_list_view": 1, - "label": "Full Name", - "no_copy": 1, - "oldfieldname": "customer_name", - "oldfieldtype": "Data", - "permlevel": 0, - "print_hide": 0, - "report_hide": 0, - "reqd": 1, + "fieldname": "customer_name", + "fieldtype": "Data", + "hidden": 0, + "in_filter": 1, + "in_list_view": 1, + "label": "Full Name", + "no_copy": 1, + "oldfieldname": "customer_name", + "oldfieldtype": "Data", + "permlevel": 0, + "print_hide": 0, + "report_hide": 0, + "reqd": 1, "search_index": 1 - }, + }, { - "fieldname": "customer_type", - "fieldtype": "Select", - "label": "Type", - "oldfieldname": "customer_type", - "oldfieldtype": "Select", - "options": "\nCompany\nIndividual", - "permlevel": 0, + "fieldname": "customer_type", + "fieldtype": "Select", + "label": "Type", + "oldfieldname": "customer_type", + "oldfieldtype": "Select", + "options": "\nCompany\nIndividual", + "permlevel": 0, "reqd": 1 - }, + }, { - "fieldname": "lead_name", - "fieldtype": "Link", - "hidden": 0, - "in_filter": 1, - "label": "From Lead", - "no_copy": 1, - "oldfieldname": "lead_name", - "oldfieldtype": "Link", - "options": "Lead", - "permlevel": 0, - "print_hide": 1, + "fieldname": "lead_name", + "fieldtype": "Link", + "hidden": 0, + "in_filter": 1, + "label": "From Lead", + "no_copy": 1, + "oldfieldname": "lead_name", + "oldfieldtype": "Link", + "options": "Lead", + "permlevel": 0, + "print_hide": 1, "report_hide": 1 - }, + }, { - "fieldname": "column_break0", - "fieldtype": "Column Break", - "permlevel": 0, + "fieldname": "column_break0", + "fieldtype": "Column Break", + "permlevel": 0, "width": "50%" - }, + }, { - "description": "
Add / Edit", - "fieldname": "customer_group", - "fieldtype": "Link", - "hidden": 0, - "in_filter": 1, - "label": "Customer Group", - "oldfieldname": "customer_group", - "oldfieldtype": "Link", - "options": "Customer Group", - "permlevel": 0, - "print_hide": 0, - "reqd": 1, + "description": "Add / Edit", + "fieldname": "customer_group", + "fieldtype": "Link", + "hidden": 0, + "in_filter": 1, + "label": "Customer Group", + "oldfieldname": "customer_group", + "oldfieldtype": "Link", + "options": "Customer Group", + "permlevel": 0, + "print_hide": 0, + "reqd": 1, "search_index": 1 - }, + }, { - "description": "Add / Edit", - "fieldname": "territory", - "fieldtype": "Link", - "in_list_view": 1, - "label": "Territory", - "oldfieldname": "territory", - "oldfieldtype": "Link", - "options": "Territory", - "permlevel": 0, - "print_hide": 1, + "description": "Add / Edit", + "fieldname": "territory", + "fieldtype": "Link", + "in_list_view": 1, + "label": "Territory", + "oldfieldname": "territory", + "oldfieldtype": "Link", + "options": "Territory", + "permlevel": 0, + "print_hide": 1, "reqd": 1 - }, + }, { - "depends_on": "eval:!doc.__islocal", - "fieldname": "address_contacts", - "fieldtype": "Section Break", - "label": "Address & Contacts", - "options": "icon-map-marker", + "depends_on": "eval:!doc.__islocal", + "fieldname": "address_contacts", + "fieldtype": "Section Break", + "label": "Address & Contacts", + "options": "icon-map-marker", "permlevel": 0 - }, + }, { - "fieldname": "address_html", - "fieldtype": "HTML", - "label": "Address HTML", - "permlevel": 0, + "fieldname": "address_html", + "fieldtype": "HTML", + "label": "Address HTML", + "permlevel": 0, "read_only": 1 - }, + }, { - "fieldname": "column_break1", - "fieldtype": "Column Break", - "permlevel": 0, + "fieldname": "column_break1", + "fieldtype": "Column Break", + "permlevel": 0, "width": "50%" - }, + }, { - "fieldname": "contact_html", - "fieldtype": "HTML", - "label": "Contact HTML", - "oldfieldtype": "HTML", - "permlevel": 0, + "fieldname": "contact_html", + "fieldtype": "HTML", + "label": "Contact HTML", + "oldfieldtype": "HTML", + "permlevel": 0, "read_only": 1 - }, + }, { - "depends_on": "eval:!doc.__islocal", - "fieldname": "communication_history", - "fieldtype": "Section Break", - "label": "Communication History", - "options": "icon-comments", - "permlevel": 0, + "depends_on": "eval:!doc.__islocal", + "fieldname": "communication_history", + "fieldtype": "Section Break", + "label": "Communication History", + "options": "icon-comments", + "permlevel": 0, "print_hide": 1 - }, + }, { - "fieldname": "communication_html", - "fieldtype": "HTML", - "label": "Communication HTML", - "permlevel": 0, + "fieldname": "communication_html", + "fieldtype": "HTML", + "label": "Communication HTML", + "permlevel": 0, "print_hide": 1 - }, + }, { - "fieldname": "more_info", - "fieldtype": "Section Break", - "label": "More Info", - "oldfieldtype": "Section Break", - "options": "icon-file-text", + "fieldname": "more_info", + "fieldtype": "Section Break", + "label": "More Info", + "oldfieldtype": "Section Break", + "options": "icon-file-text", "permlevel": 0 - }, + }, { - "fieldname": "column_break2", - "fieldtype": "Column Break", - "permlevel": 0, + "fieldname": "column_break2", + "fieldtype": "Column Break", + "permlevel": 0, "width": "50%" - }, + }, { - "description": "To create an Account Head under a different company, select the company and save customer.", - "fieldname": "company", - "fieldtype": "Link", - "in_filter": 1, - "label": "Company", - "oldfieldname": "company", - "oldfieldtype": "Link", - "options": "Company", - "permlevel": 0, - "reqd": 1, + "description": "To create an Account Head under a different company, select the company and save customer.", + "fieldname": "company", + "fieldtype": "Link", + "in_filter": 1, + "label": "Company", + "oldfieldname": "company", + "oldfieldtype": "Link", + "options": "Company", + "permlevel": 0, + "reqd": 1, "search_index": 1 - }, + }, { - "description": "Your Customer's TAX registration numbers (if applicable) or any general information", - "fieldname": "customer_details", - "fieldtype": "Text", - "label": "Customer Details", - "oldfieldname": "customer_details", - "oldfieldtype": "Code", + "description": "Your Customer's TAX registration numbers (if applicable) or any general information", + "fieldname": "customer_details", + "fieldtype": "Text", + "label": "Customer Details", + "oldfieldname": "customer_details", + "oldfieldtype": "Code", "permlevel": 0 - }, + }, { - "fieldname": "column_break3", - "fieldtype": "Column Break", - "permlevel": 0, + "fieldname": "column_break3", + "fieldtype": "Column Break", + "permlevel": 0, "width": "50%" - }, + }, { - "fieldname": "default_currency", - "fieldtype": "Link", - "ignore_restrictions": 1, - "label": "Currency", - "no_copy": 1, - "options": "Currency", + "fieldname": "default_currency", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Currency", + "no_copy": 1, + "options": "Currency", "permlevel": 0 - }, + }, { - "fieldname": "default_price_list", - "fieldtype": "Link", - "ignore_restrictions": 1, - "label": "Price List", - "options": "Price List", + "fieldname": "default_price_list", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Price List", + "options": "Price List", "permlevel": 0 - }, + }, { - "fieldname": "default_taxes_and_charges", - "fieldtype": "Link", - "ignore_restrictions": 1, - "label": "Taxes and Charges", - "options": "Sales Taxes and Charges Master", + "fieldname": "default_taxes_and_charges", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Taxes and Charges", + "options": "Sales Taxes and Charges Master", "permlevel": 0 - }, + }, { - "fieldname": "credit_days", - "fieldtype": "Int", - "label": "Credit Days", - "oldfieldname": "credit_days", - "oldfieldtype": "Int", + "fieldname": "credit_days", + "fieldtype": "Int", + "label": "Credit Days", + "oldfieldname": "credit_days", + "oldfieldtype": "Int", "permlevel": 1 - }, + }, { - "fieldname": "credit_limit", - "fieldtype": "Currency", - "label": "Credit Limit", - "oldfieldname": "credit_limit", - "oldfieldtype": "Currency", - "options": "Company:company:default_currency", + "fieldname": "credit_limit", + "fieldtype": "Currency", + "label": "Credit Limit", + "oldfieldname": "credit_limit", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", "permlevel": 1 - }, + }, { - "fieldname": "website", - "fieldtype": "Data", - "label": "Website", + "fieldname": "website", + "fieldtype": "Data", + "label": "Website", "permlevel": 0 - }, + }, { - "fieldname": "sales_team_section_break", - "fieldtype": "Section Break", - "label": "Sales Team", - "oldfieldtype": "Section Break", - "options": "icon-group", + "fieldname": "sales_team_section_break", + "fieldtype": "Section Break", + "label": "Sales Team", + "oldfieldtype": "Section Break", + "options": "icon-group", "permlevel": 0 - }, + }, { - "fieldname": "default_sales_partner", - "fieldtype": "Link", - "ignore_restrictions": 1, - "label": "Sales Partner", - "oldfieldname": "default_sales_partner", - "oldfieldtype": "Link", - "options": "Sales Partner", + "fieldname": "default_sales_partner", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Sales Partner", + "oldfieldname": "default_sales_partner", + "oldfieldtype": "Link", + "options": "Sales Partner", "permlevel": 0 - }, + }, { - "fieldname": "default_commission_rate", - "fieldtype": "Float", - "label": "Commission Rate", - "oldfieldname": "default_commission_rate", - "oldfieldtype": "Currency", + "fieldname": "default_commission_rate", + "fieldtype": "Float", + "label": "Commission Rate", + "oldfieldname": "default_commission_rate", + "oldfieldtype": "Currency", "permlevel": 0 - }, + }, { - "fieldname": "sales_team", - "fieldtype": "Table", - "label": "Sales Team Details", - "oldfieldname": "sales_team", - "oldfieldtype": "Table", - "options": "Sales Team", + "fieldname": "sales_team", + "fieldtype": "Table", + "label": "Sales Team Details", + "oldfieldname": "sales_team", + "oldfieldtype": "Table", + "options": "Sales Team", "permlevel": 0 - }, + }, { - "fieldname": "communications", - "fieldtype": "Table", - "hidden": 1, - "label": "Communications", - "options": "Communication", - "permlevel": 0, + "fieldname": "communications", + "fieldtype": "Table", + "hidden": 1, + "label": "Communications", + "options": "Communication", + "permlevel": 0, "print_hide": 1 } - ], - "icon": "icon-user", - "idx": 1, - "modified": "2014-05-07 05:36:46.466246", - "modified_by": "Administrator", - "module": "Selling", - "name": "Customer", - "owner": "Administrator", + ], + "icon": "icon-user", + "idx": 1, + "modified": "2014-05-26 03:05:47.563605", + "modified_by": "Administrator", + "module": "Selling", + "name": "Customer", + "owner": "Administrator", "permissions": [ { - "amend": 0, - "cancel": 0, - "create": 1, - "delete": 0, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Sales User", - "submit": 0, + "amend": 0, + "cancel": 0, + "create": 1, + "delete": 0, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Sales User", + "submit": 0, "write": 1 - }, + }, { - "cancel": 0, - "delete": 0, - "permlevel": 1, - "read": 1, + "cancel": 0, + "delete": 0, + "permlevel": 1, + "read": 1, "role": "Sales User" - }, + }, { - "amend": 0, - "cancel": 0, - "create": 1, - "delete": 1, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "restrict": 1, - "role": "Sales Master Manager", - "submit": 0, + "amend": 0, + "cancel": 0, + "create": 1, + "delete": 1, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "set_user_permissions": 1, + "role": "Sales Master Manager", + "submit": 0, "write": 1 - }, + }, { - "cancel": 0, - "delete": 0, - "permlevel": 1, - "read": 1, - "role": "Sales Master Manager", + "cancel": 0, + "delete": 0, + "permlevel": 1, + "read": 1, + "role": "Sales Master Manager", "write": 1 } - ], + ], "search_fields": "customer_name,customer_group,territory" -} \ No newline at end of file +} diff --git a/erpnext/selling/doctype/installation_note/installation_note.json b/erpnext/selling/doctype/installation_note/installation_note.json index 599dd81a56..5097a38168 100644 --- a/erpnext/selling/doctype/installation_note/installation_note.json +++ b/erpnext/selling/doctype/installation_note/installation_note.json @@ -196,7 +196,7 @@ { "fieldname": "amended_from", "fieldtype": "Data", - "ignore_restrictions": 1, + "ignore_user_permissions": 1, "label": "Amended From", "no_copy": 1, "oldfieldname": "amended_from", @@ -235,7 +235,7 @@ "icon": "icon-wrench", "idx": 1, "is_submittable": 1, - "modified": "2014-05-09 02:17:16.592562", + "modified": "2014-05-26 03:05:48.899177", "modified_by": "Administrator", "module": "Selling", "name": "Installation Note", diff --git a/erpnext/selling/doctype/opportunity/opportunity.json b/erpnext/selling/doctype/opportunity/opportunity.json index 9a1b172601..bfb2fe5f10 100644 --- a/erpnext/selling/doctype/opportunity/opportunity.json +++ b/erpnext/selling/doctype/opportunity/opportunity.json @@ -386,7 +386,7 @@ { "fieldname": "amended_from", "fieldtype": "Data", - "ignore_restrictions": 1, + "ignore_user_permissions": 1, "label": "Amended From", "no_copy": 1, "oldfieldname": "amended_from", @@ -409,7 +409,7 @@ "icon": "icon-info-sign", "idx": 1, "is_submittable": 1, - "modified": "2014-05-09 02:16:41.042535", + "modified": "2014-05-26 03:05:50.362530", "modified_by": "Administrator", "module": "Selling", "name": "Opportunity", diff --git a/erpnext/selling/doctype/quotation/quotation.json b/erpnext/selling/doctype/quotation/quotation.json index f4506b25d5..0e76ec42ad 100644 --- a/erpnext/selling/doctype/quotation/quotation.json +++ b/erpnext/selling/doctype/quotation/quotation.json @@ -140,7 +140,7 @@ { "fieldname": "amended_from", "fieldtype": "Data", - "ignore_restrictions": 1, + "ignore_user_permissions": 1, "label": "Amended From", "no_copy": 1, "oldfieldname": "amended_from", @@ -818,7 +818,7 @@ "idx": 1, "is_submittable": 1, "max_attachments": 1, - "modified": "2014-05-09 02:17:19.143693", + "modified": "2014-05-26 03:05:52.328681", "modified_by": "Administrator", "module": "Selling", "name": "Quotation", diff --git a/erpnext/selling/doctype/sales_order/sales_order.json b/erpnext/selling/doctype/sales_order/sales_order.json index 0377880aaa..cf7744dbf5 100644 --- a/erpnext/selling/doctype/sales_order/sales_order.json +++ b/erpnext/selling/doctype/sales_order/sales_order.json @@ -114,7 +114,7 @@ "fieldname": "amended_from", "fieldtype": "Data", "hidden": 1, - "ignore_restrictions": 1, + "ignore_user_permissions": 1, "label": "Amended From", "no_copy": 1, "oldfieldname": "amended_from", @@ -874,7 +874,7 @@ "idx": 1, "is_submittable": 1, "issingle": 0, - "modified": "2014-05-09 02:17:52.206802", + "modified": "2014-05-26 03:05:53.316938", "modified_by": "Administrator", "module": "Selling", "name": "Sales Order", diff --git a/erpnext/selling/doctype/sales_order/test_sales_order.py b/erpnext/selling/doctype/sales_order/test_sales_order.py index 52bde1e880..dbf173c66b 100644 --- a/erpnext/selling/doctype/sales_order/test_sales_order.py +++ b/erpnext/selling/doctype/sales_order/test_sales_order.py @@ -283,7 +283,7 @@ class TestSalesOrder(unittest.TestCase): so.get("sales_order_details")[0].warehouse, 20.0) def test_warehouse_user(self): - frappe.defaults.add_default("Warehouse", "_Test Warehouse 1 - _TC1", "test@example.com", "Restriction") + frappe.defaults.add_default("Warehouse", "_Test Warehouse 1 - _TC1", "test@example.com", "User Permission") frappe.get_doc("User", "test@example.com")\ .add_roles("Sales User", "Sales Manager", "Material User", "Material Manager") @@ -302,7 +302,7 @@ class TestSalesOrder(unittest.TestCase): frappe.set_user("test2@example.com") so.insert() - frappe.defaults.clear_default("Warehouse", "_Test Warehouse 1 - _TC1", "test@example.com", parenttype="Restriction") + frappe.defaults.clear_default("Warehouse", "_Test Warehouse 1 - _TC1", "test@example.com", parenttype="User Permission") test_dependencies = ["Sales BOM", "Currency Exchange"] diff --git a/erpnext/selling/doctype/selling_settings/selling_settings.json b/erpnext/selling/doctype/selling_settings/selling_settings.json index 948d6ad429..25b0819d5d 100644 --- a/erpnext/selling/doctype/selling_settings/selling_settings.json +++ b/erpnext/selling/doctype/selling_settings/selling_settings.json @@ -31,7 +31,6 @@ "fieldname": "cust_master_name", "fieldtype": "Select", "hidden": null, - "ignore_restrictions": null, "in_filter": null, "in_list_view": 1, "label": "Customer Naming By", @@ -59,7 +58,6 @@ "fieldname": "campaign_naming_by", "fieldtype": "Select", "hidden": null, - "ignore_restrictions": null, "in_filter": null, "in_list_view": 1, "label": "Campaign Naming By", @@ -87,7 +85,6 @@ "fieldname": "customer_group", "fieldtype": "Link", "hidden": null, - "ignore_restrictions": null, "in_filter": null, "in_list_view": 1, "label": "Default Customer Group", @@ -115,7 +112,6 @@ "fieldname": "territory", "fieldtype": "Link", "hidden": null, - "ignore_restrictions": null, "in_filter": null, "in_list_view": 1, "label": "Default Territory", @@ -143,7 +139,6 @@ "fieldname": "selling_price_list", "fieldtype": "Link", "hidden": null, - "ignore_restrictions": null, "in_filter": null, "in_list_view": 1, "label": "Default Price List", @@ -171,7 +166,6 @@ "fieldname": "column_break_5", "fieldtype": "Column Break", "hidden": null, - "ignore_restrictions": null, "in_filter": null, "in_list_view": null, "label": null, @@ -199,7 +193,6 @@ "fieldname": "so_required", "fieldtype": "Select", "hidden": null, - "ignore_restrictions": null, "in_filter": null, "in_list_view": null, "label": "Sales Order Required", @@ -227,7 +220,6 @@ "fieldname": "dn_required", "fieldtype": "Select", "hidden": null, - "ignore_restrictions": null, "in_filter": null, "in_list_view": null, "label": "Delivery Note Required", @@ -255,7 +247,6 @@ "fieldname": "maintain_same_sales_rate", "fieldtype": "Check", "hidden": null, - "ignore_restrictions": null, "in_filter": null, "in_list_view": null, "label": "Maintain Same Rate Throughout Sales Cycle", @@ -283,7 +274,6 @@ "fieldname": "editable_price_list_rate", "fieldtype": "Check", "hidden": null, - "ignore_restrictions": null, "in_filter": null, "in_list_view": null, "label": "Allow user to edit Price List Rate in transactions", @@ -341,7 +331,6 @@ "read": 1, "report": null, "restrict": null, - "restricted": null, "role": "System Manager", "submit": null, "write": 1 diff --git a/erpnext/setup/doctype/company/company.json b/erpnext/setup/doctype/company/company.json index a73b8ad6db..ea82facb85 100644 --- a/erpnext/setup/doctype/company/company.json +++ b/erpnext/setup/doctype/company/company.json @@ -63,7 +63,6 @@ { "fieldname": "country", "fieldtype": "Link", - "ignore_restrictions": 0, "in_list_view": 1, "label": "Country", "options": "Country", @@ -73,7 +72,7 @@ { "fieldname": "chart_of_accounts", "fieldtype": "Link", - "ignore_restrictions": 1, + "ignore_user_permissions": 1, "label": "Chart of Accounts", "options": "Chart of Accounts", "permlevel": 0 @@ -90,7 +89,7 @@ "depends_on": "eval:!doc.__islocal", "fieldname": "default_bank_account", "fieldtype": "Link", - "ignore_restrictions": 1, + "ignore_user_permissions": 1, "label": "Default Bank Account", "no_copy": 1, "oldfieldname": "default_bank_account", @@ -102,7 +101,7 @@ { "fieldname": "default_cash_account", "fieldtype": "Link", - "ignore_restrictions": 1, + "ignore_user_permissions": 1, "label": "Default Cash Account", "no_copy": 1, "options": "Account", @@ -113,7 +112,7 @@ "depends_on": "eval:!doc.__islocal", "fieldname": "receivables_group", "fieldtype": "Link", - "ignore_restrictions": 1, + "ignore_user_permissions": 1, "label": "Receivables Group", "no_copy": 1, "oldfieldname": "receivables_group", @@ -126,7 +125,7 @@ "depends_on": "eval:!doc.__islocal", "fieldname": "payables_group", "fieldtype": "Link", - "ignore_restrictions": 1, + "ignore_user_permissions": 1, "label": "Payables Group", "no_copy": 1, "oldfieldname": "payables_group", @@ -138,7 +137,7 @@ { "fieldname": "default_expense_account", "fieldtype": "Link", - "ignore_restrictions": 1, + "ignore_user_permissions": 1, "label": "Default Expense Account", "no_copy": 1, "options": "Account", @@ -147,7 +146,7 @@ { "fieldname": "default_income_account", "fieldtype": "Link", - "ignore_restrictions": 1, + "ignore_user_permissions": 1, "label": "Default Income Account", "no_copy": 1, "options": "Account", @@ -164,7 +163,7 @@ { "fieldname": "default_currency", "fieldtype": "Link", - "ignore_restrictions": 1, + "ignore_user_permissions": 1, "label": "Default Currency", "options": "Currency", "permlevel": 0, @@ -175,7 +174,7 @@ "depends_on": "eval:!doc.__islocal", "fieldname": "cost_center", "fieldtype": "Link", - "ignore_restrictions": 1, + "ignore_user_permissions": 1, "label": "Cost Center", "no_copy": 1, "options": "Cost Center", @@ -235,7 +234,7 @@ { "fieldname": "stock_received_but_not_billed", "fieldtype": "Link", - "ignore_restrictions": 1, + "ignore_user_permissions": 1, "label": "Stock Received But Not Billed", "no_copy": 1, "options": "Account", @@ -245,7 +244,7 @@ { "fieldname": "stock_adjustment_account", "fieldtype": "Link", - "ignore_restrictions": 1, + "ignore_user_permissions": 1, "label": "Stock Adjustment Account", "no_copy": 1, "options": "Account", @@ -255,7 +254,7 @@ { "fieldname": "expenses_included_in_valuation", "fieldtype": "Link", - "ignore_restrictions": 1, + "ignore_user_permissions": 1, "label": "Expenses Included In Valuation", "no_copy": 1, "options": "Account", @@ -349,7 +348,7 @@ ], "icon": "icon-building", "idx": 1, - "modified": "2014-05-07 06:39:40.682148", + "modified": "2014-05-26 03:05:47.284171", "modified_by": "Administrator", "module": "Setup", "name": "Company", diff --git a/erpnext/setup/doctype/customer_group/customer_group.json b/erpnext/setup/doctype/customer_group/customer_group.json index 0189fab2a9..921803f719 100644 --- a/erpnext/setup/doctype/customer_group/customer_group.json +++ b/erpnext/setup/doctype/customer_group/customer_group.json @@ -22,7 +22,7 @@ "description": "Add / Edit", "fieldname": "parent_customer_group", "fieldtype": "Link", - "ignore_restrictions": 1, + "ignore_user_permissions": 1, "in_list_view": 1, "label": "Parent Customer Group", "oldfieldname": "parent_customer_group", @@ -51,7 +51,7 @@ { "fieldname": "default_price_list", "fieldtype": "Link", - "ignore_restrictions": 1, + "ignore_user_permissions": 1, "label": "Default Price List", "options": "Price List", "permlevel": 0 @@ -87,7 +87,7 @@ "fieldname": "old_parent", "fieldtype": "Link", "hidden": 1, - "ignore_restrictions": 1, + "ignore_user_permissions": 1, "label": "old_parent", "no_copy": 1, "oldfieldname": "old_parent", @@ -101,7 +101,7 @@ "icon": "icon-sitemap", "idx": 1, "in_create": 1, - "modified": "2014-05-07 06:39:41.073285", + "modified": "2014-05-26 03:05:47.746202", "modified_by": "Administrator", "module": "Setup", "name": "Customer Group", diff --git a/erpnext/setup/doctype/global_defaults/global_defaults.json b/erpnext/setup/doctype/global_defaults/global_defaults.json index 22997ddaab..fc9c335aaf 100644 --- a/erpnext/setup/doctype/global_defaults/global_defaults.json +++ b/erpnext/setup/doctype/global_defaults/global_defaults.json @@ -24,7 +24,7 @@ "default": "INR", "fieldname": "default_currency", "fieldtype": "Link", - "ignore_restrictions": 1, + "ignore_user_permissions": 1, "in_list_view": 1, "label": "Default Currency", "options": "Currency", @@ -53,7 +53,7 @@ { "fieldname": "default_company", "fieldtype": "Link", - "ignore_restrictions": 1, + "ignore_user_permissions": 1, "label": "Default Company", "options": "Company", "permlevel": 0, @@ -105,7 +105,7 @@ "idx": 1, "in_create": 1, "issingle": 1, - "modified": "2014-05-07 05:25:24.237036", + "modified": "2014-05-26 03:05:48.838329", "modified_by": "Administrator", "module": "Setup", "name": "Global Defaults", diff --git a/erpnext/setup/doctype/item_group/item_group.json b/erpnext/setup/doctype/item_group/item_group.json index a77978ee8b..7f8c519441 100644 --- a/erpnext/setup/doctype/item_group/item_group.json +++ b/erpnext/setup/doctype/item_group/item_group.json @@ -39,7 +39,7 @@ "description": "Add / Edit", "fieldname": "parent_item_group", "fieldtype": "Link", - "ignore_restrictions": 1, + "ignore_user_permissions": 1, "in_list_view": 1, "label": "Parent Item Group", "no_copy": 0, @@ -145,7 +145,7 @@ "fieldname": "old_parent", "fieldtype": "Link", "hidden": 1, - "ignore_restrictions": 1, + "ignore_user_permissions": 1, "label": "old_parent", "no_copy": 1, "oldfieldname": "old_parent", @@ -162,7 +162,7 @@ "in_create": 1, "issingle": 0, "max_attachments": 3, - "modified": "2014-05-16 15:26:47.322787", + "modified": "2014-05-26 03:05:49.376278", "modified_by": "Administrator", "module": "Setup", "name": "Item Group", diff --git a/erpnext/setup/doctype/sales_person/sales_person.json b/erpnext/setup/doctype/sales_person/sales_person.json index 55b32a283b..aa567ea185 100644 --- a/erpnext/setup/doctype/sales_person/sales_person.json +++ b/erpnext/setup/doctype/sales_person/sales_person.json @@ -2,7 +2,7 @@ "allow_import": 1, "allow_rename": 1, "autoname": "field:sales_person_name", - "creation": "2013-01-10 16:34:24.000000", + "creation": "2013-01-10 16:34:24", "description": "All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.", "docstatus": 0, "doctype": "DocType", @@ -19,6 +19,7 @@ "fieldname": "sales_person_name", "fieldtype": "Data", "in_filter": 1, + "in_list_view": 1, "label": "Sales Person Name", "oldfieldname": "sales_person_name", "oldfieldtype": "Data", @@ -30,7 +31,8 @@ "description": "Select company name first.", "fieldname": "parent_sales_person", "fieldtype": "Link", - "ignore_restrictions": 1, + "ignore_user_permissions": 1, + "in_list_view": 1, "label": "Parent Sales Person", "oldfieldname": "parent_sales_person", "oldfieldtype": "Link", @@ -41,6 +43,7 @@ { "fieldname": "is_group", "fieldtype": "Select", + "in_list_view": 1, "label": "Has Child Node", "oldfieldname": "is_group", "oldfieldtype": "Select", @@ -140,7 +143,7 @@ "icon": "icon-user", "idx": 1, "in_create": 1, - "modified": "2014-01-20 17:49:25.000000", + "modified": "2014-05-26 03:05:53.652608", "modified_by": "Administrator", "module": "Setup", "name": "Sales Person", diff --git a/erpnext/setup/doctype/territory/territory.json b/erpnext/setup/doctype/territory/territory.json index ab95e8d73a..12559ff35a 100644 --- a/erpnext/setup/doctype/territory/territory.json +++ b/erpnext/setup/doctype/territory/territory.json @@ -23,7 +23,7 @@ "description": "Add / Edit", "fieldname": "parent_territory", "fieldtype": "Link", - "ignore_restrictions": 1, + "ignore_user_permissions": 1, "in_list_view": 1, "label": "Parent Territory", "oldfieldname": "parent_territory", @@ -95,7 +95,7 @@ "fieldname": "old_parent", "fieldtype": "Link", "hidden": 1, - "ignore_restrictions": 1, + "ignore_user_permissions": 1, "label": "old_parent", "no_copy": 1, "oldfieldname": "old_parent", @@ -136,7 +136,7 @@ "icon": "icon-map-marker", "idx": 1, "in_create": 1, - "modified": "2014-05-07 06:32:11.724588", + "modified": "2014-05-26 03:05:54.517648", "modified_by": "Administrator", "module": "Setup", "name": "Territory", diff --git a/erpnext/stock/doctype/delivery_note/delivery_note.json b/erpnext/stock/doctype/delivery_note/delivery_note.json index 5cc7ea9149..b6125a6807 100644 --- a/erpnext/stock/doctype/delivery_note/delivery_note.json +++ b/erpnext/stock/doctype/delivery_note/delivery_note.json @@ -130,7 +130,7 @@ "allow_on_submit": 0, "fieldname": "amended_from", "fieldtype": "Data", - "ignore_restrictions": 1, + "ignore_user_permissions": 1, "label": "Amended From", "no_copy": 1, "oldfieldname": "amended_from", @@ -999,7 +999,7 @@ "idx": 1, "in_create": 0, "is_submittable": 1, - "modified": "2014-05-09 02:17:22.579628", + "modified": "2014-05-26 03:05:48.020967", "modified_by": "Administrator", "module": "Stock", "name": "Delivery Note", diff --git a/erpnext/stock/doctype/item/item.json b/erpnext/stock/doctype/item/item.json index 92c16f8b90..03febbc70f 100644 --- a/erpnext/stock/doctype/item/item.json +++ b/erpnext/stock/doctype/item/item.json @@ -1,903 +1,903 @@ { - "allow_attach": 1, - "allow_import": 1, - "allow_rename": 1, - "autoname": "field:item_code", - "creation": "2013-05-03 10:45:46", - "default_print_format": "Standard", - "description": "A Product or a Service that is bought, sold or kept in stock.", - "docstatus": 0, - "doctype": "DocType", - "document_type": "Master", + "allow_attach": 1, + "allow_import": 1, + "allow_rename": 1, + "autoname": "field:item_code", + "creation": "2013-05-03 10:45:46", + "default_print_format": "Standard", + "description": "A Product or a Service that is bought, sold or kept in stock.", + "docstatus": 0, + "doctype": "DocType", + "document_type": "Master", "fields": [ { - "fieldname": "name_and_description_section", - "fieldtype": "Section Break", - "label": "Name and Description", - "no_copy": 0, - "oldfieldtype": "Section Break", - "options": "icon-flag", - "permlevel": 0, + "fieldname": "name_and_description_section", + "fieldtype": "Section Break", + "label": "Name and Description", + "no_copy": 0, + "oldfieldtype": "Section Break", + "options": "icon-flag", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "naming_series", - "fieldtype": "Select", - "label": "Series", - "options": "ITEM-", - "permlevel": 0, + "fieldname": "naming_series", + "fieldtype": "Select", + "label": "Series", + "options": "ITEM-", + "permlevel": 0, "read_only": 0 - }, + }, { - "description": "Item will be saved by this name in the data base.", - "fieldname": "item_code", - "fieldtype": "Data", - "in_filter": 0, - "label": "Item Code", - "no_copy": 1, - "oldfieldname": "item_code", - "oldfieldtype": "Data", - "permlevel": 0, - "read_only": 0, - "reqd": 0, + "description": "Item will be saved by this name in the data base.", + "fieldname": "item_code", + "fieldtype": "Data", + "in_filter": 0, + "label": "Item Code", + "no_copy": 1, + "oldfieldname": "item_code", + "oldfieldtype": "Data", + "permlevel": 0, + "read_only": 0, + "reqd": 0, "search_index": 0 - }, + }, { - "fieldname": "item_name", - "fieldtype": "Data", - "in_filter": 1, - "in_list_view": 1, - "label": "Item Name", - "oldfieldname": "item_name", - "oldfieldtype": "Data", - "permlevel": 0, - "read_only": 0, - "reqd": 1, + "fieldname": "item_name", + "fieldtype": "Data", + "in_filter": 1, + "in_list_view": 1, + "label": "Item Name", + "oldfieldname": "item_name", + "oldfieldtype": "Data", + "permlevel": 0, + "read_only": 0, + "reqd": 1, "search_index": 1 - }, + }, { - "description": "Add / Edit", - "fieldname": "item_group", - "fieldtype": "Link", - "in_filter": 1, - "label": "Item Group", - "oldfieldname": "item_group", - "oldfieldtype": "Link", - "options": "Item Group", - "permlevel": 0, - "read_only": 0, + "description": "Add / Edit", + "fieldname": "item_group", + "fieldtype": "Link", + "in_filter": 1, + "label": "Item Group", + "oldfieldname": "item_group", + "oldfieldtype": "Link", + "options": "Item Group", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "description": "Unit of measurement of this item (e.g. Kg, Unit, No, Pair).", - "fieldname": "stock_uom", - "fieldtype": "Link", - "ignore_restrictions": 1, - "label": "Default Unit of Measure", - "oldfieldname": "stock_uom", - "oldfieldtype": "Link", - "options": "UOM", - "permlevel": 0, - "read_only": 0, + "description": "Unit of measurement of this item (e.g. Kg, Unit, No, Pair).", + "fieldname": "stock_uom", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Default Unit of Measure", + "oldfieldname": "stock_uom", + "oldfieldtype": "Link", + "options": "UOM", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "fieldname": "brand", - "fieldtype": "Link", - "hidden": 0, - "label": "Brand", - "oldfieldname": "brand", - "oldfieldtype": "Link", - "options": "Brand", - "permlevel": 0, - "print_hide": 1, - "read_only": 0, + "fieldname": "brand", + "fieldtype": "Link", + "hidden": 0, + "label": "Brand", + "oldfieldname": "brand", + "oldfieldtype": "Link", + "options": "Brand", + "permlevel": 0, + "print_hide": 1, + "read_only": 0, "reqd": 0 - }, + }, { - "fieldname": "barcode", - "fieldtype": "Data", - "label": "Barcode", - "permlevel": 0, + "fieldname": "barcode", + "fieldtype": "Data", + "label": "Barcode", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "column_break0", - "fieldtype": "Column Break", - "permlevel": 0, + "fieldname": "column_break0", + "fieldtype": "Column Break", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "image", - "fieldtype": "Attach", - "label": "Image", - "options": "", - "permlevel": 0, + "fieldname": "image", + "fieldtype": "Attach", + "label": "Image", + "options": "", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "image_view", - "fieldtype": "Image", - "in_list_view": 1, - "label": "Image View", - "options": "image", - "permlevel": 0, + "fieldname": "image_view", + "fieldtype": "Image", + "in_list_view": 1, + "label": "Image View", + "options": "image", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "description", - "fieldtype": "Small Text", - "in_filter": 0, - "in_list_view": 1, - "label": "Description", - "oldfieldname": "description", - "oldfieldtype": "Text", - "permlevel": 0, - "read_only": 0, - "reqd": 1, + "fieldname": "description", + "fieldtype": "Small Text", + "in_filter": 0, + "in_list_view": 1, + "label": "Description", + "oldfieldname": "description", + "oldfieldtype": "Text", + "permlevel": 0, + "read_only": 0, + "reqd": 1, "search_index": 0 - }, + }, { - "fieldname": "description_html", - "fieldtype": "Small Text", - "label": "Description HTML", - "permlevel": 0, + "fieldname": "description_html", + "fieldtype": "Small Text", + "label": "Description HTML", + "permlevel": 0, "read_only": 0 - }, + }, { - "description": "Generates HTML to include selected image in the description", - "fieldname": "add_image", - "fieldtype": "Button", - "label": "Generate Description HTML", - "permlevel": 0, + "description": "Generates HTML to include selected image in the description", + "fieldname": "add_image", + "fieldtype": "Button", + "label": "Generate Description HTML", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "inventory", - "fieldtype": "Section Break", - "label": "Inventory", - "oldfieldtype": "Section Break", - "options": "icon-truck", - "permlevel": 0, + "fieldname": "inventory", + "fieldtype": "Section Break", + "label": "Inventory", + "oldfieldtype": "Section Break", + "options": "icon-truck", + "permlevel": 0, "read_only": 0 - }, + }, { - "default": "Yes", - "description": "Select \"Yes\" if you are maintaining stock of this item in your Inventory.", - "fieldname": "is_stock_item", - "fieldtype": "Select", - "label": "Is Stock Item", - "oldfieldname": "is_stock_item", - "oldfieldtype": "Select", - "options": "Yes\nNo", - "permlevel": 0, - "read_only": 0, + "default": "Yes", + "description": "Select \"Yes\" if you are maintaining stock of this item in your Inventory.", + "fieldname": "is_stock_item", + "fieldtype": "Select", + "label": "Is Stock Item", + "oldfieldname": "is_stock_item", + "oldfieldtype": "Select", + "options": "Yes\nNo", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "depends_on": "eval:doc.is_stock_item==\"Yes\"", - "description": "Mandatory if Stock Item is \"Yes\". Also the default warehouse where reserved quantity is set from Sales Order.", - "fieldname": "default_warehouse", - "fieldtype": "Link", - "ignore_restrictions": 1, - "label": "Default Warehouse", - "oldfieldname": "default_warehouse", - "oldfieldtype": "Link", - "options": "Warehouse", - "permlevel": 0, + "depends_on": "eval:doc.is_stock_item==\"Yes\"", + "description": "Mandatory if Stock Item is \"Yes\". Also the default warehouse where reserved quantity is set from Sales Order.", + "fieldname": "default_warehouse", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Default Warehouse", + "oldfieldname": "default_warehouse", + "oldfieldtype": "Link", + "options": "Warehouse", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "eval:doc.is_stock_item==\"Yes\"", - "description": "Percentage variation in quantity to be allowed while receiving or delivering this item.", - "fieldname": "tolerance", - "fieldtype": "Float", - "label": "Allowance Percent", - "oldfieldname": "tolerance", - "oldfieldtype": "Currency", - "permlevel": 0, + "depends_on": "eval:doc.is_stock_item==\"Yes\"", + "description": "Percentage variation in quantity to be allowed while receiving or delivering this item.", + "fieldname": "tolerance", + "fieldtype": "Float", + "label": "Allowance Percent", + "oldfieldname": "tolerance", + "oldfieldtype": "Currency", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "eval:doc.is_stock_item==\"Yes\"", - "fieldname": "valuation_method", - "fieldtype": "Select", - "label": "Valuation Method", - "options": "\nFIFO\nMoving Average", - "permlevel": 0, + "depends_on": "eval:doc.is_stock_item==\"Yes\"", + "fieldname": "valuation_method", + "fieldtype": "Select", + "label": "Valuation Method", + "options": "\nFIFO\nMoving Average", + "permlevel": 0, "read_only": 0 - }, + }, { - "default": "0.00", - "depends_on": "eval:doc.is_stock_item==\"Yes\"", - "description": "You can enter the minimum quantity of this item to be ordered.", - "fieldname": "min_order_qty", - "fieldtype": "Float", - "hidden": 0, - "label": "Minimum Order Qty", - "oldfieldname": "min_order_qty", - "oldfieldtype": "Currency", - "permlevel": 0, + "default": "0.00", + "depends_on": "eval:doc.is_stock_item==\"Yes\"", + "description": "You can enter the minimum quantity of this item to be ordered.", + "fieldname": "min_order_qty", + "fieldtype": "Float", + "hidden": 0, + "label": "Minimum Order Qty", + "oldfieldname": "min_order_qty", + "oldfieldtype": "Currency", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "eval:doc.is_stock_item==\"Yes\"", - "fieldname": "column_break1", - "fieldtype": "Column Break", - "oldfieldtype": "Column Break", - "permlevel": 0, - "read_only": 0, + "depends_on": "eval:doc.is_stock_item==\"Yes\"", + "fieldname": "column_break1", + "fieldtype": "Column Break", + "oldfieldtype": "Column Break", + "permlevel": 0, + "read_only": 0, "width": "50%" - }, + }, { - "default": "No", - "depends_on": "eval:doc.is_stock_item==\"Yes\"", - "description": "Select \"Yes\" if this item is used for some internal purpose in your company.", - "fieldname": "is_asset_item", - "fieldtype": "Select", - "label": "Is Fixed Asset Item", - "oldfieldname": "is_asset_item", - "oldfieldtype": "Select", - "options": "Yes\nNo", - "permlevel": 0, - "read_only": 0, + "default": "No", + "depends_on": "eval:doc.is_stock_item==\"Yes\"", + "description": "Select \"Yes\" if this item is used for some internal purpose in your company.", + "fieldname": "is_asset_item", + "fieldtype": "Select", + "label": "Is Fixed Asset Item", + "oldfieldname": "is_asset_item", + "oldfieldtype": "Select", + "options": "Yes\nNo", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "default": "No", - "depends_on": "eval:doc.is_stock_item==\"Yes\"", - "fieldname": "has_batch_no", - "fieldtype": "Select", - "label": "Has Batch No", - "oldfieldname": "has_batch_no", - "oldfieldtype": "Select", - "options": "Yes\nNo", - "permlevel": 0, - "read_only": 0, + "default": "No", + "depends_on": "eval:doc.is_stock_item==\"Yes\"", + "fieldname": "has_batch_no", + "fieldtype": "Select", + "label": "Has Batch No", + "oldfieldname": "has_batch_no", + "oldfieldtype": "Select", + "options": "Yes\nNo", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "default": "No", - "depends_on": "eval:doc.is_stock_item==\"Yes\"", - "description": "Selecting \"Yes\" will give a unique identity to each entity of this item which can be viewed in the Serial No master.", - "fieldname": "has_serial_no", - "fieldtype": "Select", - "in_filter": 1, - "label": "Has Serial No", - "oldfieldname": "has_serial_no", - "oldfieldtype": "Select", - "options": "Yes\nNo", - "permlevel": 0, - "read_only": 0, + "default": "No", + "depends_on": "eval:doc.is_stock_item==\"Yes\"", + "description": "Selecting \"Yes\" will give a unique identity to each entity of this item which can be viewed in the Serial No master.", + "fieldname": "has_serial_no", + "fieldtype": "Select", + "in_filter": 1, + "label": "Has Serial No", + "oldfieldname": "has_serial_no", + "oldfieldtype": "Select", + "options": "Yes\nNo", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "depends_on": "eval: doc.has_serial_no===\"Yes\"", - "description": "Example: ABCD.#####\nIf series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.", - "fieldname": "serial_no_series", - "fieldtype": "Data", - "label": "Serial Number Series", - "no_copy": 1, + "depends_on": "eval: doc.has_serial_no===\"Yes\"", + "description": "Example: ABCD.#####\nIf series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.", + "fieldname": "serial_no_series", + "fieldtype": "Data", + "label": "Serial Number Series", + "no_copy": 1, "permlevel": 0 - }, + }, { - "depends_on": "eval:doc.is_stock_item==\"Yes\"", - "fieldname": "warranty_period", - "fieldtype": "Data", - "label": "Warranty Period (in days)", - "oldfieldname": "warranty_period", - "oldfieldtype": "Data", - "permlevel": 0, + "depends_on": "eval:doc.is_stock_item==\"Yes\"", + "fieldname": "warranty_period", + "fieldtype": "Data", + "label": "Warranty Period (in days)", + "oldfieldname": "warranty_period", + "oldfieldtype": "Data", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "eval:doc.is_stock_item==\"Yes\"", - "fieldname": "end_of_life", - "fieldtype": "Date", - "label": "End of Life", - "oldfieldname": "end_of_life", - "oldfieldtype": "Date", - "permlevel": 0, + "depends_on": "eval:doc.is_stock_item==\"Yes\"", + "fieldname": "end_of_life", + "fieldtype": "Date", + "label": "End of Life", + "oldfieldname": "end_of_life", + "oldfieldtype": "Date", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "eval:doc.is_stock_item==\"Yes\"", - "description": "Net Weight of each Item", - "fieldname": "net_weight", - "fieldtype": "Float", - "label": "Net Weight", - "permlevel": 0, + "depends_on": "eval:doc.is_stock_item==\"Yes\"", + "description": "Net Weight of each Item", + "fieldname": "net_weight", + "fieldtype": "Float", + "label": "Net Weight", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "eval:doc.is_stock_item==\"Yes\"", - "fieldname": "weight_uom", - "fieldtype": "Link", - "ignore_restrictions": 1, - "label": "Weight UOM", - "options": "UOM", - "permlevel": 0, + "depends_on": "eval:doc.is_stock_item==\"Yes\"", + "fieldname": "weight_uom", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Weight UOM", + "options": "UOM", + "permlevel": 0, "read_only": 0 - }, + }, { - "description": "Auto-raise Material Request if quantity goes below re-order level in a warehouse", - "fieldname": "reorder_section", - "fieldtype": "Section Break", - "label": "Re-order", - "options": "icon-rss", - "permlevel": 0, + "description": "Auto-raise Material Request if quantity goes below re-order level in a warehouse", + "fieldname": "reorder_section", + "fieldtype": "Section Break", + "label": "Re-order", + "options": "icon-rss", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "eval:doc.is_stock_item==\"Yes\"", - "fieldname": "re_order_level", - "fieldtype": "Float", - "label": "Re-Order Level", - "oldfieldname": "re_order_level", - "oldfieldtype": "Currency", - "permlevel": 0, + "depends_on": "eval:doc.is_stock_item==\"Yes\"", + "fieldname": "re_order_level", + "fieldtype": "Float", + "label": "Re-Order Level", + "oldfieldname": "re_order_level", + "oldfieldtype": "Currency", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "eval:doc.is_stock_item==\"Yes\"", - "fieldname": "re_order_qty", - "fieldtype": "Float", - "label": "Re-Order Qty", - "permlevel": 0, + "depends_on": "eval:doc.is_stock_item==\"Yes\"", + "fieldname": "re_order_qty", + "fieldtype": "Float", + "label": "Re-Order Qty", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "section_break_31", - "fieldtype": "Section Break", - "permlevel": 0, + "fieldname": "section_break_31", + "fieldtype": "Section Break", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "item_reorder", - "fieldtype": "Table", - "label": "Warehouse-wise Item Reorder", - "options": "Item Reorder", - "permlevel": 0, + "fieldname": "item_reorder", + "fieldtype": "Table", + "label": "Warehouse-wise Item Reorder", + "options": "Item Reorder", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "purchase_details", - "fieldtype": "Section Break", - "label": "Purchase Details", - "oldfieldtype": "Section Break", - "options": "icon-shopping-cart", - "permlevel": 0, + "fieldname": "purchase_details", + "fieldtype": "Section Break", + "label": "Purchase Details", + "oldfieldtype": "Section Break", + "options": "icon-shopping-cart", + "permlevel": 0, "read_only": 0 - }, + }, { - "default": "Yes", - "description": "Selecting \"Yes\" will allow this item to appear in Purchase Order , Purchase Receipt.", - "fieldname": "is_purchase_item", - "fieldtype": "Select", - "label": "Is Purchase Item", - "oldfieldname": "is_purchase_item", - "oldfieldtype": "Select", - "options": "Yes\nNo", - "permlevel": 0, - "read_only": 0, + "default": "Yes", + "description": "Selecting \"Yes\" will allow this item to appear in Purchase Order , Purchase Receipt.", + "fieldname": "is_purchase_item", + "fieldtype": "Select", + "label": "Is Purchase Item", + "oldfieldname": "is_purchase_item", + "oldfieldtype": "Select", + "options": "Yes\nNo", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "fieldname": "default_supplier", - "fieldtype": "Link", - "ignore_restrictions": 1, - "label": "Default Supplier", - "options": "Supplier", + "fieldname": "default_supplier", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Default Supplier", + "options": "Supplier", "permlevel": 0 - }, + }, { - "depends_on": "eval:doc.is_purchase_item==\"Yes\"", - "description": "Lead Time days is number of days by which this item is expected in your warehouse. This days is fetched in Material Request when you select this item.", - "fieldname": "lead_time_days", - "fieldtype": "Int", - "label": "Lead Time Days", - "no_copy": 1, - "oldfieldname": "lead_time_days", - "oldfieldtype": "Int", - "permlevel": 0, + "depends_on": "eval:doc.is_purchase_item==\"Yes\"", + "description": "Lead Time days is number of days by which this item is expected in your warehouse. This days is fetched in Material Request when you select this item.", + "fieldname": "lead_time_days", + "fieldtype": "Int", + "label": "Lead Time Days", + "no_copy": 1, + "oldfieldname": "lead_time_days", + "oldfieldtype": "Int", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "eval:doc.is_purchase_item==\"Yes\"", - "description": "Default Purchase Account in which cost of the item will be debited.", - "fieldname": "expense_account", - "fieldtype": "Link", - "ignore_restrictions": 1, - "label": "Default Expense Account", - "oldfieldname": "purchase_account", - "oldfieldtype": "Link", - "options": "Account", - "permlevel": 0, + "depends_on": "eval:doc.is_purchase_item==\"Yes\"", + "description": "Default Purchase Account in which cost of the item will be debited.", + "fieldname": "expense_account", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Default Expense Account", + "oldfieldname": "purchase_account", + "oldfieldtype": "Link", + "options": "Account", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "eval:doc.is_purchase_item==\"Yes\"", - "description": "Default Cost Center for tracking expense for this item.", - "fieldname": "buying_cost_center", - "fieldtype": "Link", - "ignore_restrictions": 1, - "label": "Default Buying Cost Center", - "oldfieldname": "cost_center", - "oldfieldtype": "Link", - "options": "Cost Center", - "permlevel": 0, + "depends_on": "eval:doc.is_purchase_item==\"Yes\"", + "description": "Default Cost Center for tracking expense for this item.", + "fieldname": "buying_cost_center", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Default Buying Cost Center", + "oldfieldname": "cost_center", + "oldfieldtype": "Link", + "options": "Cost Center", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "eval:doc.is_purchase_item==\"Yes\"", - "fieldname": "last_purchase_rate", - "fieldtype": "Float", - "label": "Last Purchase Rate", - "no_copy": 1, - "oldfieldname": "last_purchase_rate", - "oldfieldtype": "Currency", - "permlevel": 0, + "depends_on": "eval:doc.is_purchase_item==\"Yes\"", + "fieldname": "last_purchase_rate", + "fieldtype": "Float", + "label": "Last Purchase Rate", + "no_copy": 1, + "oldfieldname": "last_purchase_rate", + "oldfieldtype": "Currency", + "permlevel": 0, "read_only": 1 - }, + }, { - "depends_on": "eval:doc.is_purchase_item==\"Yes\"", - "fieldname": "column_break2", - "fieldtype": "Column Break", - "oldfieldtype": "Column Break", - "permlevel": 0, - "read_only": 0, + "depends_on": "eval:doc.is_purchase_item==\"Yes\"", + "fieldname": "column_break2", + "fieldtype": "Column Break", + "oldfieldtype": "Column Break", + "permlevel": 0, + "read_only": 0, "width": "50%" - }, + }, { - "depends_on": "eval:doc.is_purchase_item==\"Yes\"", - "fieldname": "uom_conversion_details", - "fieldtype": "Table", - "label": "UOM Conversion Details", - "no_copy": 1, - "oldfieldname": "uom_conversion_details", - "oldfieldtype": "Table", - "options": "UOM Conversion Detail", - "permlevel": 0, + "depends_on": "eval:doc.is_purchase_item==\"Yes\"", + "fieldname": "uom_conversion_details", + "fieldtype": "Table", + "label": "UOM Conversion Details", + "no_copy": 1, + "oldfieldname": "uom_conversion_details", + "oldfieldtype": "Table", + "options": "UOM Conversion Detail", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "eval:doc.is_purchase_item==\"Yes\"", - "fieldname": "manufacturer", - "fieldtype": "Data", - "label": "Manufacturer", - "permlevel": 0, + "depends_on": "eval:doc.is_purchase_item==\"Yes\"", + "fieldname": "manufacturer", + "fieldtype": "Data", + "label": "Manufacturer", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "eval:doc.is_purchase_item==\"Yes\"", - "fieldname": "manufacturer_part_no", - "fieldtype": "Data", - "label": "Manufacturer Part Number", - "permlevel": 0, + "depends_on": "eval:doc.is_purchase_item==\"Yes\"", + "fieldname": "manufacturer_part_no", + "fieldtype": "Data", + "label": "Manufacturer Part Number", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "eval:doc.is_purchase_item==\"Yes\"", - "fieldname": "item_supplier_details", - "fieldtype": "Table", - "label": "Item Supplier Details", - "options": "Item Supplier", - "permlevel": 0, + "depends_on": "eval:doc.is_purchase_item==\"Yes\"", + "fieldname": "item_supplier_details", + "fieldtype": "Table", + "label": "Item Supplier Details", + "options": "Item Supplier", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "sales_details", - "fieldtype": "Section Break", - "label": "Sales Details", - "oldfieldtype": "Section Break", - "options": "icon-tag", - "permlevel": 0, + "fieldname": "sales_details", + "fieldtype": "Section Break", + "label": "Sales Details", + "oldfieldtype": "Section Break", + "options": "icon-tag", + "permlevel": 0, "read_only": 0 - }, + }, { - "default": "Yes", - "description": "Selecting \"Yes\" will allow this item to figure in Sales Order, Delivery Note", - "fieldname": "is_sales_item", - "fieldtype": "Select", - "in_filter": 1, - "label": "Is Sales Item", - "oldfieldname": "is_sales_item", - "oldfieldtype": "Select", - "options": "Yes\nNo", - "permlevel": 0, - "read_only": 0, + "default": "Yes", + "description": "Selecting \"Yes\" will allow this item to figure in Sales Order, Delivery Note", + "fieldname": "is_sales_item", + "fieldtype": "Select", + "in_filter": 1, + "label": "Is Sales Item", + "oldfieldname": "is_sales_item", + "oldfieldtype": "Select", + "options": "Yes\nNo", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "default": "No", - "depends_on": "eval:doc.is_sales_item==\"Yes\"", - "description": "Select \"Yes\" if this item represents some work like training, designing, consulting etc.", - "fieldname": "is_service_item", - "fieldtype": "Select", - "in_filter": 1, - "label": "Is Service Item", - "oldfieldname": "is_service_item", - "oldfieldtype": "Select", - "options": "Yes\nNo", - "permlevel": 0, - "read_only": 0, + "default": "No", + "depends_on": "eval:doc.is_sales_item==\"Yes\"", + "description": "Select \"Yes\" if this item represents some work like training, designing, consulting etc.", + "fieldname": "is_service_item", + "fieldtype": "Select", + "in_filter": 1, + "label": "Is Service Item", + "oldfieldname": "is_service_item", + "oldfieldtype": "Select", + "options": "Yes\nNo", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "depends_on": "eval:doc.is_sales_item==\"Yes\"", - "fieldname": "max_discount", - "fieldtype": "Float", - "label": "Max Discount (%)", - "oldfieldname": "max_discount", - "oldfieldtype": "Currency", - "permlevel": 0, + "depends_on": "eval:doc.is_sales_item==\"Yes\"", + "fieldname": "max_discount", + "fieldtype": "Float", + "label": "Max Discount (%)", + "oldfieldname": "max_discount", + "oldfieldtype": "Currency", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "eval:doc.is_sales_item==\"Yes\"", - "fieldname": "income_account", - "fieldtype": "Link", - "ignore_restrictions": 1, - "label": "Default Income Account", - "options": "Account", - "permlevel": 0, + "depends_on": "eval:doc.is_sales_item==\"Yes\"", + "fieldname": "income_account", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Default Income Account", + "options": "Account", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "eval:doc.is_sales_item==\"Yes\"", - "fieldname": "selling_cost_center", - "fieldtype": "Link", - "ignore_restrictions": 1, - "label": "Default Selling Cost Center", - "options": "Cost Center", - "permlevel": 0, + "depends_on": "eval:doc.is_sales_item==\"Yes\"", + "fieldname": "selling_cost_center", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Default Selling Cost Center", + "options": "Cost Center", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "eval:doc.is_sales_item==\"Yes\"", - "fieldname": "column_break3", - "fieldtype": "Column Break", - "oldfieldtype": "Column Break", - "permlevel": 0, - "read_only": 0, + "depends_on": "eval:doc.is_sales_item==\"Yes\"", + "fieldname": "column_break3", + "fieldtype": "Column Break", + "oldfieldtype": "Column Break", + "permlevel": 0, + "read_only": 0, "width": "50%" - }, + }, { - "depends_on": "eval:doc.is_sales_item==\"Yes\"", - "description": "For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes", - "fieldname": "item_customer_details", - "fieldtype": "Table", - "label": "Customer Codes", - "options": "Item Customer Detail", - "permlevel": 0, + "depends_on": "eval:doc.is_sales_item==\"Yes\"", + "description": "For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes", + "fieldname": "item_customer_details", + "fieldtype": "Table", + "label": "Customer Codes", + "options": "Item Customer Detail", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "item_tax_section_break", - "fieldtype": "Section Break", - "label": "Item Tax", - "oldfieldtype": "Section Break", - "options": "icon-money", - "permlevel": 0, + "fieldname": "item_tax_section_break", + "fieldtype": "Section Break", + "label": "Item Tax", + "oldfieldtype": "Section Break", + "options": "icon-money", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "item_tax", - "fieldtype": "Table", - "label": "Item Tax1", - "oldfieldname": "item_tax", - "oldfieldtype": "Table", - "options": "Item Tax", - "permlevel": 0, + "fieldname": "item_tax", + "fieldtype": "Table", + "label": "Item Tax1", + "oldfieldname": "item_tax", + "oldfieldtype": "Table", + "options": "Item Tax", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "inspection_criteria", - "fieldtype": "Section Break", - "label": "Inspection Criteria", - "oldfieldtype": "Section Break", - "options": "icon-search", - "permlevel": 0, + "fieldname": "inspection_criteria", + "fieldtype": "Section Break", + "label": "Inspection Criteria", + "oldfieldtype": "Section Break", + "options": "icon-search", + "permlevel": 0, "read_only": 0 - }, + }, { - "default": "No", - "fieldname": "inspection_required", - "fieldtype": "Select", - "label": "Inspection Required", - "no_copy": 0, - "oldfieldname": "inspection_required", - "oldfieldtype": "Select", - "options": "\nYes\nNo", - "permlevel": 0, - "read_only": 0, + "default": "No", + "fieldname": "inspection_required", + "fieldtype": "Select", + "label": "Inspection Required", + "no_copy": 0, + "oldfieldname": "inspection_required", + "oldfieldtype": "Select", + "options": "\nYes\nNo", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "depends_on": "eval:doc.inspection_required==\"Yes\"", - "description": "Quality Inspection Parameters", - "fieldname": "item_specification_details", - "fieldtype": "Table", - "label": "Item Quality Inspection Parameter", - "oldfieldname": "item_specification_details", - "oldfieldtype": "Table", - "options": "Item Quality Inspection Parameter", - "permlevel": 0, + "depends_on": "eval:doc.inspection_required==\"Yes\"", + "description": "Quality Inspection Parameters", + "fieldname": "item_specification_details", + "fieldtype": "Table", + "label": "Item Quality Inspection Parameter", + "oldfieldname": "item_specification_details", + "oldfieldtype": "Table", + "options": "Item Quality Inspection Parameter", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "manufacturing", - "fieldtype": "Section Break", - "label": "Manufacturing", - "oldfieldtype": "Section Break", - "options": "icon-cogs", - "permlevel": 0, + "fieldname": "manufacturing", + "fieldtype": "Section Break", + "label": "Manufacturing", + "oldfieldtype": "Section Break", + "options": "icon-cogs", + "permlevel": 0, "read_only": 0 - }, + }, { - "default": "No", - "description": "Selecting \"Yes\" will allow you to create Bill of Material showing raw material and operational costs incurred to manufacture this item.", - "fieldname": "is_manufactured_item", - "fieldtype": "Select", - "label": "Allow Bill of Materials", - "oldfieldname": "is_manufactured_item", - "oldfieldtype": "Select", - "options": "Yes\nNo", - "permlevel": 0, - "read_only": 0, + "default": "No", + "description": "Selecting \"Yes\" will allow you to create Bill of Material showing raw material and operational costs incurred to manufacture this item.", + "fieldname": "is_manufactured_item", + "fieldtype": "Select", + "label": "Allow Bill of Materials", + "oldfieldname": "is_manufactured_item", + "oldfieldtype": "Select", + "options": "Yes\nNo", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "depends_on": "eval:doc.is_manufactured_item==\"Yes\"", - "fieldname": "default_bom", - "fieldtype": "Link", - "ignore_restrictions": 1, - "label": "Default BOM", - "no_copy": 1, - "oldfieldname": "default_bom", - "oldfieldtype": "Link", - "options": "BOM", - "permlevel": 0, + "depends_on": "eval:doc.is_manufactured_item==\"Yes\"", + "fieldname": "default_bom", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Default BOM", + "no_copy": 1, + "oldfieldname": "default_bom", + "oldfieldtype": "Link", + "options": "BOM", + "permlevel": 0, "read_only": 1 - }, + }, { - "default": "No", - "depends_on": "eval:doc.is_manufactured_item==\"Yes\"", - "description": "Selecting \"Yes\" will allow you to make a Production Order for this item.", - "fieldname": "is_pro_applicable", - "fieldtype": "Select", - "label": "Allow Production Order", - "oldfieldname": "is_pro_applicable", - "oldfieldtype": "Select", - "options": "Yes\nNo", - "permlevel": 0, - "read_only": 0, + "default": "No", + "depends_on": "eval:doc.is_manufactured_item==\"Yes\"", + "description": "Selecting \"Yes\" will allow you to make a Production Order for this item.", + "fieldname": "is_pro_applicable", + "fieldtype": "Select", + "label": "Allow Production Order", + "oldfieldname": "is_pro_applicable", + "oldfieldtype": "Select", + "options": "Yes\nNo", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "default": "No", - "description": "Select \"Yes\" if you supply raw materials to your supplier to manufacture this item.", - "fieldname": "is_sub_contracted_item", - "fieldtype": "Select", - "label": "Is Sub Contracted Item", - "oldfieldname": "is_sub_contracted_item", - "oldfieldtype": "Select", - "options": "Yes\nNo", - "permlevel": 0, - "read_only": 0, + "default": "No", + "description": "Select \"Yes\" if you supply raw materials to your supplier to manufacture this item.", + "fieldname": "is_sub_contracted_item", + "fieldtype": "Select", + "label": "Is Sub Contracted Item", + "oldfieldname": "is_sub_contracted_item", + "oldfieldtype": "Select", + "options": "Yes\nNo", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "fieldname": "customer_code", - "fieldtype": "Data", - "hidden": 1, - "in_filter": 1, - "label": "Customer Code", - "no_copy": 1, - "permlevel": 0, - "print_hide": 1, + "fieldname": "customer_code", + "fieldtype": "Data", + "hidden": 1, + "in_filter": 1, + "label": "Customer Code", + "no_copy": 1, + "permlevel": 0, + "print_hide": 1, "read_only": 0 - }, + }, { - "fieldname": "website_section", - "fieldtype": "Section Break", - "label": "Website", - "options": "icon-globe", - "permlevel": 0, + "fieldname": "website_section", + "fieldtype": "Section Break", + "label": "Website", + "options": "icon-globe", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "show_in_website", - "fieldtype": "Check", - "label": "Show in Website", - "permlevel": 0, + "fieldname": "show_in_website", + "fieldtype": "Check", + "label": "Show in Website", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "show_in_website", - "description": "website page link", - "fieldname": "page_name", - "fieldtype": "Data", - "label": "Page Name", - "no_copy": 1, - "permlevel": 0, + "depends_on": "show_in_website", + "description": "website page link", + "fieldname": "page_name", + "fieldtype": "Data", + "label": "Page Name", + "no_copy": 1, + "permlevel": 0, "read_only": 1 - }, + }, { - "depends_on": "show_in_website", - "description": "Products will be sorted by weight-age in default searches. More the weight-age, higher the product will appear in the list.", - "fieldname": "weightage", - "fieldtype": "Int", - "label": "Weightage", - "permlevel": 0, - "read_only": 0, + "depends_on": "show_in_website", + "description": "Products will be sorted by weight-age in default searches. More the weight-age, higher the product will appear in the list.", + "fieldname": "weightage", + "fieldtype": "Int", + "label": "Weightage", + "permlevel": 0, + "read_only": 0, "search_index": 1 - }, + }, { - "depends_on": "show_in_website", - "description": "Show a slideshow at the top of the page", - "fieldname": "slideshow", - "fieldtype": "Link", - "label": "Slideshow", - "options": "Website Slideshow", - "permlevel": 0, + "depends_on": "show_in_website", + "description": "Show a slideshow at the top of the page", + "fieldname": "slideshow", + "fieldtype": "Link", + "label": "Slideshow", + "options": "Website Slideshow", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "show_in_website", - "description": "Item Image (if not slideshow)", - "fieldname": "website_image", - "fieldtype": "Select", - "label": "Image", - "options": "attach_files:", - "permlevel": 0, + "depends_on": "show_in_website", + "description": "Item Image (if not slideshow)", + "fieldname": "website_image", + "fieldtype": "Select", + "label": "Image", + "options": "attach_files:", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "cb72", - "fieldtype": "Column Break", - "permlevel": 0, + "fieldname": "cb72", + "fieldtype": "Column Break", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "show_in_website", - "description": "Show \"In Stock\" or \"Not in Stock\" based on stock available in this warehouse.", - "fieldname": "website_warehouse", - "fieldtype": "Link", - "ignore_restrictions": 1, - "label": "Website Warehouse", - "options": "Warehouse", - "permlevel": 0, + "depends_on": "show_in_website", + "description": "Show \"In Stock\" or \"Not in Stock\" based on stock available in this warehouse.", + "fieldname": "website_warehouse", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Website Warehouse", + "options": "Warehouse", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "show_in_website", - "description": "List this Item in multiple groups on the website.", - "fieldname": "website_item_groups", - "fieldtype": "Table", - "label": "Website Item Groups", - "options": "Website Item Group", - "permlevel": 0, + "depends_on": "show_in_website", + "description": "List this Item in multiple groups on the website.", + "fieldname": "website_item_groups", + "fieldtype": "Table", + "label": "Website Item Groups", + "options": "Website Item Group", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "show_in_website", - "fieldname": "sb72", - "fieldtype": "Section Break", - "permlevel": 0, + "depends_on": "show_in_website", + "fieldname": "sb72", + "fieldtype": "Section Break", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "show_in_website", - "fieldname": "copy_from_item_group", - "fieldtype": "Button", - "label": "Copy From Item Group", - "permlevel": 0, + "depends_on": "show_in_website", + "fieldname": "copy_from_item_group", + "fieldtype": "Button", + "label": "Copy From Item Group", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "show_in_website", - "fieldname": "item_website_specifications", - "fieldtype": "Table", - "label": "Item Website Specifications", - "options": "Item Website Specification", - "permlevel": 0, + "depends_on": "show_in_website", + "fieldname": "item_website_specifications", + "fieldtype": "Table", + "label": "Item Website Specifications", + "options": "Item Website Specification", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "show_in_website", - "fieldname": "web_long_description", - "fieldtype": "Text Editor", - "label": "Website Description", - "permlevel": 0, + "depends_on": "show_in_website", + "fieldname": "web_long_description", + "fieldtype": "Text Editor", + "label": "Website Description", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "parent_website_route", - "fieldtype": "Link", - "ignore_restrictions": 1, - "label": "Parent Website Route", - "no_copy": 1, - "options": "Website Route", + "fieldname": "parent_website_route", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Parent Website Route", + "no_copy": 1, + "options": "Website Route", "permlevel": 0 } - ], - "icon": "icon-tag", - "idx": 1, - "max_attachments": 1, - "modified": "2014-05-29 16:05:53.126214", - "modified_by": "Administrator", - "module": "Stock", - "name": "Item", - "owner": "Administrator", + ], + "icon": "icon-tag", + "idx": 1, + "max_attachments": 1, + "modified": "2014-05-29 16:05:53.126214", + "modified_by": "Administrator", + "module": "Stock", + "name": "Item", + "owner": "Administrator", "permissions": [ { - "cancel": 0, - "create": 1, - "delete": 1, - "email": 1, - "import": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Material Master Manager", - "submit": 0, + "cancel": 0, + "create": 1, + "delete": 1, + "email": 1, + "import": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Material Master Manager", + "submit": 0, "write": 1 - }, + }, { - "amend": 0, - "cancel": 0, - "create": 0, - "delete": 0, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Material Manager", - "submit": 0, + "amend": 0, + "cancel": 0, + "create": 0, + "delete": 0, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Material Manager", + "submit": 0, "write": 0 - }, + }, { - "amend": 0, - "cancel": 0, - "create": 0, - "delete": 0, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Material User", - "submit": 0, + "amend": 0, + "cancel": 0, + "create": 0, + "delete": 0, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Material User", + "submit": 0, "write": 0 - }, + }, { - "permlevel": 0, - "read": 1, + "permlevel": 0, + "read": 1, "role": "Sales User" - }, + }, { - "permlevel": 0, - "read": 1, + "permlevel": 0, + "read": 1, "role": "Purchase User" - }, + }, { - "permlevel": 0, - "read": 1, + "permlevel": 0, + "read": 1, "role": "Maintenance User" - }, + }, { - "permlevel": 0, - "read": 1, + "permlevel": 0, + "read": 1, "role": "Accounts User" - }, + }, { - "permlevel": 0, - "read": 1, + "permlevel": 0, + "read": 1, "role": "Manufacturing User" } - ], + ], "search_fields": "item_name,description,item_group,customer_code" -} \ No newline at end of file +} diff --git a/erpnext/stock/doctype/material_request/material_request.json b/erpnext/stock/doctype/material_request/material_request.json index 0044613e68..1e5ddcd4af 100644 --- a/erpnext/stock/doctype/material_request/material_request.json +++ b/erpnext/stock/doctype/material_request/material_request.json @@ -42,7 +42,7 @@ { "fieldname": "amended_from", "fieldtype": "Data", - "ignore_restrictions": 1, + "ignore_user_permissions": 1, "label": "Amended From", "no_copy": 1, "oldfieldname": "amended_from", @@ -229,7 +229,7 @@ "icon": "icon-ticket", "idx": 1, "is_submittable": 1, - "modified": "2014-05-09 02:17:25.742502", + "modified": "2014-05-26 03:05:50.138188", "modified_by": "Administrator", "module": "Stock", "name": "Material Request", diff --git a/erpnext/stock/doctype/packing_slip/packing_slip.json b/erpnext/stock/doctype/packing_slip/packing_slip.json index ec8cd9baeb..47eb75d553 100644 --- a/erpnext/stock/doctype/packing_slip/packing_slip.json +++ b/erpnext/stock/doctype/packing_slip/packing_slip.json @@ -1,262 +1,262 @@ { - "autoname": "PS.#######", - "creation": "2013-04-11 15:32:24", - "description": "Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.", - "docstatus": 0, - "doctype": "DocType", - "document_type": "Transaction", + "autoname": "PS.#######", + "creation": "2013-04-11 15:32:24", + "description": "Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.", + "docstatus": 0, + "doctype": "DocType", + "document_type": "Transaction", "fields": [ { - "fieldname": "packing_slip_details", - "fieldtype": "Section Break", - "label": "Packing Slip Items", - "permlevel": 0, + "fieldname": "packing_slip_details", + "fieldtype": "Section Break", + "label": "Packing Slip Items", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "column_break0", - "fieldtype": "Column Break", - "permlevel": 0, + "fieldname": "column_break0", + "fieldtype": "Column Break", + "permlevel": 0, "read_only": 0 - }, + }, { - "description": "Indicates that the package is a part of this delivery (Only Draft)", - "fieldname": "delivery_note", - "fieldtype": "Link", - "in_list_view": 1, - "label": "Delivery Note", - "options": "Delivery Note", - "permlevel": 0, - "read_only": 0, + "description": "Indicates that the package is a part of this delivery (Only Draft)", + "fieldname": "delivery_note", + "fieldtype": "Link", + "in_list_view": 1, + "label": "Delivery Note", + "options": "Delivery Note", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "fieldname": "column_break1", - "fieldtype": "Column Break", - "permlevel": 0, + "fieldname": "column_break1", + "fieldtype": "Column Break", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "naming_series", - "fieldtype": "Select", - "label": "Series", - "no_copy": 0, - "options": "PS-", - "permlevel": 0, - "print_hide": 1, - "read_only": 0, + "fieldname": "naming_series", + "fieldtype": "Select", + "label": "Series", + "no_copy": 0, + "options": "PS-", + "permlevel": 0, + "print_hide": 1, + "read_only": 0, "reqd": 1 - }, + }, { - "fieldname": "section_break0", - "fieldtype": "Section Break", - "permlevel": 0, + "fieldname": "section_break0", + "fieldtype": "Section Break", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "column_break2", - "fieldtype": "Column Break", - "permlevel": 0, + "fieldname": "column_break2", + "fieldtype": "Column Break", + "permlevel": 0, "read_only": 0 - }, + }, { - "description": "Identification of the package for the delivery (for print)", - "fieldname": "from_case_no", - "fieldtype": "Data", - "in_list_view": 1, - "label": "From Package No.", - "no_copy": 1, - "permlevel": 0, - "read_only": 0, - "reqd": 1, + "description": "Identification of the package for the delivery (for print)", + "fieldname": "from_case_no", + "fieldtype": "Data", + "in_list_view": 1, + "label": "From Package No.", + "no_copy": 1, + "permlevel": 0, + "read_only": 0, + "reqd": 1, "width": "50px" - }, + }, { - "fieldname": "column_break3", - "fieldtype": "Column Break", - "permlevel": 0, + "fieldname": "column_break3", + "fieldtype": "Column Break", + "permlevel": 0, "read_only": 0 - }, + }, { - "description": "If more than one package of the same type (for print)", - "fieldname": "to_case_no", - "fieldtype": "Data", - "in_list_view": 1, - "label": "To Package No.", - "no_copy": 1, - "permlevel": 0, - "read_only": 0, + "description": "If more than one package of the same type (for print)", + "fieldname": "to_case_no", + "fieldtype": "Data", + "in_list_view": 1, + "label": "To Package No.", + "no_copy": 1, + "permlevel": 0, + "read_only": 0, "width": "50px" - }, + }, { - "fieldname": "package_item_details", - "fieldtype": "Section Break", - "label": "Package Item Details", - "permlevel": 0, + "fieldname": "package_item_details", + "fieldtype": "Section Break", + "label": "Package Item Details", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "get_items", - "fieldtype": "Button", - "label": "Get Items", + "fieldname": "get_items", + "fieldtype": "Button", + "label": "Get Items", "permlevel": 0 - }, + }, { - "fieldname": "item_details", - "fieldtype": "Table", - "label": "Items", - "options": "Packing Slip Item", - "permlevel": 0, + "fieldname": "item_details", + "fieldtype": "Table", + "label": "Items", + "options": "Packing Slip Item", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "package_weight_details", - "fieldtype": "Section Break", - "label": "Package Weight Details", - "permlevel": 0, + "fieldname": "package_weight_details", + "fieldtype": "Section Break", + "label": "Package Weight Details", + "permlevel": 0, "read_only": 0 - }, + }, { - "description": "The net weight of this package. (calculated automatically as sum of net weight of items)", - "fieldname": "net_weight_pkg", - "fieldtype": "Float", - "label": "Net Weight", - "no_copy": 1, - "permlevel": 0, + "description": "The net weight of this package. (calculated automatically as sum of net weight of items)", + "fieldname": "net_weight_pkg", + "fieldtype": "Float", + "label": "Net Weight", + "no_copy": 1, + "permlevel": 0, "read_only": 1 - }, + }, { - "fieldname": "net_weight_uom", - "fieldtype": "Link", - "label": "Net Weight UOM", - "no_copy": 1, - "options": "UOM", - "permlevel": 0, + "fieldname": "net_weight_uom", + "fieldtype": "Link", + "label": "Net Weight UOM", + "no_copy": 1, + "options": "UOM", + "permlevel": 0, "read_only": 1 - }, + }, { - "fieldname": "column_break4", - "fieldtype": "Column Break", - "permlevel": 0, + "fieldname": "column_break4", + "fieldtype": "Column Break", + "permlevel": 0, "read_only": 0 - }, + }, { - "description": "The gross weight of the package. Usually net weight + packaging material weight. (for print)", - "fieldname": "gross_weight_pkg", - "fieldtype": "Float", - "label": "Gross Weight", - "no_copy": 1, - "permlevel": 0, + "description": "The gross weight of the package. Usually net weight + packaging material weight. (for print)", + "fieldname": "gross_weight_pkg", + "fieldtype": "Float", + "label": "Gross Weight", + "no_copy": 1, + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "gross_weight_uom", - "fieldtype": "Link", - "label": "Gross Weight UOM", - "no_copy": 1, - "options": "UOM", - "permlevel": 0, + "fieldname": "gross_weight_uom", + "fieldtype": "Link", + "label": "Gross Weight UOM", + "no_copy": 1, + "options": "UOM", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "misc_details", - "fieldtype": "Section Break", - "label": "Misc Details", - "permlevel": 0, + "fieldname": "misc_details", + "fieldtype": "Section Break", + "label": "Misc Details", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "amended_from", - "fieldtype": "Link", - "ignore_restrictions": 1, - "label": "Amended From", - "no_copy": 1, - "options": "Packing Slip", - "permlevel": 0, - "print_hide": 1, + "fieldname": "amended_from", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Amended From", + "no_copy": 1, + "options": "Packing Slip", + "permlevel": 0, + "print_hide": 1, "read_only": 1 } - ], - "icon": "icon-suitcase", - "idx": 1, - "is_submittable": 1, - "modified": "2014-05-26 03:19:59.409839", - "modified_by": "Administrator", - "module": "Stock", - "name": "Packing Slip", - "owner": "Administrator", + ], + "icon": "icon-suitcase", + "idx": 1, + "is_submittable": 1, + "modified": "2014-05-26 03:07:50.514014", + "modified_by": "Administrator", + "module": "Stock", + "name": "Packing Slip", + "owner": "Administrator", "permissions": [ { - "amend": 1, - "cancel": 1, - "create": 1, - "delete": 1, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Material User", - "submit": 1, + "amend": 1, + "cancel": 1, + "create": 1, + "delete": 1, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Material User", + "submit": 1, "write": 1 - }, + }, { - "amend": 1, - "cancel": 1, - "create": 1, - "delete": 1, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Sales User", - "submit": 1, + "amend": 1, + "cancel": 1, + "create": 1, + "delete": 1, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Sales User", + "submit": 1, "write": 1 - }, + }, { - "amend": 1, - "cancel": 1, - "create": 1, - "delete": 1, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Material Master Manager", - "submit": 1, + "amend": 1, + "cancel": 1, + "create": 1, + "delete": 1, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Material Master Manager", + "submit": 1, "write": 1 - }, + }, { - "amend": 1, - "cancel": 1, - "create": 1, - "delete": 1, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Material Manager", - "submit": 1, + "amend": 1, + "cancel": 1, + "create": 1, + "delete": 1, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Material Manager", + "submit": 1, "write": 1 - }, + }, { - "amend": 1, - "cancel": 1, - "create": 1, - "delete": 1, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Sales Manager", - "submit": 1, + "amend": 1, + "cancel": 1, + "create": 1, + "delete": 1, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Sales Manager", + "submit": 1, "write": 1 } - ], - "read_only_onload": 1, + ], + "read_only_onload": 1, "search_fields": "delivery_note" -} \ No newline at end of file +} diff --git a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.json b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.json index 85216a0c9f..314886efa7 100755 --- a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.json +++ b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.json @@ -518,7 +518,7 @@ "fieldname": "amended_from", "fieldtype": "Data", "hidden": 1, - "ignore_restrictions": 1, + "ignore_user_permissions": 1, "label": "Amended From", "no_copy": 1, "oldfieldname": "amended_from", @@ -754,7 +754,7 @@ "icon": "icon-truck", "idx": 1, "is_submittable": 1, - "modified": "2014-05-09 02:17:29.990590", + "modified": "2014-05-26 03:05:51.846204", "modified_by": "Administrator", "module": "Stock", "name": "Purchase Receipt", diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.json b/erpnext/stock/doctype/stock_entry/stock_entry.json index df475a9a1b..bea673265b 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry.json +++ b/erpnext/stock/doctype/stock_entry/stock_entry.json @@ -539,7 +539,7 @@ "fieldname": "amended_from", "fieldtype": "Link", "hidden": 0, - "ignore_restrictions": 1, + "ignore_user_permissions": 1, "in_filter": 0, "label": "Amended From", "no_copy": 1, @@ -580,7 +580,7 @@ "is_submittable": 1, "issingle": 0, "max_attachments": 0, - "modified": "2014-05-09 02:17:33.093429", + "modified": "2014-05-26 03:05:53.832569", "modified_by": "Administrator", "module": "Stock", "name": "Stock Entry", diff --git a/erpnext/stock/doctype/stock_entry/test_stock_entry.py b/erpnext/stock/doctype/stock_entry/test_stock_entry.py index 2accfb86a2..e2540a3c93 100644 --- a/erpnext/stock/doctype/stock_entry/test_stock_entry.py +++ b/erpnext/stock/doctype/stock_entry/test_stock_entry.py @@ -774,8 +774,8 @@ class TestStockEntry(unittest.TestCase): def test_warehouse_user(self): set_perpetual_inventory(0) - frappe.defaults.add_default("Warehouse", "_Test Warehouse 1 - _TC", "test@example.com", "Restriction") - frappe.defaults.add_default("Warehouse", "_Test Warehouse 2 - _TC1", "test2@example.com", "Restriction") + frappe.defaults.add_default("Warehouse", "_Test Warehouse 1 - _TC", "test@example.com", "User Permission") + frappe.defaults.add_default("Warehouse", "_Test Warehouse 2 - _TC1", "test2@example.com", "User Permission") frappe.get_doc("User", "test@example.com")\ .add_roles("Sales User", "Sales Manager", "Material User", "Material Manager") frappe.get_doc("User", "test2@example.com")\ @@ -795,9 +795,9 @@ class TestStockEntry(unittest.TestCase): st1.submit() frappe.defaults.clear_default("Warehouse", "_Test Warehouse 1 - _TC", - "test@example.com", parenttype="Restriction") + "test@example.com", parenttype="User Permission") frappe.defaults.clear_default("Warehouse", "_Test Warehouse 2 - _TC1", - "test2@example.com", parenttype="Restriction") + "test2@example.com", parenttype="User Permission") def test_freeze_stocks (self): self._clear_stock_account_balance() diff --git a/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.json b/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.json index 70a938b515..d561d0091c 100644 --- a/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.json +++ b/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.json @@ -34,7 +34,7 @@ { "fieldname": "amended_from", "fieldtype": "Link", - "ignore_restrictions": 1, + "ignore_user_permissions": 1, "label": "Amended From", "no_copy": 1, "options": "Stock Reconciliation", @@ -119,7 +119,7 @@ "idx": 1, "is_submittable": 1, "max_attachments": 1, - "modified": "2014-05-09 02:17:34.080012", + "modified": "2014-05-26 03:05:54.024413", "modified_by": "Administrator", "module": "Stock", "name": "Stock Reconciliation", diff --git a/erpnext/support/doctype/customer_issue/customer_issue.json b/erpnext/support/doctype/customer_issue/customer_issue.json index 6c4e22e7d6..0c3515d6c7 100644 --- a/erpnext/support/doctype/customer_issue/customer_issue.json +++ b/erpnext/support/doctype/customer_issue/customer_issue.json @@ -381,7 +381,7 @@ "fieldname": "amended_from", "fieldtype": "Data", "hidden": 1, - "ignore_restrictions": 1, + "ignore_user_permissions": 1, "label": "Amended From", "no_copy": 1, "oldfieldname": "amended_from", @@ -394,7 +394,7 @@ "icon": "icon-bug", "idx": 1, "is_submittable": 0, - "modified": "2014-05-09 02:16:43.267003", + "modified": "2014-05-26 03:05:47.828178", "modified_by": "Administrator", "module": "Support", "name": "Customer Issue", diff --git a/erpnext/support/doctype/maintenance_visit/maintenance_visit.json b/erpnext/support/doctype/maintenance_visit/maintenance_visit.json index ddb258d6fb..f56bd8b4cc 100644 --- a/erpnext/support/doctype/maintenance_visit/maintenance_visit.json +++ b/erpnext/support/doctype/maintenance_visit/maintenance_visit.json @@ -191,7 +191,7 @@ { "fieldname": "amended_from", "fieldtype": "Data", - "ignore_restrictions": 1, + "ignore_user_permissions": 1, "label": "Amended From", "no_copy": 1, "oldfieldname": "amended_from", @@ -278,7 +278,7 @@ "icon": "icon-file-text", "idx": 1, "is_submittable": 1, - "modified": "2014-05-09 02:16:43.663232", + "modified": "2014-05-26 03:05:50.014543", "modified_by": "Administrator", "module": "Support", "name": "Maintenance Visit", diff --git a/erpnext/utilities/doctype/note/note.json b/erpnext/utilities/doctype/note/note.json index 9eab6a18ac..a1cbd5beb9 100644 --- a/erpnext/utilities/doctype/note/note.json +++ b/erpnext/utilities/doctype/note/note.json @@ -1,69 +1,68 @@ { - "allow_rename": 1, - "creation": "2013-05-24 13:41:00.000000", - "description": "Note is a free page where users can share documents / notes", - "docstatus": 0, - "doctype": "DocType", - "document_type": "Transaction", + "allow_rename": 1, + "creation": "2013-05-24 13:41:00.000000", + "description": "Note is a free page where users can share documents / notes", + "docstatus": 0, + "doctype": "DocType", + "document_type": "Transaction", "fields": [ { - "fieldname": "title", - "fieldtype": "Data", - "label": "Title", - "permlevel": 0, + "fieldname": "title", + "fieldtype": "Data", + "label": "Title", + "permlevel": 0, "print_hide": 1 - }, + }, { - "description": "Help: To link to another record in the system, use \"#Form/Note/[Note Name]\" as the Link URL. (don't use \"http://\")", - "fieldname": "content", - "fieldtype": "Text Editor", - "in_list_view": 0, - "label": "Content", + "description": "Help: To link to another record in the system, use \"#Form/Note/[Note Name]\" as the Link URL. (don't use \"http://\")", + "fieldname": "content", + "fieldtype": "Text Editor", + "in_list_view": 0, + "label": "Content", "permlevel": 0 - }, + }, { - "fieldname": "share", - "fieldtype": "Section Break", - "label": "Share", + "fieldname": "share", + "fieldtype": "Section Break", + "label": "Share", "permlevel": 0 - }, + }, { - "description": "Everyone can read", - "fieldname": "public", - "fieldtype": "Check", - "label": "Public", - "permlevel": 0, + "description": "Everyone can read", + "fieldname": "public", + "fieldtype": "Check", + "label": "Public", + "permlevel": 0, "print_hide": 1 - }, + }, { - "fieldname": "share_with", - "fieldtype": "Table", - "label": "Share With", - "options": "Note User", - "permlevel": 0, + "fieldname": "share_with", + "fieldtype": "Table", + "label": "Share With", + "options": "Note User", + "permlevel": 0, "print_hide": 1 } - ], - "icon": "icon-file-text", - "idx": 1, - "modified": "2014-01-22 16:05:35.000000", - "modified_by": "Administrator", - "module": "Utilities", - "name": "Note", - "owner": "Administrator", + ], + "icon": "icon-file-text", + "idx": 1, + "modified": "2014-01-22 16:05:35.000000", + "modified_by": "Administrator", + "module": "Utilities", + "name": "Note", + "owner": "Administrator", "permissions": [ { - "cancel": 0, - "create": 1, - "delete": 1, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "restricted": 1, - "role": "All", + "cancel": 0, + "create": 1, + "delete": 1, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "role": "All", "write": 1 } - ], + ], "read_only_onload": 1 -} \ No newline at end of file +} From a8ce570635b2dcf184562401ef2dbf84f96b4785 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Tue, 27 May 2014 13:46:42 +0530 Subject: [PATCH 067/630] Permission relogication continued --- erpnext/accounts/doctype/account/account.json | 11 +- .../bank_reconciliation.json | 3 +- erpnext/accounts/doctype/c_form/c_form.json | 3 +- .../doctype/cost_center/cost_center.json | 8 +- .../doctype/fiscal_year/fiscal_year.json | 10 +- .../accounts/doctype/gl_entry/gl_entry.json | 5 +- .../journal_voucher/journal_voucher.json | 4 +- .../mode_of_payment/mode_of_payment.json | 3 +- .../doctype/pos_setting/pos_setting.json | 5 +- .../purchase_invoice/purchase_invoice.json | 6 +- .../doctype/sales_invoice/sales_invoice.json | 4 +- .../sales_taxes_and_charges_master.json | 11 +- .../doctype/shipping_rule/shipping_rule.json | 8 +- erpnext/accounts/party.py | 4 +- .../purchase_order/purchase_order.json | 5 +- erpnext/buying/doctype/supplier/supplier.json | 6 +- .../supplier_quotation.json | 5 +- .../doctype/party_type/party_type.json | 4 +- erpnext/home/doctype/feed/feed.json | 3 +- erpnext/hooks.py | 2 +- erpnext/hr/doctype/appraisal/appraisal.json | 3 +- .../appraisal_template.json | 8 +- erpnext/hr/doctype/attendance/attendance.json | 3 +- erpnext/hr/doctype/branch/branch.json | 5 +- .../deduction_type/deduction_type.json | 4 +- erpnext/hr/doctype/department/department.json | 4 +- .../hr/doctype/designation/designation.json | 4 +- .../hr/doctype/earning_type/earning_type.json | 4 +- erpnext/hr/doctype/employee/employee.json | 1106 ++++++++--------- erpnext/hr/doctype/employee/employee.py | 46 +- .../employment_type/employment_type.json | 5 +- .../doctype/expense_claim/expense_claim.json | 4 +- .../doctype/job_applicant/job_applicant.json | 6 +- .../hr/doctype/job_opening/job_opening.json | 9 +- .../leave_allocation/leave_allocation.json | 2 +- .../leave_application/leave_application.json | 425 +++---- .../test_leave_application.py | 4 +- .../leave_block_list/leave_block_list.json | 9 +- erpnext/hr/doctype/leave_type/leave_type.json | 6 +- .../hr/doctype/salary_slip/salary_slip.json | 4 +- .../salary_structure/salary_structure.json | 3 +- erpnext/manufacturing/doctype/bom/bom.json | 3 +- .../production_order/production_order.json | 4 +- .../doctype/workstation/workstation.json | 4 +- .../doctype/activity_type/activity_type.json | 6 +- erpnext/projects/doctype/project/project.json | 4 +- erpnext/projects/doctype/task/task.json | 6 +- .../projects/doctype/time_log/time_log.json | 2 +- .../time_log_batch/time_log_batch.json | 3 +- .../selling/doctype/campaign/campaign.json | 6 +- .../selling/doctype/customer/customer.json | 525 ++++---- .../doctype/industry_type/industry_type.json | 6 +- .../installation_note/installation_note.json | 3 +- erpnext/selling/doctype/lead/lead.json | 5 +- .../doctype/opportunity/opportunity.json | 3 +- .../selling/doctype/quotation/quotation.json | 5 +- .../selling/doctype/sales_bom/sales_bom.json | 10 +- .../doctype/sales_order/sales_order.json | 7 +- erpnext/setup/doctype/brand/brand.json | 8 +- erpnext/setup/doctype/company/company.json | 4 +- erpnext/setup/doctype/country/country.json | 11 +- erpnext/setup/doctype/currency/currency.json | 8 +- .../currency_exchange/currency_exchange.json | 11 +- .../customer_group/customer_group.json | 6 +- .../setup/doctype/item_group/item_group.json | 12 +- .../doctype/print_heading/print_heading.json | 4 +- .../doctype/sales_partner/sales_partner.json | 12 +- .../doctype/sales_person/sales_person.json | 6 +- .../doctype/supplier_type/supplier_type.json | 6 +- .../terms_and_conditions.json | 10 +- .../setup/doctype/territory/territory.json | 8 +- erpnext/setup/doctype/uom/uom.json | 10 +- erpnext/stock/doctype/bin/bin.json | 8 +- .../doctype/delivery_note/delivery_note.json | 6 +- erpnext/stock/doctype/item/item.json | 9 +- .../material_request/material_request.json | 4 +- .../doctype/packing_slip/packing_slip.json | 4 +- .../stock/doctype/price_list/price_list.json | 8 +- .../purchase_receipt/purchase_receipt.json | 6 +- .../stock/doctype/serial_no/serial_no.json | 6 +- .../doctype/stock_entry/stock_entry.json | 4 +- .../stock_ledger_entry.json | 4 +- .../stock/doctype/warehouse/warehouse.json | 9 +- .../customer_issue/customer_issue.json | 4 +- .../maintenance_visit/maintenance_visit.json | 3 +- .../support_ticket/support_ticket.json | 461 ++++--- .../utilities/doctype/address/address.json | 10 +- .../utilities/doctype/contact/contact.json | 17 +- erpnext/utilities/doctype/note/note.json | 102 +- 89 files changed, 1611 insertions(+), 1546 deletions(-) diff --git a/erpnext/accounts/doctype/account/account.json b/erpnext/accounts/doctype/account/account.json index ccb0d24502..ab8830543d 100644 --- a/erpnext/accounts/doctype/account/account.json +++ b/erpnext/accounts/doctype/account/account.json @@ -218,7 +218,7 @@ "permissions": [ { "amend": 0, - "cancel": 0, + "apply_user_permissions": 1, "create": 1, "delete": 1, "email": 1, @@ -234,7 +234,7 @@ }, { "amend": 0, - "cancel": 0, + "apply_user_permissions": 1, "create": 0, "delete": 0, "email": 1, @@ -248,7 +248,7 @@ }, { "amend": 0, - "cancel": 0, + "apply_user_permissions": 1, "create": 0, "delete": 0, "email": 1, @@ -262,7 +262,7 @@ }, { "amend": 0, - "cancel": 0, + "apply_user_permissions": 1, "create": 0, "delete": 0, "email": 1, @@ -288,7 +288,6 @@ }, { "amend": 0, - "cancel": 0, "create": 1, "delete": 1, "email": 1, @@ -298,8 +297,8 @@ "print": 1, "read": 1, "report": 1, - "set_user_permissions": 1, "role": "Accounts Manager", + "set_user_permissions": 1, "submit": 0, "write": 1 }, diff --git a/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.json b/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.json index d0757fd493..6af86edb4d 100644 --- a/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.json +++ b/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.json @@ -85,7 +85,7 @@ "icon": "icon-check", "idx": 1, "issingle": 1, - "modified": "2014-05-06 16:26:08.984595", + "modified": "2014-05-27 03:37:21.783216", "modified_by": "Administrator", "module": "Accounts", "name": "Bank Reconciliation", @@ -93,6 +93,7 @@ "permissions": [ { "amend": 0, + "apply_user_permissions": 0, "cancel": 0, "create": 1, "permlevel": 0, diff --git a/erpnext/accounts/doctype/c_form/c_form.json b/erpnext/accounts/doctype/c_form/c_form.json index 6ba4578cc4..8782a114cc 100644 --- a/erpnext/accounts/doctype/c_form/c_form.json +++ b/erpnext/accounts/doctype/c_form/c_form.json @@ -139,13 +139,14 @@ "idx": 1, "is_submittable": 1, "max_attachments": 3, - "modified": "2014-05-26 03:05:47.144265", + "modified": "2014-05-27 03:49:08.272135", "modified_by": "Administrator", "module": "Accounts", "name": "C-Form", "owner": "Administrator", "permissions": [ { + "apply_user_permissions": 1, "create": 1, "email": 1, "permlevel": 0, diff --git a/erpnext/accounts/doctype/cost_center/cost_center.json b/erpnext/accounts/doctype/cost_center/cost_center.json index 2e3efc1cd0..36cb6ae7e9 100644 --- a/erpnext/accounts/doctype/cost_center/cost_center.json +++ b/erpnext/accounts/doctype/cost_center/cost_center.json @@ -145,7 +145,7 @@ "icon": "icon-money", "idx": 1, "in_create": 1, - "modified": "2014-05-26 03:05:47.474366", + "modified": "2014-05-27 03:49:08.910126", "modified_by": "Administrator", "module": "Accounts", "name": "Cost Center", @@ -153,7 +153,6 @@ "permissions": [ { "amend": 0, - "cancel": 0, "create": 1, "delete": 1, "email": 1, @@ -167,7 +166,7 @@ }, { "amend": 0, - "cancel": 0, + "apply_user_permissions": 1, "create": 0, "delete": 0, "email": 1, @@ -180,16 +179,19 @@ "write": 0 }, { + "apply_user_permissions": 1, "permlevel": 0, "read": 1, "role": "Sales User" }, { + "apply_user_permissions": 1, "permlevel": 0, "read": 1, "role": "Purchase User" }, { + "apply_user_permissions": 1, "permlevel": 0, "read": 1, "role": "Material User" diff --git a/erpnext/accounts/doctype/fiscal_year/fiscal_year.json b/erpnext/accounts/doctype/fiscal_year/fiscal_year.json index 314dfab1a7..dcd5a7608c 100644 --- a/erpnext/accounts/doctype/fiscal_year/fiscal_year.json +++ b/erpnext/accounts/doctype/fiscal_year/fiscal_year.json @@ -1,7 +1,7 @@ { "allow_import": 1, "autoname": "field:year", - "creation": "2013-01-22 16:50:25.000000", + "creation": "2013-01-22 16:50:25", "description": "**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.", "docstatus": 0, "doctype": "DocType", @@ -11,6 +11,7 @@ "description": "For e.g. 2012, 2012-13", "fieldname": "year", "fieldtype": "Data", + "in_list_view": 1, "label": "Year Name", "oldfieldname": "year", "oldfieldtype": "Data", @@ -20,6 +21,7 @@ { "fieldname": "year_start_date", "fieldtype": "Date", + "in_list_view": 1, "label": "Year Start Date", "no_copy": 1, "oldfieldname": "year_start_date", @@ -30,6 +32,7 @@ { "fieldname": "year_end_date", "fieldtype": "Date", + "in_list_view": 1, "label": "Year End Date", "no_copy": 1, "permlevel": 0, @@ -40,6 +43,7 @@ "description": "Entries are not allowed against this Fiscal Year if the year is closed.", "fieldname": "is_fiscal_year_closed", "fieldtype": "Select", + "in_list_view": 1, "label": "Year Closed", "no_copy": 1, "oldfieldname": "is_fiscal_year_closed", @@ -51,14 +55,13 @@ ], "icon": "icon-calendar", "idx": 1, - "modified": "2014-01-20 17:48:46.000000", + "modified": "2014-05-27 03:49:10.942338", "modified_by": "Administrator", "module": "Accounts", "name": "Fiscal Year", "owner": "Administrator", "permissions": [ { - "cancel": 0, "create": 1, "delete": 1, "email": 1, @@ -71,6 +74,7 @@ "write": 1 }, { + "apply_user_permissions": 1, "delete": 0, "email": 1, "permlevel": 0, diff --git a/erpnext/accounts/doctype/gl_entry/gl_entry.json b/erpnext/accounts/doctype/gl_entry/gl_entry.json index e6290a3835..7f7d2bcfcf 100644 --- a/erpnext/accounts/doctype/gl_entry/gl_entry.json +++ b/erpnext/accounts/doctype/gl_entry/gl_entry.json @@ -186,7 +186,7 @@ "icon": "icon-list", "idx": 1, "in_create": 1, - "modified": "2014-05-09 02:16:29.981405", + "modified": "2014-05-27 03:49:10.998572", "modified_by": "Administrator", "module": "Accounts", "name": "GL Entry", @@ -194,7 +194,7 @@ "permissions": [ { "amend": 0, - "cancel": 0, + "apply_user_permissions": 1, "create": 0, "email": 1, "permlevel": 0, @@ -207,7 +207,6 @@ }, { "amend": 0, - "cancel": 0, "create": 0, "email": 1, "permlevel": 0, diff --git a/erpnext/accounts/doctype/journal_voucher/journal_voucher.json b/erpnext/accounts/doctype/journal_voucher/journal_voucher.json index bafc6df9c6..ac402662b6 100644 --- a/erpnext/accounts/doctype/journal_voucher/journal_voucher.json +++ b/erpnext/accounts/doctype/journal_voucher/journal_voucher.json @@ -440,7 +440,7 @@ "icon": "icon-file-text", "idx": 1, "is_submittable": 1, - "modified": "2014-05-26 03:05:49.482476", + "modified": "2014-05-27 03:49:12.326026", "modified_by": "Administrator", "module": "Accounts", "name": "Journal Voucher", @@ -448,6 +448,7 @@ "permissions": [ { "amend": 1, + "apply_user_permissions": 1, "cancel": 1, "create": 1, "delete": 1, @@ -476,6 +477,7 @@ }, { "amend": 0, + "apply_user_permissions": 1, "cancel": 0, "create": 0, "delete": 0, diff --git a/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.json b/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.json index decdc0ad65..2ad9897b05 100644 --- a/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.json +++ b/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.json @@ -41,7 +41,7 @@ ], "icon": "icon-credit-card", "idx": 1, - "modified": "2014-05-26 03:05:50.299354", + "modified": "2014-05-27 03:49:13.846602", "modified_by": "Administrator", "module": "Accounts", "name": "Mode of Payment", @@ -59,6 +59,7 @@ "write": 1 }, { + "apply_user_permissions": 1, "permlevel": 0, "read": 1, "report": 1, diff --git a/erpnext/accounts/doctype/pos_setting/pos_setting.json b/erpnext/accounts/doctype/pos_setting/pos_setting.json index 5bc3a07fcc..27d79f31df 100755 --- a/erpnext/accounts/doctype/pos_setting/pos_setting.json +++ b/erpnext/accounts/doctype/pos_setting/pos_setting.json @@ -205,14 +205,13 @@ ], "icon": "icon-cog", "idx": 1, - "modified": "2014-05-09 02:17:34.814856", + "modified": "2014-05-27 03:49:14.735138", "modified_by": "Administrator", "module": "Accounts", "name": "POS Setting", "owner": "Administrator", "permissions": [ { - "cancel": 0, "create": 1, "delete": 1, "email": 1, @@ -225,7 +224,7 @@ "write": 1 }, { - "cancel": 0, + "apply_user_permissions": 1, "delete": 0, "email": 1, "permlevel": 0, diff --git a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.json b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.json index 23bf3d810d..dfe57048ee 100755 --- a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.json +++ b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.json @@ -744,7 +744,7 @@ "icon": "icon-file-text", "idx": 1, "is_submittable": 1, - "modified": "2014-05-26 03:05:50.996094", + "modified": "2014-05-27 03:49:15.589404", "modified_by": "Administrator", "module": "Accounts", "name": "Purchase Invoice", @@ -752,6 +752,7 @@ "permissions": [ { "amend": 0, + "apply_user_permissions": 1, "cancel": 0, "create": 0, "delete": 0, @@ -766,6 +767,7 @@ }, { "amend": 0, + "apply_user_permissions": 1, "cancel": 0, "create": 0, "delete": 0, @@ -780,6 +782,7 @@ }, { "amend": 0, + "apply_user_permissions": 1, "cancel": 0, "create": 0, "delete": 0, @@ -808,6 +811,7 @@ }, { "amend": 0, + "apply_user_permissions": 1, "cancel": 0, "create": 0, "delete": 0, diff --git a/erpnext/accounts/doctype/sales_invoice/sales_invoice.json b/erpnext/accounts/doctype/sales_invoice/sales_invoice.json index 5d3c50f243..983f2bb405 100644 --- a/erpnext/accounts/doctype/sales_invoice/sales_invoice.json +++ b/erpnext/accounts/doctype/sales_invoice/sales_invoice.json @@ -1180,7 +1180,7 @@ "icon": "icon-file-text", "idx": 1, "is_submittable": 1, - "modified": "2014-05-26 03:05:52.871209", + "modified": "2014-05-27 03:49:17.806077", "modified_by": "Administrator", "module": "Accounts", "name": "Sales Invoice", @@ -1202,6 +1202,7 @@ }, { "amend": 1, + "apply_user_permissions": 1, "cancel": 0, "create": 1, "delete": 0, @@ -1215,6 +1216,7 @@ "write": 1 }, { + "apply_user_permissions": 1, "cancel": 0, "delete": 0, "email": 1, diff --git a/erpnext/accounts/doctype/sales_taxes_and_charges_master/sales_taxes_and_charges_master.json b/erpnext/accounts/doctype/sales_taxes_and_charges_master/sales_taxes_and_charges_master.json index 81cd189d35..47d385be6a 100644 --- a/erpnext/accounts/doctype/sales_taxes_and_charges_master/sales_taxes_and_charges_master.json +++ b/erpnext/accounts/doctype/sales_taxes_and_charges_master/sales_taxes_and_charges_master.json @@ -2,7 +2,7 @@ "allow_import": 1, "allow_rename": 1, "autoname": "field:title", - "creation": "2013-01-10 16:34:09.000000", + "creation": "2013-01-10 16:34:09", "description": "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.\n\n#### Note\n\nThe 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.\n\n#### Description of Columns\n\n1. Calculation Type: \n - This can be on **Net Total** (that is the sum of basic amount).\n - **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.\n - **Actual** (as mentioned).\n2. Account Head: The Account ledger under which this tax will be booked\n3. Cost Center: If the tax / charge is an income (like shipping) or expense it needs to be booked against a Cost Center.\n4. Description: Description of the tax (that will be printed in invoices / quotes).\n5. Rate: Tax rate.\n6. Amount: Tax amount.\n7. Total: Cumulative total to this point.\n8. 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).\n9. 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.", "docstatus": 0, "doctype": "DocType", @@ -12,6 +12,7 @@ "fieldname": "title", "fieldtype": "Data", "in_filter": 1, + "in_list_view": 1, "label": "Title", "oldfieldname": "title", "oldfieldtype": "Data", @@ -22,6 +23,7 @@ { "fieldname": "is_default", "fieldtype": "Check", + "in_list_view": 1, "label": "Default", "permlevel": 0 }, @@ -34,6 +36,7 @@ "fieldname": "company", "fieldtype": "Link", "in_filter": 1, + "in_list_view": 1, "label": "Company", "oldfieldname": "company", "oldfieldtype": "Link", @@ -69,7 +72,7 @@ ], "icon": "icon-money", "idx": 1, - "modified": "2014-01-28 12:28:27.000000", + "modified": "2014-05-27 03:49:19.023941", "modified_by": "Administrator", "module": "Accounts", "name": "Sales Taxes and Charges Master", @@ -77,7 +80,7 @@ "permissions": [ { "amend": 0, - "cancel": 0, + "apply_user_permissions": 1, "create": 0, "delete": 0, "email": 1, @@ -91,7 +94,6 @@ }, { "amend": 0, - "cancel": 0, "create": 1, "delete": 1, "email": 1, @@ -105,7 +107,6 @@ }, { "amend": 0, - "cancel": 0, "create": 1, "delete": 1, "email": 1, diff --git a/erpnext/accounts/doctype/shipping_rule/shipping_rule.json b/erpnext/accounts/doctype/shipping_rule/shipping_rule.json index d46bfdf37d..1701c88ba2 100644 --- a/erpnext/accounts/doctype/shipping_rule/shipping_rule.json +++ b/erpnext/accounts/doctype/shipping_rule/shipping_rule.json @@ -1,6 +1,6 @@ { "autoname": "Prompt", - "creation": "2013-06-25 11:48:03.000000", + "creation": "2013-06-25 11:48:03", "description": "Specify conditions to calculate shipping amount", "docstatus": 0, "doctype": "DocType", @@ -102,13 +102,14 @@ ], "icon": "icon-truck", "idx": 1, - "modified": "2014-01-20 17:49:27.000000", + "modified": "2014-05-27 03:49:19.387875", "modified_by": "Administrator", "module": "Accounts", "name": "Shipping Rule", "owner": "Administrator", "permissions": [ { + "apply_user_permissions": 1, "delete": 0, "email": 1, "permlevel": 0, @@ -118,6 +119,7 @@ "role": "Accounts User" }, { + "apply_user_permissions": 1, "delete": 0, "email": 1, "permlevel": 0, @@ -127,7 +129,6 @@ "role": "Sales User" }, { - "cancel": 1, "create": 1, "delete": 1, "email": 1, @@ -139,7 +140,6 @@ "write": 1 }, { - "cancel": 1, "create": 1, "delete": 1, "email": 1, diff --git a/erpnext/accounts/party.py b/erpnext/accounts/party.py index 539ebd1a93..9792da1b26 100644 --- a/erpnext/accounts/party.py +++ b/erpnext/accounts/party.py @@ -86,9 +86,9 @@ def set_other_values(out, party, party_type): def set_price_list(out, party, party_type, given_price_list): # price list - price_list = get_user_permissions().get("Price List") + price_list = filter(None, get_user_permissions().get("Price List", [])) if isinstance(price_list, list): - price_list = None + price_list = price_list[0] if len(price_list)==1 else None if not price_list: price_list = party.default_price_list diff --git a/erpnext/buying/doctype/purchase_order/purchase_order.json b/erpnext/buying/doctype/purchase_order/purchase_order.json index 839e788186..d293683ef4 100644 --- a/erpnext/buying/doctype/purchase_order/purchase_order.json +++ b/erpnext/buying/doctype/purchase_order/purchase_order.json @@ -636,7 +636,7 @@ "icon": "icon-file-text", "idx": 1, "is_submittable": 1, - "modified": "2014-05-26 03:05:51.544591", + "modified": "2014-05-27 03:49:15.948363", "modified_by": "Administrator", "module": "Buying", "name": "Purchase Order", @@ -644,6 +644,7 @@ "permissions": [ { "amend": 0, + "apply_user_permissions": 1, "cancel": 0, "create": 0, "delete": 0, @@ -672,6 +673,7 @@ }, { "amend": 1, + "apply_user_permissions": 1, "cancel": 1, "create": 1, "delete": 1, @@ -685,6 +687,7 @@ "write": 1 }, { + "apply_user_permissions": 1, "cancel": 0, "delete": 0, "email": 1, diff --git a/erpnext/buying/doctype/supplier/supplier.json b/erpnext/buying/doctype/supplier/supplier.json index c418d0191e..752f342cf2 100644 --- a/erpnext/buying/doctype/supplier/supplier.json +++ b/erpnext/buying/doctype/supplier/supplier.json @@ -186,7 +186,7 @@ ], "icon": "icon-user", "idx": 1, - "modified": "2014-05-26 03:05:54.108284", + "modified": "2014-05-27 03:49:20.060872", "modified_by": "Administrator", "module": "Buying", "name": "Supplier", @@ -194,7 +194,6 @@ "permissions": [ { "amend": 0, - "cancel": 0, "create": 0, "delete": 0, "email": 1, @@ -208,7 +207,6 @@ }, { "amend": 0, - "cancel": 0, "create": 1, "delete": 1, "email": 1, @@ -221,11 +219,13 @@ "write": 1 }, { + "apply_user_permissions": 1, "permlevel": 0, "read": 1, "role": "Material User" }, { + "apply_user_permissions": 1, "permlevel": 0, "read": 1, "role": "Accounts User" diff --git a/erpnext/buying/doctype/supplier_quotation/supplier_quotation.json b/erpnext/buying/doctype/supplier_quotation/supplier_quotation.json index e41d59be0d..19b0283c50 100644 --- a/erpnext/buying/doctype/supplier_quotation/supplier_quotation.json +++ b/erpnext/buying/doctype/supplier_quotation/supplier_quotation.json @@ -562,7 +562,7 @@ "icon": "icon-shopping-cart", "idx": 1, "is_submittable": 1, - "modified": "2014-05-26 03:05:54.245409", + "modified": "2014-05-27 03:49:20.226683", "modified_by": "Administrator", "module": "Buying", "name": "Supplier Quotation", @@ -598,6 +598,7 @@ }, { "amend": 1, + "apply_user_permissions": 1, "cancel": 0, "create": 1, "delete": 0, @@ -612,6 +613,7 @@ }, { "amend": 0, + "apply_user_permissions": 1, "cancel": 0, "create": 0, "delete": 0, @@ -626,6 +628,7 @@ }, { "amend": 0, + "apply_user_permissions": 1, "cancel": 0, "create": 0, "delete": 0, diff --git a/erpnext/contacts/doctype/party_type/party_type.json b/erpnext/contacts/doctype/party_type/party_type.json index e5e99d6279..0f9e760cc8 100644 --- a/erpnext/contacts/doctype/party_type/party_type.json +++ b/erpnext/contacts/doctype/party_type/party_type.json @@ -64,13 +64,14 @@ "read_only": 1 } ], - "modified": "2014-05-26 03:05:50.667527", + "modified": "2014-05-27 03:49:14.598212", "modified_by": "Administrator", "module": "Contacts", "name": "Party Type", "owner": "Administrator", "permissions": [ { + "apply_user_permissions": 1, "create": 1, "permlevel": 0, "read": 1, @@ -78,6 +79,7 @@ "write": 1 }, { + "apply_user_permissions": 1, "create": 1, "permlevel": 0, "read": 1, diff --git a/erpnext/home/doctype/feed/feed.json b/erpnext/home/doctype/feed/feed.json index 151366102a..a4018703c2 100644 --- a/erpnext/home/doctype/feed/feed.json +++ b/erpnext/home/doctype/feed/feed.json @@ -48,7 +48,7 @@ ], "icon": "icon-rss", "idx": 1, - "modified": "2014-05-02 08:27:23.936733", + "modified": "2014-05-27 03:49:10.882587", "modified_by": "Administrator", "module": "Home", "name": "Feed", @@ -63,6 +63,7 @@ "role": "System Manager" }, { + "apply_user_permissions": 1, "permlevel": 0, "read": 1, "role": "All" diff --git a/erpnext/hooks.py b/erpnext/hooks.py index 58341ca226..5bf383baf5 100644 --- a/erpnext/hooks.py +++ b/erpnext/hooks.py @@ -48,7 +48,7 @@ doc_events = { "on_cancel": "erpnext.stock.doctype.material_request.material_request.update_completed_qty" }, "User": { - "on_update": "erpnext.hr.doctype.employee.employee.update_user_default" + "on_update": "erpnext.hr.doctype.employee.employee.update_user_permissions" } } diff --git a/erpnext/hr/doctype/appraisal/appraisal.json b/erpnext/hr/doctype/appraisal/appraisal.json index 4893b358d8..2fec94f1e0 100644 --- a/erpnext/hr/doctype/appraisal/appraisal.json +++ b/erpnext/hr/doctype/appraisal/appraisal.json @@ -196,7 +196,7 @@ "icon": "icon-thumbs-up", "idx": 1, "is_submittable": 1, - "modified": "2014-05-26 03:05:46.761819", + "modified": "2014-05-27 03:49:07.393120", "modified_by": "Administrator", "module": "HR", "name": "Appraisal", @@ -232,6 +232,7 @@ }, { "amend": 1, + "apply_user_permissions": 1, "cancel": 1, "create": 1, "delete": 1, diff --git a/erpnext/hr/doctype/appraisal_template/appraisal_template.json b/erpnext/hr/doctype/appraisal_template/appraisal_template.json index 1ef6307be8..68661e31bf 100644 --- a/erpnext/hr/doctype/appraisal_template/appraisal_template.json +++ b/erpnext/hr/doctype/appraisal_template/appraisal_template.json @@ -1,7 +1,7 @@ { "allow_import": 1, "autoname": "field:kra_title", - "creation": "2012-07-03 13:30:39.000000", + "creation": "2012-07-03 13:30:39", "docstatus": 0, "doctype": "DocType", "document_type": "Master", @@ -9,6 +9,7 @@ { "fieldname": "kra_title", "fieldtype": "Data", + "in_list_view": 1, "label": "Appraisal Template Title", "oldfieldname": "kra_title", "oldfieldtype": "Data", @@ -18,6 +19,7 @@ { "fieldname": "description", "fieldtype": "Small Text", + "in_list_view": 1, "label": "Description", "oldfieldname": "description", "oldfieldtype": "Small Text", @@ -37,19 +39,21 @@ { "fieldname": "total_points", "fieldtype": "Int", + "in_list_view": 1, "label": "Total Points", "permlevel": 0 } ], "icon": "icon-file-text", "idx": 1, - "modified": "2013-12-20 19:23:55.000000", + "modified": "2014-05-27 03:49:07.533203", "modified_by": "Administrator", "module": "HR", "name": "Appraisal Template", "owner": "ashwini@webnotestech.com", "permissions": [ { + "apply_user_permissions": 1, "create": 1, "email": 1, "permlevel": 0, diff --git a/erpnext/hr/doctype/attendance/attendance.json b/erpnext/hr/doctype/attendance/attendance.json index 2c7781075c..2ca5b33172 100644 --- a/erpnext/hr/doctype/attendance/attendance.json +++ b/erpnext/hr/doctype/attendance/attendance.json @@ -129,7 +129,7 @@ "icon": "icon-ok", "idx": 1, "is_submittable": 1, - "modified": "2014-05-26 03:05:46.906637", + "modified": "2014-05-27 03:49:07.580876", "modified_by": "Administrator", "module": "HR", "name": "Attendance", @@ -149,6 +149,7 @@ "write": 1 }, { + "apply_user_permissions": 1, "cancel": 1, "create": 1, "delete": 1, diff --git a/erpnext/hr/doctype/branch/branch.json b/erpnext/hr/doctype/branch/branch.json index eeca12d7ed..03a726a870 100644 --- a/erpnext/hr/doctype/branch/branch.json +++ b/erpnext/hr/doctype/branch/branch.json @@ -20,14 +20,14 @@ ], "icon": "icon-code-fork", "idx": 1, - "modified": "2014-05-07 06:39:31.752490", + "modified": "2014-05-27 03:49:08.179137", "modified_by": "Administrator", "module": "HR", "name": "Branch", "owner": "Administrator", "permissions": [ { - "cancel": 0, + "apply_user_permissions": 1, "create": 1, "delete": 1, "email": 1, @@ -40,7 +40,6 @@ "write": 1 }, { - "cancel": 0, "create": 1, "delete": 1, "email": 1, diff --git a/erpnext/hr/doctype/deduction_type/deduction_type.json b/erpnext/hr/doctype/deduction_type/deduction_type.json index 0556a0bee9..4d9b0aae29 100644 --- a/erpnext/hr/doctype/deduction_type/deduction_type.json +++ b/erpnext/hr/doctype/deduction_type/deduction_type.json @@ -30,14 +30,14 @@ ], "icon": "icon-flag", "idx": 1, - "modified": "2014-05-07 06:39:38.154345", + "modified": "2014-05-27 03:49:09.624972", "modified_by": "Administrator", "module": "HR", "name": "Deduction Type", "owner": "Administrator", "permissions": [ { - "cancel": 0, + "apply_user_permissions": 1, "create": 1, "delete": 1, "email": 1, diff --git a/erpnext/hr/doctype/department/department.json b/erpnext/hr/doctype/department/department.json index 992a76fc01..17b1f6e6db 100644 --- a/erpnext/hr/doctype/department/department.json +++ b/erpnext/hr/doctype/department/department.json @@ -29,14 +29,14 @@ ], "icon": "icon-sitemap", "idx": 1, - "modified": "2014-05-07 06:39:39.931091", + "modified": "2014-05-27 03:49:10.061057", "modified_by": "Administrator", "module": "HR", "name": "Department", "owner": "Administrator", "permissions": [ { - "cancel": 0, + "apply_user_permissions": 1, "create": 1, "delete": 1, "email": 1, diff --git a/erpnext/hr/doctype/designation/designation.json b/erpnext/hr/doctype/designation/designation.json index 5af04d9fb0..b79254827a 100644 --- a/erpnext/hr/doctype/designation/designation.json +++ b/erpnext/hr/doctype/designation/designation.json @@ -20,14 +20,14 @@ ], "icon": "icon-bookmark", "idx": 1, - "modified": "2014-05-07 06:39:38.265440", + "modified": "2014-05-27 03:49:10.099099", "modified_by": "Administrator", "module": "HR", "name": "Designation", "owner": "Administrator", "permissions": [ { - "cancel": 0, + "apply_user_permissions": 1, "create": 1, "delete": 1, "email": 1, diff --git a/erpnext/hr/doctype/earning_type/earning_type.json b/erpnext/hr/doctype/earning_type/earning_type.json index bb05a8eda5..85c6323db8 100644 --- a/erpnext/hr/doctype/earning_type/earning_type.json +++ b/erpnext/hr/doctype/earning_type/earning_type.json @@ -53,14 +53,14 @@ ], "icon": "icon-flag", "idx": 1, - "modified": "2014-05-07 06:39:38.414922", + "modified": "2014-05-27 03:49:10.133416", "modified_by": "Administrator", "module": "HR", "name": "Earning Type", "owner": "Administrator", "permissions": [ { - "cancel": 0, + "apply_user_permissions": 1, "create": 1, "delete": 1, "email": 1, diff --git a/erpnext/hr/doctype/employee/employee.json b/erpnext/hr/doctype/employee/employee.json index d7cf5ae6cc..79cf0ac263 100644 --- a/erpnext/hr/doctype/employee/employee.json +++ b/erpnext/hr/doctype/employee/employee.json @@ -1,736 +1,734 @@ { - "allow_attach": 1, - "allow_import": 1, - "allow_rename": 1, - "autoname": "naming_series:", - "creation": "2013-03-07 09:04:18", - "docstatus": 0, - "doctype": "DocType", - "document_type": "Master", + "allow_attach": 1, + "allow_import": 1, + "allow_rename": 1, + "autoname": "naming_series:", + "creation": "2013-03-07 09:04:18", + "docstatus": 0, + "doctype": "DocType", + "document_type": "Master", "fields": [ { - "fieldname": "basic_information", - "fieldtype": "Section Break", - "label": "Basic Information", - "oldfieldtype": "Section Break", + "fieldname": "basic_information", + "fieldtype": "Section Break", + "label": "Basic Information", + "oldfieldtype": "Section Break", "permlevel": 0 - }, + }, { - "fieldname": "column_break0", - "fieldtype": "Column Break", - "permlevel": 0, + "fieldname": "column_break0", + "fieldtype": "Column Break", + "permlevel": 0, "width": "50%" - }, + }, { - "fieldname": "image_view", - "fieldtype": "Image", - "in_list_view": 0, - "label": "Image View", - "options": "image", + "fieldname": "image_view", + "fieldtype": "Image", + "in_list_view": 0, + "label": "Image View", + "options": "image", "permlevel": 0 - }, + }, { - "fieldname": "employee", - "fieldtype": "Data", - "hidden": 1, - "label": "Employee", - "no_copy": 1, - "permlevel": 0, - "print_hide": 1, + "fieldname": "employee", + "fieldtype": "Data", + "hidden": 1, + "label": "Employee", + "no_copy": 1, + "permlevel": 0, + "print_hide": 1, "report_hide": 1 - }, + }, { - "fieldname": "naming_series", - "fieldtype": "Select", - "label": "Series", - "no_copy": 1, - "oldfieldname": "naming_series", - "oldfieldtype": "Select", - "options": "EMP/", - "permlevel": 0, + "fieldname": "naming_series", + "fieldtype": "Select", + "label": "Series", + "no_copy": 1, + "oldfieldname": "naming_series", + "oldfieldtype": "Select", + "options": "EMP/", + "permlevel": 0, "reqd": 0 - }, + }, { - "fieldname": "salutation", - "fieldtype": "Select", - "label": "Salutation", - "oldfieldname": "salutation", - "oldfieldtype": "Select", - "options": "\nMr\nMs", - "permlevel": 0, + "fieldname": "salutation", + "fieldtype": "Select", + "label": "Salutation", + "oldfieldname": "salutation", + "oldfieldtype": "Select", + "options": "\nMr\nMs", + "permlevel": 0, "search_index": 0 - }, + }, { - "fieldname": "employee_name", - "fieldtype": "Data", - "in_list_view": 1, - "label": "Full Name", - "oldfieldname": "employee_name", - "oldfieldtype": "Data", - "permlevel": 0, + "fieldname": "employee_name", + "fieldtype": "Data", + "in_list_view": 1, + "label": "Full Name", + "oldfieldname": "employee_name", + "oldfieldtype": "Data", + "permlevel": 0, "reqd": 1 - }, + }, { - "fieldname": "image", - "fieldtype": "Select", - "label": "Image", - "options": "attach_files:", + "fieldname": "image", + "fieldtype": "Select", + "label": "Image", + "options": "attach_files:", "permlevel": 0 - }, + }, { - "fieldname": "column_break1", - "fieldtype": "Column Break", - "permlevel": 0, + "fieldname": "column_break1", + "fieldtype": "Column Break", + "permlevel": 0, "width": "50%" - }, + }, { - "description": "System User (login) ID. If set, it will become default for all HR forms.", - "fieldname": "user_id", - "fieldtype": "Link", - "label": "User ID", - "options": "User", + "description": "System User (login) ID. If set, it will become default for all HR forms.", + "fieldname": "user_id", + "fieldtype": "Link", + "label": "User ID", + "options": "User", "permlevel": 0 - }, + }, { - "fieldname": "employee_number", - "fieldtype": "Data", - "in_filter": 1, - "label": "Employee Number", - "oldfieldname": "employee_number", - "oldfieldtype": "Data", - "permlevel": 0, + "fieldname": "employee_number", + "fieldtype": "Data", + "in_filter": 1, + "label": "Employee Number", + "oldfieldname": "employee_number", + "oldfieldtype": "Data", + "permlevel": 0, "search_index": 0 - }, + }, { - "fieldname": "date_of_joining", - "fieldtype": "Date", - "label": "Date of Joining", - "oldfieldname": "date_of_joining", - "oldfieldtype": "Date", - "permlevel": 0, + "fieldname": "date_of_joining", + "fieldtype": "Date", + "label": "Date of Joining", + "oldfieldname": "date_of_joining", + "oldfieldtype": "Date", + "permlevel": 0, "reqd": 1 - }, + }, { - "description": "You can enter any date manually", - "fieldname": "date_of_birth", - "fieldtype": "Date", - "in_filter": 1, - "label": "Date of Birth", - "oldfieldname": "date_of_birth", - "oldfieldtype": "Date", - "permlevel": 0, - "reqd": 1, + "description": "You can enter any date manually", + "fieldname": "date_of_birth", + "fieldtype": "Date", + "in_filter": 1, + "label": "Date of Birth", + "oldfieldname": "date_of_birth", + "oldfieldtype": "Date", + "permlevel": 0, + "reqd": 1, "search_index": 0 - }, + }, { - "fieldname": "gender", - "fieldtype": "Select", - "in_filter": 1, - "label": "Gender", - "oldfieldname": "gender", - "oldfieldtype": "Select", - "options": "\nMale\nFemale", - "permlevel": 0, - "reqd": 1, + "fieldname": "gender", + "fieldtype": "Select", + "in_filter": 1, + "label": "Gender", + "oldfieldname": "gender", + "oldfieldtype": "Select", + "options": "\nMale\nFemale", + "permlevel": 0, + "reqd": 1, "search_index": 0 - }, + }, { - "fieldname": "company", - "fieldtype": "Link", - "in_filter": 1, - "label": "Company", - "options": "Company", - "permlevel": 0, - "print_hide": 1, + "fieldname": "company", + "fieldtype": "Link", + "in_filter": 1, + "label": "Company", + "options": "Company", + "permlevel": 0, + "print_hide": 1, "reqd": 1 - }, + }, { - "fieldname": "employment_details", - "fieldtype": "Section Break", - "label": "Employment Details", + "fieldname": "employment_details", + "fieldtype": "Section Break", + "label": "Employment Details", "permlevel": 0 - }, + }, { - "fieldname": "col_break_21", - "fieldtype": "Column Break", + "fieldname": "col_break_21", + "fieldtype": "Column Break", "permlevel": 0 - }, + }, { - "default": "Active", - "fieldname": "status", - "fieldtype": "Select", - "in_filter": 1, - "in_list_view": 1, - "label": "Status", - "oldfieldname": "status", - "oldfieldtype": "Select", - "options": "\nActive\nLeft", - "permlevel": 0, - "reqd": 1, + "default": "Active", + "fieldname": "status", + "fieldtype": "Select", + "in_filter": 1, + "in_list_view": 1, + "label": "Status", + "oldfieldname": "status", + "oldfieldtype": "Select", + "options": "\nActive\nLeft", + "permlevel": 0, + "reqd": 1, "search_index": 1 - }, + }, { - "fieldname": "employment_type", - "fieldtype": "Link", - "in_filter": 1, - "in_list_view": 1, - "label": "Employment Type", - "oldfieldname": "employment_type", - "oldfieldtype": "Link", - "options": "Employment Type", - "permlevel": 0, + "fieldname": "employment_type", + "fieldtype": "Link", + "in_filter": 1, + "in_list_view": 1, + "label": "Employment Type", + "oldfieldname": "employment_type", + "oldfieldtype": "Link", + "options": "Employment Type", + "permlevel": 0, "search_index": 0 - }, + }, { - "description": "Applicable Holiday List", - "fieldname": "holiday_list", - "fieldtype": "Link", - "label": "Holiday List", - "oldfieldname": "holiday_list", - "oldfieldtype": "Link", - "options": "Holiday List", + "description": "Applicable Holiday List", + "fieldname": "holiday_list", + "fieldtype": "Link", + "label": "Holiday List", + "oldfieldname": "holiday_list", + "oldfieldtype": "Link", + "options": "Holiday List", "permlevel": 0 - }, + }, { - "fieldname": "col_break_22", - "fieldtype": "Column Break", + "fieldname": "col_break_22", + "fieldtype": "Column Break", "permlevel": 0 - }, + }, { - "fieldname": "scheduled_confirmation_date", - "fieldtype": "Date", - "in_filter": 1, - "label": "Offer Date", - "oldfieldname": "scheduled_confirmation_date", - "oldfieldtype": "Date", - "permlevel": 0, + "fieldname": "scheduled_confirmation_date", + "fieldtype": "Date", + "in_filter": 1, + "label": "Offer Date", + "oldfieldname": "scheduled_confirmation_date", + "oldfieldtype": "Date", + "permlevel": 0, "search_index": 0 - }, + }, { - "fieldname": "final_confirmation_date", - "fieldtype": "Date", - "label": "Confirmation Date", - "oldfieldname": "final_confirmation_date", - "oldfieldtype": "Date", - "permlevel": 0, + "fieldname": "final_confirmation_date", + "fieldtype": "Date", + "label": "Confirmation Date", + "oldfieldname": "final_confirmation_date", + "oldfieldtype": "Date", + "permlevel": 0, "search_index": 0 - }, + }, { - "fieldname": "contract_end_date", - "fieldtype": "Date", - "in_filter": 1, - "label": "Contract End Date", - "oldfieldname": "contract_end_date", - "oldfieldtype": "Date", - "permlevel": 0, + "fieldname": "contract_end_date", + "fieldtype": "Date", + "in_filter": 1, + "label": "Contract End Date", + "oldfieldname": "contract_end_date", + "oldfieldtype": "Date", + "permlevel": 0, "search_index": 0 - }, + }, { - "fieldname": "date_of_retirement", - "fieldtype": "Date", - "label": "Date Of Retirement", - "oldfieldname": "date_of_retirement", - "oldfieldtype": "Date", + "fieldname": "date_of_retirement", + "fieldtype": "Date", + "label": "Date Of Retirement", + "oldfieldname": "date_of_retirement", + "oldfieldtype": "Date", "permlevel": 0 - }, + }, { - "fieldname": "job_profile", - "fieldtype": "Section Break", - "label": "Job Profile", + "fieldname": "job_profile", + "fieldtype": "Section Break", + "label": "Job Profile", "permlevel": 0 - }, + }, { - "fieldname": "column_break2", - "fieldtype": "Column Break", - "permlevel": 0, + "fieldname": "column_break2", + "fieldtype": "Column Break", + "permlevel": 0, "width": "50%" - }, + }, { - "fieldname": "branch", - "fieldtype": "Link", - "in_filter": 1, - "label": "Branch", - "oldfieldname": "branch", - "oldfieldtype": "Link", - "options": "Branch", - "permlevel": 0, + "fieldname": "branch", + "fieldtype": "Link", + "in_filter": 1, + "label": "Branch", + "oldfieldname": "branch", + "oldfieldtype": "Link", + "options": "Branch", + "permlevel": 0, "reqd": 0 - }, + }, { - "fieldname": "department", - "fieldtype": "Link", - "in_filter": 1, - "label": "Department", - "oldfieldname": "department", - "oldfieldtype": "Link", - "options": "Department", - "permlevel": 0, + "fieldname": "department", + "fieldtype": "Link", + "in_filter": 1, + "label": "Department", + "oldfieldname": "department", + "oldfieldtype": "Link", + "options": "Department", + "permlevel": 0, "reqd": 0 - }, + }, { - "fieldname": "designation", - "fieldtype": "Link", - "in_filter": 1, - "label": "Designation", - "oldfieldname": "designation", - "oldfieldtype": "Link", - "options": "Designation", - "permlevel": 0, - "reqd": 0, + "fieldname": "designation", + "fieldtype": "Link", + "in_filter": 1, + "label": "Designation", + "oldfieldname": "designation", + "oldfieldtype": "Link", + "options": "Designation", + "permlevel": 0, + "reqd": 0, "search_index": 1 - }, + }, { - "description": "Provide email id registered in company", - "fieldname": "company_email", - "fieldtype": "Data", - "in_filter": 1, - "label": "Company Email", - "oldfieldname": "company_email", - "oldfieldtype": "Data", - "permlevel": 0, + "description": "Provide email id registered in company", + "fieldname": "company_email", + "fieldtype": "Data", + "in_filter": 1, + "label": "Company Email", + "oldfieldname": "company_email", + "oldfieldtype": "Data", + "permlevel": 0, "reqd": 0 - }, + }, { - "fieldname": "notice_number_of_days", - "fieldtype": "Int", - "label": "Notice (days)", - "oldfieldname": "notice_number_of_days", - "oldfieldtype": "Int", + "fieldname": "notice_number_of_days", + "fieldtype": "Int", + "label": "Notice (days)", + "oldfieldname": "notice_number_of_days", + "oldfieldtype": "Int", "permlevel": 0 - }, + }, { - "fieldname": "salary_information", - "fieldtype": "Column Break", - "label": "Salary Information", - "oldfieldtype": "Section Break", - "permlevel": 0, + "fieldname": "salary_information", + "fieldtype": "Column Break", + "label": "Salary Information", + "oldfieldtype": "Section Break", + "permlevel": 0, "width": "50%" - }, + }, { - "fieldname": "salary_mode", - "fieldtype": "Select", - "label": "Salary Mode", - "oldfieldname": "salary_mode", - "oldfieldtype": "Select", - "options": "\nBank\nCash\nCheque", + "fieldname": "salary_mode", + "fieldtype": "Select", + "label": "Salary Mode", + "oldfieldname": "salary_mode", + "oldfieldtype": "Select", + "options": "\nBank\nCash\nCheque", "permlevel": 0 - }, + }, { - "depends_on": "eval:doc.salary_mode == 'Bank'", - "fieldname": "bank_name", - "fieldtype": "Data", - "hidden": 0, - "in_filter": 1, - "label": "Bank Name", - "oldfieldname": "bank_name", - "oldfieldtype": "Link", - "options": "Suggest", + "depends_on": "eval:doc.salary_mode == 'Bank'", + "fieldname": "bank_name", + "fieldtype": "Data", + "hidden": 0, + "in_filter": 1, + "label": "Bank Name", + "oldfieldname": "bank_name", + "oldfieldtype": "Link", + "options": "Suggest", "permlevel": 0 - }, + }, { - "depends_on": "eval:doc.salary_mode == 'Bank'", - "fieldname": "bank_ac_no", - "fieldtype": "Data", - "hidden": 0, - "label": "Bank A/C No.", - "oldfieldname": "bank_ac_no", - "oldfieldtype": "Data", + "depends_on": "eval:doc.salary_mode == 'Bank'", + "fieldname": "bank_ac_no", + "fieldtype": "Data", + "hidden": 0, + "label": "Bank A/C No.", + "oldfieldname": "bank_ac_no", + "oldfieldtype": "Data", "permlevel": 0 - }, + }, { - "fieldname": "organization_profile", - "fieldtype": "Section Break", - "label": "Organization Profile", + "fieldname": "organization_profile", + "fieldtype": "Section Break", + "label": "Organization Profile", "permlevel": 0 - }, + }, { - "fieldname": "reports_to", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Reports to", - "oldfieldname": "reports_to", - "oldfieldtype": "Link", - "options": "Employee", + "fieldname": "reports_to", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Reports to", + "oldfieldname": "reports_to", + "oldfieldtype": "Link", + "options": "Employee", "permlevel": 0 - }, + }, { - "description": "The first Leave Approver in the list will be set as the default Leave Approver", - "fieldname": "employee_leave_approvers", - "fieldtype": "Table", - "label": "Leave Approvers", - "options": "Employee Leave Approver", + "description": "The first Leave Approver in the list will be set as the default Leave Approver", + "fieldname": "employee_leave_approvers", + "fieldtype": "Table", + "label": "Leave Approvers", + "options": "Employee Leave Approver", "permlevel": 0 - }, + }, { - "fieldname": "contact_details", - "fieldtype": "Section Break", - "label": "Contact Details", + "fieldname": "contact_details", + "fieldtype": "Section Break", + "label": "Contact Details", "permlevel": 0 - }, + }, { - "fieldname": "column_break3", - "fieldtype": "Column Break", - "permlevel": 0, + "fieldname": "column_break3", + "fieldtype": "Column Break", + "permlevel": 0, "width": "50%" - }, + }, { - "fieldname": "cell_number", - "fieldtype": "Data", - "label": "Cell Number", + "fieldname": "cell_number", + "fieldtype": "Data", + "label": "Cell Number", "permlevel": 0 - }, + }, { - "fieldname": "personal_email", - "fieldtype": "Data", - "label": "Personal Email", + "fieldname": "personal_email", + "fieldtype": "Data", + "label": "Personal Email", "permlevel": 0 - }, + }, { - "fieldname": "unsubscribed", - "fieldtype": "Check", - "label": "Unsubscribed", + "fieldname": "unsubscribed", + "fieldtype": "Check", + "label": "Unsubscribed", "permlevel": 0 - }, + }, { - "fieldname": "emergency_contact_details", - "fieldtype": "HTML", - "label": "Emergency Contact Details", - "options": "

Emergency Contact Details

", + "fieldname": "emergency_contact_details", + "fieldtype": "HTML", + "label": "Emergency Contact Details", + "options": "

Emergency Contact Details

", "permlevel": 0 - }, + }, { - "fieldname": "person_to_be_contacted", - "fieldtype": "Data", - "label": "Emergency Contact", + "fieldname": "person_to_be_contacted", + "fieldtype": "Data", + "label": "Emergency Contact", "permlevel": 0 - }, + }, { - "fieldname": "relation", - "fieldtype": "Data", - "label": "Relation", + "fieldname": "relation", + "fieldtype": "Data", + "label": "Relation", "permlevel": 0 - }, + }, { - "fieldname": "emergency_phone_number", - "fieldtype": "Data", - "label": "Emergency Phone", + "fieldname": "emergency_phone_number", + "fieldtype": "Data", + "label": "Emergency Phone", "permlevel": 0 - }, + }, { - "fieldname": "column_break4", - "fieldtype": "Column Break", - "permlevel": 0, + "fieldname": "column_break4", + "fieldtype": "Column Break", + "permlevel": 0, "width": "50%" - }, + }, { - "fieldname": "permanent_accommodation_type", - "fieldtype": "Select", - "label": "Permanent Address Is", - "options": "\nRented\nOwned", + "fieldname": "permanent_accommodation_type", + "fieldtype": "Select", + "label": "Permanent Address Is", + "options": "\nRented\nOwned", "permlevel": 0 - }, + }, { - "fieldname": "permanent_address", - "fieldtype": "Small Text", - "label": "Permanent Address", + "fieldname": "permanent_address", + "fieldtype": "Small Text", + "label": "Permanent Address", "permlevel": 0 - }, + }, { - "fieldname": "current_accommodation_type", - "fieldtype": "Select", - "label": "Current Address Is", - "options": "\nRented\nOwned", + "fieldname": "current_accommodation_type", + "fieldtype": "Select", + "label": "Current Address Is", + "options": "\nRented\nOwned", "permlevel": 0 - }, + }, { - "fieldname": "current_address", - "fieldtype": "Small Text", - "label": "Current Address", + "fieldname": "current_address", + "fieldtype": "Small Text", + "label": "Current Address", "permlevel": 0 - }, + }, { - "fieldname": "sb53", - "fieldtype": "Section Break", - "label": "Bio", + "fieldname": "sb53", + "fieldtype": "Section Break", + "label": "Bio", "permlevel": 0 - }, + }, { - "description": "Short biography for website and other publications.", - "fieldname": "bio", - "fieldtype": "Text Editor", - "label": "Bio", + "description": "Short biography for website and other publications.", + "fieldname": "bio", + "fieldtype": "Text Editor", + "label": "Bio", "permlevel": 0 - }, + }, { - "fieldname": "personal_details", - "fieldtype": "Section Break", - "label": "Personal Details", + "fieldname": "personal_details", + "fieldtype": "Section Break", + "label": "Personal Details", "permlevel": 0 - }, + }, { - "fieldname": "column_break5", - "fieldtype": "Column Break", - "permlevel": 0, + "fieldname": "column_break5", + "fieldtype": "Column Break", + "permlevel": 0, "width": "50%" - }, + }, { - "fieldname": "passport_number", - "fieldtype": "Data", - "label": "Passport Number", + "fieldname": "passport_number", + "fieldtype": "Data", + "label": "Passport Number", "permlevel": 0 - }, + }, { - "fieldname": "date_of_issue", - "fieldtype": "Date", - "label": "Date of Issue", + "fieldname": "date_of_issue", + "fieldtype": "Date", + "label": "Date of Issue", "permlevel": 0 - }, + }, { - "fieldname": "valid_upto", - "fieldtype": "Date", - "label": "Valid Upto", + "fieldname": "valid_upto", + "fieldtype": "Date", + "label": "Valid Upto", "permlevel": 0 - }, + }, { - "fieldname": "place_of_issue", - "fieldtype": "Data", - "label": "Place of Issue", + "fieldname": "place_of_issue", + "fieldtype": "Data", + "label": "Place of Issue", "permlevel": 0 - }, + }, { - "fieldname": "column_break6", - "fieldtype": "Column Break", - "permlevel": 0, + "fieldname": "column_break6", + "fieldtype": "Column Break", + "permlevel": 0, "width": "50%" - }, + }, { - "fieldname": "marital_status", - "fieldtype": "Select", - "label": "Marital Status", - "options": "\nSingle\nMarried\nDivorced\nWidowed", + "fieldname": "marital_status", + "fieldtype": "Select", + "label": "Marital Status", + "options": "\nSingle\nMarried\nDivorced\nWidowed", "permlevel": 0 - }, + }, { - "fieldname": "blood_group", - "fieldtype": "Select", - "label": "Blood Group", - "options": "\nA+\nA-\nB+\nB-\nAB+\nAB-\nO+\nO-", + "fieldname": "blood_group", + "fieldtype": "Select", + "label": "Blood Group", + "options": "\nA+\nA-\nB+\nB-\nAB+\nAB-\nO+\nO-", "permlevel": 0 - }, + }, { - "description": "Here you can maintain family details like name and occupation of parent, spouse and children", - "fieldname": "family_background", - "fieldtype": "Small Text", - "label": "Family Background", + "description": "Here you can maintain family details like name and occupation of parent, spouse and children", + "fieldname": "family_background", + "fieldtype": "Small Text", + "label": "Family Background", "permlevel": 0 - }, + }, { - "description": "Here you can maintain height, weight, allergies, medical concerns etc", - "fieldname": "health_details", - "fieldtype": "Small Text", - "label": "Health Details", + "description": "Here you can maintain height, weight, allergies, medical concerns etc", + "fieldname": "health_details", + "fieldtype": "Small Text", + "label": "Health Details", "permlevel": 0 - }, + }, { - "fieldname": "educational_qualification", - "fieldtype": "Section Break", - "label": "Educational Qualification", + "fieldname": "educational_qualification", + "fieldtype": "Section Break", + "label": "Educational Qualification", "permlevel": 0 - }, + }, { - "fieldname": "educational_qualification_details", - "fieldtype": "Table", - "label": "Educational Qualification Details", - "options": "Employee Education", + "fieldname": "educational_qualification_details", + "fieldtype": "Table", + "label": "Educational Qualification Details", + "options": "Employee Education", "permlevel": 0 - }, + }, { - "fieldname": "previous_work_experience", - "fieldtype": "Section Break", - "label": "Previous Work Experience", - "options": "Simple", + "fieldname": "previous_work_experience", + "fieldtype": "Section Break", + "label": "Previous Work Experience", + "options": "Simple", "permlevel": 0 - }, + }, { - "fieldname": "previous_experience_details", - "fieldtype": "Table", - "label": "Employee External Work History", - "options": "Employee External Work History", + "fieldname": "previous_experience_details", + "fieldtype": "Table", + "label": "Employee External Work History", + "options": "Employee External Work History", "permlevel": 0 - }, + }, { - "fieldname": "history_in_company", - "fieldtype": "Section Break", - "label": "History In Company", - "options": "Simple", + "fieldname": "history_in_company", + "fieldtype": "Section Break", + "label": "History In Company", + "options": "Simple", "permlevel": 0 - }, + }, { - "fieldname": "experience_in_company_details", - "fieldtype": "Table", - "label": "Employee Internal Work Historys", - "options": "Employee Internal Work History", + "fieldname": "experience_in_company_details", + "fieldtype": "Table", + "label": "Employee Internal Work Historys", + "options": "Employee Internal Work History", "permlevel": 0 - }, + }, { - "fieldname": "exit", - "fieldtype": "Section Break", - "label": "Exit", - "oldfieldtype": "Section Break", + "fieldname": "exit", + "fieldtype": "Section Break", + "label": "Exit", + "oldfieldtype": "Section Break", "permlevel": 0 - }, + }, { - "fieldname": "column_break7", - "fieldtype": "Column Break", - "permlevel": 0, + "fieldname": "column_break7", + "fieldtype": "Column Break", + "permlevel": 0, "width": "50%" - }, + }, { - "fieldname": "resignation_letter_date", - "fieldtype": "Date", - "label": "Resignation Letter Date", - "oldfieldname": "resignation_letter_date", - "oldfieldtype": "Date", + "fieldname": "resignation_letter_date", + "fieldtype": "Date", + "label": "Resignation Letter Date", + "oldfieldname": "resignation_letter_date", + "oldfieldtype": "Date", "permlevel": 0 - }, + }, { - "fieldname": "relieving_date", - "fieldtype": "Date", - "in_filter": 1, - "label": "Relieving Date", - "oldfieldname": "relieving_date", - "oldfieldtype": "Date", + "fieldname": "relieving_date", + "fieldtype": "Date", + "in_filter": 1, + "label": "Relieving Date", + "oldfieldname": "relieving_date", + "oldfieldtype": "Date", "permlevel": 0 - }, + }, { - "fieldname": "reason_for_leaving", - "fieldtype": "Data", - "label": "Reason for Leaving", - "oldfieldname": "reason_for_leaving", - "oldfieldtype": "Data", + "fieldname": "reason_for_leaving", + "fieldtype": "Data", + "label": "Reason for Leaving", + "oldfieldname": "reason_for_leaving", + "oldfieldtype": "Data", "permlevel": 0 - }, + }, { - "fieldname": "leave_encashed", - "fieldtype": "Select", - "label": "Leave Encashed?", - "oldfieldname": "leave_encashed", - "oldfieldtype": "Select", - "options": "\nYes\nNo", + "fieldname": "leave_encashed", + "fieldtype": "Select", + "label": "Leave Encashed?", + "oldfieldname": "leave_encashed", + "oldfieldtype": "Select", + "options": "\nYes\nNo", "permlevel": 0 - }, + }, { - "fieldname": "encashment_date", - "fieldtype": "Date", - "label": "Encashment Date", - "oldfieldname": "encashment_date", - "oldfieldtype": "Date", + "fieldname": "encashment_date", + "fieldtype": "Date", + "label": "Encashment Date", + "oldfieldname": "encashment_date", + "oldfieldtype": "Date", "permlevel": 0 - }, + }, { - "fieldname": "exit_interview_details", - "fieldtype": "Column Break", - "label": "Exit Interview Details", - "oldfieldname": "col_brk6", - "oldfieldtype": "Column Break", - "permlevel": 0, + "fieldname": "exit_interview_details", + "fieldtype": "Column Break", + "label": "Exit Interview Details", + "oldfieldname": "col_brk6", + "oldfieldtype": "Column Break", + "permlevel": 0, "width": "50%" - }, + }, { - "fieldname": "held_on", - "fieldtype": "Date", - "label": "Held On", - "oldfieldname": "held_on", - "oldfieldtype": "Date", + "fieldname": "held_on", + "fieldtype": "Date", + "label": "Held On", + "oldfieldname": "held_on", + "oldfieldtype": "Date", "permlevel": 0 - }, + }, { - "fieldname": "reason_for_resignation", - "fieldtype": "Select", - "label": "Reason for Resignation", - "oldfieldname": "reason_for_resignation", - "oldfieldtype": "Select", - "options": "\nBetter Prospects\nHealth Concerns", + "fieldname": "reason_for_resignation", + "fieldtype": "Select", + "label": "Reason for Resignation", + "oldfieldname": "reason_for_resignation", + "oldfieldtype": "Select", + "options": "\nBetter Prospects\nHealth Concerns", "permlevel": 0 - }, + }, { - "fieldname": "new_workplace", - "fieldtype": "Data", - "label": "New Workplace", - "oldfieldname": "new_workplace", - "oldfieldtype": "Data", + "fieldname": "new_workplace", + "fieldtype": "Data", + "label": "New Workplace", + "oldfieldname": "new_workplace", + "oldfieldtype": "Data", "permlevel": 0 - }, + }, { - "fieldname": "feedback", - "fieldtype": "Small Text", - "label": "Feedback", - "oldfieldname": "feedback", - "oldfieldtype": "Text", + "fieldname": "feedback", + "fieldtype": "Small Text", + "label": "Feedback", + "oldfieldname": "feedback", + "oldfieldtype": "Text", "permlevel": 0 } - ], - "icon": "icon-user", - "idx": 1, - "modified": "2014-05-26 03:05:48.422199", - "modified_by": "Administrator", - "module": "HR", - "name": "Employee", - "owner": "Administrator", + ], + "icon": "icon-user", + "idx": 1, + "modified": "2014-05-27 03:49:10.297398", + "modified_by": "Administrator", + "module": "HR", + "name": "Employee", + "owner": "Administrator", "permissions": [ { - "amend": 0, - "apply_user_permissions": 1, - "cancel": 0, - "create": 0, - "delete": 0, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Employee", - "submit": 0, + "amend": 0, + "apply_user_permissions": 1, + "create": 0, + "delete": 0, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Employee", + "submit": 0, "write": 0 - }, + }, { - "amend": 0, - "cancel": 0, - "create": 1, - "delete": 1, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "HR User", - "submit": 0, + "amend": 0, + "apply_user_permissions": 1, + "create": 1, + "delete": 1, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "HR User", + "submit": 0, "write": 1 - }, + }, { - "amend": 0, - "cancel": 0, - "create": 1, - "delete": 1, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "set_user_permissions": 1, - "role": "HR Manager", - "submit": 0, + "amend": 0, + "create": 1, + "delete": 1, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "HR Manager", + "set_user_permissions": 1, + "submit": 0, "write": 1 - }, + }, { - "apply_user_permissions": 1, - "permlevel": 0, - "read": 1, + "apply_user_permissions": 1, + "permlevel": 0, + "read": 1, "role": "Leave Approver" } - ], - "search_fields": "employee_name", - "sort_field": "modified", - "sort_order": "DESC", + ], + "search_fields": "employee_name", + "sort_field": "modified", + "sort_order": "DESC", "title_field": "employee_name" -} +} \ No newline at end of file diff --git a/erpnext/hr/doctype/employee/employee.py b/erpnext/hr/doctype/employee/employee.py index 1876916b1c..0a4ae03182 100644 --- a/erpnext/hr/doctype/employee/employee.py +++ b/erpnext/hr/doctype/employee/employee.py @@ -8,7 +8,6 @@ from frappe.utils import getdate, validate_email_add, cint from frappe.model.naming import make_autoname from frappe import throw, _ import frappe.permissions -from frappe.defaults import get_user_permissions from frappe.model.document import Document from frappe.model.mapper import get_mapped_doc @@ -45,36 +44,24 @@ class Employee(Document): def on_update(self): if self.user_id: - self.update_user_default() self.update_user() + self.update_user_permissions() self.update_dob_event() - self.restrict_leave_approver() + self.update_leave_approver_user_permissions() - def restrict_user(self): - """restrict to this employee for user""" - self.add_restriction_if_required("Employee", self.user_id) + def update_user_permissions(self): + frappe.permissions.add_user_permission("Employee", self.name, self.user_id) + frappe.permissions.set_user_permission_if_allowed("Company", self.company, self.user_id) - def update_user_default(self): - self.restrict_user() - frappe.db.set_default("employee_name", self.employee_name, self.user_id) - frappe.db.set_default("company", self.company, self.user_id) - - def restrict_leave_approver(self): + def update_leave_approver_user_permissions(self): """restrict to this employee for leave approver""" employee_leave_approvers = [d.leave_approver for d in self.get("employee_leave_approvers")] if self.reports_to and self.reports_to not in employee_leave_approvers: employee_leave_approvers.append(frappe.db.get_value("Employee", self.reports_to, "user_id")) for user in employee_leave_approvers: - self.add_restriction_if_required("Employee", user) - self.add_restriction_if_required("Leave Application", user) - - def add_restriction_if_required(self, doctype, user): - if frappe.permissions.has_only_non_restrict_role(doctype, user) \ - and self.name not in get_user_permissions(user).get("Employee", []): - - frappe.defaults.add_default("Employee", self.name, user, "User Permission") + frappe.permissions.add_user_permission("Employee", self.name, user) def update_user(self): # add employee role if missing @@ -85,7 +72,7 @@ class Employee(Document): user.add_roles("Employee") # copy details like Fullname, DOB and Image to User - if self.employee_name: + if self.employee_name and not (user.first_name and user.last_name): employee_name = self.employee_name.split(" ") if len(employee_name) >= 3: user.last_name = " ".join(employee_name[2:]) @@ -111,7 +98,7 @@ class Employee(Document): "attached_to_doctype": "User", "attached_to_name": self.user_id }).insert() - except frappe.DuplicateEntryError, e: + except frappe.DuplicateEntryError: # already exists pass @@ -217,10 +204,13 @@ def make_salary_structure(source_name, target=None): target.make_earn_ded_table() return target -def update_user_default(doc, method): +def update_user_permissions(doc, method): # called via User hook - try: - employee = frappe.get_doc("Employee", {"user_id": doc.name}) - employee.update_user_default() - except frappe.DoesNotExistError: - pass + + if "Employee" in [d.role for d in doc.get("user_roles")]: + try: + employee = frappe.get_doc("Employee", {"user_id": doc.name}) + employee.update_user_permissions() + except frappe.DoesNotExistError: + frappe.msgprint("Please set User ID field in an Employee record to set Employee Role") + doc.get("user_roles").remove(doc.get("user_roles", {"role": "Employee"})[0]) diff --git a/erpnext/hr/doctype/employment_type/employment_type.json b/erpnext/hr/doctype/employment_type/employment_type.json index fdb710be89..bc337f1890 100644 --- a/erpnext/hr/doctype/employment_type/employment_type.json +++ b/erpnext/hr/doctype/employment_type/employment_type.json @@ -19,14 +19,14 @@ ], "icon": "icon-flag", "idx": 1, - "modified": "2014-05-07 06:39:38.630562", + "modified": "2014-05-27 03:49:10.551828", "modified_by": "Administrator", "module": "HR", "name": "Employment Type", "owner": "Administrator", "permissions": [ { - "cancel": 0, + "apply_user_permissions": 1, "create": 1, "delete": 1, "email": 1, @@ -39,7 +39,6 @@ "write": 1 }, { - "cancel": 0, "create": 1, "delete": 1, "email": 1, diff --git a/erpnext/hr/doctype/expense_claim/expense_claim.json b/erpnext/hr/doctype/expense_claim/expense_claim.json index 311903f2bb..4ebc30f362 100644 --- a/erpnext/hr/doctype/expense_claim/expense_claim.json +++ b/erpnext/hr/doctype/expense_claim/expense_claim.json @@ -187,7 +187,7 @@ "icon": "icon-money", "idx": 1, "is_submittable": 1, - "modified": "2014-05-26 03:05:48.690180", + "modified": "2014-05-27 03:49:10.736177", "modified_by": "Administrator", "module": "HR", "name": "Expense Claim", @@ -207,6 +207,7 @@ }, { "amend": 1, + "apply_user_permissions": 1, "cancel": 1, "create": 1, "delete": 1, @@ -221,6 +222,7 @@ }, { "amend": 1, + "apply_user_permissions": 1, "cancel": 1, "create": 1, "delete": 1, diff --git a/erpnext/hr/doctype/job_applicant/job_applicant.json b/erpnext/hr/doctype/job_applicant/job_applicant.json index ae9e9f6194..21eb7f74aa 100644 --- a/erpnext/hr/doctype/job_applicant/job_applicant.json +++ b/erpnext/hr/doctype/job_applicant/job_applicant.json @@ -1,7 +1,7 @@ { "allow_attach": 1, "autoname": "field:applicant_name", - "creation": "2013-01-29 19:25:37.000000", + "creation": "2013-01-29 19:25:37", "description": "Applicant for a Job", "docstatus": 0, "doctype": "DocType", @@ -66,14 +66,14 @@ ], "icon": "icon-user", "idx": 1, - "modified": "2014-01-20 17:48:50.000000", + "modified": "2014-05-27 03:49:12.168814", "modified_by": "Administrator", "module": "HR", "name": "Job Applicant", "owner": "Administrator", "permissions": [ { - "cancel": 1, + "apply_user_permissions": 1, "create": 1, "delete": 1, "email": 1, diff --git a/erpnext/hr/doctype/job_opening/job_opening.json b/erpnext/hr/doctype/job_opening/job_opening.json index a5bff4b7dd..36e31f806d 100644 --- a/erpnext/hr/doctype/job_opening/job_opening.json +++ b/erpnext/hr/doctype/job_opening/job_opening.json @@ -1,6 +1,6 @@ { "autoname": "field:job_title", - "creation": "2013-01-15 16:13:36.000000", + "creation": "2013-01-15 16:13:36", "description": "Description of a Job Opening", "docstatus": 0, "doctype": "DocType", @@ -9,6 +9,7 @@ { "fieldname": "job_title", "fieldtype": "Data", + "in_list_view": 1, "label": "Job Title", "permlevel": 0, "reqd": 1 @@ -16,6 +17,7 @@ { "fieldname": "status", "fieldtype": "Select", + "in_list_view": 1, "label": "Status", "options": "Open\nClosed", "permlevel": 0 @@ -24,20 +26,21 @@ "description": "Job profile, qualifications required etc.", "fieldname": "description", "fieldtype": "Text Editor", + "in_list_view": 1, "label": "Description", "permlevel": 0 } ], "icon": "icon-bookmark", "idx": 1, - "modified": "2014-01-20 17:48:51.000000", + "modified": "2014-05-27 03:49:12.248194", "modified_by": "Administrator", "module": "HR", "name": "Job Opening", "owner": "Administrator", "permissions": [ { - "cancel": 1, + "apply_user_permissions": 1, "create": 1, "delete": 1, "email": 1, diff --git a/erpnext/hr/doctype/leave_allocation/leave_allocation.json b/erpnext/hr/doctype/leave_allocation/leave_allocation.json index 99845bb79e..ca583a1e44 100644 --- a/erpnext/hr/doctype/leave_allocation/leave_allocation.json +++ b/erpnext/hr/doctype/leave_allocation/leave_allocation.json @@ -136,7 +136,7 @@ "icon": "icon-ok", "idx": 1, "is_submittable": 1, - "modified": "2014-05-26 03:05:49.674303", + "modified": "2014-05-27 03:49:12.744348", "modified_by": "Administrator", "module": "HR", "name": "Leave Allocation", diff --git a/erpnext/hr/doctype/leave_application/leave_application.json b/erpnext/hr/doctype/leave_application/leave_application.json index 8dd58bb558..7a7e129526 100644 --- a/erpnext/hr/doctype/leave_application/leave_application.json +++ b/erpnext/hr/doctype/leave_application/leave_application.json @@ -1,269 +1,272 @@ { - "allow_attach": 1, - "autoname": "LAP/.#####", - "creation": "2013-02-20 11:18:11", - "description": "Apply / Approve Leaves", - "docstatus": 0, - "doctype": "DocType", - "document_type": "Transaction", + "allow_attach": 1, + "autoname": "LAP/.#####", + "creation": "2013-02-20 11:18:11", + "description": "Apply / Approve Leaves", + "docstatus": 0, + "doctype": "DocType", + "document_type": "Transaction", "fields": [ { - "default": "Open", - "fieldname": "status", - "fieldtype": "Select", - "in_list_view": 1, - "label": "Status", - "no_copy": 1, - "options": "Open\nApproved\nRejected", + "default": "Open", + "fieldname": "status", + "fieldtype": "Select", + "in_list_view": 1, + "label": "Status", + "no_copy": 1, + "options": "Open\nApproved\nRejected", "permlevel": 1 - }, + }, { - "description": "Leave can be approved by users with Role, \"Leave Approver\"", - "fieldname": "leave_approver", - "fieldtype": "Select", - "label": "Leave Approver", - "options": "[Select]", + "description": "Leave can be approved by users with Role, \"Leave Approver\"", + "fieldname": "leave_approver", + "fieldtype": "Select", + "label": "Leave Approver", + "options": "[Select]", "permlevel": 0 - }, + }, { - "fieldname": "leave_type", - "fieldtype": "Link", - "in_filter": 1, - "in_list_view": 1, - "label": "Leave Type", - "options": "Leave Type", - "permlevel": 0, - "reqd": 1, + "fieldname": "leave_type", + "fieldtype": "Link", + "in_filter": 1, + "in_list_view": 1, + "label": "Leave Type", + "options": "Leave Type", + "permlevel": 0, + "reqd": 1, "search_index": 1 - }, + }, { - "fieldname": "from_date", - "fieldtype": "Date", - "in_list_view": 1, - "label": "From Date", - "permlevel": 0, - "reqd": 1, + "fieldname": "from_date", + "fieldtype": "Date", + "in_list_view": 1, + "label": "From Date", + "permlevel": 0, + "reqd": 1, "search_index": 1 - }, + }, { - "fieldname": "to_date", - "fieldtype": "Date", - "in_list_view": 0, - "label": "To Date", - "permlevel": 0, - "reqd": 1, + "fieldname": "to_date", + "fieldtype": "Date", + "in_list_view": 0, + "label": "To Date", + "permlevel": 0, + "reqd": 1, "search_index": 1 - }, + }, { - "fieldname": "half_day", - "fieldtype": "Check", - "label": "Half Day", + "fieldname": "half_day", + "fieldtype": "Check", + "label": "Half Day", "permlevel": 0 - }, + }, { - "fieldname": "column_break1", - "fieldtype": "Column Break", - "permlevel": 0, - "print_width": "50%", + "fieldname": "column_break1", + "fieldtype": "Column Break", + "permlevel": 0, + "print_width": "50%", "width": "50%" - }, + }, { - "fieldname": "description", - "fieldtype": "Small Text", - "label": "Reason", + "fieldname": "description", + "fieldtype": "Small Text", + "label": "Reason", "permlevel": 0 - }, + }, { - "fieldname": "employee", - "fieldtype": "Link", - "in_filter": 1, - "label": "Employee", - "options": "Employee", - "permlevel": 0, - "reqd": 1, + "fieldname": "employee", + "fieldtype": "Link", + "in_filter": 1, + "label": "Employee", + "options": "Employee", + "permlevel": 0, + "reqd": 1, "search_index": 1 - }, + }, { - "fieldname": "employee_name", - "fieldtype": "Data", - "in_filter": 1, - "in_list_view": 1, - "label": "Employee Name", - "permlevel": 0, - "read_only": 1, + "fieldname": "employee_name", + "fieldtype": "Data", + "in_filter": 1, + "in_list_view": 1, + "label": "Employee Name", + "permlevel": 0, + "read_only": 1, "search_index": 0 - }, + }, { - "fieldname": "leave_balance", - "fieldtype": "Float", - "label": "Leave Balance Before Application", - "no_copy": 1, - "permlevel": 0, + "fieldname": "leave_balance", + "fieldtype": "Float", + "label": "Leave Balance Before Application", + "no_copy": 1, + "permlevel": 0, "read_only": 1 - }, + }, { - "fieldname": "total_leave_days", - "fieldtype": "Float", - "label": "Total Leave Days", - "no_copy": 1, - "permlevel": 0, + "fieldname": "total_leave_days", + "fieldtype": "Float", + "label": "Total Leave Days", + "no_copy": 1, + "permlevel": 0, "read_only": 1 - }, + }, { - "fieldname": "sb10", - "fieldtype": "Section Break", - "label": "More Info", + "fieldname": "sb10", + "fieldtype": "Section Break", + "label": "More Info", "permlevel": 0 - }, + }, { - "allow_on_submit": 1, - "default": "1", - "fieldname": "follow_via_email", - "fieldtype": "Check", - "label": "Follow via Email", - "permlevel": 0, + "allow_on_submit": 1, + "default": "1", + "fieldname": "follow_via_email", + "fieldtype": "Check", + "label": "Follow via Email", + "permlevel": 0, "print_hide": 1 - }, + }, { - "default": "Today", - "fieldname": "posting_date", - "fieldtype": "Date", - "label": "Posting Date", - "no_copy": 1, - "permlevel": 0, + "default": "Today", + "fieldname": "posting_date", + "fieldtype": "Date", + "label": "Posting Date", + "no_copy": 1, + "permlevel": 0, "reqd": 1 - }, + }, { - "fieldname": "fiscal_year", - "fieldtype": "Link", - "in_filter": 1, - "label": "Fiscal Year", - "options": "Fiscal Year", - "permlevel": 0, - "read_only": 0, - "reqd": 1, + "fieldname": "fiscal_year", + "fieldtype": "Link", + "in_filter": 1, + "label": "Fiscal Year", + "options": "Fiscal Year", + "permlevel": 0, + "read_only": 0, + "reqd": 1, "search_index": 0 - }, + }, { - "fieldname": "column_break_17", - "fieldtype": "Column Break", + "fieldname": "column_break_17", + "fieldtype": "Column Break", "permlevel": 0 - }, + }, { - "fieldname": "company", - "fieldtype": "Link", - "label": "Company", - "options": "Company", - "permlevel": 0, + "fieldname": "company", + "fieldtype": "Link", + "label": "Company", + "options": "Company", + "permlevel": 0, "reqd": 1 - }, + }, { - "fieldname": "letter_head", - "fieldtype": "Link", - "label": "Letter Head", - "options": "Letter Head", - "permlevel": 0, - "print_hide": 1, + "fieldname": "letter_head", + "fieldtype": "Link", + "label": "Letter Head", + "options": "Letter Head", + "permlevel": 0, + "print_hide": 1, "read_only": 0 - }, + }, { - "fieldname": "amended_from", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Amended From", - "no_copy": 1, - "options": "Leave Application", - "permlevel": 0, - "print_hide": 1, + "fieldname": "amended_from", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Amended From", + "no_copy": 1, + "options": "Leave Application", + "permlevel": 0, + "print_hide": 1, "read_only": 1 } - ], - "icon": "icon-calendar", - "idx": 1, - "is_submittable": 1, - "max_attachments": 3, - "modified": "2014-05-26 03:05:49.838899", - "modified_by": "Administrator", - "module": "HR", - "name": "Leave Application", - "owner": "Administrator", + ], + "icon": "icon-calendar", + "idx": 1, + "is_submittable": 1, + "max_attachments": 3, + "modified": "2014-05-27 03:49:12.957706", + "modified_by": "Administrator", + "module": "HR", + "name": "Leave Application", + "owner": "Administrator", "permissions": [ { - "create": 1, - "delete": 0, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Employee", + "apply_user_permissions": 1, + "create": 1, + "delete": 0, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Employee", "write": 1 - }, + }, { - "amend": 0, - "cancel": 0, - "create": 0, - "delete": 0, - "permlevel": 1, - "read": 1, - "role": "All", + "amend": 0, + "cancel": 0, + "create": 0, + "delete": 0, + "permlevel": 1, + "read": 1, + "role": "All", "submit": 0 - }, + }, { - "amend": 1, - "cancel": 1, - "create": 1, - "delete": 1, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "set_user_permissions": 1, - "role": "HR User", - "submit": 1, + "amend": 1, + "apply_user_permissions": 1, + "cancel": 1, + "create": 1, + "delete": 1, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "HR User", + "set_user_permissions": 1, + "submit": 1, "write": 1 - }, + }, { - "amend": 1, - "cancel": 0, - "create": 0, - "delete": 0, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Leave Approver", - "submit": 1, + "amend": 1, + "apply_user_permissions": 1, + "cancel": 0, + "create": 0, + "delete": 0, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Leave Approver", + "submit": 1, "write": 1 - }, + }, { - "amend": 0, - "cancel": 0, - "create": 0, - "delete": 0, - "permlevel": 1, - "read": 1, - "report": 1, - "role": "HR User", - "submit": 0, + "amend": 0, + "cancel": 0, + "create": 0, + "delete": 0, + "permlevel": 1, + "read": 1, + "report": 1, + "role": "HR User", + "submit": 0, "write": 1 - }, + }, { - "amend": 0, - "cancel": 0, - "create": 0, - "delete": 0, - "permlevel": 1, - "read": 1, - "report": 1, - "role": "Leave Approver", - "submit": 0, + "amend": 0, + "cancel": 0, + "create": 0, + "delete": 0, + "permlevel": 1, + "read": 1, + "report": 1, + "role": "Leave Approver", + "submit": 0, "write": 1 } - ], - "search_fields": "employee,employee_name,leave_type,from_date,to_date,total_leave_days,fiscal_year", - "sort_field": "modified", + ], + "search_fields": "employee,employee_name,leave_type,from_date,to_date,total_leave_days,fiscal_year", + "sort_field": "modified", "sort_order": "DESC" -} +} \ No newline at end of file diff --git a/erpnext/hr/doctype/leave_application/test_leave_application.py b/erpnext/hr/doctype/leave_application/test_leave_application.py index dbf8a71fc6..f5476407bd 100644 --- a/erpnext/hr/doctype/leave_application/test_leave_application.py +++ b/erpnext/hr/doctype/leave_application/test_leave_application.py @@ -5,7 +5,7 @@ import frappe import unittest from erpnext.hr.doctype.leave_application.leave_application import LeaveDayBlockedError, OverlapError -from frappe.core.page.user_permissions.user_permissions import clear_user_permissions +from frappe.permissions import clear_user_permissions_for_doctype test_dependencies = ["Leave Allocation", "Leave Block List"] @@ -91,7 +91,7 @@ class TestLeaveApplication(unittest.TestCase): from frappe.utils.user import add_role add_role("test1@example.com", "HR User") - clear_user_permissions("Employee") + clear_user_permissions_for_doctype("Employee") frappe.db.set_value("Department", "_Test Department", "leave_block_list", "_Test Leave Block List") diff --git a/erpnext/hr/doctype/leave_block_list/leave_block_list.json b/erpnext/hr/doctype/leave_block_list/leave_block_list.json index cb3b6537a4..916e356158 100644 --- a/erpnext/hr/doctype/leave_block_list/leave_block_list.json +++ b/erpnext/hr/doctype/leave_block_list/leave_block_list.json @@ -1,7 +1,7 @@ { "allow_import": 1, "autoname": "field:leave_block_list_name", - "creation": "2013-02-18 17:43:12.000000", + "creation": "2013-02-18 17:43:12", "description": "Block Holidays on important days.", "docstatus": 0, "doctype": "DocType", @@ -10,6 +10,7 @@ { "fieldname": "leave_block_list_name", "fieldtype": "Data", + "in_list_view": 1, "label": "Leave Block List Name", "permlevel": 0, "reqd": 1 @@ -17,6 +18,7 @@ { "fieldname": "year", "fieldtype": "Link", + "in_list_view": 1, "label": "Year", "options": "Fiscal Year", "permlevel": 0, @@ -25,6 +27,7 @@ { "fieldname": "company", "fieldtype": "Link", + "in_list_view": 1, "label": "Company", "options": "Company", "permlevel": 0, @@ -34,6 +37,7 @@ "description": "If not checked, the list will have to be added to each Department where it has to be applied.", "fieldname": "applies_to_all_departments", "fieldtype": "Check", + "in_list_view": 1, "label": "Applies to Company", "permlevel": 0 }, @@ -68,13 +72,14 @@ ], "icon": "icon-calendar", "idx": 1, - "modified": "2013-12-20 19:24:13.000000", + "modified": "2014-05-27 03:49:13.198735", "modified_by": "Administrator", "module": "HR", "name": "Leave Block List", "owner": "Administrator", "permissions": [ { + "apply_user_permissions": 1, "create": 1, "email": 1, "permlevel": 0, diff --git a/erpnext/hr/doctype/leave_type/leave_type.json b/erpnext/hr/doctype/leave_type/leave_type.json index 808b26f239..9ce967fe11 100644 --- a/erpnext/hr/doctype/leave_type/leave_type.json +++ b/erpnext/hr/doctype/leave_type/leave_type.json @@ -62,14 +62,14 @@ ], "icon": "icon-flag", "idx": 1, - "modified": "2014-05-07 06:39:38.884656", + "modified": "2014-05-27 03:49:13.297832", "modified_by": "Administrator", "module": "HR", "name": "Leave Type", "owner": "Administrator", "permissions": [ { - "cancel": 0, + "apply_user_permissions": 1, "create": 1, "delete": 1, "email": 1, @@ -82,7 +82,6 @@ "write": 1 }, { - "cancel": 0, "create": 1, "delete": 1, "email": 1, @@ -95,6 +94,7 @@ "write": 1 }, { + "apply_user_permissions": 1, "permlevel": 0, "read": 1, "role": "Employee" diff --git a/erpnext/hr/doctype/salary_slip/salary_slip.json b/erpnext/hr/doctype/salary_slip/salary_slip.json index 40354811b3..374d11e93b 100644 --- a/erpnext/hr/doctype/salary_slip/salary_slip.json +++ b/erpnext/hr/doctype/salary_slip/salary_slip.json @@ -325,7 +325,7 @@ "icon": "icon-file-text", "idx": 1, "is_submittable": 1, - "modified": "2014-05-26 03:05:52.624169", + "modified": "2014-05-27 03:49:17.213045", "modified_by": "Administrator", "module": "HR", "name": "Salary Slip", @@ -333,6 +333,7 @@ "permissions": [ { "amend": 0, + "apply_user_permissions": 1, "create": 1, "delete": 0, "email": 1, @@ -359,6 +360,7 @@ "write": 1 }, { + "apply_user_permissions": 1, "permlevel": 0, "read": 1, "role": "Employee" diff --git a/erpnext/hr/doctype/salary_structure/salary_structure.json b/erpnext/hr/doctype/salary_structure/salary_structure.json index 5931c77dd2..c31696cab7 100644 --- a/erpnext/hr/doctype/salary_structure/salary_structure.json +++ b/erpnext/hr/doctype/salary_structure/salary_structure.json @@ -227,7 +227,7 @@ ], "icon": "icon-file-text", "idx": 1, - "modified": "2014-05-09 02:16:46.711184", + "modified": "2014-05-27 03:49:17.438605", "modified_by": "Administrator", "module": "HR", "name": "Salary Structure", @@ -235,6 +235,7 @@ "permissions": [ { "amend": 0, + "apply_user_permissions": 1, "create": 1, "email": 1, "permlevel": 0, diff --git a/erpnext/manufacturing/doctype/bom/bom.json b/erpnext/manufacturing/doctype/bom/bom.json index 958d6bfa4c..3b0d5fc6d9 100644 --- a/erpnext/manufacturing/doctype/bom/bom.json +++ b/erpnext/manufacturing/doctype/bom/bom.json @@ -233,7 +233,7 @@ "is_submittable": 1, "issingle": 0, "istable": 0, - "modified": "2014-05-26 03:05:46.985950", + "modified": "2014-05-27 03:49:08.024523", "modified_by": "Administrator", "module": "Manufacturing", "name": "BOM", @@ -253,6 +253,7 @@ "write": 1 }, { + "apply_user_permissions": 1, "cancel": 1, "create": 1, "delete": 1, diff --git a/erpnext/manufacturing/doctype/production_order/production_order.json b/erpnext/manufacturing/doctype/production_order/production_order.json index 4ade7196b4..b1b19e41c9 100644 --- a/erpnext/manufacturing/doctype/production_order/production_order.json +++ b/erpnext/manufacturing/doctype/production_order/production_order.json @@ -224,7 +224,7 @@ "idx": 1, "in_create": 0, "is_submittable": 1, - "modified": "2014-05-26 03:05:50.799576", + "modified": "2014-05-27 03:49:15.008942", "modified_by": "Administrator", "module": "Manufacturing", "name": "Production Order", @@ -232,6 +232,7 @@ "permissions": [ { "amend": 1, + "apply_user_permissions": 1, "cancel": 1, "create": 1, "delete": 1, @@ -245,6 +246,7 @@ "write": 1 }, { + "apply_user_permissions": 1, "permlevel": 0, "read": 1, "report": 1, diff --git a/erpnext/manufacturing/doctype/workstation/workstation.json b/erpnext/manufacturing/doctype/workstation/workstation.json index e15c241e25..278707e615 100644 --- a/erpnext/manufacturing/doctype/workstation/workstation.json +++ b/erpnext/manufacturing/doctype/workstation/workstation.json @@ -132,14 +132,14 @@ ], "icon": "icon-wrench", "idx": 1, - "modified": "2014-05-06 12:12:33.424191", + "modified": "2014-05-27 03:49:22.635046", "modified_by": "Administrator", "module": "Manufacturing", "name": "Workstation", "owner": "Administrator", "permissions": [ { - "cancel": 0, + "apply_user_permissions": 1, "create": 1, "delete": 1, "email": 1, diff --git a/erpnext/projects/doctype/activity_type/activity_type.json b/erpnext/projects/doctype/activity_type/activity_type.json index 7ef2ec1b9e..abbbbdb7b5 100644 --- a/erpnext/projects/doctype/activity_type/activity_type.json +++ b/erpnext/projects/doctype/activity_type/activity_type.json @@ -1,7 +1,7 @@ { "allow_import": 1, "autoname": "field:activity_type", - "creation": "2013-03-05 10:14:59.000000", + "creation": "2013-03-05 10:14:59", "docstatus": 0, "doctype": "DocType", "document_type": "Master", @@ -9,6 +9,7 @@ { "fieldname": "activity_type", "fieldtype": "Data", + "in_list_view": 1, "label": "Activity Type", "permlevel": 0, "reqd": 1 @@ -17,7 +18,7 @@ "icon": "icon-flag", "idx": 1, "in_dialog": 0, - "modified": "2013-12-20 19:23:54.000000", + "modified": "2014-05-27 03:49:07.219341", "modified_by": "Administrator", "module": "Projects", "name": "Activity Type", @@ -34,6 +35,7 @@ "write": 1 }, { + "apply_user_permissions": 1, "create": 1, "email": 1, "permlevel": 0, diff --git a/erpnext/projects/doctype/project/project.json b/erpnext/projects/doctype/project/project.json index 675cd867ca..5489d33468 100644 --- a/erpnext/projects/doctype/project/project.json +++ b/erpnext/projects/doctype/project/project.json @@ -258,7 +258,7 @@ "icon": "icon-puzzle-piece", "idx": 1, "max_attachments": 4, - "modified": "2014-05-07 06:03:31.085767", + "modified": "2014-05-27 03:49:15.252736", "modified_by": "Administrator", "module": "Projects", "name": "Project", @@ -266,7 +266,7 @@ "permissions": [ { "amend": 0, - "cancel": 0, + "apply_user_permissions": 1, "create": 1, "delete": 1, "email": 1, diff --git a/erpnext/projects/doctype/task/task.json b/erpnext/projects/doctype/task/task.json index 71327bbc0a..83b6f80f4c 100644 --- a/erpnext/projects/doctype/task/task.json +++ b/erpnext/projects/doctype/task/task.json @@ -2,7 +2,7 @@ "allow_attach": 1, "allow_import": 1, "autoname": "TASK.#####", - "creation": "2013-01-29 19:25:50.000000", + "creation": "2013-01-29 19:25:50", "docstatus": 0, "doctype": "DocType", "document_type": "Master", @@ -218,14 +218,14 @@ "icon": "icon-check", "idx": 1, "max_attachments": 5, - "modified": "2014-01-24 13:01:46.000000", + "modified": "2014-05-27 03:49:20.708319", "modified_by": "Administrator", "module": "Projects", "name": "Task", "owner": "Administrator", "permissions": [ { - "cancel": 0, + "apply_user_permissions": 1, "create": 1, "delete": 1, "email": 1, diff --git a/erpnext/projects/doctype/time_log/time_log.json b/erpnext/projects/doctype/time_log/time_log.json index 49c52f7d87..daeddbaa3b 100644 --- a/erpnext/projects/doctype/time_log/time_log.json +++ b/erpnext/projects/doctype/time_log/time_log.json @@ -152,7 +152,7 @@ "icon": "icon-time", "idx": 1, "is_submittable": 1, - "modified": "2014-05-26 03:05:54.597160", + "modified": "2014-05-27 03:49:21.143356", "modified_by": "Administrator", "module": "Projects", "name": "Time Log", diff --git a/erpnext/projects/doctype/time_log_batch/time_log_batch.json b/erpnext/projects/doctype/time_log_batch/time_log_batch.json index a20f45e920..9d24643a5d 100644 --- a/erpnext/projects/doctype/time_log_batch/time_log_batch.json +++ b/erpnext/projects/doctype/time_log_batch/time_log_batch.json @@ -83,7 +83,7 @@ "icon": "icon-time", "idx": 1, "is_submittable": 1, - "modified": "2014-05-26 03:05:54.728928", + "modified": "2014-05-27 03:49:21.339026", "modified_by": "Administrator", "module": "Projects", "name": "Time Log Batch", @@ -91,6 +91,7 @@ "permissions": [ { "amend": 1, + "apply_user_permissions": 1, "cancel": 1, "create": 1, "delete": 1, diff --git a/erpnext/selling/doctype/campaign/campaign.json b/erpnext/selling/doctype/campaign/campaign.json index f179b2c01b..03e8ec369f 100644 --- a/erpnext/selling/doctype/campaign/campaign.json +++ b/erpnext/selling/doctype/campaign/campaign.json @@ -48,7 +48,7 @@ ], "icon": "icon-bullhorn", "idx": 1, - "modified": "2014-05-26 03:45:48.713672", + "modified": "2014-05-27 03:49:08.416532", "modified_by": "Administrator", "module": "Selling", "name": "Campaign", @@ -56,7 +56,6 @@ "permissions": [ { "amend": 0, - "cancel": 0, "create": 0, "delete": 0, "email": 1, @@ -71,7 +70,7 @@ }, { "amend": 0, - "cancel": 0, + "apply_user_permissions": 1, "create": 0, "delete": 0, "email": 1, @@ -85,7 +84,6 @@ }, { "amend": 0, - "cancel": 0, "create": 1, "delete": 1, "email": 1, diff --git a/erpnext/selling/doctype/customer/customer.json b/erpnext/selling/doctype/customer/customer.json index 5b82281bf3..794b763090 100644 --- a/erpnext/selling/doctype/customer/customer.json +++ b/erpnext/selling/doctype/customer/customer.json @@ -1,337 +1,336 @@ { - "allow_import": 1, - "allow_rename": 1, - "autoname": "naming_series:", - "creation": "2013-06-11 14:26:44", - "description": "Buyer of Goods and Services.", - "docstatus": 0, - "doctype": "DocType", - "document_type": "Master", + "allow_import": 1, + "allow_rename": 1, + "autoname": "naming_series:", + "creation": "2013-06-11 14:26:44", + "description": "Buyer of Goods and Services.", + "docstatus": 0, + "doctype": "DocType", + "document_type": "Master", "fields": [ { - "fieldname": "basic_info", - "fieldtype": "Section Break", - "label": "Basic Info", - "oldfieldtype": "Section Break", - "options": "icon-user", - "permlevel": 0, + "fieldname": "basic_info", + "fieldtype": "Section Break", + "label": "Basic Info", + "oldfieldtype": "Section Break", + "options": "icon-user", + "permlevel": 0, "reqd": 0 - }, + }, { - "fieldname": "naming_series", - "fieldtype": "Select", - "label": "Series", - "no_copy": 1, - "options": "CUST-", - "permlevel": 0, + "fieldname": "naming_series", + "fieldtype": "Select", + "label": "Series", + "no_copy": 1, + "options": "CUST-", + "permlevel": 0, "print_hide": 0 - }, + }, { - "fieldname": "customer_name", - "fieldtype": "Data", - "hidden": 0, - "in_filter": 1, - "in_list_view": 1, - "label": "Full Name", - "no_copy": 1, - "oldfieldname": "customer_name", - "oldfieldtype": "Data", - "permlevel": 0, - "print_hide": 0, - "report_hide": 0, - "reqd": 1, + "fieldname": "customer_name", + "fieldtype": "Data", + "hidden": 0, + "in_filter": 1, + "in_list_view": 1, + "label": "Full Name", + "no_copy": 1, + "oldfieldname": "customer_name", + "oldfieldtype": "Data", + "permlevel": 0, + "print_hide": 0, + "report_hide": 0, + "reqd": 1, "search_index": 1 - }, + }, { - "fieldname": "customer_type", - "fieldtype": "Select", - "label": "Type", - "oldfieldname": "customer_type", - "oldfieldtype": "Select", - "options": "\nCompany\nIndividual", - "permlevel": 0, + "fieldname": "customer_type", + "fieldtype": "Select", + "label": "Type", + "oldfieldname": "customer_type", + "oldfieldtype": "Select", + "options": "\nCompany\nIndividual", + "permlevel": 0, "reqd": 1 - }, + }, { - "fieldname": "lead_name", - "fieldtype": "Link", - "hidden": 0, - "in_filter": 1, - "label": "From Lead", - "no_copy": 1, - "oldfieldname": "lead_name", - "oldfieldtype": "Link", - "options": "Lead", - "permlevel": 0, - "print_hide": 1, + "fieldname": "lead_name", + "fieldtype": "Link", + "hidden": 0, + "in_filter": 1, + "label": "From Lead", + "no_copy": 1, + "oldfieldname": "lead_name", + "oldfieldtype": "Link", + "options": "Lead", + "permlevel": 0, + "print_hide": 1, "report_hide": 1 - }, + }, { - "fieldname": "column_break0", - "fieldtype": "Column Break", - "permlevel": 0, + "fieldname": "column_break0", + "fieldtype": "Column Break", + "permlevel": 0, "width": "50%" - }, + }, { - "description": "Add / Edit", - "fieldname": "customer_group", - "fieldtype": "Link", - "hidden": 0, - "in_filter": 1, - "label": "Customer Group", - "oldfieldname": "customer_group", - "oldfieldtype": "Link", - "options": "Customer Group", - "permlevel": 0, - "print_hide": 0, - "reqd": 1, + "description": "Add / Edit", + "fieldname": "customer_group", + "fieldtype": "Link", + "hidden": 0, + "in_filter": 1, + "label": "Customer Group", + "oldfieldname": "customer_group", + "oldfieldtype": "Link", + "options": "Customer Group", + "permlevel": 0, + "print_hide": 0, + "reqd": 1, "search_index": 1 - }, + }, { - "description": "Add / Edit", - "fieldname": "territory", - "fieldtype": "Link", - "in_list_view": 1, - "label": "Territory", - "oldfieldname": "territory", - "oldfieldtype": "Link", - "options": "Territory", - "permlevel": 0, - "print_hide": 1, + "description": "Add / Edit", + "fieldname": "territory", + "fieldtype": "Link", + "in_list_view": 1, + "label": "Territory", + "oldfieldname": "territory", + "oldfieldtype": "Link", + "options": "Territory", + "permlevel": 0, + "print_hide": 1, "reqd": 1 - }, + }, { - "depends_on": "eval:!doc.__islocal", - "fieldname": "address_contacts", - "fieldtype": "Section Break", - "label": "Address & Contacts", - "options": "icon-map-marker", + "depends_on": "eval:!doc.__islocal", + "fieldname": "address_contacts", + "fieldtype": "Section Break", + "label": "Address & Contacts", + "options": "icon-map-marker", "permlevel": 0 - }, + }, { - "fieldname": "address_html", - "fieldtype": "HTML", - "label": "Address HTML", - "permlevel": 0, + "fieldname": "address_html", + "fieldtype": "HTML", + "label": "Address HTML", + "permlevel": 0, "read_only": 1 - }, + }, { - "fieldname": "column_break1", - "fieldtype": "Column Break", - "permlevel": 0, + "fieldname": "column_break1", + "fieldtype": "Column Break", + "permlevel": 0, "width": "50%" - }, + }, { - "fieldname": "contact_html", - "fieldtype": "HTML", - "label": "Contact HTML", - "oldfieldtype": "HTML", - "permlevel": 0, + "fieldname": "contact_html", + "fieldtype": "HTML", + "label": "Contact HTML", + "oldfieldtype": "HTML", + "permlevel": 0, "read_only": 1 - }, + }, { - "depends_on": "eval:!doc.__islocal", - "fieldname": "communication_history", - "fieldtype": "Section Break", - "label": "Communication History", - "options": "icon-comments", - "permlevel": 0, + "depends_on": "eval:!doc.__islocal", + "fieldname": "communication_history", + "fieldtype": "Section Break", + "label": "Communication History", + "options": "icon-comments", + "permlevel": 0, "print_hide": 1 - }, + }, { - "fieldname": "communication_html", - "fieldtype": "HTML", - "label": "Communication HTML", - "permlevel": 0, + "fieldname": "communication_html", + "fieldtype": "HTML", + "label": "Communication HTML", + "permlevel": 0, "print_hide": 1 - }, + }, { - "fieldname": "more_info", - "fieldtype": "Section Break", - "label": "More Info", - "oldfieldtype": "Section Break", - "options": "icon-file-text", + "fieldname": "more_info", + "fieldtype": "Section Break", + "label": "More Info", + "oldfieldtype": "Section Break", + "options": "icon-file-text", "permlevel": 0 - }, + }, { - "fieldname": "column_break2", - "fieldtype": "Column Break", - "permlevel": 0, + "fieldname": "column_break2", + "fieldtype": "Column Break", + "permlevel": 0, "width": "50%" - }, + }, { - "description": "To create an Account Head under a different company, select the company and save customer.", - "fieldname": "company", - "fieldtype": "Link", - "in_filter": 1, - "label": "Company", - "oldfieldname": "company", - "oldfieldtype": "Link", - "options": "Company", - "permlevel": 0, - "reqd": 1, + "description": "To create an Account Head under a different company, select the company and save customer.", + "fieldname": "company", + "fieldtype": "Link", + "in_filter": 1, + "label": "Company", + "oldfieldname": "company", + "oldfieldtype": "Link", + "options": "Company", + "permlevel": 0, + "reqd": 1, "search_index": 1 - }, + }, { - "description": "Your Customer's TAX registration numbers (if applicable) or any general information", - "fieldname": "customer_details", - "fieldtype": "Text", - "label": "Customer Details", - "oldfieldname": "customer_details", - "oldfieldtype": "Code", + "description": "Your Customer's TAX registration numbers (if applicable) or any general information", + "fieldname": "customer_details", + "fieldtype": "Text", + "label": "Customer Details", + "oldfieldname": "customer_details", + "oldfieldtype": "Code", "permlevel": 0 - }, + }, { - "fieldname": "column_break3", - "fieldtype": "Column Break", - "permlevel": 0, + "fieldname": "column_break3", + "fieldtype": "Column Break", + "permlevel": 0, "width": "50%" - }, + }, { - "fieldname": "default_currency", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Currency", - "no_copy": 1, - "options": "Currency", + "fieldname": "default_currency", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Currency", + "no_copy": 1, + "options": "Currency", "permlevel": 0 - }, + }, { - "fieldname": "default_price_list", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Price List", - "options": "Price List", + "fieldname": "default_price_list", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Price List", + "options": "Price List", "permlevel": 0 - }, + }, { - "fieldname": "default_taxes_and_charges", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Taxes and Charges", - "options": "Sales Taxes and Charges Master", + "fieldname": "default_taxes_and_charges", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Taxes and Charges", + "options": "Sales Taxes and Charges Master", "permlevel": 0 - }, + }, { - "fieldname": "credit_days", - "fieldtype": "Int", - "label": "Credit Days", - "oldfieldname": "credit_days", - "oldfieldtype": "Int", + "fieldname": "credit_days", + "fieldtype": "Int", + "label": "Credit Days", + "oldfieldname": "credit_days", + "oldfieldtype": "Int", "permlevel": 1 - }, + }, { - "fieldname": "credit_limit", - "fieldtype": "Currency", - "label": "Credit Limit", - "oldfieldname": "credit_limit", - "oldfieldtype": "Currency", - "options": "Company:company:default_currency", + "fieldname": "credit_limit", + "fieldtype": "Currency", + "label": "Credit Limit", + "oldfieldname": "credit_limit", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", "permlevel": 1 - }, + }, { - "fieldname": "website", - "fieldtype": "Data", - "label": "Website", + "fieldname": "website", + "fieldtype": "Data", + "label": "Website", "permlevel": 0 - }, + }, { - "fieldname": "sales_team_section_break", - "fieldtype": "Section Break", - "label": "Sales Team", - "oldfieldtype": "Section Break", - "options": "icon-group", + "fieldname": "sales_team_section_break", + "fieldtype": "Section Break", + "label": "Sales Team", + "oldfieldtype": "Section Break", + "options": "icon-group", "permlevel": 0 - }, + }, { - "fieldname": "default_sales_partner", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Sales Partner", - "oldfieldname": "default_sales_partner", - "oldfieldtype": "Link", - "options": "Sales Partner", + "fieldname": "default_sales_partner", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Sales Partner", + "oldfieldname": "default_sales_partner", + "oldfieldtype": "Link", + "options": "Sales Partner", "permlevel": 0 - }, + }, { - "fieldname": "default_commission_rate", - "fieldtype": "Float", - "label": "Commission Rate", - "oldfieldname": "default_commission_rate", - "oldfieldtype": "Currency", + "fieldname": "default_commission_rate", + "fieldtype": "Float", + "label": "Commission Rate", + "oldfieldname": "default_commission_rate", + "oldfieldtype": "Currency", "permlevel": 0 - }, + }, { - "fieldname": "sales_team", - "fieldtype": "Table", - "label": "Sales Team Details", - "oldfieldname": "sales_team", - "oldfieldtype": "Table", - "options": "Sales Team", + "fieldname": "sales_team", + "fieldtype": "Table", + "label": "Sales Team Details", + "oldfieldname": "sales_team", + "oldfieldtype": "Table", + "options": "Sales Team", "permlevel": 0 - }, + }, { - "fieldname": "communications", - "fieldtype": "Table", - "hidden": 1, - "label": "Communications", - "options": "Communication", - "permlevel": 0, + "fieldname": "communications", + "fieldtype": "Table", + "hidden": 1, + "label": "Communications", + "options": "Communication", + "permlevel": 0, "print_hide": 1 } - ], - "icon": "icon-user", - "idx": 1, - "modified": "2014-05-26 03:05:47.563605", - "modified_by": "Administrator", - "module": "Selling", - "name": "Customer", - "owner": "Administrator", + ], + "icon": "icon-user", + "idx": 1, + "modified": "2014-05-27 03:49:09.208254", + "modified_by": "Administrator", + "module": "Selling", + "name": "Customer", + "owner": "Administrator", "permissions": [ { - "amend": 0, - "cancel": 0, - "create": 1, - "delete": 0, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Sales User", - "submit": 0, + "amend": 0, + "apply_user_permissions": 1, + "create": 1, + "delete": 0, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Sales User", + "submit": 0, "write": 1 - }, + }, { - "cancel": 0, - "delete": 0, - "permlevel": 1, - "read": 1, + "cancel": 0, + "delete": 0, + "permlevel": 1, + "read": 1, "role": "Sales User" - }, + }, { - "amend": 0, - "cancel": 0, - "create": 1, - "delete": 1, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "set_user_permissions": 1, - "role": "Sales Master Manager", - "submit": 0, + "amend": 0, + "create": 1, + "delete": 1, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Sales Master Manager", + "set_user_permissions": 1, + "submit": 0, "write": 1 - }, + }, { - "cancel": 0, - "delete": 0, - "permlevel": 1, - "read": 1, - "role": "Sales Master Manager", + "cancel": 0, + "delete": 0, + "permlevel": 1, + "read": 1, + "role": "Sales Master Manager", "write": 1 } - ], + ], "search_fields": "customer_name,customer_group,territory" -} +} \ No newline at end of file diff --git a/erpnext/selling/doctype/industry_type/industry_type.json b/erpnext/selling/doctype/industry_type/industry_type.json index 2beda93718..fd2ec3f641 100644 --- a/erpnext/selling/doctype/industry_type/industry_type.json +++ b/erpnext/selling/doctype/industry_type/industry_type.json @@ -1,7 +1,7 @@ { "allow_import": 1, "autoname": "field:industry", - "creation": "2012-03-27 14:36:09.000000", + "creation": "2012-03-27 14:36:09", "docstatus": 0, "doctype": "DocType", "document_type": "Master", @@ -9,6 +9,7 @@ { "fieldname": "industry", "fieldtype": "Data", + "in_list_view": 1, "label": "Industry", "oldfieldname": "industry", "oldfieldtype": "Data", @@ -18,7 +19,7 @@ ], "icon": "icon-flag", "idx": 1, - "modified": "2013-12-20 19:24:08.000000", + "modified": "2014-05-27 03:49:11.146729", "modified_by": "Administrator", "module": "Selling", "name": "Industry Type", @@ -35,6 +36,7 @@ "write": 1 }, { + "apply_user_permissions": 1, "email": 1, "permlevel": 0, "print": 1, diff --git a/erpnext/selling/doctype/installation_note/installation_note.json b/erpnext/selling/doctype/installation_note/installation_note.json index 5097a38168..859ff5f4ce 100644 --- a/erpnext/selling/doctype/installation_note/installation_note.json +++ b/erpnext/selling/doctype/installation_note/installation_note.json @@ -235,7 +235,7 @@ "icon": "icon-wrench", "idx": 1, "is_submittable": 1, - "modified": "2014-05-26 03:05:48.899177", + "modified": "2014-05-27 03:49:11.449598", "modified_by": "Administrator", "module": "Selling", "name": "Installation Note", @@ -243,6 +243,7 @@ "permissions": [ { "amend": 1, + "apply_user_permissions": 1, "cancel": 1, "create": 1, "delete": 1, diff --git a/erpnext/selling/doctype/lead/lead.json b/erpnext/selling/doctype/lead/lead.json index 13ec40188d..08efe5c71f 100644 --- a/erpnext/selling/doctype/lead/lead.json +++ b/erpnext/selling/doctype/lead/lead.json @@ -362,7 +362,7 @@ ], "icon": "icon-user", "idx": 1, - "modified": "2014-05-21 06:25:53.613765", + "modified": "2014-05-27 03:49:12.570184", "modified_by": "Administrator", "module": "Selling", "name": "Lead", @@ -370,7 +370,6 @@ "permissions": [ { "amend": 0, - "cancel": 0, "create": 1, "delete": 1, "email": 1, @@ -384,7 +383,7 @@ }, { "amend": 0, - "cancel": 0, + "apply_user_permissions": 1, "create": 1, "delete": 0, "email": 1, diff --git a/erpnext/selling/doctype/opportunity/opportunity.json b/erpnext/selling/doctype/opportunity/opportunity.json index bfb2fe5f10..249a0ff50c 100644 --- a/erpnext/selling/doctype/opportunity/opportunity.json +++ b/erpnext/selling/doctype/opportunity/opportunity.json @@ -409,7 +409,7 @@ "icon": "icon-info-sign", "idx": 1, "is_submittable": 1, - "modified": "2014-05-26 03:05:50.362530", + "modified": "2014-05-27 03:49:14.057062", "modified_by": "Administrator", "module": "Selling", "name": "Opportunity", @@ -417,6 +417,7 @@ "permissions": [ { "amend": 1, + "apply_user_permissions": 1, "cancel": 1, "create": 1, "delete": 1, diff --git a/erpnext/selling/doctype/quotation/quotation.json b/erpnext/selling/doctype/quotation/quotation.json index 0e76ec42ad..02217386de 100644 --- a/erpnext/selling/doctype/quotation/quotation.json +++ b/erpnext/selling/doctype/quotation/quotation.json @@ -818,7 +818,7 @@ "idx": 1, "is_submittable": 1, "max_attachments": 1, - "modified": "2014-05-26 03:05:52.328681", + "modified": "2014-05-27 03:49:16.670976", "modified_by": "Administrator", "module": "Selling", "name": "Quotation", @@ -840,6 +840,7 @@ }, { "amend": 1, + "apply_user_permissions": 1, "cancel": 1, "create": 1, "delete": 1, @@ -854,6 +855,7 @@ }, { "amend": 0, + "apply_user_permissions": 1, "cancel": 0, "create": 0, "delete": 0, @@ -882,6 +884,7 @@ }, { "amend": 1, + "apply_user_permissions": 1, "cancel": 1, "create": 1, "delete": 1, diff --git a/erpnext/selling/doctype/sales_bom/sales_bom.json b/erpnext/selling/doctype/sales_bom/sales_bom.json index 91fac19a27..337bd12caf 100644 --- a/erpnext/selling/doctype/sales_bom/sales_bom.json +++ b/erpnext/selling/doctype/sales_bom/sales_bom.json @@ -1,6 +1,6 @@ { "allow_import": 1, - "creation": "2013-06-20 11:53:21.000000", + "creation": "2013-06-20 11:53:21", "description": "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**. \n\nThe package **Item** will have \"Is Stock Item\" as \"No\" and \"Is Sales Item\" as \"Yes\".\n\nFor Example: If you are selling Laptops and Backpacks separately and have a special price if the customer buys both, then the Laptop + Backpack will be a new Sales BOM Item.\n\nNote: BOM = Bill of Materials", "docstatus": 0, "doctype": "DocType", @@ -16,6 +16,7 @@ "description": "The Item that represents the Package. This Item must have \"Is Stock Item\" as \"No\" and \"Is Sales Item\" as \"Yes\"", "fieldname": "new_item_code", "fieldtype": "Link", + "in_list_view": 1, "label": "Parent Item", "no_copy": 1, "oldfieldname": "new_item_code", @@ -45,7 +46,7 @@ "icon": "icon-sitemap", "idx": 1, "is_submittable": 0, - "modified": "2014-01-20 17:49:19.000000", + "modified": "2014-05-27 03:49:17.656569", "modified_by": "Administrator", "module": "Selling", "name": "Sales BOM", @@ -53,7 +54,6 @@ "permissions": [ { "amend": 0, - "cancel": 0, "create": 1, "delete": 1, "email": 1, @@ -67,7 +67,7 @@ }, { "amend": 0, - "cancel": 0, + "apply_user_permissions": 1, "create": 0, "delete": 0, "email": 1, @@ -81,7 +81,7 @@ }, { "amend": 0, - "cancel": 0, + "apply_user_permissions": 1, "create": 1, "delete": 1, "email": 1, diff --git a/erpnext/selling/doctype/sales_order/sales_order.json b/erpnext/selling/doctype/sales_order/sales_order.json index cf7744dbf5..dd0d21056e 100644 --- a/erpnext/selling/doctype/sales_order/sales_order.json +++ b/erpnext/selling/doctype/sales_order/sales_order.json @@ -874,7 +874,7 @@ "idx": 1, "is_submittable": 1, "issingle": 0, - "modified": "2014-05-26 03:05:53.316938", + "modified": "2014-05-27 03:49:18.266089", "modified_by": "Administrator", "module": "Selling", "name": "Sales Order", @@ -882,6 +882,7 @@ "permissions": [ { "amend": 1, + "apply_user_permissions": 1, "cancel": 1, "create": 1, "delete": 1, @@ -896,6 +897,7 @@ }, { "amend": 1, + "apply_user_permissions": 1, "cancel": 1, "create": 1, "delete": 1, @@ -909,6 +911,7 @@ "write": 1 }, { + "apply_user_permissions": 1, "cancel": 0, "delete": 0, "email": 1, @@ -918,6 +921,7 @@ "role": "Accounts User" }, { + "apply_user_permissions": 1, "cancel": 0, "delete": 0, "email": 1, @@ -927,6 +931,7 @@ "role": "Customer" }, { + "apply_user_permissions": 1, "permlevel": 0, "read": 1, "report": 1, diff --git a/erpnext/setup/doctype/brand/brand.json b/erpnext/setup/doctype/brand/brand.json index 3e69ca5c62..f78547b833 100644 --- a/erpnext/setup/doctype/brand/brand.json +++ b/erpnext/setup/doctype/brand/brand.json @@ -33,14 +33,13 @@ "icon": "icon-certificate", "idx": 1, "in_dialog": 0, - "modified": "2014-05-06 12:13:17.646235", + "modified": "2014-05-27 03:49:08.217867", "modified_by": "Administrator", "module": "Setup", "name": "Brand", "owner": "Administrator", "permissions": [ { - "cancel": 0, "create": 1, "delete": 1, "email": 1, @@ -53,7 +52,7 @@ }, { "amend": 0, - "cancel": 0, + "apply_user_permissions": 1, "create": 0, "delete": 0, "email": 1, @@ -66,6 +65,7 @@ "write": 0 }, { + "apply_user_permissions": 1, "delete": 0, "email": 1, "permlevel": 0, @@ -75,6 +75,7 @@ "role": "Sales User" }, { + "apply_user_permissions": 1, "delete": 0, "email": 1, "permlevel": 0, @@ -84,6 +85,7 @@ "role": "Purchase User" }, { + "apply_user_permissions": 1, "delete": 0, "email": 1, "permlevel": 0, diff --git a/erpnext/setup/doctype/company/company.json b/erpnext/setup/doctype/company/company.json index ea82facb85..51a1ac5ede 100644 --- a/erpnext/setup/doctype/company/company.json +++ b/erpnext/setup/doctype/company/company.json @@ -348,7 +348,7 @@ ], "icon": "icon-building", "idx": 1, - "modified": "2014-05-26 03:05:47.284171", + "modified": "2014-05-27 03:49:08.597191", "modified_by": "Administrator", "module": "Setup", "name": "Company", @@ -356,7 +356,6 @@ "permissions": [ { "amend": 0, - "cancel": 0, "create": 1, "delete": 1, "email": 1, @@ -369,6 +368,7 @@ "write": 1 }, { + "apply_user_permissions": 1, "delete": 0, "email": 1, "permlevel": 0, diff --git a/erpnext/setup/doctype/country/country.json b/erpnext/setup/doctype/country/country.json index 487a160f75..1798ca1893 100644 --- a/erpnext/setup/doctype/country/country.json +++ b/erpnext/setup/doctype/country/country.json @@ -1,7 +1,7 @@ { "allow_import": 1, "autoname": "field:country_name", - "creation": "2013-01-19 10:23:30.000000", + "creation": "2013-01-19 10:23:30", "docstatus": 0, "doctype": "DocType", "document_type": "Master", @@ -9,6 +9,7 @@ { "fieldname": "country_name", "fieldtype": "Data", + "in_list_view": 1, "label": "Country Name", "oldfieldname": "country_name", "oldfieldtype": "Data", @@ -18,18 +19,21 @@ { "fieldname": "date_format", "fieldtype": "Data", + "in_list_view": 1, "label": "Date Format", "permlevel": 0 }, { "fieldname": "time_zones", "fieldtype": "Text", + "in_list_view": 1, "label": "Time Zones", "permlevel": 0 }, { "fieldname": "code", "fieldtype": "Data", + "in_list_view": 1, "label": "Code", "permlevel": 0 } @@ -37,7 +41,7 @@ "icon": "icon-globe", "idx": 1, "in_create": 0, - "modified": "2014-03-05 14:36:16.000000", + "modified": "2014-05-27 03:49:08.984710", "modified_by": "Administrator", "module": "Setup", "name": "Country", @@ -45,7 +49,6 @@ "permissions": [ { "amend": 0, - "cancel": 0, "create": 1, "email": 1, "permlevel": 0, @@ -68,6 +71,7 @@ "write": 1 }, { + "apply_user_permissions": 1, "create": 1, "email": 1, "permlevel": 0, @@ -90,6 +94,7 @@ "write": 1 }, { + "apply_user_permissions": 1, "email": 1, "permlevel": 0, "print": 1, diff --git a/erpnext/setup/doctype/currency/currency.json b/erpnext/setup/doctype/currency/currency.json index 6c66bca070..26fd14e5f9 100644 --- a/erpnext/setup/doctype/currency/currency.json +++ b/erpnext/setup/doctype/currency/currency.json @@ -1,6 +1,6 @@ { "autoname": "field:currency_name", - "creation": "2013-01-28 10:06:02.000000", + "creation": "2013-01-28 10:06:02", "description": "**Currency** Master", "docstatus": 0, "doctype": "DocType", @@ -58,14 +58,13 @@ "icon": "icon-bitcoin", "idx": 1, "in_create": 0, - "modified": "2014-01-20 17:48:31.000000", + "modified": "2014-05-27 03:49:09.038451", "modified_by": "Administrator", "module": "Setup", "name": "Currency", "owner": "Administrator", "permissions": [ { - "cancel": 0, "create": 1, "delete": 1, "email": 1, @@ -79,7 +78,6 @@ }, { "amend": 0, - "cancel": 0, "create": 1, "delete": 1, "email": 1, @@ -93,7 +91,6 @@ }, { "amend": 0, - "cancel": 0, "create": 1, "delete": 0, "email": 1, @@ -106,6 +103,7 @@ "write": 1 }, { + "apply_user_permissions": 1, "delete": 0, "email": 1, "permlevel": 0, diff --git a/erpnext/setup/doctype/currency_exchange/currency_exchange.json b/erpnext/setup/doctype/currency_exchange/currency_exchange.json index 7556968fe2..a51bd45688 100644 --- a/erpnext/setup/doctype/currency_exchange/currency_exchange.json +++ b/erpnext/setup/doctype/currency_exchange/currency_exchange.json @@ -1,6 +1,6 @@ { "allow_import": 1, - "creation": "2013-06-20 15:40:29.000000", + "creation": "2013-06-20 15:40:29", "description": "Specify Exchange Rate to convert one currency into another", "docstatus": 0, "doctype": "DocType", @@ -9,6 +9,7 @@ { "fieldname": "from_currency", "fieldtype": "Link", + "in_list_view": 1, "label": "From Currency", "options": "Currency", "permlevel": 0, @@ -17,6 +18,7 @@ { "fieldname": "to_currency", "fieldtype": "Link", + "in_list_view": 1, "label": "To Currency", "options": "Currency", "permlevel": 0, @@ -25,6 +27,7 @@ { "fieldname": "exchange_rate", "fieldtype": "Float", + "in_list_view": 1, "label": "Exchange Rate", "permlevel": 0, "reqd": 1 @@ -32,14 +35,13 @@ ], "icon": "icon-exchange", "idx": 1, - "modified": "2014-01-20 17:48:31.000000", + "modified": "2014-05-27 03:49:09.092389", "modified_by": "Administrator", "module": "Setup", "name": "Currency Exchange", "owner": "Administrator", "permissions": [ { - "cancel": 1, "create": 1, "delete": 1, "email": 1, @@ -51,6 +53,7 @@ "write": 1 }, { + "apply_user_permissions": 1, "delete": 0, "email": 1, "permlevel": 0, @@ -60,6 +63,7 @@ "role": "Accounts User" }, { + "apply_user_permissions": 1, "delete": 0, "email": 1, "permlevel": 0, @@ -69,6 +73,7 @@ "role": "Sales User" }, { + "apply_user_permissions": 1, "delete": 0, "email": 1, "permlevel": 0, diff --git a/erpnext/setup/doctype/customer_group/customer_group.json b/erpnext/setup/doctype/customer_group/customer_group.json index 921803f719..47ee903814 100644 --- a/erpnext/setup/doctype/customer_group/customer_group.json +++ b/erpnext/setup/doctype/customer_group/customer_group.json @@ -101,7 +101,7 @@ "icon": "icon-sitemap", "idx": 1, "in_create": 1, - "modified": "2014-05-26 03:05:47.746202", + "modified": "2014-05-27 03:49:09.397308", "modified_by": "Administrator", "module": "Setup", "name": "Customer Group", @@ -109,7 +109,6 @@ "permissions": [ { "amend": 0, - "cancel": 0, "create": 0, "delete": 0, "email": 1, @@ -123,7 +122,7 @@ }, { "amend": 0, - "cancel": 0, + "apply_user_permissions": 1, "create": 0, "delete": 0, "email": 1, @@ -137,7 +136,6 @@ }, { "amend": 0, - "cancel": 0, "create": 1, "delete": 1, "email": 1, diff --git a/erpnext/setup/doctype/item_group/item_group.json b/erpnext/setup/doctype/item_group/item_group.json index 7f8c519441..82f3c031be 100644 --- a/erpnext/setup/doctype/item_group/item_group.json +++ b/erpnext/setup/doctype/item_group/item_group.json @@ -162,7 +162,7 @@ "in_create": 1, "issingle": 0, "max_attachments": 3, - "modified": "2014-05-26 03:05:49.376278", + "modified": "2014-05-27 03:49:12.086044", "modified_by": "Administrator", "module": "Setup", "name": "Item Group", @@ -170,7 +170,6 @@ "permissions": [ { "amend": 0, - "cancel": 0, "create": 0, "delete": 0, "email": 1, @@ -184,7 +183,7 @@ }, { "amend": 0, - "cancel": 0, + "apply_user_permissions": 1, "create": 0, "delete": 0, "email": 1, @@ -197,7 +196,6 @@ "write": 0 }, { - "cancel": 0, "create": 1, "delete": 1, "email": 1, @@ -210,7 +208,7 @@ "write": 1 }, { - "cancel": 0, + "apply_user_permissions": 1, "delete": 0, "email": 1, "permlevel": 0, @@ -220,7 +218,7 @@ "role": "Sales User" }, { - "cancel": 0, + "apply_user_permissions": 1, "delete": 0, "email": 1, "permlevel": 0, @@ -230,7 +228,7 @@ "role": "Purchase User" }, { - "cancel": 0, + "apply_user_permissions": 1, "delete": 0, "email": 1, "permlevel": 0, diff --git a/erpnext/setup/doctype/print_heading/print_heading.json b/erpnext/setup/doctype/print_heading/print_heading.json index a303452453..313b30b3d4 100644 --- a/erpnext/setup/doctype/print_heading/print_heading.json +++ b/erpnext/setup/doctype/print_heading/print_heading.json @@ -30,14 +30,13 @@ ], "icon": "icon-font", "idx": 1, - "modified": "2014-05-07 06:39:39.352519", + "modified": "2014-05-27 03:49:14.944690", "modified_by": "Administrator", "module": "Setup", "name": "Print Heading", "owner": "Administrator", "permissions": [ { - "cancel": 0, "create": 1, "delete": 1, "email": 1, @@ -50,6 +49,7 @@ "write": 1 }, { + "apply_user_permissions": 1, "permlevel": 0, "read": 1, "role": "All" diff --git a/erpnext/setup/doctype/sales_partner/sales_partner.json b/erpnext/setup/doctype/sales_partner/sales_partner.json index 7bc0edd679..bd006dcda9 100644 --- a/erpnext/setup/doctype/sales_partner/sales_partner.json +++ b/erpnext/setup/doctype/sales_partner/sales_partner.json @@ -1,7 +1,7 @@ { "allow_import": 1, "autoname": "field:partner_name", - "creation": "2013-04-12 15:34:06.000000", + "creation": "2013-04-12 15:34:06", "description": "A third party distributor / dealer / commission agent / affiliate / reseller who sells the companies products for a commission.", "docstatus": 0, "doctype": "DocType", @@ -11,6 +11,7 @@ "fieldname": "partner_name", "fieldtype": "Data", "in_filter": 1, + "in_list_view": 1, "label": "Sales Partner Name", "oldfieldname": "partner_name", "oldfieldtype": "Data", @@ -22,6 +23,7 @@ "fieldname": "partner_type", "fieldtype": "Select", "in_filter": 1, + "in_list_view": 1, "label": "Partner Type", "oldfieldname": "partner_type", "oldfieldtype": "Select", @@ -33,6 +35,7 @@ "description": "Add / Edit", "fieldname": "territory", "fieldtype": "Link", + "in_list_view": 1, "label": "Territory", "options": "Territory", "permlevel": 0, @@ -48,6 +51,7 @@ { "fieldname": "commission_rate", "fieldtype": "Float", + "in_list_view": 1, "label": "Commission Rate", "oldfieldname": "commission_rate", "oldfieldtype": "Currency", @@ -194,7 +198,7 @@ "icon": "icon-user", "idx": 1, "in_create": 0, - "modified": "2014-02-20 18:30:32.000000", + "modified": "2014-05-27 03:49:18.661354", "modified_by": "Administrator", "module": "Setup", "name": "Sales Partner", @@ -202,7 +206,6 @@ "permissions": [ { "amend": 0, - "cancel": 0, "create": 0, "delete": 0, "email": 1, @@ -216,7 +219,7 @@ }, { "amend": 0, - "cancel": 0, + "apply_user_permissions": 1, "create": 0, "delete": 0, "email": 1, @@ -230,7 +233,6 @@ }, { "amend": 0, - "cancel": 0, "create": 1, "delete": 0, "email": 1, diff --git a/erpnext/setup/doctype/sales_person/sales_person.json b/erpnext/setup/doctype/sales_person/sales_person.json index aa567ea185..f1db4f4a93 100644 --- a/erpnext/setup/doctype/sales_person/sales_person.json +++ b/erpnext/setup/doctype/sales_person/sales_person.json @@ -143,7 +143,7 @@ "icon": "icon-user", "idx": 1, "in_create": 1, - "modified": "2014-05-26 03:05:53.652608", + "modified": "2014-05-27 03:49:18.900175", "modified_by": "Administrator", "module": "Setup", "name": "Sales Person", @@ -151,7 +151,6 @@ "permissions": [ { "amend": 0, - "cancel": 0, "create": 0, "delete": 0, "email": 1, @@ -165,7 +164,7 @@ }, { "amend": 0, - "cancel": 0, + "apply_user_permissions": 1, "create": 0, "delete": 0, "email": 1, @@ -179,7 +178,6 @@ }, { "amend": 0, - "cancel": 0, "create": 1, "delete": 1, "email": 1, diff --git a/erpnext/setup/doctype/supplier_type/supplier_type.json b/erpnext/setup/doctype/supplier_type/supplier_type.json index de2f74f9ac..e881e95cda 100644 --- a/erpnext/setup/doctype/supplier_type/supplier_type.json +++ b/erpnext/setup/doctype/supplier_type/supplier_type.json @@ -20,7 +20,7 @@ ], "icon": "icon-flag", "idx": 1, - "modified": "2014-05-07 06:39:39.516612", + "modified": "2014-05-27 03:49:20.505739", "modified_by": "Administrator", "module": "Setup", "name": "Supplier Type", @@ -28,7 +28,6 @@ "permissions": [ { "amend": 0, - "cancel": 0, "create": 0, "delete": 0, "email": 1, @@ -42,7 +41,7 @@ }, { "amend": 0, - "cancel": 0, + "apply_user_permissions": 1, "create": 0, "delete": 0, "email": 1, @@ -56,7 +55,6 @@ }, { "amend": 0, - "cancel": 0, "create": 1, "delete": 1, "email": 1, diff --git a/erpnext/setup/doctype/terms_and_conditions/terms_and_conditions.json b/erpnext/setup/doctype/terms_and_conditions/terms_and_conditions.json index ca73a89830..2f5a289129 100644 --- a/erpnext/setup/doctype/terms_and_conditions/terms_and_conditions.json +++ b/erpnext/setup/doctype/terms_and_conditions/terms_and_conditions.json @@ -32,7 +32,7 @@ ], "icon": "icon-legal", "idx": 1, - "modified": "2014-05-07 06:48:23.870645", + "modified": "2014-05-27 03:49:20.923172", "modified_by": "Administrator", "module": "Setup", "name": "Terms and Conditions", @@ -40,7 +40,6 @@ "permissions": [ { "amend": 0, - "cancel": 0, "create": 1, "delete": 1, "email": 1, @@ -54,7 +53,7 @@ }, { "amend": 0, - "cancel": 0, + "apply_user_permissions": 1, "create": 0, "delete": 0, "email": 0, @@ -67,12 +66,12 @@ "write": 0 }, { + "apply_user_permissions": 1, "permlevel": 0, "read": 1, "role": "Purchase User" }, { - "cancel": 0, "create": 1, "delete": 1, "email": 1, @@ -85,7 +84,7 @@ "write": 1 }, { - "cancel": 0, + "apply_user_permissions": 1, "create": 1, "delete": 1, "email": 1, @@ -98,6 +97,7 @@ "write": 1 }, { + "apply_user_permissions": 1, "permlevel": 0, "read": 1, "role": "Material User" diff --git a/erpnext/setup/doctype/territory/territory.json b/erpnext/setup/doctype/territory/territory.json index 12559ff35a..66f1945c96 100644 --- a/erpnext/setup/doctype/territory/territory.json +++ b/erpnext/setup/doctype/territory/territory.json @@ -136,7 +136,7 @@ "icon": "icon-map-marker", "idx": 1, "in_create": 1, - "modified": "2014-05-26 03:05:54.517648", + "modified": "2014-05-27 03:49:20.981624", "modified_by": "Administrator", "module": "Setup", "name": "Territory", @@ -145,7 +145,6 @@ "permissions": [ { "amend": 0, - "cancel": 0, "create": 1, "delete": 1, "email": 1, @@ -159,7 +158,6 @@ }, { "amend": 0, - "cancel": 0, "create": 0, "delete": 0, "email": 1, @@ -173,7 +171,7 @@ }, { "amend": 0, - "cancel": 0, + "apply_user_permissions": 1, "create": 0, "delete": 0, "email": 1, @@ -186,11 +184,13 @@ "write": 0 }, { + "apply_user_permissions": 1, "permlevel": 0, "read": 1, "role": "Material User" }, { + "apply_user_permissions": 1, "permlevel": 0, "read": 1, "role": "Maintenance User" diff --git a/erpnext/setup/doctype/uom/uom.json b/erpnext/setup/doctype/uom/uom.json index 42e31eb1f1..3f89ee84ac 100644 --- a/erpnext/setup/doctype/uom/uom.json +++ b/erpnext/setup/doctype/uom/uom.json @@ -1,7 +1,7 @@ { "allow_import": 1, "autoname": "field:uom_name", - "creation": "2013-01-10 16:34:24.000000", + "creation": "2013-01-10 16:34:24", "docstatus": 0, "doctype": "DocType", "document_type": "Master", @@ -9,6 +9,7 @@ { "fieldname": "uom_name", "fieldtype": "Data", + "in_list_view": 1, "label": "UOM Name", "oldfieldname": "uom_name", "oldfieldtype": "Data", @@ -19,13 +20,14 @@ "description": "Check this to disallow fractions. (for Nos)", "fieldname": "must_be_whole_number", "fieldtype": "Check", + "in_list_view": 1, "label": "Must be Whole Number", "permlevel": 0 } ], "icon": "icon-compass", "idx": 1, - "modified": "2014-01-20 17:49:34.000000", + "modified": "2014-05-27 03:49:22.050899", "modified_by": "Administrator", "module": "Setup", "name": "UOM", @@ -33,7 +35,6 @@ "permissions": [ { "amend": 0, - "cancel": 0, "create": 1, "delete": 1, "email": 1, @@ -47,7 +48,6 @@ }, { "amend": 0, - "cancel": 0, "create": 0, "delete": 0, "email": 1, @@ -61,7 +61,7 @@ }, { "amend": 0, - "cancel": 0, + "apply_user_permissions": 1, "create": 0, "delete": 0, "email": 1, diff --git a/erpnext/stock/doctype/bin/bin.json b/erpnext/stock/doctype/bin/bin.json index 03fa4bfe1b..2160ca4c03 100644 --- a/erpnext/stock/doctype/bin/bin.json +++ b/erpnext/stock/doctype/bin/bin.json @@ -1,6 +1,6 @@ { "autoname": "BIN/.#######", - "creation": "2013-01-10 16:34:25.000000", + "creation": "2013-01-10 16:34:25", "docstatus": 0, "doctype": "DocType", "fields": [ @@ -162,13 +162,14 @@ "hide_toolbar": 1, "idx": 1, "in_create": 1, - "modified": "2013-12-20 19:23:56.000000", + "modified": "2014-05-27 03:49:07.654364", "modified_by": "Administrator", "module": "Stock", "name": "Bin", "owner": "Administrator", "permissions": [ { + "apply_user_permissions": 1, "email": 1, "permlevel": 0, "print": 1, @@ -178,6 +179,7 @@ "submit": 0 }, { + "apply_user_permissions": 1, "email": 1, "permlevel": 0, "print": 1, @@ -188,7 +190,7 @@ }, { "amend": 0, - "cancel": 0, + "apply_user_permissions": 1, "create": 0, "email": 1, "permlevel": 0, diff --git a/erpnext/stock/doctype/delivery_note/delivery_note.json b/erpnext/stock/doctype/delivery_note/delivery_note.json index b6125a6807..9b13b10ec8 100644 --- a/erpnext/stock/doctype/delivery_note/delivery_note.json +++ b/erpnext/stock/doctype/delivery_note/delivery_note.json @@ -999,7 +999,7 @@ "idx": 1, "in_create": 0, "is_submittable": 1, - "modified": "2014-05-26 03:05:48.020967", + "modified": "2014-05-27 03:49:09.721622", "modified_by": "Administrator", "module": "Stock", "name": "Delivery Note", @@ -1007,6 +1007,7 @@ "permissions": [ { "amend": 1, + "apply_user_permissions": 1, "cancel": 1, "create": 1, "delete": 1, @@ -1035,6 +1036,7 @@ }, { "amend": 1, + "apply_user_permissions": 1, "cancel": 1, "create": 1, "delete": 1, @@ -1048,6 +1050,7 @@ "write": 1 }, { + "apply_user_permissions": 1, "cancel": 0, "create": 0, "delete": 0, @@ -1061,6 +1064,7 @@ "write": 0 }, { + "apply_user_permissions": 1, "cancel": 0, "delete": 0, "email": 1, diff --git a/erpnext/stock/doctype/item/item.json b/erpnext/stock/doctype/item/item.json index 03febbc70f..adcf7dc8dd 100644 --- a/erpnext/stock/doctype/item/item.json +++ b/erpnext/stock/doctype/item/item.json @@ -832,7 +832,6 @@ "owner": "Administrator", "permissions": [ { - "cancel": 0, "create": 1, "delete": 1, "email": 1, @@ -847,7 +846,6 @@ }, { "amend": 0, - "cancel": 0, "create": 0, "delete": 0, "email": 1, @@ -861,7 +859,7 @@ }, { "amend": 0, - "cancel": 0, + "apply_user_permissions": 1, "create": 0, "delete": 0, "email": 1, @@ -874,26 +872,31 @@ "write": 0 }, { + "apply_user_permissions": 1, "permlevel": 0, "read": 1, "role": "Sales User" }, { + "apply_user_permissions": 1, "permlevel": 0, "read": 1, "role": "Purchase User" }, { + "apply_user_permissions": 1, "permlevel": 0, "read": 1, "role": "Maintenance User" }, { + "apply_user_permissions": 1, "permlevel": 0, "read": 1, "role": "Accounts User" }, { + "apply_user_permissions": 1, "permlevel": 0, "read": 1, "role": "Manufacturing User" diff --git a/erpnext/stock/doctype/material_request/material_request.json b/erpnext/stock/doctype/material_request/material_request.json index 1e5ddcd4af..8e8f75662a 100644 --- a/erpnext/stock/doctype/material_request/material_request.json +++ b/erpnext/stock/doctype/material_request/material_request.json @@ -229,7 +229,7 @@ "icon": "icon-ticket", "idx": 1, "is_submittable": 1, - "modified": "2014-05-26 03:05:50.138188", + "modified": "2014-05-27 03:49:13.642995", "modified_by": "Administrator", "module": "Stock", "name": "Material Request", @@ -265,6 +265,7 @@ }, { "amend": 1, + "apply_user_permissions": 1, "cancel": 1, "create": 1, "delete": 1, @@ -279,6 +280,7 @@ }, { "amend": 1, + "apply_user_permissions": 1, "cancel": 1, "create": 1, "delete": 1, diff --git a/erpnext/stock/doctype/packing_slip/packing_slip.json b/erpnext/stock/doctype/packing_slip/packing_slip.json index 47eb75d553..3b3d5a0155 100644 --- a/erpnext/stock/doctype/packing_slip/packing_slip.json +++ b/erpnext/stock/doctype/packing_slip/packing_slip.json @@ -180,7 +180,7 @@ "icon": "icon-suitcase", "idx": 1, "is_submittable": 1, - "modified": "2014-05-26 03:07:50.514014", + "modified": "2014-05-27 03:49:14.251039", "modified_by": "Administrator", "module": "Stock", "name": "Packing Slip", @@ -188,6 +188,7 @@ "permissions": [ { "amend": 1, + "apply_user_permissions": 1, "cancel": 1, "create": 1, "delete": 1, @@ -202,6 +203,7 @@ }, { "amend": 1, + "apply_user_permissions": 1, "cancel": 1, "create": 1, "delete": 1, diff --git a/erpnext/stock/doctype/price_list/price_list.json b/erpnext/stock/doctype/price_list/price_list.json index 22a5da6ae4..56b2f326a2 100644 --- a/erpnext/stock/doctype/price_list/price_list.json +++ b/erpnext/stock/doctype/price_list/price_list.json @@ -75,7 +75,7 @@ "icon": "icon-tags", "idx": 1, "max_attachments": 1, - "modified": "2014-05-07 06:01:57.302928", + "modified": "2014-05-27 03:49:14.866933", "modified_by": "Administrator", "module": "Stock", "name": "Price List", @@ -83,7 +83,7 @@ "permissions": [ { "amend": 0, - "cancel": 0, + "apply_user_permissions": 1, "create": 0, "delete": 0, "permlevel": 0, @@ -95,7 +95,6 @@ }, { "amend": 0, - "cancel": 0, "create": 1, "delete": 1, "permlevel": 0, @@ -106,6 +105,7 @@ "write": 1 }, { + "apply_user_permissions": 1, "delete": 0, "permlevel": 0, "read": 1, @@ -113,7 +113,6 @@ "role": "Purchase User" }, { - "cancel": 0, "create": 1, "delete": 1, "permlevel": 0, @@ -123,6 +122,7 @@ "write": 1 }, { + "apply_user_permissions": 1, "permlevel": 0, "read": 1, "report": 0, diff --git a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.json b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.json index 314886efa7..e585bef754 100755 --- a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.json +++ b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.json @@ -754,7 +754,7 @@ "icon": "icon-truck", "idx": 1, "is_submittable": 1, - "modified": "2014-05-26 03:05:51.846204", + "modified": "2014-05-27 03:49:16.302198", "modified_by": "Administrator", "module": "Stock", "name": "Purchase Receipt", @@ -776,6 +776,7 @@ }, { "amend": 1, + "apply_user_permissions": 1, "cancel": 1, "create": 1, "delete": 1, @@ -790,6 +791,7 @@ }, { "amend": 1, + "apply_user_permissions": 1, "cancel": 1, "create": 1, "delete": 1, @@ -803,12 +805,14 @@ "write": 1 }, { + "apply_user_permissions": 1, "permlevel": 0, "read": 1, "report": 1, "role": "Accounts User" }, { + "apply_user_permissions": 1, "cancel": 0, "delete": 0, "email": 1, diff --git a/erpnext/stock/doctype/serial_no/serial_no.json b/erpnext/stock/doctype/serial_no/serial_no.json index 88ac921299..3316582e0d 100644 --- a/erpnext/stock/doctype/serial_no/serial_no.json +++ b/erpnext/stock/doctype/serial_no/serial_no.json @@ -418,14 +418,13 @@ "icon": "icon-barcode", "idx": 1, "in_create": 0, - "modified": "2014-05-09 02:16:41.833590", + "modified": "2014-05-27 03:49:19.131746", "modified_by": "Administrator", "module": "Stock", "name": "Serial No", "owner": "Administrator", "permissions": [ { - "cancel": 0, "create": 1, "delete": 1, "email": 1, @@ -439,7 +438,6 @@ }, { "amend": 0, - "cancel": 0, "create": 0, "delete": 0, "email": 1, @@ -453,7 +451,7 @@ }, { "amend": 0, - "cancel": 0, + "apply_user_permissions": 1, "create": 0, "delete": 0, "email": 1, diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.json b/erpnext/stock/doctype/stock_entry/stock_entry.json index bea673265b..b5222828c4 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry.json +++ b/erpnext/stock/doctype/stock_entry/stock_entry.json @@ -580,7 +580,7 @@ "is_submittable": 1, "issingle": 0, "max_attachments": 0, - "modified": "2014-05-26 03:05:53.832569", + "modified": "2014-05-27 03:49:19.520247", "modified_by": "Administrator", "module": "Stock", "name": "Stock Entry", @@ -588,6 +588,7 @@ "permissions": [ { "amend": 1, + "apply_user_permissions": 1, "cancel": 1, "create": 1, "delete": 1, @@ -602,6 +603,7 @@ }, { "amend": 1, + "apply_user_permissions": 1, "cancel": 1, "create": 1, "delete": 1, diff --git a/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.json b/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.json index 1d36a7a00e..c9e3b776fc 100644 --- a/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.json +++ b/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.json @@ -264,7 +264,7 @@ "icon": "icon-list", "idx": 1, "in_create": 1, - "modified": "2014-05-09 02:16:42.262203", + "modified": "2014-05-27 03:49:19.837686", "modified_by": "Administrator", "module": "Stock", "name": "Stock Ledger Entry", @@ -272,7 +272,7 @@ "permissions": [ { "amend": 0, - "cancel": 0, + "apply_user_permissions": 1, "create": 0, "permlevel": 0, "read": 1, diff --git a/erpnext/stock/doctype/warehouse/warehouse.json b/erpnext/stock/doctype/warehouse/warehouse.json index 504a0edcb8..4e016e6360 100644 --- a/erpnext/stock/doctype/warehouse/warehouse.json +++ b/erpnext/stock/doctype/warehouse/warehouse.json @@ -150,7 +150,7 @@ ], "icon": "icon-building", "idx": 1, - "modified": "2014-05-07 06:09:21.102749", + "modified": "2014-05-27 03:49:22.483111", "modified_by": "Administrator", "module": "Stock", "name": "Warehouse", @@ -158,7 +158,6 @@ "permissions": [ { "amend": 0, - "cancel": 0, "create": 1, "delete": 1, "email": 1, @@ -172,7 +171,7 @@ }, { "amend": 0, - "cancel": 0, + "apply_user_permissions": 1, "create": 0, "delete": 0, "email": 1, @@ -185,6 +184,7 @@ "write": 0 }, { + "apply_user_permissions": 1, "delete": 0, "email": 1, "permlevel": 0, @@ -194,6 +194,7 @@ "role": "Sales User" }, { + "apply_user_permissions": 1, "delete": 0, "email": 1, "permlevel": 0, @@ -203,6 +204,7 @@ "role": "Purchase User" }, { + "apply_user_permissions": 1, "delete": 0, "email": 1, "permlevel": 0, @@ -212,6 +214,7 @@ "role": "Accounts User" }, { + "apply_user_permissions": 1, "permlevel": 0, "read": 1, "role": "Manufacturing User" diff --git a/erpnext/support/doctype/customer_issue/customer_issue.json b/erpnext/support/doctype/customer_issue/customer_issue.json index 0c3515d6c7..8230f9cc88 100644 --- a/erpnext/support/doctype/customer_issue/customer_issue.json +++ b/erpnext/support/doctype/customer_issue/customer_issue.json @@ -394,7 +394,7 @@ "icon": "icon-bug", "idx": 1, "is_submittable": 0, - "modified": "2014-05-26 03:05:47.828178", + "modified": "2014-05-27 03:49:09.483145", "modified_by": "Administrator", "module": "Support", "name": "Customer Issue", @@ -402,7 +402,7 @@ "permissions": [ { "amend": 0, - "cancel": 0, + "apply_user_permissions": 1, "create": 1, "delete": 1, "email": 1, diff --git a/erpnext/support/doctype/maintenance_visit/maintenance_visit.json b/erpnext/support/doctype/maintenance_visit/maintenance_visit.json index f56bd8b4cc..4a13e40003 100644 --- a/erpnext/support/doctype/maintenance_visit/maintenance_visit.json +++ b/erpnext/support/doctype/maintenance_visit/maintenance_visit.json @@ -278,7 +278,7 @@ "icon": "icon-file-text", "idx": 1, "is_submittable": 1, - "modified": "2014-05-26 03:05:50.014543", + "modified": "2014-05-27 03:49:13.466221", "modified_by": "Administrator", "module": "Support", "name": "Maintenance Visit", @@ -286,6 +286,7 @@ "permissions": [ { "amend": 1, + "apply_user_permissions": 1, "cancel": 1, "create": 1, "delete": 1, diff --git a/erpnext/support/doctype/support_ticket/support_ticket.json b/erpnext/support/doctype/support_ticket/support_ticket.json index fd97884626..ff7867e727 100644 --- a/erpnext/support/doctype/support_ticket/support_ticket.json +++ b/erpnext/support/doctype/support_ticket/support_ticket.json @@ -1,291 +1,290 @@ { - "allow_attach": 1, - "autoname": "naming_series:", - "creation": "2013-02-01 10:36:25", - "docstatus": 0, - "doctype": "DocType", + "allow_attach": 1, + "autoname": "naming_series:", + "creation": "2013-02-01 10:36:25", + "docstatus": 0, + "doctype": "DocType", "fields": [ { - "fieldname": "subject_section", - "fieldtype": "Section Break", - "label": "Subject", - "options": "icon-flag", + "fieldname": "subject_section", + "fieldtype": "Section Break", + "label": "Subject", + "options": "icon-flag", "permlevel": 0 - }, + }, { - "fieldname": "naming_series", - "fieldtype": "Select", - "hidden": 0, - "label": "Series", - "no_copy": 1, - "options": "SUP-", - "permlevel": 0, - "print_hide": 1, - "reqd": 0, + "fieldname": "naming_series", + "fieldtype": "Select", + "hidden": 0, + "label": "Series", + "no_copy": 1, + "options": "SUP-", + "permlevel": 0, + "print_hide": 1, + "reqd": 0, "search_index": 0 - }, + }, { - "fieldname": "subject", - "fieldtype": "Data", - "in_filter": 1, - "in_list_view": 1, - "label": "Subject", - "permlevel": 0, - "report_hide": 0, - "reqd": 1, + "fieldname": "subject", + "fieldtype": "Data", + "in_filter": 1, + "in_list_view": 1, + "label": "Subject", + "permlevel": 0, + "report_hide": 0, + "reqd": 1, "search_index": 0 - }, + }, { - "fieldname": "cb00", - "fieldtype": "Column Break", + "fieldname": "cb00", + "fieldtype": "Column Break", "permlevel": 0 - }, + }, { - "default": "Open", - "fieldname": "status", - "fieldtype": "Select", - "in_filter": 0, - "in_list_view": 1, - "label": "Status", - "no_copy": 1, - "oldfieldname": "status", - "oldfieldtype": "Select", - "options": "Open\nReplied\nHold\nClosed", - "permlevel": 0, - "read_only": 0, - "reqd": 0, + "default": "Open", + "fieldname": "status", + "fieldtype": "Select", + "in_filter": 0, + "in_list_view": 1, + "label": "Status", + "no_copy": 1, + "oldfieldname": "status", + "oldfieldtype": "Select", + "options": "Open\nReplied\nHold\nClosed", + "permlevel": 0, + "read_only": 0, + "reqd": 0, "search_index": 1 - }, + }, { - "depends_on": "eval:doc.__islocal", - "fieldname": "raised_by", - "fieldtype": "Data", - "in_filter": 1, - "in_list_view": 1, - "label": "Raised By (Email)", - "oldfieldname": "raised_by", - "oldfieldtype": "Data", - "permlevel": 0, + "depends_on": "eval:doc.__islocal", + "fieldname": "raised_by", + "fieldtype": "Data", + "in_filter": 1, + "in_list_view": 1, + "label": "Raised By (Email)", + "oldfieldname": "raised_by", + "oldfieldtype": "Data", + "permlevel": 0, "reqd": 1 - }, + }, { - "fieldname": "sb00", - "fieldtype": "Section Break", - "label": "Messages", - "options": "icon-comments", + "fieldname": "sb00", + "fieldtype": "Section Break", + "label": "Messages", + "options": "icon-comments", "permlevel": 0 - }, + }, { - "depends_on": "eval:doc.__islocal", - "fieldname": "description", - "fieldtype": "Text", - "label": "Description", - "oldfieldname": "problem_description", - "oldfieldtype": "Text", - "permlevel": 0, + "depends_on": "eval:doc.__islocal", + "fieldname": "description", + "fieldtype": "Text", + "label": "Description", + "oldfieldname": "problem_description", + "oldfieldtype": "Text", + "permlevel": 0, "reqd": 0 - }, + }, { - "depends_on": "eval:!doc.__islocal", - "fieldname": "thread_html", - "fieldtype": "HTML", - "label": "Thread HTML", - "permlevel": 0, + "depends_on": "eval:!doc.__islocal", + "fieldname": "thread_html", + "fieldtype": "HTML", + "label": "Thread HTML", + "permlevel": 0, "read_only": 1 - }, + }, { - "fieldname": "additional_info", - "fieldtype": "Section Break", - "label": "Reference", - "options": "icon-pushpin", - "permlevel": 0, + "fieldname": "additional_info", + "fieldtype": "Section Break", + "label": "Reference", + "options": "icon-pushpin", + "permlevel": 0, "read_only": 1 - }, + }, { - "depends_on": "eval:!doc.__islocal", - "fieldname": "column_break0", - "fieldtype": "Column Break", - "oldfieldtype": "Column Break", - "permlevel": 0, - "read_only": 1, + "depends_on": "eval:!doc.__islocal", + "fieldname": "column_break0", + "fieldtype": "Column Break", + "oldfieldtype": "Column Break", + "permlevel": 0, + "read_only": 1, "width": "50%" - }, + }, { - "fieldname": "lead", - "fieldtype": "Link", - "label": "Lead", - "options": "Lead", + "fieldname": "lead", + "fieldtype": "Link", + "label": "Lead", + "options": "Lead", "permlevel": 0 - }, + }, { - "fieldname": "contact", - "fieldtype": "Link", - "label": "Contact", - "options": "Contact", + "fieldname": "contact", + "fieldtype": "Link", + "label": "Contact", + "options": "Contact", "permlevel": 0 - }, + }, { - "fieldname": "customer", - "fieldtype": "Link", - "in_filter": 1, - "label": "Customer", - "oldfieldname": "customer", - "oldfieldtype": "Link", - "options": "Customer", - "permlevel": 0, - "print_hide": 1, - "read_only": 0, - "reqd": 0, + "fieldname": "customer", + "fieldtype": "Link", + "in_filter": 1, + "label": "Customer", + "oldfieldname": "customer", + "oldfieldtype": "Link", + "options": "Customer", + "permlevel": 0, + "print_hide": 1, + "read_only": 0, + "reqd": 0, "search_index": 1 - }, + }, { - "fieldname": "customer_name", - "fieldtype": "Data", - "in_filter": 1, - "label": "Customer Name", - "oldfieldname": "customer_name", - "oldfieldtype": "Data", - "permlevel": 0, - "read_only": 1, - "reqd": 0, + "fieldname": "customer_name", + "fieldtype": "Data", + "in_filter": 1, + "label": "Customer Name", + "oldfieldname": "customer_name", + "oldfieldtype": "Data", + "permlevel": 0, + "read_only": 1, + "reqd": 0, "search_index": 0 - }, + }, { - "default": "Today", - "fieldname": "opening_date", - "fieldtype": "Date", - "label": "Opening Date", - "no_copy": 1, - "oldfieldname": "opening_date", - "oldfieldtype": "Date", - "permlevel": 0, + "default": "Today", + "fieldname": "opening_date", + "fieldtype": "Date", + "label": "Opening Date", + "no_copy": 1, + "oldfieldname": "opening_date", + "oldfieldtype": "Date", + "permlevel": 0, "read_only": 1 - }, + }, { - "fieldname": "opening_time", - "fieldtype": "Time", - "label": "Opening Time", - "no_copy": 1, - "oldfieldname": "opening_time", - "oldfieldtype": "Time", - "permlevel": 0, + "fieldname": "opening_time", + "fieldtype": "Time", + "label": "Opening Time", + "no_copy": 1, + "oldfieldname": "opening_time", + "oldfieldtype": "Time", + "permlevel": 0, "read_only": 1 - }, + }, { - "fieldname": "company", - "fieldtype": "Link", - "label": "Company", - "options": "Company", - "permlevel": 0, - "print_hide": 1, + "fieldname": "company", + "fieldtype": "Link", + "label": "Company", + "options": "Company", + "permlevel": 0, + "print_hide": 1, "reqd": 0 - }, + }, { - "depends_on": "eval:!doc.__islocal", - "fieldname": "column_break1", - "fieldtype": "Column Break", - "oldfieldtype": "Column Break", - "permlevel": 0, + "depends_on": "eval:!doc.__islocal", + "fieldname": "column_break1", + "fieldtype": "Column Break", + "oldfieldtype": "Column Break", + "permlevel": 0, "read_only": 1 - }, + }, { - "fieldname": "first_responded_on", - "fieldtype": "Datetime", - "label": "First Responded On", + "fieldname": "first_responded_on", + "fieldtype": "Datetime", + "label": "First Responded On", "permlevel": 0 - }, + }, { - "depends_on": "eval:!doc.__islocal", - "fieldname": "resolution_date", - "fieldtype": "Datetime", - "in_filter": 0, - "label": "Resolution Date", - "no_copy": 1, - "oldfieldname": "resolution_date", - "oldfieldtype": "Date", - "permlevel": 0, - "read_only": 1, + "depends_on": "eval:!doc.__islocal", + "fieldname": "resolution_date", + "fieldtype": "Datetime", + "in_filter": 0, + "label": "Resolution Date", + "no_copy": 1, + "oldfieldname": "resolution_date", + "oldfieldtype": "Date", + "permlevel": 0, + "read_only": 1, "search_index": 0 - }, + }, { - "depends_on": "eval:!doc.__islocal", - "fieldname": "resolution_details", - "fieldtype": "Small Text", - "label": "Resolution Details", - "no_copy": 1, - "oldfieldname": "resolution_details", - "oldfieldtype": "Text", - "permlevel": 0, + "depends_on": "eval:!doc.__islocal", + "fieldname": "resolution_details", + "fieldtype": "Small Text", + "label": "Resolution Details", + "no_copy": 1, + "oldfieldname": "resolution_details", + "oldfieldtype": "Text", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "content_type", - "fieldtype": "Data", - "hidden": 1, - "label": "Content Type", + "fieldname": "content_type", + "fieldtype": "Data", + "hidden": 1, + "label": "Content Type", "permlevel": 0 - }, + }, { - "fieldname": "communications", - "fieldtype": "Table", - "hidden": 1, - "label": "Communications", - "options": "Communication", - "permlevel": 0, + "fieldname": "communications", + "fieldtype": "Table", + "hidden": 1, + "label": "Communications", + "options": "Communication", + "permlevel": 0, "print_hide": 1 } - ], - "icon": "icon-ticket", - "idx": 1, - "modified": "2014-06-03 10:49:47.781578", - "modified_by": "Administrator", - "module": "Support", - "name": "Support Ticket", - "owner": "Administrator", + ], + "icon": "icon-ticket", + "idx": 1, + "modified": "2014-06-03 10:49:47.781578", + "modified_by": "Administrator", + "module": "Support", + "name": "Support Ticket", + "owner": "Administrator", "permissions": [ { - "amend": 0, - "cancel": 0, - "create": 1, - "delete": 0, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Guest", - "submit": 0, + "amend": 0, + "create": 1, + "delete": 0, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Guest", + "submit": 0, "write": 1 - }, + }, { - "amend": 0, - "cancel": 0, - "create": 1, - "delete": 0, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Customer", - "submit": 0, + "amend": 0, + "apply_user_permissions": 1, + "create": 1, + "delete": 0, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Customer", + "submit": 0, "write": 1 - }, + }, { - "amend": 0, - "cancel": 0, - "create": 1, - "delete": 1, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Support Team", - "submit": 0, + "amend": 0, + "apply_user_permissions": 1, + "create": 1, + "delete": 1, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Support Team", + "submit": 0, "write": 1 } - ], - "search_fields": "status,customer,subject,raised_by", + ], + "search_fields": "status,customer,subject,raised_by", "title_field": "subject" -} \ No newline at end of file +} diff --git a/erpnext/utilities/doctype/address/address.json b/erpnext/utilities/doctype/address/address.json index d283392f33..3692b91c5a 100644 --- a/erpnext/utilities/doctype/address/address.json +++ b/erpnext/utilities/doctype/address/address.json @@ -199,14 +199,14 @@ "icon": "icon-map-marker", "idx": 1, "in_dialog": 0, - "modified": "2014-05-09 02:16:43.798644", + "modified": "2014-05-27 03:49:07.273657", "modified_by": "Administrator", "module": "Utilities", "name": "Address", "owner": "Administrator", "permissions": [ { - "cancel": 0, + "apply_user_permissions": 1, "create": 1, "delete": 0, "email": 1, @@ -219,7 +219,7 @@ "write": 1 }, { - "cancel": 0, + "apply_user_permissions": 1, "create": 1, "delete": 0, "email": 1, @@ -232,7 +232,7 @@ "write": 1 }, { - "cancel": 0, + "apply_user_permissions": 1, "create": 1, "delete": 0, "email": 1, @@ -245,7 +245,7 @@ "write": 1 }, { - "cancel": 0, + "apply_user_permissions": 1, "create": 1, "delete": 0, "email": 1, diff --git a/erpnext/utilities/doctype/contact/contact.json b/erpnext/utilities/doctype/contact/contact.json index 6433136667..fc5a72189b 100644 --- a/erpnext/utilities/doctype/contact/contact.json +++ b/erpnext/utilities/doctype/contact/contact.json @@ -199,14 +199,13 @@ "idx": 1, "in_create": 0, "in_dialog": 0, - "modified": "2014-05-07 06:39:39.702149", + "modified": "2014-05-27 03:49:08.789451", "modified_by": "Administrator", "module": "Utilities", "name": "Contact", "owner": "Administrator", "permissions": [ { - "cancel": 0, "create": 1, "delete": 1, "email": 1, @@ -220,7 +219,6 @@ }, { "amend": 0, - "cancel": 0, "create": 1, "delete": 1, "email": 1, @@ -233,7 +231,6 @@ "write": 1 }, { - "cancel": 0, "create": 1, "delete": 1, "email": 1, @@ -246,7 +243,6 @@ "write": 1 }, { - "cancel": 0, "create": 1, "delete": 0, "email": 1, @@ -259,7 +255,6 @@ "write": 1 }, { - "cancel": 0, "create": 1, "delete": 0, "email": 1, @@ -272,7 +267,6 @@ "write": 1 }, { - "cancel": 0, "create": 1, "delete": 0, "email": 1, @@ -285,7 +279,6 @@ "write": 1 }, { - "cancel": 0, "create": 1, "delete": 0, "email": 1, @@ -298,7 +291,7 @@ "write": 1 }, { - "cancel": 0, + "apply_user_permissions": 1, "create": 1, "delete": 0, "email": 1, @@ -311,7 +304,7 @@ "write": 1 }, { - "cancel": 0, + "apply_user_permissions": 1, "create": 1, "delete": 0, "email": 1, @@ -324,7 +317,7 @@ "write": 1 }, { - "cancel": 0, + "apply_user_permissions": 1, "create": 1, "delete": 0, "email": 1, @@ -337,7 +330,7 @@ "write": 1 }, { - "cancel": 0, + "apply_user_permissions": 1, "create": 1, "delete": 0, "email": 1, diff --git a/erpnext/utilities/doctype/note/note.json b/erpnext/utilities/doctype/note/note.json index a1cbd5beb9..2ee6d9ad4f 100644 --- a/erpnext/utilities/doctype/note/note.json +++ b/erpnext/utilities/doctype/note/note.json @@ -1,68 +1,70 @@ { - "allow_rename": 1, - "creation": "2013-05-24 13:41:00.000000", - "description": "Note is a free page where users can share documents / notes", - "docstatus": 0, - "doctype": "DocType", - "document_type": "Transaction", + "allow_rename": 1, + "creation": "2013-05-24 13:41:00", + "description": "Note is a free page where users can share documents / notes", + "docstatus": 0, + "doctype": "DocType", + "document_type": "Transaction", "fields": [ { - "fieldname": "title", - "fieldtype": "Data", - "label": "Title", - "permlevel": 0, + "fieldname": "title", + "fieldtype": "Data", + "in_list_view": 1, + "label": "Title", + "permlevel": 0, "print_hide": 1 - }, + }, { - "description": "Help: To link to another record in the system, use \"#Form/Note/[Note Name]\" as the Link URL. (don't use \"http://\")", - "fieldname": "content", - "fieldtype": "Text Editor", - "in_list_view": 0, - "label": "Content", + "description": "Help: To link to another record in the system, use \"#Form/Note/[Note Name]\" as the Link URL. (don't use \"http://\")", + "fieldname": "content", + "fieldtype": "Text Editor", + "in_list_view": 1, + "label": "Content", "permlevel": 0 - }, + }, { - "fieldname": "share", - "fieldtype": "Section Break", - "label": "Share", + "fieldname": "share", + "fieldtype": "Section Break", + "label": "Share", "permlevel": 0 - }, + }, { - "description": "Everyone can read", - "fieldname": "public", - "fieldtype": "Check", - "label": "Public", - "permlevel": 0, + "description": "Everyone can read", + "fieldname": "public", + "fieldtype": "Check", + "in_list_view": 1, + "label": "Public", + "permlevel": 0, "print_hide": 1 - }, + }, { - "fieldname": "share_with", - "fieldtype": "Table", - "label": "Share With", - "options": "Note User", - "permlevel": 0, + "fieldname": "share_with", + "fieldtype": "Table", + "label": "Share With", + "options": "Note User", + "permlevel": 0, "print_hide": 1 } - ], - "icon": "icon-file-text", - "idx": 1, - "modified": "2014-01-22 16:05:35.000000", - "modified_by": "Administrator", - "module": "Utilities", - "name": "Note", - "owner": "Administrator", + ], + "icon": "icon-file-text", + "idx": 1, + "modified": "2014-05-27 03:49:13.934698", + "modified_by": "Administrator", + "module": "Utilities", + "name": "Note", + "owner": "Administrator", "permissions": [ { - "cancel": 0, - "create": 1, - "delete": 1, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "role": "All", + "apply_user_permissions": 1, + "create": 1, + "delete": 1, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "role": "All", "write": 1 } - ], + ], "read_only_onload": 1 -} +} \ No newline at end of file From 69eec9e344d9c15650c8cf2ac214a539d8c60e9c Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Tue, 27 May 2014 18:41:01 +0530 Subject: [PATCH 068/630] Role and User Permissions --- erpnext/hr/doctype/employee/employee.json | 3 ++- .../doctype/sales_order/sales_order.json | 19 +++++++++++++- .../doctype/sales_order/test_sales_order.py | 20 ++++++++++----- .../doctype/stock_entry/test_stock_entry.py | 8 +++--- .../stock/doctype/warehouse_user/README.md | 1 - .../stock/doctype/warehouse_user/__init__.py | 0 .../warehouse_user/warehouse_user.json | 25 ------------------- .../doctype/warehouse_user/warehouse_user.py | 12 --------- 8 files changed, 39 insertions(+), 49 deletions(-) delete mode 100644 erpnext/stock/doctype/warehouse_user/README.md delete mode 100644 erpnext/stock/doctype/warehouse_user/__init__.py delete mode 100644 erpnext/stock/doctype/warehouse_user/warehouse_user.json delete mode 100644 erpnext/stock/doctype/warehouse_user/warehouse_user.py diff --git a/erpnext/hr/doctype/employee/employee.json b/erpnext/hr/doctype/employee/employee.json index 79cf0ac263..3d1115a28c 100644 --- a/erpnext/hr/doctype/employee/employee.json +++ b/erpnext/hr/doctype/employee/employee.json @@ -87,6 +87,7 @@ "description": "System User (login) ID. If set, it will become default for all HR forms.", "fieldname": "user_id", "fieldtype": "Link", + "ignore_user_permissions": 1, "label": "User ID", "options": "User", "permlevel": 0 @@ -672,7 +673,7 @@ ], "icon": "icon-user", "idx": 1, - "modified": "2014-05-27 03:49:10.297398", + "modified": "2014-05-27 07:34:49.337586", "modified_by": "Administrator", "module": "HR", "name": "Employee", diff --git a/erpnext/selling/doctype/sales_order/sales_order.json b/erpnext/selling/doctype/sales_order/sales_order.json index dd0d21056e..c8992271dc 100644 --- a/erpnext/selling/doctype/sales_order/sales_order.json +++ b/erpnext/selling/doctype/sales_order/sales_order.json @@ -874,7 +874,7 @@ "idx": 1, "is_submittable": 1, "issingle": 0, - "modified": "2014-05-27 03:49:18.266089", + "modified": "2014-05-27 08:39:19.027965", "modified_by": "Administrator", "module": "Selling", "name": "Sales Order", @@ -895,6 +895,23 @@ "submit": 1, "write": 1 }, + { + "amend": 1, + "cancel": 1, + "create": 1, + "delete": 1, + "email": 1, + "export": 1, + "import": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Sales Manager", + "set_user_permissions": 1, + "submit": 1, + "write": 1 + }, { "amend": 1, "apply_user_permissions": 1, diff --git a/erpnext/selling/doctype/sales_order/test_sales_order.py b/erpnext/selling/doctype/sales_order/test_sales_order.py index dbf173c66b..4296944924 100644 --- a/erpnext/selling/doctype/sales_order/test_sales_order.py +++ b/erpnext/selling/doctype/sales_order/test_sales_order.py @@ -3,6 +3,7 @@ import frappe from frappe.utils import flt +import frappe.permissions import unittest import copy @@ -283,12 +284,17 @@ class TestSalesOrder(unittest.TestCase): so.get("sales_order_details")[0].warehouse, 20.0) def test_warehouse_user(self): - frappe.defaults.add_default("Warehouse", "_Test Warehouse 1 - _TC1", "test@example.com", "User Permission") - frappe.get_doc("User", "test@example.com")\ - .add_roles("Sales User", "Sales Manager", "Material User", "Material Manager") + frappe.permissions.add_user_permission("Warehouse", "_Test Warehouse 1 - _TC1", "test@example.com") + frappe.permissions.add_user_permission("Warehouse", "_Test Warehouse 2 - _TC1", "test2@example.com") + frappe.permissions.add_user_permission("Company", "_Test Company 1", "test2@example.com") - frappe.get_doc("User", "test2@example.com")\ - .add_roles("Sales User", "Sales Manager", "Material User", "Material Manager") + test_user = frappe.get_doc("User", "test@example.com") + test_user.add_roles("Sales User", "Material User") + test_user.remove_roles("Sales Manager") + + test_user_2 = frappe.get_doc("User", "test2@example.com") + test_user_2.add_roles("Sales User", "Material User") + test_user_2.remove_roles("Sales Manager") frappe.set_user("test@example.com") @@ -302,7 +308,9 @@ class TestSalesOrder(unittest.TestCase): frappe.set_user("test2@example.com") so.insert() - frappe.defaults.clear_default("Warehouse", "_Test Warehouse 1 - _TC1", "test@example.com", parenttype="User Permission") + frappe.permissions.remove_user_permission("Warehouse", "_Test Warehouse 1 - _TC1", "test@example.com") + frappe.permissions.remove_user_permission("Warehouse", "_Test Warehouse 2 - _TC1", "test2@example.com") + frappe.permissions.remove_user_permission("Company", "_Test Company 1", "test2@example.com") test_dependencies = ["Sales BOM", "Currency Exchange"] diff --git a/erpnext/stock/doctype/stock_entry/test_stock_entry.py b/erpnext/stock/doctype/stock_entry/test_stock_entry.py index e2540a3c93..260223d4b8 100644 --- a/erpnext/stock/doctype/stock_entry/test_stock_entry.py +++ b/erpnext/stock/doctype/stock_entry/test_stock_entry.py @@ -776,8 +776,10 @@ class TestStockEntry(unittest.TestCase): frappe.defaults.add_default("Warehouse", "_Test Warehouse 1 - _TC", "test@example.com", "User Permission") frappe.defaults.add_default("Warehouse", "_Test Warehouse 2 - _TC1", "test2@example.com", "User Permission") - frappe.get_doc("User", "test@example.com")\ - .add_roles("Sales User", "Sales Manager", "Material User", "Material Manager") + test_user = frappe.get_doc("User", "test@example.com") + test_user.add_roles("Sales User", "Sales Manager", "Material User") + test_user.remove_roles("Material Manager") + frappe.get_doc("User", "test2@example.com")\ .add_roles("Sales User", "Sales Manager", "Material User", "Material Manager") @@ -799,7 +801,7 @@ class TestStockEntry(unittest.TestCase): frappe.defaults.clear_default("Warehouse", "_Test Warehouse 2 - _TC1", "test2@example.com", parenttype="User Permission") - def test_freeze_stocks (self): + def test_freeze_stocks(self): self._clear_stock_account_balance() frappe.db.set_value('Stock Settings', None,'stock_auth_role', '') diff --git a/erpnext/stock/doctype/warehouse_user/README.md b/erpnext/stock/doctype/warehouse_user/README.md deleted file mode 100644 index f4ed2b01c2..0000000000 --- a/erpnext/stock/doctype/warehouse_user/README.md +++ /dev/null @@ -1 +0,0 @@ -If specified, only user defined in this table are allowed to transact on the parent Warehouse. \ No newline at end of file diff --git a/erpnext/stock/doctype/warehouse_user/__init__.py b/erpnext/stock/doctype/warehouse_user/__init__.py deleted file mode 100644 index e69de29bb2..0000000000 diff --git a/erpnext/stock/doctype/warehouse_user/warehouse_user.json b/erpnext/stock/doctype/warehouse_user/warehouse_user.json deleted file mode 100644 index 6e797a1ede..0000000000 --- a/erpnext/stock/doctype/warehouse_user/warehouse_user.json +++ /dev/null @@ -1,25 +0,0 @@ -{ - "creation": "2013-02-22 01:28:05.000000", - "docstatus": 0, - "doctype": "DocType", - "document_type": "Other", - "fields": [ - { - "fieldname": "user", - "fieldtype": "Link", - "in_list_view": 1, - "label": "User", - "options": "User", - "permlevel": 0, - "print_width": "200px", - "width": "200px" - } - ], - "idx": 1, - "istable": 1, - "modified": "2013-12-20 19:21:54.000000", - "modified_by": "Administrator", - "module": "Stock", - "name": "Warehouse User", - "owner": "Administrator" -} \ No newline at end of file diff --git a/erpnext/stock/doctype/warehouse_user/warehouse_user.py b/erpnext/stock/doctype/warehouse_user/warehouse_user.py deleted file mode 100644 index 59bfefe3b1..0000000000 --- a/erpnext/stock/doctype/warehouse_user/warehouse_user.py +++ /dev/null @@ -1,12 +0,0 @@ -# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors -# License: GNU General Public License v3. See license.txt - -# For license information, please see license.txt - -from __future__ import unicode_literals -import frappe - -from frappe.model.document import Document - -class WarehouseUser(Document): - pass \ No newline at end of file From 4985691617393d6aee7e62d56aaf660cdb62c833 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Wed, 28 May 2014 18:49:13 +0530 Subject: [PATCH 069/630] Role and User Permissions --- erpnext/hooks.py | 1 + erpnext/hr/doctype/employee/employee.py | 16 +- erpnext/patches.txt | 4 +- .../patches/v4_0/apply_user_permissions.py | 45 +++ .../move_warehouse_user_to_restrictions.py | 10 +- erpnext/patches/v4_0/new_permissions.py | 24 -- .../remove_employee_role_if_no_employee.py | 15 + .../patches/v4_0/update_user_properties.py | 107 ++----- .../selling_settings/selling_settings.json | 277 +----------------- .../setup/page/setup_wizard/setup_wizard.py | 2 +- 10 files changed, 116 insertions(+), 385 deletions(-) create mode 100644 erpnext/patches/v4_0/apply_user_permissions.py delete mode 100644 erpnext/patches/v4_0/new_permissions.py create mode 100644 erpnext/patches/v4_0/remove_employee_role_if_no_employee.py diff --git a/erpnext/hooks.py b/erpnext/hooks.py index 5bf383baf5..1a5b81d847 100644 --- a/erpnext/hooks.py +++ b/erpnext/hooks.py @@ -48,6 +48,7 @@ doc_events = { "on_cancel": "erpnext.stock.doctype.material_request.material_request.update_completed_qty" }, "User": { + "validate": "erpnext.hr.doctype.employee.employee.validate_employee_role", "on_update": "erpnext.hr.doctype.employee.employee.update_user_permissions" } } diff --git a/erpnext/hr/doctype/employee/employee.py b/erpnext/hr/doctype/employee/employee.py index 0a4ae03182..b58a300fc0 100644 --- a/erpnext/hr/doctype/employee/employee.py +++ b/erpnext/hr/doctype/employee/employee.py @@ -55,7 +55,7 @@ class Employee(Document): frappe.permissions.set_user_permission_if_allowed("Company", self.company, self.user_id) def update_leave_approver_user_permissions(self): - """restrict to this employee for leave approver""" + """add employee user permission for leave approver""" employee_leave_approvers = [d.leave_approver for d in self.get("employee_leave_approvers")] if self.reports_to and self.reports_to not in employee_leave_approvers: employee_leave_approvers.append(frappe.db.get_value("Employee", self.reports_to, "user_id")) @@ -204,13 +204,15 @@ def make_salary_structure(source_name, target=None): target.make_earn_ded_table() return target -def update_user_permissions(doc, method): +def validate_employee_role(doc, method): # called via User hook - if "Employee" in [d.role for d in doc.get("user_roles")]: - try: - employee = frappe.get_doc("Employee", {"user_id": doc.name}) - employee.update_user_permissions() - except frappe.DoesNotExistError: + if not frappe.db.get_value("Employee", {"user_id": doc.name}): frappe.msgprint("Please set User ID field in an Employee record to set Employee Role") doc.get("user_roles").remove(doc.get("user_roles", {"role": "Employee"})[0]) + +def update_user_permissions(doc, method): + # called via User hook + if "Employee" in [d.role for d in doc.get("user_roles")]: + employee = frappe.get_doc("Employee", {"user_id": doc.name}) + employee.update_user_permissions() diff --git a/erpnext/patches.txt b/erpnext/patches.txt index 7694d549f2..e5e9e0ad15 100644 --- a/erpnext/patches.txt +++ b/erpnext/patches.txt @@ -2,10 +2,10 @@ execute:import unidecode # new requirement erpnext.patches.v4_0.validate_v3_patch erpnext.patches.v4_0.fix_employee_user_id +erpnext.patches.v4_0.remove_employee_role_if_no_employee erpnext.patches.v4_0.update_user_properties +erpnext.patches.v4_0.apply_user_permissions erpnext.patches.v4_0.move_warehouse_user_to_restrictions -execute:frappe.delete_doc_if_exists("DocType", "Warehouse User") -erpnext.patches.v4_0.new_permissions erpnext.patches.v4_0.global_defaults_to_system_settings erpnext.patches.v4_0.update_incharge_name_to_sales_person_in_maintenance_schedule execute:frappe.reload_doc('accounts', 'doctype', 'sales_invoice') # 2014-01-29 diff --git a/erpnext/patches/v4_0/apply_user_permissions.py b/erpnext/patches/v4_0/apply_user_permissions.py new file mode 100644 index 0000000000..7f5b951696 --- /dev/null +++ b/erpnext/patches/v4_0/apply_user_permissions.py @@ -0,0 +1,45 @@ +# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors +# License: GNU General Public License v3. See license.txt + +from __future__ import unicode_literals +import frappe + +def execute(): + update_hr_permissions() + update_permissions() + remove_duplicate_user_permissions() + frappe.clear_cache() + +def update_hr_permissions(): + from frappe.core.page.user_permissions import user_permissions + + # add set user permissions rights to HR Manager + frappe.db.sql("""update `tabDocPerm` set `set_user_permissions`=1 where parent in ('Employee', 'Leave Application') + and role='HR Manager' and permlevel=0 and `read`=1""") + + # apply user permissions on Employee and Leave Application + frappe.db.sql("""update `tabDocPerm` set `apply_user_permissions`=1 where parent in ('Employee', 'Leave Application') + and role in ('Employee', 'Leave Approver') and permlevel=0 and `read`=1""") + + frappe.clear_cache() + + # save employees to run on_update events + for employee in frappe.db.sql_list("""select name from `tabEmployee`"""): + frappe.get_doc("Employee", employee).save() + +def update_permissions(): + # clear match conditions other than owner + frappe.db.sql("""update tabDocPerm set `match`='' + where ifnull(`match`,'') not in ('', 'owner')""") + +def remove_duplicate_user_permissions(): + # remove duplicate user_permissions (if they exist) + for d in frappe.db.sql("""select parent, defkey, defvalue, + count(*) as cnt from tabDefaultValue + where parent not in ('__global', '__default') + group by parent, defkey, defvalue""", as_dict=1): + if d.cnt > 1: + # order by parenttype so that user permission does not get removed! + frappe.db.sql("""delete from tabDefaultValue where `parent`=%s and `defkey`=%s and + `defvalue`=%s order by parenttype limit %s""", (d.parent, d.defkey, d.defvalue, d.cnt-1)) + diff --git a/erpnext/patches/v4_0/move_warehouse_user_to_restrictions.py b/erpnext/patches/v4_0/move_warehouse_user_to_restrictions.py index 64d53477a7..35b3c8661d 100644 --- a/erpnext/patches/v4_0/move_warehouse_user_to_restrictions.py +++ b/erpnext/patches/v4_0/move_warehouse_user_to_restrictions.py @@ -3,11 +3,11 @@ from __future__ import unicode_literals import frappe +import frappe.permissions def execute(): - from frappe.core.page.user_permissions import user_permissions for warehouse, user in frappe.db.sql("""select parent, user from `tabWarehouse User`"""): - user_permissions.add(user, "Warehouse", warehouse) - - frappe.delete_doc("DocType", "Warehouse User") - frappe.reload_doc("stock", "doctype", "warehouse") \ No newline at end of file + frappe.permissions.add_user_permission("Warehouse", warehouse, user) + + frappe.delete_doc_if_exists("DocType", "Warehouse User") + frappe.reload_doc("stock", "doctype", "warehouse") diff --git a/erpnext/patches/v4_0/new_permissions.py b/erpnext/patches/v4_0/new_permissions.py deleted file mode 100644 index 2b87437dd8..0000000000 --- a/erpnext/patches/v4_0/new_permissions.py +++ /dev/null @@ -1,24 +0,0 @@ -# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors -# License: GNU General Public License v3. See license.txt - -from __future__ import unicode_literals -import frappe - -def execute(): - # reset Page perms - from frappe.core.page.permission_manager.permission_manager import reset - reset("Page") - reset("Report") - - # patch to move print, email into DocPerm - for doctype, hide_print, hide_email in frappe.db.sql("""select name, ifnull(allow_print, 0), ifnull(allow_email, 0) - from `tabDocType` where ifnull(issingle, 0)=0 and ifnull(istable, 0)=0 and - (ifnull(allow_print, 0)=0 or ifnull(allow_email, 0)=0)"""): - - if not hide_print: - frappe.db.sql("""update `tabDocPerm` set `print`=1 - where permlevel=0 and `read`=1 and parent=%s""", doctype) - - if not hide_email: - frappe.db.sql("""update `tabDocPerm` set `email`=1 - where permlevel=0 and `read`=1 and parent=%s""", doctype) diff --git a/erpnext/patches/v4_0/remove_employee_role_if_no_employee.py b/erpnext/patches/v4_0/remove_employee_role_if_no_employee.py new file mode 100644 index 0000000000..76ec1a7c38 --- /dev/null +++ b/erpnext/patches/v4_0/remove_employee_role_if_no_employee.py @@ -0,0 +1,15 @@ +# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors +# License: GNU General Public License v3. See license.txt + +from __future__ import unicode_literals +import frappe +import frappe.permissions + +def execute(): + for user in frappe.db.sql_list("select distinct parent from `tabUserRole` where role='Employee'"): + # if employee record does not exists, remove employee role! + if not frappe.db.get_value("Employee", {"user_id": user}): + user = frappe.get_doc("User", user) + for role in user.get("user_roles", {"role": "Employee"}): + user.get("user_roles").remove(role) + user.save() diff --git a/erpnext/patches/v4_0/update_user_properties.py b/erpnext/patches/v4_0/update_user_properties.py index 54a907afda..a5b7bfd185 100644 --- a/erpnext/patches/v4_0/update_user_properties.py +++ b/erpnext/patches/v4_0/update_user_properties.py @@ -7,100 +7,45 @@ import frappe.permissions import frappe.defaults def execute(): - frappe.reload_doc("core", "doctype", "docperm") + frappe.reload_doc("core", "doctype", "docfield") frappe.reload_doc("hr", "doctype", "employee") - update_user_permissions() - update_user_match() - add_employee_user_permissions_to_leave_approver() - update_permissions() - remove_duplicate_user_permissions() - frappe.defaults.clear_cache() + + set_print_email_permissions() + migrate_user_properties_to_user_permissions() + frappe.clear_cache() -def update_user_permissions(): - frappe.reload_doc("core", "doctype", "docfield") - +def migrate_user_properties_to_user_permissions(): for d in frappe.db.sql("""select parent, defkey, defvalue from tabDefaultValue where parent not in ('__global', '__default')""", as_dict=True): df = frappe.db.sql("""select options from tabDocField where fieldname=%s and fieldtype='Link'""", d.defkey, as_dict=True) - + if df: frappe.db.sql("""update tabDefaultValue set defkey=%s, parenttype='User Permission' where defkey=%s and parent not in ('__global', '__default')""", (df[0].options, d.defkey)) -def update_user_match(): - import frappe.defaults - doctype_matches = {} - for doctype, match in frappe.db.sql("""select parent, `match` from `tabDocPerm` - where `match` like %s and ifnull(`match`, '')!="leave_approver:user" """, "%:user"): - doctype_matches.setdefault(doctype, []).append(match) - - for doctype, user_matches in doctype_matches.items(): - meta = frappe.get_meta(doctype) - - # for each user with roles of this doctype, check if match condition applies - for user in frappe.db.sql_list("""select name from `tabUser` - where enabled=1 and user_type='System User'"""): - - user_roles = frappe.get_roles(user) - - perms = meta.get({"doctype": "DocPerm", "permlevel": 0, - "role": ["in", [["All"] + user_roles]], "read": 1}) +def set_print_email_permissions(): + # reset Page perms + from frappe.core.page.permission_manager.permission_manager import reset + reset("Page") + reset("Report") - # user does not have required roles - if not perms: - continue - - # assume match - user_match = True - for perm in perms: - if not perm.match: - # aha! non match found - user_match = False - break - - if not user_match: - continue - - # if match condition applies, restrict that user - # add that doc's restriction to that user - for match in user_matches: - for name in frappe.db.sql_list("""select name from `tab{doctype}` - where `{field}`=%s""".format(doctype=doctype, field=match.split(":")[0]), user): - - frappe.defaults.add_default(doctype, name, user, "User Permission") - -def add_employee_user_permissions_to_leave_approver(): - from frappe.core.page.user_permissions import user_permissions - - # add restrict rights to HR User and HR Manager - frappe.db.sql("""update `tabDocPerm` set `restrict`=1 where parent in ('Employee', 'Leave Application') - and role in ('HR User', 'HR Manager') and permlevel=0 and `read`=1""") - frappe.clear_cache() - - # add Employee user_permissions (in on_update method) - for employee in frappe.db.sql_list("""select name from `tabEmployee` - where (exists(select leave_approver from `tabEmployee Leave Approver` - where `tabEmployee Leave Approver`.parent=`tabEmployee`.name) - or ifnull(`reports_to`, '')!='') and docstatus<2 and status='Active'"""): - - frappe.get_doc("Employee", employee).save() + if "allow_print" not in frappe.db.get_table_columns("DocType"): + return -def update_permissions(): - # clear match conditions other than owner - frappe.db.sql("""update tabDocPerm set `match`='' - where ifnull(`match`,'') not in ('', 'owner')""") + # patch to move print, email into DocPerm + # NOTE: allow_print and allow_email are misnamed. They were used to hide print / hide email + for doctype, hide_print, hide_email in frappe.db.sql("""select name, ifnull(allow_print, 0), ifnull(allow_email, 0) + from `tabDocType` where ifnull(issingle, 0)=0 and ifnull(istable, 0)=0 and + (ifnull(allow_print, 0)=0 or ifnull(allow_email, 0)=0)"""): -def remove_duplicate_user_permissions(): - # remove duplicate user_permissions (if they exist) - for d in frappe.db.sql("""select parent, defkey, defvalue, - count(*) as cnt from tabDefaultValue - where parent not in ('__global', '__default') - group by parent, defkey, defvalue""", as_dict=1): - if d.cnt > 1: - # order by parenttype so that restriction does not get removed! - frappe.db.sql("""delete from tabDefaultValue where `parent`=%s and `defkey`=%s and - `defvalue`=%s order by parenttype limit %s""", (d.parent, d.defkey, d.defvalue, d.cnt-1)) + if not hide_print: + frappe.db.sql("""update `tabDocPerm` set `print`=1 + where permlevel=0 and `read`=1 and parent=%s""", doctype) + + if not hide_email: + frappe.db.sql("""update `tabDocPerm` set `email`=1 + where permlevel=0 and `read`=1 and parent=%s""", doctype) diff --git a/erpnext/selling/doctype/selling_settings/selling_settings.json b/erpnext/selling/doctype/selling_settings/selling_settings.json index 25b0819d5d..03d35b739e 100644 --- a/erpnext/selling/doctype/selling_settings/selling_settings.json +++ b/erpnext/selling/doctype/selling_settings/selling_settings.json @@ -1,355 +1,102 @@ { - "_last_update": null, - "_user_tags": null, - "allow_attach": null, - "allow_copy": null, - "allow_email": null, - "allow_import": null, - "allow_print": null, - "allow_rename": null, - "allow_trash": null, - "autoname": null, - "change_log": null, - "client_script": null, - "client_script_core": null, - "client_string": null, - "colour": null, "creation": "2013-06-25 10:25:16", - "custom": null, - "default_print_format": null, "description": "Settings for Selling Module", "docstatus": 0, "doctype": "DocType", "document_type": "Other", - "dt_template": null, "fields": [ { - "allow_on_submit": null, "default": "Customer Name", - "depends_on": null, - "description": null, "fieldname": "cust_master_name", "fieldtype": "Select", - "hidden": null, - "in_filter": null, "in_list_view": 1, "label": "Customer Naming By", - "no_column": null, - "no_copy": null, - "oldfieldname": null, - "oldfieldtype": null, "options": "Customer Name\nNaming Series", - "permlevel": 0, - "print_hide": null, - "print_width": null, - "read_only": null, - "report_hide": null, - "reqd": null, - "search_index": null, - "set_only_once": null, - "trigger": null, - "width": null + "permlevel": 0 }, { - "allow_on_submit": null, - "default": null, - "depends_on": null, - "description": null, "fieldname": "campaign_naming_by", "fieldtype": "Select", - "hidden": null, - "in_filter": null, "in_list_view": 1, "label": "Campaign Naming By", - "no_column": null, - "no_copy": null, - "oldfieldname": null, - "oldfieldtype": null, "options": "Campaign Name\nNaming Series", - "permlevel": 0, - "print_hide": null, - "print_width": null, - "read_only": null, - "report_hide": null, - "reqd": null, - "search_index": null, - "set_only_once": null, - "trigger": null, - "width": null + "permlevel": 0 }, { - "allow_on_submit": null, - "default": null, - "depends_on": null, "description": "Add / Edit", "fieldname": "customer_group", "fieldtype": "Link", - "hidden": null, - "in_filter": null, "in_list_view": 1, "label": "Default Customer Group", - "no_column": null, - "no_copy": null, - "oldfieldname": null, - "oldfieldtype": null, "options": "Customer Group", - "permlevel": 0, - "print_hide": null, - "print_width": null, - "read_only": null, - "report_hide": null, - "reqd": null, - "search_index": null, - "set_only_once": null, - "trigger": null, - "width": null + "permlevel": 0 }, { - "allow_on_submit": null, - "default": null, - "depends_on": null, "description": "Add / Edit", "fieldname": "territory", "fieldtype": "Link", - "hidden": null, - "in_filter": null, "in_list_view": 1, "label": "Default Territory", - "no_column": null, - "no_copy": null, - "oldfieldname": null, - "oldfieldtype": null, "options": "Territory", - "permlevel": 0, - "print_hide": null, - "print_width": null, - "read_only": null, - "report_hide": null, - "reqd": null, - "search_index": null, - "set_only_once": null, - "trigger": null, - "width": null + "permlevel": 0 }, { - "allow_on_submit": null, - "default": null, - "depends_on": null, - "description": null, "fieldname": "selling_price_list", "fieldtype": "Link", - "hidden": null, - "in_filter": null, "in_list_view": 1, "label": "Default Price List", - "no_column": null, - "no_copy": null, - "oldfieldname": null, - "oldfieldtype": null, "options": "Price List", - "permlevel": 0, - "print_hide": null, - "print_width": null, - "read_only": null, - "report_hide": null, - "reqd": null, - "search_index": null, - "set_only_once": null, - "trigger": null, - "width": null + "permlevel": 0 }, { - "allow_on_submit": null, - "default": null, - "depends_on": null, - "description": null, "fieldname": "column_break_5", "fieldtype": "Column Break", - "hidden": null, - "in_filter": null, - "in_list_view": null, - "label": null, - "no_column": null, - "no_copy": null, - "oldfieldname": null, - "oldfieldtype": null, - "options": null, - "permlevel": 0, - "print_hide": null, - "print_width": null, - "read_only": null, - "report_hide": null, - "reqd": null, - "search_index": null, - "set_only_once": null, - "trigger": null, - "width": null + "permlevel": 0 }, { - "allow_on_submit": null, - "default": null, - "depends_on": null, - "description": null, "fieldname": "so_required", "fieldtype": "Select", - "hidden": null, - "in_filter": null, - "in_list_view": null, "label": "Sales Order Required", - "no_column": null, - "no_copy": null, - "oldfieldname": null, - "oldfieldtype": null, "options": "No\nYes", - "permlevel": 0, - "print_hide": null, - "print_width": null, - "read_only": null, - "report_hide": null, - "reqd": null, - "search_index": null, - "set_only_once": null, - "trigger": null, - "width": null + "permlevel": 0 }, { - "allow_on_submit": null, - "default": null, - "depends_on": null, - "description": null, "fieldname": "dn_required", "fieldtype": "Select", - "hidden": null, - "in_filter": null, - "in_list_view": null, "label": "Delivery Note Required", - "no_column": null, - "no_copy": null, - "oldfieldname": null, - "oldfieldtype": null, "options": "No\nYes", - "permlevel": 0, - "print_hide": null, - "print_width": null, - "read_only": null, - "report_hide": null, - "reqd": null, - "search_index": null, - "set_only_once": null, - "trigger": null, - "width": null + "permlevel": 0 }, { - "allow_on_submit": null, - "default": null, - "depends_on": null, - "description": null, "fieldname": "maintain_same_sales_rate", "fieldtype": "Check", - "hidden": null, - "in_filter": null, - "in_list_view": null, "label": "Maintain Same Rate Throughout Sales Cycle", - "no_column": null, - "no_copy": null, - "oldfieldname": null, - "oldfieldtype": null, - "options": null, - "permlevel": 0, - "print_hide": null, - "print_width": null, - "read_only": null, - "report_hide": null, - "reqd": null, - "search_index": null, - "set_only_once": null, - "trigger": null, - "width": null + "permlevel": 0 }, { - "allow_on_submit": null, - "default": null, - "depends_on": null, - "description": null, "fieldname": "editable_price_list_rate", "fieldtype": "Check", - "hidden": null, - "in_filter": null, - "in_list_view": null, "label": "Allow user to edit Price List Rate in transactions", - "no_column": null, - "no_copy": null, - "oldfieldname": null, - "oldfieldtype": null, - "options": null, - "permlevel": 0, - "print_hide": null, - "print_width": null, - "read_only": null, - "report_hide": null, - "reqd": null, - "search_index": null, - "set_only_once": null, - "trigger": null, - "width": null + "permlevel": 0 } ], - "hide_heading": null, - "hide_toolbar": null, "icon": "icon-cog", "idx": 1, - "in_create": null, - "in_dialog": null, - "is_submittable": null, - "is_transaction_doc": null, "issingle": 1, - "istable": null, - "max_attachments": null, - "menu_index": null, - "modified": "2014-04-16 12:21:36.117261", + "modified": "2014-05-28 18:12:55.898953", "modified_by": "Administrator", "module": "Selling", "name": "Selling Settings", - "name_case": null, "owner": "Administrator", - "parent": null, - "parent_node": null, - "parentfield": null, - "parenttype": null, "permissions": [ { - "amend": null, - "cancel": null, "create": 1, - "delete": null, "email": 1, - "export": null, - "import": null, - "match": null, "permlevel": 0, "print": 1, "read": 1, - "report": null, - "restrict": null, "role": "System Manager", - "submit": null, "write": 1 } - ], - "plugin": null, - "print_outline": null, - "read_only": null, - "read_only_onload": null, - "search_fields": null, - "server_code": null, - "server_code_compiled": null, - "server_code_core": null, - "server_code_error": null, - "show_in_menu": null, - "smallicon": null, - "subject": null, - "tag_fields": null, - "title_field": null, - "use_template": null, - "version": null + ] } diff --git a/erpnext/setup/page/setup_wizard/setup_wizard.py b/erpnext/setup/page/setup_wizard/setup_wizard.py index fe4dec0c42..176470376e 100644 --- a/erpnext/setup/page/setup_wizard/setup_wizard.py +++ b/erpnext/setup/page/setup_wizard/setup_wizard.py @@ -392,7 +392,7 @@ def create_logo(args): def add_all_roles_to(name): user = frappe.get_doc("User", name) for role in frappe.db.sql("""select name from tabRole"""): - if role[0] not in ["Administrator", "Guest", "All", "Customer", "Supplier", "Partner"]: + if role[0] not in ["Administrator", "Guest", "All", "Customer", "Supplier", "Partner", "Employee"]: d = user.append("user_roles") d.role = role[0] user.save() From cd253016073554e198adf314ae1567afce6d151d Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Wed, 28 May 2014 18:49:40 +0530 Subject: [PATCH 070/630] Translations --- erpnext/translations/ar.csv | 2 -- erpnext/translations/de.csv | 2 -- erpnext/translations/el.csv | 2 -- erpnext/translations/es.csv | 2 -- erpnext/translations/fr.csv | 2 -- erpnext/translations/hi.csv | 2 -- erpnext/translations/hr.csv | 2 -- erpnext/translations/it.csv | 2 -- erpnext/translations/kn.csv | 2 -- erpnext/translations/nl.csv | 2 -- erpnext/translations/pt-BR.csv | 2 -- erpnext/translations/pt.csv | 2 -- erpnext/translations/sr.csv | 2 -- erpnext/translations/ta.csv | 2 -- erpnext/translations/th.csv | 2 -- erpnext/translations/zh-cn.csv | 6 ++---- erpnext/translations/zh-tw.csv | 2 -- 17 files changed, 2 insertions(+), 36 deletions(-) diff --git a/erpnext/translations/ar.csv b/erpnext/translations/ar.csv index 4f64eda0e1..b90e7c283b 100644 --- a/erpnext/translations/ar.csv +++ b/erpnext/translations/ar.csv @@ -800,7 +800,6 @@ Difference Account,حساب الفرق 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 . Direct Expenses,المصاريف المباشرة Direct Income,الدخل المباشر -Director,مدير Disable,تعطيل Disable Rounded Total,تعطيل إجمالي مدور Disabled,معاق @@ -3058,7 +3057,6 @@ Warehouse,مستودع Warehouse Contact Info,مستودع معلومات الاتصال Warehouse Detail,مستودع التفاصيل Warehouse Name,مستودع اسم -Warehouse User,مستودع العضو Warehouse and Reference,مستودع والمراجع Warehouse can not be deleted as stock ledger entry exists for this warehouse.,مستودع لا يمكن حذف كما يوجد مدخل الأسهم دفتر الأستاذ لهذا المستودع. Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,لا يمكن إلا أن تتغير مستودع عبر دخول سوق الأسهم / التوصيل ملاحظة / شراء الإيصال diff --git a/erpnext/translations/de.csv b/erpnext/translations/de.csv index a007789c9d..7083a1f756 100644 --- a/erpnext/translations/de.csv +++ b/erpnext/translations/de.csv @@ -800,7 +800,6 @@ Difference Account,Unterschied Konto 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 Verpackung für Einzelteile werden zu falschen (Gesamt ) Nettogewichtswertführen . Stellen Sie sicher, dass die Netto-Gewicht der einzelnen Artikel ist in der gleichen Verpackung ." Direct Expenses,Direkte Aufwendungen Direct Income,Direkte Einkommens -Director,Direktor Disable,Deaktivieren Disable Rounded Total,Deaktivieren Abgerundete insgesamt Disabled,Behindert @@ -3058,7 +3057,6 @@ Warehouse,Lager Warehouse Contact Info,Warehouse Kontakt Info Warehouse Detail,Warehouse Details Warehouse Name,Warehouse Namen -Warehouse User,Warehouse Benutzer Warehouse and Reference,Warehouse und Referenz Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"Warehouse kann nicht gelöscht werden, da Aktienbuch Eintrag für diese Lager gibt." Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Warehouse kann nur über Lizenz Entry / Lieferschein / Kaufbeleg geändert werden diff --git a/erpnext/translations/el.csv b/erpnext/translations/el.csv index 7f799e4204..aff9b28664 100644 --- a/erpnext/translations/el.csv +++ b/erpnext/translations/el.csv @@ -800,7 +800,6 @@ Difference Account,Ο λογαριασμός διαφορά 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 . Direct Expenses,Άμεσες δαπάνες Direct Income,Άμεσα Έσοδα -Director,διευθυντής Disable,Απενεργοποίηση Disable Rounded Total,Απενεργοποίηση Στρογγυλεμένες Σύνολο Disabled,Ανάπηρος @@ -3058,7 +3057,6 @@ Warehouse,αποθήκη Warehouse Contact Info,Αποθήκη Επικοινωνία Warehouse Detail,Λεπτομέρεια αποθήκη Warehouse Name,Όνομα αποθήκη -Warehouse User,Χρήστης αποθήκη Warehouse and Reference,Αποθήκη και αναφορά Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"Αποθήκης δεν μπορεί να διαγραφεί , όπως υφίσταται είσοδο στα αποθέματα καθολικό για την αποθήκη αυτή ." Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Αποθήκη μπορεί να αλλάξει μόνο μέσω Stock εισόδου / Σημείωμα παράδοσης / απόδειξη αγοράς diff --git a/erpnext/translations/es.csv b/erpnext/translations/es.csv index 854d462ca6..5a3b28f9e7 100644 --- a/erpnext/translations/es.csv +++ b/erpnext/translations/es.csv @@ -800,7 +800,6 @@ Difference Account,cuenta Diferencia 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 diferente para elementos dará lugar a incorrecto ( Total) Valor neto Peso . Asegúrese de que peso neto de cada artículo esté en la misma UOM . Direct Expenses,gastos directos Direct Income,Ingreso directo -Director,director Disable,inhabilitar Disable Rounded Total,Desactivar Total redondeado Disabled,discapacitado @@ -3058,7 +3057,6 @@ Warehouse,almacén Warehouse Contact Info,Almacén Contacto Warehouse Detail,Detalle de almacenes Warehouse Name,Nombre de almacenes -Warehouse User,Almacén del usuario Warehouse and Reference,Almacén y Referencia Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Almacén no se puede suprimir porque hay una entrada en registro de acciones para este almacén. 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 Stock / nota de entrega / recibo de compra diff --git a/erpnext/translations/fr.csv b/erpnext/translations/fr.csv index 8efad9b498..12e7e4a44d 100644 --- a/erpnext/translations/fr.csv +++ b/erpnext/translations/fr.csv @@ -800,7 +800,6 @@ Difference Account,Compte de la différence 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érents Emballage des articles mènera à incorrects (Total ) Valeur de poids . Assurez-vous que poids net de chaque article se trouve dans la même unité de mesure . Direct Expenses,{0} {1} a été modifié . S'il vous plaît rafraîchir . Direct Income,Choisissez votre langue -Director,directeur Disable,"Groupe ajoutée, rafraîchissant ..." Disable Rounded Total,Désactiver totale arrondie Disabled,Handicapé @@ -3058,7 +3057,6 @@ Warehouse,entrepôt Warehouse Contact Info,Entrepôt Info Contact Warehouse Detail,Détail d'entrepôt Warehouse Name,Nom d'entrepôt -Warehouse User,L'utilisateur d'entrepôt Warehouse and Reference,Entrepôt et référence Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Descendre : {0} Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Entrepôt ne peut être modifié via Stock Entrée / bon de livraison / reçu d'achat diff --git a/erpnext/translations/hi.csv b/erpnext/translations/hi.csv index e42ed0c415..cbb275dfa6 100644 --- a/erpnext/translations/hi.csv +++ b/erpnext/translations/hi.csv @@ -800,7 +800,6 @@ Difference Account,अंतर खाता 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 में है कि सुनिश्चित करें. Direct Expenses,प्रत्यक्ष खर्च Direct Income,प्रत्यक्ष आय -Director,निर्देशक Disable,असमर्थ Disable Rounded Total,गोल कुल अक्षम Disabled,विकलांग @@ -3058,7 +3057,6 @@ Warehouse,गोदाम Warehouse Contact Info,वेयरहाउस संपर्क जानकारी Warehouse Detail,वेअरहाउस विस्तार Warehouse Name,वेअरहाउस नाम -Warehouse User,वेअरहाउस उपयोगकर्ता के Warehouse and Reference,गोदाम और संदर्भ Warehouse can not be deleted as stock ledger entry exists for this warehouse.,शेयर खाता प्रविष्टि इस गोदाम के लिए मौजूद वेयरहाउस हटाया नहीं जा सकता . Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,वेयरहाउस केवल स्टॉक एंट्री / डिलिवरी नोट / खरीद रसीद के माध्यम से बदला जा सकता है diff --git a/erpnext/translations/hr.csv b/erpnext/translations/hr.csv index 1e6fa11e62..d5971606b6 100644 --- a/erpnext/translations/hr.csv +++ b/erpnext/translations/hr.csv @@ -800,7 +800,6 @@ Difference Account,Razlika račun 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 UOM za stavke će dovesti do pogrešne (ukupno) Neto vrijednost težine. Uvjerite se da je neto težina svake stavke u istom UOM . Direct Expenses,izravni troškovi Direct Income,Izravna dohodak -Director,direktor Disable,onesposobiti Disable Rounded Total,Bez Zaobljeni Ukupno Disabled,Onesposobljen @@ -3058,7 +3057,6 @@ Warehouse,skladište Warehouse Contact Info,Skladište Kontakt Info Warehouse Detail,Skladište Detalj Warehouse Name,Skladište Ime -Warehouse User,Skladište Upute Warehouse and Reference,Skladište i upute Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"Skladište se ne može izbrisati , kao entry stock knjiga postoji za to skladište ." Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Skladište se može mijenjati samo preko Stock Stupanje / Dostavnica / kupiti primitka diff --git a/erpnext/translations/it.csv b/erpnext/translations/it.csv index f6b36bb884..49aadc8745 100644 --- a/erpnext/translations/it.csv +++ b/erpnext/translations/it.csv @@ -800,7 +800,6 @@ Difference Account,account differenza 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.,Diverso UOM per gli elementi porterà alla non corretta ( Total) Valore di peso netto . Assicurarsi che il peso netto di ogni articolo è nella stessa UOM . Direct Expenses,spese dirette Direct Income,reddito diretta -Director,direttore Disable,Disattiva Disable Rounded Total,Disabilita Arrotondamento su Totale Disabled,Disabilitato @@ -3058,7 +3057,6 @@ Warehouse,magazzino Warehouse Contact Info,Magazzino contatto Warehouse Detail,Magazzino Dettaglio Warehouse Name,Magazzino Nome -Warehouse User,Warehouse User Warehouse and Reference,Magazzino e di riferimento Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Warehouse non può essere eliminato come esiste iscrizione libro soci per questo magazzino . Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Warehouse può essere modificato solo tramite dell'entrata Stock / DDT / ricevuta di acquisto diff --git a/erpnext/translations/kn.csv b/erpnext/translations/kn.csv index a6e2815c3a..4403bc6278 100644 --- a/erpnext/translations/kn.csv +++ b/erpnext/translations/kn.csv @@ -800,7 +800,6 @@ Difference Account,ವ್ಯತ್ಯಾಸ ಖಾತೆ 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 ಹೊಂದಿದೆ . Direct Expenses,ನೇರ ವೆಚ್ಚಗಳು Direct Income,ನೇರ ಆದಾಯ -Director,ನಿರ್ದೇಶಕ Disable,ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಿ Disable Rounded Total,ದುಂಡಾದ ಒಟ್ಟು ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಿ Disabled,ಅಂಗವಿಕಲ @@ -3058,7 +3057,6 @@ Warehouse,ಮಳಿಗೆ Warehouse Contact Info,ವೇರ್ಹೌಸ್ ಸಂಪರ್ಕ ಮಾಹಿತಿ Warehouse Detail,ವೇರ್ಹೌಸ್ ವಿವರ Warehouse Name,ವೇರ್ಹೌಸ್ ಹೆಸರು -Warehouse User,ವೇರ್ಹೌಸ್ ಬಳಕೆದಾರ Warehouse and Reference,ವೇರ್ಹೌಸ್ ಮತ್ತು ರೆಫರೆನ್ಸ್ Warehouse can not be deleted as stock ledger entry exists for this warehouse.,ಸ್ಟಾಕ್ ಲೆಡ್ಜರ್ ಪ್ರವೇಶ ಈ ಗೋದಾಮಿನ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ ಎಂದು ವೇರ್ಹೌಸ್ ಅಳಿಸಲಾಗುವುದಿಲ್ಲ . Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,ವೇರ್ಹೌಸ್ ಮಾತ್ರ ಸ್ಟಾಕ್ ಎಂಟ್ರಿ / ಡೆಲಿವರಿ ಸೂಚನೆ / ರಸೀತಿ ಖರೀದಿ ಮೂಲಕ ಬದಲಾಯಿಸಬಹುದು diff --git a/erpnext/translations/nl.csv b/erpnext/translations/nl.csv index 9a6db87f94..5fd835773c 100644 --- a/erpnext/translations/nl.csv +++ b/erpnext/translations/nl.csv @@ -800,7 +800,6 @@ Difference Account,verschil Account 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 Verpakking voor items zal leiden tot een onjuiste (Totaal ) Netto gewicht waarde . Zorg ervoor dat Netto gewicht van elk item is in dezelfde Verpakking . Direct Expenses,directe kosten Direct Income,direct Inkomen -Director,directeur Disable,onbruikbaar maken Disable Rounded Total,Uitschakelen Afgeronde Totaal Disabled,Invalide @@ -3058,7 +3057,6 @@ Warehouse,magazijn Warehouse Contact Info,Warehouse Contact Info Warehouse Detail,Magazijn Detail Warehouse Name,Warehouse Naam -Warehouse User,Magazijn Gebruiker Warehouse and Reference,Magazijn en Reference Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Magazijn kan niet worden verwijderd als voorraad grootboek toegang bestaat voor dit magazijn . Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Magazijn kan alleen via Stock Entry / Delivery Note / Kwitantie worden veranderd diff --git a/erpnext/translations/pt-BR.csv b/erpnext/translations/pt-BR.csv index 0c318e5465..54d854015c 100644 --- a/erpnext/translations/pt-BR.csv +++ b/erpnext/translations/pt-BR.csv @@ -800,7 +800,6 @@ Difference Account,Conta Diferença 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 diferente para itens levará a incorreta valor Peso Líquido (Total ) . Certifique-se de que o peso líquido de cada item está na mesma UOM . Direct Expenses,Despesas Diretas Direct Income,Resultado direto -Director,diretor Disable,incapacitar Disable Rounded Total,Desativar total arredondado Disabled,Desativado @@ -3058,7 +3057,6 @@ Warehouse,armazém Warehouse Contact Info,Informações de Contato do Almoxarifado Warehouse Detail,Detalhe do Almoxarifado Warehouse Name,Nome do Almoxarifado -Warehouse User,Usuário Armazém Warehouse and Reference,Warehouse and Reference Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Warehouse não pode ser excluído como existe entrada de material de contabilidade para este armazém. Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Armazém só pode ser alterado através da entrada / entrega Nota / Recibo de compra diff --git a/erpnext/translations/pt.csv b/erpnext/translations/pt.csv index a0796c3817..a86c65a89a 100644 --- a/erpnext/translations/pt.csv +++ b/erpnext/translations/pt.csv @@ -800,7 +800,6 @@ Difference Account,verschil Account 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 diferente para itens levará a incorreta valor Peso Líquido (Total ) . Certifique-se de que o peso líquido de cada item está na mesma UOM . Direct Expenses,Despesas Diretas Direct Income,Resultado direto -Director,diretor Disable,incapacitar Disable Rounded Total,Desativar total arredondado Disabled,Inválido @@ -3058,7 +3057,6 @@ Warehouse,armazém Warehouse Contact Info,Armazém Informações de Contato Warehouse Detail,Detalhe Armazém Warehouse Name,Nome Armazém -Warehouse User,Usuário Armazém Warehouse and Reference,Warehouse and Reference Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Warehouse não pode ser excluído como existe entrada de material de contabilidade para este armazém. Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Magazijn kan alleen via Stock Entry / Delivery Note / Kwitantie worden veranderd diff --git a/erpnext/translations/sr.csv b/erpnext/translations/sr.csv index 8d324761b3..d2d7e25138 100644 --- a/erpnext/translations/sr.csv +++ b/erpnext/translations/sr.csv @@ -800,7 +800,6 @@ Difference Account,Разлика налог 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 ." Direct Expenses,прямые расходы Direct Income,Прямая прибыль -Director,директор Disable,запрещать Disable Rounded Total,Онемогући Роундед Укупно Disabled,Онеспособљен @@ -3058,7 +3057,6 @@ Warehouse,магацин Warehouse Contact Info,Магацин Контакт Инфо Warehouse Detail,Магацин Детаљ Warehouse Name,Магацин Име -Warehouse User,Магацин корисника Warehouse and Reference,Магацин и Референтни Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Склад не может быть удален как существует запись складе книга для этого склада . Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Складиште може да се промени само преко Сток Улаз / Испорука Напомена / рачуном diff --git a/erpnext/translations/ta.csv b/erpnext/translations/ta.csv index 4521d2d62e..7e7a7d8917 100644 --- a/erpnext/translations/ta.csv +++ b/erpnext/translations/ta.csv @@ -800,7 +800,6 @@ Difference Account,வித்தியாசம் கணக்கு 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.,பொருட்களை பல்வேறு மொறட்டுவ பல்கலைகழகம் தவறான ( மொத்த ) நிகர எடை மதிப்பு வழிவகுக்கும். ஒவ்வொரு பொருளின் நிகர எடை அதே மொறட்டுவ பல்கலைகழகம் உள்ளது என்று உறுதி. Direct Expenses,நேரடி செலவுகள் Direct Income,நேரடி வருமானம் -Director,இயக்குநர் Disable,முடக்கு Disable Rounded Total,வட்டமான மொத்த முடக்கு Disabled,முடக்கப்பட்டது @@ -3058,7 +3057,6 @@ Warehouse,கிடங்கு Warehouse Contact Info,சேமிப்பு கிடங்கு தொடர்பு தகவல் Warehouse Detail,சேமிப்பு கிடங்கு விரிவாக Warehouse Name,சேமிப்பு கிடங்கு பெயர் -Warehouse User,கிடங்கு பயனர் Warehouse and Reference,கிடங்கு மற்றும் குறிப்பு Warehouse can not be deleted as stock ledger entry exists for this warehouse.,பங்கு லெட்ஜர் நுழைவு கிடங்கு உள்ளது என கிடங்கு நீக்க முடியாது . Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,கிடங்கு மட்டுமே பங்கு நுழைவு / டெலிவரி குறிப்பு / கொள்முதல் ரசீது மூலம் மாற்ற முடியும் diff --git a/erpnext/translations/th.csv b/erpnext/translations/th.csv index 359a9ff7d9..6c787821a2 100644 --- a/erpnext/translations/th.csv +++ b/erpnext/translations/th.csv @@ -800,7 +800,6 @@ Difference Account,บัญชี ที่แตกต่างกัน 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 เดียวกัน Direct Expenses,ค่าใช้จ่าย โดยตรง Direct Income,รายได้ โดยตรง -Director,ผู้อำนวยการ Disable,ปิดการใช้งาน Disable Rounded Total,ปิดการใช้งานรวมโค้ง Disabled,พิการ @@ -3058,7 +3057,6 @@ Warehouse,คลังสินค้า Warehouse Contact Info,ข้อมูลการติดต่อคลังสินค้า Warehouse Detail,รายละเอียดคลังสินค้า Warehouse Name,ชื่อคลังสินค้า -Warehouse User,ผู้ใช้คลังสินค้า Warehouse and Reference,คลังสินค้าและการอ้างอิง Warehouse can not be deleted as stock ledger entry exists for this warehouse.,คลังสินค้า ไม่สามารถลบได้ เป็นรายการ บัญชีแยกประเภท หุ้น ที่มีอยู่สำหรับ คลังสินค้า นี้ Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,คลังสินค้า สามารถ เปลี่ยน ผ่านทาง หุ้น เข้า / ส่ง หมายเหตุ / รับซื้อ diff --git a/erpnext/translations/zh-cn.csv b/erpnext/translations/zh-cn.csv index a3e57ec923..40c4d4a1c0 100644 --- a/erpnext/translations/zh-cn.csv +++ b/erpnext/translations/zh-cn.csv @@ -800,7 +800,6 @@ Difference Account,差异帐户 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.,不同计量单位的项目会导致不正确的(总)净重值。确保每个项目的净重是在同一个计量单位。 Direct Expenses,直接费用 Direct Income,直接收入 -Director,导演 Disable,关闭 Disable Rounded Total,禁用圆角总 Disabled,残 @@ -2771,7 +2770,7 @@ Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are no Tax Rate,税率 Tax and other salary deductions.,税务及其他薪金中扣除。 "Tax detail table fetched from item master as a string and stored in this field. -Used for Taxes and Charges",税表的细节从项目主作为一个字符串,并存储在此字段中取出。 \ n已使用的税费和费用 +Used for Taxes and Charges",税务详细表由项目主作为一个字符串,并存储在此字段中取出。 \ n已使用的税费和费用 Tax template for buying transactions.,税务模板购买交易。 Tax template for selling transactions.,税务模板卖出的交易。 Taxable,应课税 @@ -2816,7 +2815,7 @@ The First User: You,第一个用户:您 The Organization,本组织 "The account head under Liability, in which Profit/Loss will be booked",根据责任账号头,其中利润/亏损将被黄牌警告 "The date on which next invoice will be generated. It is generated on submit. -",在其旁边的发票将生成的日期。 +",在这接下来的发票将生成的日期。 The date on which recurring invoice will be stop,在其经常性发票将被停止日期 "The day of the month on which auto invoice will be generated e.g. 05, 28 etc ",这个月的日子,汽车发票将会产生如05,28等 The day(s) on which you are applying for leave are holiday. You need not apply for leave.,在天在你申请许可的假期。你不需要申请许可。 @@ -3058,7 +3057,6 @@ Warehouse,从维护计划 Warehouse Contact Info,仓库联系方式 Warehouse Detail,仓库的详细信息 Warehouse Name,仓库名称 -Warehouse User,仓库用户 Warehouse and Reference,仓库及参考 Warehouse can not be deleted as stock ledger entry exists for this warehouse.,股票分类帐项存在这个仓库仓库不能被删除。 Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,仓库只能通过股票输入/送货单/外购入库单变 diff --git a/erpnext/translations/zh-tw.csv b/erpnext/translations/zh-tw.csv index 391c5dcf14..a1b5103a57 100644 --- a/erpnext/translations/zh-tw.csv +++ b/erpnext/translations/zh-tw.csv @@ -800,7 +800,6 @@ Difference Account,差異帳戶 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.,不同計量單位的項目會導致不正確的(總)淨重值。確保每個項目的淨重是在同一個計量單位。 Direct Expenses,直接費用 Direct Income,直接收入 -Director,導演 Disable,關閉 Disable Rounded Total,禁用圓角總 Disabled,殘 @@ -3058,7 +3057,6 @@ Warehouse,從維護計劃 Warehouse Contact Info,倉庫聯繫方式 Warehouse Detail,倉庫的詳細信息 Warehouse Name,倉庫名稱 -Warehouse User,倉庫用戶 Warehouse and Reference,倉庫及參考 Warehouse can not be deleted as stock ledger entry exists for this warehouse.,股票分類帳項存在這個倉庫倉庫不能被刪除。 Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,倉庫只能通過股票輸入/送貨單/外購入庫單變 From 37993dd713f0bb4e39efd38fa80086a6825063e8 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Thu, 29 May 2014 09:37:33 +0530 Subject: [PATCH 071/630] Romanian and Korean Translations --- erpnext/translations/ko.csv | 3225 +++++++++++++++++++++++++++++++++++ erpnext/translations/ro.csv | 3225 +++++++++++++++++++++++++++++++++++ 2 files changed, 6450 insertions(+) create mode 100644 erpnext/translations/ko.csv create mode 100644 erpnext/translations/ro.csv diff --git a/erpnext/translations/ko.csv b/erpnext/translations/ko.csv new file mode 100644 index 0000000000..7beab13405 --- /dev/null +++ b/erpnext/translations/ko.csv @@ -0,0 +1,3225 @@ + (Half Day), + and year: , +""" does not exists","""Nu există" +% Delivered,Livrat% +% Amount Billed,% Suma facturată +% Billed,Taxat% +% Completed,% Finalizat +% Delivered,Livrat% +% Installed,Instalat% +% Received,Primit% +% of materials billed against this Purchase Order.,% Din materiale facturat împotriva acestei Comandă. +% of materials billed against this Sales Order,% Din materiale facturate împotriva acestui ordin de vânzări +% of materials delivered against this Delivery Note,% Din materiale livrate de această livrare Nota +% of materials delivered against this Sales Order,% Din materiale livrate de această comandă de vânzări +% of materials ordered against this Material Request,% Din materiale comandate în această cerere Material +% of materials received against this Purchase Order,% Din materialele primite în acest Comandă +%(conversion_rate_label)s is mandatory. Maybe Currency Exchange record is not created for %(from_currency)s to %(to_currency)s,% (Conversion_rate_label) s este obligatorie. Poate înregistrare de schimb valutar nu este creat pentru% (from_currency) s la% (to_currency) s +'Actual Start Date' can not be greater than 'Actual End Date',"""Data de începere efectivă"" nu poate fi mai mare decât ""Actual Data de încheiere""" +'Based On' and 'Group By' can not be same,"""Bazat pe"" și ""grup de"" nu poate fi același" +'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" +'Entries' cannot be empty,"""Intrările"" nu poate fi gol" +'Expected Start Date' can not be greater than 'Expected End Date',"""Data Start așteptat"" nu poate fi mai mare decât ""Date End așteptat""" +'From Date' is required,"""De la data"" este necesară" +'From Date' must be after 'To Date',"""De la data"" trebuie să fie după ""To Date""" +'Has Serial No' can not be 'Yes' for non-stock item,"""Nu are de serie"" nu poate fi ""Da"" pentru element non-stoc" +'Notification Email Addresses' not specified for recurring invoice,"""notificare adrese de email"", care nu sunt specificate pentru factura recurente" +'Profit and Loss' type account {0} not allowed in Opening Entry,"De tip ""Profit și pierdere"" cont {0} nu este permis în deschidere de intrare" +'To Case No.' cannot be less than 'From Case No.',"""În caz nr"" nu poate fi mai mică decât ""Din cauza nr""" +'To Date' is required,"""Pentru a Data"" este necesară" +'Update Stock' for Sales Invoice {0} must be set,"""Actualizare Stock"" pentru Vânzări Factura {0} trebuie să fie stabilite" +* Will be calculated in the transaction.,* Vor fi calculate în tranzacție. +"1 Currency = [?] Fraction +For e.g. 1 USD = 100 Cent","1 valutar = [?] Fracțiune \ nPentru de exemplu, 1 USD = 100 Cent" +1. To maintain the customer wise item code and to make them searchable based on their code use this option,1 De a menține codul de client element înțelept și să le căutate bazate pe utilizarea lor de cod aceasta optiune +"Add / Edit"," Add / Edit " +"Add / Edit"," Add / Edit " +"Add / Edit"," Add / Edit " +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 redenumi Grupul Customer +A Customer exists with same name,Există un client cu același nume +A Lead with this email id should exist,Un plumb cu acest id-ul de e-mail ar trebui să existe +A Product or Service,Un produs sau serviciu +A Supplier exists with same name,Un furnizor există cu același nume +A symbol for this currency. For e.g. $,"Un simbol pentru această monedă. De exemplu, $" +AMC Expiry Date,AMC Data expirării +Abbr,Abbr +Abbreviation cannot have more than 5 characters,Abreviere nu poate avea mai mult de 5 caractere +About,Despre +Above Value,Valoarea de mai sus +Absent,Absent +Acceptance Criteria,Criteriile de acceptare +Accepted,Acceptat +Accepted + Rejected Qty must be equal to Received quantity for Item {0},Acceptat Respins + Cantitate trebuie să fie egală cu cantitatea primite pentru postul {0} +Accepted Quantity,Acceptat Cantitate +Accepted Warehouse,Depozit acceptate +Account,Cont +Account Balance,Soldul contului +Account Created: {0},Cont creat: {0} +Account Details,Detalii cont +Account Head,Cont Șeful +Account Name,Nume cont +Account Type,Tip de cont +Account for the warehouse (Perpetual Inventory) will be created under this Account.,Cont de depozit (Inventar Perpetual) va fi creat sub acest cont. +Account head {0} created,Cap cont {0} a creat +Account must be a balance sheet account,Contul trebuie să fie un cont de bilanț +Account with child nodes cannot be converted to ledger,Cont cu noduri copil nu pot fi convertite în registrul +Account with existing transaction can not be converted to group.,Cont cu tranzacții existente nu pot fi convertite în grup. +Account with existing transaction can not be deleted,Cont cu tranzacții existente nu pot fi șterse +Account with existing transaction cannot be converted to ledger,Cont cu tranzacții existente nu pot fi convertite în registrul +Account {0} cannot be a Group,Contul {0} nu poate fi un grup +Account {0} does not belong to Company {1},Contul {0} nu aparține companiei {1} +Account {0} does not exist,Contul {0} nu există +Account {0} has been entered more than once for fiscal year {1},Contul {0} a fost introdus mai mult de o dată pentru anul fiscal {1} +Account {0} is frozen,Contul {0} este înghețat +Account {0} is inactive,Contul {0} este inactiv +Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item,"Contul {0} trebuie să fie de tip ""active fixe"", ca Item {1} este un element activ" +"Account: {0} can only be updated via \ + Stock Transactions",Cont: {0} poate fi actualizat doar prin \ \ n Tranzacții stoc +Accountant,Contabil +Accounting,Contabilitate +"Accounting Entries can be made against leaf nodes, called","Înregistrări contabile pot fi făcute împotriva nodurile frunză, numit" +"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","Intrare contabilitate congelate până la această dată, nimeni nu poate face / modifica intrare cu excepția rol specificate mai jos." +Accounting journal entries.,Intrări de jurnal de contabilitate. +Accounts,Conturi +Accounts Browser,Conturi Browser +Accounts Frozen Upto,Conturile înghețate Până la +Accounts Payable,Conturi de plată +Accounts Receivable,Conturi de încasat +Accounts Settings,Conturi Setări +Active,Activ +Active: Will extract emails from , +Activity,Activități +Activity Log,Activitate Log +Activity Log:,Activitate Log: +Activity Type,Activitatea de Tip +Actual,Real +Actual Budget,Bugetul actual +Actual Completion Date,Real Finalizarea Data +Actual Date,Data efectivă +Actual End Date,Real Data de încheiere +Actual Invoice Date,Real Data facturii +Actual Posting Date,Real Dată postare +Actual Qty,Real Cantitate +Actual Qty (at source/target),Real Cantitate (la sursă / țintă) +Actual Qty After Transaction,Real Cantitate După tranzacție +Actual Qty: Quantity available in the warehouse.,Cantitate real: Cantitate disponibil în depozit. +Actual Quantity,Real Cantitate +Actual Start Date,Data efectivă Start +Add,Adaugă +Add / Edit Taxes and Charges,Adauga / Editare Impozite și Taxe +Add Child,Adăuga copii +Add Serial No,Adauga ordine +Add Taxes,Adauga Impozite +Add Taxes and Charges,Adauga impozite și taxe +Add or Deduct,Adăuga sau deduce +Add rows to set annual budgets on Accounts.,Adauga rânduri pentru a seta bugete anuale pe Conturi. +Add to Cart,Adauga in cos +Add to calendar on this date,Adauga la calendar la această dată +Add/Remove Recipients,Add / Remove Destinatari +Address,Adresă +Address & Contact,Adresa și date de contact +Address & Contacts,Adresa & Contact +Address Desc,Adresa Descărca +Address Details,Detalii Adresa +Address HTML,Adresa HTML +Address Line 1,Adresa Linia 1 +Address Line 2,Adresa Linia 2 +Address Title,Adresa Titlu +Address Title is mandatory.,Adresa Titlul este obligatoriu. +Address Type,Adresa Tip +Address master.,Maestru adresa. +Administrative Expenses,Cheltuieli administrative +Administrative Officer,Ofițer administrativ +Advance Amount,Advance Suma +Advance amount,Sumă în avans +Advances,Avans +Advertisement,Publicitate +Advertising,Reclamă +Aerospace,Aerospace +After Sale Installations,După Vanzare Instalatii +Against,Împotriva +Against Account,Împotriva contului +Against Bill {0} dated {1},Împotriva Bill {0} din {1} +Against Docname,Împotriva Docname +Against Doctype,Împotriva Doctype +Against Document Detail No,Împotriva Document Detaliu Nu +Against Document No,Împotriva Documentul nr +Against Entries,Împotriva Entries +Against Expense Account,Împotriva cont de cheltuieli +Against Income Account,Împotriva contul de venit +Against Journal Voucher,Împotriva Jurnalul Voucher +Against Journal Voucher {0} does not have any unmatched {1} entry,Împotriva Jurnalul Voucher {0} nu are nici neegalat {1} intrare +Against Purchase Invoice,Împotriva cumparare factură +Against Sales Invoice,Împotriva Factura Vanzare +Against Sales Order,Împotriva comandă de vânzări +Against Voucher,Împotriva Voucher +Against Voucher Type,Împotriva Voucher Tip +Ageing Based On,Îmbătrânirea Bazat pe +Ageing Date is mandatory for opening entry,Îmbătrânirea Data este obligatorie pentru deschiderea de intrare +Ageing date is mandatory for opening entry,Data Îmbătrânirea este obligatorie pentru deschiderea de intrare +Agent,Agent +Aging Date,Îmbătrânire Data +Aging Date is mandatory for opening entry,Aging Data este obligatorie pentru deschiderea de intrare +Agriculture,Agricultură +Airline,Linie aeriană +All Addresses.,Toate adresele. +All Contact,Toate Contact +All Contacts.,Toate persoanele de contact. +All Customer Contact,Toate Clienți Contact +All Customer Groups,Toate grupurile de clienți +All Day,All Day +All Employee (Active),Toate Angajat (Activ) +All Item Groups,Toate Articol Grupuri +All Lead (Open),Toate plumb (Open) +All Products or Services.,Toate produsele sau serviciile. +All Sales Partner Contact,Toate vânzările Partener Contact +All Sales Person,Toate vânzările Persoana +All Supplier Contact,Toate Furnizor Contact +All Supplier Types,Toate tipurile de Furnizor +All Territories,Toate teritoriile +"All export related fields like currency, conversion rate, export total, export grand total etc are available in Delivery Note, POS, Quotation, Sales Invoice, Sales Order etc.","Domenii legate de toate de export, cum ar fi moneda, rata de conversie, numărul total export, export mare etc totală sunt disponibile în nota de livrare, POS, cotatie, Factura Vanzare, comandă de vânzări, etc" +"All import related fields like currency, conversion rate, import total, import grand total etc are available in Purchase Receipt, Supplier Quotation, Purchase Invoice, Purchase Order etc.","Toate domeniile legate de import, cum ar fi moneda, rata de conversie, total de import, de import de mare etc totală sunt disponibile în Primirea de cumparare, furnizor cotatie, cumparare factură, Ordinul de cumparare, etc" +All items have already been invoiced,Toate elementele au fost deja facturate +All items have already been transferred for this Production Order.,Toate elementele au fost deja transferate pentru această comandă de producție. +All these items have already been invoiced,Toate aceste elemente au fost deja facturate +Allocate,Alocarea +Allocate Amount Automatically,Suma aloca automat +Allocate leaves for a period.,Alocați frunze pentru o perioadă. +Allocate leaves for the year.,Alocarea de frunze pentru anul. +Allocated Amount,Suma alocată +Allocated Budget,Bugetul alocat +Allocated amount,Suma alocată +Allocated amount can not be negative,Suma alocată nu poate fi negativ +Allocated amount can not greater than unadusted amount,Suma alocată nu poate mai mare decât valoarea unadusted +Allow Bill of Materials,Permite Bill de materiale +Allow Bill of Materials should be 'Yes'. Because one or many active BOMs present for this item,"Permite Bill de materiale ar trebui să fie ""Da"". Deoarece unul sau mai multe BOM active prezente pentru acest articol" +Allow Children,Permiteți copii +Allow Dropbox Access,Dropbox permite accesul +Allow Google Drive Access,Permite accesul Google Drive +Allow Negative Balance,Permite sold negativ +Allow Negative Stock,Permiteți Stock negativ +Allow Production Order,Permiteți producție Ordine +Allow User,Permite utilizatorului +Allow Users,Se permite utilizatorilor +Allow the following users to approve Leave Applications for block days.,Permite următoarele utilizatorilor să aprobe cererile de concediu pentru zile bloc. +Allow user to edit Price List Rate in transactions,Permite utilizatorului să editeze Lista de preturi Rate în tranzacții +Allowance Percent,Alocație Procent +Allowance for over-delivery / over-billing crossed for Item {0},Reduceri pentru mai mult de-livrare / supra-facturare trecut pentru postul {0} +Allowed Role to Edit Entries Before Frozen Date,Rolul permisiunea de a edita intrările înainte de Frozen Data +Amended From,A fost modificat de la +Amount,Suma +Amount (Company Currency),Suma (Compania de valuta) +Amount <=,Suma <= +Amount >=,Suma> = +Amount to Bill,Se ridică la Bill +An Customer exists with same name,Există un client cu același nume +"An Item Group exists with same name, please change the item name or rename the item group","Există un grup articol cu ​​același nume, vă rugăm să schimbați numele elementului sau redenumi grupul element" +"An item exists with same name ({0}), please change the item group name or rename the item","Un element există cu același nume ({0}), vă rugăm să schimbați numele grupului element sau redenumi elementul" +Analyst,Analist +Annual,Anual +Another Period Closing Entry {0} has been made after {1},O altă intrare Perioada inchiderii {0} a fost făcută după ce {1} +Another Salary Structure {0} is active for employee {0}. Please make its status 'Inactive' to proceed.,"Un alt Structura Salariul {0} este activ pentru angajat {0}. Vă rugăm să vă statutul de ""inactiv"" pentru a continua." +"Any other comments, noteworthy effort that should go in the records.","Orice alte comentarii, efort demn de remarcat faptul că ar trebui să meargă în înregistrările." +Apparel & Accessories,Îmbrăcăminte și accesorii +Applicability,Aplicabilitate +Applicable For,Aplicabil pentru +Applicable Holiday List,Aplicabil Lista de vacanță +Applicable Territory,Teritoriul de aplicare +Applicable To (Designation),Aplicabile (denumirea) +Applicable To (Employee),Aplicabile (Angajat) +Applicable To (Role),Aplicabile (rol) +Applicable To (User),Aplicabile (User) +Applicant Name,Nume solicitant +Applicant for a Job.,Solicitant pentru un loc de muncă. +Application of Funds (Assets),Aplicarea fondurilor (activelor) +Applications for leave.,Cererile de concediu. +Applies to Company,Se aplică de companie +Apply On,Se aplică pe +Appraisal,Evaluare +Appraisal Goal,Evaluarea Goal +Appraisal Goals,Obiectivele de evaluare +Appraisal Template,Evaluarea Format +Appraisal Template Goal,Evaluarea Format Goal +Appraisal Template Title,Evaluarea Format Titlu +Appraisal {0} created for Employee {1} in the given date range,Evaluarea {0} creat pentru Angajat {1} la dat intervalul de date +Apprentice,Ucenic +Approval Status,Starea de aprobare +Approval Status must be 'Approved' or 'Rejected',"Starea de aprobare trebuie să fie ""Aprobat"" sau ""Respins""" +Approved,Aprobat +Approver,Denunțător +Approving Role,Aprobarea Rolul +Approving Role cannot be same as role the rule is Applicable To,Aprobarea rol nu poate fi la fel ca rolul statului este aplicabilă +Approving User,Aprobarea utilizator +Approving User cannot be same as user the rule is Applicable To,Aprobarea Utilizatorul nu poate fi aceeași ca și utilizator regula este aplicabilă +Are you sure you want to STOP , +Are you sure you want to UNSTOP , +Arrear Amount,Restanță Suma +"As Production Order can be made for this item, it must be a stock item.","Ca producție Ordine pot fi făcute pentru acest articol, trebuie să fie un element de stoc." +As per Stock UOM,Ca pe Stock UOM +"As there are existing stock transactions for this item, you can not change the values of 'Has Serial No', 'Is Stock Item' and 'Valuation Method'","Așa cum există tranzacții bursiere existente pentru acest element, nu puteți modifica valorile ""nu are nici un Serial"", ""Este Piesa"" și ""Metoda de evaluare""" +Asset,Asset +Assistant,Asistent +Associate,Asociat +Atleast one warehouse is mandatory,Cel putin un antrepozit este obligatorie +Attach Image,Atașați Image +Attach Letterhead,Atașați cu antet +Attach Logo,Atașați Logo +Attach Your Picture,Atașați imaginea +Attendance,Prezență +Attendance Date,Spectatori Data +Attendance Details,Detalii de participare +Attendance From Date,Participarea la data +Attendance From Date and Attendance To Date is mandatory,Participarea la data și prezență până în prezent este obligatorie +Attendance To Date,Participarea la Data +Attendance can not be marked for future dates,Spectatori nu pot fi marcate pentru date viitoare +Attendance for employee {0} is already marked,Spectatori pentru angajat {0} este deja marcat +Attendance record.,Record de participare. +Authorization Control,Controlul de autorizare +Authorization Rule,Regula de autorizare +Auto Accounting For Stock Settings,Contabilitate Auto Pentru Stock Setări +Auto Material Request,Material Auto Cerere +Auto-raise Material Request if quantity goes below re-order level in a warehouse,Auto-raise Material cerere în cazul în care cantitatea scade sub nivelul de re-comandă într-un depozit +Automatically compose message on submission of transactions.,Compune în mod automat un mesaj pe prezentarea de tranzacții. +Automatically extract Job Applicants from a mail box , +Automatically extract Leads from a mail box e.g.,"Extrage automat Oportunitati de la o cutie de e-mail de exemplu," +Automatically updated via Stock Entry of type Manufacture/Repack,Actualizat automat prin Bursa de intrare de tip Fabricarea / Repack +Automotive,Automotive +Autoreply when a new mail is received,Răspuns automat atunci când un nou e-mail este primit +Available,Disponibil +Available Qty at Warehouse,Cantitate disponibil la Warehouse +Available Stock for Packing Items,Disponibil Stock pentru ambalare Articole +"Available in BOM, Delivery Note, Purchase Invoice, Production Order, Purchase Order, Purchase Receipt, Sales Invoice, Sales Order, Stock Entry, Timesheet","Disponibil în BOM, nota de livrare, factura de cumparare, producție Ordine, Ordinul de cumparare, Primirea de cumparare, Factura Vanzare, comandă de vânzări, Stock intrare, pontajul" +Average Age,Vârsta medie +Average Commission Rate,Rata medie a Comisiei +Average Discount,Reducere medie +Awesome Products,Produse Awesome +Awesome Services,Servicii de Awesome +BOM Detail No,BOM Detaliu Nu +BOM Explosion Item,BOM explozie Postul +BOM Item,BOM Articol +BOM No,BOM Nu +BOM No. for a Finished Good Item,BOM Nu pentru un bun element finit +BOM Operation,BOM Operațiunea +BOM Operations,BOM Operațiuni +BOM Replace Tool,BOM Înlocuiți Tool +BOM number is required for manufactured Item {0} in row {1},Este necesară număr BOM pentru articol fabricat {0} în rândul {1} +BOM number not allowed for non-manufactured Item {0} in row {1},Număr BOM nu este permis pentru postul non-fabricat {0} în rândul {1} +BOM recursion: {0} cannot be parent or child of {2},BOM recursivitate: {0} nu poate fi parinte sau copil din {2} +BOM replaced,BOM înlocuit +BOM {0} for Item {1} in row {2} is inactive or not submitted,BOM {0} pentru postul {1} ​​în rândul {2} este inactiv sau nu a prezentat +BOM {0} is not active or not submitted,BOM {0} nu este activ sau nu a prezentat +BOM {0} is not submitted or inactive BOM for Item {1},BOM {0} nu este depusă sau inactiv BOM pentru postul {1} +Backup Manager,Backup Manager +Backup Right Now,Backup chiar acum +Backups will be uploaded to,Copiile de rezervă va fi încărcat la +Balance Qty,Echilibru Cantitate +Balance Sheet,Bilanțul +Balance Value,Echilibru Valoarea +Balance for Account {0} must always be {1},Bilant pentru Contul {0} trebuie să fie întotdeauna {1} +Balance must be,Echilibru trebuie să fie +"Balances of Accounts of type ""Bank"" or ""Cash""","Soldurile de conturi de tip ""Banca"" sau ""Cash""" +Bank,Banca +Bank A/C No.,Bank A / C Nr +Bank Account,Cont bancar +Bank Account No.,Cont bancar nr +Bank Accounts,Conturi bancare +Bank Clearance Summary,Clearance Bank Sumar +Bank Draft,Proiect de bancă +Bank Name,Numele bancii +Bank Overdraft Account,Descoperitul de cont bancar +Bank Reconciliation,Banca Reconciliere +Bank Reconciliation Detail,Banca Reconcilierea Detaliu +Bank Reconciliation Statement,Extras de cont de reconciliere +Bank Voucher,Bancă Voucher +Bank/Cash Balance,Bank / Cash Balance +Banking,Bancar +Barcode,Cod de bare +Barcode {0} already used in Item {1},Coduri de bare {0} deja folosit în articol {1} +Based On,Bazat pe +Basic,Baza +Basic Info,Informații de bază +Basic Information,Informații de bază +Basic Rate,Rata de bază +Basic Rate (Company Currency),Rata de bază (Compania de valuta) +Batch,Lot +Batch (lot) of an Item.,Lot (lot) de un articol. +Batch Finished Date,Lot terminat Data +Batch ID,ID-ul lotului +Batch No,Lot Nu +Batch Started Date,Lot început Data +Batch Time Logs for billing.,Lot de timp Bușteni pentru facturare. +Batch-Wise Balance History,Lot-înțelept Balanța Istorie +Batched for Billing,Dozat de facturare +Better Prospects,Perspective mai bune +Bill Date,Bill Data +Bill No,Bill Nu +Bill No {0} already booked in Purchase Invoice {1},Bill Nu {0} deja rezervat în cumparare Factura {1} +Bill of Material,Bill of Material +Bill of Material to be considered for manufacturing,Bill of Material să fie luate în considerare pentru producție +Bill of Materials (BOM),Factura de materiale (BOM) +Billable,Facturabile +Billed,Facturat +Billed Amount,Facturat Suma +Billed Amt,Facturate Amt +Billing,De facturare +Billing Address,Adresa de facturare +Billing Address Name,Adresa de facturare Numele +Billing Status,Starea de facturare +Bills raised by Suppliers.,Facturile ridicate de furnizori. +Bills raised to Customers.,Facturi ridicate pentru clienți. +Bin,Bin +Bio,Biografie +Biotechnology,Biotehnologie +Birthday,Ziua de naştere +Block Date,Bloc Data +Block Days,Bloc de zile +Block leave applications by department.,Blocați aplicații de concediu de către departament. +Blog Post,Blog Mesaj +Blog Subscriber,Blog Abonat +Blood Group,Grupa de sânge +Both Warehouse must belong to same Company,Ambele Warehouse trebuie să aparțină aceleiași companii +Box,Cutie +Branch,Ramură +Brand,Marca: +Brand Name,Nume de brand +Brand master.,Maestru de brand. +Brands,Brand-uri +Breakdown,Avarie +Broadcasting,Radiodifuzare +Brokerage,De brokeraj +Budget,Bugetul +Budget Allocated,Bugetul alocat +Budget Detail,Buget Detaliu +Budget Details,Buget Detalii +Budget Distribution,Buget Distribuție +Budget Distribution Detail,Buget Distribution Detaliu +Budget Distribution Details,Detalii buget de distribuție +Budget Variance Report,Buget Variance Raportul +Budget cannot be set for Group Cost Centers,Bugetul nu poate fi setat pentru centre de cost Group +Build Report,Construi Raport +Built on,Construit pe +Bundle items at time of sale.,Bundle elemente la momentul de vânzare. +Business Development Manager,Business Development Manager de +Buying,Cumpărare +Buying & Selling,De cumparare si vânzare +Buying Amount,Suma de cumpărare +Buying Settings,Cumpararea Setări +C-Form,C-Form +C-Form Applicable,C-forma aplicabila +C-Form Invoice Detail,C-Form Factura Detalii +C-Form No,C-Form No +C-Form records,Înregistrări C-Form +Calculate Based On,Calculează pe baza +Calculate Total Score,Calcula Scor total +Calendar Events,Calendar Evenimente +Call,Apelaţi +Calls,Apeluri +Campaign,Campanie +Campaign Name,Numele campaniei +Campaign Name is required,Este necesară Numele campaniei +Campaign Naming By,Naming campanie de +Campaign-.####,Campanie.# # # # +Can be approved by {0},Pot fi aprobate de către {0} +"Can not filter based on Account, if grouped by Account","Nu se poate filtra pe baza de cont, în cazul în care grupate pe cont" +"Can not filter based on Voucher No, if grouped by Voucher","Nu se poate filtra pe baza voucher Nu, dacă grupate de Voucher" +Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"Se poate referi rând numai dacă tipul de taxa este ""La rândul precedent Suma"" sau ""Previous rând Total""" +Cancel Material Visit {0} before cancelling this Customer Issue,Anula Material Vizitează {0} înainte de a anula această problemă client +Cancel Material Visits {0} before cancelling this Maintenance Visit,Anula Vizite materiale {0} înainte de a anula această întreținere Viziteaza +Cancelled,Anulat +Cancelling this Stock Reconciliation will nullify its effect.,Anularea acest Stock reconciliere va anula efectul. +Cannot Cancel Opportunity as Quotation Exists,Nu se poate anula oportunitate așa cum există ofertă +Cannot approve leave as you are not authorized to approve leaves on Block Dates,Nu poate aproba concediu ca nu sunt autorizate să aprobe frunze pe Block Date +Cannot cancel because Employee {0} is already approved for {1},Nu pot anula din cauza angajaților {0} este deja aprobat pentru {1} +Cannot cancel because submitted Stock Entry {0} exists,"Nu pot anula, deoarece a prezentat Bursa de intrare {0} există" +Cannot carry forward {0},Nu se poate duce mai departe {0} +Cannot change Year Start Date and Year End Date once the Fiscal Year is saved.,Nu se poate schimba An Data de începere și de sfârșit de an Data odată ce anul fiscal este salvată. +"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Nu se poate schimba implicit moneda companiei, deoarece există tranzacții existente. Tranzacțiile trebuie să fie anulate de a schimba moneda implicit." +Cannot convert Cost Center to ledger as it has child nodes,"Nu se poate converti de cost Centrul de registru, deoarece are noduri copil" +Cannot covert to Group because Master Type or Account Type is selected.,Nu se poate sub acoperire să Group deoarece este selectat de Master de tip sau de tip de cont. +Cannot deactive or cancle BOM as it is linked with other BOMs,"Nu pot DEACTIVE sau cancle BOM, deoarece este legat cu alte extraselor" +"Cannot declare as lost, because Quotation has been made.","Nu poate declara ca a pierdut, pentru că ofertă a fost făcută." +Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Nu se poate deduce când categorie este de ""evaluare"" sau ""de evaluare și total""" +"Cannot delete Serial No {0} in stock. First remove from stock, then delete.","Nu se poate șterge Nu Serial {0} în stoc. Mai întâi se scoate din stoc, apoi ștergeți." +"Cannot directly set amount. For 'Actual' charge type, use the rate field","Nu se poate seta direct sumă. De tip taxă ""real"", utilizați câmpul rata" +"Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in 'Setup' > 'Global Defaults'","Nu pot overbill pentru postul {0} în rândul {0} mai mult de {1}. Pentru a permite supraîncărcată, vă rugăm să setați în ""Configurare""> ""Implicite Globale""" +Cannot produce more Item {0} than Sales Order quantity {1},Nu poate produce mai mult Postul {0} decât cantitatea de vânzări Ordine {1} +Cannot refer row number greater than or equal to current row number for this Charge type,Nu se poate referi număr de rând mai mare sau egal cu numărul actual rând pentru acest tip de încărcare +Cannot return more than {0} for Item {1},Nu se poate reveni mai mult de {0} pentru postul {1} +Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,"Nu se poate selecta tipul de încărcare ca ""La rândul precedent Suma"" sau ""On anterioară rândul Total"" pentru primul rând" +Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for valuation. You can select only 'Total' option for previous row amount or previous row total,"Nu se poate selecta tipul de încărcare ca ""La rândul precedent Suma"" sau ""On anterioară rândul Total"" pentru evaluare. Puteți selecta opțiunea ""Total"" pentru suma de rând anterior sau totală rând anterior" +Cannot set as Lost as Sales Order is made.,Nu se poate seta la fel de pierdut ca se face comandă de vânzări. +Cannot set authorization on basis of Discount for {0},Nu se poate seta de autorizare pe baza de Discount pentru {0} +Capacity,Capacitate +Capacity Units,Unități de capacitate +Capital Account,Contul de capital +Capital Equipments,Echipamente de capital +Carry Forward,Reporta +Carry Forwarded Leaves,Carry Frunze transmis +Case No(s) already in use. Try from Case No {0},Cazul (e) deja în uz. Încercați din cauza nr {0} +Case No. cannot be 0,"Caz Nu, nu poate fi 0" +Cash,Numerar +Cash In Hand,Bani în mână +Cash Voucher,Cash Voucher +Cash or Bank Account is mandatory for making payment entry,Numerar sau cont bancar este obligatorie pentru a face intrarea plată +Cash/Bank Account,Contul Cash / Banca +Casual Leave,Casual concediu +Cell Number,Numărul de celule +Change UOM for an Item.,Schimba UOM pentru un element. +Change the starting / current sequence number of an existing series.,Schimbați pornire / numărul curent de ordine dintr-o serie existent. +Channel Partner,Channel Partner +Charge of type 'Actual' in row {0} cannot be included in Item Rate,"Responsabilă de tip ""real"" în rândul {0} nu poate fi inclus în postul Rate" +Chargeable,Chargeable +Charity and Donations,Caritate și donații +Chart Name,Diagramă Denumire +Chart of Accounts,Planul de conturi +Chart of Cost Centers,Grafic de centre de cost +Check how the newsletter looks in an email by sending it to your email.,Verifica modul în newsletter-ul arată într-un e-mail prin trimiterea acesteia la adresa dvs. de email. +"Check if recurring invoice, uncheck to stop recurring or put proper End Date","Verificați dacă recurente factura, debifați pentru a opri recurente sau pune buna Data de încheiere" +"Check if you need automatic recurring invoices. After submitting any sales invoice, Recurring section will be visible.","Verificați dacă aveți nevoie de facturi automate recurente. După depunerea orice factură de vânzare, sectiunea recurente vor fi vizibile." +Check if you want to send salary slip in mail to each employee while submitting salary slip,Verificați dacă doriți să trimiteți fișa de salariu în e-mail pentru fiecare angajat în timp ce depunerea alunecare salariu +Check this if you want to force the user to select a series before saving. There will be no default if you check this.,"Verifica acest lucru dacă doriți pentru a forța utilizatorului să selecteze o serie înainte de a salva. Nu va fi nici implicit, dacă tu a verifica acest lucru." +Check this if you want to show in website,Verifica acest lucru dacă doriți să arate în site-ul +Check this to disallow fractions. (for Nos),Verifica acest lucru pentru a nu permite fracțiuni. (Pentru Nos) +Check this to pull emails from your mailbox,Verifica acest lucru pentru a trage e-mailuri de la căsuța poștală +Check to activate,Verificați pentru a activa +Check to make Shipping Address,Verificați pentru a vă adresa Shipping +Check to make primary address,Verificați pentru a vă adresa primar +Chemical,Chimic +Cheque,Cheque +Cheque Date,Cec Data +Cheque Number,Numărul Cec +Child account exists for this account. You can not delete this account.,Contul copil există pentru acest cont. Nu puteți șterge acest cont. +City,Oraș +City/Town,Orasul / Localitatea +Claim Amount,Suma cerere +Claims for company expense.,Cererile pentru cheltuieli companie. +Class / Percentage,Clasă / Procentul +Classic,Conditionarea clasica apare atunci cand unui stimul i se raspunde printr-un reflex natural +Clear Table,Clar masă +Clearance Date,Clearance Data +Clearance Date not mentioned,Clearance Data nu sunt menționate +Clearance date cannot be before check date in row {0},Data de clearance-ul nu poate fi înainte de data de check-in rândul {0} +Click on 'Make Sales Invoice' button to create a new Sales Invoice.,"Faceți clic pe butonul ""face Factura Vanzare"" pentru a crea o nouă factură de vânzare." +Click on a link to get options to expand get options , +Client,Client +Close Balance Sheet and book Profit or Loss.,Aproape Bilanțul și carte profit sau pierdere. +Closed,Inchisa +Closing Account Head,Închiderea contului cap +Closing Account {0} must be of type 'Liability',"Contul {0} de închidere trebuie să fie de tip ""Răspunderea""" +Closing Date,Data de închidere +Closing Fiscal Year,Închiderea Anul fiscal +Closing Qty,Cantitate de închidere +Closing Value,Valoare de închidere +CoA Help,CoA Ajutor +Code,Cod +Cold Calling,De asteptare la rece +Color,Culorarea +Comma separated list of email addresses,Virgulă listă de adrese de e-mail separat +Comments,Comentarii +Commercial,Comercial +Commission,Comision +Commission Rate,Rata de comisie +Commission Rate (%),Rata de comision (%) +Commission on Sales,Comision din vânzări +Commission rate cannot be greater than 100,Rata de comision nu poate fi mai mare de 100 +Communication,Comunicare +Communication HTML,Comunicare HTML +Communication History,Istoria comunicare +Communication log.,Log comunicare. +Communications,Interfata +Company,Firma +Company (not Customer or Supplier) master.,Compania (nu client sau furnizor) de master. +Company Abbreviation,Abreviere de companie +Company Details,Detalii companie +Company Email,Compania de e-mail +"Company Email ID not found, hence mail not sent","Compania ID-ul de e-mail, nu a fost găsit, prin urmare, nu e-mail trimis" +Company Info,Informatii companie +Company Name,Nume firma acasa +Company Settings,Setări Company +Company is missing in warehouses {0},Compania lipsește în depozite {0} +Company is required,Este necesară Company +Company registration numbers for your reference. Example: VAT Registration Numbers etc.,"Numerele de înregistrare companie pentru referință. Numerele de înregistrare TVA, etc: de exemplu," +Company registration numbers for your reference. Tax numbers etc.,Numerele de înregistrare companie pentru referință. Numerele fiscale etc +"Company, Month and Fiscal Year is mandatory","Compania, Luna și Anul fiscal este obligatorie" +Compensatory Off,Compensatorii Off +Complete,Finalizare +Complete Setup,Setup Complete +Completed,Finalizat +Completed Production Orders,Comenzile de producție terminate +Completed Qty,Completat Cantitate +Completion Date,Finalizarea Data +Completion Status,Starea de finalizare +Computer,Calculator +Computers,Calculatoare +Confirmation Date,Confirmarea Data +Confirmed orders from Customers.,Comenzile confirmate de la clienți. +Consider Tax or Charge for,Luați în considerare fiscală sau de încărcare pentru +Considered as Opening Balance,Considerat ca Sold +Considered as an Opening Balance,Considerat ca un echilibru de deschidere +Consultant,Consultant +Consulting,Consili +Consumable,Consumabil +Consumable Cost,Cost Consumabile +Consumable cost per hour,Costul consumabil pe oră +Consumed Qty,Consumate Cantitate +Consumer Products,Produse de larg consum +Contact,Persoană +Contact Control,Contact de control +Contact Desc,Contact Descărca +Contact Details,Detalii de contact +Contact Email,Contact Email +Contact HTML,Contact HTML +Contact Info,Informaţii de contact +Contact Mobile No,Contact Mobile Nu +Contact Name,Nume contact +Contact No.,Contact Nu. +Contact Person,Persoană de contact +Contact Type,Contact Tip +Contact master.,Contact maestru. +Contacts,Contacte +Content,Continut +Content Type,Tip de conținut +Contra Voucher,Contra Voucher +Contract,Contractarea +Contract End Date,Contract Data de încheiere +Contract End Date must be greater than Date of Joining,Contract Data de sfârșit trebuie să fie mai mare decât Data aderării +Contribution (%),Contribuția (%) +Contribution to Net Total,Contribuția la net total +Conversion Factor,Factor de conversie +Conversion Factor is required,Este necesară Factorul de conversie +Conversion factor cannot be in fractions,Factor de conversie nu pot fi în fracțiuni +Conversion factor for default Unit of Measure must be 1 in row {0},Factor de conversie pentru Unitatea implicit de măsură trebuie să fie de 1 la rând {0} +Conversion rate cannot be 0 or 1,Rata de conversie nu poate fi 0 sau 1 +Convert into Recurring Invoice,Conversia în factura recurente +Convert to Group,Conversia de grup +Convert to Ledger,Conversia la Ledger +Converted,Convertit +Copy From Item Group,Copiere din Grupa de articole +Cosmetics,Cosmetică +Cost Center,Cost Center +Cost Center Details,Cost Center Detalii +Cost Center Name,Cost Numele Center +Cost Center is mandatory for Item {0},Cost Center este obligatorie pentru postul {0} +Cost Center is required for 'Profit and Loss' account {0},"Cost Center este necesară pentru contul ""Profit și pierdere"" {0}" +Cost Center is required in row {0} in Taxes table for type {1},Cost Center este necesară în rândul {0} în tabelul Taxele de tip {1} +Cost Center with existing transactions can not be converted to group,Centrul de cost cu tranzacțiile existente nu pot fi transformate în grup +Cost Center with existing transactions can not be converted to ledger,Centrul de cost cu tranzacții existente nu pot fi convertite în registrul +Cost Center {0} does not belong to Company {1},Cost Centrul {0} nu aparține companiei {1} +Cost of Goods Sold,Costul bunurilor vândute +Costing,Costing +Country,Ţară +Country Name,Nume țară +"Country, Timezone and Currency","Țară, Timezone și valutar" +Create Bank Voucher for the total salary paid for the above selected criteria,Crea Bank Voucher pentru salariul totală plătită pentru criteriile selectate de mai sus +Create Customer,Creare client +Create Material Requests,Cererile crea materiale +Create New,Crearea de noi +Create Opportunity,Creare Oportunitate +Create Production Orders,Creare comenzi de producție +Create Quotation,Creare ofertă +Create Receiver List,Crea Receiver Lista +Create Salary Slip,Crea Salariul Slip +Create Stock Ledger Entries when you submit a Sales Invoice,Crea Stock Ledger intrările atunci când depune o factură de vânzare +"Create and manage daily, weekly and monthly email digests.","Crearea și gestionarea de e-mail rezumate zilnice, săptămânale și lunare." +Create rules to restrict transactions based on values.,Creați reguli pentru a restricționa tranzacțiile bazate pe valori. +Created By,Creat de +Creates salary slip for above mentioned criteria.,Creează alunecare salariu pentru criteriile de mai sus. +Creation Date,Data creării +Creation Document No,Creare de documente Nu +Creation Document Type,Document Type creație +Creation Time,Timp de creație +Credentials,Scrisori de acreditare +Credit,credit +Credit Amt,Credit Amt +Credit Card,Card de credit +Credit Card Voucher,Card de credit Voucher +Credit Controller,Controler de credit +Credit Days,Zile de credit +Credit Limit,Limita de credit +Credit Note,Nota de credit +Credit To,De credit a +Currency,Monedă +Currency Exchange,Schimb valutar +Currency Name,Numele valută +Currency Settings,Setări valutare +Currency and Price List,Valută și lista de prețuri +Currency exchange rate master.,Maestru cursului de schimb valutar. +Current Address,Adresa curent +Current Address Is,Adresa actuală este +Current Assets,Active curente +Current BOM,BOM curent +Current BOM and New BOM can not be same,BOM BOM curent și noi nu poate fi același +Current Fiscal Year,Anul fiscal curent +Current Liabilities,Datorii curente +Current Stock,Stock curent +Current Stock UOM,Stock curent UOM +Current Value,Valoare curent +Custom,Particularizat +Custom Autoreply Message,Personalizat Răspuns automat Mesaj +Custom Message,Mesaj personalizat +Customer,Client +Customer (Receivable) Account,Client (de încasat) Cont +Customer / Item Name,Client / Denumire +Customer / Lead Address,Client / plumb Adresa +Customer / Lead Name,Client / Nume de plumb +Customer Account Head,Cont client cap +Customer Acquisition and Loyalty,Achiziționarea client și Loialitate +Customer Address,Client Adresa +Customer Addresses And Contacts,Adrese de clienți și Contacte +Customer Code,Cod client +Customer Codes,Coduri de client +Customer Details,Detalii client +Customer Feedback,Customer Feedback +Customer Group,Grup de clienti +Customer Group / Customer,Grupa client / client +Customer Group Name,Nume client Group +Customer Intro,Intro client +Customer Issue,Client Issue +Customer Issue against Serial No.,Problema client împotriva Serial No. +Customer Name,Nume client +Customer Naming By,Naming client de +Customer Service,Serviciul Clienți +Customer database.,Bazei de clienti. +Customer is required,Clientul este necesară +Customer master.,Maestru client. +Customer required for 'Customerwise Discount',"Client necesar pentru ""Customerwise Discount""" +Customer {0} does not belong to project {1},Client {0} nu face parte din proiect {1} +Customer {0} does not exist,Client {0} nu există +Customer's Item Code,Clientului Articol Cod +Customer's Purchase Order Date,Clientului comandă de aprovizionare Data +Customer's Purchase Order No,Clientului Comandă Nu +Customer's Purchase Order Number,Clientului Comandă Numărul +Customer's Vendor,Vendor clientului +Customers Not Buying Since Long Time,Clienții nu Cumpararea de mult timp Timpul +Customerwise Discount,Customerwise Reducere +Customize,Personalizarea +Customize the Notification,Personaliza Notificare +Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,"Particulariza textul introductiv, care merge ca o parte din acel email. Fiecare tranzacție are un text introductiv separat." +DN Detail,DN Detaliu +Daily,Zilnic +Daily Time Log Summary,Zilnic Timp Log Rezumat +Database Folder ID,Baza de date Folder ID +Database of potential customers.,Baza de date de clienți potențiali. +Date,Dată +Date Format,Format dată +Date Of Retirement,Data pensionării +Date Of Retirement must be greater than Date of Joining,Data de pensionare trebuie să fie mai mare decât Data aderării +Date is repeated,Data se repetă +Date of Birth,Data nașterii +Date of Issue,Data eliberării +Date of Joining,Data aderării +Date of Joining must be greater than Date of Birth,Data aderării trebuie să fie mai mare decât Data nașterii +Date on which lorry started from supplier warehouse,Data la care a început camion din depozitul furnizorul +Date on which lorry started from your warehouse,Data la care camion a pornit de la depozit +Dates,Perioada +Days Since Last Order,De zile de la ultima comandă +Days for which Holidays are blocked for this department.,De zile pentru care Sărbătorile sunt blocate pentru acest departament. +Dealer,Comerciant +Debit,Debitarea +Debit Amt,Amt debit +Debit Note,Nota de debit +Debit To,Pentru debit +Debit and Credit not equal for this voucher. Difference is {0}.,De debit și de credit nu este egal pentru acest voucher. Diferența este {0}. +Deduct,Deduce +Deduction,Deducere +Deduction Type,Deducerea Tip +Deduction1,Deduction1 +Deductions,Deduceri +Default,Implicit +Default Account,Contul implicit +Default BOM,Implicit BOM +Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,"Default cont bancar / numerar vor fi actualizate în mod automat în POS Factura, atunci când acest mod este selectat." +Default Bank Account,Implicit cont bancar +Default Buying Cost Center,Implicit de cumparare cost Center +Default Buying Price List,Implicit de cumparare Lista de prețuri +Default Cash Account,Contul Cash implicit +Default Company,Implicit de companie +Default Cost Center for tracking expense for this item.,Centrul de cost standard pentru cheltuieli de urmărire pentru acest articol. +Default Currency,Monedă implicită +Default Customer Group,Implicit Client Group +Default Expense Account,Cont implicit de cheltuieli +Default Income Account,Contul implicit venituri +Default Item Group,Implicit Element Group +Default Price List,Implicit Lista de prețuri +Default Purchase Account in which cost of the item will be debited.,Implicit cont cumparare în care costul de elementul va fi debitat. +Default Selling Cost Center,Implicit de vânzare Cost Center +Default Settings,Setări implicite +Default Source Warehouse,Implicit Sursa Warehouse +Default Stock UOM,Implicit Stock UOM +Default Supplier,Implicit Furnizor +Default Supplier Type,Implicit Furnizor Tip +Default Target Warehouse,Implicit țintă Warehouse +Default Territory,Implicit Teritoriul +Default Unit of Measure,Unitatea de măsură prestabilită +"Default Unit of Measure can not be changed directly because you have already made some transaction(s) with another UOM. To change default UOM, use 'UOM Replace Utility' tool under Stock module.","Unitatea implicit de măsură nu poate fi modificat direct deoarece le-ați făcut deja unele tranzacții (s) cu un alt UOM. Pentru a schimba implicit UOM, folosiți ""UOM Înlocuiți Utility"" instrument în modul stoc." +Default Valuation Method,Metoda implicită de evaluare +Default Warehouse,Implicit Warehouse +Default Warehouse is mandatory for stock Item.,Implicit Warehouse este obligatorie pentru stoc articol. +Default settings for accounting transactions.,Setările implicite pentru tranzacțiile de contabilitate. +Default settings for buying transactions.,Setările implicite pentru tranzacțiilor de cumpărare. +Default settings for selling transactions.,Setările implicite pentru tranzacțiile de vânzare. +Default settings for stock transactions.,Setările implicite pentru tranzacțiile bursiere. +Defense,Apărare +"Define Budget for this Cost Center. To set budget action, see Company Master","Definirea Bugetul pentru acest centru de cost. Pentru a seta o acțiune buget, consultați Compania Maestrul " +Delete,Șterge +Delete {0} {1}?,Șterge {0} {1}? +Delivered,Livrat +Delivered Items To Be Billed,Produsele livrate Pentru a fi facturat +Delivered Qty,Livrate Cantitate +Delivered Serial No {0} cannot be deleted,Livrate de ordine {0} nu poate fi ștearsă +Delivery Date,Data de livrare +Delivery Details,Detalii livrare +Delivery Document No,Livrare de documente Nu +Delivery Document Type,Tip de livrare document +Delivery Note,Livrare Nota +Delivery Note Item,Livrare Nota Articol +Delivery Note Items,Livrare Nota Articole +Delivery Note Message,Livrare Nota Mesaj +Delivery Note No,Livrare Nota Nu +Delivery Note Required,Nota de livrare Necesar +Delivery Note Trends,Livrare Nota Tendințe +Delivery Note {0} is not submitted,Livrare Nota {0} nu este prezentat +Delivery Note {0} must not be submitted,Livrare Nota {0} nu trebuie să fie prezentate +Delivery Notes {0} must be cancelled before cancelling this Sales Order,Livrare Note {0} trebuie anulată înainte de a anula această comandă de vânzări +Delivery Status,Starea de livrare +Delivery Time,Timp de livrare +Delivery To,De livrare a +Department,Departament +Department Stores,Magazine Universale +Depends on LWP,Depinde LWP +Depreciation,Depreciere +Description,Descriere +Description HTML,Descrierea HTML +Designation,Denumire +Designer,Proiectant +Detailed Breakup of the totals,Despărțiri detaliată a totalurilor +Details,Detalii +Difference (Dr - Cr),Diferența (Dr - Cr) +Difference Account,Diferența de cont +"Difference Account must be a 'Liability' type account, since this Stock Reconciliation is an Opening Entry","Diferență de cont trebuie să fie un cont de tip ""Răspunderea"", deoarece acest Stock Reconcilierea este o intrare de deschidere" +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.,Diferit UOM pentru un produs va duce la incorect (Total) Net valoare greutate. Asigurați-vă că greutatea netă a fiecărui element este în același UOM. +Direct Expenses,Cheltuieli directe +Direct Income,Venituri directe +Disable,Dezactivați +Disable Rounded Total,Dezactivați rotunjite total +Disabled,Invalid +Discount %,Discount% +Discount %,Discount% +Discount (%),Discount (%) +Discount Amount,Discount Suma +"Discount Fields will be available in Purchase Order, Purchase Receipt, Purchase Invoice","Discount Fields va fi disponibil în cumparare Ordine, Primirea de cumparare, cumparare factura" +Discount Percentage,Procentul de reducere +Discount must be less than 100,Reducere trebuie să fie mai mică de 100 +Discount(%),Discount (%) +Dispatch,Expedierea +Display all the individual items delivered with the main items,Afișa toate elementele individuale livrate cu elementele principale +Distribute transport overhead across items.,Distribui aeriene de transport pe obiecte. +Distribution,Distribuire +Distribution Id,Id-ul de distribuție +Distribution Name,Distribuție Nume +Distributor,Distribuitor +Divorced,Divorțat +Do Not Contact,Nu de contact +Do not show any symbol like $ etc next to currencies.,Nu prezintă nici un simbol de genul $ etc alături de valute. +Do really want to unstop production order: , +Do you really want to STOP , +Do you really want to STOP this Material Request?,Chiar vrei pentru a opri această cerere Material? +Do you really want to Submit all Salary Slip for month {0} and year {1},Chiar vrei să prezinte toate Slip Salariul pentru luna {0} și {1 an} +Do you really want to UNSTOP , +Do you really want to UNSTOP this Material Request?,Chiar vrei să unstop această cerere Material? +Do you really want to stop production order: , +Doc Name,Doc Nume +Doc Type,Doc Tip +Document Description,Document Descriere +Document Type,Tip de document +Documents,Documente +Domain,Domeniu +Don't send Employee Birthday Reminders,Nu trimiteți Angajat Data nasterii Memento +Download Materials Required,Descărcați Materiale necesare +Download Reconcilation Data,Descărcați reconcilierii datelor +Download Template,Descărcați Format +Download a report containing all raw materials with their latest inventory status,Descărca un raport care conține toate materiile prime cu statutul lor ultimul inventar +"Download the Template, fill appropriate data and attach the modified file.","Descărcați șablonul, umple de date corespunzătoare și atașați fișierul modificat." +"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. \ NTot data și combinație de angajat în perioada selectată va veni în șablon, cu înregistrări de prezență existente" +Draft,Ciornă +Dropbox,Dropbox +Dropbox Access Allowed,Dropbox de acces permise +Dropbox Access Key,Dropbox Access Key +Dropbox Access Secret,Dropbox Access Secret +Due Date,Datorită Data +Due Date cannot be after {0},Datorită Data nu poate fi după {0} +Due Date cannot be before Posting Date,Datorită Data nu poate fi înainte de a posta Data +Duplicate Entry. Please check Authorization Rule {0},Duplicat de intrare. Vă rugăm să verificați de autorizare Regula {0} +Duplicate Serial No entered for Item {0},Duplicat de ordine introduse pentru postul {0} +Duplicate entry,Duplicat de intrare +Duplicate row {0} with same {1},Duplicate rând {0} cu aceeași {1} +Duties and Taxes,Impozite și taxe +ERPNext Setup,ERPNext Setup +Earliest,Mai devreme +Earnest Money,Bani Earnest +Earning,Câștigul salarial +Earning & Deduction,Câștigul salarial & Deducerea +Earning Type,Câștigul salarial Tip +Earning1,Earning1 +Edit,Editare +Education,Educație +Educational Qualification,Calificare de învățământ +Educational Qualification Details,De învățământ de calificare Detalii +Eg. smsgateway.com/api/send_sms.cgi,De exemplu. smsgateway.com / API / send_sms.cgi +Either debit or credit amount is required for {0},"Este necesar, fie de debit sau de credit pentru suma de {0}" +Either target qty or target amount is mandatory,Fie cantitate țintă sau valoarea țintă este obligatorie +Either target qty or target amount is mandatory.,Fie cantitate țintă sau valoarea țintă este obligatorie. +Electrical,Din punct de vedere electric +Electricity Cost,Costul energiei electrice +Electricity cost per hour,Costul de energie electrică pe oră +Electronics,Electronică +Email,E-mail +Email Digest,Email Digest +Email Digest Settings,E-mail Settings Digest +Email Digest: , +Email Id,E-mail Id-ul +"Email Id where a job applicant will email e.g. ""jobs@example.com""","E-mail Id-ul în cazul în care un solicitant de loc de muncă va trimite un email de exemplu ""jobs@example.com""" +Email Notifications,Notificări e-mail +Email Sent?,E-mail trimis? +"Email id must be unique, already exists for {0}","E-mail id trebuie să fie unic, există deja pentru {0}" +Email ids separated by commas.,ID-uri de e-mail separate prin virgule. +"Email settings to extract Leads from sales email id e.g. ""sales@example.com""","Setările de e-mail pentru a extrage de afaceri din vânzările de e-mail id-ul de exemplu, ""sales@example.com""" +Emergency Contact,De urgență Contact +Emergency Contact Details,Detalii de contact de urgență +Emergency Phone,Telefon de urgență +Employee,Angajat +Employee Birthday,Angajat de naștere +Employee Details,Detalii angajaților +Employee Education,Angajat Educație +Employee External Work History,Angajat Istoricul lucrului extern +Employee Information,Informații angajat +Employee Internal Work History,Angajat Istoricul lucrului intern +Employee Internal Work Historys,Angajat intern de lucru Historys +Employee Leave Approver,Angajat concediu aprobator +Employee Leave Balance,Angajat concediu Balance +Employee Name,Nume angajat +Employee Number,Numar angajat +Employee Records to be created by,Angajaților Records a fi create prin +Employee Settings,Setări angajaților +Employee Type,Tipul angajatului +"Employee designation (e.g. CEO, Director etc.).","Desemnarea angajat (de exemplu, CEO, director, etc)." +Employee master.,Maestru angajat. +Employee record is created using selected field. , +Employee records.,Înregistrările angajaților. +Employee relieved on {0} must be set as 'Left',"Angajat eliberat pe {0} trebuie să fie setat ca ""stânga""" +Employee {0} has already applied for {1} between {2} and {3},Angajat {0} a aplicat deja pentru {1} între {2} și {3} +Employee {0} is not active or does not exist,Angajat {0} nu este activ sau nu există +Employee {0} was on leave on {1}. Cannot mark attendance.,Angajat {0} a fost în concediu pe {1}. Nu se poate marca prezență. +Employees Email Id,Angajați mail Id-ul +Employment Details,Detalii ocuparea forței de muncă +Employment Type,Tipul de angajare +Enable / disable currencies.,Activarea / dezactivarea valute. +Enabled,Activat +Encashment Date,Data încasare +End Date,Data de încheiere +End Date can not be less than Start Date,Data de încheiere nu poate fi mai mic de Data de începere +End date of current invoice's period,Data de încheiere a perioadei facturii curente +End of Life,End of Life +Energy,Energie. +Engineer,Proiectarea +Enter Verification Code,Introduceti codul de verificare +Enter campaign name if the source of lead is campaign.,Introduceți numele campaniei în cazul în care sursa de plumb este de campanie. +Enter department to which this Contact belongs,Introduceti departamentul din care face parte acest contact +Enter designation of this Contact,Introduceți desemnarea acestui Contact +"Enter email id separated by commas, invoice will be mailed automatically on particular date","Introduceți ID-ul de e-mail separate prin virgule, factura va fi trimis prin poștă în mod automat la anumită dată" +Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,Introduce elemente și cantitate planificată pentru care doriți să ridice comenzi de producție sau descărcare materii prime pentru analiză. +Enter name of campaign if source of enquiry is campaign,"Introduceți numele de campanie, dacă sursa de anchetă este de campanie" +"Enter static url parameters here (Eg. sender=ERPNext, username=ERPNext, password=1234 etc.)","Introduceți parametrii url statice aici (de exemplu, expeditor = ERPNext, numele de utilizator = ERPNext, parola = 1,234, etc)" +Enter the company name under which Account Head will be created for this Supplier,Introduceți numele companiei sub care Account Director va fi creat pentru această Furnizor +Enter url parameter for message,Introduceți parametru url pentru mesaj +Enter url parameter for receiver nos,Introduceți parametru url pentru receptor nos +Entertainment & Leisure,Entertainment & Leisure +Entertainment Expenses,Cheltuieli de divertisment +Entries,Intrări +Entries against,Intrări împotriva +Entries are not allowed against this Fiscal Year if the year is closed.,"Lucrările nu sunt permise în acest an fiscal, dacă anul este închis." +Entries before {0} are frozen,Intrări înainte de {0} sunt înghețate +Equity,Echitate +Error: {0} > {1},Eroare: {0}> {1} +Estimated Material Cost,Costul estimat Material +Everyone can read,Oricine poate citi +"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.","Exemplu:. ABCD # # # # # \ nDacă serie este setat și nu de serie nu este menționat în tranzacții, atunci numărul de automate de serie va fi creat pe baza acestei serii. Dacă vrei mereu să menționeze în mod explicit de serie nr pentru acest articol. părăsi acest gol." +Exchange Rate,Rata de schimb +Excise Page Number,Numărul de accize Page +Excise Voucher,Accize Voucher +Execution,Detalii de fabricaţie +Executive Search,Executive Search +Exemption Limit,Limita de scutire +Exhibition,Expoziție +Existing Customer,Client existent +Exit,Ieșire +Exit Interview Details,Detalii ieșire Interviu +Expected,Preconizează +Expected Completion Date can not be less than Project Start Date,Așteptat Finalizarea Data nu poate fi mai mică de proiect Data de începere +Expected Date cannot be before Material Request Date,Data așteptat nu poate fi înainte Material Cerere Data +Expected Delivery Date,Așteptat Data de livrare +Expected Delivery Date cannot be before Purchase Order Date,Așteptat Data de livrare nu poate fi înainte de Comandă Data +Expected Delivery Date cannot be before Sales Order Date,Așteptat Data de livrare nu poate fi înainte de comandă de vânzări Data +Expected End Date,Așteptat Data de încheiere +Expected Start Date,Data de începere așteptată +Expense,cheltuială +Expense Account,Decont +Expense Account is mandatory,Contul de cheltuieli este obligatorie +Expense Claim,Cheltuieli de revendicare +Expense Claim Approved,Cheltuieli de revendicare Aprobat +Expense Claim Approved Message,Mesajul Expense Cerere aprobată +Expense Claim Detail,Cheltuieli de revendicare Detaliu +Expense Claim Details,Detalii cheltuială revendicare +Expense Claim Rejected,Cheltuieli de revendicare Respins +Expense Claim Rejected Message,Mesajul Expense Cerere Respins +Expense Claim Type,Cheltuieli de revendicare Tip +Expense Claim has been approved.,Cheltuieli de revendicare a fost aprobat. +Expense Claim has been rejected.,Cheltuieli de revendicare a fost respinsă. +Expense Claim is pending approval. Only the Expense Approver can update status.,Cheltuieli de revendicare este în curs de aprobare. Doar aprobator cheltuieli pot actualiza status. +Expense Date,Cheltuială Data +Expense Details,Detalii de cheltuieli +Expense Head,Cheltuială cap +Expense account is mandatory for item {0},Cont de cheltuieli este obligatorie pentru element {0} +Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,"Cheltuială sau Diferența cont este obligatorie pentru postul {0}, deoarece impactul valoare totală de stoc" +Expenses,Cheltuieli +Expenses Booked,Cheltuieli rezervare +Expenses Included In Valuation,Cheltuieli incluse în evaluare +Expenses booked for the digest period,Cheltuieli rezervat pentru perioada Digest +Expiry Date,Data expirării +Exports,Exporturile +External,Extern +Extract Emails,Extrage poștă electronică +FCFS Rate,FCFS Rate +Failed: , +Family Background,Context familie +Fax,Fax +Features Setup,Caracteristici de configurare +Feed,Hrănirea / Încărcarea / Alimentarea / Aprovizionarea / Furnizarea +Feed Type,Tip de alimentare +Feedback,Feedback +Female,Feminin +Fetch exploded BOM (including sub-assemblies),Fetch BOM a explodat (inclusiv subansamble) +"Field available in Delivery Note, Quotation, Sales Invoice, Sales Order","Câmp disponibil în nota de livrare, cotatie, Factura Vanzare, comandă de vânzări" +Files Folder ID,Files Folder ID +Fill the form and save it,Completați formularul și să-l salvați +Filter based on customer,Filtru bazat pe client +Filter based on item,Filtru conform punctului +Financial / accounting year.,An financiar / contabil. +Financial Analytics,Analytics financiare +Financial Services,Servicii Financiare +Financial Year End Date,Anul financiar Data de încheiere +Financial Year Start Date,Anul financiar Data începerii +Finished Goods,Produse finite +First Name,Prenume +First Responded On,Primul răspuns la +Fiscal Year,Exercițiu financiar +Fixed Asset,Activelor fixe +Fixed Assets,Mijloace Fixe +Follow via Email,Urmați prin e-mail +"Following table will show values if items are sub - contracted. These values will be fetched from the master of ""Bill of Materials"" of sub - contracted items.","Tabelul de mai jos va arata valori în cazul în care elementele sunt sub - contractate. Aceste valori vor fi preluat de la maestru de ""Bill of Materials"" de sub - contractate elemente." +Food,Alimente +"Food, Beverage & Tobacco","Produse alimentare, bauturi si tutun" +For Company,Pentru companie +For Employee,Pentru Angajat +For Employee Name,Pentru numele angajatului +For Price List,Pentru lista de preturi +For Production,Pentru producție +For Reference Only.,Numai pentru referință. +For Sales Invoice,Pentru Factura Vanzare +For Server Side Print Formats,Pentru formatele Print Server Side +For Supplier,De Furnizor +For Warehouse,Pentru Warehouse +For Warehouse is required before Submit,Pentru este necesară Warehouse înainte Trimite +"For e.g. 2012, 2012-13","De exemplu, 2012, 2012-13" +For reference,De referință +For reference only.,Pentru numai referință. +"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" +Fraction,Fracțiune +Fraction Units,Unități Fraction +Freeze Stock Entries,Freeze stoc Entries +Freeze Stocks Older Than [Days],Congelatoare Stocurile mai vechi de [zile] +Freight and Forwarding Charges,Marfă și de expediere Taxe +Friday,Vineri +From,Din data +From Bill of Materials,De la Bill de materiale +From Company,De la firma +From Currency,Din valutar +From Currency and To Currency cannot be same,Din valutar și a valutar nu poate fi același +From Customer,De la client +From Customer Issue,De la client Issue +From Date,De la data +From Date must be before To Date,De la data trebuie să fie înainte de a Dată +From Delivery Note,De la livrare Nota +From Employee,Din Angajat +From Lead,Din plumb +From Maintenance Schedule,Din Program de întreținere +From Material Request,Din Material Cerere +From Opportunity,De oportunitate +From Package No.,Din Pachetul Nu +From Purchase Order,De Comandă +From Purchase Receipt,Primirea de cumparare +From Quotation,Din ofertă +From Sales Order,De comandă de vânzări +From Supplier Quotation,Furnizor de ofertă +From Time,From Time +From Value,Din valoare +From and To dates required,De la și la termenul dorit +From value must be less than to value in row {0},De valoare trebuie să fie mai mică de valoare în rândul {0} +Frozen,Înghețat +Frozen Accounts Modifier,Congelate Conturi modificator +Fulfilled,Îndeplinite +Full Name,Numele complet +Full-time,Full-time +Fully Completed,Completata +Furniture and Fixture,Și mobilier +Further accounts can be made under Groups but entries can be made against Ledger,Conturile suplimentare pot fi făcute sub Grupa dar intrări pot fi făcute împotriva Ledger +"Further accounts can be made under Groups, but entries can be made against Ledger","Conturile suplimentare pot fi făcute în grupurile, dar înregistrări pot fi făcute împotriva Ledger" +Further nodes can be only created under 'Group' type nodes,"Noduri suplimentare pot fi create numai în noduri de tip ""grup""" +GL Entry,GL de intrare +Gantt Chart,Gantt Chart +Gantt chart of all tasks.,Diagrama Gantt a tuturor sarcinilor. +Gender,Sex +General,Generală +General Ledger,General Ledger +Generate Description HTML,Genera Descriere HTML +Generate Material Requests (MRP) and Production Orders.,Genera Cererile de materiale (MRP) și comenzi de producție. +Generate Salary Slips,Genera salariale Alunecările +Generate Schedule,Genera Program +Generates HTML to include selected image in the description,Genereaza HTML pentru a include imagini selectate în descrierea +Get Advances Paid,Ia avansurile plătite +Get Advances Received,Ia Avansuri primite +Get Against Entries,Ia împotriva Entries +Get Current Stock,Get Current Stock +Get Items,Ia Articole +Get Items From Sales Orders,Obține elemente din comenzi de vânzări +Get Items from BOM,Obține elemente din BOM +Get Last Purchase Rate,Ia Ultima Rate de cumparare +Get Outstanding Invoices,Ia restante Facturi +Get Relevant Entries,Ia intrările relevante +Get Sales Orders,Ia comenzi de vânzări +Get Specification Details,Ia Specificatii Detalii +Get Stock and Rate,Ia Stock și Rate +Get Template,Ia Format +Get Terms and Conditions,Ia Termeni și condiții +Get Weekly Off Dates,Ia săptămânal Off Perioada +"Get valuation rate and available stock at source/target warehouse on mentioned posting date-time. If serialized item, please press this button after entering serial nos.","Ia rata de evaluare și stocul disponibil la sursă / depozit țintă pe menționat detașarea data-timp. Dacă serializat element, vă rugăm să apăsați acest buton după ce a intrat nr de serie." +Global Defaults,Prestabilite la nivel mondial +Global POS Setting {0} already created for company {1},Setarea POS Global {0} deja creat pentru companie {1} +Global Settings,Setari Glob +"Go to the appropriate group (usually Application of Funds > Current Assets > Bank Accounts and create a new Account Ledger (by clicking on Add Child) of type ""Bank""","Du-te la grupul corespunzător (de obicei, de aplicare a fondurilor> activele circulante> conturi bancare și de a crea un nou cont Ledger (făcând clic pe Adăugați pentru copii) de tip ""Banca""" +"Go to the appropriate group (usually Source of Funds > Current Liabilities > Taxes and Duties and create a new Account Ledger (by clicking on Add Child) of type ""Tax"" and do mention the Tax rate.","Du-te la grupul corespunzător (de obicei, sursa de fonduri> pasivele curente> taxelor și impozitelor și a crea un nou cont Ledger (făcând clic pe Adăugați pentru copii) de tip ""fiscal"", și menționează rata de impozitare." +Goal,Scop +Goals,Obiectivele +Goods received from Suppliers.,Bunurile primite de la furnizori. +Google Drive,Google Drive +Google Drive Access Allowed,Google unitate de acces permise +Government,Guvern +Graduate,Absolvent +Grand Total,Total general +Grand Total (Company Currency),Total general (Compania de valuta) +"Grid ""","Grid """ +Grocery,Băcănie +Gross Margin %,Marja bruta% +Gross Margin Value,Valoarea brută Marja de +Gross Pay,Pay brut +Gross Pay + Arrear Amount +Encashment Amount - Total Deduction,Brut Suma de plată + restante Suma + încasări - Total Deducerea +Gross Profit,Profitul brut +Gross Profit (%),Profit brut (%) +Gross Weight,Greutate brut +Gross Weight UOM,Greutate brută UOM +Group,Grup +Group by Account,Grup de Cont +Group by Voucher,Grup de Voucher +Group or Ledger,Grup sau Ledger +Groups,Grupuri +HR Manager,Manager Resurse Umane +HR Settings,Setări HR +HTML / Banner that will show on the top of product list.,"HTML / Banner, care va arăta pe partea de sus a listei de produse." +Half Day,Jumătate de zi +Half Yearly,Semestrial +Half-yearly,Semestrial +Happy Birthday!,La multi ani! +Hardware,Hardware +Has Batch No,Are lot Nu +Has Child Node,Are Nod copii +Has Serial No,Are de ordine +Head of Marketing and Sales,Director de Marketing și Vânzări +Header,Antet +Health Care,Health +Health Concerns,Probleme de sanatate +Health Details,Sănătate Detalii +Held On,A avut loc pe +Help HTML,Ajutor HTML +"Help: To link to another record in the system, use ""#Form/Note/[Note Name]"" as the Link URL. (don't use ""http://"")","Ajutor: Pentru a lega la altă înregistrare în sistem, utilizați ""# Form / Note / [Nota Name]"" ca URL Link. (Nu folositi ""http://"")" +"Here you can maintain family details like name and occupation of parent, spouse and children","Aici vă puteți menține detalii de familie, cum ar fi numele și ocupația de mamă, soțul și copiii" +"Here you can maintain height, weight, allergies, medical concerns etc","Aici vă puteți menține inaltime, greutate, alergii, probleme medicale etc" +Hide Currency Symbol,Ascunde Valuta Simbol +High,Ridicată +History In Company,Istoric In companiei +Hold,Păstrarea / Ţinerea / Deţinerea +Holiday,Vacanță +Holiday List,Lista de vacanță +Holiday List Name,Denumire Lista de vacanță +Holiday master.,Maestru de vacanta. +Holidays,Concediu +Home,Acasă +Host,Găzduirea +"Host, Email and Password required if emails are to be pulled","Gazdă, e-mail și parola necesare în cazul în care e-mailuri să fie tras" +Hour,Oră +Hour Rate,Rate oră +Hour Rate Labour,Ora Rate de muncă +Hours,Ore +How frequently?,Cât de des? +"How should this currency be formatted? If not set, will use system defaults","Cum ar trebui să fie formatat aceasta moneda? Dacă nu setați, va folosi valorile implicite de sistem" +Human Resources,Managementul resurselor umane +Identification of the package for the delivery (for print),Identificarea pachetului de livrare (pentru imprimare) +If Income or Expense,În cazul în care venituri sau cheltuieli +If Monthly Budget Exceeded,Dacă bugetul lunar depășită +"If Sale BOM is defined, the actual BOM of the Pack is displayed as table. Available in Delivery Note and Sales Order","Dacă Vanzare BOM este definit, BOM efectivă a Pack este afișat ca masă. Disponibil în nota de livrare și comenzilor de vânzări" +"If Supplier Part Number exists for given Item, it gets stored here","În cazul în care există Number Furnizor parte pentru postul dat, ea este stocat aici" +If Yearly Budget Exceeded,Dacă bugetul anual depășită +"If checked, BOM for sub-assembly items will be considered for getting raw materials. Otherwise, all sub-assembly items will be treated as a raw material.","Dacă este bifată, BOM pentru un produs sub-asamblare vor fi luate în considerare pentru a obține materii prime. În caz contrar, toate elementele de sub-asamblare va fi tratată ca o materie primă." +"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Dacă este bifată, nu total. de zile de lucru va include concediu, iar acest lucru va reduce valoarea Salariul pe zi" +"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount","Dacă este bifată, suma taxei va fi considerată ca fiind deja incluse în Print Tarif / Print Suma" +If different than customer address,Dacă este diferită de adresa clientului +"If disable, 'Rounded Total' field will not be visible in any transaction","Dacă dezactivați, câmpul ""rotunjit Total"" nu vor fi vizibile in orice tranzacție" +"If enabled, the system will post accounting entries for inventory automatically.","Dacă este activat, sistemul va posta automat înregistrări contabile pentru inventar." +If more than one package of the same type (for print),În cazul în care mai mult de un pachet de același tip (de imprimare) +"If no change in either Quantity or Valuation Rate, leave the cell blank.","În cazul în care nici o schimbare în nici Cantitate sau Evaluează evaluare, lăsați necompletată celula." +If not applicable please enter: NA,"Dacă nu este cazul, vă rugăm să introduceți: NA" +"If not checked, the list will have to be added to each Department where it has to be applied.","Dacă nu verificat, lista trebuie să fie adăugate la fiecare Departament unde trebuie aplicată." +"If specified, send the newsletter using this email address","Daca este specificat, trimite newsletter-ul care utilizează această adresă e-mail" +"If the account is frozen, entries are allowed to restricted users.","În cazul în care contul este blocat, intrările li se permite utilizatorilor restricționate." +"If this Account represents a Customer, Supplier or Employee, set it here.","În cazul în care acest cont reprezintă un client, furnizor sau angajat, a stabilit aici." +If you follow Quality Inspection. Enables Item QA Required and QA No in Purchase Receipt,Dacă urmați Inspecție de calitate. Permite Articol QA obligatorii și de asigurare a calității nu în Primirea cumparare +If you have Sales Team and Sale Partners (Channel Partners) they can be tagged and maintain their contribution in the sales activity,"Dacă aveți echipa de vanzari si vandute Partners (parteneri), ele pot fi etichetate și menține contribuția lor la activitatea de vânzări" +"If you have created a standard template in Purchase Taxes and Charges Master, select one and click on the button below.","Dacă ați creat un model standard la taxele de cumpărare și de masterat taxe, selectați una și faceți clic pe butonul de mai jos." +"If you have created a standard template in Sales Taxes and Charges Master, select one and click on the button below.","Dacă ați creat un model standard la taxele de vânzare și de masterat taxe, selectați una și faceți clic pe butonul de mai jos." +"If you have long print formats, this feature can be used to split the page to be printed on multiple pages with all headers and footers on each page","Dacă aveți formate de imprimare lungi, această caracteristică poate fi folosit pentru a împărți pagina pentru a fi imprimate pe mai multe pagini, cu toate anteturile și subsolurile de pe fiecare pagină" +If you involve in manufacturing activity. Enables Item 'Is Manufactured',"Dacă vă implica în activitatea de producție. Permite Articol ""este fabricat""" +Ignore,Ignora +Ignored: , +Image,Imagine +Image View,Imagine Vizualizare +Implementation Partner,Partener de punere în aplicare +Import Attendance,Import Spectatori +Import Failed!,Import a eșuat! +Import Log,Import Conectare +Import Successful!,Importa cu succes! +Imports,Importurile +In Hours,În ore +In Process,În procesul de +In Qty,În Cantitate +In Value,În valoare +In Words,În cuvinte +In Words (Company Currency),În cuvinte (Compania valutar) +In Words (Export) will be visible once you save the Delivery Note.,În cuvinte (de export) va fi vizibil după ce a salva de livrare Nota. +In Words will be visible once you save the Delivery Note.,În cuvinte va fi vizibil după ce a salva de livrare Nota. +In Words will be visible once you save the Purchase Invoice.,În cuvinte va fi vizibil după ce salvați factura de cumpărare. +In Words will be visible once you save the Purchase Order.,În cuvinte va fi vizibil după ce a salva Ordinul de cumparare. +In Words will be visible once you save the Purchase Receipt.,În cuvinte va fi vizibil după ce a salva chitanța. +In Words will be visible once you save the Quotation.,În cuvinte va fi vizibil după ce salvați citat. +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ă. +In Words will be visible once you save the Sales Order.,În cuvinte va fi vizibil după ce a salva comanda de vânzări. +Incentives,Stimulente +Include Reconciled Entries,Includ intrările împăcat +Include holidays in Total no. of Working Days,Includ vacanțe în total nr. de zile lucrătoare +Income,Venit +Income / Expense,Venituri / cheltuieli +Income Account,Contul de venit +Income Booked,Venituri rezervat +Income Tax,Impozit pe venit +Income Year to Date,Venituri Anul curent +Income booked for the digest period,Venituri rezervat pentru perioada Digest +Incoming,Primite +Incoming Rate,Rate de intrare +Incoming quality inspection.,Control de calitate de intrare. +Incorrect or Inactive BOM {0} for Item {1} at row {2},Incorectă sau inactivă BOM {0} pentru postul {1} ​​la rând {2} +Indicates that the package is a part of this delivery,Indică faptul că pachetul este o parte din această livrare +Indirect Expenses,Cheltuieli indirecte +Indirect Income,Venituri indirecte +Individual,Individual +Industry,Industrie +Industry Type,Industrie Tip +Inspected By,Inspectat de +Inspection Criteria,Criteriile de inspecție +Inspection Required,Inspecție obligatorii +Inspection Type,Inspecție Tip +Installation Date,Data de instalare +Installation Note,Instalare Notă +Installation Note Item,Instalare Notă Postul +Installation Note {0} has already been submitted,Instalarea Nota {0} a fost deja prezentat +Installation Status,Starea de instalare +Installation Time,Timp de instalare +Installation date cannot be before delivery date for Item {0},Data de instalare nu poate fi înainte de data de livrare pentru postul {0} +Installation record for a Serial No.,Înregistrare de instalare pentru un nr de serie +Installed Qty,Instalat Cantitate +Instructions,Instrucţiuni +Integrate incoming support emails to Support Ticket,Integra e-mailuri de sprijin primite de suport de vânzare bilete +Interested,Interesat +Intern,Interna +Internal,Intern +Internet Publishing,Editura Internet +Introduction,Introducere +Invalid Barcode or Serial No,De coduri de bare de invalid sau de ordine +Invalid Mail Server. Please rectify and try again.,Server de mail invalid. Vă rugăm să rectifice și să încercați din nou. +Invalid Master Name,Maestru valabil Numele +Invalid User Name or Support Password. Please rectify and try again.,Nume utilizator invalid sau suport Parola. Vă rugăm să rectifice și să încercați din nou. +Invalid quantity specified for item {0}. Quantity should be greater than 0.,Cantitate nevalidă specificată pentru element {0}. Cantitatea ar trebui să fie mai mare decât 0. +Inventory,Inventarierea +Inventory & Support,Inventarul & Suport +Investment Banking,Investment Banking +Investments,Investiții +Invoice Date,Data facturii +Invoice Details,Factură Detalii +Invoice No,Factura Nu +Invoice Period From Date,Perioada factura la data +Invoice Period From and Invoice Period To dates mandatory for recurring invoice,Perioada factura la și facturilor perioadă la date obligatorii pentru facturi recurente +Invoice Period To Date,Perioada factură Pentru a Data +Invoiced Amount (Exculsive Tax),Facturate Suma (Exculsive Tax) +Is Active,Este activ +Is Advance,Este Advance +Is Cancelled,Este anulat +Is Carry Forward,Este Carry Forward +Is Default,Este Implicit +Is Encash,Este încasa +Is Fixed Asset Item,Este fixă ​​Asset Postul +Is LWP,Este LWP +Is Opening,Se deschide +Is Opening Entry,Deschiderea este de intrare +Is POS,Este POS +Is Primary Contact,Este primar Contact +Is Purchase Item,Este de cumparare Articol +Is Sales Item,Este produs de vânzări +Is Service Item,Este Serviciul Articol +Is Stock Item,Este Stock Articol +Is Sub Contracted Item,Este subcontractate Postul +Is Subcontracted,Este subcontractată +Is this Tax included in Basic Rate?,Este acest fiscală inclusă în rata de bază? +Issue,Problem +Issue Date,Data emiterii +Issue Details,Detalii emisiune +Issued Items Against Production Order,Emise Articole împotriva producției Ordine +It can also be used to create opening stock entries and to fix stock value.,Acesta poate fi de asemenea utilizat pentru a crea intrări de stocuri de deschidere și de a stabili o valoare de stoc. +Item,Obiect +Item Advanced,Articol avansate +Item Barcode,Element de coduri de bare +Item Batch Nos,Lot nr element +Item Code,Cod articol +Item Code and Warehouse should already exist.,Articol Cod și Warehouse trebuie să existe deja. +Item Code cannot be changed for Serial No.,Cod articol nu pot fi schimbate pentru Serial No. +Item Code is mandatory because Item is not automatically numbered,"Cod articol este obligatorie, deoarece postul nu este numerotat automat" +Item Code required at Row No {0},Cod element necesar la Row Nu {0} +Item Customer Detail,Articol client Detaliu +Item Description,Element Descriere +Item Desription,Element Descrierea hotelelor +Item Details,Detalii despre articol +Item Group,Grupa de articole +Item Group Name,Nume Grupa de articole +Item Group Tree,Grupa de articole copac +Item Groups in Details,Articol Grupuri în Detalii +Item Image (if not slideshow),Element de imagine (dacă nu slideshow) +Item Name,Denumire +Item Naming By,Element de denumire prin +Item Price,Preț de vanzare +Item Prices,Postul Preturi +Item Quality Inspection Parameter,Articol Inspecție de calitate Parametru +Item Reorder,Element Reordonare +Item Serial No,Element de ordine +Item Serial Nos,Element de serie nr +Item Shortage Report,Element Lipsa Raport +Item Supplier,Element Furnizor +Item Supplier Details,Detalii articol Furnizor +Item Tax,Postul fiscal +Item Tax Amount,Postul fiscal Suma +Item Tax Rate,Articol Rata de impozitare +Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Postul fiscal Row {0} trebuie sa aiba cont de tip fiscal sau de venituri sau cheltuieli sau taxabile +Item Tax1,Element Tax1 +Item To Manufacture,Element pentru fabricarea +Item UOM,Element UOM +Item Website Specification,Articol Site Specificații +Item Website Specifications,Articol Site Specificații +Item Wise Tax Detail,Articol înțelept fiscală Detaliu +Item Wise Tax Detail , +Item is required,Este necesară Articol +Item is updated,Element este actualizat +Item master.,Maestru element. +"Item must be a purchase item, as it is present in one or many Active BOMs","Element trebuie să fie un element de cumpărare, așa cum este prezent în unul sau mai multe extraselor active" +Item or Warehouse for row {0} does not match Material Request,Element sau Depozit de rând {0} nu se potrivește Material Cerere +Item table can not be blank,Masă element nu poate fi gol +Item to be manufactured or repacked,Element care urmează să fie fabricate sau reambalate +Item valuation updated,Evaluare element actualizat +Item will be saved by this name in the data base.,Articol vor fi salvate de acest nume în baza de date. +Item {0} appears multiple times in Price List {1},Element {0} apare de mai multe ori în lista de prețuri {1} +Item {0} does not exist,Element {0} nu există +Item {0} does not exist in the system or has expired,Element {0} nu există în sistemul sau a expirat +Item {0} does not exist in {1} {2},Element {0} nu există în {1} {2} +Item {0} has already been returned,Element {0} a fost deja returnate +Item {0} has been entered multiple times against same operation,Element {0} a fost introdus de mai multe ori față de aceeași operație +Item {0} has been entered multiple times with same description or date,Postul {0} a fost introdus de mai multe ori cu aceeași descriere sau data +Item {0} has been entered multiple times with same description or date or warehouse,Element {0} a fost introdus de mai multe ori cu aceeași descriere sau data sau antrepozit +Item {0} has been entered twice,Element {0} a fost introdusă de două ori +Item {0} has reached its end of life on {1},Element {0} a ajuns la sfârșitul său de viață pe {1} +Item {0} ignored since it is not a stock item,"Element {0} ignorat, deoarece nu este un element de stoc" +Item {0} is cancelled,Element {0} este anulat +Item {0} is not Purchase Item,Element {0} nu este cumparare articol +Item {0} is not a serialized Item,Element {0} nu este un element serializate +Item {0} is not a stock Item,Element {0} nu este un element de stoc +Item {0} is not active or end of life has been reached,Element {0} nu este activă sau la sfârșitul vieții a fost atins +Item {0} is not setup for Serial Nos. Check Item master,Element {0} nu este de configurare pentru maestru nr Serial de selectare a elementului +Item {0} is not setup for Serial Nos. Column must be blank,Element {0} nu este de configurare pentru Serial Nr Coloana trebuie să fie gol +Item {0} must be Sales Item,Element {0} trebuie să fie produs de vânzări +Item {0} must be Sales or Service Item in {1},Element {0} trebuie să fie vânzări sau de service Articol din {1} +Item {0} must be Service Item,Element {0} trebuie să fie de service Articol +Item {0} must be a Purchase Item,Postul {0} trebuie sa fie un element de cumparare +Item {0} must be a Sales Item,Element {0} trebuie sa fie un element de vânzări +Item {0} must be a Service Item.,Element {0} trebuie sa fie un element de service. +Item {0} must be a Sub-contracted Item,Element {0} trebuie sa fie un element sub-contractat +Item {0} must be a stock Item,Element {0} trebuie sa fie un element de stoc +Item {0} must be manufactured or sub-contracted,Element {0} trebuie să fie fabricate sau sub-contractat +Item {0} not found,Element {0} nu a fost găsit +Item {0} with Serial No {1} is already installed,Element {0} cu ordine {1} este deja instalat +Item {0} with same description entered twice,Element {0} cu aceeași descriere a intrat de două ori +"Item, Warranty, AMC (Annual Maintenance Contract) details will be automatically fetched when Serial Number is selected.","Element, Garantie, AMC (de întreținere anuale contractului) detalii vor fi preluate în mod automat atunci când este selectat numărul de serie." +Item-wise Price List Rate,-Element înțelept Pret Rate +Item-wise Purchase History,-Element înțelept Istoricul achizițiilor +Item-wise Purchase Register,-Element înțelept cumparare Inregistrare +Item-wise Sales History,-Element înțelept Sales Istorie +Item-wise Sales Register,-Element înțelept vânzări Înregistrare +"Item: {0} managed batch-wise, can not be reconciled using \ + Stock Reconciliation, instead use Stock Entry","Postul: {0}-lot înțelept a reușit, nu pot fi reconciliate folosind \ \ n Bursa de reconciliere, folosiți în schimb Bursa de intrare" +Item: {0} not found in the system,Postul: {0} nu a fost găsit în sistemul +Items,Obiecte +Items To Be Requested,Elemente care vor fi solicitate +Items required,Elementele necesare +"Items to be requested which are ""Out of Stock"" considering all warehouses based on projected qty and minimum order qty","Elementele care urmează să fie solicitate care sunt ""in stoc"", luând în considerare toate depozitele bazate pe cantitate proiectat și comanda minima Cantitate" +Items which do not exist in Item master can also be entered on customer's request,"Elemente care nu există în maestru articol poate fi, de asemenea, introduse la cererea clientului" +Itemwise Discount,Itemwise Reducere +Itemwise Recommended Reorder Level,Itemwise Recomandat Reordonare nivel +Job Applicant,Solicitantul de locuri de muncă +Job Opening,Deschiderea de locuri de muncă +Job Profile,De locuri de muncă Profilul +Job Title,Denumirea postului +"Job profile, qualifications required etc.","Profil de locuri de muncă, calificările necesare, etc" +Jobs Email Settings,Setări de locuri de muncă de e-mail +Journal Entries,Intrari in jurnal +Journal Entry,Jurnal de intrare +Journal Voucher,Jurnalul Voucher +Journal Voucher Detail,Jurnalul Voucher Detaliu +Journal Voucher Detail No,Jurnalul Voucher Detaliu Nu +Journal Voucher {0} does not have account {1} or already matched,Jurnalul Voucher {0} nu are cont {1} sau deja potrivire +Journal Vouchers {0} are un-linked,Jurnalul Tichete {0} sunt ne-legate de +Keep a track of communication related to this enquiry which will help for future reference.,"Păstra o pistă de comunicare legate de această anchetă, care va ajuta de referință pentru viitor." +Keep it web friendly 900px (w) by 100px (h),Păstrați-l web 900px prietenos (w) de 100px (h) +Key Performance Area,Domeniul Major de performanță +Key Responsibility Area,Domeniul Major de Responsabilitate +Kg,Kg +LR Date,LR Data +LR No,LR Nu +Label,Etichetarea +Landed Cost Item,Aterizat Cost Articol +Landed Cost Items,Aterizat cost Articole +Landed Cost Purchase Receipt,Aterizat costul de achiziție de primire +Landed Cost Purchase Receipts,Aterizat Încasări costul de achiziție +Landed Cost Wizard,Wizard Cost aterizat +Landed Cost updated successfully,Costul aterizat actualizat cu succes +Language,Limbă +Last Name,Nume +Last Purchase Rate,Ultima Rate de cumparare +Latest,Ultimele +Lead,Șef +Lead Details,Plumb Detalii +Lead Id,Plumb Id +Lead Name,Numele plumb +Lead Owner,Plumb Proprietar +Lead Source,Sursa de plumb +Lead Status,Starea de plumb +Lead Time Date,Data de livrare +Lead Time Days,De livrare Zile +Lead Time days is number of days by which this item is expected in your warehouse. This days is fetched in Material Request when you select this item.,Plumb de zile de timp este numărul de zile cu care acest element este de așteptat în depozit. Această zi este descărcat în Material Cerere atunci când selectați acest element. +Lead Type,Tip Plumb +Lead must be set if Opportunity is made from Lead,Plumb trebuie să fie setat dacă Oportunitatea este facut din plumb +Leave Allocation,Lasă Alocarea +Leave Allocation Tool,Lasă Alocarea Tool +Leave Application,Lasă Application +Leave Approver,Lasă aprobator +Leave Approvers,Lasă Aprobatori +Leave Balance Before Application,Lasă Balanța înainte de aplicare +Leave Block List,Lasă Lista Block +Leave Block List Allow,Lasă Block List Permite +Leave Block List Allowed,Lasă Block List permise +Leave Block List Date,Lasă Block List Data +Leave Block List Dates,Lasă Block Lista de Date +Leave Block List Name,Lasă Name Block List +Leave Blocked,Lasă Blocat +Leave Control Panel,Pleca Control Panel +Leave Encashed?,Lasă încasate? +Leave Encashment Amount,Lasă încasări Suma +Leave Type,Lasă Tip +Leave Type Name,Lasă Tip Nume +Leave Without Pay,Concediu fără plată +Leave application has been approved.,Cerere de concediu a fost aprobat. +Leave application has been rejected.,Cerere de concediu a fost respinsă. +Leave approver must be one of {0},Lasă aprobator trebuie să fie una din {0} +Leave blank if considered for all branches,Lăsați necompletat dacă se consideră că pentru toate ramurile +Leave blank if considered for all departments,Lăsați necompletat dacă se consideră că pentru toate departamentele +Leave blank if considered for all designations,Lăsați necompletat dacă se consideră că pentru toate denumirile +Leave blank if considered for all employee types,Lăsați necompletat dacă se consideră că pentru toate tipurile de angajați +"Leave can be approved by users with Role, ""Leave Approver""","Lasă pot fi aprobate de către utilizatorii cu rol, ""Lasă-aprobator""" +Leave of type {0} cannot be longer than {1},Concediu de tip {0} nu poate fi mai mare de {1} +Leaves Allocated Successfully for {0},Frunze alocat cu succes pentru {0} +Leaves for type {0} already allocated for Employee {1} for Fiscal Year {0},Frunze de tip {0} deja alocate pentru Angajat {1} pentru anul fiscal {0} +Leaves must be allocated in multiples of 0.5,"Frunzele trebuie să fie alocate în multipli de 0,5" +Ledger,Carte mare +Ledgers,Registre +Left,Stânga +Legal,Legal +Legal Expenses,Cheltuieli juridice +Letter Head,Scrisoare cap +Letter Heads for print templates.,Capete de scrisoare de șabloane de imprimare. +Level,Nivel +Lft,LFT +Liability,Răspundere +List a few of your customers. They could be organizations or individuals.,Lista câteva dintre clienții dumneavoastră. Ele ar putea fi organizații sau persoane fizice. +List a few of your suppliers. They could be organizations or individuals.,Lista câteva dintre furnizorii dumneavoastră. Ele ar putea fi organizații sau persoane fizice. +List items that form the package.,Lista de elemente care formează pachetul. +List this Item in multiple groups on the website.,Lista acest articol în mai multe grupuri de pe site-ul. +"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 le cumpara sau vinde tale. Asigurați-vă că pentru a verifica Grupului articol, unitatea de măsură și alte proprietăți atunci când începe." +"List your tax heads (e.g. VAT, Excise; 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, accize, acestea 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." +Loading...,Încărcare... +Loans (Liabilities),Credite (pasive) +Loans and Advances (Assets),Împrumuturi și avansuri (Active) +Local,Local +Login with your new User ID,Autentifica-te cu noul ID utilizator +Logo,Logo +Logo and Letter Heads,Logo și Scrisoare Heads +Lost,Pierdut +Lost Reason,Expunere de motive a pierdut +Low,Scăzut +Lower Income,Venituri mai mici +MTN Details,MTN Detalii +Main,Principal +Main Reports,Rapoarte principale +Maintain Same Rate Throughout Sales Cycle,Menține aceeași rată de-a lungul ciclului de vânzări +Maintain same rate throughout purchase cycle,Menține aceeași rată de-a lungul ciclului de cumpărare +Maintenance,Mentenanţă +Maintenance Date,Data întreținere +Maintenance Details,Detalii întreținere +Maintenance Schedule,Program de întreținere +Maintenance Schedule Detail,Program de întreținere Detaliu +Maintenance Schedule Item,Program de întreținere Articol +Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',"Program de întreținere nu este generată pentru toate elementele. Vă rugăm să faceți clic pe ""Generate Program""" +Maintenance Schedule {0} exists against {0},Program de întreținere {0} există în {0} +Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Program de întreținere {0} trebuie anulată înainte de a anula această comandă de vânzări +Maintenance Schedules,Orarele de întreținere +Maintenance Status,Starea de întreținere +Maintenance Time,Timp de întreținere +Maintenance Type,Tip de întreținere +Maintenance Visit,Vizitează întreținere +Maintenance Visit Purpose,Vizitează întreținere Scop +Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Vizitează întreținere {0} trebuie anulată înainte de a anula această comandă de vânzări +Maintenance start date can not be before delivery date for Serial No {0},Întreținere data de începere nu poate fi înainte de data de livrare pentru de serie nr {0} +Major/Optional Subjects,Subiectele majore / opționale +Make , +Make Accounting Entry For Every Stock Movement,Asigurați-vă de contabilitate de intrare pentru fiecare Stock Mișcarea +Make Bank Voucher,Banca face Voucher +Make Credit Note,Face Credit Nota +Make Debit Note,Face notă de debit +Make Delivery,Face de livrare +Make Difference Entry,Face diferenta de intrare +Make Excise Invoice,Face accize Factura +Make Installation Note,Face de instalare Notă +Make Invoice,Face Factura +Make Maint. Schedule,Face Maint. Program +Make Maint. Visit,Face Maint. Vizita +Make Maintenance Visit,Face de întreținere Vizitați +Make Packing Slip,Face bonul +Make Payment Entry,Face plată de intrare +Make Purchase Invoice,Face cumparare factură +Make Purchase Order,Face Comandă +Make Purchase Receipt,Face Primirea de cumparare +Make Salary Slip,Face Salariul Slip +Make Salary Structure,Face Structura Salariul +Make Sales Invoice,Face Factura Vanzare +Make Sales Order,Face comandă de vânzări +Make Supplier Quotation,Face Furnizor ofertă +Male,Masculin +Manage Customer Group Tree.,Gestiona Customer Group copac. +Manage Sales Person Tree.,Gestiona vânzările Persoana copac. +Manage Territory Tree.,Gestiona Teritoriul copac. +Manage cost of operations,Gestiona costul operațiunilor +Management,"Controlul situatiilor, (managementul)" +Manager,Manager +"Mandatory if Stock Item is ""Yes"". Also the default warehouse where reserved quantity is set from Sales Order.","Obligatoriu dacă Piesa este ""da"". De asemenea, depozitul implicit în cazul în care cantitatea rezervat este stabilit de comandă de vânzări." +Manufacture against Sales Order,Fabricarea de comandă de vânzări +Manufacture/Repack,Fabricarea / Repack +Manufactured Qty,Produs Cantitate +Manufactured quantity will be updated in this warehouse,Cantitate fabricat va fi actualizată în acest depozit +Manufactured quantity {0} cannot be greater than planned quanitity {1} in Production Order {2},Cantitate fabricat {0} nu poate fi mai mare decât avantajeje planificat {1} în producție Ordine {2} +Manufacturer,Producător +Manufacturer Part Number,Numarul de piesa +Manufacturing,De fabricație +Manufacturing Quantity,Cantitatea de fabricație +Manufacturing Quantity is mandatory,Cantitatea de fabricație este obligatorie +Margin,Margin +Marital Status,Stare civilă +Market Segment,Segmentul de piață +Marketing,Marketing +Marketing Expenses,Cheltuieli de marketing +Married,Căsătorit +Mass Mailing,Corespondență în masă +Master Name,Maestru Nume +Master Name is mandatory if account type is Warehouse,Maestrul Numele este obligatorie dacă tipul de cont este de depozit +Master Type,Maestru Tip +Masters,Masterat +Match non-linked Invoices and Payments.,Potrivesc Facturi non-legate și plăți. +Material Issue,Problema de material +Material Receipt,Primirea de material +Material Request,Cerere de material +Material Request Detail No,Material Cerere Detaliu Nu +Material Request For Warehouse,Cerere de material Pentru Warehouse +Material Request Item,Material Cerere Articol +Material Request Items,Material Cerere Articole +Material Request No,Cerere de material Nu +Material Request Type,Material Cerere tip +Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Cerere de material de maximum {0} se poate face pentru postul {1} ​​împotriva comandă de vânzări {2} +Material Request used to make this Stock Entry,Cerere de material utilizat pentru a face acest stoc de intrare +Material Request {0} is cancelled or stopped,Cerere de material {0} este anulată sau oprită +Material Requests for which Supplier Quotations are not created,Cererile de materiale pentru care nu sunt create Cotațiile Furnizor +Material Requests {0} created,Cererile de materiale {0} a creat +Material Requirement,Cerința de material +Material Transfer,Transfer de material +Materials,Materiale +Materials Required (Exploded),Materiale necesare (explodat) +Max 5 characters,Max 5 caractere +Max Days Leave Allowed,Max zile de concediu de companie +Max Discount (%),Max Discount (%) +Max Qty,Max Cantitate +Maximum allowed credit is {0} days after posting date,Credit maximă permisă este de {0} zile de la postarea data +Maximum {0} rows allowed,Maxime {0} rânduri permis +Maxiumm discount for Item {0} is {1}%,Reducere Maxiumm pentru postul {0} este {1}% +Medical,Medical +Medium,Medie +"Merging is only possible if following properties are same in both records. Group or Ledger, Root Type, Company","Fuzionarea este posibilă numai în cazul în care următoarele proprietăți sunt aceleași în ambele registre. Grup sau Ledger, Root tip, de companie" +Message,Mesaj +Message Parameter,Parametru mesaj +Message Sent,Mesajul a fost trimis +Message updated,Mesaj Actualizat +Messages,Mesaje +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 +Middle Income,Venituri medii +Milestone,Milestone +Milestone Date,Milestone Data +Milestones,Repere +Milestones will be added as Events in the Calendar,Repere vor fi adăugate ca evenimente din calendarul +Min Order Qty,Min Ordine Cantitate +Min Qty,Min Cantitate +Min Qty can not be greater than Max Qty,Min Cantitate nu poate fi mai mare decât Max Cantitate +Minimum Order Qty,Comanda minima Cantitate +Minute,Minut +Misc Details,Misc Detalii +Miscellaneous Expenses,Cheltuieli diverse +Miscelleneous,Miscelleneous +Mobile No,Mobil Nu +Mobile No.,Mobil Nu. +Mode of Payment,Mod de plata +Modern,Modern +Modified Amount,Modificat Suma +Monday,Luni +Month,Lună +Monthly,Lunar +Monthly Attendance Sheet,Lunar foaia de prezență +Monthly Earning & Deduction,Câștigul salarial lunar & Deducerea +Monthly Salary Register,Salariul lunar Inregistrare +Monthly salary statement.,Declarația salariu lunar. +More Details,Mai multe detalii +More Info,Mai multe informatii +Motion Picture & Video,Motion Picture & Video +Moving Average,Mutarea medie +Moving Average Rate,Rata medie mobilă +Mr,Mr +Ms,Ms +Multiple Item prices.,Mai multe prețuri element. +"Multiple Price Rule exists with same criteria, please resolve \ + conflict by assigning priority. Price Rules: {0}","Există Prețul multiple Regula cu aceleași criterii, vă rugăm să rezolve \ \ n conflict prin atribuirea de prioritate. Reguli Pret: {0}" +Music,Muzica +Must be Whole Number,Trebuie să fie Număr întreg +Name,Nume +Name and Description,Nume și descriere +Name and Employee ID,Nume și ID angajat +"Name of new Account. Note: Please don't create accounts for Customers and Suppliers, they are created automatically from the Customer and Supplier master","Nume de nou cont. Notă: Vă rugăm să nu creați conturi pentru clienți și furnizori, ele sunt create în mod automat de la client și furnizor maestru" +Name of person or organization that this address belongs to.,Nume de persoană sau organizație care această adresă aparține. +Name of the Budget Distribution,Numele distribuția bugetului +Naming Series,Naming Series +Negative Quantity is not allowed,Negativ Cantitatea nu este permis +Negative Stock Error ({6}) for Item {0} in Warehouse {1} on {2} {3} in {4} {5},Eroare negativ Stock ({6}) pentru postul {0} în Depozit {1} la {2} {3} în {4} {5} +Negative Valuation Rate is not allowed,Negativ Rata de evaluare nu este permis +Negative balance in Batch {0} for Item {1} at Warehouse {2} on {3} {4},Sold negativ în Lot {0} pentru postul {1} ​​de la Warehouse {2} pe {3} {4} +Net Pay,Net plată +Net Pay (in words) will be visible once you save the Salary Slip.,Pay net (în cuvinte) vor fi vizibile după ce salvați fișa de salariu. +Net Total,Net total +Net Total (Company Currency),Net total (Compania de valuta) +Net Weight,Greutate netă +Net Weight UOM,Greutate neta UOM +Net Weight of each Item,Greutatea netă a fiecărui produs +Net pay cannot be negative,Salariul net nu poate fi negativ +Never,Niciodată +New , +New Account,Cont nou +New Account Name,Nume nou cont +New BOM,Nou BOM +New Communications,Noi Comunicații +New Company,Noua companie +New Cost Center,Nou centru de cost +New Cost Center Name,New Cost Center Nume +New Delivery Notes,De livrare de noi Note +New Enquiries,Noi Intrebari +New Leads,Oportunitati noi +New Leave Application,Noua cerere de concediu +New Leaves Allocated,Frunze noi alocate +New Leaves Allocated (In Days),Frunze noi alocate (în zile) +New Material Requests,Noi cereri Material +New Projects,Proiecte noi +New Purchase Orders,Noi comenzi de aprovizionare +New Purchase Receipts,Noi Încasări de cumpărare +New Quotations,Noi Citatele +New Sales Orders,Noi comenzi de vânzări +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 +New Stock Entries,Stoc nou Entries +New Stock UOM,Nou Stock UOM +New Stock UOM is required,New Stock UOM este necesar +New Stock UOM must be different from current stock UOM,New Stock UOM trebuie să fie diferit de curent stoc UOM +New Supplier Quotations,Noi Cotațiile Furnizor +New Support Tickets,Noi Bilete Suport +New UOM must NOT be of type Whole Number,New UOM nu trebuie să fie de tip Număr întreg +New Workplace,Nou la locul de muncă +Newsletter,Newsletter +Newsletter Content,Newsletter Conținut +Newsletter Status,Newsletter Starea +Newsletter has already been sent,Newsletter a fost deja trimisa +Newsletters is not allowed for Trial users,Buletine de știri nu este permis pentru utilizatorii Trial +"Newsletters to contacts, leads.","Buletine de contacte, conduce." +Newspaper Publishers,Editorii de ziare +Next,Urmatorea +Next Contact By,Următor Contact Prin +Next Contact Date,Următor Contact Data +Next Date,Data viitoare +Next email will be sent on:,E-mail viitor va fi trimis la: +No,Nu +No Customer Accounts found.,Niciun Conturi client gasit. +No Customer or Supplier Accounts found,Nici un client sau furnizor Conturi a constatat +No Expense Approvers. Please assign 'Expense Approver' Role to atleast one user,"Nu sunt Aprobatori cheltuieli. Vă rugăm să atribui Rolul ""Cheltuieli aprobator"" la cel putin un utilizator" +No Item with Barcode {0},Nici un articol cu ​​coduri de bare {0} +No Item with Serial No {0},Nici un articol cu ​​ordine {0} +No Items to pack,Nu sunt produse în ambalaj +No Leave Approvers. Please assign 'Leave Approver' Role to atleast one user,"Nu sunt Aprobatori plece. Vă rugăm să atribui 'Leave aprobator ""Rolul de cel putin un utilizator" +No Permission,Lipsă acces +No Production Orders created,Nu sunt comenzile de producție create +No Supplier Accounts found. Supplier Accounts are identified based on 'Master Type' value in account record.,"Niciun Conturi Furnizor găsit. Conturile furnizorul sunt identificate pe baza valorii ""Maestru de tip"" în înregistrare cont." +No accounting entries for the following warehouses,Nici o intrare contabile pentru următoarele depozite +No addresses created,Nici o adresa create +No contacts created,Nici un contact create +No default BOM exists for Item {0},Nu există implicit BOM pentru postul {0} +No description given,Nici o descriere dat +No employee found,Nu a fost gasit angajat +No employee found!,Nici un angajat nu a fost gasit! +No of Requested SMS,Nu de SMS solicitat +No of Sent SMS,Nu de SMS-uri trimise +No of Visits,Nu de vizite +No permission,Nici o permisiune +No record found,Nu au găsit înregistrări +No salary slip found for month: , +Non Profit,Non-Profit +Nos,Nos +Not Active,Nu este activ +Not Applicable,Nu se aplică +Not Available,Indisponibil +Not Billed,Nu Taxat +Not Delivered,Nu Pronunțată +Not Set,Nu a fost setat +Not allowed to update entries older than {0},Nu este permis să actualizeze înregistrări mai vechi de {0} +Not authorized to edit frozen Account {0},Nu este autorizat pentru a edita contul congelate {0} +Not authroized since {0} exceeds limits,Nu authroized din {0} depășește limitele +Not permitted,Nu este permisă +Note,Notă +Note User,Notă utilizator +"Note: Backups and files are not deleted from Dropbox, you will have to delete them manually.","Notă: Backup și fișierele nu sunt șterse de la Dropbox, va trebui să le ștergeți manual." +"Note: Backups and files are not deleted from Google Drive, you will have to delete them manually.","Notă: Backup și fișierele nu sunt șterse de pe Google Drive, va trebui să le ștergeți manual." +Note: Due Date exceeds the allowed credit days by {0} day(s),Notă: Datorită Data depășește zilele de credit permise de {0} zi (s) +Note: Email will not be sent to disabled users,Notă: Adresa de email nu va fi trimis la utilizatorii cu handicap +Note: Item {0} entered multiple times,Notă: Articol {0} a intrat de mai multe ori +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" +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" +Note: There is not enough leave balance for Leave Type {0},Notă: Nu este echilibrul concediu suficient pentru concediul de tip {0} +Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Notă: Acest centru de cost este un grup. Nu pot face înregistrări contabile impotriva grupuri. +Note: {0},Notă: {0} +Notes,Observații: +Notes:,Observații: +Nothing to request,Nimic de a solicita +Notice (days),Preaviz (zile) +Notification Control,Controlul notificare +Notification Email Address,Notificarea Adresa de e-mail +Notify by Email on creation of automatic Material Request,Notifica prin e-mail la crearea de cerere automată Material +Number Format,Număr Format +Offer Date,Oferta Date +Office,Birou +Office Equipments,Echipamente de birou +Office Maintenance Expenses,Cheltuieli de întreținere birou +Office Rent,Birou inchiriat +Old Parent,Vechi mamă +On Net Total,Pe net total +On Previous Row Amount,La rândul precedent Suma +On Previous Row Total,Inapoi la rândul Total +Online Auctions,Licitatii Online +Only Leave Applications with status 'Approved' can be submitted,"Lasă doar Aplicatii cu statutul de ""Aprobat"" pot fi depuse" +"Only Serial Nos with status ""Available"" can be delivered.","Numai Serial nr cu statutul ""Disponibile"", pot fi livrate." +Only leaf nodes are allowed in transaction,Numai noduri frunze sunt permise în tranzacție +Only the selected Leave Approver can submit this Leave Application,Numai selectat concediu aprobator poate înainta această aplicație Leave +Open,Deschide +Open Production Orders,Comenzi deschis de producție +Open Tickets,Bilete deschise +Open source ERP built for the web,ERP open source construit pentru web +Opening (Cr),Deschidere (Cr) +Opening (Dr),Deschidere (Dr) +Opening Date,Data deschiderii +Opening Entry,Deschiderea de intrare +Opening Qty,Deschiderea Cantitate +Opening Time,Timp de deschidere +Opening Value,Valoare de deschidere +Opening for a Job.,Deschidere pentru un loc de muncă. +Operating Cost,Costul de operare +Operation Description,Operație Descriere +Operation No,Operațiunea nu +Operation Time (mins),Operațiunea Timp (min) +Operation {0} is repeated in Operations Table,Operațiunea {0} se repetă în Operations tabelul +Operation {0} not present in Operations Table,Operațiunea {0} nu este prezent în Operations tabelul +Operations,Operatii +Opportunity,Oportunitate +Opportunity Date,Oportunitate Data +Opportunity From,Oportunitate de la +Opportunity Item,Oportunitate Articol +Opportunity Items,Articole de oportunitate +Opportunity Lost,Opportunity Lost +Opportunity Type,Tip de oportunitate +Optional. This setting will be used to filter in various transactions.,Opțional. Această setare va fi utilizat pentru a filtra în diverse tranzacții. +Order Type,Tip comandă +Order Type must be one of {1},Pentru Tipul trebuie să fie una din {1} +Ordered,Ordonat +Ordered Items To Be Billed,Comandat de Articole Pentru a fi facturat +Ordered Items To Be Delivered,Comandat de elemente pentru a fi livrate +Ordered Qty,Ordonat Cantitate +"Ordered Qty: Quantity ordered for purchase, but not received.","Comandat Cantitate: Cantitatea comandat pentru cumpărare, dar nu a primit." +Ordered Quantity,Ordonat Cantitate +Orders released for production.,Comenzi lansat pentru producție. +Organization Name,Numele organizației +Organization Profile,Organizație de profil +Organization branch master.,Ramură organizație maestru. +Organization unit (department) master.,Unitate de organizare (departament) maestru. +Original Amount,Suma inițială +Other,Altul +Other Details,Alte detalii +Others,Altel +Out Qty,Out Cantitate +Out Value,Out Valoarea +Out of AMC,Din AMC +Out of Warranty,Din garanție +Outgoing,Trimise +Outstanding Amount,Remarcabil Suma +Outstanding for {0} cannot be less than zero ({1}),Restante pentru {0} nu poate fi mai mică decât zero ({1}) +Overhead,Deasupra +Overheads,Cheltuieli generale +Overlapping conditions found between:,Condiții se suprapun găsite între: +Overview,Prezentare generală +Owned,Owned +Owner,Proprietar +PL or BS,PL sau BS +PO Date,PO Data +PO No,PO Nu +POP3 Mail Server,POP3 Mail Server +POP3 Mail Settings,POP3 Mail Settings +POP3 mail server (e.g. pop.gmail.com),Server de poștă electronică POP3 (de exemplu pop.gmail.com) +POP3 server e.g. (pop.gmail.com),Server de POP3 de exemplu (pop.gmail.com) +POS Setting,Setarea POS +POS Setting required to make POS Entry,Setarea POS necesare pentru a face POS intrare +POS Setting {0} already created for user: {1} and company {2},Setarea POS {0} deja creat pentru utilizator: {1} și companie {2} +POS View,POS View +PR Detail,PR Detaliu +PR Posting Date,PR Dată postare +Package Item Details,Detalii pachet Postul +Package Items,Pachet Articole +Package Weight Details,Pachetul Greutate Detalii +Packed Item,Articol ambalate +Packed quantity must equal quantity for Item {0} in row {1},Cantitate ambalate trebuie să fie egală cantitate pentru postul {0} în rândul {1} +Packing Details,Detalii de ambalare +Packing List,Lista de ambalare +Packing Slip,Slip de ambalare +Packing Slip Item,Bonul Articol +Packing Slip Items,Bonul de Articole +Packing Slip(s) cancelled,Slip de ambalare (e) anulate +Page Break,Page Break +Page Name,Nume pagină +Paid Amount,Suma plătită +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 +Pair,Pereche +Parameter,Parametru +Parent Account,Contul părinte +Parent Cost Center,Părinte Cost Center +Parent Customer Group,Părinte Client Group +Parent Detail docname,Părinte Detaliu docname +Parent Item,Părinte Articol +Parent Item Group,Părinte Grupa de articole +Parent Item {0} must be not Stock Item and must be a Sales Item,Părinte Articol {0} nu trebuie să fie Stock Articol și trebuie să fie un element de vânzări +Parent Party Type,Tip Party părinte +Parent Sales Person,Mamă Sales Person +Parent Territory,Teritoriul părinte +Parent Website Page,Părinte Site Page +Parent Website Route,Părinte Site Route +Parent account can not be a ledger,Cont părinte nu poate fi un registru +Parent account does not exist,Cont părinte nu există +Parenttype,ParentType +Part-time,Part-time +Partially Completed,Parțial finalizate +Partly Billed,Parțial Taxat +Partly Delivered,Parțial livrate +Partner Target Detail,Partener țintă Detaliu +Partner Type,Tip partener +Partner's Website,Site-ul partenerului +Party Type,Tip de partid +Party Type Name,Tip partid Nume +Passive,Pasiv +Passport Number,Numărul de pașaport +Password,Parolă +Pay To / Recd From,Pentru a plăti / Recd de la +Payable,Plătibil +Payables,Datorii +Payables Group,Datorii Group +Payment Days,Zile de plată +Payment Due Date,Data scadentă de plată +Payment Period Based On Invoice Date,Perioada de plată Bazat pe Data facturii +Payment Type,Tip de plată +Payment of salary for the month {0} and year {1},Plata salariului pentru luna {0} și {1 an} +Payment to Invoice Matching Tool,Plata la factură Tool potrivire +Payment to Invoice Matching Tool Detail,Plată să factureze Tool potrivire Detaliu +Payments,Plăți +Payments Made,Plățile efectuate +Payments Received,Plăți primite +Payments made during the digest period,Plățile efectuate în timpul perioadei de rezumat +Payments received during the digest period,Plăților primite în perioada de rezumat +Payroll Settings,Setări de salarizare +Pending,În așteptarea +Pending Amount,În așteptarea Suma +Pending Items {0} updated,Elemente în curs de {0} actualizat +Pending Review,Revizuirea în curs +Pending SO Items For Purchase Request,Până la SO articole pentru cerere de oferta +Pension Funds,Fondurile de pensii +Percent Complete,La sută complet +Percentage Allocation,Alocarea procent +Percentage Allocation should be equal to 100%,Alocarea procent ar trebui să fie egală cu 100% +Percentage variation in quantity to be allowed while receiving or delivering this item.,"Variație procentuală, în cantitate va fi permisă în timp ce primirea sau livrarea acestui articol." +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." +Performance appraisal.,De evaluare a performantei. +Period,Perioada +Period Closing Voucher,Voucher perioadă de închidere +Periodicity,Periodicitate +Permanent Address,Permanent Adresa +Permanent Address Is,Adresa permanentă este +Permission,Permisiune +Personal,Trader +Personal Details,Detalii personale +Personal Email,Personal de e-mail +Pharmaceutical,Farmaceutic +Pharmaceuticals,Produse farmaceutice +Phone,Telefon +Phone No,Nu telefon +Piecework,Muncă în acord +Pincode,Parola așa +Place of Issue,Locul eliberării +Plan for maintenance visits.,Planul de de vizite de întreținere. +Planned Qty,Planificate Cantitate +"Planned Qty: Quantity, for which, Production Order has been raised, but is pending to be manufactured.","Planificate Cantitate: Cantitate, pentru care, de producție Ordinul a fost ridicat, dar este în curs de a fi fabricate." +Planned Quantity,Planificate Cantitate +Planning,Planificare +Plant,Instalarea +Plant and Machinery,Instalații tehnice și mașini +Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,Vă rugăm Introduceți abreviere sau Numele Scurt corect ca acesta va fi adăugat ca sufix la toate capetele de cont. +Please add expense voucher details,Vă rugăm să adăugați cheltuieli detalii voucher +Please check 'Is Advance' against Account {0} if this is an advance entry.,"Vă rugăm să verificați ""Este Advance"" împotriva Contul {0} în cazul în care acest lucru este o intrare în avans." +Please click on 'Generate Schedule',"Vă rugăm să faceți clic pe ""Generate Program""" +Please click on 'Generate Schedule' to fetch Serial No added for Item {0},"Vă rugăm să faceți clic pe ""Generate Program"", pentru a aduce ordine adăugat pentru postul {0}" +Please click on 'Generate Schedule' to get schedule,"Vă rugăm să faceți clic pe ""Generate Program"", pentru a obține programul" +Please create Customer from Lead {0},Vă rugăm să creați client de plumb {0} +Please create Salary Structure for employee {0},Vă rugăm să creați Structura Salariul pentru angajat {0} +Please create new account from Chart of Accounts.,Vă rugăm să creați un cont nou de Planul de conturi. +Please do NOT create Account (Ledgers) for Customers and Suppliers. They are created directly from the Customer / Supplier masters.,Vă rugăm să nu crea contul (Ledgers) pentru clienții și furnizorii. Ele sunt create direct de la masterat client / furnizor. +Please enter 'Expected Delivery Date',"Vă rugăm să introduceți ""Data de livrare așteptată""" +Please enter 'Is Subcontracted' as Yes or No,"Va rugam sa introduceti ""este subcontractată"" ca Da sau Nu" +Please enter 'Repeat on Day of Month' field value,"Va rugam sa introduceti ""Repeat la zi a lunii"" valoare de câmp" +Please enter Account Receivable/Payable group in company master,Va rugam sa introduceti cont de încasat / de grup se plateste in companie de master +Please enter Approving Role or Approving User,Vă rugăm să introduceți Aprobarea Rolul sau aprobarea de utilizare +Please enter BOM for Item {0} at row {1},Va rugam sa introduceti BOM pentru postul {0} la rândul {1} +Please enter Company,Va rugam sa introduceti de companie +Please enter Cost Center,Va rugam sa introduceti Cost Center +Please enter Delivery Note No or Sales Invoice No to proceed,Va rugam sa introduceti de livrare Notă Nu sau Factura Vanzare Nu pentru a continua +Please enter Employee Id of this sales parson,Vă rugăm să introduceți ID-ul angajatului din acest Parson vânzări +Please enter Expense Account,Va rugam sa introduceti cont de cheltuieli +Please enter Item Code to get batch no,Va rugam sa introduceti codul articol pentru a obține lot nu +Please enter Item Code.,Vă rugăm să introduceți Cod produs. +Please enter Item first,Va rugam sa introduceti Articol primul +Please enter Maintaince Details first,Va rugam sa introduceti maintaince detaliile prima +Please enter Master Name once the account is created.,Va rugam sa introduceti Maestrul Numele odată ce este creat contul. +Please enter Planned Qty for Item {0} at row {1},Va rugam sa introduceti planificate Cantitate pentru postul {0} la rândul {1} +Please enter Production Item first,Va rugam sa introduceti de producție Articol întâi +Please enter Purchase Receipt No to proceed,Va rugam sa introduceti Primirea de cumparare Nu pentru a continua +Please enter Reference date,Vă rugăm să introduceți data de referință +Please enter Warehouse for which Material Request will be raised,Va rugam sa introduceti Depozit pentru care va fi ridicat Material Cerere +Please enter Write Off Account,Va rugam sa introduceti Scrie Off cont +Please enter atleast 1 invoice in the table,Va rugam sa introduceti cel putin 1 factura în tabelul +Please enter company first,Va rugam sa introduceti prima companie +Please enter company name first,Va rugam sa introduceti numele companiei în primul rând +Please enter default Unit of Measure,Va rugam sa introduceti Unitatea de măsură prestabilită +Please enter default currency in Company Master,Va rugam sa introduceti moneda implicit în Compania de Master +Please enter email address,Introduceți adresa de e-mail +Please enter item details,Va rugam sa introduceti detalii element +Please enter message before sending,Vă rugăm să introduceți mesajul înainte de trimitere +Please enter parent account group for warehouse account,Va rugam sa introduceti grup considerare părinte de cont depozit +Please enter parent cost center,Vă rugăm să introduceți centru de cost părinte +Please enter quantity for Item {0},Va rugam sa introduceti cantitatea pentru postul {0} +Please enter relieving date.,Vă rugăm să introduceți data alinarea. +Please enter sales order in the above table,Vă rugăm să introduceți comenzi de vânzări în tabelul de mai sus +Please enter valid Company Email,Va rugam sa introduceti email valida de companie +Please enter valid Email Id,Va rugam sa introduceti email valida Id +Please enter valid Personal Email,Va rugam sa introduceti email valida personale +Please enter valid mobile nos,Va rugam sa introduceti nos mobile valabile +Please install dropbox python module,Vă rugăm să instalați dropbox modul python +Please mention no of visits required,Vă rugăm să menționați nici de vizite necesare +Please pull items from Delivery Note,Vă rugăm să trage elemente de livrare Nota +Please save the Newsletter before sending,Vă rugăm să salvați Newsletter înainte de a trimite +Please save the document before generating maintenance schedule,Vă rugăm să salvați documentul înainte de a genera programul de întreținere +Please select Account first,Vă rugăm să selectați cont în primul rând +Please select Bank Account,Vă rugăm să selectați cont bancar +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 +Please select Category first,Vă rugăm să selectați categoria întâi +Please select Charge Type first,Vă rugăm să selectați de încărcare Tip întâi +Please select Fiscal Year,Vă rugăm să selectați Anul fiscal +Please select Group or Ledger value,Vă rugăm să selectați Group sau Ledger valoare +Please select Incharge Person's name,Vă rugăm să selectați numele Incharge Persoana +"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Sales BOM","Vă rugăm să selectați element, de unde ""Este Piesa"" este ""Nu"" și ""E Articol de vânzări"" este ""da"", și nu există nici un alt Vanzari BOM" +Please select Price List,Vă rugăm să selectați lista de prețuri +Please select Start Date and End Date for Item {0},Vă rugăm să selectați data de început și Data de final pentru postul {0} +Please select a csv file,Vă rugăm să selectați un fișier csv +Please select a valid csv file with data,Vă rugăm să selectați un fișier csv valid cu date +Please select a value for {0} quotation_to {1},Vă rugăm să selectați o valoare de {0} {1} quotation_to +"Please select an ""Image"" first","Vă rugăm să selectați o ""imagine"" în primul rând" +Please select charge type first,Vă rugăm să selectați tipul de taxă în primul rând +Please select company first.,Vă rugăm să selectați prima companie. +Please select item code,Vă rugăm să selectați codul de articol +Please select month and year,Vă rugăm selectați luna și anul +Please select prefix first,Vă rugăm să selectați prefix întâi +Please select the document type first,Vă rugăm să selectați tipul de document primul +Please select weekly off day,Vă rugăm să selectați zi liberă pe săptămână +Please select {0},Vă rugăm să selectați {0} +Please select {0} first,Vă rugăm selectați 0} {întâi +Please set Dropbox access keys in your site config,Vă rugăm să setați tastele de acces Dropbox pe site-ul dvs. de configurare +Please set Google Drive access keys in {0},Vă rugăm să setați tastele de acces disk Google în {0} +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} +Please set default value {0} in Company {0},Vă rugăm să setați valoarea implicită {0} în companie {0} +Please set {0},Vă rugăm să setați {0} +Please setup Employee Naming System in Human Resource > HR Settings,Vă rugăm să configurare Angajat sistemul de numire în resurse umane> Settings HR +Please setup numbering series for Attendance via Setup > Numbering Series,Vă rugăm să configurare serie de numerotare pentru Spectatori prin Setup> Numerotare Series +Please setup your chart of accounts before you start Accounting Entries,Vă rugăm configurarea diagrama de conturi înainte de a începe înregistrările contabile +Please specify,Vă rugăm să specificați +Please specify Company,Vă rugăm să specificați companiei +Please specify Company to proceed,Vă rugăm să specificați companiei pentru a continua +Please specify Default Currency in Company Master and Global Defaults,Vă rugăm să precizați implicit de valuta în Compania de Master și setări implicite globale +Please specify a,Vă rugăm să specificați un +Please specify a valid 'From Case No.',"Vă rugăm să specificați un valabil ""Din cauza nr""" +Please specify a valid Row ID for {0} in row {1},Vă rugăm să specificați un ID valid de linie pentru {0} în rândul {1} +Please specify either Quantity or Valuation Rate or both,Vă rugăm să specificați fie Cantitate sau Evaluează evaluare sau ambele +Please submit to update Leave Balance.,Vă rugăm să trimiteți actualizarea concediul Balance. +Plot,Parcelarea / Reprezentarea grafică / Trasarea +Plot By,Plot Prin +Point of Sale,Point of Sale +Point-of-Sale Setting,Punct-de-vânzare Setting +Post Graduate,Postuniversitar +Postal,Poștal +Postal Expenses,Cheltuieli poștale +Posting Date,Dată postare +Posting Time,Postarea de timp +Posting timestamp must be after {0},Timestamp postarea trebuie să fie după {0} +Potential opportunities for selling.,Potențiale oportunități de vânzare. +Preferred Billing Address,Adresa de facturare preferat +Preferred Shipping Address,Preferat Adresa Shipping +Prefix,Prefix +Present,Prezenta +Prevdoc DocType,Prevdoc DocType +Prevdoc Doctype,Prevdoc Doctype +Preview,Previzualizați +Previous,Precedenta +Previous Work Experience,Anterior Work Experience +Price,Preț +Price / Discount,Preț / Reducere +Price List,Lista de prețuri +Price List Currency,Lista de pret Valuta +Price List Currency not selected,Lista de pret Valuta nu selectat +Price List Exchange Rate,Lista de prețuri Cursul de schimb +Price List Name,Lista de prețuri Nume +Price List Rate,Lista de prețuri Rate +Price List Rate (Company Currency),Lista de prețuri Rate (Compania de valuta) +Price List master.,Maestru Lista de prețuri. +Price List must be applicable for Buying or Selling,Lista de prețuri trebuie să fie aplicabilă pentru cumpărarea sau vânzarea de +Price List not selected,Lista de prețuri nu selectat +Price List {0} is disabled,Lista de prețuri {0} este dezactivat +Price or Discount,Preț sau Reducere +Pricing Rule,Regula de stabilire a prețurilor +Pricing Rule For Discount,De stabilire a prețurilor De regulă Discount +Pricing Rule For Price,De stabilire a prețurilor De regulă Pret +Print Format Style,Print Style Format +Print Heading,Imprimare Titlu +Print Without Amount,Imprima Fără Suma +Print and Stationary,Imprimare și staționare +Printing and Branding,Imprimarea și Branding +Priority,Prioritate +Private Equity,Private Equity +Privilege Leave,Privilege concediu +Probation,Probă +Process Payroll,Salarizare proces +Produced,Produs +Produced Quantity,Produs Cantitate +Product Enquiry,Intrebare produs +Production,Producţie +Production Order,Număr Comandă Producţie: +Production Order status is {0},Statutul de producție Ordinul este {0} +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 +Production Order {0} must be submitted,Producția de Ordine {0} trebuie să fie prezentate +Production Orders,Comenzi de producție +Production Orders in Progress,Comenzile de producție în curs de desfășurare +Production Plan Item,Planul de producție Articol +Production Plan Items,Planul de producție Articole +Production Plan Sales Order,Planul de producție comandă de vânzări +Production Plan Sales Orders,Planul de producție comenzi de vânzări +Production Planning Tool,Producție instrument de planificare +Products,Instrumente +"Products will be sorted by weight-age in default searches. More the weight-age, higher the product will appear in the list.","Produsele vor fi clasificate în funcție de greutate, vârstă în căutări implicite. Mai mult greutate de vârstă, mai mare produsul va apărea în listă." +Profit and Loss,Profit și pierdere +Project,Proiectarea +Project Costing,Proiect de calculație a costurilor +Project Details,Detalii proiect +Project Manager,Manager de Proiect +Project Milestone,Milestone proiect +Project Milestones,Repere de proiect +Project Name,Denumirea proiectului +Project Start Date,Data de începere a proiectului +Project Type,Tip de proiect +Project Value,Valoare proiect +Project activity / task.,Activitatea de proiect / sarcină. +Project master.,Maestru proiect. +Project will get saved and will be searchable with project name given,Proiect vor fi salvate și vor fi căutate cu nume proiect dat +Project wise Stock Tracking,Proiect înțelept Tracking Stock +Project-wise data is not available for Quotation,Date proiect-înțelept nu este disponibilă pentru ofertă +Projected,Proiectat +Projected Qty,Proiectat Cantitate +Projects,Proiecte +Projects & System,Proiecte & System +Prompt for Email on Submission of,Prompt de e-mail pe Depunerea +Proposal Writing,Propunere de scriere +Provide email id registered in company,Furnizarea id-ul de e-mail înregistrată în societate +Public,Public +Publishing,Editare +Pull sales orders (pending to deliver) based on the above criteria,"Trage comenzi de vânzări (în curs de a livra), pe baza criteriilor de mai sus" +Purchase,Cumpărarea +Purchase / Manufacture Details,Detalii de cumpărare / Fabricarea +Purchase Analytics,Analytics de cumpărare +Purchase Common,Cumpărare comună +Purchase Details,Detalii de cumpărare +Purchase Discounts,Cumpărare Reduceri +Purchase In Transit,Cumpărare în tranzit +Purchase Invoice,Factura de cumpărare +Purchase Invoice Advance,Factura de cumpărare în avans +Purchase Invoice Advances,Avansuri factura de cumpărare +Purchase Invoice Item,Factura de cumpărare Postul +Purchase Invoice Trends,Cumpărare Tendințe factură +Purchase Invoice {0} is already submitted,Factura de cumpărare {0} este deja depusă +Purchase Order,Comandă de aprovizionare +Purchase Order Date,Comandă de aprovizionare Date +Purchase Order Item,Comandă de aprovizionare Articol +Purchase Order Item No,Comandă de aprovizionare Punctul nr +Purchase Order Item Supplied,Comandă de aprovizionare Articol Livrat +Purchase Order Items,Cumpărare Ordine Articole +Purchase Order Items Supplied,Comandă de aprovizionare accesoriilor furnizate +Purchase Order Items To Be Billed,Cumparare Ordine Articole Pentru a fi facturat +Purchase Order Items To Be Received,Achiziția comandă elementele de încasat +Purchase Order Message,Purchase Order Mesaj +Purchase Order Required,Comandă de aprovizionare necesare +Purchase Order Trends,Comandă de aprovizionare Tendințe +Purchase Order number required for Item {0},Număr de comandă de aprovizionare necesare pentru postul {0} +Purchase Order {0} is 'Stopped',"Achiziția comandă {0} este ""Oprit""" +Purchase Order {0} is not submitted,Comandă {0} nu este prezentat +Purchase Orders given to Suppliers.,A achiziționa ordine de date Furnizori. +Purchase Receipt,Primirea de cumpărare +Purchase Receipt Item,Primirea de cumpărare Postul +Purchase Receipt Item Supplied,Primirea de cumpărare Articol Livrat +Purchase Receipt Item Supplieds,Primirea de cumpărare Supplieds Postul +Purchase Receipt Items,Primirea de cumpărare Articole +Purchase Receipt Message,Primirea de cumpărare Mesaj +Purchase Receipt No,Primirea de cumpărare Nu +Purchase Receipt Required,Cumpărare de primire Obligatoriu +Purchase Receipt Trends,Tendințe Primirea de cumpărare +Purchase Receipt number required for Item {0},Număr Primirea de achiziție necesar pentru postul {0} +Purchase Receipt {0} is not submitted,Primirea de cumpărare {0} nu este prezentat +Purchase Register,Cumpărare Inregistrare +Purchase Return,Înapoi cumpărare +Purchase Returned,Cumpărare returnate +Purchase Taxes and Charges,Taxele de cumpărare și Taxe +Purchase Taxes and Charges Master,Taxele de cumpărare și taxe de Master +Purchse Order number required for Item {0},Număr de ordine Purchse necesar pentru postul {0} +Purpose,Scopul +Purpose must be one of {0},Scopul trebuie să fie una dintre {0} +QA Inspection,QA Inspecția +Qty,Cantitate +Qty Consumed Per Unit,Cantitate consumata pe unitatea +Qty To Manufacture,Cantitate pentru fabricarea +Qty as per Stock UOM,Cantitate conform Stock UOM +Qty to Deliver,Cantitate pentru a oferi +Qty to Order,Cantitate pentru comandă +Qty to Receive,Cantitate de a primi +Qty to Transfer,Cantitate de a transfera +Qualification,Calificare +Quality,Calitate +Quality Inspection,Inspecție de calitate +Quality Inspection Parameters,Parametrii de control de calitate +Quality Inspection Reading,Inspecție de calitate Reading +Quality Inspection Readings,Lecturi de control de calitate +Quality Inspection required for Item {0},Inspecție de calitate necesare pentru postul {0} +Quality Management,Managementul calitatii +Quantity,Cantitate +Quantity Requested for Purchase,Cantitate solicitată de cumparare +Quantity and Rate,Cantitatea și rata +Quantity and Warehouse,Cantitatea și Warehouse +Quantity cannot be a fraction in row {0},Cantitatea nu poate fi o fracțiune în rând {0} +Quantity for Item {0} must be less than {1},Cantitatea pentru postul {0} trebuie să fie mai mică de {1} +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}" +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 +Quantity required for Item {0} in row {1},Cantitatea necesară pentru postul {0} în rândul {1} +Quarter,Trimestru +Quarterly,Trimestrial +Quick Help,Ajutor rapid +Quotation,Citat +Quotation Date,Citat Data +Quotation Item,Citat Articol +Quotation Items,Cotație Articole +Quotation Lost Reason,Citat pierdut rațiunea +Quotation Message,Citat Mesaj +Quotation To,Citat Pentru a +Quotation Trends,Cotație Tendințe +Quotation {0} is cancelled,Citat {0} este anulat +Quotation {0} not of type {1},Citat {0} nu de tip {1} +Quotations received from Suppliers.,Cotatiilor primite de la furnizori. +Quotes to Leads or Customers.,Citate la Oportunitati sau clienți. +Raise Material Request when stock reaches re-order level,Ridica Material Cerere atunci când stocul ajunge la nivelul re-comandă +Raised By,Ridicate de +Raised By (Email),Ridicate de (e-mail) +Random,Aleatorii +Range,Interval +Rate,rată +Rate , +Rate (%),Rate (%) +Rate (Company Currency),Rata de (Compania de valuta) +Rate Of Materials Based On,Rate de materiale bazate pe +Rate and Amount,Rata și volumul +Rate at which Customer Currency is converted to customer's base currency,Rata la care Clientul valuta este convertită în valuta de bază a clientului +Rate at which Price list currency is converted to company's base currency,Rata la care lista de prețuri moneda este convertit în moneda de bază a companiei +Rate at which Price list currency is converted to customer's base currency,Rata la care lista de prețuri moneda este convertit în valuta de bază a clientului +Rate at which customer's currency is converted to company's base currency,Rata la care moneda clientului este convertită în valuta de bază a companiei +Rate at which supplier's currency is converted to company's base currency,Rata la care moneda furnizorului este convertit în moneda de bază a companiei +Rate at which this tax is applied,Rata la care se aplică acest impozit +Raw Material,Material brut +Raw Material Item Code,Material brut Articol Cod +Raw Materials Supplied,Materii prime furnizate +Raw Materials Supplied Cost,Costul materiilor prime livrate +Raw material cannot be same as main Item,Materii prime nu poate fi la fel ca Item principal +Re-Order Level,Re-Order de nivel +Re-Order Qty,Re-Order Cantitate +Re-order,Re-comandă +Re-order Level,Nivelul de re-comandă +Re-order Qty,Re-comanda Cantitate +Read,Citirea +Reading 1,Reading 1 +Reading 10,Reading 10 +Reading 2,Reading 2 +Reading 3,Reading 3 +Reading 4,Reading 4 +Reading 5,Lectură 5 +Reading 6,Reading 6 +Reading 7,Lectură 7 +Reading 8,Lectură 8 +Reading 9,Lectură 9 +Real Estate,Imobiliare +Reason,motiv +Reason for Leaving,Motiv pentru Lăsând +Reason for Resignation,Motiv pentru demisie +Reason for losing,Motiv pentru a pierde +Recd Quantity,Recd Cantitate +Receivable,De încasat +Receivable / Payable account will be identified based on the field Master Type,De încasat de cont / de plătit vor fi identificate pe baza teren de Master Tip +Receivables,Creanțe +Receivables / Payables,Creanțe / Datorii +Receivables Group,Creanțe Group +Received Date,Data primit +Received Items To Be Billed,Articole primite Pentru a fi facturat +Received Qty,Primit Cantitate +Received and Accepted,Primite și acceptate +Receiver List,Receptor Lista +Receiver List is empty. Please create Receiver List,Receptor Lista goala. Vă rugăm să creați Receiver Lista +Receiver Parameter,Receptor Parametru +Recipients,Destinatarii +Reconcile,Reconcilierea +Reconciliation Data,Reconciliere a datelor +Reconciliation HTML,Reconciliere HTML +Reconciliation JSON,Reconciliere JSON +Record item movement.,Mișcare element înregistrare. +Recurring Id,Recurent Id +Recurring Invoice,Factura recurent +Recurring Type,Tip recurent +Reduce Deduction for Leave Without Pay (LWP),Reduce Deducerea pentru concediu fără plată (LWP) +Reduce Earning for Leave Without Pay (LWP),Reduce Câștigul salarial de concediu fără plată (LWP) +Ref Code,Cod de Ref +Ref SQ,Ref SQ +Reference,Referinta +Reference #{0} dated {1},Reference # {0} din {1} +Reference Date,Data de referință +Reference Name,Nume de referință +Reference No & Reference Date is required for {0},Nu referință și de referință Data este necesar pentru {0} +Reference No is mandatory if you entered Reference Date,De referință nu este obligatorie în cazul în care ați introdus Reference Data +Reference Number,Numărul de referință +Reference Row #,Reference Row # +Refresh,Actualizare +Registration Details,Detalii de înregistrare +Registration Info,Înregistrare Info +Rejected,Respinse +Rejected Quantity,Respins Cantitate +Rejected Serial No,Respins de ordine +Rejected Warehouse,Depozit Respins +Rejected Warehouse is mandatory against regected item,Warehouse respins este obligatorie împotriva articol regected +Relation,Relație +Relieving Date,Alinarea Data +Relieving Date must be greater than Date of Joining,Alinarea Data trebuie să fie mai mare decât Data aderării +Remark,Remarcă +Remarks,Remarci +Rename,Redenumire +Rename Log,Redenumi Conectare +Rename Tool,Redenumirea Tool +Rent Cost,Chirie Cost +Rent per hour,Inchirieri pe oră +Rented,Închiriate +Repeat on Day of Month,Repetați în ziua de Luna +Replace,Înlocuirea +Replace Item / BOM in all BOMs,Înlocuiți Articol / BOM în toate extraselor +Replied,A răspuns: +Report Date,Data raportului +Report Type,Tip de raport +Report Type is mandatory,Tip de raport este obligatorie +Reports to,Rapoarte +Reqd By Date,Reqd de Date +Request Type,Cerere tip +Request for Information,Cerere de informații +Request for purchase.,Cere pentru cumpărare. +Requested,Solicitată +Requested For,Pentru a solicitat +Requested Items To Be Ordered,Elemente solicitate să fie comandate +Requested Items To Be Transferred,Elemente solicitate să fie transferată +Requested Qty,A solicitat Cantitate +"Requested Qty: Quantity requested for purchase, but not ordered.","A solicitat Cantitate: Cantitatea solicitate pentru achiziții, dar nu a ordonat." +Requests for items.,Cererile de elemente. +Required By,Cerute de +Required Date,Date necesare +Required Qty,Necesar Cantitate +Required only for sample item.,Necesar numai pentru element de probă. +Required raw materials issued to the supplier for producing a sub - contracted item.,Materii prime necesare emise de furnizor pentru producerea unui sub - element contractat. +Research,Cercetarea +Research & Development,Cercetare & Dezvoltare +Researcher,Cercetător +Reseller,Reseller +Reserved,Rezervat +Reserved Qty,Rezervate Cantitate +"Reserved Qty: Quantity ordered for sale, but not delivered.","Rezervate Cantitate: Cantitatea comandat de vânzare, dar nu livrat." +Reserved Quantity,Rezervat Cantitate +Reserved Warehouse,Rezervat Warehouse +Reserved Warehouse in Sales Order / Finished Goods Warehouse,Rezervat Warehouse în Vânzări Ordine / Produse finite Warehouse +Reserved Warehouse is missing in Sales Order,Rezervat Warehouse lipsește în comandă de vânzări +Reserved Warehouse required for stock Item {0} in row {1},Depozit rezervat necesar pentru stocul de postul {0} în rândul {1} +Reserved warehouse required for stock item {0},Depozit rezervat necesar pentru postul de valori {0} +Reserves and Surplus,Rezerve și Excedent +Reset Filters,Reset Filtre +Resignation Letter Date,Scrisoare de demisie Data +Resolution,Rezolutie +Resolution Date,Data rezoluție +Resolution Details,Rezoluția Detalii +Resolved By,Rezolvat prin +Rest Of The World,Restul lumii +Retail,Cu amănuntul +Retail & Wholesale,Retail & Wholesale +Retailer,Vânzător cu amănuntul +Review Date,Data Comentariului +Rgt,RGT +Role Allowed to edit frozen stock,Rol permise pentru a edita stoc congelate +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. +Root Type,Rădăcină Tip +Root Type is mandatory,Rădăcină de tip este obligatorie +Root account can not be deleted,Contul de root nu pot fi șterse +Root cannot be edited.,Rădăcină nu poate fi editat. +Root cannot have a parent cost center,Rădăcină nu poate avea un centru de cost părinte +Rounded Off,Rotunjite +Rounded Total,Rotunjite total +Rounded Total (Company Currency),Rotunjite total (Compania de valuta) +Row # , +Row # {0}: , +"Row {0}: Account does not match with \ + Purchase Invoice Credit To account",Rând {0}: Contul nu se potrivește cu \ \ n cumparare factura de credit a contului +"Row {0}: Account does not match with \ + Sales Invoice Debit To account",Rând {0}: Contul nu se potrivește cu \ \ n Factura Vanzare de debit a contului +Row {0}: Credit entry can not be linked with a Purchase Invoice,Rând {0}: intrare de credit nu poate fi legat cu o factura de cumpărare +Row {0}: Debit entry can not be linked with a Sales Invoice,Rând {0}: intrare de debit nu poate fi legat de o factură de vânzare +"Row {0}: To set {1} periodicity, difference between from and to date \ + must be greater than or equal to {2}","Rând {0}: Pentru a seta {1} periodicitate, diferența între data de început și \ \ n trebuie să fie mai mare sau egal cu {2}" +Row {0}:Start Date must be before End Date,Rând {0}: Data începerii trebuie să fie înainte de Data de încheiere +Rules for adding shipping costs.,Reguli pentru a adăuga costurile de transport maritim. +Rules for applying pricing and discount.,Normele de aplicare de stabilire a prețurilor și de scont. +Rules to calculate shipping amount for a sale,Reguli pentru a calcula suma de transport maritim pentru o vânzare +S.O. No.,SO Nu. +SMS Center,SMS Center +SMS Control,Controlul SMS +SMS Gateway URL,SMS Gateway URL +SMS Log,SMS Conectare +SMS Parameter,SMS Parametru +SMS Sender Name,SMS Sender Name +SMS Settings,Setări SMS +SO Date,SO Data +SO Pending Qty,SO așteptare Cantitate +SO Qty,SO Cantitate +Salary,Salariu +Salary Information,Informațiile de salarizare +Salary Manager,Salariul Director +Salary Mode,Mod de salariu +Salary Slip,Salariul Slip +Salary Slip Deduction,Salariul Slip Deducerea +Salary Slip Earning,Salariul Slip Câștigul salarial +Salary Slip of employee {0} already created for this month,Salariul alunecare de angajat {0} deja creat pentru această lună +Salary Structure,Structura salariu +Salary Structure Deduction,Structura Salariul Deducerea +Salary Structure Earning,Structura salariu Câștigul salarial +Salary Structure Earnings,Câștiguri Structura salariu +Salary breakup based on Earning and Deduction.,Salariul despartire bazat privind câștigul salarial și deducere. +Salary components.,Componente salariale. +Salary template master.,Maestru șablon salariu. +Sales,Vanzari +Sales Analytics,Analytics de vânzare +Sales BOM,Vânzări BOM +Sales BOM Help,Vânzări BOM Ajutor +Sales BOM Item,Vânzări BOM Articol +Sales BOM Items,Vânzări BOM Articole +Sales Browser,Vânzări Browser +Sales Details,Detalii de vanzari +Sales Discounts,Reduceri de vânzare +Sales Email Settings,Setări de vânzări de e-mail +Sales Expenses,Cheltuieli de vânzare +Sales Extras,Extras de vânzare +Sales Funnel,De vânzări pâlnie +Sales Invoice,Factură de vânzări +Sales Invoice Advance,Factura Vanzare Advance +Sales Invoice Item,Factură de vânzări Postul +Sales Invoice Items,Factura de vânzare Articole +Sales Invoice Message,Factură de vânzări Mesaj +Sales Invoice No,Factură de vânzări Nu +Sales Invoice Trends,Vânzări Tendințe factură +Sales Invoice {0} has already been submitted,Factură de vânzări {0} a fost deja prezentat +Sales Invoice {0} must be cancelled before cancelling this Sales Order,Factură de vânzări {0} trebuie anulată înainte de a anula această comandă de vânzări +Sales Order,Comandă de vânzări +Sales Order Date,Comandă de vânzări Data +Sales Order Item,Comandă de vânzări Postul +Sales Order Items,Vânzări Ordine Articole +Sales Order Message,Comandă de vânzări Mesaj +Sales Order No,Vânzări Ordinul nr +Sales Order Required,Comandă de vânzări obligatorii +Sales Order Trends,Vânzări Ordine Tendințe +Sales Order required for Item {0},Ordinul de vânzări necesar pentru postul {0} +Sales Order {0} is not submitted,Comandă de vânzări {0} nu este prezentat +Sales Order {0} is not valid,Comandă de vânzări {0} nu este valid +Sales Order {0} is stopped,Comandă de vânzări {0} este oprit +Sales Partner,Partener de vânzări +Sales Partner Name,Numele Partner Sales +Sales Partner Target,Vânzări Partner țintă +Sales Partners Commission,Agent vânzări al Comisiei +Sales Person,Persoana de vânzări +Sales Person Name,Sales Person Nume +Sales Person Target Variance Item Group-Wise,Persoana de vânzări țintă varianță Articol Grupa Înțelept +Sales Person Targets,Obiective de vânzări Persoana +Sales Person-wise Transaction Summary,Persoana de vânzări-înțelept Rezumat Transaction +Sales Register,Vânzări Inregistrare +Sales Return,Vânzări de returnare +Sales Returned,Vânzări întors +Sales Taxes and Charges,Taxele de vânzări și Taxe +Sales Taxes and Charges Master,Taxele de vânzări și taxe de Master +Sales Team,Echipa de vânzări +Sales Team Details,Detalii de vânzări Echipa +Sales Team1,Vânzări TEAM1 +Sales and Purchase,Vanzari si cumparare +Sales campaigns.,Campanii de vanzari. +Salutation,Salut +Sample Size,Eșantionul de dimensiune +Sanctioned Amount,Sancționate Suma +Saturday,Sâmbătă +Schedule,Program +Schedule Date,Program Data +Schedule Details,Detalii Program +Scheduled,Programat +Scheduled Date,Data programată +Scheduled to send to {0},Programat pentru a trimite la {0} +Scheduled to send to {0} recipients,Programat pentru a trimite la {0} destinatari +Scheduler Failed Events,Evenimente planificator nereușite +School/University,Școlar / universitar +Score (0-5),Scor (0-5) +Score Earned,Scor Earned +Score must be less than or equal to 5,Scorul trebuie să fie mai mică sau egală cu 5 +Scrap %,Resturi% +Seasonality for setting budgets.,Sezonier pentru stabilirea bugetelor. +Secretary,Secretar +Secured Loans,Împrumuturi garantate +Securities & Commodity Exchanges,A Valorilor Mobiliare și Burselor de Mărfuri +Securities and Deposits,Titluri de valoare și depozite +"See ""Rate Of Materials Based On"" in Costing Section","A se vedea ""Rate de materiale bazate pe"" în Costing Secțiunea" +"Select ""Yes"" for sub - contracting items","Selectați ""Da"" de sub - produse contractantă" +"Select ""Yes"" if this item is used for some internal purpose in your company.","Selectați ""Da"" în cazul în care acest element este folosit pentru un scop intern în compania dumneavoastră." +"Select ""Yes"" if this item represents some work like training, designing, consulting etc.","Selectați ""Da"" în cazul în care acest articol reprezintă ceva de lucru cum ar fi formarea, proiectare, consultanta etc" +"Select ""Yes"" if you are maintaining stock of this item in your Inventory.","Selectați ""Da"", dacă sunteți menținerea stocului de acest element în inventar." +"Select ""Yes"" if you supply raw materials to your supplier to manufacture this item.","Selectați ""Da"", dacă aprovizionarea cu materii prime a furnizorului dumneavoastră pentru a fabrica acest articol." +Select Budget Distribution to unevenly distribute targets across months.,Selectați Bugetul de distribuție pentru a distribui uniform obiective pe luni. +"Select Budget Distribution, if you want to track based on seasonality.","Selectați Buget Distribution, dacă doriți să urmăriți în funcție de sezonalitate." +Select DocType,Selectați DocType +Select Items,Selectați Elemente +Select Purchase Receipts,Selectați Încasări de cumpărare +Select Sales Orders,Selectați comenzi de vânzări +Select Sales Orders from which you want to create Production Orders.,Selectați comenzi de vânzări de la care doriți să creați comenzi de producție. +Select Time Logs and Submit to create a new Sales Invoice.,Selectați Timp Busteni Trimite pentru a crea o nouă factură de vânzare. +Select Transaction,Selectați Transaction +Select Your Language,Selectați limba +Select account head of the bank where cheque was deposited.,"Selectați contul șef al băncii, unde de verificare a fost depus." +Select company name first.,Selectați numele companiei în primul rând. +Select template from which you want to get the Goals,Selectați șablonul din care doriți să obțineți Obiectivelor +Select the Employee for whom you are creating the Appraisal.,Selectați angajatul pentru care doriți să creați de evaluare. +Select the period when the invoice will be generated automatically,Selectați perioada în care factura va fi generat automat +Select the relevant company name if you have multiple companies,"Selectați numele companiei în cauză, dacă aveți mai multe companii" +Select the relevant company name if you have multiple companies.,"Selectați numele companiei în cauză, dacă aveți mai multe companii." +Select who you want to send this newsletter to,Selectați care doriți să trimiteți acest newsletter +Select your home country and check the timezone and currency.,Selectați țara de origine și să verificați zona de fus orar și moneda. +"Selecting ""Yes"" will allow this item to appear in Purchase Order , Purchase Receipt.","Selectând ""Da"", va permite acest articol să apară în cumparare Ordine, Primirea de cumparare." +"Selecting ""Yes"" will allow this item to figure in Sales Order, Delivery Note","Selectând ""Da"", va permite acest element pentru a figura în comandă de vânzări, livrare Nota" +"Selecting ""Yes"" will allow you to create Bill of Material showing raw material and operational costs incurred to manufacture this item.","Selectând ""Da"", vă va permite să creați Bill of Material arată materii prime și costurile operaționale suportate pentru fabricarea acestui articol." +"Selecting ""Yes"" will allow you to make a Production Order for this item.","Selectând ""Da"", vă va permite să facă o comandă de producție pentru acest articol." +"Selecting ""Yes"" will give a unique identity to each entity of this item which can be viewed in the Serial No master.","Selectând ""Da"", va da o identitate unică pentru fiecare entitate din acest articol, care poate fi vizualizat în ordine maestru." +Selling,De vânzare +Selling Settings,Vanzarea Setări +Send,Trimiteți +Send Autoreply,Trimite Răspuns automat +Send Email,Trimiteți-ne email +Send From,Trimite la +Send Notifications To,Trimite notificări +Send Now,Trimite Acum +Send SMS,Trimite SMS +Send To,Pentru a trimite +Send To Type,Pentru a trimite Tip +Send mass SMS to your contacts,Trimite SMS-uri în masă a persoanelor de contact +Send to this list,Trimite pe această listă +Sender Name,Sender Name +Sent On,A trimis pe +Separate production order will be created for each finished good item.,Pentru producerea separată va fi creat pentru fiecare articol bun finit. +Serial No,Serial No +Serial No / Batch,Serial No / lot +Serial No Details,Serial Nu Detalii +Serial No Service Contract Expiry,Serial Nu Service Contract de expirare +Serial No Status,Serial Nu Statut +Serial No Warranty Expiry,Serial Nu Garantie pana +Serial No is mandatory for Item {0},Nu serial este obligatorie pentru postul {0} +Serial No {0} created,Serial Nu {0} a creat +Serial No {0} does not belong to Delivery Note {1},Serial No {0} nu aparține de livrare Nota {1} +Serial No {0} does not belong to Item {1},Serial Nu {0} nu aparține postul {1} +Serial No {0} does not belong to Warehouse {1},Serial Nu {0} nu apartine Warehouse {1} +Serial No {0} does not exist,Serial Nu {0} nu există +Serial No {0} has already been received,Serial Nu {0} a fost deja primit +Serial No {0} is under maintenance contract upto {1},Serial Nu {0} este sub contract de întreținere pana {1} +Serial No {0} is under warranty upto {1},Serial Nu {0} este în garanție pana {1} +Serial No {0} not in stock,Serial Nu {0} nu este în stoc +Serial No {0} quantity {1} cannot be a fraction,Serial Nu {0} {1} cantitate nu poate fi o fracțiune +Serial No {0} status must be 'Available' to Deliver,"Nu {0} Stare de serie trebuie să fie ""disponibile"" pentru a oferi" +Serial Nos Required for Serialized Item {0},Serial nr necesare pentru postul serializat {0} +Serial Number Series,Serial Number Series +Serial number {0} entered more than once,Număr de serie {0} a intrat de mai multe ori +"Serialized Item {0} cannot be updated \ + using Stock Reconciliation",Postul serializat {0} nu poate fi actualizat \ \ n folosind Bursa de reconciliere +Series,Serie +Series List for this Transaction,Lista de serie pentru această tranzacție +Series Updated,Seria Actualizat +Series Updated Successfully,Seria Actualizat cu succes +Series is mandatory,Seria este obligatorie +Series {0} already used in {1},Series {0} folosit deja în {1} +Service,Servicii +Service Address,Adresa serviciu +Services,Servicii +Set,Setează +"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Seta valorile implicite, cum ar fi Compania, valutar, Current Anul fiscal, etc" +Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,"Set bugetelor Grupa înțelept Articol de pe acest teritoriu. Puteți include, de asemenea, sezonier prin setarea distribuție." +Set as Default,Setat ca implicit +Set as Lost,Setați ca Lost +Set prefix for numbering series on your transactions,Set prefix pentru seria de numerotare pe tranzacțiile dvs. +Set targets Item Group-wise for this Sales Person.,Stabilească obiective Articol Grupa-înțelept pentru această persoană de vânzări. +Setting Account Type helps in selecting this Account in transactions.,Setarea Tipul de cont ajută în selectarea acest cont în tranzacții. +Setting up...,Configurarea ... +Settings,Setări +Settings for HR Module,Setările pentru modul HR +"Settings to extract Job Applicants from a mailbox e.g. ""jobs@example.com""","Setări pentru a extrage Solicitanții de locuri de muncă de la o cutie poștală de exemplu ""jobs@example.com""" +Setup,Setare +Setup Already Complete!!,Setup deja complet! +Setup Complete,Configurare complet +Setup Series,Seria de configurare +Setup Wizard,Setup Wizard +Setup incoming server for jobs email id. (e.g. jobs@example.com),Configurare de server de intrare pentru ocuparea forței de muncă id-ul de e-mail. (De exemplu jobs@example.com) +Setup incoming server for sales email id. (e.g. sales@example.com),Configurare de server de intrare pentru ID-ul de e-mail de vânzări. (De exemplu sales@example.com) +Setup incoming server for support email id. (e.g. support@example.com),Configurare de server de intrare pentru suport de e-mail id. (De exemplu support@example.com) +Share,Distribuiţi +Share With,Împărtăși cu +Shareholders Funds,Fondurile acționarilor +Shipments to customers.,Transporturile către clienți. +Shipping,Transport +Shipping Account,Contul de transport maritim +Shipping Address,Adresa de livrare +Shipping Amount,Suma de transport maritim +Shipping Rule,Regula de transport maritim +Shipping Rule Condition,Regula Condiții presetate +Shipping Rule Conditions,Condiții Regula de transport maritim +Shipping Rule Label,Regula de transport maritim Label +Shop,Magazin +Shopping Cart,Cosul de cumparaturi +Short biography for website and other publications.,Scurta biografie pentru site-ul web și alte publicații. +"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","Arata ""Pe stoc"" sau ""nu este pe stoc"", bazat pe stoc disponibil în acest depozit." +"Show / Hide features like Serial Nos, POS etc.","Arată / Ascunde caracteristici cum ar fi de serie nr, POS etc" +Show In Website,Arată în site-ul +Show a slideshow at the top of the page,Arata un slideshow din partea de sus a paginii +Show in Website,Arata pe site-ul +Show this slideshow at the top of the page,Arată această prezentare în partea de sus a paginii +Sick Leave,A concediului medical +Signature,Semnătura +Signature to be appended at the end of every email,Semnătura să fie adăugată la sfârșitul fiecărui email +Single,Celibatar +Single unit of an Item.,Unitate unică a unui articol. +Sit tight while your system is being setup. This may take a few moments.,Stai bine în timp ce sistemul este în curs de instalare. Acest lucru poate dura câteva momente. +Slideshow,Slideshow +Soap & Detergent,Soap & Detergent +Software,Software +Software Developer,Software Developer +"Sorry, Serial Nos cannot be merged","Ne pare rău, Serial nr nu se pot uni" +"Sorry, companies cannot be merged","Ne pare rău, companiile nu se pot uni" +Source,Sursă +Source File,Sursă de fișiere +Source Warehouse,Depozit sursă +Source and target warehouse cannot be same for row {0},Sursă și depozit țintă nu poate fi același pentru rând {0} +Source of Funds (Liabilities),Sursa fondurilor (pasive) +Source warehouse is mandatory for row {0},Depozit sursă este obligatorie pentru rând {0} +Spartan,Spartan +"Special Characters except ""-"" and ""/"" not allowed in naming series","Caractere speciale, cu excepția ""-"" și ""/"" nu este permis în denumirea serie" +Specification Details,Specificații Detalii +Specifications,Specificaţii: +"Specify a list of Territories, for which, this Price List is valid","Specificați o listă de teritorii, pentru care, aceasta lista de prețuri este valabilă" +"Specify a list of Territories, for which, this Shipping Rule is valid","Specificați o listă de teritorii, pentru care, aceasta regula transport maritim este valabil" +"Specify a list of Territories, for which, this Taxes Master is valid","Specificați o listă de teritorii, pentru care, aceasta Taxe Master este valabil" +"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ă." +Split Delivery Note into packages.,Împărțit de livrare Notă în pachete. +Sports,Sport +Standard,Standard +Standard Buying,Cumpararea Standard +Standard Rate,Rate Standard +Standard Reports,Rapoarte standard +Standard Selling,Vanzarea Standard +Standard contract terms for Sales or Purchase.,Clauzele contractuale standard pentru vânzări sau de cumpărare. +Start,Început(Pornire) +Start Date,Data începerii +Start date of current invoice's period,Data perioadei de factura de curent începem +Start date should be less than end date for Item {0},Data de începere trebuie să fie mai mică decât data de sfârșit pentru postul {0} +State,Stat +Static Parameters,Parametrii statice +Status,Stare +Status must be one of {0},Starea trebuie să fie una din {0} +Status of {0} {1} is now {2},Starea de {0} {1} este acum {2} +Status updated to {0},Starea actualizat la {0} +Statutory info and other general information about your Supplier,Info statutar și alte informații generale despre dvs. de Furnizor +Stay Updated,Stai Actualizat +Stock,Stoc +Stock Adjustment,Ajustarea stoc +Stock Adjustment Account,Cont Ajustarea stoc +Stock Ageing,Stoc Îmbătrânirea +Stock Analytics,Analytics stoc +Stock Assets,Active stoc +Stock Balance,Stoc Sold +Stock Entries already created for Production Order , +Stock Entry,Stoc de intrare +Stock Entry Detail,Stoc de intrare Detaliu +Stock Expenses,Cheltuieli stoc +Stock Frozen Upto,Stoc Frozen Până la +Stock Ledger,Stoc Ledger +Stock Ledger Entry,Stoc Ledger intrare +Stock Ledger entries balances updated,Stoc Ledger intrări solduri actualizate +Stock Level,Nivelul de stoc +Stock Liabilities,Pasive stoc +Stock Projected Qty,Stoc proiectată Cantitate +Stock Queue (FIFO),Stoc Queue (FIFO) +Stock Received But Not Billed,"Stock primite, dar nu Considerat" +Stock Reconcilation Data,Stoc al reconcilierii datelor +Stock Reconcilation Template,Stoc reconcilierii Format +Stock Reconciliation,Stoc Reconciliere +"Stock Reconciliation can be used to update the stock on a particular date, usually as per physical inventory.","Stock Reconcilierea poate fi utilizată pentru a actualiza stocul de la o anumită dată, de obicei conform inventarului fizic." +Stock Settings,Setări stoc +Stock UOM,Stoc UOM +Stock UOM Replace Utility,Stoc UOM Înlocuiți Utility +Stock UOM updatd for Item {0},Updatd UOM stoc pentru postul {0} +Stock Uom,Stoc UOM +Stock Value,Valoare stoc +Stock Value Difference,Valoarea Stock Diferența +Stock balances updated,Solduri stoc actualizate +Stock cannot be updated against Delivery Note {0},Stock nu poate fi actualizat împotriva livrare Nota {0} +Stock entries exist against warehouse {0} cannot re-assign or modify 'Master Name',"Intrări de stocuri exista împotriva depozit {0} nu poate re-aloca sau modifica ""Maestru Name""" +Stop,Oprire +Stop Birthday Reminders,De oprire de naștere Memento +Stop Material Request,Oprire Material Cerere +Stop users from making Leave Applications on following days.,Opri utilizatorii de la a face aplicații concediu pentru următoarele zile. +Stop!,Opriti-va! +Stopped,Oprita +Stopped order cannot be cancelled. Unstop to cancel.,Pentru a opri nu pot fi anulate. Unstop pentru a anula. +Stores,Magazine +Stub,Ciot +Sub Assemblies,Sub Assemblies +"Sub-currency. For e.g. ""Cent""","Sub-valută. De exemplu ""Cent """ +Subcontract,Subcontract +Subject,Subiect +Submit Salary Slip,Prezenta Salariul Slip +Submit all salary slips for the above selected criteria,Să prezinte toate fișele de salariu pentru criteriile selectate de mai sus +Submit this Production Order for further processing.,Trimiteți acest comandă de producție pentru prelucrarea ulterioară. +Submitted,Inscrisa +Subsidiary,Filială +Successful: , +Successfully allocated,Alocate cu succes +Suggestions,Sugestii +Sunday,Duminică +Supplier,Furnizor +Supplier (Payable) Account,Furnizor (furnizori) de cont +Supplier (vendor) name as entered in supplier master,"Furnizor (furnizor), nume ca a intrat in legatura cu furnizorul de master" +Supplier Account,Furnizor de cont +Supplier Account Head,Furnizor de cont Șeful +Supplier Address,Furnizor Adresa +Supplier Addresses and Contacts,Adrese furnizorului și de Contacte +Supplier Details,Detalii furnizor +Supplier Intro,Furnizor Intro +Supplier Invoice Date,Furnizor Data facturii +Supplier Invoice No,Furnizor Factura Nu +Supplier Name,Furnizor Denumire +Supplier Naming By,Furnizor de denumire prin +Supplier Part Number,Furnizor Număr +Supplier Quotation,Furnizor ofertă +Supplier Quotation Item,Furnizor ofertă Articol +Supplier Reference,Furnizor de referință +Supplier Type,Furnizor Tip +Supplier Type / Supplier,Furnizor Tip / Furnizor +Supplier Type master.,Furnizor de tip maestru. +Supplier Warehouse,Furnizor Warehouse +Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Furnizor Depozit obligatoriu pentru contractate sub-cumparare Primirea +Supplier database.,Baza de date furnizor. +Supplier master.,Furnizor maestru. +Supplier warehouse where you have issued raw materials for sub - contracting,Depozit furnizor în cazul în care au emis materii prime pentru sub - contractare +Supplier-Wise Sales Analytics,Furnizor înțelept Vânzări Analytics +Support,Suport +Support Analtyics,Analtyics Suport +Support Analytics,Suport Analytics +Support Email,Suport de e-mail +Support Email Settings,Suport Setări e-mail +Support Password,Suport Parola +Support Ticket,Bilet de sprijin +Support queries from customers.,Interogări de suport din partea clienților. +Symbol,Simbol +Sync Support Mails,Sync Suport mailuri +Sync with Dropbox,Sincronizare cu Dropbox +Sync with Google Drive,Sincronizare cu Google Drive +System,Sistem +System Settings,Setări de sistem +"System User (login) ID. If set, it will become default for all HR forms.","Utilizator de sistem (login) de identitate. Dacă este setat, el va deveni implicit pentru toate formele de resurse umane." +Target Amount,Suma țintă +Target Detail,Țintă Detaliu +Target Details,Țintă Detalii +Target Details1,Țintă Details1 +Target Distribution,Țintă Distribuție +Target On,Țintă pe +Target Qty,Țintă Cantitate +Target Warehouse,Țintă Warehouse +Target warehouse in row {0} must be same as Production Order,Depozit țintă în rândul {0} trebuie să fie același ca și de producție de comandă +Target warehouse is mandatory for row {0},Depozit țintă este obligatorie pentru rând {0} +Task,Operatiune +Task Details,Sarcina Detalii +Tasks,Task-uri +Tax,Impozite +Tax Amount After Discount Amount,Suma taxa După Discount Suma +Tax Assets,Active fiscale +Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,"Taxa Categoria nu poate fi ""de evaluare"" sau ""de evaluare și total"", ca toate elementele sunt produse non-stoc" +Tax Rate,Cota de impozitare +Tax and other salary deductions.,Impozitul și alte rețineri salariale. +"Tax detail table fetched from item master as a string and stored in this field. +Used for Taxes and Charges",Taxa detaliu tabel preluat de la maestru element ca un șir și stocate în acest domeniu. \ NUtilizat pentru Impozite și Taxe +Tax template for buying transactions.,Șablon taxa pentru tranzacțiilor de cumpărare. +Tax template for selling transactions.,Șablon impozit pentru tranzacțiile de vânzare. +Taxable,Impozabil +Taxes and Charges,Impozite și Taxe +Taxes and Charges Added,Impozite și Taxe Added +Taxes and Charges Added (Company Currency),Impozite și Taxe adăugate (Compania de valuta) +Taxes and Charges Calculation,Impozite și Taxe Calcul +Taxes and Charges Deducted,Impozite și Taxe dedus +Taxes and Charges Deducted (Company Currency),Impozite și taxe deduse (Compania de valuta) +Taxes and Charges Total,Impozite și Taxe total +Taxes and Charges Total (Company Currency),Impozite și Taxe total (Compania de valuta) +Technology,Tehnologia nou-aparuta +Telecommunications,Telecomunicații +Telephone Expenses,Cheltuieli de telefon +Television,Televiziune +Template for performance appraisals.,Șablon pentru evaluările de performanță. +Template of terms or contract.,Șablon de termeni sau contractului. +Temporary Accounts (Assets),Conturile temporare (Active) +Temporary Accounts (Liabilities),Conturile temporare (pasive) +Temporary Assets,Active temporare +Temporary Liabilities,Pasive temporare +Term Details,Detalii pe termen +Terms,Termeni +Terms and Conditions,Termeni şi condiţii +Terms and Conditions Content,Termeni și condiții de conținut +Terms and Conditions Details,Termeni și condiții Detalii +Terms and Conditions Template,Termeni și condiții Format +Terms and Conditions1,Termeni și Conditions1 +Terretory,Terretory +Territory,Teritoriu +Territory / Customer,Teritoriu / client +Territory Manager,Teritoriu Director +Territory Name,Teritoriului Denumire +Territory Target Variance Item Group-Wise,Teritoriul țintă Variance Articol Grupa Înțelept +Territory Targets,Obiective Territory +Test,Teste +Test Email Id,Test de e-mail Id-ul +Test the Newsletter,Testați Newsletter +The BOM which will be replaced,BOM care va fi înlocuit +The First User: You,Primul utilizator: +"The Item that represents the Package. This Item must have ""Is Stock Item"" as ""No"" and ""Is Sales Item"" as ""Yes""","Elementul care reprezintă pachetul. Acest articol trebuie să fi ""Este Piesa"" ca ""Nu"" și ""este produs de vânzări"" ca ""Da""" +The Organization,Organizația +"The account head under Liability, in which Profit/Loss will be booked","Contul capul sub răspunderii, în care Profit / pierdere va fi rezervat" +"The date on which next invoice will be generated. It is generated on submit. +",Data la care va fi generat următoarea factură. Acesta este generat pe prezinte. \ N +The date on which recurring invoice will be stop,La data la care factura recurente vor fi opri +"The day of the month on which auto invoice will be generated e.g. 05, 28 etc ", +The day(s) on which you are applying for leave are holiday. You need not apply for leave.,A doua zi (e) pe care aplici pentru concediu sunt vacanță. Tu nu trebuie să se aplice pentru concediu. +The first Leave Approver in the list will be set as the default Leave Approver,Primul Aprobatorul Lăsați în lista va fi setat ca implicit concediu aprobator +The first user will become the System Manager (you can change that later).,Primul utilizator va deveni System Manager (puteți schimba asta mai târziu). +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)" +The name of your company for which you are setting up this system.,Numele companiei dumneavoastră pentru care vă sunt configurarea acestui sistem. +The net weight of this package. (calculated automatically as sum of net weight of items),Greutatea netă a acestui pachet. (Calculat automat ca suma de greutate netă de produs) +The new BOM after replacement,Noul BOM după înlocuirea +The rate at which Bill Currency is converted into company's base currency,Rata la care Bill valuta este convertit în moneda de bază a companiei +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. +There are more holidays than working days this month.,Există mai multe sărbători decât de zile de lucru în această lună. +"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Nu poate fi doar o singură regulă Condiții presetate cu 0 sau o valoare necompletată pentru ""la valoarea""" +There is not enough leave balance for Leave Type {0},Nu există echilibru concediu suficient pentru concediul de tip {0} +There is nothing to edit.,Nu este nimic pentru a edita. +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.,Nu a fost o eroare. Un motiv probabil ar putea fi că nu ați salvat formularul. Vă rugăm să contactați support@erpnext.com dacă problema persistă. +There were errors.,Au fost erori. +This Currency is disabled. Enable to use in transactions,Acest valutar este dezactivată. Permite să folosească în tranzacțiile +This Leave Application is pending approval. Only the Leave Apporver can update status.,Această aplicație concediu este în curs de aprobare. Numai concediu Apporver poate actualiza starea. +This Time Log Batch has been billed.,Acest lot Timpul Log a fost facturat. +This Time Log Batch has been cancelled.,Acest lot Timpul Log a fost anulat. +This Time Log conflicts with {0},This Time Log conflict cu {0} +This is a root account and cannot be edited.,Acesta este un cont de rădăcină și nu pot fi editate. +This is a root customer group and cannot be edited.,Acesta este un grup de clienți rădăcină și nu pot fi editate. +This is a root item group and cannot be edited.,Acesta este un grup element rădăcină și nu pot fi editate. +This is a root sales person and cannot be edited.,Aceasta este o persoană de vânzări rădăcină și nu pot fi editate. +This is a root territory and cannot be edited.,Acesta este un teritoriu rădăcină și nu pot fi editate. +This is an example website auto-generated from ERPNext,Acesta este un site web exemplu auto-generat de ERPNext +This is the number of the last created transaction with this prefix,Acesta este numărul ultimei tranzacții creat cu acest prefix +This will be used for setting rule in HR module,Aceasta va fi utilizată pentru stabilirea regulă în modul de HR +Thread HTML,HTML fir +Thursday,Joi +Time Log,Timp Conectare +Time Log Batch,Timp Log lot +Time Log Batch Detail,Ora Log lot Detaliu +Time Log Batch Details,Timp Jurnal Detalii lot +Time Log Batch {0} must be 'Submitted',"Ora Log Lot {0} trebuie să fie ""Înscris""" +Time Log for tasks.,Log timp de sarcini. +Time Log {0} must be 'Submitted',"Ora Log {0} trebuie să fie ""Înscris""" +Time Zone,Time Zone +Time Zones,Time Zones +Time and Budget,Timp și buget +Time at which items were delivered from warehouse,Timp în care obiectele au fost livrate de la depozit +Time at which materials were received,Timp în care s-au primit materiale +Title,Titlu +Titles for print templates e.g. Proforma Invoice.,"Titluri de șabloane de imprimare, de exemplu proforma Factura." +To,Până la data +To Currency,Pentru a valutar +To Date,La Data +To Date should be same as From Date for Half Day leave,Pentru a Data trebuie să fie aceeași ca la data de concediu de jumatate de zi +To Discuss,Pentru a discuta +To Do List,To do list +To Package No.,La pachetul Nr +To Produce,Pentru a produce +To Time,La timp +To Value,La valoarea +To Warehouse,Pentru Warehouse +"To add child nodes, explore tree and click on the node under which you want to add more nodes.","Pentru a adăuga noduri copil, explora copac și faceți clic pe nodul în care doriți să adăugați mai multe noduri." +"To assign this issue, use the ""Assign"" button in the sidebar.","Pentru a atribui această problemă, utilizați butonul ""Assign"" în bara laterală." +To create a Bank Account:,Pentru a crea un cont bancar: +To create a Tax Account:,Pentru a crea un cont fiscal: +"To create an Account Head under a different company, select the company and save customer.","Pentru a crea un cap de cont sub o altă companie, selecta compania și de a salva client." +To date cannot be before from date,Până în prezent nu poate fi înainte de data +To enable Point of Sale features,Pentru a permite Point of Sale caracteristici +To enable Point of Sale view,Pentru a permite Point of Sale de vedere +To get Item Group in details table,Pentru a obține Grupa de articole în detalii de masă +"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" +"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" +"To report an issue, go to ", +"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""" +To track any installation or commissioning related work after sales,Pentru a urmări orice instalare sau punere în lucrările conexe după vânzări +"To track brand name in the following documents Delivery Note, Opportunity, Material Request, Item, Purchase Order, Purchase Voucher, Purchaser Receipt, Quotation, Sales Invoice, Sales BOM, Sales Order, Serial No","Pentru a urmări nume de marcă în următoarele documente nota de livrare, oportunitate, cerere Material, Item, Ordinul de cumparare, cumparare Voucherul, Cumpărătorul Primirea, cotatie, Factura Vanzare, Vanzari BOM, comandă de vânzări, Serial nr" +To track item in sales and purchase documents based on their serial nos. This is can also used to track warranty details of the product.,"Pentru a urmări element în vânzări și a documentelor de achiziție, pe baza lor de serie nr. Acest lucru se poate, de asemenea, utilizat pentru a urmări detalii de garanție ale produsului." +To track items in sales and purchase documents with batch nos
Preferred Industry: Chemicals etc,"Pentru a urmări elementele din vânzări și achiziționarea de documente, cu lot nr cui Industrie preferată: Produse chimice etc " +To track items using barcode. You will be able to enter items in Delivery Note and Sales Invoice by scanning barcode of item.,Pentru a urmări elemente utilizând coduri de bare. Va fi capabil de a intra articole în nota de livrare și factură de vânzare prin scanarea codului de bare de element. +Tools,Instrumentele +Total,totală +Total Advance,Total de Advance +Total Allocated Amount,Suma totală alocată +Total Allocated Amount can not be greater than unmatched amount,Suma totală alocată nu poate fi mai mare decât valoarea de neegalat +Total Amount,Suma totală +Total Amount To Pay,Suma totală să plătească +Total Amount in Words,Suma totală în cuvinte +Total Billing This Year: , +Total Claimed Amount,Total suma pretinsă +Total Commission,Total de Comisie +Total Cost,Cost total +Total Credit,Total de Credit +Total Debit,Totală de debit +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} +Total Deduction,Total de deducere +Total Earning,Câștigul salarial total de +Total Experience,Experiența totală +Total Hours,Total ore +Total Hours (Expected),Numărul total de ore (Expected) +Total Invoiced Amount,Sumă totală facturată +Total Leave Days,Total de zile de concediu +Total Leaves Allocated,Totalul Frunze alocate +Total Message(s),Total de mesaje (e) +Total Operating Cost,Cost total de operare +Total Points,Total puncte +Total Raw Material Cost,Cost total de materii prime +Total Sanctioned Amount,Suma totală sancționat +Total Score (Out of 5),Scor total (din 5) +Total Tax (Company Currency),Totală Brut (Compania de valuta) +Total Taxes and Charges,Total Impozite și Taxe +Total Taxes and Charges (Company Currency),Total Impozite si Taxe (Compania valutar) +Total Words,Totalul Cuvinte +Total Working Days In The Month,Zile de lucru total în luna +Total allocated percentage for sales team should be 100,Procentul total alocat pentru echipa de vânzări ar trebui să fie de 100 +Total amount of invoices received from suppliers during the digest period,Suma totală a facturilor primite de la furnizori în timpul perioadei Digest +Total amount of invoices sent to the customer during the digest period,Suma totală a facturilor trimise clientului în timpul perioadei Digest +Total cannot be zero,Totală nu poate să fie zero +Total in words,Totală în cuvinte +Total points for all goals should be 100. It is {0},Numărul total de puncte pentru toate obiectivele trebuie să fie de 100. Este {0} +Total weightage assigned should be 100%. It is {0},Weightage total alocat este de 100%. Este {0} +Totals,Totaluri +Track Leads by Industry Type.,Track conduce de Industrie tip. +Track this Delivery Note against any Project,Urmareste acest Livrare Note împotriva oricărui proiect +Track this Sales Order against any Project,Urmareste acest Ordin de vânzări față de orice proiect +Transaction,Tranzacție +Transaction Date,Tranzacție Data +Transaction not allowed against stopped Production Order {0},Tranzacție nu este permis împotriva oprit comandă de producție {0} +Transfer,Transfer +Transfer Material,Material de transfer +Transfer Raw Materials,Transfer de materii prime +Transferred Qty,Transferat Cantitate +Transportation,Transport +Transporter Info,Info Transporter +Transporter Name,Transporter Nume +Transporter lorry number,Număr Transporter camion +Travel,Călători +Travel Expenses,Cheltuieli de călătorie +Tree Type,Arbore Tip +Tree of Item Groups.,Arborele de Postul grupuri. +Tree of finanial Cost Centers.,Arborele de centre de cost finanial. +Tree of finanial accounts.,Arborele de conturi finanial. +Trial Balance,Balanta +Tuesday,Marți +Type,Tip +Type of document to rename.,Tip de document pentru a redenumi. +"Type of leaves like casual, sick etc.","Tip de frunze, cum ar fi casual, bolnavi, etc" +Types of Expense Claim.,Tipuri de cheltuieli de revendicare. +Types of activities for Time Sheets,Tipuri de activități de fișe de pontaj +"Types of employment (permanent, contract, intern etc.).","Tipuri de locuri de muncă (permanent, contractul, intern etc)." +UOM Conversion Detail,Detaliu UOM de conversie +UOM Conversion Details,UOM Detalii de conversie +UOM Conversion Factor,Factorul de conversie UOM +UOM Conversion factor is required in row {0},Factor UOM de conversie este necesară în rândul {0} +UOM Name,Numele UOM +UOM coversion factor required for UOM {0} in Item {1},Factor coversion UOM necesar pentru UOM {0} de la postul {1} +Under AMC,Sub AMC +Under Graduate,Sub Absolvent +Under Warranty,Sub garanție +Unit,Unitate +Unit of Measure,Unitatea de măsură +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 +"Unit of measurement of this item (e.g. Kg, Unit, No, Pair).","Unitatea de măsură a acestui articol (de exemplu, Kg, Unitatea, Nu, pereche)." +Units/Hour,Unități / oră +Units/Shifts,Unități / Schimburi +Unmatched Amount,Suma de neegalat +Unpaid,Neachitat +Unscheduled,Neprogramat +Unsecured Loans,Creditele negarantate +Unstop,Unstop +Unstop Material Request,Unstop Material Cerere +Unstop Purchase Order,Unstop Comandă +Unsubscribed,Nesubscrise +Update,Actualizați +Update Clearance Date,Actualizare Clearance Data +Update Cost,Actualizare Cost +Update Finished Goods,Marfuri actualizare finite +Update Landed Cost,Actualizare Landed Cost +Update Series,Actualizare Series +Update Series Number,Actualizare Serii Număr +Update Stock,Actualizați Stock +"Update allocated amount in the above table and then click ""Allocate"" button","Actualizare a alocat sume în tabelul de mai sus și apoi faceți clic pe butonul ""Alocarea""" +Update bank payment dates with journals.,Actualizați datele de plată bancar cu reviste. +Update clearance date of Journal Entries marked as 'Bank Vouchers',"Data de clearance-ul de actualizare de jurnal intrările marcate ca ""Tichete Bank""" +Updated,Actualizat +Updated Birthday Reminders,Actualizat Data nasterii Memento +Upload Attendance,Încărcați Spectatori +Upload Backups to Dropbox,Încărcați Backup pentru Dropbox +Upload Backups to Google Drive,Încărcați Backup pentru unitate Google +Upload HTML,Încărcați HTML +Upload a .csv file with two columns: the old name and the new name. Max 500 rows.,Încărcați un fișier csv cu două coloane:. Numele vechi și noul nume. Max 500 rânduri. +Upload attendance from a .csv file,Încărcați de participare dintr-un fișier csv. +Upload stock balance via csv.,Încărcați echilibru stoc prin csv. +Upload your letter head and logo - you can edit them later.,Încărcați capul scrisoare și logo-ul - le puteți edita mai târziu. +Upper Income,Venituri de sus +Urgent,De urgență +Use Multi-Level BOM,Utilizarea Multi-Level BOM +Use SSL,Utilizați SSL +User,Utilizator +User ID,ID-ul de utilizator +User ID not set for Employee {0},ID-ul de utilizator nu este setat pentru Angajat {0} +User Name,Nume utilizator +User Name or Support Password missing. Please enter and try again.,Numele de utilizator sau parola de sprijin lipsește. Vă rugăm să introduceți și să încercați din nou. +User Remark,Observație utilizator +User Remark will be added to Auto Remark,Observație utilizator va fi adăugat la Auto Observație +User Remarks is mandatory,Utilizatorul Observații este obligatorie +User Specific,Utilizatorul specifică +User must always select,Utilizatorul trebuie să selecteze întotdeauna +User {0} is already assigned to Employee {1},Utilizatorul {0} este deja alocat Angajat {1} +User {0} is disabled,Utilizatorul {0} este dezactivat +Username,Nume utilizator +Users with this role are allowed to create / modify accounting entry before frozen date,Utilizatorii cu acest rol sunt permise pentru a crea / modifica intrare contabilitate înainte de data congelate +Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Utilizatorii cu acest rol li se permite să stabilească în conturile înghețate și de a crea / modifica intrări contabile împotriva conturile înghețate +Utilities,Utilities +Utility Expenses,Cheltuieli de utilitate +Valid For Territories,Valabil pentru teritoriile +Valid From,Valabil de la +Valid Upto,Valid Până la +Valid for Territories,Valabil pentru teritoriile +Validate,Valida +Valuation,Evaluare +Valuation Method,Metoda de evaluare +Valuation Rate,Rata de evaluare +Valuation Rate required for Item {0},Rata de evaluare necesar pentru postul {0} +Valuation and Total,Evaluare și Total +Value,Valoare +Value or Qty,Valoare sau Cantitate +Vehicle Dispatch Date,Dispeceratul vehicul Data +Vehicle No,Vehicul Nici +Venture Capital,Capital de Risc +Verified By,Verificate de +View Ledger,Vezi Ledger +View Now,Vizualizează acum +Visit report for maintenance call.,Vizitați raport de apel de întreținere. +Voucher #,Voucher # +Voucher Detail No,Detaliu voucher Nu +Voucher ID,ID Voucher +Voucher No,Voletul nr +Voucher No is not valid,Nu voucher nu este valid +Voucher Type,Tip Voucher +Voucher Type and Date,Tipul Voucher și data +Walk In,Walk In +Warehouse,Depozit +Warehouse Contact Info,Depozit Contact +Warehouse Detail,Depozit Detaliu +Warehouse Name,Depozit Denumire +Warehouse and Reference,Depozit și de referință +Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Depozit nu pot fi șterse ca exista intrare stoc registrul pentru acest depozit. +Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Depozit poate fi modificat numai prin Bursa de primire de intrare / livrare Nota / cumparare +Warehouse cannot be changed for Serial No.,Depozit nu poate fi schimbat pentru Serial No. +Warehouse is mandatory for stock Item {0} in row {1},Depozit este obligatorie pentru stocul de postul {0} în rândul {1} +Warehouse is missing in Purchase Order,Depozit lipsește în Comandă +Warehouse not found in the system,Depozit nu a fost găsit în sistemul +Warehouse required for stock Item {0},Depozit necesar pentru stocul de postul {0} +Warehouse required in POS Setting,Depozit necesare în Setarea POS +Warehouse where you are maintaining stock of rejected items,Depozit în cazul în care se menține stocul de articole respinse +Warehouse {0} can not be deleted as quantity exists for Item {1},Depozit {0} nu poate fi ștearsă ca exista cantitate pentru postul {1} +Warehouse {0} does not belong to company {1},Depozit {0} nu aparține companiei {1} +Warehouse {0} does not exist,Depozit {0} nu există +Warehouse-Wise Stock Balance,Depozit-înțelept Stock Balance +Warehouse-wise Item Reorder,-Depozit înțelept Postul de Comandă +Warehouses,Depozite +Warehouses.,Depozite. +Warn,Avertiza +Warning: Leave application contains following block dates,Atenție: Lăsați aplicație conține următoarele date de bloc +Warning: Material Requested Qty is less than Minimum Order Qty,Atenție: Materialul solicitat Cant este mai mică decât minima pentru comanda Cantitate +Warning: Sales Order {0} already exists against same Purchase Order number,Atenție: comandă de vânzări {0} există deja în număr aceeași comandă de aprovizionare +Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Atenție: Sistemul nu va verifica supraîncărcată din sumă pentru postul {0} din {1} este zero +Warranty / AMC Details,Garanție / AMC Detalii +Warranty / AMC Status,Garanție / AMC Starea +Warranty Expiry Date,Garanție Data expirării +Warranty Period (Days),Perioada de garanție (zile) +Warranty Period (in days),Perioada de garanție (în zile) +We buy this Item,Cumparam acest articol +We sell this Item,Vindem acest articol +Website,Site web +Website Description,Site-ul Descriere +Website Item Group,Site-ul Grupa de articole +Website Item Groups,Site-ul Articol Grupuri +Website Settings,Setarile site ului +Website Warehouse,Site-ul Warehouse +Wednesday,Miercuri +Weekly,Saptamanal +Weekly Off,Săptămânal Off +Weight UOM,Greutate UOM +"Weight is mentioned,\nPlease mention ""Weight UOM"" too", +Weightage,Weightage +Weightage (%),Weightage (%) +Welcome,Bine ați venit +Welcome to ERPNext. Over the next few minutes we will help you setup your ERPNext account. Try and fill in as much information as you have even if it takes a bit longer. It will save you a lot of time later. Good Luck!,"Bine ati venit la ERPNext. De-a lungul următoarele câteva minute va vom ajuta sa de configurare a contului dvs. ERPNext. Încercați și să completați cât mai multe informații aveți, chiar dacă este nevoie de un pic mai mult. Aceasta va salva o mulțime de timp mai târziu. Good Luck!" +Welcome to ERPNext. Please select your language to begin the Setup Wizard.,Bine ati venit la ERPNext. Vă rugăm să selectați limba pentru a începe Expertul de instalare. +What does it do?,Ce face? +"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.","Atunci când oricare dintre tranzacțiile verificate sunt ""Trimis"", un e-mail de tip pop-up a deschis în mod automat pentru a trimite un e-mail la ""Contact"", asociat în această operațiune, cu tranzacția ca un atașament. Utilizatorul poate sau nu poate trimite e-mail." +"When submitted, the system creates difference entries to set the given stock and valuation on this date.","Când a prezentat, sistemul creează intrări diferență pentru a stabili stocul dat și evaluarea la această dată." +Where items are stored.,În cazul în care elementele sunt stocate. +Where manufacturing operations are carried out.,În cazul în care operațiunile de fabricație sunt efectuate. +Widowed,Văduvit +Will be calculated automatically when you enter the details,Vor fi calculate automat atunci când introduceți detaliile +Will be updated after Sales Invoice is Submitted.,Vor fi actualizate după Factura Vanzare este prezentat. +Will be updated when batched.,Vor fi actualizate atunci când dozate. +Will be updated when billed.,Vor fi actualizate atunci când facturat. +Wire Transfer,Transfer +With Operations,Cu Operațiuni +With period closing entry,Cu intrare perioadă de închidere +Work Details,Detalii de lucru +Work Done,Activitatea desfășurată +Work In Progress,Lucrări în curs +Work-in-Progress Warehouse,De lucru-in-Progress Warehouse +Work-in-Progress Warehouse is required before Submit,De lucru-in-Progress Warehouse este necesară înainte Trimite +Working,De lucru +Workstation,Stație de lucru +Workstation Name,Stație de lucru Nume +Write Off Account,Scrie Off cont +Write Off Amount,Scrie Off Suma +Write Off Amount <=,Scrie Off Suma <= +Write Off Based On,Scrie Off bazat pe +Write Off Cost Center,Scrie Off cost Center +Write Off Outstanding Amount,Scrie Off remarcabile Suma +Write Off Voucher,Scrie Off Voucher +Wrong Template: Unable to find head row.,Format greșit: Imposibil de găsit rând cap. +Year,An +Year Closed,An Închis +Year End Date,Anul Data de încheiere +Year Name,An Denumire +Year Start Date,An Data începerii +Year Start Date and Year End Date are already set in Fiscal Year {0},Data începerii an și de sfârșit de an data sunt deja stabilite în anul fiscal {0} +Year Start Date and Year End Date are not within Fiscal Year.,Data începerii an și Anul Data de încheiere nu sunt în anul fiscal. +Year Start Date should not be greater than Year End Date,An Data începerii nu trebuie să fie mai mare de sfârșit de an Data +Year of Passing,Ani de la promovarea +Yearly,Anual +Yes,Da +You are not authorized to add or update entries before {0},Tu nu sunt autorizate să adăugați sau actualizare intrări înainte de {0} +You are not authorized to set Frozen value,Tu nu sunt autorizate pentru a seta valoarea Frozen +You are the Expense Approver for this record. Please Update the 'Status' and Save,"Sunteți aprobator cheltuieli pentru acest record. Vă rugăm Actualizați ""statutul"" și Salvare" +You are the Leave Approver for this record. Please Update the 'Status' and Save,"Sunteți aprobator Lăsați pentru această înregistrare. Vă rugăm Actualizați ""statutul"" și Salvare" +You can enter any date manually,Puteți introduce manual orice dată +You can enter the minimum quantity of this item to be ordered.,Puteți introduce cantitatea minimă de acest element pentru a fi comandat. +You can not assign itself as parent account,Nu se poate atribui ca cont părinte +You can not change rate if BOM mentioned agianst any item,Nu puteți schimba rata dacă BOM menționat agianst orice element +You can not enter both Delivery Note No and Sales Invoice No. Please enter any one.,Nu puteți introduce atât de livrare Notă Nu și Factura Vanzare Nr Vă rugăm să introduceți nici una. +You can not enter current voucher in 'Against Journal Voucher' column,"Nu puteți introduce voucher curent în ""Împotriva Jurnalul Voucher"" coloana" +You can set Default Bank Account in Company master,Puteți seta implicit cont bancar în maestru de companie +You can start by selecting backup frequency and granting access for sync,Puteți începe prin selectarea frecvenței de backup și acordarea de acces pentru sincronizare +You can submit this Stock Reconciliation.,Puteți trimite această Bursa de reconciliere. +You can update either Quantity or Valuation Rate or both.,Puteți actualiza fie Cantitate sau Evaluează evaluare sau ambele. +You cannot credit and debit same account at the same time,"Nu puteți credit și de debit același cont, în același timp," +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. +You may need to update: {0},Posibil să aveți nevoie pentru a actualiza: {0} +You must Save the form before proceeding,Trebuie să salvați formularul înainte de a începe +You must allocate amount before reconcile,Trebuie să aloce sume înainte de reconciliere +Your Customer's TAX registration numbers (if applicable) or any general information,Numerele de înregistrare fiscală clientului dumneavoastră (dacă este cazul) sau orice informații generale +Your Customers,Clienții dvs. +Your Login Id,Intra Id-ul dvs. +Your Products or Services,Produsele sau serviciile dvs. +Your Suppliers,Furnizorii dumneavoastră +Your email address,Adresa dvs. de e-mail +Your financial year begins on,An dvs. financiar începe la data de +Your financial year ends on,An dvs. financiar se încheie pe +Your sales person who will contact the customer in future,Persoana de vânzări care va contacta clientul în viitor +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 +Your setup is complete. Refreshing...,Configurarea este completă. Refreshing ... +Your support email id - must be a valid email - this is where your emails will come!,Suport e-mail id-ul dvs. - trebuie să fie un e-mail validă - aceasta este în cazul în care e-mailurile tale vor veni! +[Select],[Select] +`Freeze Stocks Older Than` should be smaller than %d days.,`Stocuri Freeze mai în vârstă decât` ar trebui să fie mai mică decât% d zile. +and,și +are not allowed.,nu sunt permise. +assigned by,atribuit de către +"e.g. ""Build tools for builders""","de exemplu ""Construi instrumente de constructori """ +"e.g. ""MC""","de exemplu ""MC """ +"e.g. ""My Company LLC""","de exemplu ""My Company LLC """ +e.g. 5,de exemplu 5 +"e.g. Bank, Cash, Credit Card","de exemplu, bancar, Cash, Card de credit" +"e.g. Kg, Unit, Nos, m","de exemplu, Kg, Unitatea, nr, m" +e.g. VAT,"de exemplu, TVA" +eg. Cheque Number,de exemplu. Numărul Cec +example: Next Day Shipping,exemplu: Next Day Shipping +lft,LFT +old_parent,old_parent +rgt,RGT +website page link,pagina site-ului link-ul +{0} '{1}' not in Fiscal Year {2},"{0} {1} ""nu este în anul fiscal {2}" +{0} Credit limit {0} crossed,{0} Limita de credit {0} trecut +{0} Serial Numbers required for Item {0}. Only {0} provided.,{0} numere de serie necesare pentru postul {0}. Numai {0} furnizate. +{0} budget for Account {1} against Cost Center {2} will exceed by {3},{0} de buget pentru contul {1} ​​contra cost Centrul de {2} va depăși de {3} +{0} created,{0} creat +{0} does not belong to Company {1},{0} nu aparține companiei {1} +{0} entered twice in Item Tax,{0} a intrat de două ori în postul fiscal +{0} is an invalid email address in 'Notification Email Address',"{0} este o adresă de e-mail nevalidă în ""Notificarea Adresa de e-mail""" +{0} is mandatory,{0} este obligatorie +{0} is mandatory for Item {1},{0} este obligatorie pentru postul {1} +{0} is not a stock Item,{0} nu este un element de stoc +{0} is not a valid Batch Number for Item {1},{0} nu este un număr de lot valabil pentru postul {1} +{0} is not a valid Leave Approver,{0} nu este un concediu aprobator valid +{0} is not a valid email id,{0} nu este un id-ul de e-mail validă +{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} este acum implicit anul fiscal. Vă rugăm să reîmprospătați browser-ul dvs. pentru ca modificarea să aibă efect. +{0} is required,{0} este necesară +{0} must be a Purchased or Sub-Contracted Item in row {1},{0} trebuie sa fie un element Achiziționat sau subcontractate în rândul {1} +{0} must be less than or equal to {1},{0} trebuie să fie mai mic sau egal cu {1} +{0} must have role 'Leave Approver',"{0} trebuie să aibă rol de ""Leave aprobator""" +{0} valid serial nos for Item {1},{0} nos serie valabile pentru postul {1} +{0} {1} against Bill {2} dated {3},{0} {1} împotriva Bill {2} din {3} +{0} {1} against Invoice {1},{0} {1} împotriva Factura {1} +{0} {1} has already been submitted,{0} {1} a fost deja prezentat +{0} {1} has been modified. Please Refresh,{0} {1} a fost modificat. Va rugam sa Refresh +{0} {1} has been modified. Please refresh,{0} {1} a fost modificat. Vă rugăm să reîmprospătați +{0} {1} has been modified. Please refresh.,{0} {1} a fost modificat. Vă rugăm să reîmprospătați. +{0} {1} is not submitted,{0} {1} nu este prezentată +{0} {1} must be submitted,{0} {1} trebuie să fie prezentate +{0} {1} not in any Fiscal Year,{0} {1} nu într-un an fiscal +{0} {1} status is 'Stopped',"{0} {1} statut este ""Oprit""" +{0} {1} status is Stopped,{0} {1} statut este oprit +{0} {1} status is Unstopped,{0} {1} statut este destupate diff --git a/erpnext/translations/ro.csv b/erpnext/translations/ro.csv new file mode 100644 index 0000000000..7beab13405 --- /dev/null +++ b/erpnext/translations/ro.csv @@ -0,0 +1,3225 @@ + (Half Day), + and year: , +""" does not exists","""Nu există" +% Delivered,Livrat% +% Amount Billed,% Suma facturată +% Billed,Taxat% +% Completed,% Finalizat +% Delivered,Livrat% +% Installed,Instalat% +% Received,Primit% +% of materials billed against this Purchase Order.,% Din materiale facturat împotriva acestei Comandă. +% of materials billed against this Sales Order,% Din materiale facturate împotriva acestui ordin de vânzări +% of materials delivered against this Delivery Note,% Din materiale livrate de această livrare Nota +% of materials delivered against this Sales Order,% Din materiale livrate de această comandă de vânzări +% of materials ordered against this Material Request,% Din materiale comandate în această cerere Material +% of materials received against this Purchase Order,% Din materialele primite în acest Comandă +%(conversion_rate_label)s is mandatory. Maybe Currency Exchange record is not created for %(from_currency)s to %(to_currency)s,% (Conversion_rate_label) s este obligatorie. Poate înregistrare de schimb valutar nu este creat pentru% (from_currency) s la% (to_currency) s +'Actual Start Date' can not be greater than 'Actual End Date',"""Data de începere efectivă"" nu poate fi mai mare decât ""Actual Data de încheiere""" +'Based On' and 'Group By' can not be same,"""Bazat pe"" și ""grup de"" nu poate fi același" +'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" +'Entries' cannot be empty,"""Intrările"" nu poate fi gol" +'Expected Start Date' can not be greater than 'Expected End Date',"""Data Start așteptat"" nu poate fi mai mare decât ""Date End așteptat""" +'From Date' is required,"""De la data"" este necesară" +'From Date' must be after 'To Date',"""De la data"" trebuie să fie după ""To Date""" +'Has Serial No' can not be 'Yes' for non-stock item,"""Nu are de serie"" nu poate fi ""Da"" pentru element non-stoc" +'Notification Email Addresses' not specified for recurring invoice,"""notificare adrese de email"", care nu sunt specificate pentru factura recurente" +'Profit and Loss' type account {0} not allowed in Opening Entry,"De tip ""Profit și pierdere"" cont {0} nu este permis în deschidere de intrare" +'To Case No.' cannot be less than 'From Case No.',"""În caz nr"" nu poate fi mai mică decât ""Din cauza nr""" +'To Date' is required,"""Pentru a Data"" este necesară" +'Update Stock' for Sales Invoice {0} must be set,"""Actualizare Stock"" pentru Vânzări Factura {0} trebuie să fie stabilite" +* Will be calculated in the transaction.,* Vor fi calculate în tranzacție. +"1 Currency = [?] Fraction +For e.g. 1 USD = 100 Cent","1 valutar = [?] Fracțiune \ nPentru de exemplu, 1 USD = 100 Cent" +1. To maintain the customer wise item code and to make them searchable based on their code use this option,1 De a menține codul de client element înțelept și să le căutate bazate pe utilizarea lor de cod aceasta optiune +"
Add / Edit"," Add / Edit " +"Add / Edit"," Add / Edit " +"Add / Edit"," Add / Edit " +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 redenumi Grupul Customer +A Customer exists with same name,Există un client cu același nume +A Lead with this email id should exist,Un plumb cu acest id-ul de e-mail ar trebui să existe +A Product or Service,Un produs sau serviciu +A Supplier exists with same name,Un furnizor există cu același nume +A symbol for this currency. For e.g. $,"Un simbol pentru această monedă. De exemplu, $" +AMC Expiry Date,AMC Data expirării +Abbr,Abbr +Abbreviation cannot have more than 5 characters,Abreviere nu poate avea mai mult de 5 caractere +About,Despre +Above Value,Valoarea de mai sus +Absent,Absent +Acceptance Criteria,Criteriile de acceptare +Accepted,Acceptat +Accepted + Rejected Qty must be equal to Received quantity for Item {0},Acceptat Respins + Cantitate trebuie să fie egală cu cantitatea primite pentru postul {0} +Accepted Quantity,Acceptat Cantitate +Accepted Warehouse,Depozit acceptate +Account,Cont +Account Balance,Soldul contului +Account Created: {0},Cont creat: {0} +Account Details,Detalii cont +Account Head,Cont Șeful +Account Name,Nume cont +Account Type,Tip de cont +Account for the warehouse (Perpetual Inventory) will be created under this Account.,Cont de depozit (Inventar Perpetual) va fi creat sub acest cont. +Account head {0} created,Cap cont {0} a creat +Account must be a balance sheet account,Contul trebuie să fie un cont de bilanț +Account with child nodes cannot be converted to ledger,Cont cu noduri copil nu pot fi convertite în registrul +Account with existing transaction can not be converted to group.,Cont cu tranzacții existente nu pot fi convertite în grup. +Account with existing transaction can not be deleted,Cont cu tranzacții existente nu pot fi șterse +Account with existing transaction cannot be converted to ledger,Cont cu tranzacții existente nu pot fi convertite în registrul +Account {0} cannot be a Group,Contul {0} nu poate fi un grup +Account {0} does not belong to Company {1},Contul {0} nu aparține companiei {1} +Account {0} does not exist,Contul {0} nu există +Account {0} has been entered more than once for fiscal year {1},Contul {0} a fost introdus mai mult de o dată pentru anul fiscal {1} +Account {0} is frozen,Contul {0} este înghețat +Account {0} is inactive,Contul {0} este inactiv +Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item,"Contul {0} trebuie să fie de tip ""active fixe"", ca Item {1} este un element activ" +"Account: {0} can only be updated via \ + Stock Transactions",Cont: {0} poate fi actualizat doar prin \ \ n Tranzacții stoc +Accountant,Contabil +Accounting,Contabilitate +"Accounting Entries can be made against leaf nodes, called","Înregistrări contabile pot fi făcute împotriva nodurile frunză, numit" +"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","Intrare contabilitate congelate până la această dată, nimeni nu poate face / modifica intrare cu excepția rol specificate mai jos." +Accounting journal entries.,Intrări de jurnal de contabilitate. +Accounts,Conturi +Accounts Browser,Conturi Browser +Accounts Frozen Upto,Conturile înghețate Până la +Accounts Payable,Conturi de plată +Accounts Receivable,Conturi de încasat +Accounts Settings,Conturi Setări +Active,Activ +Active: Will extract emails from , +Activity,Activități +Activity Log,Activitate Log +Activity Log:,Activitate Log: +Activity Type,Activitatea de Tip +Actual,Real +Actual Budget,Bugetul actual +Actual Completion Date,Real Finalizarea Data +Actual Date,Data efectivă +Actual End Date,Real Data de încheiere +Actual Invoice Date,Real Data facturii +Actual Posting Date,Real Dată postare +Actual Qty,Real Cantitate +Actual Qty (at source/target),Real Cantitate (la sursă / țintă) +Actual Qty After Transaction,Real Cantitate După tranzacție +Actual Qty: Quantity available in the warehouse.,Cantitate real: Cantitate disponibil în depozit. +Actual Quantity,Real Cantitate +Actual Start Date,Data efectivă Start +Add,Adaugă +Add / Edit Taxes and Charges,Adauga / Editare Impozite și Taxe +Add Child,Adăuga copii +Add Serial No,Adauga ordine +Add Taxes,Adauga Impozite +Add Taxes and Charges,Adauga impozite și taxe +Add or Deduct,Adăuga sau deduce +Add rows to set annual budgets on Accounts.,Adauga rânduri pentru a seta bugete anuale pe Conturi. +Add to Cart,Adauga in cos +Add to calendar on this date,Adauga la calendar la această dată +Add/Remove Recipients,Add / Remove Destinatari +Address,Adresă +Address & Contact,Adresa și date de contact +Address & Contacts,Adresa & Contact +Address Desc,Adresa Descărca +Address Details,Detalii Adresa +Address HTML,Adresa HTML +Address Line 1,Adresa Linia 1 +Address Line 2,Adresa Linia 2 +Address Title,Adresa Titlu +Address Title is mandatory.,Adresa Titlul este obligatoriu. +Address Type,Adresa Tip +Address master.,Maestru adresa. +Administrative Expenses,Cheltuieli administrative +Administrative Officer,Ofițer administrativ +Advance Amount,Advance Suma +Advance amount,Sumă în avans +Advances,Avans +Advertisement,Publicitate +Advertising,Reclamă +Aerospace,Aerospace +After Sale Installations,După Vanzare Instalatii +Against,Împotriva +Against Account,Împotriva contului +Against Bill {0} dated {1},Împotriva Bill {0} din {1} +Against Docname,Împotriva Docname +Against Doctype,Împotriva Doctype +Against Document Detail No,Împotriva Document Detaliu Nu +Against Document No,Împotriva Documentul nr +Against Entries,Împotriva Entries +Against Expense Account,Împotriva cont de cheltuieli +Against Income Account,Împotriva contul de venit +Against Journal Voucher,Împotriva Jurnalul Voucher +Against Journal Voucher {0} does not have any unmatched {1} entry,Împotriva Jurnalul Voucher {0} nu are nici neegalat {1} intrare +Against Purchase Invoice,Împotriva cumparare factură +Against Sales Invoice,Împotriva Factura Vanzare +Against Sales Order,Împotriva comandă de vânzări +Against Voucher,Împotriva Voucher +Against Voucher Type,Împotriva Voucher Tip +Ageing Based On,Îmbătrânirea Bazat pe +Ageing Date is mandatory for opening entry,Îmbătrânirea Data este obligatorie pentru deschiderea de intrare +Ageing date is mandatory for opening entry,Data Îmbătrânirea este obligatorie pentru deschiderea de intrare +Agent,Agent +Aging Date,Îmbătrânire Data +Aging Date is mandatory for opening entry,Aging Data este obligatorie pentru deschiderea de intrare +Agriculture,Agricultură +Airline,Linie aeriană +All Addresses.,Toate adresele. +All Contact,Toate Contact +All Contacts.,Toate persoanele de contact. +All Customer Contact,Toate Clienți Contact +All Customer Groups,Toate grupurile de clienți +All Day,All Day +All Employee (Active),Toate Angajat (Activ) +All Item Groups,Toate Articol Grupuri +All Lead (Open),Toate plumb (Open) +All Products or Services.,Toate produsele sau serviciile. +All Sales Partner Contact,Toate vânzările Partener Contact +All Sales Person,Toate vânzările Persoana +All Supplier Contact,Toate Furnizor Contact +All Supplier Types,Toate tipurile de Furnizor +All Territories,Toate teritoriile +"All export related fields like currency, conversion rate, export total, export grand total etc are available in Delivery Note, POS, Quotation, Sales Invoice, Sales Order etc.","Domenii legate de toate de export, cum ar fi moneda, rata de conversie, numărul total export, export mare etc totală sunt disponibile în nota de livrare, POS, cotatie, Factura Vanzare, comandă de vânzări, etc" +"All import related fields like currency, conversion rate, import total, import grand total etc are available in Purchase Receipt, Supplier Quotation, Purchase Invoice, Purchase Order etc.","Toate domeniile legate de import, cum ar fi moneda, rata de conversie, total de import, de import de mare etc totală sunt disponibile în Primirea de cumparare, furnizor cotatie, cumparare factură, Ordinul de cumparare, etc" +All items have already been invoiced,Toate elementele au fost deja facturate +All items have already been transferred for this Production Order.,Toate elementele au fost deja transferate pentru această comandă de producție. +All these items have already been invoiced,Toate aceste elemente au fost deja facturate +Allocate,Alocarea +Allocate Amount Automatically,Suma aloca automat +Allocate leaves for a period.,Alocați frunze pentru o perioadă. +Allocate leaves for the year.,Alocarea de frunze pentru anul. +Allocated Amount,Suma alocată +Allocated Budget,Bugetul alocat +Allocated amount,Suma alocată +Allocated amount can not be negative,Suma alocată nu poate fi negativ +Allocated amount can not greater than unadusted amount,Suma alocată nu poate mai mare decât valoarea unadusted +Allow Bill of Materials,Permite Bill de materiale +Allow Bill of Materials should be 'Yes'. Because one or many active BOMs present for this item,"Permite Bill de materiale ar trebui să fie ""Da"". Deoarece unul sau mai multe BOM active prezente pentru acest articol" +Allow Children,Permiteți copii +Allow Dropbox Access,Dropbox permite accesul +Allow Google Drive Access,Permite accesul Google Drive +Allow Negative Balance,Permite sold negativ +Allow Negative Stock,Permiteți Stock negativ +Allow Production Order,Permiteți producție Ordine +Allow User,Permite utilizatorului +Allow Users,Se permite utilizatorilor +Allow the following users to approve Leave Applications for block days.,Permite următoarele utilizatorilor să aprobe cererile de concediu pentru zile bloc. +Allow user to edit Price List Rate in transactions,Permite utilizatorului să editeze Lista de preturi Rate în tranzacții +Allowance Percent,Alocație Procent +Allowance for over-delivery / over-billing crossed for Item {0},Reduceri pentru mai mult de-livrare / supra-facturare trecut pentru postul {0} +Allowed Role to Edit Entries Before Frozen Date,Rolul permisiunea de a edita intrările înainte de Frozen Data +Amended From,A fost modificat de la +Amount,Suma +Amount (Company Currency),Suma (Compania de valuta) +Amount <=,Suma <= +Amount >=,Suma> = +Amount to Bill,Se ridică la Bill +An Customer exists with same name,Există un client cu același nume +"An Item Group exists with same name, please change the item name or rename the item group","Există un grup articol cu ​​același nume, vă rugăm să schimbați numele elementului sau redenumi grupul element" +"An item exists with same name ({0}), please change the item group name or rename the item","Un element există cu același nume ({0}), vă rugăm să schimbați numele grupului element sau redenumi elementul" +Analyst,Analist +Annual,Anual +Another Period Closing Entry {0} has been made after {1},O altă intrare Perioada inchiderii {0} a fost făcută după ce {1} +Another Salary Structure {0} is active for employee {0}. Please make its status 'Inactive' to proceed.,"Un alt Structura Salariul {0} este activ pentru angajat {0}. Vă rugăm să vă statutul de ""inactiv"" pentru a continua." +"Any other comments, noteworthy effort that should go in the records.","Orice alte comentarii, efort demn de remarcat faptul că ar trebui să meargă în înregistrările." +Apparel & Accessories,Îmbrăcăminte și accesorii +Applicability,Aplicabilitate +Applicable For,Aplicabil pentru +Applicable Holiday List,Aplicabil Lista de vacanță +Applicable Territory,Teritoriul de aplicare +Applicable To (Designation),Aplicabile (denumirea) +Applicable To (Employee),Aplicabile (Angajat) +Applicable To (Role),Aplicabile (rol) +Applicable To (User),Aplicabile (User) +Applicant Name,Nume solicitant +Applicant for a Job.,Solicitant pentru un loc de muncă. +Application of Funds (Assets),Aplicarea fondurilor (activelor) +Applications for leave.,Cererile de concediu. +Applies to Company,Se aplică de companie +Apply On,Se aplică pe +Appraisal,Evaluare +Appraisal Goal,Evaluarea Goal +Appraisal Goals,Obiectivele de evaluare +Appraisal Template,Evaluarea Format +Appraisal Template Goal,Evaluarea Format Goal +Appraisal Template Title,Evaluarea Format Titlu +Appraisal {0} created for Employee {1} in the given date range,Evaluarea {0} creat pentru Angajat {1} la dat intervalul de date +Apprentice,Ucenic +Approval Status,Starea de aprobare +Approval Status must be 'Approved' or 'Rejected',"Starea de aprobare trebuie să fie ""Aprobat"" sau ""Respins""" +Approved,Aprobat +Approver,Denunțător +Approving Role,Aprobarea Rolul +Approving Role cannot be same as role the rule is Applicable To,Aprobarea rol nu poate fi la fel ca rolul statului este aplicabilă +Approving User,Aprobarea utilizator +Approving User cannot be same as user the rule is Applicable To,Aprobarea Utilizatorul nu poate fi aceeași ca și utilizator regula este aplicabilă +Are you sure you want to STOP , +Are you sure you want to UNSTOP , +Arrear Amount,Restanță Suma +"As Production Order can be made for this item, it must be a stock item.","Ca producție Ordine pot fi făcute pentru acest articol, trebuie să fie un element de stoc." +As per Stock UOM,Ca pe Stock UOM +"As there are existing stock transactions for this item, you can not change the values of 'Has Serial No', 'Is Stock Item' and 'Valuation Method'","Așa cum există tranzacții bursiere existente pentru acest element, nu puteți modifica valorile ""nu are nici un Serial"", ""Este Piesa"" și ""Metoda de evaluare""" +Asset,Asset +Assistant,Asistent +Associate,Asociat +Atleast one warehouse is mandatory,Cel putin un antrepozit este obligatorie +Attach Image,Atașați Image +Attach Letterhead,Atașați cu antet +Attach Logo,Atașați Logo +Attach Your Picture,Atașați imaginea +Attendance,Prezență +Attendance Date,Spectatori Data +Attendance Details,Detalii de participare +Attendance From Date,Participarea la data +Attendance From Date and Attendance To Date is mandatory,Participarea la data și prezență până în prezent este obligatorie +Attendance To Date,Participarea la Data +Attendance can not be marked for future dates,Spectatori nu pot fi marcate pentru date viitoare +Attendance for employee {0} is already marked,Spectatori pentru angajat {0} este deja marcat +Attendance record.,Record de participare. +Authorization Control,Controlul de autorizare +Authorization Rule,Regula de autorizare +Auto Accounting For Stock Settings,Contabilitate Auto Pentru Stock Setări +Auto Material Request,Material Auto Cerere +Auto-raise Material Request if quantity goes below re-order level in a warehouse,Auto-raise Material cerere în cazul în care cantitatea scade sub nivelul de re-comandă într-un depozit +Automatically compose message on submission of transactions.,Compune în mod automat un mesaj pe prezentarea de tranzacții. +Automatically extract Job Applicants from a mail box , +Automatically extract Leads from a mail box e.g.,"Extrage automat Oportunitati de la o cutie de e-mail de exemplu," +Automatically updated via Stock Entry of type Manufacture/Repack,Actualizat automat prin Bursa de intrare de tip Fabricarea / Repack +Automotive,Automotive +Autoreply when a new mail is received,Răspuns automat atunci când un nou e-mail este primit +Available,Disponibil +Available Qty at Warehouse,Cantitate disponibil la Warehouse +Available Stock for Packing Items,Disponibil Stock pentru ambalare Articole +"Available in BOM, Delivery Note, Purchase Invoice, Production Order, Purchase Order, Purchase Receipt, Sales Invoice, Sales Order, Stock Entry, Timesheet","Disponibil în BOM, nota de livrare, factura de cumparare, producție Ordine, Ordinul de cumparare, Primirea de cumparare, Factura Vanzare, comandă de vânzări, Stock intrare, pontajul" +Average Age,Vârsta medie +Average Commission Rate,Rata medie a Comisiei +Average Discount,Reducere medie +Awesome Products,Produse Awesome +Awesome Services,Servicii de Awesome +BOM Detail No,BOM Detaliu Nu +BOM Explosion Item,BOM explozie Postul +BOM Item,BOM Articol +BOM No,BOM Nu +BOM No. for a Finished Good Item,BOM Nu pentru un bun element finit +BOM Operation,BOM Operațiunea +BOM Operations,BOM Operațiuni +BOM Replace Tool,BOM Înlocuiți Tool +BOM number is required for manufactured Item {0} in row {1},Este necesară număr BOM pentru articol fabricat {0} în rândul {1} +BOM number not allowed for non-manufactured Item {0} in row {1},Număr BOM nu este permis pentru postul non-fabricat {0} în rândul {1} +BOM recursion: {0} cannot be parent or child of {2},BOM recursivitate: {0} nu poate fi parinte sau copil din {2} +BOM replaced,BOM înlocuit +BOM {0} for Item {1} in row {2} is inactive or not submitted,BOM {0} pentru postul {1} ​​în rândul {2} este inactiv sau nu a prezentat +BOM {0} is not active or not submitted,BOM {0} nu este activ sau nu a prezentat +BOM {0} is not submitted or inactive BOM for Item {1},BOM {0} nu este depusă sau inactiv BOM pentru postul {1} +Backup Manager,Backup Manager +Backup Right Now,Backup chiar acum +Backups will be uploaded to,Copiile de rezervă va fi încărcat la +Balance Qty,Echilibru Cantitate +Balance Sheet,Bilanțul +Balance Value,Echilibru Valoarea +Balance for Account {0} must always be {1},Bilant pentru Contul {0} trebuie să fie întotdeauna {1} +Balance must be,Echilibru trebuie să fie +"Balances of Accounts of type ""Bank"" or ""Cash""","Soldurile de conturi de tip ""Banca"" sau ""Cash""" +Bank,Banca +Bank A/C No.,Bank A / C Nr +Bank Account,Cont bancar +Bank Account No.,Cont bancar nr +Bank Accounts,Conturi bancare +Bank Clearance Summary,Clearance Bank Sumar +Bank Draft,Proiect de bancă +Bank Name,Numele bancii +Bank Overdraft Account,Descoperitul de cont bancar +Bank Reconciliation,Banca Reconciliere +Bank Reconciliation Detail,Banca Reconcilierea Detaliu +Bank Reconciliation Statement,Extras de cont de reconciliere +Bank Voucher,Bancă Voucher +Bank/Cash Balance,Bank / Cash Balance +Banking,Bancar +Barcode,Cod de bare +Barcode {0} already used in Item {1},Coduri de bare {0} deja folosit în articol {1} +Based On,Bazat pe +Basic,Baza +Basic Info,Informații de bază +Basic Information,Informații de bază +Basic Rate,Rata de bază +Basic Rate (Company Currency),Rata de bază (Compania de valuta) +Batch,Lot +Batch (lot) of an Item.,Lot (lot) de un articol. +Batch Finished Date,Lot terminat Data +Batch ID,ID-ul lotului +Batch No,Lot Nu +Batch Started Date,Lot început Data +Batch Time Logs for billing.,Lot de timp Bușteni pentru facturare. +Batch-Wise Balance History,Lot-înțelept Balanța Istorie +Batched for Billing,Dozat de facturare +Better Prospects,Perspective mai bune +Bill Date,Bill Data +Bill No,Bill Nu +Bill No {0} already booked in Purchase Invoice {1},Bill Nu {0} deja rezervat în cumparare Factura {1} +Bill of Material,Bill of Material +Bill of Material to be considered for manufacturing,Bill of Material să fie luate în considerare pentru producție +Bill of Materials (BOM),Factura de materiale (BOM) +Billable,Facturabile +Billed,Facturat +Billed Amount,Facturat Suma +Billed Amt,Facturate Amt +Billing,De facturare +Billing Address,Adresa de facturare +Billing Address Name,Adresa de facturare Numele +Billing Status,Starea de facturare +Bills raised by Suppliers.,Facturile ridicate de furnizori. +Bills raised to Customers.,Facturi ridicate pentru clienți. +Bin,Bin +Bio,Biografie +Biotechnology,Biotehnologie +Birthday,Ziua de naştere +Block Date,Bloc Data +Block Days,Bloc de zile +Block leave applications by department.,Blocați aplicații de concediu de către departament. +Blog Post,Blog Mesaj +Blog Subscriber,Blog Abonat +Blood Group,Grupa de sânge +Both Warehouse must belong to same Company,Ambele Warehouse trebuie să aparțină aceleiași companii +Box,Cutie +Branch,Ramură +Brand,Marca: +Brand Name,Nume de brand +Brand master.,Maestru de brand. +Brands,Brand-uri +Breakdown,Avarie +Broadcasting,Radiodifuzare +Brokerage,De brokeraj +Budget,Bugetul +Budget Allocated,Bugetul alocat +Budget Detail,Buget Detaliu +Budget Details,Buget Detalii +Budget Distribution,Buget Distribuție +Budget Distribution Detail,Buget Distribution Detaliu +Budget Distribution Details,Detalii buget de distribuție +Budget Variance Report,Buget Variance Raportul +Budget cannot be set for Group Cost Centers,Bugetul nu poate fi setat pentru centre de cost Group +Build Report,Construi Raport +Built on,Construit pe +Bundle items at time of sale.,Bundle elemente la momentul de vânzare. +Business Development Manager,Business Development Manager de +Buying,Cumpărare +Buying & Selling,De cumparare si vânzare +Buying Amount,Suma de cumpărare +Buying Settings,Cumpararea Setări +C-Form,C-Form +C-Form Applicable,C-forma aplicabila +C-Form Invoice Detail,C-Form Factura Detalii +C-Form No,C-Form No +C-Form records,Înregistrări C-Form +Calculate Based On,Calculează pe baza +Calculate Total Score,Calcula Scor total +Calendar Events,Calendar Evenimente +Call,Apelaţi +Calls,Apeluri +Campaign,Campanie +Campaign Name,Numele campaniei +Campaign Name is required,Este necesară Numele campaniei +Campaign Naming By,Naming campanie de +Campaign-.####,Campanie.# # # # +Can be approved by {0},Pot fi aprobate de către {0} +"Can not filter based on Account, if grouped by Account","Nu se poate filtra pe baza de cont, în cazul în care grupate pe cont" +"Can not filter based on Voucher No, if grouped by Voucher","Nu se poate filtra pe baza voucher Nu, dacă grupate de Voucher" +Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"Se poate referi rând numai dacă tipul de taxa este ""La rândul precedent Suma"" sau ""Previous rând Total""" +Cancel Material Visit {0} before cancelling this Customer Issue,Anula Material Vizitează {0} înainte de a anula această problemă client +Cancel Material Visits {0} before cancelling this Maintenance Visit,Anula Vizite materiale {0} înainte de a anula această întreținere Viziteaza +Cancelled,Anulat +Cancelling this Stock Reconciliation will nullify its effect.,Anularea acest Stock reconciliere va anula efectul. +Cannot Cancel Opportunity as Quotation Exists,Nu se poate anula oportunitate așa cum există ofertă +Cannot approve leave as you are not authorized to approve leaves on Block Dates,Nu poate aproba concediu ca nu sunt autorizate să aprobe frunze pe Block Date +Cannot cancel because Employee {0} is already approved for {1},Nu pot anula din cauza angajaților {0} este deja aprobat pentru {1} +Cannot cancel because submitted Stock Entry {0} exists,"Nu pot anula, deoarece a prezentat Bursa de intrare {0} există" +Cannot carry forward {0},Nu se poate duce mai departe {0} +Cannot change Year Start Date and Year End Date once the Fiscal Year is saved.,Nu se poate schimba An Data de începere și de sfârșit de an Data odată ce anul fiscal este salvată. +"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Nu se poate schimba implicit moneda companiei, deoarece există tranzacții existente. Tranzacțiile trebuie să fie anulate de a schimba moneda implicit." +Cannot convert Cost Center to ledger as it has child nodes,"Nu se poate converti de cost Centrul de registru, deoarece are noduri copil" +Cannot covert to Group because Master Type or Account Type is selected.,Nu se poate sub acoperire să Group deoarece este selectat de Master de tip sau de tip de cont. +Cannot deactive or cancle BOM as it is linked with other BOMs,"Nu pot DEACTIVE sau cancle BOM, deoarece este legat cu alte extraselor" +"Cannot declare as lost, because Quotation has been made.","Nu poate declara ca a pierdut, pentru că ofertă a fost făcută." +Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Nu se poate deduce când categorie este de ""evaluare"" sau ""de evaluare și total""" +"Cannot delete Serial No {0} in stock. First remove from stock, then delete.","Nu se poate șterge Nu Serial {0} în stoc. Mai întâi se scoate din stoc, apoi ștergeți." +"Cannot directly set amount. For 'Actual' charge type, use the rate field","Nu se poate seta direct sumă. De tip taxă ""real"", utilizați câmpul rata" +"Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in 'Setup' > 'Global Defaults'","Nu pot overbill pentru postul {0} în rândul {0} mai mult de {1}. Pentru a permite supraîncărcată, vă rugăm să setați în ""Configurare""> ""Implicite Globale""" +Cannot produce more Item {0} than Sales Order quantity {1},Nu poate produce mai mult Postul {0} decât cantitatea de vânzări Ordine {1} +Cannot refer row number greater than or equal to current row number for this Charge type,Nu se poate referi număr de rând mai mare sau egal cu numărul actual rând pentru acest tip de încărcare +Cannot return more than {0} for Item {1},Nu se poate reveni mai mult de {0} pentru postul {1} +Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,"Nu se poate selecta tipul de încărcare ca ""La rândul precedent Suma"" sau ""On anterioară rândul Total"" pentru primul rând" +Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for valuation. You can select only 'Total' option for previous row amount or previous row total,"Nu se poate selecta tipul de încărcare ca ""La rândul precedent Suma"" sau ""On anterioară rândul Total"" pentru evaluare. Puteți selecta opțiunea ""Total"" pentru suma de rând anterior sau totală rând anterior" +Cannot set as Lost as Sales Order is made.,Nu se poate seta la fel de pierdut ca se face comandă de vânzări. +Cannot set authorization on basis of Discount for {0},Nu se poate seta de autorizare pe baza de Discount pentru {0} +Capacity,Capacitate +Capacity Units,Unități de capacitate +Capital Account,Contul de capital +Capital Equipments,Echipamente de capital +Carry Forward,Reporta +Carry Forwarded Leaves,Carry Frunze transmis +Case No(s) already in use. Try from Case No {0},Cazul (e) deja în uz. Încercați din cauza nr {0} +Case No. cannot be 0,"Caz Nu, nu poate fi 0" +Cash,Numerar +Cash In Hand,Bani în mână +Cash Voucher,Cash Voucher +Cash or Bank Account is mandatory for making payment entry,Numerar sau cont bancar este obligatorie pentru a face intrarea plată +Cash/Bank Account,Contul Cash / Banca +Casual Leave,Casual concediu +Cell Number,Numărul de celule +Change UOM for an Item.,Schimba UOM pentru un element. +Change the starting / current sequence number of an existing series.,Schimbați pornire / numărul curent de ordine dintr-o serie existent. +Channel Partner,Channel Partner +Charge of type 'Actual' in row {0} cannot be included in Item Rate,"Responsabilă de tip ""real"" în rândul {0} nu poate fi inclus în postul Rate" +Chargeable,Chargeable +Charity and Donations,Caritate și donații +Chart Name,Diagramă Denumire +Chart of Accounts,Planul de conturi +Chart of Cost Centers,Grafic de centre de cost +Check how the newsletter looks in an email by sending it to your email.,Verifica modul în newsletter-ul arată într-un e-mail prin trimiterea acesteia la adresa dvs. de email. +"Check if recurring invoice, uncheck to stop recurring or put proper End Date","Verificați dacă recurente factura, debifați pentru a opri recurente sau pune buna Data de încheiere" +"Check if you need automatic recurring invoices. After submitting any sales invoice, Recurring section will be visible.","Verificați dacă aveți nevoie de facturi automate recurente. După depunerea orice factură de vânzare, sectiunea recurente vor fi vizibile." +Check if you want to send salary slip in mail to each employee while submitting salary slip,Verificați dacă doriți să trimiteți fișa de salariu în e-mail pentru fiecare angajat în timp ce depunerea alunecare salariu +Check this if you want to force the user to select a series before saving. There will be no default if you check this.,"Verifica acest lucru dacă doriți pentru a forța utilizatorului să selecteze o serie înainte de a salva. Nu va fi nici implicit, dacă tu a verifica acest lucru." +Check this if you want to show in website,Verifica acest lucru dacă doriți să arate în site-ul +Check this to disallow fractions. (for Nos),Verifica acest lucru pentru a nu permite fracțiuni. (Pentru Nos) +Check this to pull emails from your mailbox,Verifica acest lucru pentru a trage e-mailuri de la căsuța poștală +Check to activate,Verificați pentru a activa +Check to make Shipping Address,Verificați pentru a vă adresa Shipping +Check to make primary address,Verificați pentru a vă adresa primar +Chemical,Chimic +Cheque,Cheque +Cheque Date,Cec Data +Cheque Number,Numărul Cec +Child account exists for this account. You can not delete this account.,Contul copil există pentru acest cont. Nu puteți șterge acest cont. +City,Oraș +City/Town,Orasul / Localitatea +Claim Amount,Suma cerere +Claims for company expense.,Cererile pentru cheltuieli companie. +Class / Percentage,Clasă / Procentul +Classic,Conditionarea clasica apare atunci cand unui stimul i se raspunde printr-un reflex natural +Clear Table,Clar masă +Clearance Date,Clearance Data +Clearance Date not mentioned,Clearance Data nu sunt menționate +Clearance date cannot be before check date in row {0},Data de clearance-ul nu poate fi înainte de data de check-in rândul {0} +Click on 'Make Sales Invoice' button to create a new Sales Invoice.,"Faceți clic pe butonul ""face Factura Vanzare"" pentru a crea o nouă factură de vânzare." +Click on a link to get options to expand get options , +Client,Client +Close Balance Sheet and book Profit or Loss.,Aproape Bilanțul și carte profit sau pierdere. +Closed,Inchisa +Closing Account Head,Închiderea contului cap +Closing Account {0} must be of type 'Liability',"Contul {0} de închidere trebuie să fie de tip ""Răspunderea""" +Closing Date,Data de închidere +Closing Fiscal Year,Închiderea Anul fiscal +Closing Qty,Cantitate de închidere +Closing Value,Valoare de închidere +CoA Help,CoA Ajutor +Code,Cod +Cold Calling,De asteptare la rece +Color,Culorarea +Comma separated list of email addresses,Virgulă listă de adrese de e-mail separat +Comments,Comentarii +Commercial,Comercial +Commission,Comision +Commission Rate,Rata de comisie +Commission Rate (%),Rata de comision (%) +Commission on Sales,Comision din vânzări +Commission rate cannot be greater than 100,Rata de comision nu poate fi mai mare de 100 +Communication,Comunicare +Communication HTML,Comunicare HTML +Communication History,Istoria comunicare +Communication log.,Log comunicare. +Communications,Interfata +Company,Firma +Company (not Customer or Supplier) master.,Compania (nu client sau furnizor) de master. +Company Abbreviation,Abreviere de companie +Company Details,Detalii companie +Company Email,Compania de e-mail +"Company Email ID not found, hence mail not sent","Compania ID-ul de e-mail, nu a fost găsit, prin urmare, nu e-mail trimis" +Company Info,Informatii companie +Company Name,Nume firma acasa +Company Settings,Setări Company +Company is missing in warehouses {0},Compania lipsește în depozite {0} +Company is required,Este necesară Company +Company registration numbers for your reference. Example: VAT Registration Numbers etc.,"Numerele de înregistrare companie pentru referință. Numerele de înregistrare TVA, etc: de exemplu," +Company registration numbers for your reference. Tax numbers etc.,Numerele de înregistrare companie pentru referință. Numerele fiscale etc +"Company, Month and Fiscal Year is mandatory","Compania, Luna și Anul fiscal este obligatorie" +Compensatory Off,Compensatorii Off +Complete,Finalizare +Complete Setup,Setup Complete +Completed,Finalizat +Completed Production Orders,Comenzile de producție terminate +Completed Qty,Completat Cantitate +Completion Date,Finalizarea Data +Completion Status,Starea de finalizare +Computer,Calculator +Computers,Calculatoare +Confirmation Date,Confirmarea Data +Confirmed orders from Customers.,Comenzile confirmate de la clienți. +Consider Tax or Charge for,Luați în considerare fiscală sau de încărcare pentru +Considered as Opening Balance,Considerat ca Sold +Considered as an Opening Balance,Considerat ca un echilibru de deschidere +Consultant,Consultant +Consulting,Consili +Consumable,Consumabil +Consumable Cost,Cost Consumabile +Consumable cost per hour,Costul consumabil pe oră +Consumed Qty,Consumate Cantitate +Consumer Products,Produse de larg consum +Contact,Persoană +Contact Control,Contact de control +Contact Desc,Contact Descărca +Contact Details,Detalii de contact +Contact Email,Contact Email +Contact HTML,Contact HTML +Contact Info,Informaţii de contact +Contact Mobile No,Contact Mobile Nu +Contact Name,Nume contact +Contact No.,Contact Nu. +Contact Person,Persoană de contact +Contact Type,Contact Tip +Contact master.,Contact maestru. +Contacts,Contacte +Content,Continut +Content Type,Tip de conținut +Contra Voucher,Contra Voucher +Contract,Contractarea +Contract End Date,Contract Data de încheiere +Contract End Date must be greater than Date of Joining,Contract Data de sfârșit trebuie să fie mai mare decât Data aderării +Contribution (%),Contribuția (%) +Contribution to Net Total,Contribuția la net total +Conversion Factor,Factor de conversie +Conversion Factor is required,Este necesară Factorul de conversie +Conversion factor cannot be in fractions,Factor de conversie nu pot fi în fracțiuni +Conversion factor for default Unit of Measure must be 1 in row {0},Factor de conversie pentru Unitatea implicit de măsură trebuie să fie de 1 la rând {0} +Conversion rate cannot be 0 or 1,Rata de conversie nu poate fi 0 sau 1 +Convert into Recurring Invoice,Conversia în factura recurente +Convert to Group,Conversia de grup +Convert to Ledger,Conversia la Ledger +Converted,Convertit +Copy From Item Group,Copiere din Grupa de articole +Cosmetics,Cosmetică +Cost Center,Cost Center +Cost Center Details,Cost Center Detalii +Cost Center Name,Cost Numele Center +Cost Center is mandatory for Item {0},Cost Center este obligatorie pentru postul {0} +Cost Center is required for 'Profit and Loss' account {0},"Cost Center este necesară pentru contul ""Profit și pierdere"" {0}" +Cost Center is required in row {0} in Taxes table for type {1},Cost Center este necesară în rândul {0} în tabelul Taxele de tip {1} +Cost Center with existing transactions can not be converted to group,Centrul de cost cu tranzacțiile existente nu pot fi transformate în grup +Cost Center with existing transactions can not be converted to ledger,Centrul de cost cu tranzacții existente nu pot fi convertite în registrul +Cost Center {0} does not belong to Company {1},Cost Centrul {0} nu aparține companiei {1} +Cost of Goods Sold,Costul bunurilor vândute +Costing,Costing +Country,Ţară +Country Name,Nume țară +"Country, Timezone and Currency","Țară, Timezone și valutar" +Create Bank Voucher for the total salary paid for the above selected criteria,Crea Bank Voucher pentru salariul totală plătită pentru criteriile selectate de mai sus +Create Customer,Creare client +Create Material Requests,Cererile crea materiale +Create New,Crearea de noi +Create Opportunity,Creare Oportunitate +Create Production Orders,Creare comenzi de producție +Create Quotation,Creare ofertă +Create Receiver List,Crea Receiver Lista +Create Salary Slip,Crea Salariul Slip +Create Stock Ledger Entries when you submit a Sales Invoice,Crea Stock Ledger intrările atunci când depune o factură de vânzare +"Create and manage daily, weekly and monthly email digests.","Crearea și gestionarea de e-mail rezumate zilnice, săptămânale și lunare." +Create rules to restrict transactions based on values.,Creați reguli pentru a restricționa tranzacțiile bazate pe valori. +Created By,Creat de +Creates salary slip for above mentioned criteria.,Creează alunecare salariu pentru criteriile de mai sus. +Creation Date,Data creării +Creation Document No,Creare de documente Nu +Creation Document Type,Document Type creație +Creation Time,Timp de creație +Credentials,Scrisori de acreditare +Credit,credit +Credit Amt,Credit Amt +Credit Card,Card de credit +Credit Card Voucher,Card de credit Voucher +Credit Controller,Controler de credit +Credit Days,Zile de credit +Credit Limit,Limita de credit +Credit Note,Nota de credit +Credit To,De credit a +Currency,Monedă +Currency Exchange,Schimb valutar +Currency Name,Numele valută +Currency Settings,Setări valutare +Currency and Price List,Valută și lista de prețuri +Currency exchange rate master.,Maestru cursului de schimb valutar. +Current Address,Adresa curent +Current Address Is,Adresa actuală este +Current Assets,Active curente +Current BOM,BOM curent +Current BOM and New BOM can not be same,BOM BOM curent și noi nu poate fi același +Current Fiscal Year,Anul fiscal curent +Current Liabilities,Datorii curente +Current Stock,Stock curent +Current Stock UOM,Stock curent UOM +Current Value,Valoare curent +Custom,Particularizat +Custom Autoreply Message,Personalizat Răspuns automat Mesaj +Custom Message,Mesaj personalizat +Customer,Client +Customer (Receivable) Account,Client (de încasat) Cont +Customer / Item Name,Client / Denumire +Customer / Lead Address,Client / plumb Adresa +Customer / Lead Name,Client / Nume de plumb +Customer Account Head,Cont client cap +Customer Acquisition and Loyalty,Achiziționarea client și Loialitate +Customer Address,Client Adresa +Customer Addresses And Contacts,Adrese de clienți și Contacte +Customer Code,Cod client +Customer Codes,Coduri de client +Customer Details,Detalii client +Customer Feedback,Customer Feedback +Customer Group,Grup de clienti +Customer Group / Customer,Grupa client / client +Customer Group Name,Nume client Group +Customer Intro,Intro client +Customer Issue,Client Issue +Customer Issue against Serial No.,Problema client împotriva Serial No. +Customer Name,Nume client +Customer Naming By,Naming client de +Customer Service,Serviciul Clienți +Customer database.,Bazei de clienti. +Customer is required,Clientul este necesară +Customer master.,Maestru client. +Customer required for 'Customerwise Discount',"Client necesar pentru ""Customerwise Discount""" +Customer {0} does not belong to project {1},Client {0} nu face parte din proiect {1} +Customer {0} does not exist,Client {0} nu există +Customer's Item Code,Clientului Articol Cod +Customer's Purchase Order Date,Clientului comandă de aprovizionare Data +Customer's Purchase Order No,Clientului Comandă Nu +Customer's Purchase Order Number,Clientului Comandă Numărul +Customer's Vendor,Vendor clientului +Customers Not Buying Since Long Time,Clienții nu Cumpararea de mult timp Timpul +Customerwise Discount,Customerwise Reducere +Customize,Personalizarea +Customize the Notification,Personaliza Notificare +Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,"Particulariza textul introductiv, care merge ca o parte din acel email. Fiecare tranzacție are un text introductiv separat." +DN Detail,DN Detaliu +Daily,Zilnic +Daily Time Log Summary,Zilnic Timp Log Rezumat +Database Folder ID,Baza de date Folder ID +Database of potential customers.,Baza de date de clienți potențiali. +Date,Dată +Date Format,Format dată +Date Of Retirement,Data pensionării +Date Of Retirement must be greater than Date of Joining,Data de pensionare trebuie să fie mai mare decât Data aderării +Date is repeated,Data se repetă +Date of Birth,Data nașterii +Date of Issue,Data eliberării +Date of Joining,Data aderării +Date of Joining must be greater than Date of Birth,Data aderării trebuie să fie mai mare decât Data nașterii +Date on which lorry started from supplier warehouse,Data la care a început camion din depozitul furnizorul +Date on which lorry started from your warehouse,Data la care camion a pornit de la depozit +Dates,Perioada +Days Since Last Order,De zile de la ultima comandă +Days for which Holidays are blocked for this department.,De zile pentru care Sărbătorile sunt blocate pentru acest departament. +Dealer,Comerciant +Debit,Debitarea +Debit Amt,Amt debit +Debit Note,Nota de debit +Debit To,Pentru debit +Debit and Credit not equal for this voucher. Difference is {0}.,De debit și de credit nu este egal pentru acest voucher. Diferența este {0}. +Deduct,Deduce +Deduction,Deducere +Deduction Type,Deducerea Tip +Deduction1,Deduction1 +Deductions,Deduceri +Default,Implicit +Default Account,Contul implicit +Default BOM,Implicit BOM +Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,"Default cont bancar / numerar vor fi actualizate în mod automat în POS Factura, atunci când acest mod este selectat." +Default Bank Account,Implicit cont bancar +Default Buying Cost Center,Implicit de cumparare cost Center +Default Buying Price List,Implicit de cumparare Lista de prețuri +Default Cash Account,Contul Cash implicit +Default Company,Implicit de companie +Default Cost Center for tracking expense for this item.,Centrul de cost standard pentru cheltuieli de urmărire pentru acest articol. +Default Currency,Monedă implicită +Default Customer Group,Implicit Client Group +Default Expense Account,Cont implicit de cheltuieli +Default Income Account,Contul implicit venituri +Default Item Group,Implicit Element Group +Default Price List,Implicit Lista de prețuri +Default Purchase Account in which cost of the item will be debited.,Implicit cont cumparare în care costul de elementul va fi debitat. +Default Selling Cost Center,Implicit de vânzare Cost Center +Default Settings,Setări implicite +Default Source Warehouse,Implicit Sursa Warehouse +Default Stock UOM,Implicit Stock UOM +Default Supplier,Implicit Furnizor +Default Supplier Type,Implicit Furnizor Tip +Default Target Warehouse,Implicit țintă Warehouse +Default Territory,Implicit Teritoriul +Default Unit of Measure,Unitatea de măsură prestabilită +"Default Unit of Measure can not be changed directly because you have already made some transaction(s) with another UOM. To change default UOM, use 'UOM Replace Utility' tool under Stock module.","Unitatea implicit de măsură nu poate fi modificat direct deoarece le-ați făcut deja unele tranzacții (s) cu un alt UOM. Pentru a schimba implicit UOM, folosiți ""UOM Înlocuiți Utility"" instrument în modul stoc." +Default Valuation Method,Metoda implicită de evaluare +Default Warehouse,Implicit Warehouse +Default Warehouse is mandatory for stock Item.,Implicit Warehouse este obligatorie pentru stoc articol. +Default settings for accounting transactions.,Setările implicite pentru tranzacțiile de contabilitate. +Default settings for buying transactions.,Setările implicite pentru tranzacțiilor de cumpărare. +Default settings for selling transactions.,Setările implicite pentru tranzacțiile de vânzare. +Default settings for stock transactions.,Setările implicite pentru tranzacțiile bursiere. +Defense,Apărare +"Define Budget for this Cost Center. To set budget action, see Company Master","Definirea Bugetul pentru acest centru de cost. Pentru a seta o acțiune buget, consultați Compania Maestrul " +Delete,Șterge +Delete {0} {1}?,Șterge {0} {1}? +Delivered,Livrat +Delivered Items To Be Billed,Produsele livrate Pentru a fi facturat +Delivered Qty,Livrate Cantitate +Delivered Serial No {0} cannot be deleted,Livrate de ordine {0} nu poate fi ștearsă +Delivery Date,Data de livrare +Delivery Details,Detalii livrare +Delivery Document No,Livrare de documente Nu +Delivery Document Type,Tip de livrare document +Delivery Note,Livrare Nota +Delivery Note Item,Livrare Nota Articol +Delivery Note Items,Livrare Nota Articole +Delivery Note Message,Livrare Nota Mesaj +Delivery Note No,Livrare Nota Nu +Delivery Note Required,Nota de livrare Necesar +Delivery Note Trends,Livrare Nota Tendințe +Delivery Note {0} is not submitted,Livrare Nota {0} nu este prezentat +Delivery Note {0} must not be submitted,Livrare Nota {0} nu trebuie să fie prezentate +Delivery Notes {0} must be cancelled before cancelling this Sales Order,Livrare Note {0} trebuie anulată înainte de a anula această comandă de vânzări +Delivery Status,Starea de livrare +Delivery Time,Timp de livrare +Delivery To,De livrare a +Department,Departament +Department Stores,Magazine Universale +Depends on LWP,Depinde LWP +Depreciation,Depreciere +Description,Descriere +Description HTML,Descrierea HTML +Designation,Denumire +Designer,Proiectant +Detailed Breakup of the totals,Despărțiri detaliată a totalurilor +Details,Detalii +Difference (Dr - Cr),Diferența (Dr - Cr) +Difference Account,Diferența de cont +"Difference Account must be a 'Liability' type account, since this Stock Reconciliation is an Opening Entry","Diferență de cont trebuie să fie un cont de tip ""Răspunderea"", deoarece acest Stock Reconcilierea este o intrare de deschidere" +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.,Diferit UOM pentru un produs va duce la incorect (Total) Net valoare greutate. Asigurați-vă că greutatea netă a fiecărui element este în același UOM. +Direct Expenses,Cheltuieli directe +Direct Income,Venituri directe +Disable,Dezactivați +Disable Rounded Total,Dezactivați rotunjite total +Disabled,Invalid +Discount %,Discount% +Discount %,Discount% +Discount (%),Discount (%) +Discount Amount,Discount Suma +"Discount Fields will be available in Purchase Order, Purchase Receipt, Purchase Invoice","Discount Fields va fi disponibil în cumparare Ordine, Primirea de cumparare, cumparare factura" +Discount Percentage,Procentul de reducere +Discount must be less than 100,Reducere trebuie să fie mai mică de 100 +Discount(%),Discount (%) +Dispatch,Expedierea +Display all the individual items delivered with the main items,Afișa toate elementele individuale livrate cu elementele principale +Distribute transport overhead across items.,Distribui aeriene de transport pe obiecte. +Distribution,Distribuire +Distribution Id,Id-ul de distribuție +Distribution Name,Distribuție Nume +Distributor,Distribuitor +Divorced,Divorțat +Do Not Contact,Nu de contact +Do not show any symbol like $ etc next to currencies.,Nu prezintă nici un simbol de genul $ etc alături de valute. +Do really want to unstop production order: , +Do you really want to STOP , +Do you really want to STOP this Material Request?,Chiar vrei pentru a opri această cerere Material? +Do you really want to Submit all Salary Slip for month {0} and year {1},Chiar vrei să prezinte toate Slip Salariul pentru luna {0} și {1 an} +Do you really want to UNSTOP , +Do you really want to UNSTOP this Material Request?,Chiar vrei să unstop această cerere Material? +Do you really want to stop production order: , +Doc Name,Doc Nume +Doc Type,Doc Tip +Document Description,Document Descriere +Document Type,Tip de document +Documents,Documente +Domain,Domeniu +Don't send Employee Birthday Reminders,Nu trimiteți Angajat Data nasterii Memento +Download Materials Required,Descărcați Materiale necesare +Download Reconcilation Data,Descărcați reconcilierii datelor +Download Template,Descărcați Format +Download a report containing all raw materials with their latest inventory status,Descărca un raport care conține toate materiile prime cu statutul lor ultimul inventar +"Download the Template, fill appropriate data and attach the modified file.","Descărcați șablonul, umple de date corespunzătoare și atașați fișierul modificat." +"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. \ NTot data și combinație de angajat în perioada selectată va veni în șablon, cu înregistrări de prezență existente" +Draft,Ciornă +Dropbox,Dropbox +Dropbox Access Allowed,Dropbox de acces permise +Dropbox Access Key,Dropbox Access Key +Dropbox Access Secret,Dropbox Access Secret +Due Date,Datorită Data +Due Date cannot be after {0},Datorită Data nu poate fi după {0} +Due Date cannot be before Posting Date,Datorită Data nu poate fi înainte de a posta Data +Duplicate Entry. Please check Authorization Rule {0},Duplicat de intrare. Vă rugăm să verificați de autorizare Regula {0} +Duplicate Serial No entered for Item {0},Duplicat de ordine introduse pentru postul {0} +Duplicate entry,Duplicat de intrare +Duplicate row {0} with same {1},Duplicate rând {0} cu aceeași {1} +Duties and Taxes,Impozite și taxe +ERPNext Setup,ERPNext Setup +Earliest,Mai devreme +Earnest Money,Bani Earnest +Earning,Câștigul salarial +Earning & Deduction,Câștigul salarial & Deducerea +Earning Type,Câștigul salarial Tip +Earning1,Earning1 +Edit,Editare +Education,Educație +Educational Qualification,Calificare de învățământ +Educational Qualification Details,De învățământ de calificare Detalii +Eg. smsgateway.com/api/send_sms.cgi,De exemplu. smsgateway.com / API / send_sms.cgi +Either debit or credit amount is required for {0},"Este necesar, fie de debit sau de credit pentru suma de {0}" +Either target qty or target amount is mandatory,Fie cantitate țintă sau valoarea țintă este obligatorie +Either target qty or target amount is mandatory.,Fie cantitate țintă sau valoarea țintă este obligatorie. +Electrical,Din punct de vedere electric +Electricity Cost,Costul energiei electrice +Electricity cost per hour,Costul de energie electrică pe oră +Electronics,Electronică +Email,E-mail +Email Digest,Email Digest +Email Digest Settings,E-mail Settings Digest +Email Digest: , +Email Id,E-mail Id-ul +"Email Id where a job applicant will email e.g. ""jobs@example.com""","E-mail Id-ul în cazul în care un solicitant de loc de muncă va trimite un email de exemplu ""jobs@example.com""" +Email Notifications,Notificări e-mail +Email Sent?,E-mail trimis? +"Email id must be unique, already exists for {0}","E-mail id trebuie să fie unic, există deja pentru {0}" +Email ids separated by commas.,ID-uri de e-mail separate prin virgule. +"Email settings to extract Leads from sales email id e.g. ""sales@example.com""","Setările de e-mail pentru a extrage de afaceri din vânzările de e-mail id-ul de exemplu, ""sales@example.com""" +Emergency Contact,De urgență Contact +Emergency Contact Details,Detalii de contact de urgență +Emergency Phone,Telefon de urgență +Employee,Angajat +Employee Birthday,Angajat de naștere +Employee Details,Detalii angajaților +Employee Education,Angajat Educație +Employee External Work History,Angajat Istoricul lucrului extern +Employee Information,Informații angajat +Employee Internal Work History,Angajat Istoricul lucrului intern +Employee Internal Work Historys,Angajat intern de lucru Historys +Employee Leave Approver,Angajat concediu aprobator +Employee Leave Balance,Angajat concediu Balance +Employee Name,Nume angajat +Employee Number,Numar angajat +Employee Records to be created by,Angajaților Records a fi create prin +Employee Settings,Setări angajaților +Employee Type,Tipul angajatului +"Employee designation (e.g. CEO, Director etc.).","Desemnarea angajat (de exemplu, CEO, director, etc)." +Employee master.,Maestru angajat. +Employee record is created using selected field. , +Employee records.,Înregistrările angajaților. +Employee relieved on {0} must be set as 'Left',"Angajat eliberat pe {0} trebuie să fie setat ca ""stânga""" +Employee {0} has already applied for {1} between {2} and {3},Angajat {0} a aplicat deja pentru {1} între {2} și {3} +Employee {0} is not active or does not exist,Angajat {0} nu este activ sau nu există +Employee {0} was on leave on {1}. Cannot mark attendance.,Angajat {0} a fost în concediu pe {1}. Nu se poate marca prezență. +Employees Email Id,Angajați mail Id-ul +Employment Details,Detalii ocuparea forței de muncă +Employment Type,Tipul de angajare +Enable / disable currencies.,Activarea / dezactivarea valute. +Enabled,Activat +Encashment Date,Data încasare +End Date,Data de încheiere +End Date can not be less than Start Date,Data de încheiere nu poate fi mai mic de Data de începere +End date of current invoice's period,Data de încheiere a perioadei facturii curente +End of Life,End of Life +Energy,Energie. +Engineer,Proiectarea +Enter Verification Code,Introduceti codul de verificare +Enter campaign name if the source of lead is campaign.,Introduceți numele campaniei în cazul în care sursa de plumb este de campanie. +Enter department to which this Contact belongs,Introduceti departamentul din care face parte acest contact +Enter designation of this Contact,Introduceți desemnarea acestui Contact +"Enter email id separated by commas, invoice will be mailed automatically on particular date","Introduceți ID-ul de e-mail separate prin virgule, factura va fi trimis prin poștă în mod automat la anumită dată" +Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,Introduce elemente și cantitate planificată pentru care doriți să ridice comenzi de producție sau descărcare materii prime pentru analiză. +Enter name of campaign if source of enquiry is campaign,"Introduceți numele de campanie, dacă sursa de anchetă este de campanie" +"Enter static url parameters here (Eg. sender=ERPNext, username=ERPNext, password=1234 etc.)","Introduceți parametrii url statice aici (de exemplu, expeditor = ERPNext, numele de utilizator = ERPNext, parola = 1,234, etc)" +Enter the company name under which Account Head will be created for this Supplier,Introduceți numele companiei sub care Account Director va fi creat pentru această Furnizor +Enter url parameter for message,Introduceți parametru url pentru mesaj +Enter url parameter for receiver nos,Introduceți parametru url pentru receptor nos +Entertainment & Leisure,Entertainment & Leisure +Entertainment Expenses,Cheltuieli de divertisment +Entries,Intrări +Entries against,Intrări împotriva +Entries are not allowed against this Fiscal Year if the year is closed.,"Lucrările nu sunt permise în acest an fiscal, dacă anul este închis." +Entries before {0} are frozen,Intrări înainte de {0} sunt înghețate +Equity,Echitate +Error: {0} > {1},Eroare: {0}> {1} +Estimated Material Cost,Costul estimat Material +Everyone can read,Oricine poate citi +"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.","Exemplu:. ABCD # # # # # \ nDacă serie este setat și nu de serie nu este menționat în tranzacții, atunci numărul de automate de serie va fi creat pe baza acestei serii. Dacă vrei mereu să menționeze în mod explicit de serie nr pentru acest articol. părăsi acest gol." +Exchange Rate,Rata de schimb +Excise Page Number,Numărul de accize Page +Excise Voucher,Accize Voucher +Execution,Detalii de fabricaţie +Executive Search,Executive Search +Exemption Limit,Limita de scutire +Exhibition,Expoziție +Existing Customer,Client existent +Exit,Ieșire +Exit Interview Details,Detalii ieșire Interviu +Expected,Preconizează +Expected Completion Date can not be less than Project Start Date,Așteptat Finalizarea Data nu poate fi mai mică de proiect Data de începere +Expected Date cannot be before Material Request Date,Data așteptat nu poate fi înainte Material Cerere Data +Expected Delivery Date,Așteptat Data de livrare +Expected Delivery Date cannot be before Purchase Order Date,Așteptat Data de livrare nu poate fi înainte de Comandă Data +Expected Delivery Date cannot be before Sales Order Date,Așteptat Data de livrare nu poate fi înainte de comandă de vânzări Data +Expected End Date,Așteptat Data de încheiere +Expected Start Date,Data de începere așteptată +Expense,cheltuială +Expense Account,Decont +Expense Account is mandatory,Contul de cheltuieli este obligatorie +Expense Claim,Cheltuieli de revendicare +Expense Claim Approved,Cheltuieli de revendicare Aprobat +Expense Claim Approved Message,Mesajul Expense Cerere aprobată +Expense Claim Detail,Cheltuieli de revendicare Detaliu +Expense Claim Details,Detalii cheltuială revendicare +Expense Claim Rejected,Cheltuieli de revendicare Respins +Expense Claim Rejected Message,Mesajul Expense Cerere Respins +Expense Claim Type,Cheltuieli de revendicare Tip +Expense Claim has been approved.,Cheltuieli de revendicare a fost aprobat. +Expense Claim has been rejected.,Cheltuieli de revendicare a fost respinsă. +Expense Claim is pending approval. Only the Expense Approver can update status.,Cheltuieli de revendicare este în curs de aprobare. Doar aprobator cheltuieli pot actualiza status. +Expense Date,Cheltuială Data +Expense Details,Detalii de cheltuieli +Expense Head,Cheltuială cap +Expense account is mandatory for item {0},Cont de cheltuieli este obligatorie pentru element {0} +Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,"Cheltuială sau Diferența cont este obligatorie pentru postul {0}, deoarece impactul valoare totală de stoc" +Expenses,Cheltuieli +Expenses Booked,Cheltuieli rezervare +Expenses Included In Valuation,Cheltuieli incluse în evaluare +Expenses booked for the digest period,Cheltuieli rezervat pentru perioada Digest +Expiry Date,Data expirării +Exports,Exporturile +External,Extern +Extract Emails,Extrage poștă electronică +FCFS Rate,FCFS Rate +Failed: , +Family Background,Context familie +Fax,Fax +Features Setup,Caracteristici de configurare +Feed,Hrănirea / Încărcarea / Alimentarea / Aprovizionarea / Furnizarea +Feed Type,Tip de alimentare +Feedback,Feedback +Female,Feminin +Fetch exploded BOM (including sub-assemblies),Fetch BOM a explodat (inclusiv subansamble) +"Field available in Delivery Note, Quotation, Sales Invoice, Sales Order","Câmp disponibil în nota de livrare, cotatie, Factura Vanzare, comandă de vânzări" +Files Folder ID,Files Folder ID +Fill the form and save it,Completați formularul și să-l salvați +Filter based on customer,Filtru bazat pe client +Filter based on item,Filtru conform punctului +Financial / accounting year.,An financiar / contabil. +Financial Analytics,Analytics financiare +Financial Services,Servicii Financiare +Financial Year End Date,Anul financiar Data de încheiere +Financial Year Start Date,Anul financiar Data începerii +Finished Goods,Produse finite +First Name,Prenume +First Responded On,Primul răspuns la +Fiscal Year,Exercițiu financiar +Fixed Asset,Activelor fixe +Fixed Assets,Mijloace Fixe +Follow via Email,Urmați prin e-mail +"Following table will show values if items are sub - contracted. These values will be fetched from the master of ""Bill of Materials"" of sub - contracted items.","Tabelul de mai jos va arata valori în cazul în care elementele sunt sub - contractate. Aceste valori vor fi preluat de la maestru de ""Bill of Materials"" de sub - contractate elemente." +Food,Alimente +"Food, Beverage & Tobacco","Produse alimentare, bauturi si tutun" +For Company,Pentru companie +For Employee,Pentru Angajat +For Employee Name,Pentru numele angajatului +For Price List,Pentru lista de preturi +For Production,Pentru producție +For Reference Only.,Numai pentru referință. +For Sales Invoice,Pentru Factura Vanzare +For Server Side Print Formats,Pentru formatele Print Server Side +For Supplier,De Furnizor +For Warehouse,Pentru Warehouse +For Warehouse is required before Submit,Pentru este necesară Warehouse înainte Trimite +"For e.g. 2012, 2012-13","De exemplu, 2012, 2012-13" +For reference,De referință +For reference only.,Pentru numai referință. +"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" +Fraction,Fracțiune +Fraction Units,Unități Fraction +Freeze Stock Entries,Freeze stoc Entries +Freeze Stocks Older Than [Days],Congelatoare Stocurile mai vechi de [zile] +Freight and Forwarding Charges,Marfă și de expediere Taxe +Friday,Vineri +From,Din data +From Bill of Materials,De la Bill de materiale +From Company,De la firma +From Currency,Din valutar +From Currency and To Currency cannot be same,Din valutar și a valutar nu poate fi același +From Customer,De la client +From Customer Issue,De la client Issue +From Date,De la data +From Date must be before To Date,De la data trebuie să fie înainte de a Dată +From Delivery Note,De la livrare Nota +From Employee,Din Angajat +From Lead,Din plumb +From Maintenance Schedule,Din Program de întreținere +From Material Request,Din Material Cerere +From Opportunity,De oportunitate +From Package No.,Din Pachetul Nu +From Purchase Order,De Comandă +From Purchase Receipt,Primirea de cumparare +From Quotation,Din ofertă +From Sales Order,De comandă de vânzări +From Supplier Quotation,Furnizor de ofertă +From Time,From Time +From Value,Din valoare +From and To dates required,De la și la termenul dorit +From value must be less than to value in row {0},De valoare trebuie să fie mai mică de valoare în rândul {0} +Frozen,Înghețat +Frozen Accounts Modifier,Congelate Conturi modificator +Fulfilled,Îndeplinite +Full Name,Numele complet +Full-time,Full-time +Fully Completed,Completata +Furniture and Fixture,Și mobilier +Further accounts can be made under Groups but entries can be made against Ledger,Conturile suplimentare pot fi făcute sub Grupa dar intrări pot fi făcute împotriva Ledger +"Further accounts can be made under Groups, but entries can be made against Ledger","Conturile suplimentare pot fi făcute în grupurile, dar înregistrări pot fi făcute împotriva Ledger" +Further nodes can be only created under 'Group' type nodes,"Noduri suplimentare pot fi create numai în noduri de tip ""grup""" +GL Entry,GL de intrare +Gantt Chart,Gantt Chart +Gantt chart of all tasks.,Diagrama Gantt a tuturor sarcinilor. +Gender,Sex +General,Generală +General Ledger,General Ledger +Generate Description HTML,Genera Descriere HTML +Generate Material Requests (MRP) and Production Orders.,Genera Cererile de materiale (MRP) și comenzi de producție. +Generate Salary Slips,Genera salariale Alunecările +Generate Schedule,Genera Program +Generates HTML to include selected image in the description,Genereaza HTML pentru a include imagini selectate în descrierea +Get Advances Paid,Ia avansurile plătite +Get Advances Received,Ia Avansuri primite +Get Against Entries,Ia împotriva Entries +Get Current Stock,Get Current Stock +Get Items,Ia Articole +Get Items From Sales Orders,Obține elemente din comenzi de vânzări +Get Items from BOM,Obține elemente din BOM +Get Last Purchase Rate,Ia Ultima Rate de cumparare +Get Outstanding Invoices,Ia restante Facturi +Get Relevant Entries,Ia intrările relevante +Get Sales Orders,Ia comenzi de vânzări +Get Specification Details,Ia Specificatii Detalii +Get Stock and Rate,Ia Stock și Rate +Get Template,Ia Format +Get Terms and Conditions,Ia Termeni și condiții +Get Weekly Off Dates,Ia săptămânal Off Perioada +"Get valuation rate and available stock at source/target warehouse on mentioned posting date-time. If serialized item, please press this button after entering serial nos.","Ia rata de evaluare și stocul disponibil la sursă / depozit țintă pe menționat detașarea data-timp. Dacă serializat element, vă rugăm să apăsați acest buton după ce a intrat nr de serie." +Global Defaults,Prestabilite la nivel mondial +Global POS Setting {0} already created for company {1},Setarea POS Global {0} deja creat pentru companie {1} +Global Settings,Setari Glob +"Go to the appropriate group (usually Application of Funds > Current Assets > Bank Accounts and create a new Account Ledger (by clicking on Add Child) of type ""Bank""","Du-te la grupul corespunzător (de obicei, de aplicare a fondurilor> activele circulante> conturi bancare și de a crea un nou cont Ledger (făcând clic pe Adăugați pentru copii) de tip ""Banca""" +"Go to the appropriate group (usually Source of Funds > Current Liabilities > Taxes and Duties and create a new Account Ledger (by clicking on Add Child) of type ""Tax"" and do mention the Tax rate.","Du-te la grupul corespunzător (de obicei, sursa de fonduri> pasivele curente> taxelor și impozitelor și a crea un nou cont Ledger (făcând clic pe Adăugați pentru copii) de tip ""fiscal"", și menționează rata de impozitare." +Goal,Scop +Goals,Obiectivele +Goods received from Suppliers.,Bunurile primite de la furnizori. +Google Drive,Google Drive +Google Drive Access Allowed,Google unitate de acces permise +Government,Guvern +Graduate,Absolvent +Grand Total,Total general +Grand Total (Company Currency),Total general (Compania de valuta) +"Grid ""","Grid """ +Grocery,Băcănie +Gross Margin %,Marja bruta% +Gross Margin Value,Valoarea brută Marja de +Gross Pay,Pay brut +Gross Pay + Arrear Amount +Encashment Amount - Total Deduction,Brut Suma de plată + restante Suma + încasări - Total Deducerea +Gross Profit,Profitul brut +Gross Profit (%),Profit brut (%) +Gross Weight,Greutate brut +Gross Weight UOM,Greutate brută UOM +Group,Grup +Group by Account,Grup de Cont +Group by Voucher,Grup de Voucher +Group or Ledger,Grup sau Ledger +Groups,Grupuri +HR Manager,Manager Resurse Umane +HR Settings,Setări HR +HTML / Banner that will show on the top of product list.,"HTML / Banner, care va arăta pe partea de sus a listei de produse." +Half Day,Jumătate de zi +Half Yearly,Semestrial +Half-yearly,Semestrial +Happy Birthday!,La multi ani! +Hardware,Hardware +Has Batch No,Are lot Nu +Has Child Node,Are Nod copii +Has Serial No,Are de ordine +Head of Marketing and Sales,Director de Marketing și Vânzări +Header,Antet +Health Care,Health +Health Concerns,Probleme de sanatate +Health Details,Sănătate Detalii +Held On,A avut loc pe +Help HTML,Ajutor HTML +"Help: To link to another record in the system, use ""#Form/Note/[Note Name]"" as the Link URL. (don't use ""http://"")","Ajutor: Pentru a lega la altă înregistrare în sistem, utilizați ""# Form / Note / [Nota Name]"" ca URL Link. (Nu folositi ""http://"")" +"Here you can maintain family details like name and occupation of parent, spouse and children","Aici vă puteți menține detalii de familie, cum ar fi numele și ocupația de mamă, soțul și copiii" +"Here you can maintain height, weight, allergies, medical concerns etc","Aici vă puteți menține inaltime, greutate, alergii, probleme medicale etc" +Hide Currency Symbol,Ascunde Valuta Simbol +High,Ridicată +History In Company,Istoric In companiei +Hold,Păstrarea / Ţinerea / Deţinerea +Holiday,Vacanță +Holiday List,Lista de vacanță +Holiday List Name,Denumire Lista de vacanță +Holiday master.,Maestru de vacanta. +Holidays,Concediu +Home,Acasă +Host,Găzduirea +"Host, Email and Password required if emails are to be pulled","Gazdă, e-mail și parola necesare în cazul în care e-mailuri să fie tras" +Hour,Oră +Hour Rate,Rate oră +Hour Rate Labour,Ora Rate de muncă +Hours,Ore +How frequently?,Cât de des? +"How should this currency be formatted? If not set, will use system defaults","Cum ar trebui să fie formatat aceasta moneda? Dacă nu setați, va folosi valorile implicite de sistem" +Human Resources,Managementul resurselor umane +Identification of the package for the delivery (for print),Identificarea pachetului de livrare (pentru imprimare) +If Income or Expense,În cazul în care venituri sau cheltuieli +If Monthly Budget Exceeded,Dacă bugetul lunar depășită +"If Sale BOM is defined, the actual BOM of the Pack is displayed as table. Available in Delivery Note and Sales Order","Dacă Vanzare BOM este definit, BOM efectivă a Pack este afișat ca masă. Disponibil în nota de livrare și comenzilor de vânzări" +"If Supplier Part Number exists for given Item, it gets stored here","În cazul în care există Number Furnizor parte pentru postul dat, ea este stocat aici" +If Yearly Budget Exceeded,Dacă bugetul anual depășită +"If checked, BOM for sub-assembly items will be considered for getting raw materials. Otherwise, all sub-assembly items will be treated as a raw material.","Dacă este bifată, BOM pentru un produs sub-asamblare vor fi luate în considerare pentru a obține materii prime. În caz contrar, toate elementele de sub-asamblare va fi tratată ca o materie primă." +"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Dacă este bifată, nu total. de zile de lucru va include concediu, iar acest lucru va reduce valoarea Salariul pe zi" +"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount","Dacă este bifată, suma taxei va fi considerată ca fiind deja incluse în Print Tarif / Print Suma" +If different than customer address,Dacă este diferită de adresa clientului +"If disable, 'Rounded Total' field will not be visible in any transaction","Dacă dezactivați, câmpul ""rotunjit Total"" nu vor fi vizibile in orice tranzacție" +"If enabled, the system will post accounting entries for inventory automatically.","Dacă este activat, sistemul va posta automat înregistrări contabile pentru inventar." +If more than one package of the same type (for print),În cazul în care mai mult de un pachet de același tip (de imprimare) +"If no change in either Quantity or Valuation Rate, leave the cell blank.","În cazul în care nici o schimbare în nici Cantitate sau Evaluează evaluare, lăsați necompletată celula." +If not applicable please enter: NA,"Dacă nu este cazul, vă rugăm să introduceți: NA" +"If not checked, the list will have to be added to each Department where it has to be applied.","Dacă nu verificat, lista trebuie să fie adăugate la fiecare Departament unde trebuie aplicată." +"If specified, send the newsletter using this email address","Daca este specificat, trimite newsletter-ul care utilizează această adresă e-mail" +"If the account is frozen, entries are allowed to restricted users.","În cazul în care contul este blocat, intrările li se permite utilizatorilor restricționate." +"If this Account represents a Customer, Supplier or Employee, set it here.","În cazul în care acest cont reprezintă un client, furnizor sau angajat, a stabilit aici." +If you follow Quality Inspection. Enables Item QA Required and QA No in Purchase Receipt,Dacă urmați Inspecție de calitate. Permite Articol QA obligatorii și de asigurare a calității nu în Primirea cumparare +If you have Sales Team and Sale Partners (Channel Partners) they can be tagged and maintain their contribution in the sales activity,"Dacă aveți echipa de vanzari si vandute Partners (parteneri), ele pot fi etichetate și menține contribuția lor la activitatea de vânzări" +"If you have created a standard template in Purchase Taxes and Charges Master, select one and click on the button below.","Dacă ați creat un model standard la taxele de cumpărare și de masterat taxe, selectați una și faceți clic pe butonul de mai jos." +"If you have created a standard template in Sales Taxes and Charges Master, select one and click on the button below.","Dacă ați creat un model standard la taxele de vânzare și de masterat taxe, selectați una și faceți clic pe butonul de mai jos." +"If you have long print formats, this feature can be used to split the page to be printed on multiple pages with all headers and footers on each page","Dacă aveți formate de imprimare lungi, această caracteristică poate fi folosit pentru a împărți pagina pentru a fi imprimate pe mai multe pagini, cu toate anteturile și subsolurile de pe fiecare pagină" +If you involve in manufacturing activity. Enables Item 'Is Manufactured',"Dacă vă implica în activitatea de producție. Permite Articol ""este fabricat""" +Ignore,Ignora +Ignored: , +Image,Imagine +Image View,Imagine Vizualizare +Implementation Partner,Partener de punere în aplicare +Import Attendance,Import Spectatori +Import Failed!,Import a eșuat! +Import Log,Import Conectare +Import Successful!,Importa cu succes! +Imports,Importurile +In Hours,În ore +In Process,În procesul de +In Qty,În Cantitate +In Value,În valoare +In Words,În cuvinte +In Words (Company Currency),În cuvinte (Compania valutar) +In Words (Export) will be visible once you save the Delivery Note.,În cuvinte (de export) va fi vizibil după ce a salva de livrare Nota. +In Words will be visible once you save the Delivery Note.,În cuvinte va fi vizibil după ce a salva de livrare Nota. +In Words will be visible once you save the Purchase Invoice.,În cuvinte va fi vizibil după ce salvați factura de cumpărare. +In Words will be visible once you save the Purchase Order.,În cuvinte va fi vizibil după ce a salva Ordinul de cumparare. +In Words will be visible once you save the Purchase Receipt.,În cuvinte va fi vizibil după ce a salva chitanța. +In Words will be visible once you save the Quotation.,În cuvinte va fi vizibil după ce salvați citat. +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ă. +In Words will be visible once you save the Sales Order.,În cuvinte va fi vizibil după ce a salva comanda de vânzări. +Incentives,Stimulente +Include Reconciled Entries,Includ intrările împăcat +Include holidays in Total no. of Working Days,Includ vacanțe în total nr. de zile lucrătoare +Income,Venit +Income / Expense,Venituri / cheltuieli +Income Account,Contul de venit +Income Booked,Venituri rezervat +Income Tax,Impozit pe venit +Income Year to Date,Venituri Anul curent +Income booked for the digest period,Venituri rezervat pentru perioada Digest +Incoming,Primite +Incoming Rate,Rate de intrare +Incoming quality inspection.,Control de calitate de intrare. +Incorrect or Inactive BOM {0} for Item {1} at row {2},Incorectă sau inactivă BOM {0} pentru postul {1} ​​la rând {2} +Indicates that the package is a part of this delivery,Indică faptul că pachetul este o parte din această livrare +Indirect Expenses,Cheltuieli indirecte +Indirect Income,Venituri indirecte +Individual,Individual +Industry,Industrie +Industry Type,Industrie Tip +Inspected By,Inspectat de +Inspection Criteria,Criteriile de inspecție +Inspection Required,Inspecție obligatorii +Inspection Type,Inspecție Tip +Installation Date,Data de instalare +Installation Note,Instalare Notă +Installation Note Item,Instalare Notă Postul +Installation Note {0} has already been submitted,Instalarea Nota {0} a fost deja prezentat +Installation Status,Starea de instalare +Installation Time,Timp de instalare +Installation date cannot be before delivery date for Item {0},Data de instalare nu poate fi înainte de data de livrare pentru postul {0} +Installation record for a Serial No.,Înregistrare de instalare pentru un nr de serie +Installed Qty,Instalat Cantitate +Instructions,Instrucţiuni +Integrate incoming support emails to Support Ticket,Integra e-mailuri de sprijin primite de suport de vânzare bilete +Interested,Interesat +Intern,Interna +Internal,Intern +Internet Publishing,Editura Internet +Introduction,Introducere +Invalid Barcode or Serial No,De coduri de bare de invalid sau de ordine +Invalid Mail Server. Please rectify and try again.,Server de mail invalid. Vă rugăm să rectifice și să încercați din nou. +Invalid Master Name,Maestru valabil Numele +Invalid User Name or Support Password. Please rectify and try again.,Nume utilizator invalid sau suport Parola. Vă rugăm să rectifice și să încercați din nou. +Invalid quantity specified for item {0}. Quantity should be greater than 0.,Cantitate nevalidă specificată pentru element {0}. Cantitatea ar trebui să fie mai mare decât 0. +Inventory,Inventarierea +Inventory & Support,Inventarul & Suport +Investment Banking,Investment Banking +Investments,Investiții +Invoice Date,Data facturii +Invoice Details,Factură Detalii +Invoice No,Factura Nu +Invoice Period From Date,Perioada factura la data +Invoice Period From and Invoice Period To dates mandatory for recurring invoice,Perioada factura la și facturilor perioadă la date obligatorii pentru facturi recurente +Invoice Period To Date,Perioada factură Pentru a Data +Invoiced Amount (Exculsive Tax),Facturate Suma (Exculsive Tax) +Is Active,Este activ +Is Advance,Este Advance +Is Cancelled,Este anulat +Is Carry Forward,Este Carry Forward +Is Default,Este Implicit +Is Encash,Este încasa +Is Fixed Asset Item,Este fixă ​​Asset Postul +Is LWP,Este LWP +Is Opening,Se deschide +Is Opening Entry,Deschiderea este de intrare +Is POS,Este POS +Is Primary Contact,Este primar Contact +Is Purchase Item,Este de cumparare Articol +Is Sales Item,Este produs de vânzări +Is Service Item,Este Serviciul Articol +Is Stock Item,Este Stock Articol +Is Sub Contracted Item,Este subcontractate Postul +Is Subcontracted,Este subcontractată +Is this Tax included in Basic Rate?,Este acest fiscală inclusă în rata de bază? +Issue,Problem +Issue Date,Data emiterii +Issue Details,Detalii emisiune +Issued Items Against Production Order,Emise Articole împotriva producției Ordine +It can also be used to create opening stock entries and to fix stock value.,Acesta poate fi de asemenea utilizat pentru a crea intrări de stocuri de deschidere și de a stabili o valoare de stoc. +Item,Obiect +Item Advanced,Articol avansate +Item Barcode,Element de coduri de bare +Item Batch Nos,Lot nr element +Item Code,Cod articol +Item Code and Warehouse should already exist.,Articol Cod și Warehouse trebuie să existe deja. +Item Code cannot be changed for Serial No.,Cod articol nu pot fi schimbate pentru Serial No. +Item Code is mandatory because Item is not automatically numbered,"Cod articol este obligatorie, deoarece postul nu este numerotat automat" +Item Code required at Row No {0},Cod element necesar la Row Nu {0} +Item Customer Detail,Articol client Detaliu +Item Description,Element Descriere +Item Desription,Element Descrierea hotelelor +Item Details,Detalii despre articol +Item Group,Grupa de articole +Item Group Name,Nume Grupa de articole +Item Group Tree,Grupa de articole copac +Item Groups in Details,Articol Grupuri în Detalii +Item Image (if not slideshow),Element de imagine (dacă nu slideshow) +Item Name,Denumire +Item Naming By,Element de denumire prin +Item Price,Preț de vanzare +Item Prices,Postul Preturi +Item Quality Inspection Parameter,Articol Inspecție de calitate Parametru +Item Reorder,Element Reordonare +Item Serial No,Element de ordine +Item Serial Nos,Element de serie nr +Item Shortage Report,Element Lipsa Raport +Item Supplier,Element Furnizor +Item Supplier Details,Detalii articol Furnizor +Item Tax,Postul fiscal +Item Tax Amount,Postul fiscal Suma +Item Tax Rate,Articol Rata de impozitare +Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Postul fiscal Row {0} trebuie sa aiba cont de tip fiscal sau de venituri sau cheltuieli sau taxabile +Item Tax1,Element Tax1 +Item To Manufacture,Element pentru fabricarea +Item UOM,Element UOM +Item Website Specification,Articol Site Specificații +Item Website Specifications,Articol Site Specificații +Item Wise Tax Detail,Articol înțelept fiscală Detaliu +Item Wise Tax Detail , +Item is required,Este necesară Articol +Item is updated,Element este actualizat +Item master.,Maestru element. +"Item must be a purchase item, as it is present in one or many Active BOMs","Element trebuie să fie un element de cumpărare, așa cum este prezent în unul sau mai multe extraselor active" +Item or Warehouse for row {0} does not match Material Request,Element sau Depozit de rând {0} nu se potrivește Material Cerere +Item table can not be blank,Masă element nu poate fi gol +Item to be manufactured or repacked,Element care urmează să fie fabricate sau reambalate +Item valuation updated,Evaluare element actualizat +Item will be saved by this name in the data base.,Articol vor fi salvate de acest nume în baza de date. +Item {0} appears multiple times in Price List {1},Element {0} apare de mai multe ori în lista de prețuri {1} +Item {0} does not exist,Element {0} nu există +Item {0} does not exist in the system or has expired,Element {0} nu există în sistemul sau a expirat +Item {0} does not exist in {1} {2},Element {0} nu există în {1} {2} +Item {0} has already been returned,Element {0} a fost deja returnate +Item {0} has been entered multiple times against same operation,Element {0} a fost introdus de mai multe ori față de aceeași operație +Item {0} has been entered multiple times with same description or date,Postul {0} a fost introdus de mai multe ori cu aceeași descriere sau data +Item {0} has been entered multiple times with same description or date or warehouse,Element {0} a fost introdus de mai multe ori cu aceeași descriere sau data sau antrepozit +Item {0} has been entered twice,Element {0} a fost introdusă de două ori +Item {0} has reached its end of life on {1},Element {0} a ajuns la sfârșitul său de viață pe {1} +Item {0} ignored since it is not a stock item,"Element {0} ignorat, deoarece nu este un element de stoc" +Item {0} is cancelled,Element {0} este anulat +Item {0} is not Purchase Item,Element {0} nu este cumparare articol +Item {0} is not a serialized Item,Element {0} nu este un element serializate +Item {0} is not a stock Item,Element {0} nu este un element de stoc +Item {0} is not active or end of life has been reached,Element {0} nu este activă sau la sfârșitul vieții a fost atins +Item {0} is not setup for Serial Nos. Check Item master,Element {0} nu este de configurare pentru maestru nr Serial de selectare a elementului +Item {0} is not setup for Serial Nos. Column must be blank,Element {0} nu este de configurare pentru Serial Nr Coloana trebuie să fie gol +Item {0} must be Sales Item,Element {0} trebuie să fie produs de vânzări +Item {0} must be Sales or Service Item in {1},Element {0} trebuie să fie vânzări sau de service Articol din {1} +Item {0} must be Service Item,Element {0} trebuie să fie de service Articol +Item {0} must be a Purchase Item,Postul {0} trebuie sa fie un element de cumparare +Item {0} must be a Sales Item,Element {0} trebuie sa fie un element de vânzări +Item {0} must be a Service Item.,Element {0} trebuie sa fie un element de service. +Item {0} must be a Sub-contracted Item,Element {0} trebuie sa fie un element sub-contractat +Item {0} must be a stock Item,Element {0} trebuie sa fie un element de stoc +Item {0} must be manufactured or sub-contracted,Element {0} trebuie să fie fabricate sau sub-contractat +Item {0} not found,Element {0} nu a fost găsit +Item {0} with Serial No {1} is already installed,Element {0} cu ordine {1} este deja instalat +Item {0} with same description entered twice,Element {0} cu aceeași descriere a intrat de două ori +"Item, Warranty, AMC (Annual Maintenance Contract) details will be automatically fetched when Serial Number is selected.","Element, Garantie, AMC (de întreținere anuale contractului) detalii vor fi preluate în mod automat atunci când este selectat numărul de serie." +Item-wise Price List Rate,-Element înțelept Pret Rate +Item-wise Purchase History,-Element înțelept Istoricul achizițiilor +Item-wise Purchase Register,-Element înțelept cumparare Inregistrare +Item-wise Sales History,-Element înțelept Sales Istorie +Item-wise Sales Register,-Element înțelept vânzări Înregistrare +"Item: {0} managed batch-wise, can not be reconciled using \ + Stock Reconciliation, instead use Stock Entry","Postul: {0}-lot înțelept a reușit, nu pot fi reconciliate folosind \ \ n Bursa de reconciliere, folosiți în schimb Bursa de intrare" +Item: {0} not found in the system,Postul: {0} nu a fost găsit în sistemul +Items,Obiecte +Items To Be Requested,Elemente care vor fi solicitate +Items required,Elementele necesare +"Items to be requested which are ""Out of Stock"" considering all warehouses based on projected qty and minimum order qty","Elementele care urmează să fie solicitate care sunt ""in stoc"", luând în considerare toate depozitele bazate pe cantitate proiectat și comanda minima Cantitate" +Items which do not exist in Item master can also be entered on customer's request,"Elemente care nu există în maestru articol poate fi, de asemenea, introduse la cererea clientului" +Itemwise Discount,Itemwise Reducere +Itemwise Recommended Reorder Level,Itemwise Recomandat Reordonare nivel +Job Applicant,Solicitantul de locuri de muncă +Job Opening,Deschiderea de locuri de muncă +Job Profile,De locuri de muncă Profilul +Job Title,Denumirea postului +"Job profile, qualifications required etc.","Profil de locuri de muncă, calificările necesare, etc" +Jobs Email Settings,Setări de locuri de muncă de e-mail +Journal Entries,Intrari in jurnal +Journal Entry,Jurnal de intrare +Journal Voucher,Jurnalul Voucher +Journal Voucher Detail,Jurnalul Voucher Detaliu +Journal Voucher Detail No,Jurnalul Voucher Detaliu Nu +Journal Voucher {0} does not have account {1} or already matched,Jurnalul Voucher {0} nu are cont {1} sau deja potrivire +Journal Vouchers {0} are un-linked,Jurnalul Tichete {0} sunt ne-legate de +Keep a track of communication related to this enquiry which will help for future reference.,"Păstra o pistă de comunicare legate de această anchetă, care va ajuta de referință pentru viitor." +Keep it web friendly 900px (w) by 100px (h),Păstrați-l web 900px prietenos (w) de 100px (h) +Key Performance Area,Domeniul Major de performanță +Key Responsibility Area,Domeniul Major de Responsabilitate +Kg,Kg +LR Date,LR Data +LR No,LR Nu +Label,Etichetarea +Landed Cost Item,Aterizat Cost Articol +Landed Cost Items,Aterizat cost Articole +Landed Cost Purchase Receipt,Aterizat costul de achiziție de primire +Landed Cost Purchase Receipts,Aterizat Încasări costul de achiziție +Landed Cost Wizard,Wizard Cost aterizat +Landed Cost updated successfully,Costul aterizat actualizat cu succes +Language,Limbă +Last Name,Nume +Last Purchase Rate,Ultima Rate de cumparare +Latest,Ultimele +Lead,Șef +Lead Details,Plumb Detalii +Lead Id,Plumb Id +Lead Name,Numele plumb +Lead Owner,Plumb Proprietar +Lead Source,Sursa de plumb +Lead Status,Starea de plumb +Lead Time Date,Data de livrare +Lead Time Days,De livrare Zile +Lead Time days is number of days by which this item is expected in your warehouse. This days is fetched in Material Request when you select this item.,Plumb de zile de timp este numărul de zile cu care acest element este de așteptat în depozit. Această zi este descărcat în Material Cerere atunci când selectați acest element. +Lead Type,Tip Plumb +Lead must be set if Opportunity is made from Lead,Plumb trebuie să fie setat dacă Oportunitatea este facut din plumb +Leave Allocation,Lasă Alocarea +Leave Allocation Tool,Lasă Alocarea Tool +Leave Application,Lasă Application +Leave Approver,Lasă aprobator +Leave Approvers,Lasă Aprobatori +Leave Balance Before Application,Lasă Balanța înainte de aplicare +Leave Block List,Lasă Lista Block +Leave Block List Allow,Lasă Block List Permite +Leave Block List Allowed,Lasă Block List permise +Leave Block List Date,Lasă Block List Data +Leave Block List Dates,Lasă Block Lista de Date +Leave Block List Name,Lasă Name Block List +Leave Blocked,Lasă Blocat +Leave Control Panel,Pleca Control Panel +Leave Encashed?,Lasă încasate? +Leave Encashment Amount,Lasă încasări Suma +Leave Type,Lasă Tip +Leave Type Name,Lasă Tip Nume +Leave Without Pay,Concediu fără plată +Leave application has been approved.,Cerere de concediu a fost aprobat. +Leave application has been rejected.,Cerere de concediu a fost respinsă. +Leave approver must be one of {0},Lasă aprobator trebuie să fie una din {0} +Leave blank if considered for all branches,Lăsați necompletat dacă se consideră că pentru toate ramurile +Leave blank if considered for all departments,Lăsați necompletat dacă se consideră că pentru toate departamentele +Leave blank if considered for all designations,Lăsați necompletat dacă se consideră că pentru toate denumirile +Leave blank if considered for all employee types,Lăsați necompletat dacă se consideră că pentru toate tipurile de angajați +"Leave can be approved by users with Role, ""Leave Approver""","Lasă pot fi aprobate de către utilizatorii cu rol, ""Lasă-aprobator""" +Leave of type {0} cannot be longer than {1},Concediu de tip {0} nu poate fi mai mare de {1} +Leaves Allocated Successfully for {0},Frunze alocat cu succes pentru {0} +Leaves for type {0} already allocated for Employee {1} for Fiscal Year {0},Frunze de tip {0} deja alocate pentru Angajat {1} pentru anul fiscal {0} +Leaves must be allocated in multiples of 0.5,"Frunzele trebuie să fie alocate în multipli de 0,5" +Ledger,Carte mare +Ledgers,Registre +Left,Stânga +Legal,Legal +Legal Expenses,Cheltuieli juridice +Letter Head,Scrisoare cap +Letter Heads for print templates.,Capete de scrisoare de șabloane de imprimare. +Level,Nivel +Lft,LFT +Liability,Răspundere +List a few of your customers. They could be organizations or individuals.,Lista câteva dintre clienții dumneavoastră. Ele ar putea fi organizații sau persoane fizice. +List a few of your suppliers. They could be organizations or individuals.,Lista câteva dintre furnizorii dumneavoastră. Ele ar putea fi organizații sau persoane fizice. +List items that form the package.,Lista de elemente care formează pachetul. +List this Item in multiple groups on the website.,Lista acest articol în mai multe grupuri de pe site-ul. +"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 le cumpara sau vinde tale. Asigurați-vă că pentru a verifica Grupului articol, unitatea de măsură și alte proprietăți atunci când începe." +"List your tax heads (e.g. VAT, Excise; 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, accize, acestea 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." +Loading...,Încărcare... +Loans (Liabilities),Credite (pasive) +Loans and Advances (Assets),Împrumuturi și avansuri (Active) +Local,Local +Login with your new User ID,Autentifica-te cu noul ID utilizator +Logo,Logo +Logo and Letter Heads,Logo și Scrisoare Heads +Lost,Pierdut +Lost Reason,Expunere de motive a pierdut +Low,Scăzut +Lower Income,Venituri mai mici +MTN Details,MTN Detalii +Main,Principal +Main Reports,Rapoarte principale +Maintain Same Rate Throughout Sales Cycle,Menține aceeași rată de-a lungul ciclului de vânzări +Maintain same rate throughout purchase cycle,Menține aceeași rată de-a lungul ciclului de cumpărare +Maintenance,Mentenanţă +Maintenance Date,Data întreținere +Maintenance Details,Detalii întreținere +Maintenance Schedule,Program de întreținere +Maintenance Schedule Detail,Program de întreținere Detaliu +Maintenance Schedule Item,Program de întreținere Articol +Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',"Program de întreținere nu este generată pentru toate elementele. Vă rugăm să faceți clic pe ""Generate Program""" +Maintenance Schedule {0} exists against {0},Program de întreținere {0} există în {0} +Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Program de întreținere {0} trebuie anulată înainte de a anula această comandă de vânzări +Maintenance Schedules,Orarele de întreținere +Maintenance Status,Starea de întreținere +Maintenance Time,Timp de întreținere +Maintenance Type,Tip de întreținere +Maintenance Visit,Vizitează întreținere +Maintenance Visit Purpose,Vizitează întreținere Scop +Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Vizitează întreținere {0} trebuie anulată înainte de a anula această comandă de vânzări +Maintenance start date can not be before delivery date for Serial No {0},Întreținere data de începere nu poate fi înainte de data de livrare pentru de serie nr {0} +Major/Optional Subjects,Subiectele majore / opționale +Make , +Make Accounting Entry For Every Stock Movement,Asigurați-vă de contabilitate de intrare pentru fiecare Stock Mișcarea +Make Bank Voucher,Banca face Voucher +Make Credit Note,Face Credit Nota +Make Debit Note,Face notă de debit +Make Delivery,Face de livrare +Make Difference Entry,Face diferenta de intrare +Make Excise Invoice,Face accize Factura +Make Installation Note,Face de instalare Notă +Make Invoice,Face Factura +Make Maint. Schedule,Face Maint. Program +Make Maint. Visit,Face Maint. Vizita +Make Maintenance Visit,Face de întreținere Vizitați +Make Packing Slip,Face bonul +Make Payment Entry,Face plată de intrare +Make Purchase Invoice,Face cumparare factură +Make Purchase Order,Face Comandă +Make Purchase Receipt,Face Primirea de cumparare +Make Salary Slip,Face Salariul Slip +Make Salary Structure,Face Structura Salariul +Make Sales Invoice,Face Factura Vanzare +Make Sales Order,Face comandă de vânzări +Make Supplier Quotation,Face Furnizor ofertă +Male,Masculin +Manage Customer Group Tree.,Gestiona Customer Group copac. +Manage Sales Person Tree.,Gestiona vânzările Persoana copac. +Manage Territory Tree.,Gestiona Teritoriul copac. +Manage cost of operations,Gestiona costul operațiunilor +Management,"Controlul situatiilor, (managementul)" +Manager,Manager +"Mandatory if Stock Item is ""Yes"". Also the default warehouse where reserved quantity is set from Sales Order.","Obligatoriu dacă Piesa este ""da"". De asemenea, depozitul implicit în cazul în care cantitatea rezervat este stabilit de comandă de vânzări." +Manufacture against Sales Order,Fabricarea de comandă de vânzări +Manufacture/Repack,Fabricarea / Repack +Manufactured Qty,Produs Cantitate +Manufactured quantity will be updated in this warehouse,Cantitate fabricat va fi actualizată în acest depozit +Manufactured quantity {0} cannot be greater than planned quanitity {1} in Production Order {2},Cantitate fabricat {0} nu poate fi mai mare decât avantajeje planificat {1} în producție Ordine {2} +Manufacturer,Producător +Manufacturer Part Number,Numarul de piesa +Manufacturing,De fabricație +Manufacturing Quantity,Cantitatea de fabricație +Manufacturing Quantity is mandatory,Cantitatea de fabricație este obligatorie +Margin,Margin +Marital Status,Stare civilă +Market Segment,Segmentul de piață +Marketing,Marketing +Marketing Expenses,Cheltuieli de marketing +Married,Căsătorit +Mass Mailing,Corespondență în masă +Master Name,Maestru Nume +Master Name is mandatory if account type is Warehouse,Maestrul Numele este obligatorie dacă tipul de cont este de depozit +Master Type,Maestru Tip +Masters,Masterat +Match non-linked Invoices and Payments.,Potrivesc Facturi non-legate și plăți. +Material Issue,Problema de material +Material Receipt,Primirea de material +Material Request,Cerere de material +Material Request Detail No,Material Cerere Detaliu Nu +Material Request For Warehouse,Cerere de material Pentru Warehouse +Material Request Item,Material Cerere Articol +Material Request Items,Material Cerere Articole +Material Request No,Cerere de material Nu +Material Request Type,Material Cerere tip +Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Cerere de material de maximum {0} se poate face pentru postul {1} ​​împotriva comandă de vânzări {2} +Material Request used to make this Stock Entry,Cerere de material utilizat pentru a face acest stoc de intrare +Material Request {0} is cancelled or stopped,Cerere de material {0} este anulată sau oprită +Material Requests for which Supplier Quotations are not created,Cererile de materiale pentru care nu sunt create Cotațiile Furnizor +Material Requests {0} created,Cererile de materiale {0} a creat +Material Requirement,Cerința de material +Material Transfer,Transfer de material +Materials,Materiale +Materials Required (Exploded),Materiale necesare (explodat) +Max 5 characters,Max 5 caractere +Max Days Leave Allowed,Max zile de concediu de companie +Max Discount (%),Max Discount (%) +Max Qty,Max Cantitate +Maximum allowed credit is {0} days after posting date,Credit maximă permisă este de {0} zile de la postarea data +Maximum {0} rows allowed,Maxime {0} rânduri permis +Maxiumm discount for Item {0} is {1}%,Reducere Maxiumm pentru postul {0} este {1}% +Medical,Medical +Medium,Medie +"Merging is only possible if following properties are same in both records. Group or Ledger, Root Type, Company","Fuzionarea este posibilă numai în cazul în care următoarele proprietăți sunt aceleași în ambele registre. Grup sau Ledger, Root tip, de companie" +Message,Mesaj +Message Parameter,Parametru mesaj +Message Sent,Mesajul a fost trimis +Message updated,Mesaj Actualizat +Messages,Mesaje +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 +Middle Income,Venituri medii +Milestone,Milestone +Milestone Date,Milestone Data +Milestones,Repere +Milestones will be added as Events in the Calendar,Repere vor fi adăugate ca evenimente din calendarul +Min Order Qty,Min Ordine Cantitate +Min Qty,Min Cantitate +Min Qty can not be greater than Max Qty,Min Cantitate nu poate fi mai mare decât Max Cantitate +Minimum Order Qty,Comanda minima Cantitate +Minute,Minut +Misc Details,Misc Detalii +Miscellaneous Expenses,Cheltuieli diverse +Miscelleneous,Miscelleneous +Mobile No,Mobil Nu +Mobile No.,Mobil Nu. +Mode of Payment,Mod de plata +Modern,Modern +Modified Amount,Modificat Suma +Monday,Luni +Month,Lună +Monthly,Lunar +Monthly Attendance Sheet,Lunar foaia de prezență +Monthly Earning & Deduction,Câștigul salarial lunar & Deducerea +Monthly Salary Register,Salariul lunar Inregistrare +Monthly salary statement.,Declarația salariu lunar. +More Details,Mai multe detalii +More Info,Mai multe informatii +Motion Picture & Video,Motion Picture & Video +Moving Average,Mutarea medie +Moving Average Rate,Rata medie mobilă +Mr,Mr +Ms,Ms +Multiple Item prices.,Mai multe prețuri element. +"Multiple Price Rule exists with same criteria, please resolve \ + conflict by assigning priority. Price Rules: {0}","Există Prețul multiple Regula cu aceleași criterii, vă rugăm să rezolve \ \ n conflict prin atribuirea de prioritate. Reguli Pret: {0}" +Music,Muzica +Must be Whole Number,Trebuie să fie Număr întreg +Name,Nume +Name and Description,Nume și descriere +Name and Employee ID,Nume și ID angajat +"Name of new Account. Note: Please don't create accounts for Customers and Suppliers, they are created automatically from the Customer and Supplier master","Nume de nou cont. Notă: Vă rugăm să nu creați conturi pentru clienți și furnizori, ele sunt create în mod automat de la client și furnizor maestru" +Name of person or organization that this address belongs to.,Nume de persoană sau organizație care această adresă aparține. +Name of the Budget Distribution,Numele distribuția bugetului +Naming Series,Naming Series +Negative Quantity is not allowed,Negativ Cantitatea nu este permis +Negative Stock Error ({6}) for Item {0} in Warehouse {1} on {2} {3} in {4} {5},Eroare negativ Stock ({6}) pentru postul {0} în Depozit {1} la {2} {3} în {4} {5} +Negative Valuation Rate is not allowed,Negativ Rata de evaluare nu este permis +Negative balance in Batch {0} for Item {1} at Warehouse {2} on {3} {4},Sold negativ în Lot {0} pentru postul {1} ​​de la Warehouse {2} pe {3} {4} +Net Pay,Net plată +Net Pay (in words) will be visible once you save the Salary Slip.,Pay net (în cuvinte) vor fi vizibile după ce salvați fișa de salariu. +Net Total,Net total +Net Total (Company Currency),Net total (Compania de valuta) +Net Weight,Greutate netă +Net Weight UOM,Greutate neta UOM +Net Weight of each Item,Greutatea netă a fiecărui produs +Net pay cannot be negative,Salariul net nu poate fi negativ +Never,Niciodată +New , +New Account,Cont nou +New Account Name,Nume nou cont +New BOM,Nou BOM +New Communications,Noi Comunicații +New Company,Noua companie +New Cost Center,Nou centru de cost +New Cost Center Name,New Cost Center Nume +New Delivery Notes,De livrare de noi Note +New Enquiries,Noi Intrebari +New Leads,Oportunitati noi +New Leave Application,Noua cerere de concediu +New Leaves Allocated,Frunze noi alocate +New Leaves Allocated (In Days),Frunze noi alocate (în zile) +New Material Requests,Noi cereri Material +New Projects,Proiecte noi +New Purchase Orders,Noi comenzi de aprovizionare +New Purchase Receipts,Noi Încasări de cumpărare +New Quotations,Noi Citatele +New Sales Orders,Noi comenzi de vânzări +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 +New Stock Entries,Stoc nou Entries +New Stock UOM,Nou Stock UOM +New Stock UOM is required,New Stock UOM este necesar +New Stock UOM must be different from current stock UOM,New Stock UOM trebuie să fie diferit de curent stoc UOM +New Supplier Quotations,Noi Cotațiile Furnizor +New Support Tickets,Noi Bilete Suport +New UOM must NOT be of type Whole Number,New UOM nu trebuie să fie de tip Număr întreg +New Workplace,Nou la locul de muncă +Newsletter,Newsletter +Newsletter Content,Newsletter Conținut +Newsletter Status,Newsletter Starea +Newsletter has already been sent,Newsletter a fost deja trimisa +Newsletters is not allowed for Trial users,Buletine de știri nu este permis pentru utilizatorii Trial +"Newsletters to contacts, leads.","Buletine de contacte, conduce." +Newspaper Publishers,Editorii de ziare +Next,Urmatorea +Next Contact By,Următor Contact Prin +Next Contact Date,Următor Contact Data +Next Date,Data viitoare +Next email will be sent on:,E-mail viitor va fi trimis la: +No,Nu +No Customer Accounts found.,Niciun Conturi client gasit. +No Customer or Supplier Accounts found,Nici un client sau furnizor Conturi a constatat +No Expense Approvers. Please assign 'Expense Approver' Role to atleast one user,"Nu sunt Aprobatori cheltuieli. Vă rugăm să atribui Rolul ""Cheltuieli aprobator"" la cel putin un utilizator" +No Item with Barcode {0},Nici un articol cu ​​coduri de bare {0} +No Item with Serial No {0},Nici un articol cu ​​ordine {0} +No Items to pack,Nu sunt produse în ambalaj +No Leave Approvers. Please assign 'Leave Approver' Role to atleast one user,"Nu sunt Aprobatori plece. Vă rugăm să atribui 'Leave aprobator ""Rolul de cel putin un utilizator" +No Permission,Lipsă acces +No Production Orders created,Nu sunt comenzile de producție create +No Supplier Accounts found. Supplier Accounts are identified based on 'Master Type' value in account record.,"Niciun Conturi Furnizor găsit. Conturile furnizorul sunt identificate pe baza valorii ""Maestru de tip"" în înregistrare cont." +No accounting entries for the following warehouses,Nici o intrare contabile pentru următoarele depozite +No addresses created,Nici o adresa create +No contacts created,Nici un contact create +No default BOM exists for Item {0},Nu există implicit BOM pentru postul {0} +No description given,Nici o descriere dat +No employee found,Nu a fost gasit angajat +No employee found!,Nici un angajat nu a fost gasit! +No of Requested SMS,Nu de SMS solicitat +No of Sent SMS,Nu de SMS-uri trimise +No of Visits,Nu de vizite +No permission,Nici o permisiune +No record found,Nu au găsit înregistrări +No salary slip found for month: , +Non Profit,Non-Profit +Nos,Nos +Not Active,Nu este activ +Not Applicable,Nu se aplică +Not Available,Indisponibil +Not Billed,Nu Taxat +Not Delivered,Nu Pronunțată +Not Set,Nu a fost setat +Not allowed to update entries older than {0},Nu este permis să actualizeze înregistrări mai vechi de {0} +Not authorized to edit frozen Account {0},Nu este autorizat pentru a edita contul congelate {0} +Not authroized since {0} exceeds limits,Nu authroized din {0} depășește limitele +Not permitted,Nu este permisă +Note,Notă +Note User,Notă utilizator +"Note: Backups and files are not deleted from Dropbox, you will have to delete them manually.","Notă: Backup și fișierele nu sunt șterse de la Dropbox, va trebui să le ștergeți manual." +"Note: Backups and files are not deleted from Google Drive, you will have to delete them manually.","Notă: Backup și fișierele nu sunt șterse de pe Google Drive, va trebui să le ștergeți manual." +Note: Due Date exceeds the allowed credit days by {0} day(s),Notă: Datorită Data depășește zilele de credit permise de {0} zi (s) +Note: Email will not be sent to disabled users,Notă: Adresa de email nu va fi trimis la utilizatorii cu handicap +Note: Item {0} entered multiple times,Notă: Articol {0} a intrat de mai multe ori +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" +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" +Note: There is not enough leave balance for Leave Type {0},Notă: Nu este echilibrul concediu suficient pentru concediul de tip {0} +Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Notă: Acest centru de cost este un grup. Nu pot face înregistrări contabile impotriva grupuri. +Note: {0},Notă: {0} +Notes,Observații: +Notes:,Observații: +Nothing to request,Nimic de a solicita +Notice (days),Preaviz (zile) +Notification Control,Controlul notificare +Notification Email Address,Notificarea Adresa de e-mail +Notify by Email on creation of automatic Material Request,Notifica prin e-mail la crearea de cerere automată Material +Number Format,Număr Format +Offer Date,Oferta Date +Office,Birou +Office Equipments,Echipamente de birou +Office Maintenance Expenses,Cheltuieli de întreținere birou +Office Rent,Birou inchiriat +Old Parent,Vechi mamă +On Net Total,Pe net total +On Previous Row Amount,La rândul precedent Suma +On Previous Row Total,Inapoi la rândul Total +Online Auctions,Licitatii Online +Only Leave Applications with status 'Approved' can be submitted,"Lasă doar Aplicatii cu statutul de ""Aprobat"" pot fi depuse" +"Only Serial Nos with status ""Available"" can be delivered.","Numai Serial nr cu statutul ""Disponibile"", pot fi livrate." +Only leaf nodes are allowed in transaction,Numai noduri frunze sunt permise în tranzacție +Only the selected Leave Approver can submit this Leave Application,Numai selectat concediu aprobator poate înainta această aplicație Leave +Open,Deschide +Open Production Orders,Comenzi deschis de producție +Open Tickets,Bilete deschise +Open source ERP built for the web,ERP open source construit pentru web +Opening (Cr),Deschidere (Cr) +Opening (Dr),Deschidere (Dr) +Opening Date,Data deschiderii +Opening Entry,Deschiderea de intrare +Opening Qty,Deschiderea Cantitate +Opening Time,Timp de deschidere +Opening Value,Valoare de deschidere +Opening for a Job.,Deschidere pentru un loc de muncă. +Operating Cost,Costul de operare +Operation Description,Operație Descriere +Operation No,Operațiunea nu +Operation Time (mins),Operațiunea Timp (min) +Operation {0} is repeated in Operations Table,Operațiunea {0} se repetă în Operations tabelul +Operation {0} not present in Operations Table,Operațiunea {0} nu este prezent în Operations tabelul +Operations,Operatii +Opportunity,Oportunitate +Opportunity Date,Oportunitate Data +Opportunity From,Oportunitate de la +Opportunity Item,Oportunitate Articol +Opportunity Items,Articole de oportunitate +Opportunity Lost,Opportunity Lost +Opportunity Type,Tip de oportunitate +Optional. This setting will be used to filter in various transactions.,Opțional. Această setare va fi utilizat pentru a filtra în diverse tranzacții. +Order Type,Tip comandă +Order Type must be one of {1},Pentru Tipul trebuie să fie una din {1} +Ordered,Ordonat +Ordered Items To Be Billed,Comandat de Articole Pentru a fi facturat +Ordered Items To Be Delivered,Comandat de elemente pentru a fi livrate +Ordered Qty,Ordonat Cantitate +"Ordered Qty: Quantity ordered for purchase, but not received.","Comandat Cantitate: Cantitatea comandat pentru cumpărare, dar nu a primit." +Ordered Quantity,Ordonat Cantitate +Orders released for production.,Comenzi lansat pentru producție. +Organization Name,Numele organizației +Organization Profile,Organizație de profil +Organization branch master.,Ramură organizație maestru. +Organization unit (department) master.,Unitate de organizare (departament) maestru. +Original Amount,Suma inițială +Other,Altul +Other Details,Alte detalii +Others,Altel +Out Qty,Out Cantitate +Out Value,Out Valoarea +Out of AMC,Din AMC +Out of Warranty,Din garanție +Outgoing,Trimise +Outstanding Amount,Remarcabil Suma +Outstanding for {0} cannot be less than zero ({1}),Restante pentru {0} nu poate fi mai mică decât zero ({1}) +Overhead,Deasupra +Overheads,Cheltuieli generale +Overlapping conditions found between:,Condiții se suprapun găsite între: +Overview,Prezentare generală +Owned,Owned +Owner,Proprietar +PL or BS,PL sau BS +PO Date,PO Data +PO No,PO Nu +POP3 Mail Server,POP3 Mail Server +POP3 Mail Settings,POP3 Mail Settings +POP3 mail server (e.g. pop.gmail.com),Server de poștă electronică POP3 (de exemplu pop.gmail.com) +POP3 server e.g. (pop.gmail.com),Server de POP3 de exemplu (pop.gmail.com) +POS Setting,Setarea POS +POS Setting required to make POS Entry,Setarea POS necesare pentru a face POS intrare +POS Setting {0} already created for user: {1} and company {2},Setarea POS {0} deja creat pentru utilizator: {1} și companie {2} +POS View,POS View +PR Detail,PR Detaliu +PR Posting Date,PR Dată postare +Package Item Details,Detalii pachet Postul +Package Items,Pachet Articole +Package Weight Details,Pachetul Greutate Detalii +Packed Item,Articol ambalate +Packed quantity must equal quantity for Item {0} in row {1},Cantitate ambalate trebuie să fie egală cantitate pentru postul {0} în rândul {1} +Packing Details,Detalii de ambalare +Packing List,Lista de ambalare +Packing Slip,Slip de ambalare +Packing Slip Item,Bonul Articol +Packing Slip Items,Bonul de Articole +Packing Slip(s) cancelled,Slip de ambalare (e) anulate +Page Break,Page Break +Page Name,Nume pagină +Paid Amount,Suma plătită +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 +Pair,Pereche +Parameter,Parametru +Parent Account,Contul părinte +Parent Cost Center,Părinte Cost Center +Parent Customer Group,Părinte Client Group +Parent Detail docname,Părinte Detaliu docname +Parent Item,Părinte Articol +Parent Item Group,Părinte Grupa de articole +Parent Item {0} must be not Stock Item and must be a Sales Item,Părinte Articol {0} nu trebuie să fie Stock Articol și trebuie să fie un element de vânzări +Parent Party Type,Tip Party părinte +Parent Sales Person,Mamă Sales Person +Parent Territory,Teritoriul părinte +Parent Website Page,Părinte Site Page +Parent Website Route,Părinte Site Route +Parent account can not be a ledger,Cont părinte nu poate fi un registru +Parent account does not exist,Cont părinte nu există +Parenttype,ParentType +Part-time,Part-time +Partially Completed,Parțial finalizate +Partly Billed,Parțial Taxat +Partly Delivered,Parțial livrate +Partner Target Detail,Partener țintă Detaliu +Partner Type,Tip partener +Partner's Website,Site-ul partenerului +Party Type,Tip de partid +Party Type Name,Tip partid Nume +Passive,Pasiv +Passport Number,Numărul de pașaport +Password,Parolă +Pay To / Recd From,Pentru a plăti / Recd de la +Payable,Plătibil +Payables,Datorii +Payables Group,Datorii Group +Payment Days,Zile de plată +Payment Due Date,Data scadentă de plată +Payment Period Based On Invoice Date,Perioada de plată Bazat pe Data facturii +Payment Type,Tip de plată +Payment of salary for the month {0} and year {1},Plata salariului pentru luna {0} și {1 an} +Payment to Invoice Matching Tool,Plata la factură Tool potrivire +Payment to Invoice Matching Tool Detail,Plată să factureze Tool potrivire Detaliu +Payments,Plăți +Payments Made,Plățile efectuate +Payments Received,Plăți primite +Payments made during the digest period,Plățile efectuate în timpul perioadei de rezumat +Payments received during the digest period,Plăților primite în perioada de rezumat +Payroll Settings,Setări de salarizare +Pending,În așteptarea +Pending Amount,În așteptarea Suma +Pending Items {0} updated,Elemente în curs de {0} actualizat +Pending Review,Revizuirea în curs +Pending SO Items For Purchase Request,Până la SO articole pentru cerere de oferta +Pension Funds,Fondurile de pensii +Percent Complete,La sută complet +Percentage Allocation,Alocarea procent +Percentage Allocation should be equal to 100%,Alocarea procent ar trebui să fie egală cu 100% +Percentage variation in quantity to be allowed while receiving or delivering this item.,"Variație procentuală, în cantitate va fi permisă în timp ce primirea sau livrarea acestui articol." +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." +Performance appraisal.,De evaluare a performantei. +Period,Perioada +Period Closing Voucher,Voucher perioadă de închidere +Periodicity,Periodicitate +Permanent Address,Permanent Adresa +Permanent Address Is,Adresa permanentă este +Permission,Permisiune +Personal,Trader +Personal Details,Detalii personale +Personal Email,Personal de e-mail +Pharmaceutical,Farmaceutic +Pharmaceuticals,Produse farmaceutice +Phone,Telefon +Phone No,Nu telefon +Piecework,Muncă în acord +Pincode,Parola așa +Place of Issue,Locul eliberării +Plan for maintenance visits.,Planul de de vizite de întreținere. +Planned Qty,Planificate Cantitate +"Planned Qty: Quantity, for which, Production Order has been raised, but is pending to be manufactured.","Planificate Cantitate: Cantitate, pentru care, de producție Ordinul a fost ridicat, dar este în curs de a fi fabricate." +Planned Quantity,Planificate Cantitate +Planning,Planificare +Plant,Instalarea +Plant and Machinery,Instalații tehnice și mașini +Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,Vă rugăm Introduceți abreviere sau Numele Scurt corect ca acesta va fi adăugat ca sufix la toate capetele de cont. +Please add expense voucher details,Vă rugăm să adăugați cheltuieli detalii voucher +Please check 'Is Advance' against Account {0} if this is an advance entry.,"Vă rugăm să verificați ""Este Advance"" împotriva Contul {0} în cazul în care acest lucru este o intrare în avans." +Please click on 'Generate Schedule',"Vă rugăm să faceți clic pe ""Generate Program""" +Please click on 'Generate Schedule' to fetch Serial No added for Item {0},"Vă rugăm să faceți clic pe ""Generate Program"", pentru a aduce ordine adăugat pentru postul {0}" +Please click on 'Generate Schedule' to get schedule,"Vă rugăm să faceți clic pe ""Generate Program"", pentru a obține programul" +Please create Customer from Lead {0},Vă rugăm să creați client de plumb {0} +Please create Salary Structure for employee {0},Vă rugăm să creați Structura Salariul pentru angajat {0} +Please create new account from Chart of Accounts.,Vă rugăm să creați un cont nou de Planul de conturi. +Please do NOT create Account (Ledgers) for Customers and Suppliers. They are created directly from the Customer / Supplier masters.,Vă rugăm să nu crea contul (Ledgers) pentru clienții și furnizorii. Ele sunt create direct de la masterat client / furnizor. +Please enter 'Expected Delivery Date',"Vă rugăm să introduceți ""Data de livrare așteptată""" +Please enter 'Is Subcontracted' as Yes or No,"Va rugam sa introduceti ""este subcontractată"" ca Da sau Nu" +Please enter 'Repeat on Day of Month' field value,"Va rugam sa introduceti ""Repeat la zi a lunii"" valoare de câmp" +Please enter Account Receivable/Payable group in company master,Va rugam sa introduceti cont de încasat / de grup se plateste in companie de master +Please enter Approving Role or Approving User,Vă rugăm să introduceți Aprobarea Rolul sau aprobarea de utilizare +Please enter BOM for Item {0} at row {1},Va rugam sa introduceti BOM pentru postul {0} la rândul {1} +Please enter Company,Va rugam sa introduceti de companie +Please enter Cost Center,Va rugam sa introduceti Cost Center +Please enter Delivery Note No or Sales Invoice No to proceed,Va rugam sa introduceti de livrare Notă Nu sau Factura Vanzare Nu pentru a continua +Please enter Employee Id of this sales parson,Vă rugăm să introduceți ID-ul angajatului din acest Parson vânzări +Please enter Expense Account,Va rugam sa introduceti cont de cheltuieli +Please enter Item Code to get batch no,Va rugam sa introduceti codul articol pentru a obține lot nu +Please enter Item Code.,Vă rugăm să introduceți Cod produs. +Please enter Item first,Va rugam sa introduceti Articol primul +Please enter Maintaince Details first,Va rugam sa introduceti maintaince detaliile prima +Please enter Master Name once the account is created.,Va rugam sa introduceti Maestrul Numele odată ce este creat contul. +Please enter Planned Qty for Item {0} at row {1},Va rugam sa introduceti planificate Cantitate pentru postul {0} la rândul {1} +Please enter Production Item first,Va rugam sa introduceti de producție Articol întâi +Please enter Purchase Receipt No to proceed,Va rugam sa introduceti Primirea de cumparare Nu pentru a continua +Please enter Reference date,Vă rugăm să introduceți data de referință +Please enter Warehouse for which Material Request will be raised,Va rugam sa introduceti Depozit pentru care va fi ridicat Material Cerere +Please enter Write Off Account,Va rugam sa introduceti Scrie Off cont +Please enter atleast 1 invoice in the table,Va rugam sa introduceti cel putin 1 factura în tabelul +Please enter company first,Va rugam sa introduceti prima companie +Please enter company name first,Va rugam sa introduceti numele companiei în primul rând +Please enter default Unit of Measure,Va rugam sa introduceti Unitatea de măsură prestabilită +Please enter default currency in Company Master,Va rugam sa introduceti moneda implicit în Compania de Master +Please enter email address,Introduceți adresa de e-mail +Please enter item details,Va rugam sa introduceti detalii element +Please enter message before sending,Vă rugăm să introduceți mesajul înainte de trimitere +Please enter parent account group for warehouse account,Va rugam sa introduceti grup considerare părinte de cont depozit +Please enter parent cost center,Vă rugăm să introduceți centru de cost părinte +Please enter quantity for Item {0},Va rugam sa introduceti cantitatea pentru postul {0} +Please enter relieving date.,Vă rugăm să introduceți data alinarea. +Please enter sales order in the above table,Vă rugăm să introduceți comenzi de vânzări în tabelul de mai sus +Please enter valid Company Email,Va rugam sa introduceti email valida de companie +Please enter valid Email Id,Va rugam sa introduceti email valida Id +Please enter valid Personal Email,Va rugam sa introduceti email valida personale +Please enter valid mobile nos,Va rugam sa introduceti nos mobile valabile +Please install dropbox python module,Vă rugăm să instalați dropbox modul python +Please mention no of visits required,Vă rugăm să menționați nici de vizite necesare +Please pull items from Delivery Note,Vă rugăm să trage elemente de livrare Nota +Please save the Newsletter before sending,Vă rugăm să salvați Newsletter înainte de a trimite +Please save the document before generating maintenance schedule,Vă rugăm să salvați documentul înainte de a genera programul de întreținere +Please select Account first,Vă rugăm să selectați cont în primul rând +Please select Bank Account,Vă rugăm să selectați cont bancar +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 +Please select Category first,Vă rugăm să selectați categoria întâi +Please select Charge Type first,Vă rugăm să selectați de încărcare Tip întâi +Please select Fiscal Year,Vă rugăm să selectați Anul fiscal +Please select Group or Ledger value,Vă rugăm să selectați Group sau Ledger valoare +Please select Incharge Person's name,Vă rugăm să selectați numele Incharge Persoana +"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Sales BOM","Vă rugăm să selectați element, de unde ""Este Piesa"" este ""Nu"" și ""E Articol de vânzări"" este ""da"", și nu există nici un alt Vanzari BOM" +Please select Price List,Vă rugăm să selectați lista de prețuri +Please select Start Date and End Date for Item {0},Vă rugăm să selectați data de început și Data de final pentru postul {0} +Please select a csv file,Vă rugăm să selectați un fișier csv +Please select a valid csv file with data,Vă rugăm să selectați un fișier csv valid cu date +Please select a value for {0} quotation_to {1},Vă rugăm să selectați o valoare de {0} {1} quotation_to +"Please select an ""Image"" first","Vă rugăm să selectați o ""imagine"" în primul rând" +Please select charge type first,Vă rugăm să selectați tipul de taxă în primul rând +Please select company first.,Vă rugăm să selectați prima companie. +Please select item code,Vă rugăm să selectați codul de articol +Please select month and year,Vă rugăm selectați luna și anul +Please select prefix first,Vă rugăm să selectați prefix întâi +Please select the document type first,Vă rugăm să selectați tipul de document primul +Please select weekly off day,Vă rugăm să selectați zi liberă pe săptămână +Please select {0},Vă rugăm să selectați {0} +Please select {0} first,Vă rugăm selectați 0} {întâi +Please set Dropbox access keys in your site config,Vă rugăm să setați tastele de acces Dropbox pe site-ul dvs. de configurare +Please set Google Drive access keys in {0},Vă rugăm să setați tastele de acces disk Google în {0} +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} +Please set default value {0} in Company {0},Vă rugăm să setați valoarea implicită {0} în companie {0} +Please set {0},Vă rugăm să setați {0} +Please setup Employee Naming System in Human Resource > HR Settings,Vă rugăm să configurare Angajat sistemul de numire în resurse umane> Settings HR +Please setup numbering series for Attendance via Setup > Numbering Series,Vă rugăm să configurare serie de numerotare pentru Spectatori prin Setup> Numerotare Series +Please setup your chart of accounts before you start Accounting Entries,Vă rugăm configurarea diagrama de conturi înainte de a începe înregistrările contabile +Please specify,Vă rugăm să specificați +Please specify Company,Vă rugăm să specificați companiei +Please specify Company to proceed,Vă rugăm să specificați companiei pentru a continua +Please specify Default Currency in Company Master and Global Defaults,Vă rugăm să precizați implicit de valuta în Compania de Master și setări implicite globale +Please specify a,Vă rugăm să specificați un +Please specify a valid 'From Case No.',"Vă rugăm să specificați un valabil ""Din cauza nr""" +Please specify a valid Row ID for {0} in row {1},Vă rugăm să specificați un ID valid de linie pentru {0} în rândul {1} +Please specify either Quantity or Valuation Rate or both,Vă rugăm să specificați fie Cantitate sau Evaluează evaluare sau ambele +Please submit to update Leave Balance.,Vă rugăm să trimiteți actualizarea concediul Balance. +Plot,Parcelarea / Reprezentarea grafică / Trasarea +Plot By,Plot Prin +Point of Sale,Point of Sale +Point-of-Sale Setting,Punct-de-vânzare Setting +Post Graduate,Postuniversitar +Postal,Poștal +Postal Expenses,Cheltuieli poștale +Posting Date,Dată postare +Posting Time,Postarea de timp +Posting timestamp must be after {0},Timestamp postarea trebuie să fie după {0} +Potential opportunities for selling.,Potențiale oportunități de vânzare. +Preferred Billing Address,Adresa de facturare preferat +Preferred Shipping Address,Preferat Adresa Shipping +Prefix,Prefix +Present,Prezenta +Prevdoc DocType,Prevdoc DocType +Prevdoc Doctype,Prevdoc Doctype +Preview,Previzualizați +Previous,Precedenta +Previous Work Experience,Anterior Work Experience +Price,Preț +Price / Discount,Preț / Reducere +Price List,Lista de prețuri +Price List Currency,Lista de pret Valuta +Price List Currency not selected,Lista de pret Valuta nu selectat +Price List Exchange Rate,Lista de prețuri Cursul de schimb +Price List Name,Lista de prețuri Nume +Price List Rate,Lista de prețuri Rate +Price List Rate (Company Currency),Lista de prețuri Rate (Compania de valuta) +Price List master.,Maestru Lista de prețuri. +Price List must be applicable for Buying or Selling,Lista de prețuri trebuie să fie aplicabilă pentru cumpărarea sau vânzarea de +Price List not selected,Lista de prețuri nu selectat +Price List {0} is disabled,Lista de prețuri {0} este dezactivat +Price or Discount,Preț sau Reducere +Pricing Rule,Regula de stabilire a prețurilor +Pricing Rule For Discount,De stabilire a prețurilor De regulă Discount +Pricing Rule For Price,De stabilire a prețurilor De regulă Pret +Print Format Style,Print Style Format +Print Heading,Imprimare Titlu +Print Without Amount,Imprima Fără Suma +Print and Stationary,Imprimare și staționare +Printing and Branding,Imprimarea și Branding +Priority,Prioritate +Private Equity,Private Equity +Privilege Leave,Privilege concediu +Probation,Probă +Process Payroll,Salarizare proces +Produced,Produs +Produced Quantity,Produs Cantitate +Product Enquiry,Intrebare produs +Production,Producţie +Production Order,Număr Comandă Producţie: +Production Order status is {0},Statutul de producție Ordinul este {0} +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 +Production Order {0} must be submitted,Producția de Ordine {0} trebuie să fie prezentate +Production Orders,Comenzi de producție +Production Orders in Progress,Comenzile de producție în curs de desfășurare +Production Plan Item,Planul de producție Articol +Production Plan Items,Planul de producție Articole +Production Plan Sales Order,Planul de producție comandă de vânzări +Production Plan Sales Orders,Planul de producție comenzi de vânzări +Production Planning Tool,Producție instrument de planificare +Products,Instrumente +"Products will be sorted by weight-age in default searches. More the weight-age, higher the product will appear in the list.","Produsele vor fi clasificate în funcție de greutate, vârstă în căutări implicite. Mai mult greutate de vârstă, mai mare produsul va apărea în listă." +Profit and Loss,Profit și pierdere +Project,Proiectarea +Project Costing,Proiect de calculație a costurilor +Project Details,Detalii proiect +Project Manager,Manager de Proiect +Project Milestone,Milestone proiect +Project Milestones,Repere de proiect +Project Name,Denumirea proiectului +Project Start Date,Data de începere a proiectului +Project Type,Tip de proiect +Project Value,Valoare proiect +Project activity / task.,Activitatea de proiect / sarcină. +Project master.,Maestru proiect. +Project will get saved and will be searchable with project name given,Proiect vor fi salvate și vor fi căutate cu nume proiect dat +Project wise Stock Tracking,Proiect înțelept Tracking Stock +Project-wise data is not available for Quotation,Date proiect-înțelept nu este disponibilă pentru ofertă +Projected,Proiectat +Projected Qty,Proiectat Cantitate +Projects,Proiecte +Projects & System,Proiecte & System +Prompt for Email on Submission of,Prompt de e-mail pe Depunerea +Proposal Writing,Propunere de scriere +Provide email id registered in company,Furnizarea id-ul de e-mail înregistrată în societate +Public,Public +Publishing,Editare +Pull sales orders (pending to deliver) based on the above criteria,"Trage comenzi de vânzări (în curs de a livra), pe baza criteriilor de mai sus" +Purchase,Cumpărarea +Purchase / Manufacture Details,Detalii de cumpărare / Fabricarea +Purchase Analytics,Analytics de cumpărare +Purchase Common,Cumpărare comună +Purchase Details,Detalii de cumpărare +Purchase Discounts,Cumpărare Reduceri +Purchase In Transit,Cumpărare în tranzit +Purchase Invoice,Factura de cumpărare +Purchase Invoice Advance,Factura de cumpărare în avans +Purchase Invoice Advances,Avansuri factura de cumpărare +Purchase Invoice Item,Factura de cumpărare Postul +Purchase Invoice Trends,Cumpărare Tendințe factură +Purchase Invoice {0} is already submitted,Factura de cumpărare {0} este deja depusă +Purchase Order,Comandă de aprovizionare +Purchase Order Date,Comandă de aprovizionare Date +Purchase Order Item,Comandă de aprovizionare Articol +Purchase Order Item No,Comandă de aprovizionare Punctul nr +Purchase Order Item Supplied,Comandă de aprovizionare Articol Livrat +Purchase Order Items,Cumpărare Ordine Articole +Purchase Order Items Supplied,Comandă de aprovizionare accesoriilor furnizate +Purchase Order Items To Be Billed,Cumparare Ordine Articole Pentru a fi facturat +Purchase Order Items To Be Received,Achiziția comandă elementele de încasat +Purchase Order Message,Purchase Order Mesaj +Purchase Order Required,Comandă de aprovizionare necesare +Purchase Order Trends,Comandă de aprovizionare Tendințe +Purchase Order number required for Item {0},Număr de comandă de aprovizionare necesare pentru postul {0} +Purchase Order {0} is 'Stopped',"Achiziția comandă {0} este ""Oprit""" +Purchase Order {0} is not submitted,Comandă {0} nu este prezentat +Purchase Orders given to Suppliers.,A achiziționa ordine de date Furnizori. +Purchase Receipt,Primirea de cumpărare +Purchase Receipt Item,Primirea de cumpărare Postul +Purchase Receipt Item Supplied,Primirea de cumpărare Articol Livrat +Purchase Receipt Item Supplieds,Primirea de cumpărare Supplieds Postul +Purchase Receipt Items,Primirea de cumpărare Articole +Purchase Receipt Message,Primirea de cumpărare Mesaj +Purchase Receipt No,Primirea de cumpărare Nu +Purchase Receipt Required,Cumpărare de primire Obligatoriu +Purchase Receipt Trends,Tendințe Primirea de cumpărare +Purchase Receipt number required for Item {0},Număr Primirea de achiziție necesar pentru postul {0} +Purchase Receipt {0} is not submitted,Primirea de cumpărare {0} nu este prezentat +Purchase Register,Cumpărare Inregistrare +Purchase Return,Înapoi cumpărare +Purchase Returned,Cumpărare returnate +Purchase Taxes and Charges,Taxele de cumpărare și Taxe +Purchase Taxes and Charges Master,Taxele de cumpărare și taxe de Master +Purchse Order number required for Item {0},Număr de ordine Purchse necesar pentru postul {0} +Purpose,Scopul +Purpose must be one of {0},Scopul trebuie să fie una dintre {0} +QA Inspection,QA Inspecția +Qty,Cantitate +Qty Consumed Per Unit,Cantitate consumata pe unitatea +Qty To Manufacture,Cantitate pentru fabricarea +Qty as per Stock UOM,Cantitate conform Stock UOM +Qty to Deliver,Cantitate pentru a oferi +Qty to Order,Cantitate pentru comandă +Qty to Receive,Cantitate de a primi +Qty to Transfer,Cantitate de a transfera +Qualification,Calificare +Quality,Calitate +Quality Inspection,Inspecție de calitate +Quality Inspection Parameters,Parametrii de control de calitate +Quality Inspection Reading,Inspecție de calitate Reading +Quality Inspection Readings,Lecturi de control de calitate +Quality Inspection required for Item {0},Inspecție de calitate necesare pentru postul {0} +Quality Management,Managementul calitatii +Quantity,Cantitate +Quantity Requested for Purchase,Cantitate solicitată de cumparare +Quantity and Rate,Cantitatea și rata +Quantity and Warehouse,Cantitatea și Warehouse +Quantity cannot be a fraction in row {0},Cantitatea nu poate fi o fracțiune în rând {0} +Quantity for Item {0} must be less than {1},Cantitatea pentru postul {0} trebuie să fie mai mică de {1} +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}" +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 +Quantity required for Item {0} in row {1},Cantitatea necesară pentru postul {0} în rândul {1} +Quarter,Trimestru +Quarterly,Trimestrial +Quick Help,Ajutor rapid +Quotation,Citat +Quotation Date,Citat Data +Quotation Item,Citat Articol +Quotation Items,Cotație Articole +Quotation Lost Reason,Citat pierdut rațiunea +Quotation Message,Citat Mesaj +Quotation To,Citat Pentru a +Quotation Trends,Cotație Tendințe +Quotation {0} is cancelled,Citat {0} este anulat +Quotation {0} not of type {1},Citat {0} nu de tip {1} +Quotations received from Suppliers.,Cotatiilor primite de la furnizori. +Quotes to Leads or Customers.,Citate la Oportunitati sau clienți. +Raise Material Request when stock reaches re-order level,Ridica Material Cerere atunci când stocul ajunge la nivelul re-comandă +Raised By,Ridicate de +Raised By (Email),Ridicate de (e-mail) +Random,Aleatorii +Range,Interval +Rate,rată +Rate , +Rate (%),Rate (%) +Rate (Company Currency),Rata de (Compania de valuta) +Rate Of Materials Based On,Rate de materiale bazate pe +Rate and Amount,Rata și volumul +Rate at which Customer Currency is converted to customer's base currency,Rata la care Clientul valuta este convertită în valuta de bază a clientului +Rate at which Price list currency is converted to company's base currency,Rata la care lista de prețuri moneda este convertit în moneda de bază a companiei +Rate at which Price list currency is converted to customer's base currency,Rata la care lista de prețuri moneda este convertit în valuta de bază a clientului +Rate at which customer's currency is converted to company's base currency,Rata la care moneda clientului este convertită în valuta de bază a companiei +Rate at which supplier's currency is converted to company's base currency,Rata la care moneda furnizorului este convertit în moneda de bază a companiei +Rate at which this tax is applied,Rata la care se aplică acest impozit +Raw Material,Material brut +Raw Material Item Code,Material brut Articol Cod +Raw Materials Supplied,Materii prime furnizate +Raw Materials Supplied Cost,Costul materiilor prime livrate +Raw material cannot be same as main Item,Materii prime nu poate fi la fel ca Item principal +Re-Order Level,Re-Order de nivel +Re-Order Qty,Re-Order Cantitate +Re-order,Re-comandă +Re-order Level,Nivelul de re-comandă +Re-order Qty,Re-comanda Cantitate +Read,Citirea +Reading 1,Reading 1 +Reading 10,Reading 10 +Reading 2,Reading 2 +Reading 3,Reading 3 +Reading 4,Reading 4 +Reading 5,Lectură 5 +Reading 6,Reading 6 +Reading 7,Lectură 7 +Reading 8,Lectură 8 +Reading 9,Lectură 9 +Real Estate,Imobiliare +Reason,motiv +Reason for Leaving,Motiv pentru Lăsând +Reason for Resignation,Motiv pentru demisie +Reason for losing,Motiv pentru a pierde +Recd Quantity,Recd Cantitate +Receivable,De încasat +Receivable / Payable account will be identified based on the field Master Type,De încasat de cont / de plătit vor fi identificate pe baza teren de Master Tip +Receivables,Creanțe +Receivables / Payables,Creanțe / Datorii +Receivables Group,Creanțe Group +Received Date,Data primit +Received Items To Be Billed,Articole primite Pentru a fi facturat +Received Qty,Primit Cantitate +Received and Accepted,Primite și acceptate +Receiver List,Receptor Lista +Receiver List is empty. Please create Receiver List,Receptor Lista goala. Vă rugăm să creați Receiver Lista +Receiver Parameter,Receptor Parametru +Recipients,Destinatarii +Reconcile,Reconcilierea +Reconciliation Data,Reconciliere a datelor +Reconciliation HTML,Reconciliere HTML +Reconciliation JSON,Reconciliere JSON +Record item movement.,Mișcare element înregistrare. +Recurring Id,Recurent Id +Recurring Invoice,Factura recurent +Recurring Type,Tip recurent +Reduce Deduction for Leave Without Pay (LWP),Reduce Deducerea pentru concediu fără plată (LWP) +Reduce Earning for Leave Without Pay (LWP),Reduce Câștigul salarial de concediu fără plată (LWP) +Ref Code,Cod de Ref +Ref SQ,Ref SQ +Reference,Referinta +Reference #{0} dated {1},Reference # {0} din {1} +Reference Date,Data de referință +Reference Name,Nume de referință +Reference No & Reference Date is required for {0},Nu referință și de referință Data este necesar pentru {0} +Reference No is mandatory if you entered Reference Date,De referință nu este obligatorie în cazul în care ați introdus Reference Data +Reference Number,Numărul de referință +Reference Row #,Reference Row # +Refresh,Actualizare +Registration Details,Detalii de înregistrare +Registration Info,Înregistrare Info +Rejected,Respinse +Rejected Quantity,Respins Cantitate +Rejected Serial No,Respins de ordine +Rejected Warehouse,Depozit Respins +Rejected Warehouse is mandatory against regected item,Warehouse respins este obligatorie împotriva articol regected +Relation,Relație +Relieving Date,Alinarea Data +Relieving Date must be greater than Date of Joining,Alinarea Data trebuie să fie mai mare decât Data aderării +Remark,Remarcă +Remarks,Remarci +Rename,Redenumire +Rename Log,Redenumi Conectare +Rename Tool,Redenumirea Tool +Rent Cost,Chirie Cost +Rent per hour,Inchirieri pe oră +Rented,Închiriate +Repeat on Day of Month,Repetați în ziua de Luna +Replace,Înlocuirea +Replace Item / BOM in all BOMs,Înlocuiți Articol / BOM în toate extraselor +Replied,A răspuns: +Report Date,Data raportului +Report Type,Tip de raport +Report Type is mandatory,Tip de raport este obligatorie +Reports to,Rapoarte +Reqd By Date,Reqd de Date +Request Type,Cerere tip +Request for Information,Cerere de informații +Request for purchase.,Cere pentru cumpărare. +Requested,Solicitată +Requested For,Pentru a solicitat +Requested Items To Be Ordered,Elemente solicitate să fie comandate +Requested Items To Be Transferred,Elemente solicitate să fie transferată +Requested Qty,A solicitat Cantitate +"Requested Qty: Quantity requested for purchase, but not ordered.","A solicitat Cantitate: Cantitatea solicitate pentru achiziții, dar nu a ordonat." +Requests for items.,Cererile de elemente. +Required By,Cerute de +Required Date,Date necesare +Required Qty,Necesar Cantitate +Required only for sample item.,Necesar numai pentru element de probă. +Required raw materials issued to the supplier for producing a sub - contracted item.,Materii prime necesare emise de furnizor pentru producerea unui sub - element contractat. +Research,Cercetarea +Research & Development,Cercetare & Dezvoltare +Researcher,Cercetător +Reseller,Reseller +Reserved,Rezervat +Reserved Qty,Rezervate Cantitate +"Reserved Qty: Quantity ordered for sale, but not delivered.","Rezervate Cantitate: Cantitatea comandat de vânzare, dar nu livrat." +Reserved Quantity,Rezervat Cantitate +Reserved Warehouse,Rezervat Warehouse +Reserved Warehouse in Sales Order / Finished Goods Warehouse,Rezervat Warehouse în Vânzări Ordine / Produse finite Warehouse +Reserved Warehouse is missing in Sales Order,Rezervat Warehouse lipsește în comandă de vânzări +Reserved Warehouse required for stock Item {0} in row {1},Depozit rezervat necesar pentru stocul de postul {0} în rândul {1} +Reserved warehouse required for stock item {0},Depozit rezervat necesar pentru postul de valori {0} +Reserves and Surplus,Rezerve și Excedent +Reset Filters,Reset Filtre +Resignation Letter Date,Scrisoare de demisie Data +Resolution,Rezolutie +Resolution Date,Data rezoluție +Resolution Details,Rezoluția Detalii +Resolved By,Rezolvat prin +Rest Of The World,Restul lumii +Retail,Cu amănuntul +Retail & Wholesale,Retail & Wholesale +Retailer,Vânzător cu amănuntul +Review Date,Data Comentariului +Rgt,RGT +Role Allowed to edit frozen stock,Rol permise pentru a edita stoc congelate +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. +Root Type,Rădăcină Tip +Root Type is mandatory,Rădăcină de tip este obligatorie +Root account can not be deleted,Contul de root nu pot fi șterse +Root cannot be edited.,Rădăcină nu poate fi editat. +Root cannot have a parent cost center,Rădăcină nu poate avea un centru de cost părinte +Rounded Off,Rotunjite +Rounded Total,Rotunjite total +Rounded Total (Company Currency),Rotunjite total (Compania de valuta) +Row # , +Row # {0}: , +"Row {0}: Account does not match with \ + Purchase Invoice Credit To account",Rând {0}: Contul nu se potrivește cu \ \ n cumparare factura de credit a contului +"Row {0}: Account does not match with \ + Sales Invoice Debit To account",Rând {0}: Contul nu se potrivește cu \ \ n Factura Vanzare de debit a contului +Row {0}: Credit entry can not be linked with a Purchase Invoice,Rând {0}: intrare de credit nu poate fi legat cu o factura de cumpărare +Row {0}: Debit entry can not be linked with a Sales Invoice,Rând {0}: intrare de debit nu poate fi legat de o factură de vânzare +"Row {0}: To set {1} periodicity, difference between from and to date \ + must be greater than or equal to {2}","Rând {0}: Pentru a seta {1} periodicitate, diferența între data de început și \ \ n trebuie să fie mai mare sau egal cu {2}" +Row {0}:Start Date must be before End Date,Rând {0}: Data începerii trebuie să fie înainte de Data de încheiere +Rules for adding shipping costs.,Reguli pentru a adăuga costurile de transport maritim. +Rules for applying pricing and discount.,Normele de aplicare de stabilire a prețurilor și de scont. +Rules to calculate shipping amount for a sale,Reguli pentru a calcula suma de transport maritim pentru o vânzare +S.O. No.,SO Nu. +SMS Center,SMS Center +SMS Control,Controlul SMS +SMS Gateway URL,SMS Gateway URL +SMS Log,SMS Conectare +SMS Parameter,SMS Parametru +SMS Sender Name,SMS Sender Name +SMS Settings,Setări SMS +SO Date,SO Data +SO Pending Qty,SO așteptare Cantitate +SO Qty,SO Cantitate +Salary,Salariu +Salary Information,Informațiile de salarizare +Salary Manager,Salariul Director +Salary Mode,Mod de salariu +Salary Slip,Salariul Slip +Salary Slip Deduction,Salariul Slip Deducerea +Salary Slip Earning,Salariul Slip Câștigul salarial +Salary Slip of employee {0} already created for this month,Salariul alunecare de angajat {0} deja creat pentru această lună +Salary Structure,Structura salariu +Salary Structure Deduction,Structura Salariul Deducerea +Salary Structure Earning,Structura salariu Câștigul salarial +Salary Structure Earnings,Câștiguri Structura salariu +Salary breakup based on Earning and Deduction.,Salariul despartire bazat privind câștigul salarial și deducere. +Salary components.,Componente salariale. +Salary template master.,Maestru șablon salariu. +Sales,Vanzari +Sales Analytics,Analytics de vânzare +Sales BOM,Vânzări BOM +Sales BOM Help,Vânzări BOM Ajutor +Sales BOM Item,Vânzări BOM Articol +Sales BOM Items,Vânzări BOM Articole +Sales Browser,Vânzări Browser +Sales Details,Detalii de vanzari +Sales Discounts,Reduceri de vânzare +Sales Email Settings,Setări de vânzări de e-mail +Sales Expenses,Cheltuieli de vânzare +Sales Extras,Extras de vânzare +Sales Funnel,De vânzări pâlnie +Sales Invoice,Factură de vânzări +Sales Invoice Advance,Factura Vanzare Advance +Sales Invoice Item,Factură de vânzări Postul +Sales Invoice Items,Factura de vânzare Articole +Sales Invoice Message,Factură de vânzări Mesaj +Sales Invoice No,Factură de vânzări Nu +Sales Invoice Trends,Vânzări Tendințe factură +Sales Invoice {0} has already been submitted,Factură de vânzări {0} a fost deja prezentat +Sales Invoice {0} must be cancelled before cancelling this Sales Order,Factură de vânzări {0} trebuie anulată înainte de a anula această comandă de vânzări +Sales Order,Comandă de vânzări +Sales Order Date,Comandă de vânzări Data +Sales Order Item,Comandă de vânzări Postul +Sales Order Items,Vânzări Ordine Articole +Sales Order Message,Comandă de vânzări Mesaj +Sales Order No,Vânzări Ordinul nr +Sales Order Required,Comandă de vânzări obligatorii +Sales Order Trends,Vânzări Ordine Tendințe +Sales Order required for Item {0},Ordinul de vânzări necesar pentru postul {0} +Sales Order {0} is not submitted,Comandă de vânzări {0} nu este prezentat +Sales Order {0} is not valid,Comandă de vânzări {0} nu este valid +Sales Order {0} is stopped,Comandă de vânzări {0} este oprit +Sales Partner,Partener de vânzări +Sales Partner Name,Numele Partner Sales +Sales Partner Target,Vânzări Partner țintă +Sales Partners Commission,Agent vânzări al Comisiei +Sales Person,Persoana de vânzări +Sales Person Name,Sales Person Nume +Sales Person Target Variance Item Group-Wise,Persoana de vânzări țintă varianță Articol Grupa Înțelept +Sales Person Targets,Obiective de vânzări Persoana +Sales Person-wise Transaction Summary,Persoana de vânzări-înțelept Rezumat Transaction +Sales Register,Vânzări Inregistrare +Sales Return,Vânzări de returnare +Sales Returned,Vânzări întors +Sales Taxes and Charges,Taxele de vânzări și Taxe +Sales Taxes and Charges Master,Taxele de vânzări și taxe de Master +Sales Team,Echipa de vânzări +Sales Team Details,Detalii de vânzări Echipa +Sales Team1,Vânzări TEAM1 +Sales and Purchase,Vanzari si cumparare +Sales campaigns.,Campanii de vanzari. +Salutation,Salut +Sample Size,Eșantionul de dimensiune +Sanctioned Amount,Sancționate Suma +Saturday,Sâmbătă +Schedule,Program +Schedule Date,Program Data +Schedule Details,Detalii Program +Scheduled,Programat +Scheduled Date,Data programată +Scheduled to send to {0},Programat pentru a trimite la {0} +Scheduled to send to {0} recipients,Programat pentru a trimite la {0} destinatari +Scheduler Failed Events,Evenimente planificator nereușite +School/University,Școlar / universitar +Score (0-5),Scor (0-5) +Score Earned,Scor Earned +Score must be less than or equal to 5,Scorul trebuie să fie mai mică sau egală cu 5 +Scrap %,Resturi% +Seasonality for setting budgets.,Sezonier pentru stabilirea bugetelor. +Secretary,Secretar +Secured Loans,Împrumuturi garantate +Securities & Commodity Exchanges,A Valorilor Mobiliare și Burselor de Mărfuri +Securities and Deposits,Titluri de valoare și depozite +"See ""Rate Of Materials Based On"" in Costing Section","A se vedea ""Rate de materiale bazate pe"" în Costing Secțiunea" +"Select ""Yes"" for sub - contracting items","Selectați ""Da"" de sub - produse contractantă" +"Select ""Yes"" if this item is used for some internal purpose in your company.","Selectați ""Da"" în cazul în care acest element este folosit pentru un scop intern în compania dumneavoastră." +"Select ""Yes"" if this item represents some work like training, designing, consulting etc.","Selectați ""Da"" în cazul în care acest articol reprezintă ceva de lucru cum ar fi formarea, proiectare, consultanta etc" +"Select ""Yes"" if you are maintaining stock of this item in your Inventory.","Selectați ""Da"", dacă sunteți menținerea stocului de acest element în inventar." +"Select ""Yes"" if you supply raw materials to your supplier to manufacture this item.","Selectați ""Da"", dacă aprovizionarea cu materii prime a furnizorului dumneavoastră pentru a fabrica acest articol." +Select Budget Distribution to unevenly distribute targets across months.,Selectați Bugetul de distribuție pentru a distribui uniform obiective pe luni. +"Select Budget Distribution, if you want to track based on seasonality.","Selectați Buget Distribution, dacă doriți să urmăriți în funcție de sezonalitate." +Select DocType,Selectați DocType +Select Items,Selectați Elemente +Select Purchase Receipts,Selectați Încasări de cumpărare +Select Sales Orders,Selectați comenzi de vânzări +Select Sales Orders from which you want to create Production Orders.,Selectați comenzi de vânzări de la care doriți să creați comenzi de producție. +Select Time Logs and Submit to create a new Sales Invoice.,Selectați Timp Busteni Trimite pentru a crea o nouă factură de vânzare. +Select Transaction,Selectați Transaction +Select Your Language,Selectați limba +Select account head of the bank where cheque was deposited.,"Selectați contul șef al băncii, unde de verificare a fost depus." +Select company name first.,Selectați numele companiei în primul rând. +Select template from which you want to get the Goals,Selectați șablonul din care doriți să obțineți Obiectivelor +Select the Employee for whom you are creating the Appraisal.,Selectați angajatul pentru care doriți să creați de evaluare. +Select the period when the invoice will be generated automatically,Selectați perioada în care factura va fi generat automat +Select the relevant company name if you have multiple companies,"Selectați numele companiei în cauză, dacă aveți mai multe companii" +Select the relevant company name if you have multiple companies.,"Selectați numele companiei în cauză, dacă aveți mai multe companii." +Select who you want to send this newsletter to,Selectați care doriți să trimiteți acest newsletter +Select your home country and check the timezone and currency.,Selectați țara de origine și să verificați zona de fus orar și moneda. +"Selecting ""Yes"" will allow this item to appear in Purchase Order , Purchase Receipt.","Selectând ""Da"", va permite acest articol să apară în cumparare Ordine, Primirea de cumparare." +"Selecting ""Yes"" will allow this item to figure in Sales Order, Delivery Note","Selectând ""Da"", va permite acest element pentru a figura în comandă de vânzări, livrare Nota" +"Selecting ""Yes"" will allow you to create Bill of Material showing raw material and operational costs incurred to manufacture this item.","Selectând ""Da"", vă va permite să creați Bill of Material arată materii prime și costurile operaționale suportate pentru fabricarea acestui articol." +"Selecting ""Yes"" will allow you to make a Production Order for this item.","Selectând ""Da"", vă va permite să facă o comandă de producție pentru acest articol." +"Selecting ""Yes"" will give a unique identity to each entity of this item which can be viewed in the Serial No master.","Selectând ""Da"", va da o identitate unică pentru fiecare entitate din acest articol, care poate fi vizualizat în ordine maestru." +Selling,De vânzare +Selling Settings,Vanzarea Setări +Send,Trimiteți +Send Autoreply,Trimite Răspuns automat +Send Email,Trimiteți-ne email +Send From,Trimite la +Send Notifications To,Trimite notificări +Send Now,Trimite Acum +Send SMS,Trimite SMS +Send To,Pentru a trimite +Send To Type,Pentru a trimite Tip +Send mass SMS to your contacts,Trimite SMS-uri în masă a persoanelor de contact +Send to this list,Trimite pe această listă +Sender Name,Sender Name +Sent On,A trimis pe +Separate production order will be created for each finished good item.,Pentru producerea separată va fi creat pentru fiecare articol bun finit. +Serial No,Serial No +Serial No / Batch,Serial No / lot +Serial No Details,Serial Nu Detalii +Serial No Service Contract Expiry,Serial Nu Service Contract de expirare +Serial No Status,Serial Nu Statut +Serial No Warranty Expiry,Serial Nu Garantie pana +Serial No is mandatory for Item {0},Nu serial este obligatorie pentru postul {0} +Serial No {0} created,Serial Nu {0} a creat +Serial No {0} does not belong to Delivery Note {1},Serial No {0} nu aparține de livrare Nota {1} +Serial No {0} does not belong to Item {1},Serial Nu {0} nu aparține postul {1} +Serial No {0} does not belong to Warehouse {1},Serial Nu {0} nu apartine Warehouse {1} +Serial No {0} does not exist,Serial Nu {0} nu există +Serial No {0} has already been received,Serial Nu {0} a fost deja primit +Serial No {0} is under maintenance contract upto {1},Serial Nu {0} este sub contract de întreținere pana {1} +Serial No {0} is under warranty upto {1},Serial Nu {0} este în garanție pana {1} +Serial No {0} not in stock,Serial Nu {0} nu este în stoc +Serial No {0} quantity {1} cannot be a fraction,Serial Nu {0} {1} cantitate nu poate fi o fracțiune +Serial No {0} status must be 'Available' to Deliver,"Nu {0} Stare de serie trebuie să fie ""disponibile"" pentru a oferi" +Serial Nos Required for Serialized Item {0},Serial nr necesare pentru postul serializat {0} +Serial Number Series,Serial Number Series +Serial number {0} entered more than once,Număr de serie {0} a intrat de mai multe ori +"Serialized Item {0} cannot be updated \ + using Stock Reconciliation",Postul serializat {0} nu poate fi actualizat \ \ n folosind Bursa de reconciliere +Series,Serie +Series List for this Transaction,Lista de serie pentru această tranzacție +Series Updated,Seria Actualizat +Series Updated Successfully,Seria Actualizat cu succes +Series is mandatory,Seria este obligatorie +Series {0} already used in {1},Series {0} folosit deja în {1} +Service,Servicii +Service Address,Adresa serviciu +Services,Servicii +Set,Setează +"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Seta valorile implicite, cum ar fi Compania, valutar, Current Anul fiscal, etc" +Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,"Set bugetelor Grupa înțelept Articol de pe acest teritoriu. Puteți include, de asemenea, sezonier prin setarea distribuție." +Set as Default,Setat ca implicit +Set as Lost,Setați ca Lost +Set prefix for numbering series on your transactions,Set prefix pentru seria de numerotare pe tranzacțiile dvs. +Set targets Item Group-wise for this Sales Person.,Stabilească obiective Articol Grupa-înțelept pentru această persoană de vânzări. +Setting Account Type helps in selecting this Account in transactions.,Setarea Tipul de cont ajută în selectarea acest cont în tranzacții. +Setting up...,Configurarea ... +Settings,Setări +Settings for HR Module,Setările pentru modul HR +"Settings to extract Job Applicants from a mailbox e.g. ""jobs@example.com""","Setări pentru a extrage Solicitanții de locuri de muncă de la o cutie poștală de exemplu ""jobs@example.com""" +Setup,Setare +Setup Already Complete!!,Setup deja complet! +Setup Complete,Configurare complet +Setup Series,Seria de configurare +Setup Wizard,Setup Wizard +Setup incoming server for jobs email id. (e.g. jobs@example.com),Configurare de server de intrare pentru ocuparea forței de muncă id-ul de e-mail. (De exemplu jobs@example.com) +Setup incoming server for sales email id. (e.g. sales@example.com),Configurare de server de intrare pentru ID-ul de e-mail de vânzări. (De exemplu sales@example.com) +Setup incoming server for support email id. (e.g. support@example.com),Configurare de server de intrare pentru suport de e-mail id. (De exemplu support@example.com) +Share,Distribuiţi +Share With,Împărtăși cu +Shareholders Funds,Fondurile acționarilor +Shipments to customers.,Transporturile către clienți. +Shipping,Transport +Shipping Account,Contul de transport maritim +Shipping Address,Adresa de livrare +Shipping Amount,Suma de transport maritim +Shipping Rule,Regula de transport maritim +Shipping Rule Condition,Regula Condiții presetate +Shipping Rule Conditions,Condiții Regula de transport maritim +Shipping Rule Label,Regula de transport maritim Label +Shop,Magazin +Shopping Cart,Cosul de cumparaturi +Short biography for website and other publications.,Scurta biografie pentru site-ul web și alte publicații. +"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","Arata ""Pe stoc"" sau ""nu este pe stoc"", bazat pe stoc disponibil în acest depozit." +"Show / Hide features like Serial Nos, POS etc.","Arată / Ascunde caracteristici cum ar fi de serie nr, POS etc" +Show In Website,Arată în site-ul +Show a slideshow at the top of the page,Arata un slideshow din partea de sus a paginii +Show in Website,Arata pe site-ul +Show this slideshow at the top of the page,Arată această prezentare în partea de sus a paginii +Sick Leave,A concediului medical +Signature,Semnătura +Signature to be appended at the end of every email,Semnătura să fie adăugată la sfârșitul fiecărui email +Single,Celibatar +Single unit of an Item.,Unitate unică a unui articol. +Sit tight while your system is being setup. This may take a few moments.,Stai bine în timp ce sistemul este în curs de instalare. Acest lucru poate dura câteva momente. +Slideshow,Slideshow +Soap & Detergent,Soap & Detergent +Software,Software +Software Developer,Software Developer +"Sorry, Serial Nos cannot be merged","Ne pare rău, Serial nr nu se pot uni" +"Sorry, companies cannot be merged","Ne pare rău, companiile nu se pot uni" +Source,Sursă +Source File,Sursă de fișiere +Source Warehouse,Depozit sursă +Source and target warehouse cannot be same for row {0},Sursă și depozit țintă nu poate fi același pentru rând {0} +Source of Funds (Liabilities),Sursa fondurilor (pasive) +Source warehouse is mandatory for row {0},Depozit sursă este obligatorie pentru rând {0} +Spartan,Spartan +"Special Characters except ""-"" and ""/"" not allowed in naming series","Caractere speciale, cu excepția ""-"" și ""/"" nu este permis în denumirea serie" +Specification Details,Specificații Detalii +Specifications,Specificaţii: +"Specify a list of Territories, for which, this Price List is valid","Specificați o listă de teritorii, pentru care, aceasta lista de prețuri este valabilă" +"Specify a list of Territories, for which, this Shipping Rule is valid","Specificați o listă de teritorii, pentru care, aceasta regula transport maritim este valabil" +"Specify a list of Territories, for which, this Taxes Master is valid","Specificați o listă de teritorii, pentru care, aceasta Taxe Master este valabil" +"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ă." +Split Delivery Note into packages.,Împărțit de livrare Notă în pachete. +Sports,Sport +Standard,Standard +Standard Buying,Cumpararea Standard +Standard Rate,Rate Standard +Standard Reports,Rapoarte standard +Standard Selling,Vanzarea Standard +Standard contract terms for Sales or Purchase.,Clauzele contractuale standard pentru vânzări sau de cumpărare. +Start,Început(Pornire) +Start Date,Data începerii +Start date of current invoice's period,Data perioadei de factura de curent începem +Start date should be less than end date for Item {0},Data de începere trebuie să fie mai mică decât data de sfârșit pentru postul {0} +State,Stat +Static Parameters,Parametrii statice +Status,Stare +Status must be one of {0},Starea trebuie să fie una din {0} +Status of {0} {1} is now {2},Starea de {0} {1} este acum {2} +Status updated to {0},Starea actualizat la {0} +Statutory info and other general information about your Supplier,Info statutar și alte informații generale despre dvs. de Furnizor +Stay Updated,Stai Actualizat +Stock,Stoc +Stock Adjustment,Ajustarea stoc +Stock Adjustment Account,Cont Ajustarea stoc +Stock Ageing,Stoc Îmbătrânirea +Stock Analytics,Analytics stoc +Stock Assets,Active stoc +Stock Balance,Stoc Sold +Stock Entries already created for Production Order , +Stock Entry,Stoc de intrare +Stock Entry Detail,Stoc de intrare Detaliu +Stock Expenses,Cheltuieli stoc +Stock Frozen Upto,Stoc Frozen Până la +Stock Ledger,Stoc Ledger +Stock Ledger Entry,Stoc Ledger intrare +Stock Ledger entries balances updated,Stoc Ledger intrări solduri actualizate +Stock Level,Nivelul de stoc +Stock Liabilities,Pasive stoc +Stock Projected Qty,Stoc proiectată Cantitate +Stock Queue (FIFO),Stoc Queue (FIFO) +Stock Received But Not Billed,"Stock primite, dar nu Considerat" +Stock Reconcilation Data,Stoc al reconcilierii datelor +Stock Reconcilation Template,Stoc reconcilierii Format +Stock Reconciliation,Stoc Reconciliere +"Stock Reconciliation can be used to update the stock on a particular date, usually as per physical inventory.","Stock Reconcilierea poate fi utilizată pentru a actualiza stocul de la o anumită dată, de obicei conform inventarului fizic." +Stock Settings,Setări stoc +Stock UOM,Stoc UOM +Stock UOM Replace Utility,Stoc UOM Înlocuiți Utility +Stock UOM updatd for Item {0},Updatd UOM stoc pentru postul {0} +Stock Uom,Stoc UOM +Stock Value,Valoare stoc +Stock Value Difference,Valoarea Stock Diferența +Stock balances updated,Solduri stoc actualizate +Stock cannot be updated against Delivery Note {0},Stock nu poate fi actualizat împotriva livrare Nota {0} +Stock entries exist against warehouse {0} cannot re-assign or modify 'Master Name',"Intrări de stocuri exista împotriva depozit {0} nu poate re-aloca sau modifica ""Maestru Name""" +Stop,Oprire +Stop Birthday Reminders,De oprire de naștere Memento +Stop Material Request,Oprire Material Cerere +Stop users from making Leave Applications on following days.,Opri utilizatorii de la a face aplicații concediu pentru următoarele zile. +Stop!,Opriti-va! +Stopped,Oprita +Stopped order cannot be cancelled. Unstop to cancel.,Pentru a opri nu pot fi anulate. Unstop pentru a anula. +Stores,Magazine +Stub,Ciot +Sub Assemblies,Sub Assemblies +"Sub-currency. For e.g. ""Cent""","Sub-valută. De exemplu ""Cent """ +Subcontract,Subcontract +Subject,Subiect +Submit Salary Slip,Prezenta Salariul Slip +Submit all salary slips for the above selected criteria,Să prezinte toate fișele de salariu pentru criteriile selectate de mai sus +Submit this Production Order for further processing.,Trimiteți acest comandă de producție pentru prelucrarea ulterioară. +Submitted,Inscrisa +Subsidiary,Filială +Successful: , +Successfully allocated,Alocate cu succes +Suggestions,Sugestii +Sunday,Duminică +Supplier,Furnizor +Supplier (Payable) Account,Furnizor (furnizori) de cont +Supplier (vendor) name as entered in supplier master,"Furnizor (furnizor), nume ca a intrat in legatura cu furnizorul de master" +Supplier Account,Furnizor de cont +Supplier Account Head,Furnizor de cont Șeful +Supplier Address,Furnizor Adresa +Supplier Addresses and Contacts,Adrese furnizorului și de Contacte +Supplier Details,Detalii furnizor +Supplier Intro,Furnizor Intro +Supplier Invoice Date,Furnizor Data facturii +Supplier Invoice No,Furnizor Factura Nu +Supplier Name,Furnizor Denumire +Supplier Naming By,Furnizor de denumire prin +Supplier Part Number,Furnizor Număr +Supplier Quotation,Furnizor ofertă +Supplier Quotation Item,Furnizor ofertă Articol +Supplier Reference,Furnizor de referință +Supplier Type,Furnizor Tip +Supplier Type / Supplier,Furnizor Tip / Furnizor +Supplier Type master.,Furnizor de tip maestru. +Supplier Warehouse,Furnizor Warehouse +Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Furnizor Depozit obligatoriu pentru contractate sub-cumparare Primirea +Supplier database.,Baza de date furnizor. +Supplier master.,Furnizor maestru. +Supplier warehouse where you have issued raw materials for sub - contracting,Depozit furnizor în cazul în care au emis materii prime pentru sub - contractare +Supplier-Wise Sales Analytics,Furnizor înțelept Vânzări Analytics +Support,Suport +Support Analtyics,Analtyics Suport +Support Analytics,Suport Analytics +Support Email,Suport de e-mail +Support Email Settings,Suport Setări e-mail +Support Password,Suport Parola +Support Ticket,Bilet de sprijin +Support queries from customers.,Interogări de suport din partea clienților. +Symbol,Simbol +Sync Support Mails,Sync Suport mailuri +Sync with Dropbox,Sincronizare cu Dropbox +Sync with Google Drive,Sincronizare cu Google Drive +System,Sistem +System Settings,Setări de sistem +"System User (login) ID. If set, it will become default for all HR forms.","Utilizator de sistem (login) de identitate. Dacă este setat, el va deveni implicit pentru toate formele de resurse umane." +Target Amount,Suma țintă +Target Detail,Țintă Detaliu +Target Details,Țintă Detalii +Target Details1,Țintă Details1 +Target Distribution,Țintă Distribuție +Target On,Țintă pe +Target Qty,Țintă Cantitate +Target Warehouse,Țintă Warehouse +Target warehouse in row {0} must be same as Production Order,Depozit țintă în rândul {0} trebuie să fie același ca și de producție de comandă +Target warehouse is mandatory for row {0},Depozit țintă este obligatorie pentru rând {0} +Task,Operatiune +Task Details,Sarcina Detalii +Tasks,Task-uri +Tax,Impozite +Tax Amount After Discount Amount,Suma taxa După Discount Suma +Tax Assets,Active fiscale +Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,"Taxa Categoria nu poate fi ""de evaluare"" sau ""de evaluare și total"", ca toate elementele sunt produse non-stoc" +Tax Rate,Cota de impozitare +Tax and other salary deductions.,Impozitul și alte rețineri salariale. +"Tax detail table fetched from item master as a string and stored in this field. +Used for Taxes and Charges",Taxa detaliu tabel preluat de la maestru element ca un șir și stocate în acest domeniu. \ NUtilizat pentru Impozite și Taxe +Tax template for buying transactions.,Șablon taxa pentru tranzacțiilor de cumpărare. +Tax template for selling transactions.,Șablon impozit pentru tranzacțiile de vânzare. +Taxable,Impozabil +Taxes and Charges,Impozite și Taxe +Taxes and Charges Added,Impozite și Taxe Added +Taxes and Charges Added (Company Currency),Impozite și Taxe adăugate (Compania de valuta) +Taxes and Charges Calculation,Impozite și Taxe Calcul +Taxes and Charges Deducted,Impozite și Taxe dedus +Taxes and Charges Deducted (Company Currency),Impozite și taxe deduse (Compania de valuta) +Taxes and Charges Total,Impozite și Taxe total +Taxes and Charges Total (Company Currency),Impozite și Taxe total (Compania de valuta) +Technology,Tehnologia nou-aparuta +Telecommunications,Telecomunicații +Telephone Expenses,Cheltuieli de telefon +Television,Televiziune +Template for performance appraisals.,Șablon pentru evaluările de performanță. +Template of terms or contract.,Șablon de termeni sau contractului. +Temporary Accounts (Assets),Conturile temporare (Active) +Temporary Accounts (Liabilities),Conturile temporare (pasive) +Temporary Assets,Active temporare +Temporary Liabilities,Pasive temporare +Term Details,Detalii pe termen +Terms,Termeni +Terms and Conditions,Termeni şi condiţii +Terms and Conditions Content,Termeni și condiții de conținut +Terms and Conditions Details,Termeni și condiții Detalii +Terms and Conditions Template,Termeni și condiții Format +Terms and Conditions1,Termeni și Conditions1 +Terretory,Terretory +Territory,Teritoriu +Territory / Customer,Teritoriu / client +Territory Manager,Teritoriu Director +Territory Name,Teritoriului Denumire +Territory Target Variance Item Group-Wise,Teritoriul țintă Variance Articol Grupa Înțelept +Territory Targets,Obiective Territory +Test,Teste +Test Email Id,Test de e-mail Id-ul +Test the Newsletter,Testați Newsletter +The BOM which will be replaced,BOM care va fi înlocuit +The First User: You,Primul utilizator: +"The Item that represents the Package. This Item must have ""Is Stock Item"" as ""No"" and ""Is Sales Item"" as ""Yes""","Elementul care reprezintă pachetul. Acest articol trebuie să fi ""Este Piesa"" ca ""Nu"" și ""este produs de vânzări"" ca ""Da""" +The Organization,Organizația +"The account head under Liability, in which Profit/Loss will be booked","Contul capul sub răspunderii, în care Profit / pierdere va fi rezervat" +"The date on which next invoice will be generated. It is generated on submit. +",Data la care va fi generat următoarea factură. Acesta este generat pe prezinte. \ N +The date on which recurring invoice will be stop,La data la care factura recurente vor fi opri +"The day of the month on which auto invoice will be generated e.g. 05, 28 etc ", +The day(s) on which you are applying for leave are holiday. You need not apply for leave.,A doua zi (e) pe care aplici pentru concediu sunt vacanță. Tu nu trebuie să se aplice pentru concediu. +The first Leave Approver in the list will be set as the default Leave Approver,Primul Aprobatorul Lăsați în lista va fi setat ca implicit concediu aprobator +The first user will become the System Manager (you can change that later).,Primul utilizator va deveni System Manager (puteți schimba asta mai târziu). +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)" +The name of your company for which you are setting up this system.,Numele companiei dumneavoastră pentru care vă sunt configurarea acestui sistem. +The net weight of this package. (calculated automatically as sum of net weight of items),Greutatea netă a acestui pachet. (Calculat automat ca suma de greutate netă de produs) +The new BOM after replacement,Noul BOM după înlocuirea +The rate at which Bill Currency is converted into company's base currency,Rata la care Bill valuta este convertit în moneda de bază a companiei +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. +There are more holidays than working days this month.,Există mai multe sărbători decât de zile de lucru în această lună. +"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Nu poate fi doar o singură regulă Condiții presetate cu 0 sau o valoare necompletată pentru ""la valoarea""" +There is not enough leave balance for Leave Type {0},Nu există echilibru concediu suficient pentru concediul de tip {0} +There is nothing to edit.,Nu este nimic pentru a edita. +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.,Nu a fost o eroare. Un motiv probabil ar putea fi că nu ați salvat formularul. Vă rugăm să contactați support@erpnext.com dacă problema persistă. +There were errors.,Au fost erori. +This Currency is disabled. Enable to use in transactions,Acest valutar este dezactivată. Permite să folosească în tranzacțiile +This Leave Application is pending approval. Only the Leave Apporver can update status.,Această aplicație concediu este în curs de aprobare. Numai concediu Apporver poate actualiza starea. +This Time Log Batch has been billed.,Acest lot Timpul Log a fost facturat. +This Time Log Batch has been cancelled.,Acest lot Timpul Log a fost anulat. +This Time Log conflicts with {0},This Time Log conflict cu {0} +This is a root account and cannot be edited.,Acesta este un cont de rădăcină și nu pot fi editate. +This is a root customer group and cannot be edited.,Acesta este un grup de clienți rădăcină și nu pot fi editate. +This is a root item group and cannot be edited.,Acesta este un grup element rădăcină și nu pot fi editate. +This is a root sales person and cannot be edited.,Aceasta este o persoană de vânzări rădăcină și nu pot fi editate. +This is a root territory and cannot be edited.,Acesta este un teritoriu rădăcină și nu pot fi editate. +This is an example website auto-generated from ERPNext,Acesta este un site web exemplu auto-generat de ERPNext +This is the number of the last created transaction with this prefix,Acesta este numărul ultimei tranzacții creat cu acest prefix +This will be used for setting rule in HR module,Aceasta va fi utilizată pentru stabilirea regulă în modul de HR +Thread HTML,HTML fir +Thursday,Joi +Time Log,Timp Conectare +Time Log Batch,Timp Log lot +Time Log Batch Detail,Ora Log lot Detaliu +Time Log Batch Details,Timp Jurnal Detalii lot +Time Log Batch {0} must be 'Submitted',"Ora Log Lot {0} trebuie să fie ""Înscris""" +Time Log for tasks.,Log timp de sarcini. +Time Log {0} must be 'Submitted',"Ora Log {0} trebuie să fie ""Înscris""" +Time Zone,Time Zone +Time Zones,Time Zones +Time and Budget,Timp și buget +Time at which items were delivered from warehouse,Timp în care obiectele au fost livrate de la depozit +Time at which materials were received,Timp în care s-au primit materiale +Title,Titlu +Titles for print templates e.g. Proforma Invoice.,"Titluri de șabloane de imprimare, de exemplu proforma Factura." +To,Până la data +To Currency,Pentru a valutar +To Date,La Data +To Date should be same as From Date for Half Day leave,Pentru a Data trebuie să fie aceeași ca la data de concediu de jumatate de zi +To Discuss,Pentru a discuta +To Do List,To do list +To Package No.,La pachetul Nr +To Produce,Pentru a produce +To Time,La timp +To Value,La valoarea +To Warehouse,Pentru Warehouse +"To add child nodes, explore tree and click on the node under which you want to add more nodes.","Pentru a adăuga noduri copil, explora copac și faceți clic pe nodul în care doriți să adăugați mai multe noduri." +"To assign this issue, use the ""Assign"" button in the sidebar.","Pentru a atribui această problemă, utilizați butonul ""Assign"" în bara laterală." +To create a Bank Account:,Pentru a crea un cont bancar: +To create a Tax Account:,Pentru a crea un cont fiscal: +"To create an Account Head under a different company, select the company and save customer.","Pentru a crea un cap de cont sub o altă companie, selecta compania și de a salva client." +To date cannot be before from date,Până în prezent nu poate fi înainte de data +To enable Point of Sale features,Pentru a permite Point of Sale caracteristici +To enable Point of Sale view,Pentru a permite Point of Sale de vedere +To get Item Group in details table,Pentru a obține Grupa de articole în detalii de masă +"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" +"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" +"To report an issue, go to ", +"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""" +To track any installation or commissioning related work after sales,Pentru a urmări orice instalare sau punere în lucrările conexe după vânzări +"To track brand name in the following documents Delivery Note, Opportunity, Material Request, Item, Purchase Order, Purchase Voucher, Purchaser Receipt, Quotation, Sales Invoice, Sales BOM, Sales Order, Serial No","Pentru a urmări nume de marcă în următoarele documente nota de livrare, oportunitate, cerere Material, Item, Ordinul de cumparare, cumparare Voucherul, Cumpărătorul Primirea, cotatie, Factura Vanzare, Vanzari BOM, comandă de vânzări, Serial nr" +To track item in sales and purchase documents based on their serial nos. This is can also used to track warranty details of the product.,"Pentru a urmări element în vânzări și a documentelor de achiziție, pe baza lor de serie nr. Acest lucru se poate, de asemenea, utilizat pentru a urmări detalii de garanție ale produsului." +To track items in sales and purchase documents with batch nos
Preferred Industry: Chemicals etc,"Pentru a urmări elementele din vânzări și achiziționarea de documente, cu lot nr cui Industrie preferată: Produse chimice etc " +To track items using barcode. You will be able to enter items in Delivery Note and Sales Invoice by scanning barcode of item.,Pentru a urmări elemente utilizând coduri de bare. Va fi capabil de a intra articole în nota de livrare și factură de vânzare prin scanarea codului de bare de element. +Tools,Instrumentele +Total,totală +Total Advance,Total de Advance +Total Allocated Amount,Suma totală alocată +Total Allocated Amount can not be greater than unmatched amount,Suma totală alocată nu poate fi mai mare decât valoarea de neegalat +Total Amount,Suma totală +Total Amount To Pay,Suma totală să plătească +Total Amount in Words,Suma totală în cuvinte +Total Billing This Year: , +Total Claimed Amount,Total suma pretinsă +Total Commission,Total de Comisie +Total Cost,Cost total +Total Credit,Total de Credit +Total Debit,Totală de debit +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} +Total Deduction,Total de deducere +Total Earning,Câștigul salarial total de +Total Experience,Experiența totală +Total Hours,Total ore +Total Hours (Expected),Numărul total de ore (Expected) +Total Invoiced Amount,Sumă totală facturată +Total Leave Days,Total de zile de concediu +Total Leaves Allocated,Totalul Frunze alocate +Total Message(s),Total de mesaje (e) +Total Operating Cost,Cost total de operare +Total Points,Total puncte +Total Raw Material Cost,Cost total de materii prime +Total Sanctioned Amount,Suma totală sancționat +Total Score (Out of 5),Scor total (din 5) +Total Tax (Company Currency),Totală Brut (Compania de valuta) +Total Taxes and Charges,Total Impozite și Taxe +Total Taxes and Charges (Company Currency),Total Impozite si Taxe (Compania valutar) +Total Words,Totalul Cuvinte +Total Working Days In The Month,Zile de lucru total în luna +Total allocated percentage for sales team should be 100,Procentul total alocat pentru echipa de vânzări ar trebui să fie de 100 +Total amount of invoices received from suppliers during the digest period,Suma totală a facturilor primite de la furnizori în timpul perioadei Digest +Total amount of invoices sent to the customer during the digest period,Suma totală a facturilor trimise clientului în timpul perioadei Digest +Total cannot be zero,Totală nu poate să fie zero +Total in words,Totală în cuvinte +Total points for all goals should be 100. It is {0},Numărul total de puncte pentru toate obiectivele trebuie să fie de 100. Este {0} +Total weightage assigned should be 100%. It is {0},Weightage total alocat este de 100%. Este {0} +Totals,Totaluri +Track Leads by Industry Type.,Track conduce de Industrie tip. +Track this Delivery Note against any Project,Urmareste acest Livrare Note împotriva oricărui proiect +Track this Sales Order against any Project,Urmareste acest Ordin de vânzări față de orice proiect +Transaction,Tranzacție +Transaction Date,Tranzacție Data +Transaction not allowed against stopped Production Order {0},Tranzacție nu este permis împotriva oprit comandă de producție {0} +Transfer,Transfer +Transfer Material,Material de transfer +Transfer Raw Materials,Transfer de materii prime +Transferred Qty,Transferat Cantitate +Transportation,Transport +Transporter Info,Info Transporter +Transporter Name,Transporter Nume +Transporter lorry number,Număr Transporter camion +Travel,Călători +Travel Expenses,Cheltuieli de călătorie +Tree Type,Arbore Tip +Tree of Item Groups.,Arborele de Postul grupuri. +Tree of finanial Cost Centers.,Arborele de centre de cost finanial. +Tree of finanial accounts.,Arborele de conturi finanial. +Trial Balance,Balanta +Tuesday,Marți +Type,Tip +Type of document to rename.,Tip de document pentru a redenumi. +"Type of leaves like casual, sick etc.","Tip de frunze, cum ar fi casual, bolnavi, etc" +Types of Expense Claim.,Tipuri de cheltuieli de revendicare. +Types of activities for Time Sheets,Tipuri de activități de fișe de pontaj +"Types of employment (permanent, contract, intern etc.).","Tipuri de locuri de muncă (permanent, contractul, intern etc)." +UOM Conversion Detail,Detaliu UOM de conversie +UOM Conversion Details,UOM Detalii de conversie +UOM Conversion Factor,Factorul de conversie UOM +UOM Conversion factor is required in row {0},Factor UOM de conversie este necesară în rândul {0} +UOM Name,Numele UOM +UOM coversion factor required for UOM {0} in Item {1},Factor coversion UOM necesar pentru UOM {0} de la postul {1} +Under AMC,Sub AMC +Under Graduate,Sub Absolvent +Under Warranty,Sub garanție +Unit,Unitate +Unit of Measure,Unitatea de măsură +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 +"Unit of measurement of this item (e.g. Kg, Unit, No, Pair).","Unitatea de măsură a acestui articol (de exemplu, Kg, Unitatea, Nu, pereche)." +Units/Hour,Unități / oră +Units/Shifts,Unități / Schimburi +Unmatched Amount,Suma de neegalat +Unpaid,Neachitat +Unscheduled,Neprogramat +Unsecured Loans,Creditele negarantate +Unstop,Unstop +Unstop Material Request,Unstop Material Cerere +Unstop Purchase Order,Unstop Comandă +Unsubscribed,Nesubscrise +Update,Actualizați +Update Clearance Date,Actualizare Clearance Data +Update Cost,Actualizare Cost +Update Finished Goods,Marfuri actualizare finite +Update Landed Cost,Actualizare Landed Cost +Update Series,Actualizare Series +Update Series Number,Actualizare Serii Număr +Update Stock,Actualizați Stock +"Update allocated amount in the above table and then click ""Allocate"" button","Actualizare a alocat sume în tabelul de mai sus și apoi faceți clic pe butonul ""Alocarea""" +Update bank payment dates with journals.,Actualizați datele de plată bancar cu reviste. +Update clearance date of Journal Entries marked as 'Bank Vouchers',"Data de clearance-ul de actualizare de jurnal intrările marcate ca ""Tichete Bank""" +Updated,Actualizat +Updated Birthday Reminders,Actualizat Data nasterii Memento +Upload Attendance,Încărcați Spectatori +Upload Backups to Dropbox,Încărcați Backup pentru Dropbox +Upload Backups to Google Drive,Încărcați Backup pentru unitate Google +Upload HTML,Încărcați HTML +Upload a .csv file with two columns: the old name and the new name. Max 500 rows.,Încărcați un fișier csv cu două coloane:. Numele vechi și noul nume. Max 500 rânduri. +Upload attendance from a .csv file,Încărcați de participare dintr-un fișier csv. +Upload stock balance via csv.,Încărcați echilibru stoc prin csv. +Upload your letter head and logo - you can edit them later.,Încărcați capul scrisoare și logo-ul - le puteți edita mai târziu. +Upper Income,Venituri de sus +Urgent,De urgență +Use Multi-Level BOM,Utilizarea Multi-Level BOM +Use SSL,Utilizați SSL +User,Utilizator +User ID,ID-ul de utilizator +User ID not set for Employee {0},ID-ul de utilizator nu este setat pentru Angajat {0} +User Name,Nume utilizator +User Name or Support Password missing. Please enter and try again.,Numele de utilizator sau parola de sprijin lipsește. Vă rugăm să introduceți și să încercați din nou. +User Remark,Observație utilizator +User Remark will be added to Auto Remark,Observație utilizator va fi adăugat la Auto Observație +User Remarks is mandatory,Utilizatorul Observații este obligatorie +User Specific,Utilizatorul specifică +User must always select,Utilizatorul trebuie să selecteze întotdeauna +User {0} is already assigned to Employee {1},Utilizatorul {0} este deja alocat Angajat {1} +User {0} is disabled,Utilizatorul {0} este dezactivat +Username,Nume utilizator +Users with this role are allowed to create / modify accounting entry before frozen date,Utilizatorii cu acest rol sunt permise pentru a crea / modifica intrare contabilitate înainte de data congelate +Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Utilizatorii cu acest rol li se permite să stabilească în conturile înghețate și de a crea / modifica intrări contabile împotriva conturile înghețate +Utilities,Utilities +Utility Expenses,Cheltuieli de utilitate +Valid For Territories,Valabil pentru teritoriile +Valid From,Valabil de la +Valid Upto,Valid Până la +Valid for Territories,Valabil pentru teritoriile +Validate,Valida +Valuation,Evaluare +Valuation Method,Metoda de evaluare +Valuation Rate,Rata de evaluare +Valuation Rate required for Item {0},Rata de evaluare necesar pentru postul {0} +Valuation and Total,Evaluare și Total +Value,Valoare +Value or Qty,Valoare sau Cantitate +Vehicle Dispatch Date,Dispeceratul vehicul Data +Vehicle No,Vehicul Nici +Venture Capital,Capital de Risc +Verified By,Verificate de +View Ledger,Vezi Ledger +View Now,Vizualizează acum +Visit report for maintenance call.,Vizitați raport de apel de întreținere. +Voucher #,Voucher # +Voucher Detail No,Detaliu voucher Nu +Voucher ID,ID Voucher +Voucher No,Voletul nr +Voucher No is not valid,Nu voucher nu este valid +Voucher Type,Tip Voucher +Voucher Type and Date,Tipul Voucher și data +Walk In,Walk In +Warehouse,Depozit +Warehouse Contact Info,Depozit Contact +Warehouse Detail,Depozit Detaliu +Warehouse Name,Depozit Denumire +Warehouse and Reference,Depozit și de referință +Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Depozit nu pot fi șterse ca exista intrare stoc registrul pentru acest depozit. +Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Depozit poate fi modificat numai prin Bursa de primire de intrare / livrare Nota / cumparare +Warehouse cannot be changed for Serial No.,Depozit nu poate fi schimbat pentru Serial No. +Warehouse is mandatory for stock Item {0} in row {1},Depozit este obligatorie pentru stocul de postul {0} în rândul {1} +Warehouse is missing in Purchase Order,Depozit lipsește în Comandă +Warehouse not found in the system,Depozit nu a fost găsit în sistemul +Warehouse required for stock Item {0},Depozit necesar pentru stocul de postul {0} +Warehouse required in POS Setting,Depozit necesare în Setarea POS +Warehouse where you are maintaining stock of rejected items,Depozit în cazul în care se menține stocul de articole respinse +Warehouse {0} can not be deleted as quantity exists for Item {1},Depozit {0} nu poate fi ștearsă ca exista cantitate pentru postul {1} +Warehouse {0} does not belong to company {1},Depozit {0} nu aparține companiei {1} +Warehouse {0} does not exist,Depozit {0} nu există +Warehouse-Wise Stock Balance,Depozit-înțelept Stock Balance +Warehouse-wise Item Reorder,-Depozit înțelept Postul de Comandă +Warehouses,Depozite +Warehouses.,Depozite. +Warn,Avertiza +Warning: Leave application contains following block dates,Atenție: Lăsați aplicație conține următoarele date de bloc +Warning: Material Requested Qty is less than Minimum Order Qty,Atenție: Materialul solicitat Cant este mai mică decât minima pentru comanda Cantitate +Warning: Sales Order {0} already exists against same Purchase Order number,Atenție: comandă de vânzări {0} există deja în număr aceeași comandă de aprovizionare +Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Atenție: Sistemul nu va verifica supraîncărcată din sumă pentru postul {0} din {1} este zero +Warranty / AMC Details,Garanție / AMC Detalii +Warranty / AMC Status,Garanție / AMC Starea +Warranty Expiry Date,Garanție Data expirării +Warranty Period (Days),Perioada de garanție (zile) +Warranty Period (in days),Perioada de garanție (în zile) +We buy this Item,Cumparam acest articol +We sell this Item,Vindem acest articol +Website,Site web +Website Description,Site-ul Descriere +Website Item Group,Site-ul Grupa de articole +Website Item Groups,Site-ul Articol Grupuri +Website Settings,Setarile site ului +Website Warehouse,Site-ul Warehouse +Wednesday,Miercuri +Weekly,Saptamanal +Weekly Off,Săptămânal Off +Weight UOM,Greutate UOM +"Weight is mentioned,\nPlease mention ""Weight UOM"" too", +Weightage,Weightage +Weightage (%),Weightage (%) +Welcome,Bine ați venit +Welcome to ERPNext. Over the next few minutes we will help you setup your ERPNext account. Try and fill in as much information as you have even if it takes a bit longer. It will save you a lot of time later. Good Luck!,"Bine ati venit la ERPNext. De-a lungul următoarele câteva minute va vom ajuta sa de configurare a contului dvs. ERPNext. Încercați și să completați cât mai multe informații aveți, chiar dacă este nevoie de un pic mai mult. Aceasta va salva o mulțime de timp mai târziu. Good Luck!" +Welcome to ERPNext. Please select your language to begin the Setup Wizard.,Bine ati venit la ERPNext. Vă rugăm să selectați limba pentru a începe Expertul de instalare. +What does it do?,Ce face? +"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.","Atunci când oricare dintre tranzacțiile verificate sunt ""Trimis"", un e-mail de tip pop-up a deschis în mod automat pentru a trimite un e-mail la ""Contact"", asociat în această operațiune, cu tranzacția ca un atașament. Utilizatorul poate sau nu poate trimite e-mail." +"When submitted, the system creates difference entries to set the given stock and valuation on this date.","Când a prezentat, sistemul creează intrări diferență pentru a stabili stocul dat și evaluarea la această dată." +Where items are stored.,În cazul în care elementele sunt stocate. +Where manufacturing operations are carried out.,În cazul în care operațiunile de fabricație sunt efectuate. +Widowed,Văduvit +Will be calculated automatically when you enter the details,Vor fi calculate automat atunci când introduceți detaliile +Will be updated after Sales Invoice is Submitted.,Vor fi actualizate după Factura Vanzare este prezentat. +Will be updated when batched.,Vor fi actualizate atunci când dozate. +Will be updated when billed.,Vor fi actualizate atunci când facturat. +Wire Transfer,Transfer +With Operations,Cu Operațiuni +With period closing entry,Cu intrare perioadă de închidere +Work Details,Detalii de lucru +Work Done,Activitatea desfășurată +Work In Progress,Lucrări în curs +Work-in-Progress Warehouse,De lucru-in-Progress Warehouse +Work-in-Progress Warehouse is required before Submit,De lucru-in-Progress Warehouse este necesară înainte Trimite +Working,De lucru +Workstation,Stație de lucru +Workstation Name,Stație de lucru Nume +Write Off Account,Scrie Off cont +Write Off Amount,Scrie Off Suma +Write Off Amount <=,Scrie Off Suma <= +Write Off Based On,Scrie Off bazat pe +Write Off Cost Center,Scrie Off cost Center +Write Off Outstanding Amount,Scrie Off remarcabile Suma +Write Off Voucher,Scrie Off Voucher +Wrong Template: Unable to find head row.,Format greșit: Imposibil de găsit rând cap. +Year,An +Year Closed,An Închis +Year End Date,Anul Data de încheiere +Year Name,An Denumire +Year Start Date,An Data începerii +Year Start Date and Year End Date are already set in Fiscal Year {0},Data începerii an și de sfârșit de an data sunt deja stabilite în anul fiscal {0} +Year Start Date and Year End Date are not within Fiscal Year.,Data începerii an și Anul Data de încheiere nu sunt în anul fiscal. +Year Start Date should not be greater than Year End Date,An Data începerii nu trebuie să fie mai mare de sfârșit de an Data +Year of Passing,Ani de la promovarea +Yearly,Anual +Yes,Da +You are not authorized to add or update entries before {0},Tu nu sunt autorizate să adăugați sau actualizare intrări înainte de {0} +You are not authorized to set Frozen value,Tu nu sunt autorizate pentru a seta valoarea Frozen +You are the Expense Approver for this record. Please Update the 'Status' and Save,"Sunteți aprobator cheltuieli pentru acest record. Vă rugăm Actualizați ""statutul"" și Salvare" +You are the Leave Approver for this record. Please Update the 'Status' and Save,"Sunteți aprobator Lăsați pentru această înregistrare. Vă rugăm Actualizați ""statutul"" și Salvare" +You can enter any date manually,Puteți introduce manual orice dată +You can enter the minimum quantity of this item to be ordered.,Puteți introduce cantitatea minimă de acest element pentru a fi comandat. +You can not assign itself as parent account,Nu se poate atribui ca cont părinte +You can not change rate if BOM mentioned agianst any item,Nu puteți schimba rata dacă BOM menționat agianst orice element +You can not enter both Delivery Note No and Sales Invoice No. Please enter any one.,Nu puteți introduce atât de livrare Notă Nu și Factura Vanzare Nr Vă rugăm să introduceți nici una. +You can not enter current voucher in 'Against Journal Voucher' column,"Nu puteți introduce voucher curent în ""Împotriva Jurnalul Voucher"" coloana" +You can set Default Bank Account in Company master,Puteți seta implicit cont bancar în maestru de companie +You can start by selecting backup frequency and granting access for sync,Puteți începe prin selectarea frecvenței de backup și acordarea de acces pentru sincronizare +You can submit this Stock Reconciliation.,Puteți trimite această Bursa de reconciliere. +You can update either Quantity or Valuation Rate or both.,Puteți actualiza fie Cantitate sau Evaluează evaluare sau ambele. +You cannot credit and debit same account at the same time,"Nu puteți credit și de debit același cont, în același timp," +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. +You may need to update: {0},Posibil să aveți nevoie pentru a actualiza: {0} +You must Save the form before proceeding,Trebuie să salvați formularul înainte de a începe +You must allocate amount before reconcile,Trebuie să aloce sume înainte de reconciliere +Your Customer's TAX registration numbers (if applicable) or any general information,Numerele de înregistrare fiscală clientului dumneavoastră (dacă este cazul) sau orice informații generale +Your Customers,Clienții dvs. +Your Login Id,Intra Id-ul dvs. +Your Products or Services,Produsele sau serviciile dvs. +Your Suppliers,Furnizorii dumneavoastră +Your email address,Adresa dvs. de e-mail +Your financial year begins on,An dvs. financiar începe la data de +Your financial year ends on,An dvs. financiar se încheie pe +Your sales person who will contact the customer in future,Persoana de vânzări care va contacta clientul în viitor +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 +Your setup is complete. Refreshing...,Configurarea este completă. Refreshing ... +Your support email id - must be a valid email - this is where your emails will come!,Suport e-mail id-ul dvs. - trebuie să fie un e-mail validă - aceasta este în cazul în care e-mailurile tale vor veni! +[Select],[Select] +`Freeze Stocks Older Than` should be smaller than %d days.,`Stocuri Freeze mai în vârstă decât` ar trebui să fie mai mică decât% d zile. +and,și +are not allowed.,nu sunt permise. +assigned by,atribuit de către +"e.g. ""Build tools for builders""","de exemplu ""Construi instrumente de constructori """ +"e.g. ""MC""","de exemplu ""MC """ +"e.g. ""My Company LLC""","de exemplu ""My Company LLC """ +e.g. 5,de exemplu 5 +"e.g. Bank, Cash, Credit Card","de exemplu, bancar, Cash, Card de credit" +"e.g. Kg, Unit, Nos, m","de exemplu, Kg, Unitatea, nr, m" +e.g. VAT,"de exemplu, TVA" +eg. Cheque Number,de exemplu. Numărul Cec +example: Next Day Shipping,exemplu: Next Day Shipping +lft,LFT +old_parent,old_parent +rgt,RGT +website page link,pagina site-ului link-ul +{0} '{1}' not in Fiscal Year {2},"{0} {1} ""nu este în anul fiscal {2}" +{0} Credit limit {0} crossed,{0} Limita de credit {0} trecut +{0} Serial Numbers required for Item {0}. Only {0} provided.,{0} numere de serie necesare pentru postul {0}. Numai {0} furnizate. +{0} budget for Account {1} against Cost Center {2} will exceed by {3},{0} de buget pentru contul {1} ​​contra cost Centrul de {2} va depăși de {3} +{0} created,{0} creat +{0} does not belong to Company {1},{0} nu aparține companiei {1} +{0} entered twice in Item Tax,{0} a intrat de două ori în postul fiscal +{0} is an invalid email address in 'Notification Email Address',"{0} este o adresă de e-mail nevalidă în ""Notificarea Adresa de e-mail""" +{0} is mandatory,{0} este obligatorie +{0} is mandatory for Item {1},{0} este obligatorie pentru postul {1} +{0} is not a stock Item,{0} nu este un element de stoc +{0} is not a valid Batch Number for Item {1},{0} nu este un număr de lot valabil pentru postul {1} +{0} is not a valid Leave Approver,{0} nu este un concediu aprobator valid +{0} is not a valid email id,{0} nu este un id-ul de e-mail validă +{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} este acum implicit anul fiscal. Vă rugăm să reîmprospătați browser-ul dvs. pentru ca modificarea să aibă efect. +{0} is required,{0} este necesară +{0} must be a Purchased or Sub-Contracted Item in row {1},{0} trebuie sa fie un element Achiziționat sau subcontractate în rândul {1} +{0} must be less than or equal to {1},{0} trebuie să fie mai mic sau egal cu {1} +{0} must have role 'Leave Approver',"{0} trebuie să aibă rol de ""Leave aprobator""" +{0} valid serial nos for Item {1},{0} nos serie valabile pentru postul {1} +{0} {1} against Bill {2} dated {3},{0} {1} împotriva Bill {2} din {3} +{0} {1} against Invoice {1},{0} {1} împotriva Factura {1} +{0} {1} has already been submitted,{0} {1} a fost deja prezentat +{0} {1} has been modified. Please Refresh,{0} {1} a fost modificat. Va rugam sa Refresh +{0} {1} has been modified. Please refresh,{0} {1} a fost modificat. Vă rugăm să reîmprospătați +{0} {1} has been modified. Please refresh.,{0} {1} a fost modificat. Vă rugăm să reîmprospătați. +{0} {1} is not submitted,{0} {1} nu este prezentată +{0} {1} must be submitted,{0} {1} trebuie să fie prezentate +{0} {1} not in any Fiscal Year,{0} {1} nu într-un an fiscal +{0} {1} status is 'Stopped',"{0} {1} statut este ""Oprit""" +{0} {1} status is Stopped,{0} {1} statut este oprit +{0} {1} status is Unstopped,{0} {1} statut este destupate From cdc1b640d97e554836e2206dd2b6ab08752a29eb Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Thu, 29 May 2014 20:07:10 +0530 Subject: [PATCH 072/630] Fixes in user permissions patches --- .../purchase_taxes_and_charges.json | 281 +---------------- .../sales_taxes_and_charges.json | 286 +----------------- erpnext/hr/doctype/employee/employee.py | 4 +- .../patches/v4_0/apply_user_permissions.py | 6 +- .../v4_0/customer_discount_to_pricing_rule.py | 25 +- erpnext/patches/v4_0/fix_employee_user_id.py | 14 +- erpnext/patches/v4_0/split_email_settings.py | 31 +- 7 files changed, 73 insertions(+), 574 deletions(-) diff --git a/erpnext/accounts/doctype/purchase_taxes_and_charges/purchase_taxes_and_charges.json b/erpnext/accounts/doctype/purchase_taxes_and_charges/purchase_taxes_and_charges.json index 147f2f5672..6079fa28d7 100644 --- a/erpnext/accounts/doctype/purchase_taxes_and_charges/purchase_taxes_and_charges.json +++ b/erpnext/accounts/doctype/purchase_taxes_and_charges/purchase_taxes_and_charges.json @@ -1,417 +1,164 @@ { - "_last_update": null, - "_user_tags": null, - "allow_attach": null, - "allow_copy": null, - "allow_email": null, - "allow_import": null, - "allow_print": null, - "allow_rename": null, - "allow_trash": null, "autoname": "PVTD.######", - "change_log": null, - "client_script": null, - "client_script_core": null, - "client_string": null, - "colour": null, "creation": "2013-05-21 16:16:04", - "custom": null, - "default_print_format": null, - "description": null, "docstatus": 0, "doctype": "DocType", - "document_type": null, - "dt_template": null, "fields": [ { - "allow_on_submit": null, "default": "Valuation and Total", - "depends_on": null, - "description": null, "fieldname": "category", "fieldtype": "Select", - "hidden": null, - "in_filter": null, "in_list_view": 0, "label": "Consider Tax or Charge for", - "no_column": null, - "no_copy": null, "oldfieldname": "category", "oldfieldtype": "Select", "options": "Valuation and Total\nValuation\nTotal", "permlevel": 0, - "print_hide": null, - "print_width": null, "read_only": 0, - "report_hide": null, - "reqd": 1, - "search_index": null, - "set_only_once": null, - "trigger": null, - "width": null + "reqd": 1 }, { - "allow_on_submit": null, "default": "Add", - "depends_on": null, - "description": null, "fieldname": "add_deduct_tax", "fieldtype": "Select", - "hidden": null, - "in_filter": null, - "in_list_view": null, "label": "Add or Deduct", - "no_column": null, - "no_copy": null, "oldfieldname": "add_deduct_tax", "oldfieldtype": "Select", "options": "Add\nDeduct", "permlevel": 0, - "print_hide": null, - "print_width": null, "read_only": 0, - "report_hide": null, - "reqd": 1, - "search_index": null, - "set_only_once": null, - "trigger": null, - "width": null + "reqd": 1 }, { - "allow_on_submit": null, - "default": null, - "depends_on": null, - "description": null, "fieldname": "charge_type", "fieldtype": "Select", - "hidden": null, - "in_filter": null, "in_list_view": 1, "label": "Type", - "no_column": null, - "no_copy": null, "oldfieldname": "charge_type", "oldfieldtype": "Select", "options": "\nActual\nOn Net Total\nOn Previous Row Amount\nOn Previous Row Total", "permlevel": 0, - "print_hide": null, - "print_width": null, "read_only": 0, - "report_hide": null, - "reqd": 1, - "search_index": null, - "set_only_once": null, - "trigger": null, - "width": null + "reqd": 1 }, { - "allow_on_submit": null, - "default": null, "depends_on": "eval:[\"On Previous Row Amount\", \"On Previous Row Total\"].indexOf(doc.charge_type)!==-1", - "description": null, "fieldname": "row_id", "fieldtype": "Data", "hidden": 0, - "in_filter": null, - "in_list_view": null, "label": "Reference Row #", - "no_column": null, - "no_copy": null, "oldfieldname": "row_id", "oldfieldtype": "Data", - "options": null, "permlevel": 0, - "print_hide": null, - "print_width": null, - "read_only": 0, - "report_hide": null, - "reqd": null, - "search_index": null, - "set_only_once": null, - "trigger": null, - "width": null + "read_only": 0 }, { - "allow_on_submit": null, - "default": null, - "depends_on": null, - "description": null, "fieldname": "description", "fieldtype": "Small Text", - "hidden": null, - "in_filter": null, "in_list_view": 1, "label": "Description", - "no_column": null, - "no_copy": null, "oldfieldname": "description", "oldfieldtype": "Small Text", - "options": null, "permlevel": 0, - "print_hide": null, "print_width": "300px", "read_only": 0, - "report_hide": null, "reqd": 1, - "search_index": null, - "set_only_once": null, - "trigger": null, "width": "300px" }, { - "allow_on_submit": null, - "default": null, - "depends_on": null, - "description": null, "fieldname": "col_break1", "fieldtype": "Column Break", - "hidden": null, - "in_filter": null, - "in_list_view": null, - "label": null, - "no_column": null, - "no_copy": null, - "oldfieldname": null, - "oldfieldtype": null, - "options": null, - "permlevel": 0, - "print_hide": null, - "print_width": null, - "read_only": null, - "report_hide": null, - "reqd": null, - "search_index": null, - "set_only_once": null, - "trigger": null, - "width": null + "permlevel": 0 }, { - "allow_on_submit": null, - "default": null, - "depends_on": null, - "description": null, "fieldname": "account_head", "fieldtype": "Link", - "hidden": null, - "in_filter": null, "in_list_view": 0, "label": "Account Head", - "no_column": null, - "no_copy": null, "oldfieldname": "account_head", "oldfieldtype": "Link", "options": "Account", "permlevel": 0, - "print_hide": null, - "print_width": null, "read_only": 0, - "report_hide": null, - "reqd": 1, - "search_index": null, - "set_only_once": null, - "trigger": null, - "width": null + "reqd": 1 }, { - "allow_on_submit": null, "default": ":Company", - "depends_on": null, - "description": null, "fieldname": "cost_center", "fieldtype": "Link", - "hidden": null, - "in_filter": null, "in_list_view": 0, "label": "Cost Center", - "no_column": null, - "no_copy": null, "oldfieldname": "cost_center", "oldfieldtype": "Link", "options": "Cost Center", "permlevel": 0, - "print_hide": null, - "print_width": null, - "read_only": 0, - "report_hide": null, - "reqd": null, - "search_index": null, - "set_only_once": null, - "trigger": null, - "width": null + "read_only": 0 }, { - "allow_on_submit": null, - "default": null, - "depends_on": null, - "description": null, "fieldname": "rate", "fieldtype": "Float", - "hidden": null, - "in_filter": null, "in_list_view": 1, "label": "Rate", - "no_column": null, - "no_copy": null, "oldfieldname": "rate", "oldfieldtype": "Currency", - "options": null, "permlevel": 0, - "print_hide": null, - "print_width": null, "read_only": 0, - "report_hide": null, - "reqd": 0, - "search_index": null, - "set_only_once": null, - "trigger": null, - "width": null + "reqd": 0 }, { - "allow_on_submit": null, - "default": null, - "depends_on": null, - "description": null, "fieldname": "tax_amount", "fieldtype": "Currency", - "hidden": null, - "in_filter": null, "in_list_view": 1, "label": "Amount", - "no_column": null, - "no_copy": null, "oldfieldname": "tax_amount", "oldfieldtype": "Currency", "options": "Company:company:default_currency", "permlevel": 0, - "print_hide": null, - "print_width": null, "read_only": 1, - "report_hide": null, - "reqd": 0, - "search_index": null, - "set_only_once": null, - "trigger": null, - "width": null + "reqd": 0 }, { - "allow_on_submit": null, - "default": null, - "depends_on": null, - "description": null, "fieldname": "total", "fieldtype": "Currency", - "hidden": null, - "in_filter": null, - "in_list_view": null, "label": "Total", - "no_column": null, - "no_copy": null, "oldfieldname": "total", "oldfieldtype": "Currency", "options": "Company:company:default_currency", "permlevel": 0, - "print_hide": null, - "print_width": null, - "read_only": 1, - "report_hide": null, - "reqd": null, - "search_index": null, - "set_only_once": null, - "trigger": null, - "width": null + "read_only": 1 }, { - "allow_on_submit": null, - "default": null, - "depends_on": null, - "description": null, "fieldname": "item_wise_tax_detail", "fieldtype": "Small Text", "hidden": 1, - "in_filter": null, - "in_list_view": null, "label": "Item Wise Tax Detail ", - "no_column": null, - "no_copy": null, "oldfieldname": "item_wise_tax_detail", "oldfieldtype": "Small Text", - "options": null, "permlevel": 0, "print_hide": 1, - "print_width": null, - "read_only": 1, - "report_hide": null, - "reqd": null, - "search_index": null, - "set_only_once": null, - "trigger": null, - "width": null + "read_only": 1 }, { - "allow_on_submit": null, - "default": null, - "depends_on": null, - "description": null, "fieldname": "parenttype", "fieldtype": "Data", "hidden": 1, "in_filter": 1, - "in_list_view": null, "label": "Parenttype", - "no_column": null, - "no_copy": null, "oldfieldname": "parenttype", "oldfieldtype": "Data", - "options": null, "permlevel": 0, "print_hide": 1, - "print_width": null, "read_only": 0, - "report_hide": null, - "reqd": null, - "search_index": 0, - "set_only_once": null, - "trigger": null, - "width": null + "search_index": 0 } ], "hide_heading": 1, - "hide_toolbar": null, - "icon": null, "idx": 1, - "in_create": null, - "in_dialog": null, - "is_submittable": null, - "is_transaction_doc": null, - "issingle": null, "istable": 1, - "max_attachments": null, - "menu_index": null, - "modified": "2014-04-15 09:48:45.892548", + "modified": "2014-05-30 03:43:32.494112", "modified_by": "Administrator", "module": "Accounts", "name": "Purchase Taxes and Charges", - "name_case": null, "owner": "Administrator", - "parent": null, - "parent_node": null, - "parentfield": null, - "parenttype": null, - "permissions": [], - "plugin": null, - "print_outline": null, - "read_only": null, - "read_only_onload": null, - "search_fields": null, - "server_code": null, - "server_code_compiled": null, - "server_code_core": null, - "server_code_error": null, - "show_in_menu": null, - "smallicon": null, - "subject": null, - "tag_fields": null, - "title_field": null, - "use_template": null, - "version": null + "permissions": [] } diff --git a/erpnext/accounts/doctype/sales_taxes_and_charges/sales_taxes_and_charges.json b/erpnext/accounts/doctype/sales_taxes_and_charges/sales_taxes_and_charges.json index bba8f7e927..7bde84ff0c 100644 --- a/erpnext/accounts/doctype/sales_taxes_and_charges/sales_taxes_and_charges.json +++ b/erpnext/accounts/doctype/sales_taxes_and_charges/sales_taxes_and_charges.json @@ -1,417 +1,155 @@ { - "_last_update": null, - "_user_tags": null, - "allow_attach": null, - "allow_copy": null, - "allow_email": null, - "allow_import": null, - "allow_print": null, - "allow_rename": null, - "allow_trash": null, "autoname": "INVTD.######", - "change_log": null, - "client_script": null, - "client_script_core": null, - "client_string": null, - "colour": null, "creation": "2013-04-24 11:39:32", - "custom": null, - "default_print_format": null, - "description": null, "docstatus": 0, "doctype": "DocType", - "document_type": null, - "dt_template": null, "fields": [ { - "allow_on_submit": null, - "default": null, - "depends_on": null, - "description": null, "fieldname": "charge_type", "fieldtype": "Select", - "hidden": null, - "in_filter": null, "in_list_view": 1, "label": "Type", - "no_column": null, - "no_copy": null, "oldfieldname": "charge_type", "oldfieldtype": "Select", "options": "\nActual\nOn Net Total\nOn Previous Row Amount\nOn Previous Row Total", "permlevel": 0, - "print_hide": null, - "print_width": null, - "read_only": null, - "report_hide": null, - "reqd": 1, - "search_index": null, - "set_only_once": null, - "trigger": null, - "width": null + "reqd": 1 }, { - "allow_on_submit": null, - "default": null, "depends_on": "eval:[\"On Previous Row Amount\", \"On Previous Row Total\"].indexOf(doc.charge_type)!==-1", - "description": null, "fieldname": "row_id", "fieldtype": "Data", "hidden": 0, - "in_filter": null, - "in_list_view": null, "label": "Reference Row #", - "no_column": null, - "no_copy": null, "oldfieldname": "row_id", "oldfieldtype": "Data", - "options": null, - "permlevel": 0, - "print_hide": null, - "print_width": null, - "read_only": null, - "report_hide": null, - "reqd": null, - "search_index": null, - "set_only_once": null, - "trigger": null, - "width": null + "permlevel": 0 }, { - "allow_on_submit": null, - "default": null, - "depends_on": null, - "description": null, "fieldname": "description", "fieldtype": "Small Text", - "hidden": null, - "in_filter": null, "in_list_view": 1, "label": "Description", - "no_column": null, - "no_copy": null, "oldfieldname": "description", "oldfieldtype": "Small Text", - "options": null, "permlevel": 0, - "print_hide": null, "print_width": "300px", - "read_only": null, - "report_hide": null, "reqd": 1, - "search_index": null, - "set_only_once": null, - "trigger": null, "width": "300px" }, { - "allow_on_submit": null, - "default": null, - "depends_on": null, - "description": null, "fieldname": "col_break_1", "fieldtype": "Column Break", - "hidden": null, - "in_filter": null, - "in_list_view": null, - "label": null, - "no_column": null, - "no_copy": null, - "oldfieldname": null, - "oldfieldtype": null, - "options": null, "permlevel": 0, - "print_hide": null, - "print_width": null, - "read_only": null, - "report_hide": null, - "reqd": null, - "search_index": null, - "set_only_once": null, - "trigger": null, "width": "50%" }, { - "allow_on_submit": null, - "default": null, - "depends_on": null, - "description": null, "fieldname": "account_head", "fieldtype": "Link", - "hidden": null, - "in_filter": null, "in_list_view": 0, "label": "Account Head", - "no_column": null, - "no_copy": null, "oldfieldname": "account_head", "oldfieldtype": "Link", "options": "Account", "permlevel": 0, - "print_hide": null, - "print_width": null, - "read_only": null, - "report_hide": null, "reqd": 1, - "search_index": 1, - "set_only_once": null, - "trigger": null, - "width": null + "search_index": 1 }, { - "allow_on_submit": null, "default": ":Company", - "depends_on": null, - "description": null, "fieldname": "cost_center", "fieldtype": "Link", - "hidden": null, - "in_filter": null, "in_list_view": 0, "label": "Cost Center", - "no_column": null, - "no_copy": null, "oldfieldname": "cost_center_other_charges", "oldfieldtype": "Link", "options": "Cost Center", - "permlevel": 0, - "print_hide": null, - "print_width": null, - "read_only": null, - "report_hide": null, - "reqd": null, - "search_index": null, - "set_only_once": null, - "trigger": null, - "width": null + "permlevel": 0 }, { - "allow_on_submit": null, - "default": null, - "depends_on": null, - "description": null, "fieldname": "rate", "fieldtype": "Float", - "hidden": null, - "in_filter": null, "in_list_view": 1, "label": "Rate", - "no_column": null, - "no_copy": null, "oldfieldname": "rate", "oldfieldtype": "Currency", - "options": null, "permlevel": 0, - "print_hide": null, - "print_width": null, - "read_only": null, - "report_hide": null, - "reqd": 1, - "search_index": null, - "set_only_once": null, - "trigger": null, - "width": null + "reqd": 1 }, { - "allow_on_submit": null, - "default": null, - "depends_on": null, - "description": null, "fieldname": "tax_amount", "fieldtype": "Currency", - "hidden": null, - "in_filter": null, "in_list_view": 1, "label": "Amount", - "no_column": null, - "no_copy": null, "oldfieldname": "tax_amount", "oldfieldtype": "Currency", "options": "Company:company:default_currency", "permlevel": 0, - "print_hide": null, - "print_width": null, "read_only": 1, - "report_hide": null, - "reqd": 0, - "search_index": null, - "set_only_once": null, - "trigger": null, - "width": null + "reqd": 0 }, { - "allow_on_submit": null, - "default": null, - "depends_on": null, - "description": null, "fieldname": "total", "fieldtype": "Currency", - "hidden": null, - "in_filter": null, - "in_list_view": null, "label": "Total", - "no_column": null, - "no_copy": null, "oldfieldname": "total", "oldfieldtype": "Currency", "options": "Company:company:default_currency", "permlevel": 0, - "print_hide": null, - "print_width": null, - "read_only": 1, - "report_hide": null, - "reqd": null, - "search_index": null, - "set_only_once": null, - "trigger": null, - "width": null + "read_only": 1 }, { "allow_on_submit": 0, - "default": null, - "depends_on": null, "description": "If checked, the tax amount will be considered as already included in the Print Rate / Print Amount", "fieldname": "included_in_print_rate", "fieldtype": "Check", - "hidden": null, - "in_filter": null, - "in_list_view": null, "label": "Is this Tax included in Basic Rate?", - "no_column": null, "no_copy": 0, - "oldfieldname": null, - "oldfieldtype": null, - "options": null, "permlevel": 0, "print_hide": 1, "print_width": "150px", - "read_only": null, "report_hide": 1, - "reqd": null, - "search_index": null, - "set_only_once": null, - "trigger": null, "width": "150px" }, { - "allow_on_submit": null, - "default": null, - "depends_on": null, - "description": null, "fieldname": "tax_amount_after_discount_amount", "fieldtype": "Currency", "hidden": 1, - "in_filter": null, - "in_list_view": null, "label": "Tax Amount After Discount Amount", - "no_column": null, - "no_copy": null, - "oldfieldname": null, - "oldfieldtype": null, "options": "Company:company:default_currency", "permlevel": 0, - "print_hide": null, - "print_width": null, - "read_only": 1, - "report_hide": null, - "reqd": null, - "search_index": null, - "set_only_once": null, - "trigger": null, - "width": null + "read_only": 1 }, { - "allow_on_submit": null, - "default": null, - "depends_on": null, - "description": null, "fieldname": "item_wise_tax_detail", "fieldtype": "Small Text", "hidden": 1, - "in_filter": null, - "in_list_view": null, "label": "Item Wise Tax Detail", - "no_column": null, - "no_copy": null, "oldfieldname": "item_wise_tax_detail", "oldfieldtype": "Small Text", - "options": null, "permlevel": 0, - "print_hide": null, - "print_width": null, - "read_only": 1, - "report_hide": null, - "reqd": null, - "search_index": null, - "set_only_once": null, - "trigger": null, - "width": null + "read_only": 1 }, { - "allow_on_submit": null, - "default": null, - "depends_on": null, - "description": null, "fieldname": "parenttype", "fieldtype": "Data", "hidden": 1, "in_filter": 1, - "in_list_view": null, "label": "Parenttype", - "no_column": null, - "no_copy": null, "oldfieldname": "parenttype", "oldfieldtype": "Data", - "options": null, "permlevel": 0, "print_hide": 1, - "print_width": null, - "read_only": null, - "report_hide": null, - "reqd": null, - "search_index": 1, - "set_only_once": null, - "trigger": null, - "width": null + "search_index": 1 } ], "hide_heading": 1, - "hide_toolbar": null, - "icon": null, "idx": 1, - "in_create": null, - "in_dialog": null, - "is_submittable": null, - "is_transaction_doc": null, - "issingle": null, "istable": 1, - "max_attachments": null, - "menu_index": null, - "modified": "2014-04-14 18:40:48.450796", + "modified": "2014-05-30 03:43:39.740638", "modified_by": "Administrator", "module": "Accounts", "name": "Sales Taxes and Charges", - "name_case": null, "owner": "Administrator", - "parent": null, - "parent_node": null, - "parentfield": null, - "parenttype": null, - "permissions": [], - "plugin": null, - "print_outline": null, - "read_only": null, - "read_only_onload": null, - "search_fields": null, - "server_code": null, - "server_code_compiled": null, - "server_code_core": null, - "server_code_error": null, - "show_in_menu": null, - "smallicon": null, - "subject": null, - "tag_fields": null, - "title_field": null, - "use_template": null, - "version": null + "permissions": [] } diff --git a/erpnext/hr/doctype/employee/employee.py b/erpnext/hr/doctype/employee/employee.py index b58a300fc0..4e0c2685a7 100644 --- a/erpnext/hr/doctype/employee/employee.py +++ b/erpnext/hr/doctype/employee/employee.py @@ -11,6 +11,8 @@ import frappe.permissions from frappe.model.document import Document from frappe.model.mapper import get_mapped_doc +class EmployeeUserDisabledError(frappe.ValidationError): pass + class Employee(Document): def onload(self): self.get("__onload").salary_structure_exists = frappe.db.get_value("Salary Structure", @@ -133,7 +135,7 @@ class Employee(Document): enabled = frappe.db.sql("""select name from `tabUser` where name=%s and enabled=1""", self.user_id) if not enabled: - throw(_("User {0} is disabled").format(self.user_id)) + throw(_("User {0} is disabled").format(self.user_id), EmployeeUserDisabledError) def validate_duplicate_user_id(self): employee = frappe.db.sql_list("""select name from `tabEmployee` where diff --git a/erpnext/patches/v4_0/apply_user_permissions.py b/erpnext/patches/v4_0/apply_user_permissions.py index 7f5b951696..e32e3e1726 100644 --- a/erpnext/patches/v4_0/apply_user_permissions.py +++ b/erpnext/patches/v4_0/apply_user_permissions.py @@ -3,6 +3,7 @@ from __future__ import unicode_literals import frappe +from erpnext.hr.doctype.employee.employee import EmployeeUserDisabledError def execute(): update_hr_permissions() @@ -25,7 +26,10 @@ def update_hr_permissions(): # save employees to run on_update events for employee in frappe.db.sql_list("""select name from `tabEmployee`"""): - frappe.get_doc("Employee", employee).save() + try: + frappe.get_doc("Employee", employee).save() + except EmployeeUserDisabledError: + pass def update_permissions(): # clear match conditions other than owner diff --git a/erpnext/patches/v4_0/customer_discount_to_pricing_rule.py b/erpnext/patches/v4_0/customer_discount_to_pricing_rule.py index 87aa79248e..5f9fc23da5 100644 --- a/erpnext/patches/v4_0/customer_discount_to_pricing_rule.py +++ b/erpnext/patches/v4_0/customer_discount_to_pricing_rule.py @@ -3,30 +3,27 @@ from __future__ import unicode_literals import frappe +from frappe.utils.nestedset import get_root_of def execute(): frappe.reload_doc("accounts", "doctype", "pricing_rule") - + frappe.db.auto_commit_on_many_writes = True - - for d in frappe.db.sql("""select * from `tabCustomer Discount` - where ifnull(parent, '') != '' and docstatus < 2""", as_dict=1): - if not d.item_group: - item_group = frappe.db.sql("""select name from `tabItem Group` - where ifnull(parent_item_group, '') = ''""")[0][0] - else: - item_group = d.item_group - + + default_item_group = get_root_of("Item Group") + + for d in frappe.db.sql("""select * from `tabCustomer Discount` + where ifnull(parent, '') != ''""", as_dict=1): frappe.get_doc({ "doctype": "Pricing Rule", "apply_on": "Item Group", - "item_group": item_group, + "item_group": d.item_group or default_item_group, "applicable_for": "Customer", "customer": d.parent, "price_or_discount": "Discount Percentage", "discount_percentage": d.discount }).insert() - - frappe.db.auto_commit_on_many_writes = False - + + frappe.db.auto_commit_on_many_writes = False + frappe.delete_doc("DocType", "Customer Discount") diff --git a/erpnext/patches/v4_0/fix_employee_user_id.py b/erpnext/patches/v4_0/fix_employee_user_id.py index 71107f8301..d366fa4448 100644 --- a/erpnext/patches/v4_0/fix_employee_user_id.py +++ b/erpnext/patches/v4_0/fix_employee_user_id.py @@ -1,3 +1,8 @@ +# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors +# License: GNU General Public License v3. See license.txt + +from __future__ import unicode_literals + import frappe from frappe.utils import get_fullname @@ -5,9 +10,14 @@ def execute(): for user_id in frappe.db.sql_list("""select distinct user_id from `tabEmployee` where ifnull(user_id, '')!='' group by user_id having count(name) > 1"""): - + fullname = get_fullname(user_id) employee = frappe.db.get_value("Employee", {"employee_name": fullname, "user_id": user_id}) + if employee: frappe.db.sql("""update `tabEmployee` set user_id=null - where user_id=%s and name!=%s""", (user_id, employee)) \ No newline at end of file + where user_id=%s and name!=%s""", (user_id, employee)) + else: + count = frappe.db.sql("""select count(*) from `tabEmployee` where user_id=%s""", user_id)[0][0] + frappe.db.sql("""update `tabEmployee` set user_id=null + where user_id=%s limit %s""", (user_id, count - 1)) diff --git a/erpnext/patches/v4_0/split_email_settings.py b/erpnext/patches/v4_0/split_email_settings.py index 630e954c6e..05d9bc5800 100644 --- a/erpnext/patches/v4_0/split_email_settings.py +++ b/erpnext/patches/v4_0/split_email_settings.py @@ -7,15 +7,16 @@ import frappe def execute(): frappe.reload_doc("core", "doctype", "outgoing_email_settings") frappe.reload_doc("support", "doctype", "support_email_settings") - + email_settings = get_email_settings() map_outgoing_email_settings(email_settings) map_support_email_settings(email_settings) - frappe.delete_doc("Doctype", "Email Settings") - + + frappe.delete_doc("DocType", "Email Settings") + def map_outgoing_email_settings(email_settings): outgoing_email_settings = frappe.get_doc("Outgoing Email Settings") - for fieldname in (("outgoing_mail_server", "mail_server"), + for fieldname in (("outgoing_mail_server", "mail_server"), "use_ssl", "mail_port", "mail_login", "mail_password", "always_use_login_id_as_sender", "auto_email_id", "send_print_in_body_and_attachment"): @@ -28,26 +29,26 @@ def map_outgoing_email_settings(email_settings): outgoing_email_settings.set(to_fieldname, email_settings.get(from_fieldname)) outgoing_email_settings.save() - + def map_support_email_settings(email_settings): support_email_settings = frappe.get_doc("Support Email Settings") - - for fieldname in ("sync_support_mails", "support_email", - ("support_host", "mail_server"), - ("support_use_ssl", "use_ssl"), - ("support_username", "mail_login"), - ("support_password", "mail_password"), + + for fieldname in ("sync_support_mails", "support_email", + ("support_host", "mail_server"), + ("support_use_ssl", "use_ssl"), + ("support_username", "mail_login"), + ("support_password", "mail_password"), "support_signature", "send_autoreply", "support_autoreply"): - + if isinstance(fieldname, tuple): from_fieldname, to_fieldname = fieldname else: from_fieldname = to_fieldname = fieldname - + support_email_settings.set(to_fieldname, email_settings.get(from_fieldname)) - + support_email_settings.save() - + def get_email_settings(): ret = {} for field, value in frappe.db.sql("select field, value from tabSingles where doctype='Email Settings'"): From c280d0655c927e714d6ad4a6398cc041544da601 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Fri, 30 May 2014 14:43:36 +0530 Subject: [PATCH 073/630] Set Employee Name if missing --- erpnext/hr/doctype/appraisal/appraisal.py | 2 ++ erpnext/hr/doctype/attendance/attendance.py | 3 +++ erpnext/hr/doctype/expense_claim/expense_claim.py | 2 ++ erpnext/hr/doctype/leave_allocation/leave_allocation.py | 4 +++- erpnext/hr/doctype/leave_application/leave_application.py | 3 +++ erpnext/hr/doctype/salary_slip/salary_slip.py | 4 +++- erpnext/hr/doctype/salary_structure/salary_structure.py | 2 ++ erpnext/hr/utils.py | 4 ++++ 8 files changed, 22 insertions(+), 2 deletions(-) diff --git a/erpnext/hr/doctype/appraisal/appraisal.py b/erpnext/hr/doctype/appraisal/appraisal.py index 31ca34c465..72bfc1ce69 100644 --- a/erpnext/hr/doctype/appraisal/appraisal.py +++ b/erpnext/hr/doctype/appraisal/appraisal.py @@ -9,12 +9,14 @@ from frappe.utils import flt, getdate from frappe import _ from frappe.model.mapper import get_mapped_doc from frappe.model.document import Document +from erpnext.hr.utils import set_employee_name class Appraisal(Document): def validate(self): if not self.status: self.status = "Draft" + set_employee_name(self) self.validate_dates() self.validate_existing_appraisal() self.calculate_total() diff --git a/erpnext/hr/doctype/attendance/attendance.py b/erpnext/hr/doctype/attendance/attendance.py index ea9f27131f..dbab09796c 100644 --- a/erpnext/hr/doctype/attendance/attendance.py +++ b/erpnext/hr/doctype/attendance/attendance.py @@ -7,6 +7,7 @@ import frappe from frappe.utils import getdate, nowdate from frappe import _ from frappe.model.document import Document +from erpnext.hr.utils import set_employee_name class Attendance(Document): def validate_duplicate_record(self): @@ -16,6 +17,8 @@ class Attendance(Document): if res: frappe.throw(_("Attendance for employee {0} is already marked").format(self.employee)) + set_employee_name(self) + def check_leave_record(self): if self.status == 'Present': leave = frappe.db.sql("""select name from `tabLeave Application` diff --git a/erpnext/hr/doctype/expense_claim/expense_claim.py b/erpnext/hr/doctype/expense_claim/expense_claim.py index 8250e51ede..fda3cf6aed 100644 --- a/erpnext/hr/doctype/expense_claim/expense_claim.py +++ b/erpnext/hr/doctype/expense_claim/expense_claim.py @@ -5,11 +5,13 @@ from __future__ import unicode_literals import frappe from frappe import _ from frappe.model.document import Document +from erpnext.hr.utils import set_employee_name class ExpenseClaim(Document): def validate(self): self.validate_fiscal_year() self.validate_exp_details() + set_employee_name(self) def on_submit(self): if self.approval_status=="Draft": diff --git a/erpnext/hr/doctype/leave_allocation/leave_allocation.py b/erpnext/hr/doctype/leave_allocation/leave_allocation.py index 32cfd868e9..ef49eb9dd1 100755 --- a/erpnext/hr/doctype/leave_allocation/leave_allocation.py +++ b/erpnext/hr/doctype/leave_allocation/leave_allocation.py @@ -5,8 +5,8 @@ from __future__ import unicode_literals import frappe from frappe.utils import cint, flt from frappe import _ - from frappe.model.document import Document +from erpnext.hr.utils import set_employee_name class LeaveAllocation(Document): def validate(self): @@ -15,6 +15,8 @@ class LeaveAllocation(Document): if not self.total_leaves_allocated: self.total_leaves_allocated = self.new_leaves_allocated + set_employee_name(self) + def on_update_after_submit(self): self.validate_new_leaves_allocated_value() diff --git a/erpnext/hr/doctype/leave_application/leave_application.py b/erpnext/hr/doctype/leave_application/leave_application.py index 863b2c6b22..18c1e11aa7 100755 --- a/erpnext/hr/doctype/leave_application/leave_application.py +++ b/erpnext/hr/doctype/leave_application/leave_application.py @@ -8,6 +8,7 @@ from frappe import _ from frappe.utils import cint, cstr, date_diff, flt, formatdate, getdate, get_url_to_form, \ comma_or, get_fullname from frappe import msgprint +from erpnext.hr.utils import set_employee_name class LeaveDayBlockedError(frappe.ValidationError): pass class OverlapError(frappe.ValidationError): pass @@ -22,6 +23,8 @@ class LeaveApplication(Document): else: self.previous_doc = None + set_employee_name(self) + self.validate_to_date() self.validate_balance_leaves() self.validate_leave_overlap() diff --git a/erpnext/hr/doctype/salary_slip/salary_slip.py b/erpnext/hr/doctype/salary_slip/salary_slip.py index 232d6a9840..3f4b5e3080 100644 --- a/erpnext/hr/doctype/salary_slip/salary_slip.py +++ b/erpnext/hr/doctype/salary_slip/salary_slip.py @@ -9,7 +9,7 @@ from frappe.model.naming import make_autoname from frappe import msgprint, _ from erpnext.setup.utils import get_company_currency - +from erpnext.hr.utils import set_employee_name from erpnext.utilities.transaction_base import TransactionBase @@ -146,6 +146,8 @@ class SalarySlip(TransactionBase): company_currency = get_company_currency(self.company) self.total_in_words = money_in_words(self.rounded_total, company_currency) + set_employee_name(self) + def calculate_earning_total(self): self.gross_pay = flt(self.arrear_amount) + flt(self.leave_encashment_amount) for d in self.get("earning_details"): diff --git a/erpnext/hr/doctype/salary_structure/salary_structure.py b/erpnext/hr/doctype/salary_structure/salary_structure.py index d170d0564e..f3d2eb1184 100644 --- a/erpnext/hr/doctype/salary_structure/salary_structure.py +++ b/erpnext/hr/doctype/salary_structure/salary_structure.py @@ -9,6 +9,7 @@ from frappe.model.naming import make_autoname from frappe import _ from frappe.model.mapper import get_mapped_doc from frappe.model.document import Document +from erpnext.hr.utils import set_employee_name class SalaryStructure(Document): def autoname(self): @@ -63,6 +64,7 @@ class SalaryStructure(Document): def validate(self): self.check_existing() self.validate_amount() + set_employee_name(self) @frappe.whitelist() def make_salary_slip(source_name, target_doc=None): diff --git a/erpnext/hr/utils.py b/erpnext/hr/utils.py index 87a9e0b68a..857f936e9e 100644 --- a/erpnext/hr/utils.py +++ b/erpnext/hr/utils.py @@ -22,3 +22,7 @@ def get_expense_approver_list(): if not roles: frappe.msgprint(_("No Expense Approvers. Please assign 'Expense Approver' Role to atleast one user")) return roles + +def set_employee_name(doc): + if doc.employee and not doc.employee_name: + doc.employee_name = frappe.db.get_value("Employee", doc.employee, "employee_name") From 38dedf402b005f170946924bf2c14c560a166449 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Fri, 30 May 2014 20:37:46 +0530 Subject: [PATCH 074/630] Fixes in patches for migration --- erpnext/hr/doctype/employee/employee.py | 10 +++++----- erpnext/patches/v4_0/apply_user_permissions.py | 2 +- .../v4_0/remove_employee_role_if_no_employee.py | 11 +++++++---- 3 files changed, 13 insertions(+), 10 deletions(-) diff --git a/erpnext/hr/doctype/employee/employee.py b/erpnext/hr/doctype/employee/employee.py index 4e0c2685a7..01ab91db27 100644 --- a/erpnext/hr/doctype/employee/employee.py +++ b/erpnext/hr/doctype/employee/employee.py @@ -6,7 +6,7 @@ import frappe from frappe.utils import getdate, validate_email_add, cint from frappe.model.naming import make_autoname -from frappe import throw, _ +from frappe import throw, _, msgprint import frappe.permissions from frappe.model.document import Document from frappe.model.mapper import get_mapped_doc @@ -144,12 +144,12 @@ class Employee(Document): throw(_("User {0} is already assigned to Employee {1}").format(self.user_id, employee[0])) def validate_employee_leave_approver(self): - from frappe.utils.user import User from erpnext.hr.doctype.leave_application.leave_application import InvalidLeaveApproverError - for l in self.get("employee_leave_approvers"): - if "Leave Approver" not in User(l.leave_approver).get_roles(): - throw(_("{0} is not a valid Leave Approver").format(l.leave_approver), InvalidLeaveApproverError) + for l in self.get("employee_leave_approvers")[:]: + if "Leave Approver" not in frappe.get_roles(l.leave_approver): + self.get("employee_leave_approvers").remove(l) + msgprint(_("{0} is not a valid Leave Approver. Removing row #{1}.").format(l.leave_approver, l.idx)) def update_dob_event(self): if self.status == "Active" and self.date_of_birth \ diff --git a/erpnext/patches/v4_0/apply_user_permissions.py b/erpnext/patches/v4_0/apply_user_permissions.py index e32e3e1726..36c778195b 100644 --- a/erpnext/patches/v4_0/apply_user_permissions.py +++ b/erpnext/patches/v4_0/apply_user_permissions.py @@ -25,7 +25,7 @@ def update_hr_permissions(): frappe.clear_cache() # save employees to run on_update events - for employee in frappe.db.sql_list("""select name from `tabEmployee`"""): + for employee in frappe.db.sql_list("""select name from `tabEmployee` where docstatus < 2"""): try: frappe.get_doc("Employee", employee).save() except EmployeeUserDisabledError: diff --git a/erpnext/patches/v4_0/remove_employee_role_if_no_employee.py b/erpnext/patches/v4_0/remove_employee_role_if_no_employee.py index 76ec1a7c38..c1f368949f 100644 --- a/erpnext/patches/v4_0/remove_employee_role_if_no_employee.py +++ b/erpnext/patches/v4_0/remove_employee_role_if_no_employee.py @@ -9,7 +9,10 @@ def execute(): for user in frappe.db.sql_list("select distinct parent from `tabUserRole` where role='Employee'"): # if employee record does not exists, remove employee role! if not frappe.db.get_value("Employee", {"user_id": user}): - user = frappe.get_doc("User", user) - for role in user.get("user_roles", {"role": "Employee"}): - user.get("user_roles").remove(role) - user.save() + try: + user = frappe.get_doc("User", user) + for role in user.get("user_roles", {"role": "Employee"}): + user.get("user_roles").remove(role) + user.save() + except frappe.DoesNotExistError: + pass From 9a0f6f5bb41cd42e50f98d78335fa2fd830ecfea Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Mon, 2 Jun 2014 12:09:28 +0530 Subject: [PATCH 075/630] Enable Scheduler in System Settings when Setup Wizard is completed --- erpnext/setup/page/setup_wizard/setup_wizard.py | 1 + 1 file changed, 1 insertion(+) diff --git a/erpnext/setup/page/setup_wizard/setup_wizard.py b/erpnext/setup/page/setup_wizard/setup_wizard.py index 176470376e..a24f8ef7d7 100644 --- a/erpnext/setup/page/setup_wizard/setup_wizard.py +++ b/erpnext/setup/page/setup_wizard/setup_wizard.py @@ -176,6 +176,7 @@ def set_defaults(args): "float_precision": 3, 'date_format': frappe.db.get_value("Country", args.get("country"), "date_format"), 'number_format': get_country_info(args.get("country")).get("number_format", "#,###.##"), + 'enable_scheduler': 1 }) system_settings.save() From 221dec8cac99dfcc58c0346cee68eae282d980ef Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Tue, 3 Jun 2014 14:12:49 +0530 Subject: [PATCH 076/630] transaction.js: calculate only if one entry in table --- erpnext/public/js/transaction.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/public/js/transaction.js b/erpnext/public/js/transaction.js index c086aedcf5..a1d9f388ff 100644 --- a/erpnext/public/js/transaction.js +++ b/erpnext/public/js/transaction.js @@ -38,7 +38,7 @@ erpnext.TransactionController = erpnext.stock.StockController.extend({ onload_post_render: function() { var me = this; - if(this.frm.doc.__islocal && this.frm.doc.company && !this.frm.doc.is_pos) { + if(this.frm.doc.__islocal && this.frm.doc.company && this.frm.doc[this.fname] && !this.frm.doc.is_pos) { this.calculate_taxes_and_totals(); } if(frappe.meta.get_docfield(this.tname, "item_code")) { From ec8240e8903a716411f3742a345168949da3d0b0 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Tue, 3 Jun 2014 17:23:21 +0530 Subject: [PATCH 077/630] Apply User Permissions optional in Script and Query Reports --- .../accounts/report/accounts_payable/accounts_payable.json | 3 ++- .../report/accounts_receivable/accounts_receivable.json | 5 +++-- .../bank_clearance_summary/bank_clearance_summary.json | 5 +++-- .../bank_reconciliation_statement.json | 5 +++-- .../budget_variance_report/budget_variance_report.json | 5 +++-- .../report/customer_account_head/customer_account_head.json | 5 +++-- .../delivered_items_to_be_billed.json | 3 ++- erpnext/accounts/report/general_ledger/general_ledger.json | 5 +++-- erpnext/accounts/report/gross_profit/gross_profit.json | 5 +++-- .../item_wise_purchase_register.json | 5 +++-- .../item_wise_sales_register/item_wise_sales_register.json | 5 +++-- .../ordered_items_to_be_billed.json | 3 ++- .../payment_period_based_on_invoice_date.json | 5 +++-- .../purchase_invoice_trends/purchase_invoice_trends.json | 5 +++-- .../purchase_order_items_to_be_billed.json | 3 ++- .../accounts/report/purchase_register/purchase_register.json | 5 +++-- .../received_items_to_be_billed.json | 3 ++- .../report/sales_invoice_trends/sales_invoice_trends.json | 5 +++-- .../sales_partners_commission/sales_partners_commission.json | 3 ++- erpnext/accounts/report/sales_register/sales_register.json | 5 +++-- .../report/supplier_account_head/supplier_account_head.json | 5 +++-- .../item_wise_purchase_history.json | 3 ++- .../report/purchase_order_trends/purchase_order_trends.json | 5 +++-- .../requested_items_to_be_ordered.json | 3 ++- .../supplier_addresses_and_contacts.json | 3 ++- erpnext/home/doctype/feed/feed.py | 4 ++-- erpnext/hr/report/employee_birthday/employee_birthday.json | 5 +++-- .../hr/report/employee_information/employee_information.json | 3 ++- .../employee_leave_balance/employee_leave_balance.json | 5 +++-- .../monthly_attendance_sheet/monthly_attendance_sheet.json | 5 +++-- .../monthly_salary_register/monthly_salary_register.json | 5 +++-- .../completed_production_orders.json | 3 ++- .../issued_items_against_production_order.json | 3 ++- .../open_production_orders/open_production_orders.json | 3 ++- .../production_orders_in_progress.json | 3 ++- .../daily_time_log_summary/daily_time_log_summary.json | 5 +++-- .../project_wise_stock_tracking.json | 3 ++- .../available_stock_for_packing_items.json | 5 +++-- .../customer_acquisition_and_loyalty.json | 5 +++-- .../customer_addresses_and_contacts.json | 3 ++- .../customers_not_buying_since_long_time.json | 5 +++-- .../item_wise_sales_history/item_wise_sales_history.json | 3 ++- erpnext/selling/report/lead_details/lead_details.json | 3 ++- .../pending_so_items_for_purchase_request.json | 3 ++- .../selling/report/quotation_trends/quotation_trends.json | 5 +++-- .../report/sales_order_trends/sales_order_trends.json | 5 +++-- .../sales_person_target_variance_item_group_wise.json | 5 +++-- .../sales_person_wise_transaction_summary.json | 5 +++-- .../territory_target_variance_item_group_wise.json | 5 +++-- .../batch_wise_balance_history.json | 5 +++-- .../report/delivery_note_trends/delivery_note_trends.json | 5 +++-- erpnext/stock/report/item_prices/item_prices.json | 5 +++-- .../report/item_shortage_report/item_shortage_report.json | 3 ++- .../item_wise_price_list_rate/item_wise_price_list_rate.json | 3 ++- .../report/items_to_be_requested/items_to_be_requested.json | 3 ++- .../itemwise_recommended_reorder_level.json | 5 +++-- ...quests_for_which_supplier_quotations_are_not_created.json | 3 ++- .../ordered_items_to_be_delivered.json | 3 ++- .../report/purchase_in_transit/purchase_in_transit.json | 3 ++- .../purchase_order_items_to_be_received.json | 3 ++- .../purchase_receipt_trends/purchase_receipt_trends.json | 5 +++-- .../requested_items_to_be_transferred.json | 3 ++- .../serial_no_service_contract_expiry.json | 3 ++- erpnext/stock/report/serial_no_status/serial_no_status.json | 3 ++- .../serial_no_warranty_expiry/serial_no_warranty_expiry.json | 3 ++- erpnext/stock/report/stock_ageing/stock_ageing.json | 5 +++-- erpnext/stock/report/stock_ledger/stock_ledger.json | 5 +++-- .../report/stock_projected_qty/stock_projected_qty.json | 5 +++-- .../supplier_wise_sales_analytics.json | 5 +++-- .../warehouse_wise_stock_balance.json | 5 +++-- .../report/maintenance_schedules/maintenance_schedules.json | 3 ++- 71 files changed, 181 insertions(+), 111 deletions(-) diff --git a/erpnext/accounts/report/accounts_payable/accounts_payable.json b/erpnext/accounts/report/accounts_payable/accounts_payable.json index 71412a2eb7..71537a837b 100644 --- a/erpnext/accounts/report/accounts_payable/accounts_payable.json +++ b/erpnext/accounts/report/accounts_payable/accounts_payable.json @@ -1,11 +1,12 @@ { "add_total_row": 1, + "apply_user_permissions": 1, "creation": "2013-04-22 16:16:03", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-05-13 16:08:55.961149", + "modified": "2014-06-03 07:18:10.985354", "modified_by": "Administrator", "module": "Accounts", "name": "Accounts Payable", diff --git a/erpnext/accounts/report/accounts_receivable/accounts_receivable.json b/erpnext/accounts/report/accounts_receivable/accounts_receivable.json index 558a9fae04..aaed6ed620 100644 --- a/erpnext/accounts/report/accounts_receivable/accounts_receivable.json +++ b/erpnext/accounts/report/accounts_receivable/accounts_receivable.json @@ -1,11 +1,12 @@ { "add_total_row": 1, - "creation": "2013-04-16 11:31:13.000000", + "apply_user_permissions": 1, + "creation": "2013-04-16 11:31:13", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-03-07 15:30:27.000000", + "modified": "2014-06-03 07:18:16.907658", "modified_by": "Administrator", "module": "Accounts", "name": "Accounts Receivable", diff --git a/erpnext/accounts/report/bank_clearance_summary/bank_clearance_summary.json b/erpnext/accounts/report/bank_clearance_summary/bank_clearance_summary.json index 5768fb25a0..5fd1609668 100644 --- a/erpnext/accounts/report/bank_clearance_summary/bank_clearance_summary.json +++ b/erpnext/accounts/report/bank_clearance_summary/bank_clearance_summary.json @@ -1,10 +1,11 @@ { - "creation": "2013-05-01 12:13:25.000000", + "apply_user_permissions": 1, + "creation": "2013-05-01 12:13:25", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-03-07 15:30:27.000000", + "modified": "2014-06-03 07:18:16.921522", "modified_by": "Administrator", "module": "Accounts", "name": "Bank Clearance Summary", diff --git a/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.json b/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.json index 3da22e6a13..fd0639b839 100644 --- a/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.json +++ b/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.json @@ -1,11 +1,12 @@ { "add_total_row": 0, - "creation": "2013-04-30 18:30:21.000000", + "apply_user_permissions": 1, + "creation": "2013-04-30 18:30:21", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-03-07 15:30:27.000000", + "modified": "2014-06-03 07:18:16.926502", "modified_by": "Administrator", "module": "Accounts", "name": "Bank Reconciliation Statement", diff --git a/erpnext/accounts/report/budget_variance_report/budget_variance_report.json b/erpnext/accounts/report/budget_variance_report/budget_variance_report.json index 592ee6957c..0c31f45af6 100644 --- a/erpnext/accounts/report/budget_variance_report/budget_variance_report.json +++ b/erpnext/accounts/report/budget_variance_report/budget_variance_report.json @@ -1,10 +1,11 @@ { - "creation": "2013-06-18 12:56:36.000000", + "apply_user_permissions": 1, + "creation": "2013-06-18 12:56:36", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-03-07 15:30:27.000000", + "modified": "2014-06-03 07:18:16.971175", "modified_by": "Administrator", "module": "Accounts", "name": "Budget Variance Report", diff --git a/erpnext/accounts/report/customer_account_head/customer_account_head.json b/erpnext/accounts/report/customer_account_head/customer_account_head.json index c60f5940b1..972c3aaec0 100644 --- a/erpnext/accounts/report/customer_account_head/customer_account_head.json +++ b/erpnext/accounts/report/customer_account_head/customer_account_head.json @@ -1,10 +1,11 @@ { - "creation": "2013-06-03 16:17:34.000000", + "apply_user_permissions": 1, + "creation": "2013-06-03 16:17:34", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-03-07 15:30:27.000000", + "modified": "2014-06-03 07:18:16.993419", "modified_by": "Administrator", "module": "Accounts", "name": "Customer Account Head", diff --git a/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.json b/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.json index bb3dc647c9..4b6a1f2b5b 100644 --- a/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.json +++ b/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.json @@ -1,10 +1,11 @@ { + "apply_user_permissions": 1, "creation": "2013-07-30 17:28:49", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-05-13 16:08:56.009640", + "modified": "2014-06-03 07:18:17.034953", "modified_by": "Administrator", "module": "Accounts", "name": "Delivered Items To Be Billed", diff --git a/erpnext/accounts/report/general_ledger/general_ledger.json b/erpnext/accounts/report/general_ledger/general_ledger.json index 59ac1a58d5..af2095d45d 100644 --- a/erpnext/accounts/report/general_ledger/general_ledger.json +++ b/erpnext/accounts/report/general_ledger/general_ledger.json @@ -1,10 +1,11 @@ { - "creation": "2013-12-06 13:22:23.000000", + "apply_user_permissions": 1, + "creation": "2013-12-06 13:22:23", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-03-07 15:30:27.000000", + "modified": "2014-06-03 07:18:17.072046", "modified_by": "Administrator", "module": "Accounts", "name": "General Ledger", diff --git a/erpnext/accounts/report/gross_profit/gross_profit.json b/erpnext/accounts/report/gross_profit/gross_profit.json index 12293bc86a..81e0aaf925 100644 --- a/erpnext/accounts/report/gross_profit/gross_profit.json +++ b/erpnext/accounts/report/gross_profit/gross_profit.json @@ -1,10 +1,11 @@ { - "creation": "2013-02-25 17:03:34.000000", + "apply_user_permissions": 1, + "creation": "2013-02-25 17:03:34", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-03-07 15:30:27.000000", + "modified": "2014-06-03 07:18:17.077022", "modified_by": "Administrator", "module": "Accounts", "name": "Gross Profit", diff --git a/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.json b/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.json index f37db79de8..4df24d8024 100644 --- a/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.json +++ b/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.json @@ -1,11 +1,12 @@ { "add_total_row": 1, - "creation": "2013-06-05 15:37:30.000000", + "apply_user_permissions": 1, + "creation": "2013-06-05 15:37:30", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-03-07 15:30:27.000000", + "modified": "2014-06-03 07:18:17.113416", "modified_by": "Administrator", "module": "Accounts", "name": "Item-wise Purchase Register", diff --git a/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.json b/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.json index 4dffc714c9..9b47d4fa5a 100644 --- a/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.json +++ b/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.json @@ -1,11 +1,12 @@ { "add_total_row": 1, - "creation": "2013-05-13 17:50:55.000000", + "apply_user_permissions": 1, + "creation": "2013-05-13 17:50:55", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-03-07 15:30:27.000000", + "modified": "2014-06-03 07:18:17.123848", "modified_by": "Administrator", "module": "Accounts", "name": "Item-wise Sales Register", diff --git a/erpnext/accounts/report/ordered_items_to_be_billed/ordered_items_to_be_billed.json b/erpnext/accounts/report/ordered_items_to_be_billed/ordered_items_to_be_billed.json index 5d75bdc3ff..93c1b9f2a7 100644 --- a/erpnext/accounts/report/ordered_items_to_be_billed/ordered_items_to_be_billed.json +++ b/erpnext/accounts/report/ordered_items_to_be_billed/ordered_items_to_be_billed.json @@ -1,10 +1,11 @@ { + "apply_user_permissions": 1, "creation": "2013-02-21 14:26:44", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-05-13 16:08:56.120371", + "modified": "2014-06-03 07:18:17.197631", "modified_by": "Administrator", "module": "Accounts", "name": "Ordered Items To Be Billed", diff --git a/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.json b/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.json index a717ff5372..c668d19955 100644 --- a/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.json +++ b/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.json @@ -1,11 +1,12 @@ { "add_total_row": 1, - "creation": "2013-12-02 17:06:37.000000", + "apply_user_permissions": 1, + "creation": "2013-12-02 17:06:37", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-03-07 15:30:27.000000", + "modified": "2014-06-03 07:18:17.207997", "modified_by": "Administrator", "module": "Accounts", "name": "Payment Period Based On Invoice Date", diff --git a/erpnext/accounts/report/purchase_invoice_trends/purchase_invoice_trends.json b/erpnext/accounts/report/purchase_invoice_trends/purchase_invoice_trends.json index 26d199b1e5..08231b4f44 100644 --- a/erpnext/accounts/report/purchase_invoice_trends/purchase_invoice_trends.json +++ b/erpnext/accounts/report/purchase_invoice_trends/purchase_invoice_trends.json @@ -1,10 +1,11 @@ { - "creation": "2013-06-13 18:46:55.000000", + "apply_user_permissions": 1, + "creation": "2013-06-13 18:46:55", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-03-07 15:30:27.000000", + "modified": "2014-06-03 07:18:17.239496", "modified_by": "Administrator", "module": "Accounts", "name": "Purchase Invoice Trends", diff --git a/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.json b/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.json index c343c754a6..e3a658e5c7 100644 --- a/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.json +++ b/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.json @@ -1,11 +1,12 @@ { "add_total_row": 1, + "apply_user_permissions": 1, "creation": "2013-05-28 15:54:16", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-05-13 16:08:56.166593", + "modified": "2014-06-03 07:18:17.244501", "modified_by": "Administrator", "module": "Accounts", "name": "Purchase Order Items To Be Billed", diff --git a/erpnext/accounts/report/purchase_register/purchase_register.json b/erpnext/accounts/report/purchase_register/purchase_register.json index 592f4101b5..6c5bc306fc 100644 --- a/erpnext/accounts/report/purchase_register/purchase_register.json +++ b/erpnext/accounts/report/purchase_register/purchase_register.json @@ -1,11 +1,12 @@ { "add_total_row": 1, - "creation": "2013-04-29 16:13:11.000000", + "apply_user_permissions": 1, + "creation": "2013-04-29 16:13:11", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-03-07 15:30:27.000000", + "modified": "2014-06-03 07:18:17.265444", "modified_by": "Administrator", "module": "Accounts", "name": "Purchase Register", diff --git a/erpnext/accounts/report/received_items_to_be_billed/received_items_to_be_billed.json b/erpnext/accounts/report/received_items_to_be_billed/received_items_to_be_billed.json index 3756acd54f..50d16ed4d7 100644 --- a/erpnext/accounts/report/received_items_to_be_billed/received_items_to_be_billed.json +++ b/erpnext/accounts/report/received_items_to_be_billed/received_items_to_be_billed.json @@ -1,10 +1,11 @@ { + "apply_user_permissions": 1, "creation": "2013-07-30 18:35:10", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-05-13 16:08:56.176404", + "modified": "2014-06-03 07:18:17.275594", "modified_by": "Administrator", "module": "Accounts", "name": "Received Items To Be Billed", diff --git a/erpnext/accounts/report/sales_invoice_trends/sales_invoice_trends.json b/erpnext/accounts/report/sales_invoice_trends/sales_invoice_trends.json index 768c0876ea..13b9a20b13 100644 --- a/erpnext/accounts/report/sales_invoice_trends/sales_invoice_trends.json +++ b/erpnext/accounts/report/sales_invoice_trends/sales_invoice_trends.json @@ -1,10 +1,11 @@ { - "creation": "2013-06-13 18:44:21.000000", + "apply_user_permissions": 1, + "creation": "2013-06-13 18:44:21", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-03-07 15:30:27.000000", + "modified": "2014-06-03 07:18:17.291463", "modified_by": "Administrator", "module": "Accounts", "name": "Sales Invoice Trends", diff --git a/erpnext/accounts/report/sales_partners_commission/sales_partners_commission.json b/erpnext/accounts/report/sales_partners_commission/sales_partners_commission.json index 430e50d2e3..4ac7dbcf03 100644 --- a/erpnext/accounts/report/sales_partners_commission/sales_partners_commission.json +++ b/erpnext/accounts/report/sales_partners_commission/sales_partners_commission.json @@ -1,10 +1,11 @@ { + "apply_user_permissions": 1, "creation": "2013-05-06 12:28:23", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-05-13 16:08:56.188121", + "modified": "2014-06-03 07:18:17.302063", "modified_by": "Administrator", "module": "Accounts", "name": "Sales Partners Commission", diff --git a/erpnext/accounts/report/sales_register/sales_register.json b/erpnext/accounts/report/sales_register/sales_register.json index 703d903f50..3781f44cbb 100644 --- a/erpnext/accounts/report/sales_register/sales_register.json +++ b/erpnext/accounts/report/sales_register/sales_register.json @@ -1,11 +1,12 @@ { "add_total_row": 1, - "creation": "2013-04-23 18:15:29.000000", + "apply_user_permissions": 1, + "creation": "2013-04-23 18:15:29", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-03-07 15:30:27.000000", + "modified": "2014-06-03 07:18:17.317451", "modified_by": "Administrator", "module": "Accounts", "name": "Sales Register", diff --git a/erpnext/accounts/report/supplier_account_head/supplier_account_head.json b/erpnext/accounts/report/supplier_account_head/supplier_account_head.json index d973c8a174..72730f0e1a 100644 --- a/erpnext/accounts/report/supplier_account_head/supplier_account_head.json +++ b/erpnext/accounts/report/supplier_account_head/supplier_account_head.json @@ -1,10 +1,11 @@ { - "creation": "2013-06-04 12:56:17.000000", + "apply_user_permissions": 1, + "creation": "2013-06-04 12:56:17", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-03-07 15:30:27.000000", + "modified": "2014-06-03 07:18:17.353489", "modified_by": "Administrator", "module": "Accounts", "name": "Supplier Account Head", diff --git a/erpnext/buying/report/item_wise_purchase_history/item_wise_purchase_history.json b/erpnext/buying/report/item_wise_purchase_history/item_wise_purchase_history.json index 33099f3b10..950ecbab01 100644 --- a/erpnext/buying/report/item_wise_purchase_history/item_wise_purchase_history.json +++ b/erpnext/buying/report/item_wise_purchase_history/item_wise_purchase_history.json @@ -1,11 +1,12 @@ { "add_total_row": 1, + "apply_user_permissions": 1, "creation": "2013-05-03 14:55:53", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-05-13 16:08:56.060149", + "modified": "2014-06-03 07:18:17.103261", "modified_by": "Administrator", "module": "Buying", "name": "Item-wise Purchase History", diff --git a/erpnext/buying/report/purchase_order_trends/purchase_order_trends.json b/erpnext/buying/report/purchase_order_trends/purchase_order_trends.json index e33c657e33..c91bae31f9 100644 --- a/erpnext/buying/report/purchase_order_trends/purchase_order_trends.json +++ b/erpnext/buying/report/purchase_order_trends/purchase_order_trends.json @@ -1,10 +1,11 @@ { - "creation": "2013-06-13 18:45:01.000000", + "apply_user_permissions": 1, + "creation": "2013-06-13 18:45:01", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-03-07 15:30:27.000000", + "modified": "2014-06-03 07:18:17.255067", "modified_by": "Administrator", "module": "Buying", "name": "Purchase Order Trends", diff --git a/erpnext/buying/report/requested_items_to_be_ordered/requested_items_to_be_ordered.json b/erpnext/buying/report/requested_items_to_be_ordered/requested_items_to_be_ordered.json index c3e8f17461..4d22b2d8b2 100644 --- a/erpnext/buying/report/requested_items_to_be_ordered/requested_items_to_be_ordered.json +++ b/erpnext/buying/report/requested_items_to_be_ordered/requested_items_to_be_ordered.json @@ -1,11 +1,12 @@ { "add_total_row": 1, + "apply_user_permissions": 1, "creation": "2013-05-13 16:10:02", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-05-13 16:08:56.180305", + "modified": "2014-06-03 07:18:17.280960", "modified_by": "Administrator", "module": "Buying", "name": "Requested Items To Be Ordered", diff --git a/erpnext/buying/report/supplier_addresses_and_contacts/supplier_addresses_and_contacts.json b/erpnext/buying/report/supplier_addresses_and_contacts/supplier_addresses_and_contacts.json index a929a30052..c9fd7256cb 100644 --- a/erpnext/buying/report/supplier_addresses_and_contacts/supplier_addresses_and_contacts.json +++ b/erpnext/buying/report/supplier_addresses_and_contacts/supplier_addresses_and_contacts.json @@ -1,10 +1,11 @@ { + "apply_user_permissions": 1, "creation": "2013-10-09 10:38:40", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-05-13 16:08:56.218629", + "modified": "2014-06-03 07:18:17.358554", "modified_by": "Administrator", "module": "Buying", "name": "Supplier Addresses and Contacts", diff --git a/erpnext/home/doctype/feed/feed.py b/erpnext/home/doctype/feed/feed.py index 91b1590d33..789ae1515b 100644 --- a/erpnext/home/doctype/feed/feed.py +++ b/erpnext/home/doctype/feed/feed.py @@ -40,5 +40,5 @@ def get_permission_query_conditions(): return "(" + " or ".join(conditions) + ")" -def has_permission(doc): - return frappe.has_permission(doc.doc_type, "read", doc.doc_name) +def has_permission(doc, user): + return frappe.has_permission(doc.doc_type, "read", doc.doc_name, user=user) diff --git a/erpnext/hr/report/employee_birthday/employee_birthday.json b/erpnext/hr/report/employee_birthday/employee_birthday.json index 5839d01c61..703388fc17 100644 --- a/erpnext/hr/report/employee_birthday/employee_birthday.json +++ b/erpnext/hr/report/employee_birthday/employee_birthday.json @@ -1,10 +1,11 @@ { - "creation": "2013-05-06 17:56:03.000000", + "apply_user_permissions": 1, + "creation": "2013-05-06 17:56:03", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-03-07 15:30:27.000000", + "modified": "2014-06-03 07:18:17.045541", "modified_by": "Administrator", "module": "HR", "name": "Employee Birthday", diff --git a/erpnext/hr/report/employee_information/employee_information.json b/erpnext/hr/report/employee_information/employee_information.json index 113b849f87..1620cab94d 100644 --- a/erpnext/hr/report/employee_information/employee_information.json +++ b/erpnext/hr/report/employee_information/employee_information.json @@ -1,11 +1,12 @@ { + "apply_user_permissions": 1, "creation": "2013-05-06 18:43:53", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", "json": "{\"filters\":[],\"columns\":[[\"name\",\"Employee\"],[\"employee_number\",\"Employee\"],[\"date_of_joining\",\"Employee\"],[\"branch\",\"Employee\"],[\"department\",\"Employee\"],[\"designation\",\"Employee\"],[\"gender\",\"Employee\"],[\"status\",\"Employee\"],[\"company\",\"Employee\"],[\"employment_type\",\"Employee\"],\"Employee\"],[\"reports_to\",\"Employee\"],[\"company_email\",\"Employee\"]],\"sort_by\":\"Employee.bank_ac_no\",\"sort_order\":\"desc\",\"sort_by_next\":\"\",\"sort_order_next\":\"desc\"}", - "modified": "2014-05-13 16:08:56.013856", + "modified": "2014-06-03 07:18:17.059554", "modified_by": "Administrator", "module": "HR", "name": "Employee Information", diff --git a/erpnext/hr/report/employee_leave_balance/employee_leave_balance.json b/erpnext/hr/report/employee_leave_balance/employee_leave_balance.json index 4ffd7c89d7..d83afc2c7e 100644 --- a/erpnext/hr/report/employee_leave_balance/employee_leave_balance.json +++ b/erpnext/hr/report/employee_leave_balance/employee_leave_balance.json @@ -1,10 +1,11 @@ { - "creation": "2013-02-22 15:29:34.000000", + "apply_user_permissions": 1, + "creation": "2013-02-22 15:29:34", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-03-07 15:30:27.000000", + "modified": "2014-06-03 07:18:17.066168", "modified_by": "Administrator", "module": "HR", "name": "Employee Leave Balance", diff --git a/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.json b/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.json index 5f55fee5b5..7d13381154 100644 --- a/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.json +++ b/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.json @@ -1,11 +1,12 @@ { "add_total_row": 0, - "creation": "2013-05-13 14:04:03.000000", + "apply_user_permissions": 1, + "creation": "2013-05-13 14:04:03", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-03-07 15:30:27.000000", + "modified": "2014-06-03 07:18:17.181332", "modified_by": "Administrator", "module": "HR", "name": "Monthly Attendance Sheet", diff --git a/erpnext/hr/report/monthly_salary_register/monthly_salary_register.json b/erpnext/hr/report/monthly_salary_register/monthly_salary_register.json index 51b8e2c21c..d32e71e6ff 100644 --- a/erpnext/hr/report/monthly_salary_register/monthly_salary_register.json +++ b/erpnext/hr/report/monthly_salary_register/monthly_salary_register.json @@ -1,11 +1,12 @@ { "add_total_row": 1, - "creation": "2013-05-07 18:09:42.000000", + "apply_user_permissions": 1, + "creation": "2013-05-07 18:09:42", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-03-07 15:30:27.000000", + "modified": "2014-06-03 07:18:17.187018", "modified_by": "Administrator", "module": "HR", "name": "Monthly Salary Register", diff --git a/erpnext/manufacturing/report/completed_production_orders/completed_production_orders.json b/erpnext/manufacturing/report/completed_production_orders/completed_production_orders.json index 6189c77332..b4a7e35724 100644 --- a/erpnext/manufacturing/report/completed_production_orders/completed_production_orders.json +++ b/erpnext/manufacturing/report/completed_production_orders/completed_production_orders.json @@ -1,10 +1,11 @@ { + "apply_user_permissions": 1, "creation": "2013-08-12 12:44:27", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-05-13 16:08:55.966140", + "modified": "2014-06-03 07:18:16.977800", "modified_by": "Administrator", "module": "Manufacturing", "name": "Completed Production Orders", diff --git a/erpnext/manufacturing/report/issued_items_against_production_order/issued_items_against_production_order.json b/erpnext/manufacturing/report/issued_items_against_production_order/issued_items_against_production_order.json index 48a605d79c..cf539036b5 100644 --- a/erpnext/manufacturing/report/issued_items_against_production_order/issued_items_against_production_order.json +++ b/erpnext/manufacturing/report/issued_items_against_production_order/issued_items_against_production_order.json @@ -1,11 +1,12 @@ { "add_total_row": 0, + "apply_user_permissions": 1, "creation": "2013-05-03 17:48:46", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-05-13 16:08:56.043867", + "modified": "2014-06-03 07:18:17.082436", "modified_by": "Administrator", "module": "Manufacturing", "name": "Issued Items Against Production Order", diff --git a/erpnext/manufacturing/report/open_production_orders/open_production_orders.json b/erpnext/manufacturing/report/open_production_orders/open_production_orders.json index 6bfd57f18a..d780098474 100644 --- a/erpnext/manufacturing/report/open_production_orders/open_production_orders.json +++ b/erpnext/manufacturing/report/open_production_orders/open_production_orders.json @@ -1,10 +1,11 @@ { + "apply_user_permissions": 1, "creation": "2013-08-12 12:32:30", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-05-13 16:08:56.114923", + "modified": "2014-06-03 07:18:17.192207", "modified_by": "Administrator", "module": "Manufacturing", "name": "Open Production Orders", diff --git a/erpnext/manufacturing/report/production_orders_in_progress/production_orders_in_progress.json b/erpnext/manufacturing/report/production_orders_in_progress/production_orders_in_progress.json index 0457ed91c6..933f519891 100644 --- a/erpnext/manufacturing/report/production_orders_in_progress/production_orders_in_progress.json +++ b/erpnext/manufacturing/report/production_orders_in_progress/production_orders_in_progress.json @@ -1,10 +1,11 @@ { + "apply_user_permissions": 1, "creation": "2013-08-12 12:43:47", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-05-13 16:08:56.132651", + "modified": "2014-06-03 07:18:17.223807", "modified_by": "Administrator", "module": "Manufacturing", "name": "Production Orders in Progress", diff --git a/erpnext/projects/report/daily_time_log_summary/daily_time_log_summary.json b/erpnext/projects/report/daily_time_log_summary/daily_time_log_summary.json index 1be419a628..2cdaf6bf60 100644 --- a/erpnext/projects/report/daily_time_log_summary/daily_time_log_summary.json +++ b/erpnext/projects/report/daily_time_log_summary/daily_time_log_summary.json @@ -1,10 +1,11 @@ { - "creation": "2013-04-03 11:27:52.000000", + "apply_user_permissions": 1, + "creation": "2013-04-03 11:27:52", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-03-07 15:30:27.000000", + "modified": "2014-06-03 07:18:17.019543", "modified_by": "Administrator", "module": "Projects", "name": "Daily Time Log Summary", diff --git a/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.json b/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.json index b0553838b0..f88050832d 100644 --- a/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.json +++ b/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.json @@ -1,10 +1,11 @@ { + "apply_user_permissions": 1, "creation": "2013-06-03 17:37:41", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-05-13 16:08:56.136451", + "modified": "2014-06-03 07:18:17.229116", "modified_by": "Administrator", "module": "Projects", "name": "Project wise Stock Tracking", diff --git a/erpnext/selling/report/available_stock_for_packing_items/available_stock_for_packing_items.json b/erpnext/selling/report/available_stock_for_packing_items/available_stock_for_packing_items.json index 29b47c8fbb..30b5d8478c 100644 --- a/erpnext/selling/report/available_stock_for_packing_items/available_stock_for_packing_items.json +++ b/erpnext/selling/report/available_stock_for_packing_items/available_stock_for_packing_items.json @@ -1,10 +1,11 @@ { - "creation": "2013-06-21 13:40:05.000000", + "apply_user_permissions": 1, + "creation": "2013-06-21 13:40:05", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-03-07 15:30:27.000000", + "modified": "2014-06-03 07:18:16.914298", "modified_by": "Administrator", "module": "Selling", "name": "Available Stock for Packing Items", diff --git a/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.json b/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.json index b04e5dad25..599d0aa13d 100644 --- a/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.json +++ b/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.json @@ -1,11 +1,12 @@ { "add_total_row": 1, - "creation": "2013-11-28 14:58:06.000000", + "apply_user_permissions": 1, + "creation": "2013-11-28 14:58:06", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-03-07 15:30:27.000000", + "modified": "2014-06-03 07:18:17.000242", "modified_by": "Administrator", "module": "Selling", "name": "Customer Acquisition and Loyalty", diff --git a/erpnext/selling/report/customer_addresses_and_contacts/customer_addresses_and_contacts.json b/erpnext/selling/report/customer_addresses_and_contacts/customer_addresses_and_contacts.json index 0c61ca77f8..9bde272c61 100644 --- a/erpnext/selling/report/customer_addresses_and_contacts/customer_addresses_and_contacts.json +++ b/erpnext/selling/report/customer_addresses_and_contacts/customer_addresses_and_contacts.json @@ -1,10 +1,11 @@ { + "apply_user_permissions": 1, "creation": "2012-10-04 18:45:27", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-05-13 16:08:56.003913", + "modified": "2014-06-03 07:18:17.006732", "modified_by": "Administrator", "module": "Selling", "name": "Customer Addresses And Contacts", diff --git a/erpnext/selling/report/customers_not_buying_since_long_time/customers_not_buying_since_long_time.json b/erpnext/selling/report/customers_not_buying_since_long_time/customers_not_buying_since_long_time.json index 04b662e119..fe53574e23 100644 --- a/erpnext/selling/report/customers_not_buying_since_long_time/customers_not_buying_since_long_time.json +++ b/erpnext/selling/report/customers_not_buying_since_long_time/customers_not_buying_since_long_time.json @@ -1,10 +1,11 @@ { - "creation": "2013-06-07 12:27:07.000000", + "apply_user_permissions": 1, + "creation": "2013-06-07 12:27:07", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-03-07 15:30:27.000000", + "modified": "2014-06-03 07:18:17.013590", "modified_by": "Administrator", "module": "Selling", "name": "Customers Not Buying Since Long Time", diff --git a/erpnext/selling/report/item_wise_sales_history/item_wise_sales_history.json b/erpnext/selling/report/item_wise_sales_history/item_wise_sales_history.json index f6197923d6..2b6b53776a 100644 --- a/erpnext/selling/report/item_wise_sales_history/item_wise_sales_history.json +++ b/erpnext/selling/report/item_wise_sales_history/item_wise_sales_history.json @@ -1,12 +1,13 @@ { "add_total_row": 1, + "apply_user_permissions": 1, "creation": "2013-05-23 17:42:24", "disabled": 0, "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-05-13 16:08:56.064069", + "modified": "2014-06-03 07:18:17.118681", "modified_by": "Administrator", "module": "Selling", "name": "Item-wise Sales History", diff --git a/erpnext/selling/report/lead_details/lead_details.json b/erpnext/selling/report/lead_details/lead_details.json index 67ba1e8285..0edec21a07 100644 --- a/erpnext/selling/report/lead_details/lead_details.json +++ b/erpnext/selling/report/lead_details/lead_details.json @@ -1,10 +1,11 @@ { + "apply_user_permissions": 1, "creation": "2013-10-22 11:58:16", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-05-13 16:08:56.072166", + "modified": "2014-06-03 07:18:17.139224", "modified_by": "Administrator", "module": "Selling", "name": "Lead Details", diff --git a/erpnext/selling/report/pending_so_items_for_purchase_request/pending_so_items_for_purchase_request.json b/erpnext/selling/report/pending_so_items_for_purchase_request/pending_so_items_for_purchase_request.json index 821bee9007..de03542617 100644 --- a/erpnext/selling/report/pending_so_items_for_purchase_request/pending_so_items_for_purchase_request.json +++ b/erpnext/selling/report/pending_so_items_for_purchase_request/pending_so_items_for_purchase_request.json @@ -1,10 +1,11 @@ { + "apply_user_permissions": 1, "creation": "2013-06-21 16:46:45", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-05-13 16:08:56.128682", + "modified": "2014-06-03 07:18:17.213215", "modified_by": "Administrator", "module": "Selling", "name": "Pending SO Items For Purchase Request", diff --git a/erpnext/selling/report/quotation_trends/quotation_trends.json b/erpnext/selling/report/quotation_trends/quotation_trends.json index 6be53acf47..22fac11682 100644 --- a/erpnext/selling/report/quotation_trends/quotation_trends.json +++ b/erpnext/selling/report/quotation_trends/quotation_trends.json @@ -1,11 +1,12 @@ { "add_total_row": 0, - "creation": "2013-06-07 16:01:16.000000", + "apply_user_permissions": 1, + "creation": "2013-06-07 16:01:16", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-03-07 15:30:27.000000", + "modified": "2014-06-03 07:18:17.270656", "modified_by": "Administrator", "module": "Selling", "name": "Quotation Trends", diff --git a/erpnext/selling/report/sales_order_trends/sales_order_trends.json b/erpnext/selling/report/sales_order_trends/sales_order_trends.json index cb08af1c12..bea04a1165 100644 --- a/erpnext/selling/report/sales_order_trends/sales_order_trends.json +++ b/erpnext/selling/report/sales_order_trends/sales_order_trends.json @@ -1,10 +1,11 @@ { - "creation": "2013-06-13 18:43:30.000000", + "apply_user_permissions": 1, + "creation": "2013-06-13 18:43:30", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-03-07 15:30:27.000000", + "modified": "2014-06-03 07:18:17.296606", "modified_by": "Administrator", "module": "Selling", "name": "Sales Order Trends", diff --git a/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.json b/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.json index 6c45ba9f8d..f2127cbfc5 100644 --- a/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.json +++ b/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.json @@ -1,10 +1,11 @@ { - "creation": "2013-06-21 12:14:15.000000", + "apply_user_permissions": 1, + "creation": "2013-06-21 12:14:15", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-03-07 15:30:27.000000", + "modified": "2014-06-03 07:18:17.307079", "modified_by": "Administrator", "module": "Selling", "name": "Sales Person Target Variance Item Group-Wise", diff --git a/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.json b/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.json index 4ecba96f60..dabf604841 100644 --- a/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.json +++ b/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.json @@ -1,11 +1,12 @@ { "add_total_row": 1, - "creation": "2013-05-03 11:31:05.000000", + "apply_user_permissions": 1, + "creation": "2013-05-03 11:31:05", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-03-07 15:30:27.000000", + "modified": "2014-06-03 07:18:17.312328", "modified_by": "Administrator", "module": "Selling", "name": "Sales Person-wise Transaction Summary", diff --git a/erpnext/selling/report/territory_target_variance_item_group_wise/territory_target_variance_item_group_wise.json b/erpnext/selling/report/territory_target_variance_item_group_wise/territory_target_variance_item_group_wise.json index b03bb02399..c7b85a362f 100644 --- a/erpnext/selling/report/territory_target_variance_item_group_wise/territory_target_variance_item_group_wise.json +++ b/erpnext/selling/report/territory_target_variance_item_group_wise/territory_target_variance_item_group_wise.json @@ -1,10 +1,11 @@ { - "creation": "2013-06-21 12:15:00.000000", + "apply_user_permissions": 1, + "creation": "2013-06-21 12:15:00", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-03-07 15:30:27.000000", + "modified": "2014-06-03 07:18:17.369052", "modified_by": "Administrator", "module": "Selling", "name": "Territory Target Variance Item Group-Wise", diff --git a/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.json b/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.json index e79ca823e6..b70e6504b1 100644 --- a/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.json +++ b/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.json @@ -1,10 +1,11 @@ { - "creation": "2013-06-04 11:03:47.000000", + "apply_user_permissions": 1, + "creation": "2013-06-04 11:03:47", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-03-07 15:30:27.000000", + "modified": "2014-06-03 07:18:16.931839", "modified_by": "Administrator", "module": "Stock", "name": "Batch-Wise Balance History", diff --git a/erpnext/stock/report/delivery_note_trends/delivery_note_trends.json b/erpnext/stock/report/delivery_note_trends/delivery_note_trends.json index ccedc4b255..e8953d4898 100644 --- a/erpnext/stock/report/delivery_note_trends/delivery_note_trends.json +++ b/erpnext/stock/report/delivery_note_trends/delivery_note_trends.json @@ -1,10 +1,11 @@ { - "creation": "2013-06-13 18:42:11.000000", + "apply_user_permissions": 1, + "creation": "2013-06-13 18:42:11", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-03-07 15:30:27.000000", + "modified": "2014-06-03 07:18:17.040345", "modified_by": "Administrator", "module": "Stock", "name": "Delivery Note Trends", diff --git a/erpnext/stock/report/item_prices/item_prices.json b/erpnext/stock/report/item_prices/item_prices.json index cf0dde26a4..16b3a3ff26 100644 --- a/erpnext/stock/report/item_prices/item_prices.json +++ b/erpnext/stock/report/item_prices/item_prices.json @@ -1,10 +1,11 @@ { - "creation": "2013-06-05 11:43:30.000000", + "apply_user_permissions": 1, + "creation": "2013-06-05 11:43:30", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-03-07 15:30:27.000000", + "modified": "2014-06-03 07:18:17.087582", "modified_by": "Administrator", "module": "Stock", "name": "Item Prices", diff --git a/erpnext/stock/report/item_shortage_report/item_shortage_report.json b/erpnext/stock/report/item_shortage_report/item_shortage_report.json index 7bc4991ee8..b87a415962 100644 --- a/erpnext/stock/report/item_shortage_report/item_shortage_report.json +++ b/erpnext/stock/report/item_shortage_report/item_shortage_report.json @@ -1,11 +1,12 @@ { + "apply_user_permissions": 1, "creation": "2013-08-20 13:43:30", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", "json": "{\"filters\":[[\"Bin\",\"projected_qty\",\"<\",\"0\"]],\"columns\":[[\"warehouse\",\"Bin\"],[\"item_code\",\"Bin\"],[\"actual_qty\",\"Bin\"],[\"ordered_qty\",\"Bin\"],[\"planned_qty\",\"Bin\"],[\"reserved_qty\",\"Bin\"],[\"projected_qty\",\"Bin\"]],\"sort_by\":\"Bin.projected_qty\",\"sort_order\":\"asc\",\"sort_by_next\":\"\",\"sort_order_next\":\"desc\"}", - "modified": "2014-05-13 16:08:56.050421", + "modified": "2014-06-03 07:18:17.092713", "modified_by": "Administrator", "module": "Stock", "name": "Item Shortage Report", diff --git a/erpnext/stock/report/item_wise_price_list_rate/item_wise_price_list_rate.json b/erpnext/stock/report/item_wise_price_list_rate/item_wise_price_list_rate.json index 702a8d54e5..d05a6a6010 100644 --- a/erpnext/stock/report/item_wise_price_list_rate/item_wise_price_list_rate.json +++ b/erpnext/stock/report/item_wise_price_list_rate/item_wise_price_list_rate.json @@ -1,11 +1,12 @@ { + "apply_user_permissions": 1, "creation": "2013-09-25 10:21:15", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", "json": "{\"filters\":[[\"Item Price\",\"price_list\",\"like\",\"%\"],[\"Item Price\",\"item_code\",\"like\",\"%\"]],\"columns\":[[\"name\",\"Item Price\"],[\"price_list\",\"Item Price\"],[\"item_code\",\"Item Price\"],[\"item_name\",\"Item Price\"],[\"item_description\",\"Item Price\"],[\"ref_rate\",\"Item Price\"],[\"buying\",\"Item Price\"],[\"selling\",\"Item Price\"],[\"currency\",\"Item Price\"]],\"sort_by\":\"Item Price.modified\",\"sort_order\":\"desc\",\"sort_by_next\":\"\",\"sort_order_next\":\"desc\"}", - "modified": "2014-05-13 16:08:56.055750", + "modified": "2014-06-03 07:18:17.097955", "modified_by": "Administrator", "module": "Stock", "name": "Item-wise Price List Rate", diff --git a/erpnext/stock/report/items_to_be_requested/items_to_be_requested.json b/erpnext/stock/report/items_to_be_requested/items_to_be_requested.json index 7f3f18fe21..463d2e2fb8 100644 --- a/erpnext/stock/report/items_to_be_requested/items_to_be_requested.json +++ b/erpnext/stock/report/items_to_be_requested/items_to_be_requested.json @@ -1,10 +1,11 @@ { + "apply_user_permissions": 1, "creation": "2013-08-20 15:08:10", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-05-13 16:08:56.068356", + "modified": "2014-06-03 07:18:17.128918", "modified_by": "Administrator", "module": "Stock", "name": "Items To Be Requested", diff --git a/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.json b/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.json index 36cbcaa087..c13f65a033 100644 --- a/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.json +++ b/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.json @@ -1,10 +1,11 @@ { - "creation": "2013-06-07 12:47:22.000000", + "apply_user_permissions": 1, + "creation": "2013-06-07 12:47:22", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-03-07 15:30:27.000000", + "modified": "2014-06-03 07:18:17.134165", "modified_by": "Administrator", "module": "Stock", "name": "Itemwise Recommended Reorder Level", diff --git a/erpnext/stock/report/material_requests_for_which_supplier_quotations_are_not_created/material_requests_for_which_supplier_quotations_are_not_created.json b/erpnext/stock/report/material_requests_for_which_supplier_quotations_are_not_created/material_requests_for_which_supplier_quotations_are_not_created.json index 575643193d..45acab5e72 100644 --- a/erpnext/stock/report/material_requests_for_which_supplier_quotations_are_not_created/material_requests_for_which_supplier_quotations_are_not_created.json +++ b/erpnext/stock/report/material_requests_for_which_supplier_quotations_are_not_created/material_requests_for_which_supplier_quotations_are_not_created.json @@ -1,10 +1,11 @@ { + "apply_user_permissions": 1, "creation": "2013-08-09 12:20:58", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-05-13 16:08:56.108408", + "modified": "2014-06-03 07:18:17.174642", "modified_by": "Administrator", "module": "Stock", "name": "Material Requests for which Supplier Quotations are not created", diff --git a/erpnext/stock/report/ordered_items_to_be_delivered/ordered_items_to_be_delivered.json b/erpnext/stock/report/ordered_items_to_be_delivered/ordered_items_to_be_delivered.json index df7e7dac65..9774649874 100644 --- a/erpnext/stock/report/ordered_items_to_be_delivered/ordered_items_to_be_delivered.json +++ b/erpnext/stock/report/ordered_items_to_be_delivered/ordered_items_to_be_delivered.json @@ -1,10 +1,11 @@ { + "apply_user_permissions": 1, "creation": "2013-02-22 18:01:55", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-05-13 16:08:56.124684", + "modified": "2014-06-03 07:18:17.202885", "modified_by": "Administrator", "module": "Stock", "name": "Ordered Items To Be Delivered", diff --git a/erpnext/stock/report/purchase_in_transit/purchase_in_transit.json b/erpnext/stock/report/purchase_in_transit/purchase_in_transit.json index 9d972baefc..7ef63d4a9d 100644 --- a/erpnext/stock/report/purchase_in_transit/purchase_in_transit.json +++ b/erpnext/stock/report/purchase_in_transit/purchase_in_transit.json @@ -1,10 +1,11 @@ { + "apply_user_permissions": 1, "creation": "2013-05-06 12:09:05", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-05-13 16:08:56.160127", + "modified": "2014-06-03 07:18:17.234173", "modified_by": "Administrator", "module": "Stock", "name": "Purchase In Transit", diff --git a/erpnext/stock/report/purchase_order_items_to_be_received/purchase_order_items_to_be_received.json b/erpnext/stock/report/purchase_order_items_to_be_received/purchase_order_items_to_be_received.json index def0e7f4bf..b83734ca1c 100644 --- a/erpnext/stock/report/purchase_order_items_to_be_received/purchase_order_items_to_be_received.json +++ b/erpnext/stock/report/purchase_order_items_to_be_received/purchase_order_items_to_be_received.json @@ -1,11 +1,12 @@ { "add_total_row": 1, + "apply_user_permissions": 1, "creation": "2013-02-22 18:01:55", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-05-13 16:08:56.171953", + "modified": "2014-06-03 07:18:17.249961", "modified_by": "Administrator", "module": "Stock", "name": "Purchase Order Items To Be Received", diff --git a/erpnext/stock/report/purchase_receipt_trends/purchase_receipt_trends.json b/erpnext/stock/report/purchase_receipt_trends/purchase_receipt_trends.json index cd564ef72a..be1835f038 100644 --- a/erpnext/stock/report/purchase_receipt_trends/purchase_receipt_trends.json +++ b/erpnext/stock/report/purchase_receipt_trends/purchase_receipt_trends.json @@ -1,10 +1,11 @@ { - "creation": "2013-06-13 18:45:44.000000", + "apply_user_permissions": 1, + "creation": "2013-06-13 18:45:44", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-03-07 15:30:27.000000", + "modified": "2014-06-03 07:18:17.260182", "modified_by": "Administrator", "module": "Stock", "name": "Purchase Receipt Trends", diff --git a/erpnext/stock/report/requested_items_to_be_transferred/requested_items_to_be_transferred.json b/erpnext/stock/report/requested_items_to_be_transferred/requested_items_to_be_transferred.json index 6cf2dbfff0..865a2a640e 100644 --- a/erpnext/stock/report/requested_items_to_be_transferred/requested_items_to_be_transferred.json +++ b/erpnext/stock/report/requested_items_to_be_transferred/requested_items_to_be_transferred.json @@ -1,11 +1,12 @@ { "add_total_row": 1, + "apply_user_permissions": 1, "creation": "2013-05-13 16:23:05", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-05-13 16:08:56.184249", + "modified": "2014-06-03 07:18:17.286074", "modified_by": "Administrator", "module": "Stock", "name": "Requested Items To Be Transferred", diff --git a/erpnext/stock/report/serial_no_service_contract_expiry/serial_no_service_contract_expiry.json b/erpnext/stock/report/serial_no_service_contract_expiry/serial_no_service_contract_expiry.json index 0fe951248a..1c4547adaf 100644 --- a/erpnext/stock/report/serial_no_service_contract_expiry/serial_no_service_contract_expiry.json +++ b/erpnext/stock/report/serial_no_service_contract_expiry/serial_no_service_contract_expiry.json @@ -1,11 +1,12 @@ { + "apply_user_permissions": 1, "creation": "2013-01-14 10:52:58", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", "json": "{\"filters\":[[\"Serial No\",\"status\",\"=\",\"Delivered\"]],\"columns\":[[\"name\",\"Serial No\"],[\"item_code\",\"Serial No\"],[\"amc_expiry_date\",\"Serial No\"],[\"maintenance_status\",\"Serial No\"],[\"delivery_document_no\",\"Serial No\"],[\"customer\",\"Serial No\"],[\"customer_name\",\"Serial No\"],[\"item_name\",\"Serial No\"],[\"description\",\"Serial No\"],[\"item_group\",\"Serial No\"],[\"brand\",\"Serial No\"]],\"sort_by\":\"Serial No.amc_expiry_date\",\"sort_order\":\"asc\",\"sort_by_next\":\"\",\"sort_order_next\":\"desc\"}", - "modified": "2014-05-13 16:08:56.191909", + "modified": "2014-06-03 07:18:17.322563", "modified_by": "Administrator", "module": "Stock", "name": "Serial No Service Contract Expiry", diff --git a/erpnext/stock/report/serial_no_status/serial_no_status.json b/erpnext/stock/report/serial_no_status/serial_no_status.json index 6a816a9d04..ecfa3a0669 100644 --- a/erpnext/stock/report/serial_no_status/serial_no_status.json +++ b/erpnext/stock/report/serial_no_status/serial_no_status.json @@ -1,11 +1,12 @@ { + "apply_user_permissions": 1, "creation": "2013-01-14 10:52:58", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", "json": "{\"sort_by\": \"Serial No.name\", \"sort_order\": \"desc\", \"sort_by_next\": \"\", \"filters\": [], \"sort_order_next\": \"desc\", \"columns\": [[\"name\", \"Serial No\"], [\"item_code\", \"Serial No\"], [\"warehouse\", \"Serial No\"], [\"status\", \"Serial No\"], [\"item_name\", \"Serial No\"], [\"description\", \"Serial No\"], [\"item_group\", \"Serial No\"], [\"brand\", \"Serial No\"], [\"purchase_document_no\", \"Serial No\"], [\"purchase_date\", \"Serial No\"], [\"customer\", \"Serial No\"], [\"customer_name\", \"Serial No\"], [\"purchase_rate\", \"Serial No\"], [\"delivery_document_no\", \"Serial No\"], [\"delivery_date\", \"Serial No\"], [\"supplier\", \"Serial No\"], [\"supplier_name\", \"Serial No\"]]}", - "modified": "2014-05-13 16:08:56.195987", + "modified": "2014-06-03 07:18:17.327622", "modified_by": "Administrator", "module": "Stock", "name": "Serial No Status", diff --git a/erpnext/stock/report/serial_no_warranty_expiry/serial_no_warranty_expiry.json b/erpnext/stock/report/serial_no_warranty_expiry/serial_no_warranty_expiry.json index a4fb63c057..a3aa56769f 100644 --- a/erpnext/stock/report/serial_no_warranty_expiry/serial_no_warranty_expiry.json +++ b/erpnext/stock/report/serial_no_warranty_expiry/serial_no_warranty_expiry.json @@ -1,11 +1,12 @@ { + "apply_user_permissions": 1, "creation": "2013-01-14 10:52:58", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", "json": "{\"filters\":[[\"Serial No\",\"status\",\"=\",\"Delivered\"]],\"columns\":[[\"name\",\"Serial No\"],[\"item_code\",\"Serial No\"],[\"warranty_expiry_date\",\"Serial No\"],[\"warranty_period\",\"Serial No\"],[\"maintenance_status\",\"Serial No\"],[\"purchase_document_no\",\"Serial No\"],[\"purchase_date\",\"Serial No\"],[\"supplier\",\"Serial No\"],[\"supplier_name\",\"Serial No\"],[\"delivery_document_no\",\"Serial No\"],[\"delivery_date\",\"Serial No\"],[\"customer\",\"Serial No\"],[\"customer_name\",\"Serial No\"],[\"item_name\",\"Serial No\"],[\"description\",\"Serial No\"],[\"item_group\",\"Serial No\"],[\"brand\",\"Serial No\"]],\"sort_by\":\"Serial No.warranty_expiry_date\",\"sort_order\":\"asc\",\"sort_by_next\":\"\",\"sort_order_next\":\"asc\"}", - "modified": "2014-05-13 16:08:56.212125", + "modified": "2014-06-03 07:18:17.332902", "modified_by": "Administrator", "module": "Stock", "name": "Serial No Warranty Expiry", diff --git a/erpnext/stock/report/stock_ageing/stock_ageing.json b/erpnext/stock/report/stock_ageing/stock_ageing.json index af8b9c37e4..44fec7294f 100644 --- a/erpnext/stock/report/stock_ageing/stock_ageing.json +++ b/erpnext/stock/report/stock_ageing/stock_ageing.json @@ -1,10 +1,11 @@ { - "creation": "2013-12-02 17:09:31.000000", + "apply_user_permissions": 1, + "creation": "2013-12-02 17:09:31", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-03-07 15:30:27.000000", + "modified": "2014-06-03 07:18:17.338033", "modified_by": "Administrator", "module": "Stock", "name": "Stock Ageing", diff --git a/erpnext/stock/report/stock_ledger/stock_ledger.json b/erpnext/stock/report/stock_ledger/stock_ledger.json index da2056ef60..da49acb2fb 100644 --- a/erpnext/stock/report/stock_ledger/stock_ledger.json +++ b/erpnext/stock/report/stock_ledger/stock_ledger.json @@ -1,10 +1,11 @@ { - "creation": "2013-11-29 17:08:23.000000", + "apply_user_permissions": 1, + "creation": "2013-11-29 17:08:23", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-03-07 15:30:27.000000", + "modified": "2014-06-03 07:18:17.343291", "modified_by": "Administrator", "module": "Stock", "name": "Stock Ledger", diff --git a/erpnext/stock/report/stock_projected_qty/stock_projected_qty.json b/erpnext/stock/report/stock_projected_qty/stock_projected_qty.json index 2b6be03329..27b85f64f9 100644 --- a/erpnext/stock/report/stock_projected_qty/stock_projected_qty.json +++ b/erpnext/stock/report/stock_projected_qty/stock_projected_qty.json @@ -1,11 +1,12 @@ { "add_total_row": 1, - "creation": "2013-12-04 18:21:56.000000", + "apply_user_permissions": 1, + "creation": "2013-12-04 18:21:56", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-03-07 15:30:27.000000", + "modified": "2014-06-03 07:18:17.348468", "modified_by": "Administrator", "module": "Stock", "name": "Stock Projected Qty", diff --git a/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.json b/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.json index ff495d94bf..f529942c98 100644 --- a/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.json +++ b/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.json @@ -1,11 +1,12 @@ { "add_total_row": 1, - "creation": "2013-11-29 15:45:39.000000", + "apply_user_permissions": 1, + "creation": "2013-11-29 15:45:39", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-03-07 15:30:27.000000", + "modified": "2014-06-03 07:18:17.363951", "modified_by": "Administrator", "module": "Stock", "name": "Supplier-Wise Sales Analytics", diff --git a/erpnext/stock/report/warehouse_wise_stock_balance/warehouse_wise_stock_balance.json b/erpnext/stock/report/warehouse_wise_stock_balance/warehouse_wise_stock_balance.json index c91906f54e..f911956111 100644 --- a/erpnext/stock/report/warehouse_wise_stock_balance/warehouse_wise_stock_balance.json +++ b/erpnext/stock/report/warehouse_wise_stock_balance/warehouse_wise_stock_balance.json @@ -1,10 +1,11 @@ { - "creation": "2013-06-05 11:00:31.000000", + "apply_user_permissions": 1, + "creation": "2013-06-05 11:00:31", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-03-07 15:30:28.000000", + "modified": "2014-06-03 07:18:17.384923", "modified_by": "Administrator", "module": "Stock", "name": "Warehouse-Wise Stock Balance", diff --git a/erpnext/support/report/maintenance_schedules/maintenance_schedules.json b/erpnext/support/report/maintenance_schedules/maintenance_schedules.json index c40f0eb373..2be7446126 100644 --- a/erpnext/support/report/maintenance_schedules/maintenance_schedules.json +++ b/erpnext/support/report/maintenance_schedules/maintenance_schedules.json @@ -1,10 +1,11 @@ { + "apply_user_permissions": 1, "creation": "2013-05-06 14:25:21", "docstatus": 0, "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-05-13 16:08:56.075964", + "modified": "2014-06-03 07:18:17.144598", "modified_by": "Administrator", "module": "Support", "name": "Maintenance Schedules", From 85479bcbc02f00ccb99d4425a8e333412b9d54c3 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Wed, 4 Jun 2014 18:15:43 +0530 Subject: [PATCH 078/630] Fixes for apply user permissions and momentjs --- .../purchase_invoice/purchase_invoice.json | 12 +++---- erpnext/home/doctype/feed/feed.py | 8 +++-- erpnext/hooks.py | 2 ++ .../leave_application/leave_application.py | 2 +- .../selling/doctype/quotation/quotation.js | 4 --- erpnext/utilities/doctype/note/note.py | 36 +++++++++++++------ .../doctype/note_user/note_user.json | 8 +++-- 7 files changed, 44 insertions(+), 28 deletions(-) diff --git a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.json b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.json index dfe57048ee..505a3ba79a 100755 --- a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.json +++ b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.json @@ -744,17 +744,17 @@ "icon": "icon-file-text", "idx": 1, "is_submittable": 1, - "modified": "2014-05-27 03:49:15.589404", + "modified": "2014-06-04 08:45:25.582170", "modified_by": "Administrator", "module": "Accounts", "name": "Purchase Invoice", "owner": "Administrator", "permissions": [ { - "amend": 0, + "amend": 1, "apply_user_permissions": 1, - "cancel": 0, - "create": 0, + "cancel": 1, + "create": 1, "delete": 0, "email": 1, "permlevel": 0, @@ -762,8 +762,8 @@ "read": 1, "report": 1, "role": "Accounts User", - "submit": 0, - "write": 0 + "submit": 1, + "write": 1 }, { "amend": 0, diff --git a/erpnext/home/doctype/feed/feed.py b/erpnext/home/doctype/feed/feed.py index 789ae1515b..80ef6df6cd 100644 --- a/erpnext/home/doctype/feed/feed.py +++ b/erpnext/home/doctype/feed/feed.py @@ -16,9 +16,11 @@ def on_doctype_update(): frappe.db.sql("""alter table `tabFeed` add index feed_doctype_docname_index(doc_type, doc_name)""") -def get_permission_query_conditions(): - user_permissions = frappe.defaults.get_user_permissions() - can_read = frappe.user.get_can_read() +def get_permission_query_conditions(user): + if not user: user = frappe.session.user + + user_permissions = frappe.defaults.get_user_permissions(user) + can_read = frappe.get_user(user).get_can_read() can_read_doctypes = ['"{}"'.format(doctype) for doctype in list(set(can_read) - set(user_permissions.keys()))] diff --git a/erpnext/hooks.py b/erpnext/hooks.py index 1a5b81d847..8b147b0749 100644 --- a/erpnext/hooks.py +++ b/erpnext/hooks.py @@ -28,10 +28,12 @@ standard_queries = "Customer:erpnext.selling.doctype.customer.customer.get_custo permission_query_conditions = { "Feed": "erpnext.home.doctype.feed.feed.get_permission_query_conditions", + "Note": "erpnext.utilities.doctype.note.note.get_permission_query_conditions" } has_permission = { "Feed": "erpnext.home.doctype.feed.feed.has_permission", + "Note": "erpnext.utilities.doctype.note.note.has_permission" } diff --git a/erpnext/hr/doctype/leave_application/leave_application.py b/erpnext/hr/doctype/leave_application/leave_application.py index 18c1e11aa7..9ff02b2603 100755 --- a/erpnext/hr/doctype/leave_application/leave_application.py +++ b/erpnext/hr/doctype/leave_application/leave_application.py @@ -209,7 +209,7 @@ class LeaveApplication(Document): def notify(self, args): args = frappe._dict(args) from frappe.core.page.messages.messages import post - post({"txt": args.message, "contact": args.message_to, "subject": args.subject, + post(**{"txt": args.message, "contact": args.message_to, "subject": args.subject, "notify": cint(self.follow_via_email)}) @frappe.whitelist() diff --git a/erpnext/selling/doctype/quotation/quotation.js b/erpnext/selling/doctype/quotation/quotation.js index fa63975e42..022e2e4e59 100644 --- a/erpnext/selling/doctype/quotation/quotation.js +++ b/erpnext/selling/doctype/quotation/quotation.js @@ -13,10 +13,6 @@ cur_frm.cscript.sales_team_fname = "sales_team"; {% include 'utilities/doctype/sms_control/sms_control.js' %} {% include 'accounts/doctype/sales_invoice/pos.js' %} -frappe.ui.form.on("Quotation", "onload_post_render", function(frm) { - frm.get_field("quotation_details").grid.set_multiple_add("item_code"); -}); - erpnext.selling.QuotationController = erpnext.selling.SellingController.extend({ onload: function(doc, dt, dn) { var me = this; diff --git a/erpnext/utilities/doctype/note/note.py b/erpnext/utilities/doctype/note/note.py index 280adf41d0..b54681587d 100644 --- a/erpnext/utilities/doctype/note/note.py +++ b/erpnext/utilities/doctype/note/note.py @@ -9,20 +9,34 @@ from frappe import _ from frappe.model.document import Document class Note(Document): - def autoname(self): # replace forbidden characters import re self.name = re.sub("[%'\"#*?`]", "", self.title.strip()) - def onload(self): - if not self.public and frappe.session.user != self.owner: - if frappe.session.user not in [d.user for d in self.get("share_with")]: - frappe.throw(_("Not permitted"), frappe.PermissionError) +def get_permission_query_conditions(user): + if not user: user = frappe.session.user - def validate(self): - if not self.get("__islocal"): - if frappe.session.user != self.owner: - if frappe.session.user not in frappe.db.sql_list("""select user from `tabNote User` - where parent=%s and permission='Edit'""", self.name): - frappe.throw(_("Not permitted"), frappe.PermissionError) + if user == "Administrator": + return "" + + return """(`tabNote`.public=1 or `tabNote`.owner="{user}" or exists ( + select name from `tabNote User` + where `tabNote User`.parent=`tabNote`.name + and `tabNote User`.user="{user}"))""".format(user=user) + +def has_permission(doc, ptype, user): + if doc.public == 1 or user == "Administrator": + return True + + if user == doc.owner: + return True + + note_user_map = dict((d.user, d) for d in doc.get("share_with")) + if user in note_user_map: + if ptype == "read": + return True + elif note_user_map.get(user).permission == "Edit": + return True + + return False diff --git a/erpnext/utilities/doctype/note_user/note_user.json b/erpnext/utilities/doctype/note_user/note_user.json index f72f1bd291..e67a75cbce 100644 --- a/erpnext/utilities/doctype/note_user/note_user.json +++ b/erpnext/utilities/doctype/note_user/note_user.json @@ -1,5 +1,5 @@ { - "creation": "2013-05-24 14:24:48.000000", + "creation": "2013-05-24 14:24:48", "description": "List of users who can edit a particular Note", "docstatus": 0, "doctype": "DocType", @@ -8,6 +8,7 @@ { "fieldname": "user", "fieldtype": "Link", + "ignore_user_permissions": 1, "in_list_view": 1, "label": "User", "options": "User", @@ -26,9 +27,10 @@ ], "idx": 1, "istable": 1, - "modified": "2013-12-20 19:23:23.000000", + "modified": "2014-06-04 02:33:27.466061", "modified_by": "Administrator", "module": "Utilities", "name": "Note User", - "owner": "Administrator" + "owner": "Administrator", + "permissions": [] } \ No newline at end of file From b161eea793fbc1fd9707fbed5c156655f2710c99 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Wed, 4 Jun 2014 12:51:16 +0530 Subject: [PATCH 079/630] Account balance must be debit / credit, validate if balance already in credit / debit. Fixes #1442 --- erpnext/accounts/doctype/account/account.py | 10 ++++++++++ 1 file changed, 10 insertions(+) diff --git a/erpnext/accounts/doctype/account/account.py b/erpnext/accounts/doctype/account/account.py index c551a62aaa..e5e2e41feb 100644 --- a/erpnext/accounts/doctype/account/account.py +++ b/erpnext/accounts/doctype/account/account.py @@ -30,6 +30,7 @@ class Account(Document): self.validate_mandatory() self.validate_warehouse_account() self.validate_frozen_accounts_modifier() + self.validate_balance_must_be_settings() def validate_master_name(self): if self.master_type in ('Customer', 'Supplier') or self.account_type == "Warehouse": @@ -69,6 +70,15 @@ class Account(Document): frozen_accounts_modifier not in frappe.user.get_roles(): throw(_("You are not authorized to set Frozen value")) + def validate_balance_must_be_settings(self): + from erpnext.accounts.utils import get_balance_on + account_balance = get_balance_on(self.name) + + if account_balance > 0 and self.balance_must_be == "Credit": + frappe.throw(_("Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'")) + elif account_balance < 0 and self.balance_must_be == "Debit": + frappe.throw(_("Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'")) + def convert_group_to_ledger(self): if self.check_if_child_exists(): throw(_("Account with child nodes cannot be converted to ledger")) From 19d1e499c3d4cd3c1a385abbcf0724cecd7381ec Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Wed, 4 Jun 2014 15:18:24 +0530 Subject: [PATCH 080/630] Removed Purchase in transit report #1435 --- erpnext/config/buying.py | 6 ------ erpnext/config/stock.py | 6 ------ erpnext/patches.txt | 1 + .../report/purchase_in_transit/__init__.py | 0 .../purchase_in_transit.json | 17 ----------------- 5 files changed, 1 insertion(+), 29 deletions(-) delete mode 100644 erpnext/stock/report/purchase_in_transit/__init__.py delete mode 100644 erpnext/stock/report/purchase_in_transit/purchase_in_transit.json diff --git a/erpnext/config/buying.py b/erpnext/config/buying.py index c8a74be2e5..bc6251982b 100644 --- a/erpnext/config/buying.py +++ b/erpnext/config/buying.py @@ -129,12 +129,6 @@ def get_data(): "name": "Material Requests for which Supplier Quotations are not created", "doctype": "Material Request" }, - { - "type": "report", - "is_query_report": True, - "name": "Purchase In Transit", - "doctype": "Purchase Order" - }, { "type": "report", "is_query_report": True, diff --git a/erpnext/config/stock.py b/erpnext/config/stock.py index 0f53288b95..ace83fc447 100644 --- a/erpnext/config/stock.py +++ b/erpnext/config/stock.py @@ -211,12 +211,6 @@ def get_data(): "name": "Serial No Warranty Expiry", "doctype": "Serial No" }, - { - "type": "report", - "is_query_report": True, - "name": "Purchase In Transit", - "doctype": "Purchase Order" - }, { "type": "report", "is_query_report": True, diff --git a/erpnext/patches.txt b/erpnext/patches.txt index e5e9e0ad15..b5e66d4b1a 100644 --- a/erpnext/patches.txt +++ b/erpnext/patches.txt @@ -44,3 +44,4 @@ execute:frappe.db.sql("delete from `tabWebsite Item Group` where ifnull(item_gro execute:frappe.delete_doc("Print Format", "SalesInvoice") execute:import frappe.defaults;frappe.defaults.clear_default("price_list_currency") erpnext.patches.v4_0.update_account_root_type +execute:frappe.delete_doc("Report", "Purchase In Transit") diff --git a/erpnext/stock/report/purchase_in_transit/__init__.py b/erpnext/stock/report/purchase_in_transit/__init__.py deleted file mode 100644 index e69de29bb2..0000000000 diff --git a/erpnext/stock/report/purchase_in_transit/purchase_in_transit.json b/erpnext/stock/report/purchase_in_transit/purchase_in_transit.json deleted file mode 100644 index 7ef63d4a9d..0000000000 --- a/erpnext/stock/report/purchase_in_transit/purchase_in_transit.json +++ /dev/null @@ -1,17 +0,0 @@ -{ - "apply_user_permissions": 1, - "creation": "2013-05-06 12:09:05", - "docstatus": 0, - "doctype": "Report", - "idx": 1, - "is_standard": "Yes", - "modified": "2014-06-03 07:18:17.234173", - "modified_by": "Administrator", - "module": "Stock", - "name": "Purchase In Transit", - "owner": "Administrator", - "query": "SELECT\n pi.name as \"Purchase Invoice:Link/Purchase Invoice:120\",\n\tpi.posting_date as \"Posting Date:Date:100\",\n\tpi.credit_to as \"Supplier Account:Link/Account:120\",\n\tpi_item.item_code as \"Item Code:Link/Item:120\",\n\tpi_item.description as \"Description:Data:140\",\n\tpi_item.qty as \"Qty:Float:120\",\n\tpi_item.base_amount as \"Amount:Currency:120\",\n\tpi_item.purchase_order as \"Purchase Order:Link/Purchase Order:120\",\n\tpi_item.purchase_receipt as \"Purchase Receipt:Link/Purchase Receipt:120\",\n\tpr.posting_date as \"PR Posting Date:Date:130\",\n\tpi.company as \"Company:Link/Company:120\"\nFROM\n\t`tabPurchase Invoice` pi, `tabPurchase Invoice Item` pi_item, `tabPurchase Receipt` pr\nWHERE\n\tpi.name = pi_item.parent and pi_item.purchase_receipt = pr.name\n\tand pi.docstatus = 1 and pr.posting_date > pi.posting_date\nORDER BY\n\tpi.name desc", - "ref_doctype": "Purchase Receipt", - "report_name": "Purchase In Transit", - "report_type": "Query Report" -} \ No newline at end of file From 1055139c8305b69d5c7a8c579ba3d61982783267 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Wed, 4 Jun 2014 16:40:29 +0530 Subject: [PATCH 081/630] get accounts for opening entry --- erpnext/accounts/doctype/journal_voucher/journal_voucher.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/accounts/doctype/journal_voucher/journal_voucher.py b/erpnext/accounts/doctype/journal_voucher/journal_voucher.py index 70bee90016..d75101d0e1 100644 --- a/erpnext/accounts/doctype/journal_voucher/journal_voucher.py +++ b/erpnext/accounts/doctype/journal_voucher/journal_voucher.py @@ -410,7 +410,7 @@ def get_opening_accounts(company): """get all balance sheet accounts for opening entry""" from erpnext.accounts.utils import get_balance_on accounts = frappe.db.sql_list("""select name from tabAccount - where group_or_ledger='Ledger' and report_type='Profit and Loss' and company=%s""", company) + where group_or_ledger='Ledger' and report_type='Balance Sheet' and company=%s""", company) return [{"account": a, "balance": get_balance_on(a)} for a in accounts] From c3d1d6a9460ca0d07d90b07208853529feacea84 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Wed, 4 Jun 2014 16:41:22 +0530 Subject: [PATCH 082/630] cleanup raw materials supplied table for sub-contraction. Fixes #1743 --- erpnext/controllers/buying_controller.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/controllers/buying_controller.py b/erpnext/controllers/buying_controller.py index ad56d8fe94..accaeb4498 100644 --- a/erpnext/controllers/buying_controller.py +++ b/erpnext/controllers/buying_controller.py @@ -267,7 +267,7 @@ class BuyingController(StockController): for d in self.get(raw_material_table): if [d.main_item_code, d.reference_name] not in parent_items: # mark for deletion from doclist - delete_list.append([d.main_item_code, d.reference_name]) + delete_list.append(d) # delete from doclist if delete_list: From deb6e06336f49bf0d0aa754e71819a89bd6abd7a Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Wed, 4 Jun 2014 17:09:58 +0530 Subject: [PATCH 083/630] minor fix --- erpnext/accounts/doctype/account/account.py | 11 ++++++----- 1 file changed, 6 insertions(+), 5 deletions(-) diff --git a/erpnext/accounts/doctype/account/account.py b/erpnext/accounts/doctype/account/account.py index e5e2e41feb..4cd4efe86d 100644 --- a/erpnext/accounts/doctype/account/account.py +++ b/erpnext/accounts/doctype/account/account.py @@ -72,12 +72,13 @@ class Account(Document): def validate_balance_must_be_settings(self): from erpnext.accounts.utils import get_balance_on - account_balance = get_balance_on(self.name) + if not self.get("__islocal") and self.balance_must_be: + account_balance = get_balance_on(self.name) - if account_balance > 0 and self.balance_must_be == "Credit": - frappe.throw(_("Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'")) - elif account_balance < 0 and self.balance_must_be == "Debit": - frappe.throw(_("Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'")) + if account_balance > 0 and self.balance_must_be == "Credit": + frappe.throw(_("Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'")) + elif account_balance < 0 and self.balance_must_be == "Debit": + frappe.throw(_("Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'")) def convert_group_to_ledger(self): if self.check_if_child_exists(): From 4d4df03f883abef46052efae896f4e6e4c948a08 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Wed, 4 Jun 2014 18:02:16 +0530 Subject: [PATCH 084/630] Added total debit / credit row in trial balance. Fixes #1313 --- .../financial_analytics.js | 3 --- .../page/trial_balance/trial_balance.js | 27 +++++++++++++++++++ 2 files changed, 27 insertions(+), 3 deletions(-) diff --git a/erpnext/accounts/page/financial_analytics/financial_analytics.js b/erpnext/accounts/page/financial_analytics/financial_analytics.js index df30d83861..52298bbf18 100644 --- a/erpnext/accounts/page/financial_analytics/financial_analytics.js +++ b/erpnext/accounts/page/financial_analytics/financial_analytics.js @@ -256,9 +256,6 @@ erpnext.FinancialAnalytics = erpnext.AccountTreeGrid.extend({ } }); this.data.push(net_profit); - // $.each(me.data, function(i, v) { - // if(v.report_type=="Profit and Loss") console.log(v) - // }) } }, add_balance: function(field, account, gl) { diff --git a/erpnext/accounts/page/trial_balance/trial_balance.js b/erpnext/accounts/page/trial_balance/trial_balance.js index e73e1d4f3a..2edf82240e 100644 --- a/erpnext/accounts/page/trial_balance/trial_balance.js +++ b/erpnext/accounts/page/trial_balance/trial_balance.js @@ -29,6 +29,7 @@ frappe.pages['trial-balance'].onload = function(wrapper) { this.with_period_closing_entry = this.wrapper .find(".with_period_closing_entry input:checked").length; this._super(); + this.add_total_debit_credit(); }, update_balances: function(account, posting_date, v) { @@ -42,6 +43,32 @@ frappe.pages['trial-balance'].onload = function(wrapper) { this._super(account, posting_date, v); } }, + + add_total_debit_credit: function() { + var me = this; + + var total_row = { + company: me.company, + id: "Total Debit / Credit", + name: "Total Debit / Credit", + indent: 0, + opening_dr: "NA", + opening_cr: "NA", + debit: 0, + credit: 0, + checked: false, + }; + me.item_by_name[total_row.name] = total_row; + + $.each(this.data, function(i, account) { + if((account.group_or_ledger == "Ledger") || (account.rgt - account.lft == 1)) { + total_row["debit"] += account.debit; + total_row["credit"] += account.credit; + } + }); + + this.data.push(total_row); + } }) erpnext.trial_balance = new TrialBalance(wrapper, 'Trial Balance'); From c8be8ba42cdaee909df29b9be14557bd9db7452f Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Thu, 5 Jun 2014 15:18:10 +0530 Subject: [PATCH 085/630] function renamed --- erpnext/accounts/doctype/account/account.py | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/erpnext/accounts/doctype/account/account.py b/erpnext/accounts/doctype/account/account.py index 4cd4efe86d..b1edaf4df4 100644 --- a/erpnext/accounts/doctype/account/account.py +++ b/erpnext/accounts/doctype/account/account.py @@ -30,7 +30,7 @@ class Account(Document): self.validate_mandatory() self.validate_warehouse_account() self.validate_frozen_accounts_modifier() - self.validate_balance_must_be_settings() + self.validate_balance_must_be_debit_or_credit() def validate_master_name(self): if self.master_type in ('Customer', 'Supplier') or self.account_type == "Warehouse": @@ -70,7 +70,7 @@ class Account(Document): frozen_accounts_modifier not in frappe.user.get_roles(): throw(_("You are not authorized to set Frozen value")) - def validate_balance_must_be_settings(self): + def validate_balance_must_be_debit_or_credit(self): from erpnext.accounts.utils import get_balance_on if not self.get("__islocal") and self.balance_must_be: account_balance = get_balance_on(self.name) From 41471c3b4442614556351df3f5b4dc3b667eef7f Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Thu, 5 Jun 2014 11:40:45 +0530 Subject: [PATCH 086/630] fixed description in salary manager --- erpnext/hr/doctype/salary_manager/salary_manager.json | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/erpnext/hr/doctype/salary_manager/salary_manager.json b/erpnext/hr/doctype/salary_manager/salary_manager.json index 39a1d9cf9e..e430f3b5f2 100644 --- a/erpnext/hr/doctype/salary_manager/salary_manager.json +++ b/erpnext/hr/doctype/salary_manager/salary_manager.json @@ -11,7 +11,7 @@ "fieldname": "document_description", "fieldtype": "HTML", "label": "Document Description", - "options": "
You can generate multiple salary slips based on the selected criteria, submit and mail those to the employee directly from here
", + "options": "
You can generate multiple salary slips based on the selected criteria, submit and mail those to the employee directly from here
", "permlevel": 0 }, { @@ -144,7 +144,7 @@ "icon": "icon-cog", "idx": 1, "issingle": 1, - "modified": "2014-05-09 02:16:45.165977", + "modified": "2014-06-04 06:46:39.437061", "modified_by": "Administrator", "module": "HR", "name": "Salary Manager", From c22e11d483e4a33edbacd1478e6ddc1e8412cea2 Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Thu, 5 Jun 2014 13:17:45 +0530 Subject: [PATCH 087/630] added address template: --- erpnext/config/setup.py | 5 ++ .../page/setup_wizard/install_fixtures.py | 6 +- erpnext/utilities/doctype/address/address.py | 26 ++++----- .../utilities/doctype/address/test_address.py | 14 ++++- .../doctype/address_template/__init__.py | 0 .../address_template/address_template.json | 57 +++++++++++++++++++ .../address_template/address_template.py | 19 +++++++ .../address_template/test_address_template.py | 22 +++++++ .../address_template/test_records.json | 13 +++++ 9 files changed, 145 insertions(+), 17 deletions(-) create mode 100644 erpnext/utilities/doctype/address_template/__init__.py create mode 100644 erpnext/utilities/doctype/address_template/address_template.json create mode 100644 erpnext/utilities/doctype/address_template/address_template.py create mode 100644 erpnext/utilities/doctype/address_template/test_address_template.py create mode 100644 erpnext/utilities/doctype/address_template/test_records.json diff --git a/erpnext/config/setup.py b/erpnext/config/setup.py index 66b44e28c5..8db9ef2914 100644 --- a/erpnext/config/setup.py +++ b/erpnext/config/setup.py @@ -30,6 +30,11 @@ def get_data(): "name": "Print Heading", "description": _("Titles for print templates e.g. Proforma Invoice.") }, + { + "type": "doctype", + "name": "Address Template", + "description": _("Country wise default Address Templates") + }, { "type": "doctype", "name": "Terms and Conditions", diff --git a/erpnext/setup/page/setup_wizard/install_fixtures.py b/erpnext/setup/page/setup_wizard/install_fixtures.py index 90ef1f4a84..4bdf15eeef 100644 --- a/erpnext/setup/page/setup_wizard/install_fixtures.py +++ b/erpnext/setup/page/setup_wizard/install_fixtures.py @@ -10,6 +10,9 @@ from frappe import _ def install(country=None): records = [ + # address template + {'doctype':"Address Template", "country": country}, + # item group {'doctype': 'Item Group', 'item_group_name': _('All Item Groups'), 'is_group': 'Yes', 'parent_item_group': ''}, @@ -189,7 +192,8 @@ def install(country=None): from frappe.modules import scrub for r in records: - doc = frappe.get_doc(r) + doc = frappe.new_doc(r.get("doctype")) + doc.update(r) # ignore mandatory for root parent_link_field = ("parent_" + scrub(doc.doctype)) diff --git a/erpnext/utilities/doctype/address/address.py b/erpnext/utilities/doctype/address/address.py index b00b40d7f0..01b9d9acb5 100644 --- a/erpnext/utilities/doctype/address/address.py +++ b/erpnext/utilities/doctype/address/address.py @@ -10,7 +10,6 @@ from frappe.utils import cstr from frappe.model.document import Document class Address(Document): - def autoname(self): if not self.address_title: self.address_title = self.customer \ @@ -56,22 +55,16 @@ def get_address_display(address_dict): if not isinstance(address_dict, dict): address_dict = frappe.db.get_value("Address", address_dict, "*", as_dict=True) or {} - meta = frappe.get_meta("Address") - sequence = (("", "address_line1"), - ("\n", "address_line2"), - ("\n", "city"), - ("\n", "state"), - ("\n" + meta.get_label("pincode") + ": ", "pincode"), - ("\n", "country"), - ("\n" + meta.get_label("phone") + ": ", "phone"), - ("\n" + meta.get_label("fax") + ": ", "fax")) + template = frappe.db.get_value("Address Template", \ + {"country": address_dict.get("country")}, "template") + if not template: + template = frappe.db.get_value("Address Template", \ + {"is_default": 1}, "template") - display = "" - for separator, fieldname in sequence: - if address_dict.get(fieldname): - display += separator + address_dict.get(fieldname) + if not template: + frappe.throw(_("No default Address Template found. Please create a new one")) - return display.strip() + return frappe.render_template(template, address_dict) def get_territory_from_address(address): """Tries to match city, state and country of address to existing territory""" @@ -88,3 +81,6 @@ def get_territory_from_address(address): break return territory + + + diff --git a/erpnext/utilities/doctype/address/test_address.py b/erpnext/utilities/doctype/address/test_address.py index 815449aaa7..1e36a4438c 100644 --- a/erpnext/utilities/doctype/address/test_address.py +++ b/erpnext/utilities/doctype/address/test_address.py @@ -1,6 +1,18 @@ # Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors # License: GNU General Public License v3. See license.txt +from __future__ import unicode_literals import frappe -test_records = frappe.get_test_records('Address') \ No newline at end of file +test_records = frappe.get_test_records('Address') + +import unittest +import frappe + +from erpnext.utilities.doctype.address.address import get_address_display + +class TestAddress(unittest.TestCase): + def test_template_works(self): + address = frappe.get_list("Address")[0].name + display = get_address_display(frappe.get_doc("Address", address).as_dict()) + self.assertTrue(display) diff --git a/erpnext/utilities/doctype/address_template/__init__.py b/erpnext/utilities/doctype/address_template/__init__.py new file mode 100644 index 0000000000..e69de29bb2 diff --git a/erpnext/utilities/doctype/address_template/address_template.json b/erpnext/utilities/doctype/address_template/address_template.json new file mode 100644 index 0000000000..f08660bddb --- /dev/null +++ b/erpnext/utilities/doctype/address_template/address_template.json @@ -0,0 +1,57 @@ +{ + "autoname": "field:country", + "creation": "2014-06-05 02:22:36.029850", + "docstatus": 0, + "doctype": "DocType", + "document_type": "Master", + "fields": [ + { + "fieldname": "country", + "fieldtype": "Link", + "in_list_view": 1, + "label": "Country", + "options": "Country", + "permlevel": 0, + "reqd": 0, + "search_index": 1 + }, + { + "description": "This format is used if country specific format is not found", + "fieldname": "is_default", + "fieldtype": "Check", + "in_list_view": 1, + "label": "Is Default", + "permlevel": 0 + }, + { + "default": "{{ address_title }}
\n{{ address_line1 }}
\n{% if address_line2 %}{{ address_line2 }}
{% endif -%}\n{{ city }}
\n{% if state %}{{ state }}
{% endif -%}\n{% if pincode %} PIN / ZIP: {{ pincode }}
{% endif -%}\n{{ country }}
\n{% if phone %}Phone: {{ phone }}
{% endif -%}\n{% if fax %}Fax: {{ fax }}
{% endif -%}\n{% if email_id %}Email: {{ email_id }}
{% endif -%}\n", + "description": "

Default Template

\n
\n
{{ address_title }}<br>\n{{ address_line1 }}<br>\n{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}\n{{ city }}<br>\n{% if state %}{{ state }}<br>{% endif -%}\n{% if pincode %} PIN / ZIP:  {{ pincode }}<br>{% endif -%}\n{{ country }}<br>\n{% if phone %}Phone: {{ phone }}<br>{% endif -%}\n{% if fax %}Fax: {{ fax }}<br>{% endif -%}\n{% if email_id %}Email: {{ email_id }}<br>{% endif -%}\n
", + "fieldname": "template", + "fieldtype": "Code", + "label": "Template", + "permlevel": 0 + } + ], + "icon": "icon-map-marker", + "modified": "2014-06-05 03:28:45.428733", + "modified_by": "Administrator", + "module": "Utilities", + "name": "Address Template", + "name_case": "", + "owner": "Administrator", + "permissions": [ + { + "create": 1, + "delete": 1, + "export": 1, + "permlevel": 0, + "read": 1, + "report": 1, + "role": "System Manager", + "set_user_permissions": 1, + "write": 1 + } + ], + "sort_field": "modified", + "sort_order": "DESC" +} \ No newline at end of file diff --git a/erpnext/utilities/doctype/address_template/address_template.py b/erpnext/utilities/doctype/address_template/address_template.py new file mode 100644 index 0000000000..bf68d82d7d --- /dev/null +++ b/erpnext/utilities/doctype/address_template/address_template.py @@ -0,0 +1,19 @@ +# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors +# For license information, please see license.txt + +from __future__ import unicode_literals +import frappe +from frappe.model.document import Document + +class AddressTemplate(Document): + def validate(self): + defaults = frappe.db.get_values("Address Template", + {"is_default":1, "name":("!=", self.name)}) + if not self.is_default: + if not defaults: + self.is_default = 1 + frappe.msgprint(frappe._("Setting this Address Template as default as there is no other default")) + else: + if defaults: + for d in defaults: + frappe.db.set_value("Address Template", d, "is_default", 0) diff --git a/erpnext/utilities/doctype/address_template/test_address_template.py b/erpnext/utilities/doctype/address_template/test_address_template.py new file mode 100644 index 0000000000..953c852d85 --- /dev/null +++ b/erpnext/utilities/doctype/address_template/test_address_template.py @@ -0,0 +1,22 @@ +# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors +# License: See license.txt + +from __future__ import unicode_literals + +import frappe +test_records = frappe.get_test_records('Address Template') + +import unittest +import frappe + +class TestAddressTemplate(unittest.TestCase): + def test_default_is_unset(self): + a = frappe.get_doc("Address Template", "India") + a.is_default = 1 + a.save() + + b = frappe.get_doc("Address Template", "Brazil") + b.is_default = 1 + b.save() + + self.assertEqual(frappe.db.get_value("Address Template", "India", "is_default"), 0) diff --git a/erpnext/utilities/doctype/address_template/test_records.json b/erpnext/utilities/doctype/address_template/test_records.json new file mode 100644 index 0000000000..412c9e745b --- /dev/null +++ b/erpnext/utilities/doctype/address_template/test_records.json @@ -0,0 +1,13 @@ +[ + { + "country": "India", + "is_default": 1, + "template": "{{ address_title }}
\n{{ address_line1 }}
\n{% if address_line2 %}{{ address_line2 }}
{% endif %}\n{{ city }}
\n{% if state %}{{ state }}
{% endif %}\n{% if pincode %} PIN / ZIP: {{ pincode }}
{% endif %}\n{{ country }}
\n{% if phone %}Phone: {{ phone }}
{% endif %}\n{% if fax %}Fax: {{ fax }}
{% endif %}\n{% if email_id %}Email: {{ email_id }}
{% endif %}\n" + }, + { + "country": "Brazil", + "is_default": 0, + "template": "{{ address_title }}
\n{{ address_line1 }}
\n{% if address_line2 %}{{ address_line2 }}
{% endif %}\n{{ city }}
\n{% if state %}{{ state }}
{% endif %}\n{% if pincode %} PIN / ZIP: {{ pincode }}
{% endif %}\n{{ country }}
\n{% if phone %}Phone: {{ phone }}
{% endif %}\n{% if fax %}Fax: {{ fax }}
{% endif %}\n{% if email_id %}Email: {{ email_id }}
{% endif %}\n" + } +] + From eaa2e55d20fad3ebc0c15636acc922b5b6dd95c3 Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Thu, 5 Jun 2014 14:44:16 +0530 Subject: [PATCH 088/630] patch for address template fixes #1749 --- erpnext/patches.txt | 1 + erpnext/patches/v4_0/new_address_template.py | 9 +++++++++ .../doctype/address_template/address_template.json | 6 +++--- .../doctype/address_template/address_template.py | 7 ++++++- 4 files changed, 19 insertions(+), 4 deletions(-) create mode 100644 erpnext/patches/v4_0/new_address_template.py diff --git a/erpnext/patches.txt b/erpnext/patches.txt index b5e66d4b1a..a5a7ae49c0 100644 --- a/erpnext/patches.txt +++ b/erpnext/patches.txt @@ -45,3 +45,4 @@ execute:frappe.delete_doc("Print Format", "SalesInvoice") execute:import frappe.defaults;frappe.defaults.clear_default("price_list_currency") erpnext.patches.v4_0.update_account_root_type execute:frappe.delete_doc("Report", "Purchase In Transit") +erpnext.patches.v4_0.new_address_template diff --git a/erpnext/patches/v4_0/new_address_template.py b/erpnext/patches/v4_0/new_address_template.py new file mode 100644 index 0000000000..fc0c957ad6 --- /dev/null +++ b/erpnext/patches/v4_0/new_address_template.py @@ -0,0 +1,9 @@ +import frappe + +def execute(): + d = frappe.new_doc("Address Template") + d.update({"country":frappe.db.get_default("country")}) + try: + d.insert() + except Exception: + pass diff --git a/erpnext/utilities/doctype/address_template/address_template.json b/erpnext/utilities/doctype/address_template/address_template.json index f08660bddb..13fd003514 100644 --- a/erpnext/utilities/doctype/address_template/address_template.json +++ b/erpnext/utilities/doctype/address_template/address_template.json @@ -24,8 +24,8 @@ "permlevel": 0 }, { - "default": "{{ address_title }}
\n{{ address_line1 }}
\n{% if address_line2 %}{{ address_line2 }}
{% endif -%}\n{{ city }}
\n{% if state %}{{ state }}
{% endif -%}\n{% if pincode %} PIN / ZIP: {{ pincode }}
{% endif -%}\n{{ country }}
\n{% if phone %}Phone: {{ phone }}
{% endif -%}\n{% if fax %}Fax: {{ fax }}
{% endif -%}\n{% if email_id %}Email: {{ email_id }}
{% endif -%}\n", - "description": "

Default Template

\n

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

\n
{{ address_title }}<br>\n{{ address_line1 }}<br>\n{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}\n{{ city }}<br>\n{% if state %}{{ state }}<br>{% endif -%}\n{% if pincode %} PIN / ZIP:  {{ pincode }}<br>{% endif -%}\n{{ country }}<br>\n{% if phone %}Phone: {{ phone }}<br>{% endif -%}\n{% if fax %}Fax: {{ fax }}<br>{% endif -%}\n{% if email_id %}Email: {{ email_id }}<br>{% endif -%}\n
", + "default": "{{ address_title }}
\n{{ address_line1 }}
\n{% if address_line2 %}{{ address_line2 }}
{% endif -%}\n{{ city }}
\n{% if state %}{{ state }}
{% endif -%}\n{% if pincode %} PIN: {{ pincode }}
{% endif -%}\n{{ country }}
\n{% if phone %}Phone: {{ phone }}
{% endif -%}\n{% if fax %}Fax: {{ fax }}
{% endif -%}\n{% if email_id %}Email: {{ email_id }}
{% endif -%}\n", + "description": "

Default Template

\n

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

\n
{{ address_title }}<br>\n{{ address_line1 }}<br>\n{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}\n{{ city }}<br>\n{% if state %}{{ state }}<br>{% endif -%}\n{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}\n{{ country }}<br>\n{% if phone %}Phone: {{ phone }}<br>{% endif -%}\n{% if fax %}Fax: {{ fax }}<br>{% endif -%}\n{% if email_id %}Email: {{ email_id }}<br>{% endif -%}\n
", "fieldname": "template", "fieldtype": "Code", "label": "Template", @@ -33,7 +33,7 @@ } ], "icon": "icon-map-marker", - "modified": "2014-06-05 03:28:45.428733", + "modified": "2014-06-05 05:12:20.507364", "modified_by": "Administrator", "module": "Utilities", "name": "Address Template", diff --git a/erpnext/utilities/doctype/address_template/address_template.py b/erpnext/utilities/doctype/address_template/address_template.py index bf68d82d7d..21d3e6bfcb 100644 --- a/erpnext/utilities/doctype/address_template/address_template.py +++ b/erpnext/utilities/doctype/address_template/address_template.py @@ -4,6 +4,7 @@ from __future__ import unicode_literals import frappe from frappe.model.document import Document +from frappe import _ class AddressTemplate(Document): def validate(self): @@ -12,8 +13,12 @@ class AddressTemplate(Document): if not self.is_default: if not defaults: self.is_default = 1 - frappe.msgprint(frappe._("Setting this Address Template as default as there is no other default")) + frappe.msgprint(_("Setting this Address Template as default as there is no other default")) else: if defaults: for d in defaults: frappe.db.set_value("Address Template", d, "is_default", 0) + + def on_trash(self): + if self.is_default: + frappe.throw(_("Default Address Tempalate cannot be deleted")) From 33020a63b80dfc9e4fc5c1cd694a9f70ccabea13 Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Thu, 5 Jun 2014 14:46:44 +0530 Subject: [PATCH 089/630] patch for address template fixes #1749 --- erpnext/utilities/doctype/address_template/address_template.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/utilities/doctype/address_template/address_template.py b/erpnext/utilities/doctype/address_template/address_template.py index 21d3e6bfcb..39b8d21bd8 100644 --- a/erpnext/utilities/doctype/address_template/address_template.py +++ b/erpnext/utilities/doctype/address_template/address_template.py @@ -21,4 +21,4 @@ class AddressTemplate(Document): def on_trash(self): if self.is_default: - frappe.throw(_("Default Address Tempalate cannot be deleted")) + frappe.throw(_("Default Address Template cannot be deleted")) From c02fbd22fa89d59d0752c402c99895d3ba72b6ee Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Thu, 5 Jun 2014 15:34:43 +0530 Subject: [PATCH 090/630] removed address_title from address and removed test --- .../selling/doctype/customer/test_customer.py | 43 +++++----- .../address_template/address_template.json | 86 +++++++++---------- 2 files changed, 64 insertions(+), 65 deletions(-) diff --git a/erpnext/selling/doctype/customer/test_customer.py b/erpnext/selling/doctype/customer/test_customer.py index 19bcce8ee5..e2273bc59c 100644 --- a/erpnext/selling/doctype/customer/test_customer.py +++ b/erpnext/selling/doctype/customer/test_customer.py @@ -9,44 +9,43 @@ import unittest from frappe.test_runner import make_test_records test_ignore = ["Price List"] - + test_records = frappe.get_test_records('Customer') class TestCustomer(unittest.TestCase): def test_party_details(self): from erpnext.accounts.party import get_party_details - + to_check = { - 'address_display': '_Test Address Line 1\n_Test City\nIndia\nPhone: +91 0000000000', - 'selling_price_list': None, - 'customer_group': '_Test Customer Group', - 'contact_designation': None, - 'customer_address': '_Test Address-Office', - 'contact_department': None, - 'contact_email': 'test_contact_customer@example.com', - 'contact_mobile': None, - 'sales_team': [], - 'contact_display': '_Test Contact For _Test Customer', - 'contact_person': '_Test Contact For _Test Customer-_Test Customer', - 'territory': u'_Test Territory', - 'contact_phone': '+91 0000000000', + 'selling_price_list': None, + 'customer_group': '_Test Customer Group', + 'contact_designation': None, + 'customer_address': '_Test Address-Office', + 'contact_department': None, + 'contact_email': 'test_contact_customer@example.com', + 'contact_mobile': None, + 'sales_team': [], + 'contact_display': '_Test Contact For _Test Customer', + 'contact_person': '_Test Contact For _Test Customer-_Test Customer', + 'territory': u'_Test Territory', + 'contact_phone': '+91 0000000000', 'customer_name': '_Test Customer' } - + make_test_records("Address") make_test_records("Contact") - + details = get_party_details("_Test Customer") - + for key, value in to_check.iteritems(): self.assertEquals(value, details.get(key)) - + def test_rename(self): frappe.rename_doc("Customer", "_Test Customer 1", "_Test Customer 1 Renamed") self.assertTrue(frappe.db.exists("Customer", "_Test Customer 1 Renamed")) self.assertFalse(frappe.db.exists("Customer", "_Test Customer 1")) - - frappe.rename_doc("Customer", "_Test Customer 1 Renamed", "_Test Customer 1") - + + frappe.rename_doc("Customer", "_Test Customer 1 Renamed", "_Test Customer 1") + diff --git a/erpnext/utilities/doctype/address_template/address_template.json b/erpnext/utilities/doctype/address_template/address_template.json index 13fd003514..d032595849 100644 --- a/erpnext/utilities/doctype/address_template/address_template.json +++ b/erpnext/utilities/doctype/address_template/address_template.json @@ -1,57 +1,57 @@ { - "autoname": "field:country", - "creation": "2014-06-05 02:22:36.029850", - "docstatus": 0, - "doctype": "DocType", - "document_type": "Master", + "autoname": "field:country", + "creation": "2014-06-05 02:22:36.029850", + "docstatus": 0, + "doctype": "DocType", + "document_type": "Master", "fields": [ { - "fieldname": "country", - "fieldtype": "Link", - "in_list_view": 1, - "label": "Country", - "options": "Country", - "permlevel": 0, - "reqd": 0, + "fieldname": "country", + "fieldtype": "Link", + "in_list_view": 1, + "label": "Country", + "options": "Country", + "permlevel": 0, + "reqd": 0, "search_index": 1 - }, + }, { - "description": "This format is used if country specific format is not found", - "fieldname": "is_default", - "fieldtype": "Check", - "in_list_view": 1, - "label": "Is Default", + "description": "This format is used if country specific format is not found", + "fieldname": "is_default", + "fieldtype": "Check", + "in_list_view": 1, + "label": "Is Default", "permlevel": 0 - }, + }, { - "default": "{{ address_title }}
\n{{ address_line1 }}
\n{% if address_line2 %}{{ address_line2 }}
{% endif -%}\n{{ city }}
\n{% if state %}{{ state }}
{% endif -%}\n{% if pincode %} PIN: {{ pincode }}
{% endif -%}\n{{ country }}
\n{% if phone %}Phone: {{ phone }}
{% endif -%}\n{% if fax %}Fax: {{ fax }}
{% endif -%}\n{% if email_id %}Email: {{ email_id }}
{% endif -%}\n", - "description": "

Default Template

\n

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

\n
{{ address_title }}<br>\n{{ address_line1 }}<br>\n{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}\n{{ city }}<br>\n{% if state %}{{ state }}<br>{% endif -%}\n{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}\n{{ country }}<br>\n{% if phone %}Phone: {{ phone }}<br>{% endif -%}\n{% if fax %}Fax: {{ fax }}<br>{% endif -%}\n{% if email_id %}Email: {{ email_id }}<br>{% endif -%}\n
", - "fieldname": "template", - "fieldtype": "Code", - "label": "Template", + "default": "{{ address_line1 }}
\n{% if address_line2 %}{{ address_line2 }}
{% endif -%}\n{{ city }}
\n{% if state %}{{ state }}
{% endif -%}\n{% if pincode %} PIN: {{ pincode }}
{% endif -%}\n{{ country }}
\n{% if phone %}Phone: {{ phone }}
{% endif -%}\n{% if fax %}Fax: {{ fax }}
{% endif -%}\n{% if email_id %}Email: {{ email_id }}
{% endif -%}\n", + "description": "

Default Template

\n

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

\n
{{ address_title }}<br>\n{{ address_line1 }}<br>\n{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}\n{{ city }}<br>\n{% if state %}{{ state }}<br>{% endif -%}\n{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}\n{{ country }}<br>\n{% if phone %}Phone: {{ phone }}<br>{% endif -%}\n{% if fax %}Fax: {{ fax }}<br>{% endif -%}\n{% if email_id %}Email: {{ email_id }}<br>{% endif -%}\n
", + "fieldname": "template", + "fieldtype": "Code", + "label": "Template", "permlevel": 0 } - ], - "icon": "icon-map-marker", - "modified": "2014-06-05 05:12:20.507364", - "modified_by": "Administrator", - "module": "Utilities", - "name": "Address Template", - "name_case": "", - "owner": "Administrator", + ], + "icon": "icon-map-marker", + "modified": "2014-06-05 05:12:20.507364", + "modified_by": "Administrator", + "module": "Utilities", + "name": "Address Template", + "name_case": "", + "owner": "Administrator", "permissions": [ { - "create": 1, - "delete": 1, - "export": 1, - "permlevel": 0, - "read": 1, - "report": 1, - "role": "System Manager", - "set_user_permissions": 1, + "create": 1, + "delete": 1, + "export": 1, + "permlevel": 0, + "read": 1, + "report": 1, + "role": "System Manager", + "set_user_permissions": 1, "write": 1 } - ], - "sort_field": "modified", + ], + "sort_field": "modified", "sort_order": "DESC" -} \ No newline at end of file +} From 5036706f81c29427e1e5b75d17454e40d0a5e067 Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Thu, 5 Jun 2014 15:44:28 +0530 Subject: [PATCH 091/630] removed address_title from address and removed test --- .../address_template/address_template.json | 86 +++++++++---------- 1 file changed, 43 insertions(+), 43 deletions(-) diff --git a/erpnext/utilities/doctype/address_template/address_template.json b/erpnext/utilities/doctype/address_template/address_template.json index d032595849..378474e4cc 100644 --- a/erpnext/utilities/doctype/address_template/address_template.json +++ b/erpnext/utilities/doctype/address_template/address_template.json @@ -1,57 +1,57 @@ { - "autoname": "field:country", - "creation": "2014-06-05 02:22:36.029850", - "docstatus": 0, - "doctype": "DocType", - "document_type": "Master", + "autoname": "field:country", + "creation": "2014-06-05 02:22:36.029850", + "docstatus": 0, + "doctype": "DocType", + "document_type": "Master", "fields": [ { - "fieldname": "country", - "fieldtype": "Link", - "in_list_view": 1, - "label": "Country", - "options": "Country", - "permlevel": 0, - "reqd": 0, + "fieldname": "country", + "fieldtype": "Link", + "in_list_view": 1, + "label": "Country", + "options": "Country", + "permlevel": 0, + "reqd": 0, "search_index": 1 - }, + }, { - "description": "This format is used if country specific format is not found", - "fieldname": "is_default", - "fieldtype": "Check", - "in_list_view": 1, - "label": "Is Default", + "description": "This format is used if country specific format is not found", + "fieldname": "is_default", + "fieldtype": "Check", + "in_list_view": 1, + "label": "Is Default", "permlevel": 0 - }, + }, { - "default": "{{ address_line1 }}
\n{% if address_line2 %}{{ address_line2 }}
{% endif -%}\n{{ city }}
\n{% if state %}{{ state }}
{% endif -%}\n{% if pincode %} PIN: {{ pincode }}
{% endif -%}\n{{ country }}
\n{% if phone %}Phone: {{ phone }}
{% endif -%}\n{% if fax %}Fax: {{ fax }}
{% endif -%}\n{% if email_id %}Email: {{ email_id }}
{% endif -%}\n", - "description": "

Default Template

\n

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

\n
{{ address_title }}<br>\n{{ address_line1 }}<br>\n{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}\n{{ city }}<br>\n{% if state %}{{ state }}<br>{% endif -%}\n{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}\n{{ country }}<br>\n{% if phone %}Phone: {{ phone }}<br>{% endif -%}\n{% if fax %}Fax: {{ fax }}<br>{% endif -%}\n{% if email_id %}Email: {{ email_id }}<br>{% endif -%}\n
", - "fieldname": "template", - "fieldtype": "Code", - "label": "Template", + "default": "{% if address_line2 %}{{ address_line2 }}
{% endif -%}\n{{ city }}
\n{% if state %}{{ state }}
{% endif -%}\n{% if pincode %} PIN: {{ pincode }}
{% endif -%}\n{{ country }}
\n{% if phone %}Phone: {{ phone }}
{% endif -%}\n{% if fax %}Fax: {{ fax }}
{% endif -%}\n{% if email_id %}Email: {{ email_id }}
{% endif -%}\n", + "description": "

Default Template

\n

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

\n
{{ address_line1 }}<br>\n{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}\n{{ city }}<br>\n{% if state %}{{ state }}<br>{% endif -%}\n{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}\n{{ country }}<br>\n{% if phone %}Phone: {{ phone }}<br>{% endif -%}\n{% if fax %}Fax: {{ fax }}<br>{% endif -%}\n{% if email_id %}Email: {{ email_id }}<br>{% endif -%}\n
", + "fieldname": "template", + "fieldtype": "Code", + "label": "Template", "permlevel": 0 } - ], - "icon": "icon-map-marker", - "modified": "2014-06-05 05:12:20.507364", - "modified_by": "Administrator", - "module": "Utilities", - "name": "Address Template", - "name_case": "", - "owner": "Administrator", + ], + "icon": "icon-map-marker", + "modified": "2014-06-05 06:14:13.200689", + "modified_by": "Administrator", + "module": "Utilities", + "name": "Address Template", + "name_case": "", + "owner": "Administrator", "permissions": [ { - "create": 1, - "delete": 1, - "export": 1, - "permlevel": 0, - "read": 1, - "report": 1, - "role": "System Manager", - "set_user_permissions": 1, + "create": 1, + "delete": 1, + "export": 1, + "permlevel": 0, + "read": 1, + "report": 1, + "role": "System Manager", + "set_user_permissions": 1, "write": 1 } - ], - "sort_field": "modified", + ], + "sort_field": "modified", "sort_order": "DESC" -} +} \ No newline at end of file From 402258601519633b2f1c55ef56116603ee7610fb Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Thu, 5 Jun 2014 17:34:59 +0530 Subject: [PATCH 092/630] Update new_address_template.py --- erpnext/patches/v4_0/new_address_template.py | 1 + 1 file changed, 1 insertion(+) diff --git a/erpnext/patches/v4_0/new_address_template.py b/erpnext/patches/v4_0/new_address_template.py index fc0c957ad6..74b32b968c 100644 --- a/erpnext/patches/v4_0/new_address_template.py +++ b/erpnext/patches/v4_0/new_address_template.py @@ -1,6 +1,7 @@ import frappe def execute(): + frappe.reload_doc("utilities", "doctype", "address_template") d = frappe.new_doc("Address Template") d.update({"country":frappe.db.get_default("country")}) try: From b7438894f62943cec156b470098131010a5b03af Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Thu, 5 Jun 2014 16:14:28 +0530 Subject: [PATCH 093/630] Fixes in trends report --- erpnext/config/selling.py | 2 +- erpnext/controllers/trends.py | 14 +++++++------- erpnext/public/js/purchase_trends_filters.js | 4 ++-- erpnext/public/js/sales_trends_filters.js | 6 +++--- 4 files changed, 13 insertions(+), 13 deletions(-) diff --git a/erpnext/config/selling.py b/erpnext/config/selling.py index bb70ac9607..a332bc425c 100644 --- a/erpnext/config/selling.py +++ b/erpnext/config/selling.py @@ -245,7 +245,7 @@ def get_data(): { "type": "report", "is_query_report": True, - "name": "Quotation Trend", + "name": "Quotation Trends", "doctype": "Quotation" }, { diff --git a/erpnext/controllers/trends.py b/erpnext/controllers/trends.py index 2c3483c311..7ef91007be 100644 --- a/erpnext/controllers/trends.py +++ b/erpnext/controllers/trends.py @@ -10,9 +10,9 @@ def get_columns(filters, trans): validate_filters(filters) # get conditions for based_on filter cond - based_on_details = based_wise_colums_query(filters.get("based_on"), trans) + based_on_details = based_wise_columns_query(filters.get("based_on"), trans) # get conditions for periodic filter cond - period_cols, period_select = period_wise_colums_query(filters, trans) + period_cols, period_select = period_wise_columns_query(filters, trans) # get conditions for grouping filter cond group_by_cols = group_wise_column(filters.get("group_by")) @@ -115,7 +115,7 @@ def get_data(filters, conditions): def get_mon(dt): return getdate(dt).strftime("%b") -def period_wise_colums_query(filters, trans): +def period_wise_columns_query(filters, trans): query_details = '' pwc = [] bet_dates = get_period_date_ranges(filters.get("period"), filters.get("fiscal_year")) @@ -132,9 +132,9 @@ def period_wise_colums_query(filters, trans): else: pwc = [filters.get("fiscal_year") + " (Qty):Float:120", filters.get("fiscal_year") + " (Amt):Currency:120"] - query_details = " SUM(t2.qty), SUM(t1.grand_total)," + query_details = " SUM(t2.qty), SUM(t2.base_amount)," - query_details += 'SUM(t2.qty), SUM(t1.grand_total)' + query_details += 'SUM(t2.qty), SUM(t2.base_amount)' return pwc, query_details def get_period_wise_columns(bet_dates, period, pwc): @@ -147,7 +147,7 @@ def get_period_wise_columns(bet_dates, period, pwc): def get_period_wise_query(bet_dates, trans_date, query_details): query_details += """SUM(IF(t1.%(trans_date)s BETWEEN '%(sd)s' AND '%(ed)s', t2.qty, NULL)), - SUM(IF(t1.%(trans_date)s BETWEEN '%(sd)s' AND '%(ed)s', t1.grand_total, NULL)), + SUM(IF(t1.%(trans_date)s BETWEEN '%(sd)s' AND '%(ed)s', t2.base_amount, NULL)), """ % {"trans_date": trans_date, "sd": bet_dates[0],"ed": bet_dates[1]} return query_details @@ -191,7 +191,7 @@ def get_period_month_ranges(period, fiscal_year): return period_month_ranges -def based_wise_colums_query(based_on, trans): +def based_wise_columns_query(based_on, trans): based_on_details = {} # based_on_cols, based_on_select, based_on_group_by, addl_tables diff --git a/erpnext/public/js/purchase_trends_filters.js b/erpnext/public/js/purchase_trends_filters.js index 168b9ad660..d60b915f48 100644 --- a/erpnext/public/js/purchase_trends_filters.js +++ b/erpnext/public/js/purchase_trends_filters.js @@ -21,7 +21,7 @@ var get_filters = function(){ "fieldname":"group_by", "label": __("Group By"), "fieldtype": "Select", - "options": ["Item", "Supplier"].join("\n"), + "options": ["", "Item", "Supplier"].join("\n"), "default": "" }, { @@ -39,4 +39,4 @@ var get_filters = function(){ "default": frappe.defaults.get_user_default("company") }, ]; -} \ No newline at end of file +} diff --git a/erpnext/public/js/sales_trends_filters.js b/erpnext/public/js/sales_trends_filters.js index a1254c1af0..89c269e339 100644 --- a/erpnext/public/js/sales_trends_filters.js +++ b/erpnext/public/js/sales_trends_filters.js @@ -21,7 +21,7 @@ var get_filters = function(){ "fieldname":"group_by", "label": __("Group By"), "fieldtype": "Select", - "options": ["Item", "Customer"].join("\n"), + "options": ["", "Item", "Customer"].join("\n"), "default": "" }, { @@ -37,6 +37,6 @@ var get_filters = function(){ "fieldtype": "Link", "options": "Company", "default": frappe.defaults.get_user_default("company") - }, + }, ]; -} \ No newline at end of file +} From 704a453b7aeffe3ec463f1395597442fd48c6736 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Thu, 5 Jun 2014 16:55:31 +0530 Subject: [PATCH 094/630] Set missing values only in unsubmitted documents --- erpnext/controllers/accounts_controller.py | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/erpnext/controllers/accounts_controller.py b/erpnext/controllers/accounts_controller.py index 4567dd7005..a1bce2d213 100644 --- a/erpnext/controllers/accounts_controller.py +++ b/erpnext/controllers/accounts_controller.py @@ -12,7 +12,8 @@ import json class AccountsController(TransactionBase): def validate(self): - self.set_missing_values(for_validate=True) + if self.docstatus == 0: + self.set_missing_values(for_validate=True) self.validate_date_with_fiscal_year() if self.meta.get_field("currency"): self.calculate_taxes_and_totals() From 86207afe159709aa73b7b692f2b768c8c2410c47 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Thu, 5 Jun 2014 17:00:53 +0530 Subject: [PATCH 095/630] Set missing values only in unsubmitted documents --- erpnext/controllers/accounts_controller.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/controllers/accounts_controller.py b/erpnext/controllers/accounts_controller.py index a1bce2d213..167f6c276e 100644 --- a/erpnext/controllers/accounts_controller.py +++ b/erpnext/controllers/accounts_controller.py @@ -12,7 +12,7 @@ import json class AccountsController(TransactionBase): def validate(self): - if self.docstatus == 0: + if self._actions != "update_after_submit": self.set_missing_values(for_validate=True) self.validate_date_with_fiscal_year() if self.meta.get_field("currency"): From 977331806bce95485976984e8d0724f8dae2e9cb Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Thu, 5 Jun 2014 17:10:48 +0530 Subject: [PATCH 096/630] Set missing values only in unsubmitted documents --- erpnext/controllers/accounts_controller.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/controllers/accounts_controller.py b/erpnext/controllers/accounts_controller.py index 167f6c276e..3af82903a6 100644 --- a/erpnext/controllers/accounts_controller.py +++ b/erpnext/controllers/accounts_controller.py @@ -12,7 +12,7 @@ import json class AccountsController(TransactionBase): def validate(self): - if self._actions != "update_after_submit": + if self._action != "update_after_submit": self.set_missing_values(for_validate=True) self.validate_date_with_fiscal_year() if self.meta.get_field("currency"): From ba83e9cfbe005025660b8097fe4ef0feee6e8c4d Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Thu, 5 Jun 2014 17:56:12 +0530 Subject: [PATCH 097/630] removed sms control and related cleanup, fixes frappe/erpnext#462 --- .../doctype/sales_invoice/sales_invoice.js | 7 +- .../doctype/purchase_order/purchase_order.js | 53 ++++---- erpnext/patches.txt | 1 + erpnext/public/js/sms_manager.js | 104 ++++++++++++++++ erpnext/selling/doctype/lead/lead.js | 7 +- .../doctype/opportunity/opportunity.js | 8 +- .../selling/doctype/quotation/quotation.js | 7 +- .../doctype/sales_order/sales_order.js | 6 +- .../selling/doctype/sms_center/sms_center.py | 36 +++--- .../doctype/sms_settings/sms_settings.js | 0 .../doctype/sms_settings/sms_settings.py | 105 +++++++++++++++- .../doctype/delivery_note/delivery_note.js | 7 +- .../material_request/material_request.js | 62 +++++----- .../purchase_receipt/purchase_receipt.js | 7 +- .../utilities/doctype/sms_control/__init__.py | 1 - .../doctype/sms_control/sms_control.js | 94 --------------- .../doctype/sms_control/sms_control.json | 29 ----- .../doctype/sms_control/sms_control.py | 114 ------------------ 18 files changed, 329 insertions(+), 319 deletions(-) create mode 100644 erpnext/public/js/sms_manager.js create mode 100644 erpnext/setup/doctype/sms_settings/sms_settings.js delete mode 100644 erpnext/utilities/doctype/sms_control/__init__.py delete mode 100644 erpnext/utilities/doctype/sms_control/sms_control.js delete mode 100644 erpnext/utilities/doctype/sms_control/sms_control.json delete mode 100644 erpnext/utilities/doctype/sms_control/sms_control.py diff --git a/erpnext/accounts/doctype/sales_invoice/sales_invoice.js b/erpnext/accounts/doctype/sales_invoice/sales_invoice.js index 21b42a5f3f..034880a211 100644 --- a/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +++ b/erpnext/accounts/doctype/sales_invoice/sales_invoice.js @@ -11,7 +11,6 @@ cur_frm.pformat.print_heading = 'Invoice'; {% include 'selling/sales_common.js' %}; {% include 'accounts/doctype/sales_taxes_and_charges_master/sales_taxes_and_charges_master.js' %} -{% include 'utilities/doctype/sms_control/sms_control.js' %} {% include 'accounts/doctype/sales_invoice/pos.js' %} frappe.provide("erpnext.accounts"); @@ -426,3 +425,9 @@ cur_frm.cscript.invoice_period_from_date = function(doc, dt, dn) { } } } + +cur_frm.cscript.send_sms = function() { + frappe.require("assets/erpnext/js/sms_manager.js"); + var sms_man = new SMSManager(cur_frm.doc); +} + diff --git a/erpnext/buying/doctype/purchase_order/purchase_order.js b/erpnext/buying/doctype/purchase_order/purchase_order.js index 8e759f77dd..6474446f0d 100644 --- a/erpnext/buying/doctype/purchase_order/purchase_order.js +++ b/erpnext/buying/doctype/purchase_order/purchase_order.js @@ -9,53 +9,52 @@ cur_frm.cscript.other_fname = "other_charges"; {% include 'buying/doctype/purchase_common/purchase_common.js' %}; {% include 'accounts/doctype/purchase_taxes_and_charges_master/purchase_taxes_and_charges_master.js' %} -{% include 'utilities/doctype/sms_control/sms_control.js' %} {% include 'accounts/doctype/sales_invoice/pos.js' %} erpnext.buying.PurchaseOrderController = erpnext.buying.BuyingController.extend({ refresh: function(doc, cdt, cdn) { this._super(); this.frm.dashboard.reset(); - + if(doc.docstatus == 1 && doc.status != 'Stopped'){ - cur_frm.dashboard.add_progress(cint(doc.per_received) + __("% Received"), + cur_frm.dashboard.add_progress(cint(doc.per_received) + __("% Received"), doc.per_received); - cur_frm.dashboard.add_progress(cint(doc.per_billed) + __("% Billed"), + cur_frm.dashboard.add_progress(cint(doc.per_billed) + __("% Billed"), doc.per_billed); cur_frm.add_custom_button('Send SMS', cur_frm.cscript.send_sms); - if(flt(doc.per_received, 2) < 100) - cur_frm.add_custom_button(__('Make Purchase Receipt'), this.make_purchase_receipt); - if(flt(doc.per_billed, 2) < 100) + if(flt(doc.per_received, 2) < 100) + cur_frm.add_custom_button(__('Make Purchase Receipt'), this.make_purchase_receipt); + if(flt(doc.per_billed, 2) < 100) cur_frm.add_custom_button(__('Make Invoice'), this.make_purchase_invoice); - if(flt(doc.per_billed, 2) < 100 || doc.per_received < 100) + if(flt(doc.per_billed, 2) < 100 || doc.per_received < 100) cur_frm.add_custom_button(__('Stop'), cur_frm.cscript['Stop Purchase Order'], "icon-exclamation"); } else if(doc.docstatus===0) { cur_frm.cscript.add_from_mappers(); } if(doc.docstatus == 1 && doc.status == 'Stopped') - cur_frm.add_custom_button(__('Unstop Purchase Order'), + cur_frm.add_custom_button(__('Unstop Purchase Order'), cur_frm.cscript['Unstop Purchase Order'], "icon-check"); }, - + make_purchase_receipt: function() { frappe.model.open_mapped_doc({ method: "erpnext.buying.doctype.purchase_order.purchase_order.make_purchase_receipt", frm: cur_frm }) }, - + make_purchase_invoice: function() { frappe.model.open_mapped_doc({ method: "erpnext.buying.doctype.purchase_order.purchase_order.make_purchase_invoice", frm: cur_frm }) }, - + add_from_mappers: function() { - cur_frm.add_custom_button(__('From Material Request'), + cur_frm.add_custom_button(__('From Material Request'), function() { frappe.model.map_current_doc({ method: "erpnext.stock.doctype.material_request.material_request.make_purchase_order", @@ -71,7 +70,7 @@ erpnext.buying.PurchaseOrderController = erpnext.buying.BuyingController.extend( } ); - cur_frm.add_custom_button(__('From Supplier Quotation'), + cur_frm.add_custom_button(__('From Supplier Quotation'), function() { frappe.model.map_current_doc({ method: "erpnext.buying.doctype.supplier_quotation.supplier_quotation.make_purchase_order", @@ -83,9 +82,9 @@ erpnext.buying.PurchaseOrderController = erpnext.buying.BuyingController.extend( } }) } - ); - - cur_frm.add_custom_button(__('For Supplier'), + ); + + cur_frm.add_custom_button(__('For Supplier'), function() { frappe.model.map_current_doc({ method: "erpnext.stock.doctype.material_request.material_request.make_purchase_order_based_on_supplier", @@ -128,7 +127,7 @@ cur_frm.fields_dict['po_details'].grid.get_field('project_name').get_query = fun } cur_frm.cscript.get_last_purchase_rate = function(doc, cdt, cdn){ - return $c_obj(doc, 'get_last_purchase_rate', '', function(r, rt) { + return $c_obj(doc, 'get_last_purchase_rate', '', function(r, rt) { refresh_field(cur_frm.cscript.fname); var doc = locals[cdt][cdn]; cur_frm.cscript.calc_amount( doc, 2); @@ -142,7 +141,7 @@ cur_frm.cscript['Stop Purchase Order'] = function() { if (check) { return $c('runserverobj', args={'method':'update_status', 'arg': 'Stopped', 'docs':doc}, function(r,rt) { cur_frm.refresh(); - }); + }); } } @@ -153,13 +152,13 @@ cur_frm.cscript['Unstop Purchase Order'] = function() { if (check) { return $c('runserverobj', args={'method':'update_status', 'arg': 'Submitted', 'docs':doc}, function(r,rt) { cur_frm.refresh(); - }); + }); } } cur_frm.pformat.indent_no = function(doc, cdt, cdn){ //function to make row of table - + var make_row = function(title,val1, val2, bold){ var bstart = ''; var bend = ''; @@ -169,12 +168,12 @@ cur_frm.pformat.indent_no = function(doc, cdt, cdn){ } out =''; - + var cl = doc.po_details || []; - // outer table + // outer table var out='
'; - + // main table out +=''; @@ -202,3 +201,9 @@ cur_frm.cscript.on_submit = function(doc, cdt, cdn) { cur_frm.email_doc(frappe.boot.notification_settings.purchase_order_message); } } + +cur_frm.cscript.send_sms = function() { + frappe.require("assets/erpnext/js/sms_manager.js"); + var sms_man = new SMSManager(cur_frm.doc); +} + diff --git a/erpnext/patches.txt b/erpnext/patches.txt index a5a7ae49c0..f68af6a001 100644 --- a/erpnext/patches.txt +++ b/erpnext/patches.txt @@ -46,3 +46,4 @@ execute:import frappe.defaults;frappe.defaults.clear_default("price_list_currenc erpnext.patches.v4_0.update_account_root_type execute:frappe.delete_doc("Report", "Purchase In Transit") erpnext.patches.v4_0.new_address_template +execute:frappe.delete_doc("DocType", "SMS Control") diff --git a/erpnext/public/js/sms_manager.js b/erpnext/public/js/sms_manager.js new file mode 100644 index 0000000000..489096f6de --- /dev/null +++ b/erpnext/public/js/sms_manager.js @@ -0,0 +1,104 @@ +// Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors +// License: GNU General Public License v3. See license.txt + +function SMSManager(doc) { + var me = this; + this.setup = function() { + var default_msg = { + 'Lead' : '', + 'Opportunity' : 'Your enquiry has been logged into the system. Ref No: ' + doc.name, + 'Quotation' : 'Quotation ' + doc.name + ' has been sent via email. Thanks!', + 'Sales Order' : 'Sales Order ' + doc.name + ' has been created against ' + + (doc.quotation_no ? ('Quote No:' + doc.quotation_no) : '') + + (doc.po_no ? (' for your PO: ' + doc.po_no) : ''), + 'Delivery Note' : 'Items has been delivered against delivery note: ' + doc.name + + (doc.po_no ? (' for your PO: ' + doc.po_no) : ''), + 'Sales Invoice': 'Invoice ' + doc.name + ' has been sent via email ' + + (doc.po_no ? (' for your PO: ' + doc.po_no) : ''), + 'Material Request' : 'Material Request ' + doc.name + ' has been raised in the system', + 'Purchase Order' : 'Purchase Order ' + doc.name + ' has been sent via email', + 'Purchase Receipt' : 'Items has been received against purchase receipt: ' + doc.name + } + + if (in_list(['Quotation', 'Sales Order', 'Delivery Note', 'Sales Invoice'], doc.doctype)) + this.show(doc.contact_person, 'customer', doc.customer, '', default_msg[doc.doctype]); + else if (in_list(['Purchase Order', 'Purchase Receipt'], doc.doctype)) + this.show(doc.contact_person, 'supplier', doc.supplier, '', default_msg[doc.doctype]); + else if (doc.doctype == 'Lead') + this.show('', '', '', doc.mobile_no, default_msg[doc.doctype]); + else if (doc.doctype == 'Opportunity') + this.show('', '', '', doc.contact_no, default_msg[doc.doctype]); + else if (doc.doctype == 'Material Request') + this.show('', '', '', '', default_msg[doc.doctype]); + + }; + + this.get_contact_number = function(contact, key, value) { + frappe.call({ + method: "erpnext.setup.doctype.sms_settings.sms_settings.get_contact_number", + args: { + contact_name:contact, + value:value, + key:key + }, + callback: function(r) { + if(r.exc) { msgprint(r.exc); return; } + me.number = r.message; + me.show_dialog(); + } + }); + }; + + this.show = function(contact, key, value, mobile_nos, message) { + this.message = message; + if (mobile_nos) { + me.number = mobile_nos; + me.show_dialog(); + } else if (contact){ + this.get_contact_number(contact, key, value) + } else { + me.show_dialog(); + } + } + this.show_dialog = function() { + if(!me.dialog) + me.make_dialog(); + me.dialog.set_values({ + 'message': me.message, + 'number': me.number + }) + me.dialog.show(); + } + this.make_dialog = function() { + var d = new frappe.ui.Dialog({ + title: 'Send SMS', + width: 400, + fields: [ + {fieldname:'number', fieldtype:'Data', label:'Mobile Number', reqd:1}, + {fieldname:'message', fieldtype:'Text', label:'Message', reqd:1}, + {fieldname:'send', fieldtype:'Button', label:'Send'} + ] + }) + d.fields_dict.send.input.onclick = function() { + var btn = d.fields_dict.send.input; + var v = me.dialog.get_values(); + if(v) { + $(btn).set_working(); + frappe.call({ + method: "erpnext.setup.doctype.sms_settings.sms_settings.send_sms", + args: { + receiver_list: [v.number], + msg: v.message + }, + callback: function(r) { + $(btn).done_working(); + if(r.exc) {msgprint(r.exc); return; } + me.dialog.hide(); + } + }); + } + } + this.dialog = d; + } + this.setup(); +} diff --git a/erpnext/selling/doctype/lead/lead.js b/erpnext/selling/doctype/lead/lead.js index 6172b1e6ab..286ce3593c 100644 --- a/erpnext/selling/doctype/lead/lead.js +++ b/erpnext/selling/doctype/lead/lead.js @@ -2,7 +2,6 @@ // License: GNU General Public License v3. See license.txt {% include 'setup/doctype/contact_control/contact_control.js' %}; -{% include 'utilities/doctype/sms_control/sms_control.js' %} frappe.provide("erpnext"); erpnext.LeadController = frappe.ui.form.Controller.extend({ @@ -90,3 +89,9 @@ erpnext.LeadController = frappe.ui.form.Controller.extend({ }); $.extend(cur_frm.cscript, new erpnext.LeadController({frm: cur_frm})); + +cur_frm.cscript.send_sms = function() { + frappe.require("assets/erpnext/js/sms_manager.js"); + var sms_man = new SMSManager(cur_frm.doc); +} + diff --git a/erpnext/selling/doctype/opportunity/opportunity.js b/erpnext/selling/doctype/opportunity/opportunity.js index 8fd4e82b47..4cc95ad59b 100644 --- a/erpnext/selling/doctype/opportunity/opportunity.js +++ b/erpnext/selling/doctype/opportunity/opportunity.js @@ -1,8 +1,6 @@ // Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors // License: GNU General Public License v3. See license.txt -{% include 'utilities/doctype/sms_control/sms_control.js' %}; - frappe.ui.form.on_change("Opportunity", "customer", function(frm) { erpnext.utils.get_party_details(frm) }); frappe.ui.form.on_change("Opportunity", "customer_address", erpnext.utils.get_address_display); @@ -145,3 +143,9 @@ cur_frm.cscript['Declare Opportunity Lost'] = function() { }); dialog.show(); } + +cur_frm.cscript.send_sms = function() { + frappe.require("assets/erpnext/js/sms_manager.js"); + var sms_man = new SMSManager(cur_frm.doc); +} + diff --git a/erpnext/selling/doctype/quotation/quotation.js b/erpnext/selling/doctype/quotation/quotation.js index 022e2e4e59..e65fcbe4a3 100644 --- a/erpnext/selling/doctype/quotation/quotation.js +++ b/erpnext/selling/doctype/quotation/quotation.js @@ -10,7 +10,6 @@ cur_frm.cscript.sales_team_fname = "sales_team"; {% include 'selling/sales_common.js' %} {% include 'accounts/doctype/sales_taxes_and_charges_master/sales_taxes_and_charges_master.js' %} -{% include 'utilities/doctype/sms_control/sms_control.js' %} {% include 'accounts/doctype/sales_invoice/pos.js' %} erpnext.selling.QuotationController = erpnext.selling.SellingController.extend({ @@ -175,3 +174,9 @@ cur_frm.cscript.on_submit = function(doc, cdt, cdn) { if(cint(frappe.boot.notification_settings.quotation)) cur_frm.email_doc(frappe.boot.notification_settings.quotation_message); } + +cur_frm.cscript.send_sms = function() { + frappe.require("assets/erpnext/js/sms_manager.js"); + var sms_man = new SMSManager(cur_frm.doc); +} + diff --git a/erpnext/selling/doctype/sales_order/sales_order.js b/erpnext/selling/doctype/sales_order/sales_order.js index 06eb470318..c8ddcf5947 100644 --- a/erpnext/selling/doctype/sales_order/sales_order.js +++ b/erpnext/selling/doctype/sales_order/sales_order.js @@ -10,7 +10,6 @@ cur_frm.cscript.sales_team_fname = "sales_team"; {% include 'selling/sales_common.js' %} {% include 'accounts/doctype/sales_taxes_and_charges_master/sales_taxes_and_charges_master.js' %} -{% include 'utilities/doctype/sms_control/sms_control.js' %} {% include 'accounts/doctype/sales_invoice/pos.js' %} erpnext.selling.SalesOrderController = erpnext.selling.SellingController.extend({ @@ -189,3 +188,8 @@ cur_frm.cscript.on_submit = function(doc, cdt, cdn) { cur_frm.email_doc(frappe.boot.notification_settings.sales_order_message); } }; + +cur_frm.cscript.send_sms = function() { + frappe.require("assets/erpnext/js/sms_manager.js"); + var sms_man = new SMSManager(cur_frm.doc); +}; diff --git a/erpnext/selling/doctype/sms_center/sms_center.py b/erpnext/selling/doctype/sms_center/sms_center.py index 209d1b4c38..81939546bf 100644 --- a/erpnext/selling/doctype/sms_center/sms_center.py +++ b/erpnext/selling/doctype/sms_center/sms_center.py @@ -9,6 +9,8 @@ from frappe import msgprint, _ from frappe.model.document import Document +from erpnext.setup.doctype.sms_settings.sms_settings import send_sms + class SMSCenter(Document): def create_receiver_list(self): @@ -26,29 +28,30 @@ class SMSCenter(Document): self.sales_partner.replace("'", "\'") or " and ifnull(sales_partner, '') != ''" if self.send_to in ['All Contact', 'All Customer Contact', 'All Supplier Contact', 'All Sales Partner Contact']: - rec = frappe.db.sql("""select CONCAT(ifnull(first_name,''), '', ifnull(last_name,'')), - mobile_no from `tabContact` where ifnull(mobile_no,'')!='' and - docstatus != 2 %s""", where_clause) - + rec = frappe.db.sql("""select CONCAT(ifnull(first_name,''), ' ', ifnull(last_name,'')), + mobile_no from `tabContact` where ifnull(mobile_no,'')!='' and + docstatus != 2 %s""" % where_clause) + elif self.send_to == 'All Lead (Open)': - rec = frappe.db.sql("""select lead_name, mobile_no from `tabLead` where + rec = frappe.db.sql("""select lead_name, mobile_no from `tabLead` where ifnull(mobile_no,'')!='' and docstatus != 2 and status='Open'""") - + elif self.send_to == 'All Employee (Active)': where_clause = self.department and " and department = '%s'" % \ self.department.replace("'", "\'") or "" where_clause += self.branch and " and branch = '%s'" % \ self.branch.replace("'", "\'") or "" - - rec = frappe.db.sql("""select employee_name, cell_number from - `tabEmployee` where status = 'Active' and docstatus < 2 and - ifnull(cell_number,'')!='' %s""", where_clause) - + + rec = frappe.db.sql("""select employee_name, cell_number from + `tabEmployee` where status = 'Active' and docstatus < 2 and + ifnull(cell_number,'')!='' %s""" % where_clause) + elif self.send_to == 'All Sales Person': - rec = frappe.db.sql("""select sales_person_name, mobile_no from + rec = frappe.db.sql("""select sales_person_name, mobile_no from `tabSales Person` where docstatus!=2 and ifnull(mobile_no,'')!=''""") - rec_list = '' - + + rec_list = '' + for d in rec: rec_list += d[0] + ' - ' + d[1] + '\n' self.receiver_list = rec_list @@ -64,7 +67,7 @@ class SMSCenter(Document): receiver_nos.append(cstr(receiver_no).strip()) else: msgprint(_("Receiver List is empty. Please create Receiver List")) - + return receiver_nos def send_sms(self): @@ -73,4 +76,5 @@ class SMSCenter(Document): else: receiver_list = self.get_receiver_nos() if receiver_list: - msgprint(frappe.get_doc('SMS Control', 'SMS Control').send_sms(receiver_list, cstr(self.message))) \ No newline at end of file + send_sms(receiver_list, cstr(self.message)) + diff --git a/erpnext/setup/doctype/sms_settings/sms_settings.js b/erpnext/setup/doctype/sms_settings/sms_settings.js new file mode 100644 index 0000000000..e69de29bb2 diff --git a/erpnext/setup/doctype/sms_settings/sms_settings.py b/erpnext/setup/doctype/sms_settings/sms_settings.py index 281ae7672c..ac687a9a57 100644 --- a/erpnext/setup/doctype/sms_settings/sms_settings.py +++ b/erpnext/setup/doctype/sms_settings/sms_settings.py @@ -2,9 +2,106 @@ # License: GNU General Public License v3. See license.txt from __future__ import unicode_literals -import frappe +import frappe, json -from frappe.model.document import Document +from frappe import _, throw, msgprint +from frappe.utils import cstr, nowdate -class SMSSettings(Document): - pass \ No newline at end of file +def validate_receiver_nos(receiver_list): + validated_receiver_list = [] + for d in receiver_list: + # remove invalid character + invalid_char_list = [' ', '+', '-', '(', ')'] + for x in invalid_char_list: + d = d.replace(x, '') + + validated_receiver_list.append(d) + + if not validated_receiver_list: + throw(_("Please enter valid mobile nos")) + + return validated_receiver_list + + +def get_sender_name(): + "returns name as SMS sender" + sender_name = frappe.db.get_value('Global Defaults', None, 'sms_sender_name') or \ + 'ERPNXT' + if len(sender_name) > 6 and \ + frappe.db.get_default("country") == "India": + throw("""As per TRAI rule, sender name must be exactly 6 characters. + Kindly change sender name in Setup --> Global Defaults. + Note: Hyphen, space, numeric digit, special characters are not allowed.""") + return sender_name + +@frappe.whitelist() +def get_contact_number(contact_name, value, key): + "returns mobile number of the contact" + number = frappe.db.sql("""select mobile_no, phone from tabContact where name=%s and %s=%s""" % + ('%s', key, '%s'), (contact_name, value)) + return number and (number[0][0] or number[0][1]) or '' + +@frappe.whitelist() +def send_sms(receiver_list, msg, sender_name = ''): + receiver_list = validate_receiver_nos(receiver_list) + + arg = { + 'receiver_list' : receiver_list, + 'message' : msg, + 'sender_name' : sender_name or get_sender_name() + } + + if frappe.db.get_value('SMS Settings', None, 'sms_gateway_url'): + ret = send_via_gateway(arg) + msgprint(ret) + else: + msgprint(_("Please Update SMS Settings")) + +def send_via_gateway(arg): + ss = frappe.get_doc('SMS Settings', 'SMS Settings') + args = {ss.message_parameter : arg.get('message')} + for d in ss.get("static_parameter_details"): + args[d.parameter] = d.value + + resp = [] + for d in arg.get('receiver_list'): + args[ss.receiver_parameter] = d + resp.append(send_request(ss.sms_gateway_url, args)) + + return resp + +# Send Request +# ========================================================= +def send_request(gateway_url, args): + import httplib, urllib + server, api_url = scrub_gateway_url(gateway_url) + conn = httplib.HTTPConnection(server) # open connection + headers = {} + headers['Accept'] = "text/plain, text/html, */*" + conn.request('GET', api_url + urllib.urlencode(args), headers = headers) # send request + resp = conn.getresponse() # get response + resp = resp.read() + return resp + +# Split gateway url to server and api url +# ========================================================= +def scrub_gateway_url(url): + url = url.replace('http://', '').strip().split('/') + server = url.pop(0) + api_url = '/' + '/'.join(url) + if not api_url.endswith('?'): + api_url += '?' + return server, api_url + + +# Create SMS Log +# ========================================================= +def create_sms_log(arg, sent_sms): + sl = frappe.get_doc('SMS Log') + sl.sender_name = arg['sender_name'] + sl.sent_on = nowdate() + sl.receiver_list = cstr(arg['receiver_list']) + sl.message = arg['message'] + sl.no_of_requested_sms = len(arg['receiver_list']) + sl.no_of_sent_sms = sent_sms + sl.save() diff --git a/erpnext/stock/doctype/delivery_note/delivery_note.js b/erpnext/stock/doctype/delivery_note/delivery_note.js index ff551f7720..fb94b88809 100644 --- a/erpnext/stock/doctype/delivery_note/delivery_note.js +++ b/erpnext/stock/doctype/delivery_note/delivery_note.js @@ -9,7 +9,6 @@ cur_frm.cscript.sales_team_fname = "sales_team"; {% include 'selling/sales_common.js' %}; {% include 'accounts/doctype/sales_taxes_and_charges_master/sales_taxes_and_charges_master.js' %} -{% include 'utilities/doctype/sms_control/sms_control.js' %} {% include 'accounts/doctype/sales_invoice/pos.js' %} frappe.provide("erpnext.stock"); @@ -245,3 +244,9 @@ if (sys_defaults.auto_accounting_for_stock) { } } } + +cur_frm.cscript.send_sms = function() { + frappe.require("assets/erpnext/js/sms_manager.js"); + var sms_man = new SMSManager(cur_frm.doc); +} + diff --git a/erpnext/stock/doctype/material_request/material_request.js b/erpnext/stock/doctype/material_request/material_request.js index 8dabbd30d5..e53a92aad7 100644 --- a/erpnext/stock/doctype/material_request/material_request.js +++ b/erpnext/stock/doctype/material_request/material_request.js @@ -5,7 +5,6 @@ cur_frm.cscript.tname = "Material Request Item"; cur_frm.cscript.fname = "indent_details"; {% include 'buying/doctype/purchase_common/purchase_common.js' %}; -{% include 'utilities/doctype/sms_control/sms_control.js' %} erpnext.buying.MaterialRequestController = erpnext.buying.BuyingController.extend({ onload: function(doc) { @@ -17,46 +16,46 @@ erpnext.buying.MaterialRequestController = erpnext.buying.BuyingController.exten } }); }, - + refresh: function(doc) { this._super(); - + // dashboard cur_frm.dashboard.reset(); if(doc.docstatus===1) { if(doc.status==="Stopped") { cur_frm.dashboard.set_headline_alert(__("Stopped"), "alert-danger", "icon-stop") } - cur_frm.dashboard.add_progress(cint(doc.per_ordered) + "% " + cur_frm.dashboard.add_progress(cint(doc.per_ordered) + "% " + __("Fulfilled"), cint(doc.per_ordered)); } - + if(doc.docstatus==0) { cur_frm.add_custom_button(__("Get Items from BOM"), cur_frm.cscript.get_items_from_bom, "icon-sitemap"); } - + if(doc.docstatus == 1 && doc.status != 'Stopped') { if(doc.material_request_type === "Purchase") - cur_frm.add_custom_button(__("Make Supplier Quotation"), + cur_frm.add_custom_button(__("Make Supplier Quotation"), this.make_supplier_quotation); - + if(doc.material_request_type === "Transfer" && doc.status === "Submitted") cur_frm.add_custom_button(__("Transfer Material"), this.make_stock_entry); - + if(flt(doc.per_ordered, 2) < 100) { if(doc.material_request_type === "Purchase") - cur_frm.add_custom_button(__('Make Purchase Order'), + cur_frm.add_custom_button(__('Make Purchase Order'), this.make_purchase_order); - - cur_frm.add_custom_button(__('Stop Material Request'), + + cur_frm.add_custom_button(__('Stop Material Request'), cur_frm.cscript['Stop Material Request'], "icon-exclamation"); } cur_frm.add_custom_button(__('Send SMS'), cur_frm.cscript.send_sms, "icon-mobile-phone"); - } - + } + if (this.frm.doc.docstatus===0) { - cur_frm.add_custom_button(__('From Sales Order'), + cur_frm.add_custom_button(__('From Sales Order'), function() { frappe.model.map_current_doc({ method: "erpnext.selling.doctype.sales_order.sales_order.make_material_request", @@ -72,11 +71,11 @@ erpnext.buying.MaterialRequestController = erpnext.buying.BuyingController.exten } if(doc.docstatus == 1 && doc.status == 'Stopped') - cur_frm.add_custom_button(__('Unstop Material Request'), + cur_frm.add_custom_button(__('Unstop Material Request'), cur_frm.cscript['Unstop Material Request'], "icon-check"); - + }, - + schedule_date: function(doc, cdt, cdn) { var val = locals[cdt][cdn].schedule_date; if(val) { @@ -88,14 +87,14 @@ erpnext.buying.MaterialRequestController = erpnext.buying.BuyingController.exten refresh_field("indent_details"); } }, - + get_items_from_bom: function() { var d = new frappe.ui.Dialog({ title: __("Get Items from BOM"), fields: [ - {"fieldname":"bom", "fieldtype":"Link", "label":__("BOM"), + {"fieldname":"bom", "fieldtype":"Link", "label":__("BOM"), options:"BOM"}, - {"fieldname":"fetch_exploded", "fieldtype":"Check", + {"fieldname":"fetch_exploded", "fieldtype":"Check", "label":__("Fetch exploded BOM (including sub-assemblies)"), "default":1}, {fieldname:"fetch", "label":__("Get Items from BOM"), "fieldtype":"Button"} ] @@ -103,7 +102,7 @@ erpnext.buying.MaterialRequestController = erpnext.buying.BuyingController.exten d.get_input("fetch").on("click", function() { var values = d.get_values(); if(!values) return; - + frappe.call({ method: "erpnext.manufacturing.doctype.bom.bom.get_bom_items", args: values, @@ -123,19 +122,19 @@ erpnext.buying.MaterialRequestController = erpnext.buying.BuyingController.exten }); d.show(); }, - + tc_name: function() { this.get_terms(); }, - + validate_company_and_party: function(party_field) { return true; }, - + calculate_taxes_and_totals: function() { return; }, - + make_purchase_order: function() { frappe.model.open_mapped_doc({ method: "erpnext.stock.doctype.material_request.material_request.make_purchase_order", @@ -160,7 +159,7 @@ erpnext.buying.MaterialRequestController = erpnext.buying.BuyingController.exten // for backward compatibility: combine new and previous states $.extend(cur_frm.cscript, new erpnext.buying.MaterialRequestController({frm: cur_frm})); - + cur_frm.cscript.qty = function(doc, cdt, cdn) { var d = locals[cdt][cdn]; if (flt(d.qty) < flt(d.min_order_qty)) @@ -181,10 +180,15 @@ cur_frm.cscript['Stop Material Request'] = function() { cur_frm.cscript['Unstop Material Request'] = function(){ var doc = cur_frm.doc; var check = confirm(__("Do you really want to UNSTOP this Material Request?")); - + if (check) { return $c('runserverobj', args={'method':'update_status', 'arg': 'Submitted','docs': doc}, function(r,rt) { cur_frm.refresh(); }); } -}; \ No newline at end of file +}; + +cur_frm.cscript.send_sms = function() { + frappe.require("assets/erpnext/js/sms_manager.js"); + var sms_man = new SMSManager(cur_frm.doc); +} diff --git a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js index 3d1a2162a2..5851709d66 100644 --- a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +++ b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js @@ -7,7 +7,6 @@ cur_frm.cscript.other_fname = "other_charges"; {% include 'buying/doctype/purchase_common/purchase_common.js' %}; {% include 'accounts/doctype/purchase_taxes_and_charges_master/purchase_taxes_and_charges_master.js' %} -{% include 'utilities/doctype/sms_control/sms_control.js' %} {% include 'accounts/doctype/sales_invoice/pos.js' %} frappe.provide("erpnext.stock"); @@ -165,3 +164,9 @@ cur_frm.cscript.on_submit = function(doc, cdt, cdn) { if(cint(frappe.boot.notification_settings.purchase_receipt)) cur_frm.email_doc(frappe.boot.notification_settings.purchase_receipt_message); } + +cur_frm.cscript.send_sms = function() { + frappe.require("assets/erpnext/js/sms_manager.js"); + var sms_man = new SMSManager(cur_frm.doc); +} + diff --git a/erpnext/utilities/doctype/sms_control/__init__.py b/erpnext/utilities/doctype/sms_control/__init__.py deleted file mode 100644 index baffc48825..0000000000 --- a/erpnext/utilities/doctype/sms_control/__init__.py +++ /dev/null @@ -1 +0,0 @@ -from __future__ import unicode_literals diff --git a/erpnext/utilities/doctype/sms_control/sms_control.js b/erpnext/utilities/doctype/sms_control/sms_control.js deleted file mode 100644 index 60f53d92a2..0000000000 --- a/erpnext/utilities/doctype/sms_control/sms_control.js +++ /dev/null @@ -1,94 +0,0 @@ -// Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors -// License: GNU General Public License v3. See license.txt - -function SMSManager() { - var me = this; - this.get_contact_number = function(contact, key, value) { - return $c_obj('SMS Control', 'get_contact_number', { - contact_name:contact, - value:value, - key:key - }, function(r,rt) { - if(r.exc) { msgprint(r.exc); return; } - me.number = r.message; - me.show_dialog(); - } - ); - } - this.show = function(contact, key, value, mobile_nos, message) { - this.message = message; - if (mobile_nos) { - me.number = mobile_nos; - me.show_dialog(); - } else if (contact){ - this.get_contact_number(contact, key, value) - } else { - me.show_dialog(); - } - } - this.show_dialog = function() { - if(!me.dialog) - me.make_dialog(); - me.dialog.set_values({ - 'message': me.message, - 'number': me.number - }) - me.dialog.show(); - } - this.make_dialog = function() { - var d = new frappe.ui.Dialog({ - title: 'Send SMS', - width: 400, - fields: [ - {fieldname:'number', fieldtype:'Data', label:'Mobile Number', reqd:1}, - {fieldname:'message', fieldtype:'Text', label:'Message', reqd:1}, - {fieldname:'send', fieldtype:'Button', label:'Send'} - ] - }) - d.fields_dict.send.input.onclick = function() { - var btn = d.fields_dict.send.input; - var v = me.dialog.get_values(); - if(v) { - $(this).set_working(); - return $c_obj('SMS Control', 'send_form_sms', v, function(r,rt) { - $(this).done_working(); - if(r.exc) {msgprint(r.exc); return; } - msgprint(__('Message Sent')); - me.dialog.hide(); - }) - } - } - this.dialog = d; - } -} - -cur_frm.cscript.send_sms = function(doc,dt,dn) { - var doc = cur_frm.doc; - var sms_man = new SMSManager(); - var default_msg = { - 'Lead' : '', - 'Opportunity' : 'Your enquiry has been logged into the system. Ref No: ' + doc.name, - 'Quotation' : 'Quotation ' + doc.name + ' has been sent via email. Thanks!', - 'Sales Order' : 'Sales Order ' + doc.name + ' has been created against ' - + (doc.quotation_no ? ('Quote No:' + doc.quotation_no) : '') - + (doc.po_no ? (' for your PO: ' + doc.po_no) : ''), - 'Delivery Note' : 'Items has been delivered against delivery note: ' + doc.name - + (doc.po_no ? (' for your PO: ' + doc.po_no) : ''), - 'Sales Invoice': 'Invoice ' + doc.name + ' has been sent via email ' - + (doc.po_no ? (' for your PO: ' + doc.po_no) : ''), - 'Material Request' : 'Material Request ' + doc.name + ' has been raised in the system', - 'Purchase Order' : 'Purchase Order ' + doc.name + ' has been sent via email', - 'Purchase Receipt' : 'Items has been received against purchase receipt: ' + doc.name - } - - if (in_list(['Quotation', 'Sales Order', 'Delivery Note', 'Sales Invoice'], doc.doctype)) - sms_man.show(doc.contact_person, 'customer', doc.customer, '', default_msg[doc.doctype]); - else if (in_list(['Purchase Order', 'Purchase Receipt'], doc.doctype)) - sms_man.show(doc.contact_person, 'supplier', doc.supplier, '', default_msg[doc.doctype]); - else if (doc.doctype == 'Lead') - sms_man.show('', '', '', doc.mobile_no, default_msg[doc.doctype]); - else if (doc.doctype == 'Opportunity') - sms_man.show('', '', '', doc.contact_no, default_msg[doc.doctype]); - else if (doc.doctype == 'Material Request') - sms_man.show('', '', '', '', default_msg[doc.doctype]); -} diff --git a/erpnext/utilities/doctype/sms_control/sms_control.json b/erpnext/utilities/doctype/sms_control/sms_control.json deleted file mode 100644 index 1c933f2765..0000000000 --- a/erpnext/utilities/doctype/sms_control/sms_control.json +++ /dev/null @@ -1,29 +0,0 @@ -{ - "creation": "2013-01-10 16:34:32.000000", - "docstatus": 0, - "doctype": "DocType", - "icon": "icon-mobile-phone", - "idx": 1, - "in_create": 0, - "issingle": 1, - "modified": "2013-12-20 19:21:47.000000", - "modified_by": "Administrator", - "module": "Utilities", - "name": "SMS Control", - "owner": "Administrator", - "permissions": [ - { - "create": 1, - "email": 1, - "export": 0, - "import": 0, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 0, - "role": "System Manager", - "submit": 0, - "write": 1 - } - ] -} \ No newline at end of file diff --git a/erpnext/utilities/doctype/sms_control/sms_control.py b/erpnext/utilities/doctype/sms_control/sms_control.py deleted file mode 100644 index e599eeaa91..0000000000 --- a/erpnext/utilities/doctype/sms_control/sms_control.py +++ /dev/null @@ -1,114 +0,0 @@ -# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors -# License: GNU General Public License v3. See license.txt - -from __future__ import unicode_literals -import frappe, json - -from frappe.utils import nowdate, cstr -from frappe import msgprint, throw, _ - - -from frappe.model.document import Document - -class SMSControl(Document): - - def validate_receiver_nos(self,receiver_list): - validated_receiver_list = [] - for d in receiver_list: - # remove invalid character - invalid_char_list = [' ', '+', '-', '(', ')'] - for x in invalid_char_list: - d = d.replace(x, '') - - validated_receiver_list.append(d) - - if not validated_receiver_list: - throw(_("Please enter valid mobile nos")) - - return validated_receiver_list - - - def get_sender_name(self): - "returns name as SMS sender" - sender_name = frappe.db.get_value('Global Defaults', None, 'sms_sender_name') or \ - 'ERPNXT' - if len(sender_name) > 6 and \ - frappe.db.get_default("country") == "India": - throw("""As per TRAI rule, sender name must be exactly 6 characters. - Kindly change sender name in Setup --> Global Defaults. - Note: Hyphen, space, numeric digit, special characters are not allowed.""") - return sender_name - - def get_contact_number(self, arg): - "returns mobile number of the contact" - args = json.loads(arg) - number = frappe.db.sql("""select mobile_no, phone from tabContact where name=%s and %s=%s""" % - ('%s', args['key'], '%s'), (args['contact_name'], args['value'])) - return number and (number[0][0] or number[0][1]) or '' - - def send_form_sms(self, arg): - "called from client side" - args = json.loads(arg) - self.send_sms([cstr(args['number'])], cstr(args['message'])) - - def send_sms(self, receiver_list, msg, sender_name = ''): - receiver_list = self.validate_receiver_nos(receiver_list) - - arg = { - 'receiver_list' : receiver_list, - 'message' : msg, - 'sender_name' : sender_name or self.get_sender_name() - } - - if frappe.db.get_value('SMS Settings', None, 'sms_gateway_url'): - ret = self.send_via_gateway(arg) - msgprint(ret) - - def send_via_gateway(self, arg): - ss = frappe.get_doc('SMS Settings', 'SMS Settings') - args = {ss.message_parameter : arg.get('message')} - for d in ss.get("static_parameter_details"): - args[d.parameter] = d.value - - resp = [] - for d in arg.get('receiver_list'): - args[ss.receiver_parameter] = d - resp.append(self.send_request(ss.sms_gateway_url, args)) - - return resp - - # Send Request - # ========================================================= - def send_request(self, gateway_url, args): - import httplib, urllib - server, api_url = self.scrub_gateway_url(gateway_url) - conn = httplib.HTTPConnection(server) # open connection - headers = {} - headers['Accept'] = "text/plain, text/html, */*" - conn.request('GET', api_url + urllib.urlencode(args), headers = headers) # send request - resp = conn.getresponse() # get response - resp = resp.read() - return resp - - # Split gateway url to server and api url - # ========================================================= - def scrub_gateway_url(self, url): - url = url.replace('http://', '').strip().split('/') - server = url.pop(0) - api_url = '/' + '/'.join(url) - if not api_url.endswith('?'): - api_url += '?' - return server, api_url - - - # Create SMS Log - # ========================================================= - def create_sms_log(self, arg, sent_sms): - sl = frappe.get_doc('SMS Log') - sl.sender_name = arg['sender_name'] - sl.sent_on = nowdate() - sl.receiver_list = cstr(arg['receiver_list']) - sl.message = arg['message'] - sl.no_of_requested_sms = len(arg['receiver_list']) - sl.no_of_sent_sms = sent_sms - sl.save() From ede8ea52b0b96ed85158b069e37ba901afe148b5 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Thu, 5 Jun 2014 18:06:20 +0530 Subject: [PATCH 098/630] Fixes --- erpnext/hr/doctype/leave_application/leave_application.py | 7 ++++++- erpnext/patches/v4_0/customer_discount_to_pricing_rule.py | 3 +++ erpnext/templates/generators/item_group.py | 2 +- 3 files changed, 10 insertions(+), 2 deletions(-) diff --git a/erpnext/hr/doctype/leave_application/leave_application.py b/erpnext/hr/doctype/leave_application/leave_application.py index 9ff02b2603..27833913e8 100755 --- a/erpnext/hr/doctype/leave_application/leave_application.py +++ b/erpnext/hr/doctype/leave_application/leave_application.py @@ -137,7 +137,12 @@ class LeaveApplication(Document): and (from_date between %(from_date)s and %(to_date)s or to_date between %(from_date)s and %(to_date)s or %(from_date)s between from_date and to_date) - and name != %(name)s""", self.as_dict(), as_dict = 1): + and name != %(name)s""", { + "employee": self.employee, + "from_date": self.from_date, + "to_date": self.to_date, + "name": self.name + }, as_dict = 1): frappe.msgprint(_("Employee {0} has already applied for {1} between {2} and {3}").format(self.employee, cstr(d['leave_type']), formatdate(d['from_date']), formatdate(d['to_date']))) diff --git a/erpnext/patches/v4_0/customer_discount_to_pricing_rule.py b/erpnext/patches/v4_0/customer_discount_to_pricing_rule.py index 5f9fc23da5..fa35898df3 100644 --- a/erpnext/patches/v4_0/customer_discount_to_pricing_rule.py +++ b/erpnext/patches/v4_0/customer_discount_to_pricing_rule.py @@ -14,6 +14,9 @@ def execute(): for d in frappe.db.sql("""select * from `tabCustomer Discount` where ifnull(parent, '') != ''""", as_dict=1): + if not d.discount: + continue + frappe.get_doc({ "doctype": "Pricing Rule", "apply_on": "Item Group", diff --git a/erpnext/templates/generators/item_group.py b/erpnext/templates/generators/item_group.py index fab581cd1c..8e09dbc35e 100644 --- a/erpnext/templates/generators/item_group.py +++ b/erpnext/templates/generators/item_group.py @@ -44,7 +44,7 @@ def get_child_groups(item_group_name): item_group = frappe.get_doc("Item Group", item_group_name) return frappe.db.sql("""select name from `tabItem Group` where lft>=%(lft)s and rgt<=%(rgt)s - and show_in_website = 1""", item_group.as_dict()) + and show_in_website = 1""", {"lft": item_group.lft, "rgt": item_group.rgt}) def get_item_for_list_in_html(context): return frappe.get_template("templates/includes/product_in_grid.html").render(context) From 0739937fa2368df81ba5d9eed5953ea57c4aeaac Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Thu, 5 Jun 2014 18:15:00 +0530 Subject: [PATCH 099/630] bug: added empty class for sms settings --- erpnext/setup/doctype/sms_settings/sms_settings.py | 5 +++++ 1 file changed, 5 insertions(+) diff --git a/erpnext/setup/doctype/sms_settings/sms_settings.py b/erpnext/setup/doctype/sms_settings/sms_settings.py index ac687a9a57..a9afacfe30 100644 --- a/erpnext/setup/doctype/sms_settings/sms_settings.py +++ b/erpnext/setup/doctype/sms_settings/sms_settings.py @@ -7,6 +7,11 @@ import frappe, json from frappe import _, throw, msgprint from frappe.utils import cstr, nowdate +from frappe.model.document import Document + +class SMSSettings(Document): + pass + def validate_receiver_nos(receiver_list): validated_receiver_list = [] for d in receiver_list: From 65018daebc15ed3b846521a54d406861125d30df Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Thu, 5 Jun 2014 18:33:26 +0530 Subject: [PATCH 100/630] Minor fix in address template --- erpnext/utilities/doctype/address_template/address_template.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/utilities/doctype/address_template/address_template.py b/erpnext/utilities/doctype/address_template/address_template.py index 39b8d21bd8..4ac80540dd 100644 --- a/erpnext/utilities/doctype/address_template/address_template.py +++ b/erpnext/utilities/doctype/address_template/address_template.py @@ -17,7 +17,7 @@ class AddressTemplate(Document): else: if defaults: for d in defaults: - frappe.db.set_value("Address Template", d, "is_default", 0) + frappe.db.set_value("Address Template", d[0], "is_default", 0) def on_trash(self): if self.is_default: From 290ed09dc618df8c3b0789ce1dbb0c3329a3cdcc Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Thu, 5 Jun 2014 17:34:59 +0530 Subject: [PATCH 101/630] Update new_address_template.py --- erpnext/patches/v4_0/new_address_template.py | 1 + 1 file changed, 1 insertion(+) diff --git a/erpnext/patches/v4_0/new_address_template.py b/erpnext/patches/v4_0/new_address_template.py index fc0c957ad6..74b32b968c 100644 --- a/erpnext/patches/v4_0/new_address_template.py +++ b/erpnext/patches/v4_0/new_address_template.py @@ -1,6 +1,7 @@ import frappe def execute(): + frappe.reload_doc("utilities", "doctype", "address_template") d = frappe.new_doc("Address Template") d.update({"country":frappe.db.get_default("country")}) try: From 5fe69fb5560766f744204f1d5c404c2de58a0879 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Thu, 5 Jun 2014 18:06:20 +0530 Subject: [PATCH 102/630] Fixes --- erpnext/hr/doctype/leave_application/leave_application.py | 7 ++++++- erpnext/patches/v4_0/customer_discount_to_pricing_rule.py | 3 +++ erpnext/templates/generators/item_group.py | 2 +- 3 files changed, 10 insertions(+), 2 deletions(-) diff --git a/erpnext/hr/doctype/leave_application/leave_application.py b/erpnext/hr/doctype/leave_application/leave_application.py index 9ff02b2603..27833913e8 100755 --- a/erpnext/hr/doctype/leave_application/leave_application.py +++ b/erpnext/hr/doctype/leave_application/leave_application.py @@ -137,7 +137,12 @@ class LeaveApplication(Document): and (from_date between %(from_date)s and %(to_date)s or to_date between %(from_date)s and %(to_date)s or %(from_date)s between from_date and to_date) - and name != %(name)s""", self.as_dict(), as_dict = 1): + and name != %(name)s""", { + "employee": self.employee, + "from_date": self.from_date, + "to_date": self.to_date, + "name": self.name + }, as_dict = 1): frappe.msgprint(_("Employee {0} has already applied for {1} between {2} and {3}").format(self.employee, cstr(d['leave_type']), formatdate(d['from_date']), formatdate(d['to_date']))) diff --git a/erpnext/patches/v4_0/customer_discount_to_pricing_rule.py b/erpnext/patches/v4_0/customer_discount_to_pricing_rule.py index 5f9fc23da5..fa35898df3 100644 --- a/erpnext/patches/v4_0/customer_discount_to_pricing_rule.py +++ b/erpnext/patches/v4_0/customer_discount_to_pricing_rule.py @@ -14,6 +14,9 @@ def execute(): for d in frappe.db.sql("""select * from `tabCustomer Discount` where ifnull(parent, '') != ''""", as_dict=1): + if not d.discount: + continue + frappe.get_doc({ "doctype": "Pricing Rule", "apply_on": "Item Group", diff --git a/erpnext/templates/generators/item_group.py b/erpnext/templates/generators/item_group.py index fab581cd1c..8e09dbc35e 100644 --- a/erpnext/templates/generators/item_group.py +++ b/erpnext/templates/generators/item_group.py @@ -44,7 +44,7 @@ def get_child_groups(item_group_name): item_group = frappe.get_doc("Item Group", item_group_name) return frappe.db.sql("""select name from `tabItem Group` where lft>=%(lft)s and rgt<=%(rgt)s - and show_in_website = 1""", item_group.as_dict()) + and show_in_website = 1""", {"lft": item_group.lft, "rgt": item_group.rgt}) def get_item_for_list_in_html(context): return frappe.get_template("templates/includes/product_in_grid.html").render(context) From 2ec93590e4fac70f08ceb63c7e66a81ab2fd0b6f Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Thu, 5 Jun 2014 18:33:26 +0530 Subject: [PATCH 103/630] Minor fix in address template --- erpnext/utilities/doctype/address_template/address_template.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/utilities/doctype/address_template/address_template.py b/erpnext/utilities/doctype/address_template/address_template.py index 39b8d21bd8..4ac80540dd 100644 --- a/erpnext/utilities/doctype/address_template/address_template.py +++ b/erpnext/utilities/doctype/address_template/address_template.py @@ -17,7 +17,7 @@ class AddressTemplate(Document): else: if defaults: for d in defaults: - frappe.db.set_value("Address Template", d, "is_default", 0) + frappe.db.set_value("Address Template", d[0], "is_default", 0) def on_trash(self): if self.is_default: From 880b3ef6c0b22401ddbfb032f0c76f753534b2b8 Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Fri, 6 Jun 2014 11:45:11 +0530 Subject: [PATCH 104/630] added qty updating option multi-item selector --- erpnext/public/js/transaction.js | 2 +- erpnext/selling/sales_common.js | 2 +- erpnext/stock/doctype/stock_entry/stock_entry.js | 2 +- 3 files changed, 3 insertions(+), 3 deletions(-) diff --git a/erpnext/public/js/transaction.js b/erpnext/public/js/transaction.js index a1d9f388ff..27ee1521c8 100644 --- a/erpnext/public/js/transaction.js +++ b/erpnext/public/js/transaction.js @@ -42,7 +42,7 @@ erpnext.TransactionController = erpnext.stock.StockController.extend({ this.calculate_taxes_and_totals(); } if(frappe.meta.get_docfield(this.tname, "item_code")) { - cur_frm.get_field(this.fname).grid.set_multiple_add("item_code"); + cur_frm.get_field(this.fname).grid.set_multiple_add("item_code", "qty"); } }, diff --git a/erpnext/selling/sales_common.js b/erpnext/selling/sales_common.js index 1cc643eb40..63ffb36fb0 100644 --- a/erpnext/selling/sales_common.js +++ b/erpnext/selling/sales_common.js @@ -22,7 +22,7 @@ erpnext.selling.SellingController = erpnext.TransactionController.extend({ }, onload_post_render: function() { - cur_frm.get_field(this.fname).grid.set_multiple_add("item_code"); + cur_frm.get_field(this.fname).grid.set_multiple_add("item_code", "qty"); }, setup_queries: function() { diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.js b/erpnext/stock/doctype/stock_entry/stock_entry.js index 553b25c491..a42a865cbb 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry.js +++ b/erpnext/stock/doctype/stock_entry/stock_entry.js @@ -56,7 +56,7 @@ erpnext.stock.StockEntry = erpnext.stock.StockController.extend({ }, onload_post_render: function() { - cur_frm.get_field(this.fname).grid.set_multiple_add("item_code"); + cur_frm.get_field(this.fname).grid.set_multiple_add("item_code", "qty"); this.set_default_account(); }, From b5cefa92fa42eca1ad137aedeaaff5ac6cd485b4 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Fri, 6 Jun 2014 11:17:00 +0530 Subject: [PATCH 105/630] Improved Fiscal Year validation messages --- erpnext/accounts/doctype/fiscal_year/fiscal_year.py | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/erpnext/accounts/doctype/fiscal_year/fiscal_year.py b/erpnext/accounts/doctype/fiscal_year/fiscal_year.py index 0a7a98565a..cb36581302 100644 --- a/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +++ b/erpnext/accounts/doctype/fiscal_year/fiscal_year.py @@ -25,15 +25,15 @@ class FiscalYear(Document): if year_start_end_dates: if getdate(self.year_start_date) != year_start_end_dates[0][0] or getdate(self.year_end_date) != year_start_end_dates[0][1]: - frappe.throw(_("Cannot change Year Start Date and Year End Date once the Fiscal Year is saved.")) + frappe.throw(_("Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.")) def on_update(self): # validate year start date and year end date if getdate(self.year_start_date) > getdate(self.year_end_date): - frappe.throw(_("Year Start Date should not be greater than Year End Date")) + frappe.throw(_("Fiscal Year Start Date should not be greater than Fiscal Year End Date")) if (getdate(self.year_end_date) - getdate(self.year_start_date)).days > 366: - frappe.throw(_("Year Start Date and Year End Date are not within Fiscal Year.")) + frappe.throw(_("Fiscal Year Start Date and Fiscal Year End Date cannot be more than a year apart.")) year_start_end_dates = frappe.db.sql("""select name, year_start_date, year_end_date from `tabFiscal Year` where name!=%s""", (self.name)) @@ -41,4 +41,4 @@ class FiscalYear(Document): for fiscal_year, ysd, yed in year_start_end_dates: if (getdate(self.year_start_date) == ysd and getdate(self.year_end_date) == yed) \ and (not frappe.flags.in_test): - frappe.throw(_("Year Start Date and Year End Date are already set in Fiscal Year {0}").format(fiscal_year)) + frappe.throw(_("Fiscal Year Start Date and Fiscal Year End Date are already set in Fiscal Year {0}").format(fiscal_year)) From 171c00cfd6ca3fc688fe6137ed3f426e6ae07715 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Fri, 6 Jun 2014 15:09:26 +0530 Subject: [PATCH 106/630] Reload permissions for master and setting documents --- .../leave_application/leave_application.json | 18 ++++++++++++++-- erpnext/patches.txt | 3 +++ .../v4_0/reset_permissions_for_masters.py | 21 +++++++++++++++++++ 3 files changed, 40 insertions(+), 2 deletions(-) create mode 100644 erpnext/patches/v4_0/reset_permissions_for_masters.py diff --git a/erpnext/hr/doctype/leave_application/leave_application.json b/erpnext/hr/doctype/leave_application/leave_application.json index 7a7e129526..beda3de7c1 100644 --- a/erpnext/hr/doctype/leave_application/leave_application.json +++ b/erpnext/hr/doctype/leave_application/leave_application.json @@ -182,9 +182,9 @@ "idx": 1, "is_submittable": 1, "max_attachments": 3, - "modified": "2014-05-27 03:49:12.957706", + "modified": "2014-06-06 05:06:44.594229", "modified_by": "Administrator", - "module": "HR", + "module": "Hr", "name": "Leave Application", "owner": "Administrator", "permissions": [ @@ -200,6 +200,20 @@ "role": "Employee", "write": 1 }, + { + "amend": 1, + "cancel": 1, + "create": 1, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "HR Manager", + "set_user_permissions": 1, + "submit": 1, + "write": 1 + }, { "amend": 0, "cancel": 0, diff --git a/erpnext/patches.txt b/erpnext/patches.txt index f68af6a001..1ff3136bb7 100644 --- a/erpnext/patches.txt +++ b/erpnext/patches.txt @@ -47,3 +47,6 @@ erpnext.patches.v4_0.update_account_root_type execute:frappe.delete_doc("Report", "Purchase In Transit") erpnext.patches.v4_0.new_address_template execute:frappe.delete_doc("DocType", "SMS Control") + +# WATCHOUT: This patch reload's documents +erpnext.patches.v4_0.reset_permissions_for_masters diff --git a/erpnext/patches/v4_0/reset_permissions_for_masters.py b/erpnext/patches/v4_0/reset_permissions_for_masters.py new file mode 100644 index 0000000000..fdafb87011 --- /dev/null +++ b/erpnext/patches/v4_0/reset_permissions_for_masters.py @@ -0,0 +1,21 @@ +# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors +# License: GNU General Public License v3. See license.txt + +from __future__ import unicode_literals +import frappe + +def execute(): + for doctype in ("About Us Settings", "Accounts Settings", "Activity Type", + "Blog Category", "Blog Settings", "Blogger", "Branch", "Brand", "Buying Settings", + "Comment", "Communication", "Company", "Contact Us Settings", + "Country", "Currency", "Currency Exchange", "Deduction Type", "Department", + "Designation", "Earning Type", "Event", "Feed", "File Data", "Fiscal Year", + "HR Settings", "Industry Type", "Jobs Email Settings", "Leave Type", "Letter Head", + "Mode of Payment", "Module Def", "Naming Series", "POS Setting", "Print Heading", + "Report", "Role", "Sales Email Settings", "Selling Settings", "Shopping Cart Settings", + "Stock Settings", "Supplier Type", "UOM"): + try: + frappe.reset_perms(doctype) + except: + print "Error resetting perms for", doctype + raise From 04badf7e6e3b20afe88ec3d22139443fc9ec2a69 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Fri, 6 Jun 2014 15:29:55 +0530 Subject: [PATCH 107/630] Hotfix: module name case for HR --- .../leave_application/leave_application.json | 452 +++++++++--------- 1 file changed, 226 insertions(+), 226 deletions(-) diff --git a/erpnext/hr/doctype/leave_application/leave_application.json b/erpnext/hr/doctype/leave_application/leave_application.json index beda3de7c1..68005d7b81 100644 --- a/erpnext/hr/doctype/leave_application/leave_application.json +++ b/erpnext/hr/doctype/leave_application/leave_application.json @@ -1,286 +1,286 @@ { - "allow_attach": 1, - "autoname": "LAP/.#####", - "creation": "2013-02-20 11:18:11", - "description": "Apply / Approve Leaves", - "docstatus": 0, - "doctype": "DocType", - "document_type": "Transaction", + "allow_attach": 1, + "autoname": "LAP/.#####", + "creation": "2013-02-20 11:18:11", + "description": "Apply / Approve Leaves", + "docstatus": 0, + "doctype": "DocType", + "document_type": "Transaction", "fields": [ { - "default": "Open", - "fieldname": "status", - "fieldtype": "Select", - "in_list_view": 1, - "label": "Status", - "no_copy": 1, - "options": "Open\nApproved\nRejected", + "default": "Open", + "fieldname": "status", + "fieldtype": "Select", + "in_list_view": 1, + "label": "Status", + "no_copy": 1, + "options": "Open\nApproved\nRejected", "permlevel": 1 - }, + }, { - "description": "Leave can be approved by users with Role, \"Leave Approver\"", - "fieldname": "leave_approver", - "fieldtype": "Select", - "label": "Leave Approver", - "options": "[Select]", + "description": "Leave can be approved by users with Role, \"Leave Approver\"", + "fieldname": "leave_approver", + "fieldtype": "Select", + "label": "Leave Approver", + "options": "[Select]", "permlevel": 0 - }, + }, { - "fieldname": "leave_type", - "fieldtype": "Link", - "in_filter": 1, - "in_list_view": 1, - "label": "Leave Type", - "options": "Leave Type", - "permlevel": 0, - "reqd": 1, + "fieldname": "leave_type", + "fieldtype": "Link", + "in_filter": 1, + "in_list_view": 1, + "label": "Leave Type", + "options": "Leave Type", + "permlevel": 0, + "reqd": 1, "search_index": 1 - }, + }, { - "fieldname": "from_date", - "fieldtype": "Date", - "in_list_view": 1, - "label": "From Date", - "permlevel": 0, - "reqd": 1, + "fieldname": "from_date", + "fieldtype": "Date", + "in_list_view": 1, + "label": "From Date", + "permlevel": 0, + "reqd": 1, "search_index": 1 - }, + }, { - "fieldname": "to_date", - "fieldtype": "Date", - "in_list_view": 0, - "label": "To Date", - "permlevel": 0, - "reqd": 1, + "fieldname": "to_date", + "fieldtype": "Date", + "in_list_view": 0, + "label": "To Date", + "permlevel": 0, + "reqd": 1, "search_index": 1 - }, + }, { - "fieldname": "half_day", - "fieldtype": "Check", - "label": "Half Day", + "fieldname": "half_day", + "fieldtype": "Check", + "label": "Half Day", "permlevel": 0 - }, + }, { - "fieldname": "column_break1", - "fieldtype": "Column Break", - "permlevel": 0, - "print_width": "50%", + "fieldname": "column_break1", + "fieldtype": "Column Break", + "permlevel": 0, + "print_width": "50%", "width": "50%" - }, + }, { - "fieldname": "description", - "fieldtype": "Small Text", - "label": "Reason", + "fieldname": "description", + "fieldtype": "Small Text", + "label": "Reason", "permlevel": 0 - }, + }, { - "fieldname": "employee", - "fieldtype": "Link", - "in_filter": 1, - "label": "Employee", - "options": "Employee", - "permlevel": 0, - "reqd": 1, + "fieldname": "employee", + "fieldtype": "Link", + "in_filter": 1, + "label": "Employee", + "options": "Employee", + "permlevel": 0, + "reqd": 1, "search_index": 1 - }, + }, { - "fieldname": "employee_name", - "fieldtype": "Data", - "in_filter": 1, - "in_list_view": 1, - "label": "Employee Name", - "permlevel": 0, - "read_only": 1, + "fieldname": "employee_name", + "fieldtype": "Data", + "in_filter": 1, + "in_list_view": 1, + "label": "Employee Name", + "permlevel": 0, + "read_only": 1, "search_index": 0 - }, + }, { - "fieldname": "leave_balance", - "fieldtype": "Float", - "label": "Leave Balance Before Application", - "no_copy": 1, - "permlevel": 0, + "fieldname": "leave_balance", + "fieldtype": "Float", + "label": "Leave Balance Before Application", + "no_copy": 1, + "permlevel": 0, "read_only": 1 - }, + }, { - "fieldname": "total_leave_days", - "fieldtype": "Float", - "label": "Total Leave Days", - "no_copy": 1, - "permlevel": 0, + "fieldname": "total_leave_days", + "fieldtype": "Float", + "label": "Total Leave Days", + "no_copy": 1, + "permlevel": 0, "read_only": 1 - }, + }, { - "fieldname": "sb10", - "fieldtype": "Section Break", - "label": "More Info", + "fieldname": "sb10", + "fieldtype": "Section Break", + "label": "More Info", "permlevel": 0 - }, + }, { - "allow_on_submit": 1, - "default": "1", - "fieldname": "follow_via_email", - "fieldtype": "Check", - "label": "Follow via Email", - "permlevel": 0, + "allow_on_submit": 1, + "default": "1", + "fieldname": "follow_via_email", + "fieldtype": "Check", + "label": "Follow via Email", + "permlevel": 0, "print_hide": 1 - }, + }, { - "default": "Today", - "fieldname": "posting_date", - "fieldtype": "Date", - "label": "Posting Date", - "no_copy": 1, - "permlevel": 0, + "default": "Today", + "fieldname": "posting_date", + "fieldtype": "Date", + "label": "Posting Date", + "no_copy": 1, + "permlevel": 0, "reqd": 1 - }, + }, { - "fieldname": "fiscal_year", - "fieldtype": "Link", - "in_filter": 1, - "label": "Fiscal Year", - "options": "Fiscal Year", - "permlevel": 0, - "read_only": 0, - "reqd": 1, + "fieldname": "fiscal_year", + "fieldtype": "Link", + "in_filter": 1, + "label": "Fiscal Year", + "options": "Fiscal Year", + "permlevel": 0, + "read_only": 0, + "reqd": 1, "search_index": 0 - }, + }, { - "fieldname": "column_break_17", - "fieldtype": "Column Break", + "fieldname": "column_break_17", + "fieldtype": "Column Break", "permlevel": 0 - }, + }, { - "fieldname": "company", - "fieldtype": "Link", - "label": "Company", - "options": "Company", - "permlevel": 0, + "fieldname": "company", + "fieldtype": "Link", + "label": "Company", + "options": "Company", + "permlevel": 0, "reqd": 1 - }, + }, { - "fieldname": "letter_head", - "fieldtype": "Link", - "label": "Letter Head", - "options": "Letter Head", - "permlevel": 0, - "print_hide": 1, + "fieldname": "letter_head", + "fieldtype": "Link", + "label": "Letter Head", + "options": "Letter Head", + "permlevel": 0, + "print_hide": 1, "read_only": 0 - }, + }, { - "fieldname": "amended_from", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Amended From", - "no_copy": 1, - "options": "Leave Application", - "permlevel": 0, - "print_hide": 1, + "fieldname": "amended_from", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Amended From", + "no_copy": 1, + "options": "Leave Application", + "permlevel": 0, + "print_hide": 1, "read_only": 1 } - ], - "icon": "icon-calendar", - "idx": 1, - "is_submittable": 1, - "max_attachments": 3, - "modified": "2014-06-06 05:06:44.594229", - "modified_by": "Administrator", - "module": "Hr", - "name": "Leave Application", - "owner": "Administrator", + ], + "icon": "icon-calendar", + "idx": 1, + "is_submittable": 1, + "max_attachments": 3, + "modified": "2014-06-06 05:06:44.594229", + "modified_by": "Administrator", + "module": "HR", + "name": "Leave Application", + "owner": "Administrator", "permissions": [ { - "apply_user_permissions": 1, - "create": 1, - "delete": 0, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Employee", + "apply_user_permissions": 1, + "create": 1, + "delete": 0, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Employee", "write": 1 - }, + }, { - "amend": 1, - "cancel": 1, - "create": 1, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "HR Manager", - "set_user_permissions": 1, - "submit": 1, + "amend": 1, + "cancel": 1, + "create": 1, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "HR Manager", + "set_user_permissions": 1, + "submit": 1, "write": 1 - }, + }, { - "amend": 0, - "cancel": 0, - "create": 0, - "delete": 0, - "permlevel": 1, - "read": 1, - "role": "All", + "amend": 0, + "cancel": 0, + "create": 0, + "delete": 0, + "permlevel": 1, + "read": 1, + "role": "All", "submit": 0 - }, + }, { - "amend": 1, - "apply_user_permissions": 1, - "cancel": 1, - "create": 1, - "delete": 1, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "HR User", - "set_user_permissions": 1, - "submit": 1, + "amend": 1, + "apply_user_permissions": 1, + "cancel": 1, + "create": 1, + "delete": 1, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "HR User", + "set_user_permissions": 1, + "submit": 1, "write": 1 - }, + }, { - "amend": 1, - "apply_user_permissions": 1, - "cancel": 0, - "create": 0, - "delete": 0, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Leave Approver", - "submit": 1, + "amend": 1, + "apply_user_permissions": 1, + "cancel": 0, + "create": 0, + "delete": 0, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Leave Approver", + "submit": 1, "write": 1 - }, + }, { - "amend": 0, - "cancel": 0, - "create": 0, - "delete": 0, - "permlevel": 1, - "read": 1, - "report": 1, - "role": "HR User", - "submit": 0, + "amend": 0, + "cancel": 0, + "create": 0, + "delete": 0, + "permlevel": 1, + "read": 1, + "report": 1, + "role": "HR User", + "submit": 0, "write": 1 - }, + }, { - "amend": 0, - "cancel": 0, - "create": 0, - "delete": 0, - "permlevel": 1, - "read": 1, - "report": 1, - "role": "Leave Approver", - "submit": 0, + "amend": 0, + "cancel": 0, + "create": 0, + "delete": 0, + "permlevel": 1, + "read": 1, + "report": 1, + "role": "Leave Approver", + "submit": 0, "write": 1 } - ], - "search_fields": "employee,employee_name,leave_type,from_date,to_date,total_leave_days,fiscal_year", - "sort_field": "modified", + ], + "search_fields": "employee,employee_name,leave_type,from_date,to_date,total_leave_days,fiscal_year", + "sort_field": "modified", "sort_order": "DESC" -} \ No newline at end of file +} From 4a069a1e7f2f9e1a6f8bf50463a4cf2fe6931039 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Fri, 6 Jun 2014 16:28:03 +0530 Subject: [PATCH 108/630] Changed case in modules.txt --- erpnext/modules.txt | 24 +++++++++---------- erpnext/patches.txt | 1 + .../patches/v4_0/fix_case_of_hr_module_def.py | 11 +++++++++ 3 files changed, 24 insertions(+), 12 deletions(-) create mode 100644 erpnext/patches/v4_0/fix_case_of_hr_module_def.py diff --git a/erpnext/modules.txt b/erpnext/modules.txt index 92614d87e5..32547e957f 100644 --- a/erpnext/modules.txt +++ b/erpnext/modules.txt @@ -1,12 +1,12 @@ -accounts -buying -home -hr -manufacturing -projects -selling -setup -stock -support -utilities -contacts +Accounts +Buying +Home +HR +Manufacturing +Projects +Selling +Setup +Stock +Support +Utilities +Contacts diff --git a/erpnext/patches.txt b/erpnext/patches.txt index 1ff3136bb7..938beeb0d7 100644 --- a/erpnext/patches.txt +++ b/erpnext/patches.txt @@ -47,6 +47,7 @@ erpnext.patches.v4_0.update_account_root_type execute:frappe.delete_doc("Report", "Purchase In Transit") erpnext.patches.v4_0.new_address_template execute:frappe.delete_doc("DocType", "SMS Control") +erpnext.patches.v4_0.fix_case_of_hr_module_def # WATCHOUT: This patch reload's documents erpnext.patches.v4_0.reset_permissions_for_masters diff --git a/erpnext/patches/v4_0/fix_case_of_hr_module_def.py b/erpnext/patches/v4_0/fix_case_of_hr_module_def.py new file mode 100644 index 0000000000..21edb5861a --- /dev/null +++ b/erpnext/patches/v4_0/fix_case_of_hr_module_def.py @@ -0,0 +1,11 @@ +# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors +# MIT License. See license.txt + +from __future__ import unicode_literals +import frappe + +def execute(): + hr = frappe.db.get_value("Module Def", "HR") + if hr == "Hr": + frappe.rename_doc("Module Def", "Hr", "HR") + frappe.db.set_value("Module Def", "HR", "module_name", "HR") From fc601659f578afa2d4e24cb1d24f8d1fe6498f1a Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Fri, 6 Jun 2014 17:07:50 +0530 Subject: [PATCH 109/630] Fixed Address Template --- erpnext/patches.txt | 1 + erpnext/patches/v4_0/fix_address_template.py | 12 +++ .../patches/v4_0/fix_case_of_hr_module_def.py | 1 - erpnext/patches/v4_0/new_address_template.py | 8 +- .../address_template/address_template.json | 86 +++++++++---------- 5 files changed, 59 insertions(+), 49 deletions(-) create mode 100644 erpnext/patches/v4_0/fix_address_template.py diff --git a/erpnext/patches.txt b/erpnext/patches.txt index 938beeb0d7..13d853845a 100644 --- a/erpnext/patches.txt +++ b/erpnext/patches.txt @@ -48,6 +48,7 @@ execute:frappe.delete_doc("Report", "Purchase In Transit") erpnext.patches.v4_0.new_address_template execute:frappe.delete_doc("DocType", "SMS Control") erpnext.patches.v4_0.fix_case_of_hr_module_def +erpnext.patches.v4_0.fix_address_template # WATCHOUT: This patch reload's documents erpnext.patches.v4_0.reset_permissions_for_masters diff --git a/erpnext/patches/v4_0/fix_address_template.py b/erpnext/patches/v4_0/fix_address_template.py new file mode 100644 index 0000000000..5aed489775 --- /dev/null +++ b/erpnext/patches/v4_0/fix_address_template.py @@ -0,0 +1,12 @@ +# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors + +from __future__ import unicode_literals +import frappe + +def execute(): + missing_line = """{{ address_line1 }}
""" + for name, template in frappe.db.sql("select name, template from `tabAddress Template`"): + if missing_line not in template: + d = frappe.get_doc("Address Template", name) + d.template = missing_line + d.template + d.save() diff --git a/erpnext/patches/v4_0/fix_case_of_hr_module_def.py b/erpnext/patches/v4_0/fix_case_of_hr_module_def.py index 21edb5861a..f7120b8c2a 100644 --- a/erpnext/patches/v4_0/fix_case_of_hr_module_def.py +++ b/erpnext/patches/v4_0/fix_case_of_hr_module_def.py @@ -1,5 +1,4 @@ # Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors -# MIT License. See license.txt from __future__ import unicode_literals import frappe diff --git a/erpnext/patches/v4_0/new_address_template.py b/erpnext/patches/v4_0/new_address_template.py index 74b32b968c..cebfa9a536 100644 --- a/erpnext/patches/v4_0/new_address_template.py +++ b/erpnext/patches/v4_0/new_address_template.py @@ -2,9 +2,7 @@ import frappe def execute(): frappe.reload_doc("utilities", "doctype", "address_template") - d = frappe.new_doc("Address Template") - d.update({"country":frappe.db.get_default("country")}) - try: + if not frappe.db.sql("select name from `tabAddress Template`"): + d = frappe.new_doc("Address Template") + d.update({"country":frappe.db.get_default("country")}) d.insert() - except Exception: - pass diff --git a/erpnext/utilities/doctype/address_template/address_template.json b/erpnext/utilities/doctype/address_template/address_template.json index 378474e4cc..ba512fc698 100644 --- a/erpnext/utilities/doctype/address_template/address_template.json +++ b/erpnext/utilities/doctype/address_template/address_template.json @@ -1,57 +1,57 @@ { - "autoname": "field:country", - "creation": "2014-06-05 02:22:36.029850", - "docstatus": 0, - "doctype": "DocType", - "document_type": "Master", + "autoname": "field:country", + "creation": "2014-06-05 02:22:36.029850", + "docstatus": 0, + "doctype": "DocType", + "document_type": "Master", "fields": [ { - "fieldname": "country", - "fieldtype": "Link", - "in_list_view": 1, - "label": "Country", - "options": "Country", - "permlevel": 0, - "reqd": 0, + "fieldname": "country", + "fieldtype": "Link", + "in_list_view": 1, + "label": "Country", + "options": "Country", + "permlevel": 0, + "reqd": 1, "search_index": 1 - }, + }, { - "description": "This format is used if country specific format is not found", - "fieldname": "is_default", - "fieldtype": "Check", - "in_list_view": 1, - "label": "Is Default", + "description": "This format is used if country specific format is not found", + "fieldname": "is_default", + "fieldtype": "Check", + "in_list_view": 1, + "label": "Is Default", "permlevel": 0 - }, + }, { - "default": "{% if address_line2 %}{{ address_line2 }}
{% endif -%}\n{{ city }}
\n{% if state %}{{ state }}
{% endif -%}\n{% if pincode %} PIN: {{ pincode }}
{% endif -%}\n{{ country }}
\n{% if phone %}Phone: {{ phone }}
{% endif -%}\n{% if fax %}Fax: {{ fax }}
{% endif -%}\n{% if email_id %}Email: {{ email_id }}
{% endif -%}\n", - "description": "

Default Template

\n

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

\n
{{ address_line1 }}<br>\n{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}\n{{ city }}<br>\n{% if state %}{{ state }}<br>{% endif -%}\n{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}\n{{ country }}<br>\n{% if phone %}Phone: {{ phone }}<br>{% endif -%}\n{% if fax %}Fax: {{ fax }}<br>{% endif -%}\n{% if email_id %}Email: {{ email_id }}<br>{% endif -%}\n
", - "fieldname": "template", - "fieldtype": "Code", - "label": "Template", + "default": "{{ address_line1 }}
{% if address_line2 %}{{ address_line2 }}
{% endif -%}\n{{ city }}
\n{% if state %}{{ state }}
{% endif -%}\n{% if pincode %}PIN: {{ pincode }}
{% endif -%}\n{{ country }}
\n{% if phone %}Phone: {{ phone }}
{% endif -%}\n{% if fax %}Fax: {{ fax }}
{% endif -%}\n{% if email_id %}Email: {{ email_id }}
{% endif -%}\n", + "description": "

Default Template

\n

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

\n
{{ address_line1 }}<br>\n{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}\n{{ city }}<br>\n{% if state %}{{ state }}<br>{% endif -%}\n{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}\n{{ country }}<br>\n{% if phone %}Phone: {{ phone }}<br>{% endif -%}\n{% if fax %}Fax: {{ fax }}<br>{% endif -%}\n{% if email_id %}Email: {{ email_id }}<br>{% endif -%}\n
", + "fieldname": "template", + "fieldtype": "Code", + "label": "Template", "permlevel": 0 } - ], - "icon": "icon-map-marker", - "modified": "2014-06-05 06:14:13.200689", - "modified_by": "Administrator", - "module": "Utilities", - "name": "Address Template", - "name_case": "", - "owner": "Administrator", + ], + "icon": "icon-map-marker", + "modified": "2014-06-05 06:14:15.200689", + "modified_by": "Administrator", + "module": "Utilities", + "name": "Address Template", + "name_case": "", + "owner": "Administrator", "permissions": [ { - "create": 1, - "delete": 1, - "export": 1, - "permlevel": 0, - "read": 1, - "report": 1, - "role": "System Manager", - "set_user_permissions": 1, + "create": 1, + "delete": 1, + "export": 1, + "permlevel": 0, + "read": 1, + "report": 1, + "role": "System Manager", + "set_user_permissions": 1, "write": 1 } - ], - "sort_field": "modified", + ], + "sort_field": "modified", "sort_order": "DESC" -} \ No newline at end of file +} From cd0aed993a16a75331c93644d3c598be77a4ff25 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Fri, 6 Jun 2014 17:37:31 +0530 Subject: [PATCH 110/630] Fixed Address Template Patch --- erpnext/patches/v4_0/new_address_template.py | 10 +++++++--- erpnext/utilities/doctype/address/address.py | 2 +- 2 files changed, 8 insertions(+), 4 deletions(-) diff --git a/erpnext/patches/v4_0/new_address_template.py b/erpnext/patches/v4_0/new_address_template.py index cebfa9a536..d0f5ab0b14 100644 --- a/erpnext/patches/v4_0/new_address_template.py +++ b/erpnext/patches/v4_0/new_address_template.py @@ -3,6 +3,10 @@ import frappe def execute(): frappe.reload_doc("utilities", "doctype", "address_template") if not frappe.db.sql("select name from `tabAddress Template`"): - d = frappe.new_doc("Address Template") - d.update({"country":frappe.db.get_default("country")}) - d.insert() + try: + d = frappe.new_doc("Address Template") + d.update({"country":frappe.db.get_default("country")}) + d.insert() + except: + print frappe.get_traceback() + diff --git a/erpnext/utilities/doctype/address/address.py b/erpnext/utilities/doctype/address/address.py index 01b9d9acb5..8fd5cb1dea 100644 --- a/erpnext/utilities/doctype/address/address.py +++ b/erpnext/utilities/doctype/address/address.py @@ -62,7 +62,7 @@ def get_address_display(address_dict): {"is_default": 1}, "template") if not template: - frappe.throw(_("No default Address Template found. Please create a new one")) + frappe.throw(_("No default Address Template found. Please create a new one from Setup > Printing and Branding > Address Template.")) return frappe.render_template(template, address_dict) From 482d29dc53d8fa4e2c54ce45ae73cd1bd025ee55 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Fri, 6 Jun 2014 20:34:08 +0530 Subject: [PATCH 111/630] Fixed Purchase Receipt qty trigger --- erpnext/stock/doctype/purchase_receipt/purchase_receipt.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js index 5851709d66..f80b4f8f4c 100644 --- a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +++ b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js @@ -64,7 +64,7 @@ erpnext.stock.PurchaseReceiptController = erpnext.buying.BuyingController.extend item.rejected_qty = flt(item.received_qty - item.qty, precision("rejected_qty", item)); } - this._super(); + this._super(doc, cdt, cdn); }, rejected_qty: function(doc, cdt, cdn) { From 0aa125304d3eed4d848873dbbaa866635b2ef20d Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Fri, 6 Jun 2014 20:39:21 +0530 Subject: [PATCH 112/630] Fixed Reset Permissions patch --- erpnext/patches/v4_0/reset_permissions_for_masters.py | 3 +-- 1 file changed, 1 insertion(+), 2 deletions(-) diff --git a/erpnext/patches/v4_0/reset_permissions_for_masters.py b/erpnext/patches/v4_0/reset_permissions_for_masters.py index fdafb87011..d031bd0ebd 100644 --- a/erpnext/patches/v4_0/reset_permissions_for_masters.py +++ b/erpnext/patches/v4_0/reset_permissions_for_masters.py @@ -12,8 +12,7 @@ def execute(): "Designation", "Earning Type", "Event", "Feed", "File Data", "Fiscal Year", "HR Settings", "Industry Type", "Jobs Email Settings", "Leave Type", "Letter Head", "Mode of Payment", "Module Def", "Naming Series", "POS Setting", "Print Heading", - "Report", "Role", "Sales Email Settings", "Selling Settings", "Shopping Cart Settings", - "Stock Settings", "Supplier Type", "UOM"): + "Report", "Role", "Sales Email Settings", "Selling Settings", "Stock Settings", "Supplier Type", "UOM"): try: frappe.reset_perms(doctype) except: From 6f561aa846a092c431b056b212dc2676d021b9b6 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Fri, 6 Jun 2014 22:10:18 +0530 Subject: [PATCH 113/630] Fixed HR patch --- erpnext/patches/v4_0/fix_case_of_hr_module_def.py | 2 ++ 1 file changed, 2 insertions(+) diff --git a/erpnext/patches/v4_0/fix_case_of_hr_module_def.py b/erpnext/patches/v4_0/fix_case_of_hr_module_def.py index f7120b8c2a..117c2acba9 100644 --- a/erpnext/patches/v4_0/fix_case_of_hr_module_def.py +++ b/erpnext/patches/v4_0/fix_case_of_hr_module_def.py @@ -8,3 +8,5 @@ def execute(): if hr == "Hr": frappe.rename_doc("Module Def", "Hr", "HR") frappe.db.set_value("Module Def", "HR", "module_name", "HR") + + frappe.clear_cache() From b63e99eb430da3b1e5ad7a0de3f7072c52d39543 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Mon, 9 Jun 2014 12:49:09 +0530 Subject: [PATCH 114/630] Update tax amount after discount in existing documents --- erpnext/patches.txt | 1 + .../v4_0/update_tax_amount_after_discount.py | 19 +++++++++++++++++++ 2 files changed, 20 insertions(+) create mode 100644 erpnext/patches/v4_0/update_tax_amount_after_discount.py diff --git a/erpnext/patches.txt b/erpnext/patches.txt index 13d853845a..bd89582743 100644 --- a/erpnext/patches.txt +++ b/erpnext/patches.txt @@ -52,3 +52,4 @@ erpnext.patches.v4_0.fix_address_template # WATCHOUT: This patch reload's documents erpnext.patches.v4_0.reset_permissions_for_masters +erpnext.patches.v4_0.update_tax_amount_after_discount diff --git a/erpnext/patches/v4_0/update_tax_amount_after_discount.py b/erpnext/patches/v4_0/update_tax_amount_after_discount.py new file mode 100644 index 0000000000..37f082b290 --- /dev/null +++ b/erpnext/patches/v4_0/update_tax_amount_after_discount.py @@ -0,0 +1,19 @@ +# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors +# License: GNU General Public License v3. See license.txt + +from __future__ import unicode_literals +import frappe + +def execute(): + docs_with_discount_amount = frappe._dict() + for dt in ["Quotation", "Sales Order", "Delivery Note", "Sales Invoice"]: + records = frappe.db.sql_list("""select name from `tab%s` + where ifnull(discount_amount, 0) > 0 and docstatus=1""" % dt) + docs_with_discount_amount[dt] = records + + for dt, discounted_records in docs_with_discount_amount.items(): + frappe.db.sql("""update `tabSales Taxes and Charges` + set tax_amount_after_discount_amount = tax_amount + where parenttype = %s and parent not in (%s)""" % + ('%s', ', '.join(['%s']*(len(discounted_records)+1))), + tuple([dt, ''] + discounted_records)) From 390efdc8843e8cb7dca044f6f1b3c8cc2b5f7c0e Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Mon, 9 Jun 2014 10:28:04 +0530 Subject: [PATCH 115/630] Fix in HR patch --- erpnext/patches/v4_0/fix_case_of_hr_module_def.py | 1 + 1 file changed, 1 insertion(+) diff --git a/erpnext/patches/v4_0/fix_case_of_hr_module_def.py b/erpnext/patches/v4_0/fix_case_of_hr_module_def.py index 117c2acba9..73b4e7f56c 100644 --- a/erpnext/patches/v4_0/fix_case_of_hr_module_def.py +++ b/erpnext/patches/v4_0/fix_case_of_hr_module_def.py @@ -10,3 +10,4 @@ def execute(): frappe.db.set_value("Module Def", "HR", "module_name", "HR") frappe.clear_cache() + frappe.setup_module_map() From cdfa9a371d44b4fe231799adeab6afcb9e0a0476 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Mon, 9 Jun 2014 11:26:50 +0530 Subject: [PATCH 116/630] Export perm for GL Entry and Stock Ledger Entry --- erpnext/accounts/doctype/gl_entry/gl_entry.json | 15 +++------------ erpnext/patches.txt | 3 +++ .../stock_ledger_entry/stock_ledger_entry.json | 4 +++- 3 files changed, 9 insertions(+), 13 deletions(-) diff --git a/erpnext/accounts/doctype/gl_entry/gl_entry.json b/erpnext/accounts/doctype/gl_entry/gl_entry.json index 7f7d2bcfcf..1856386237 100644 --- a/erpnext/accounts/doctype/gl_entry/gl_entry.json +++ b/erpnext/accounts/doctype/gl_entry/gl_entry.json @@ -186,7 +186,7 @@ "icon": "icon-list", "idx": 1, "in_create": 1, - "modified": "2014-05-27 03:49:10.998572", + "modified": "2014-06-09 01:51:29.340077", "modified_by": "Administrator", "module": "Accounts", "name": "GL Entry", @@ -197,6 +197,7 @@ "apply_user_permissions": 1, "create": 0, "email": 1, + "export": 1, "permlevel": 0, "print": 1, "read": 1, @@ -209,6 +210,7 @@ "amend": 0, "create": 0, "email": 1, + "export": 1, "permlevel": 0, "print": 1, "read": 1, @@ -216,17 +218,6 @@ "role": "Accounts Manager", "submit": 0, "write": 0 - }, - { - "create": 0, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "System Manager", - "submit": 0, - "write": 0 } ], "search_fields": "voucher_no,account,posting_date,against_voucher", diff --git a/erpnext/patches.txt b/erpnext/patches.txt index bd89582743..fba05546a5 100644 --- a/erpnext/patches.txt +++ b/erpnext/patches.txt @@ -52,4 +52,7 @@ erpnext.patches.v4_0.fix_address_template # WATCHOUT: This patch reload's documents erpnext.patches.v4_0.reset_permissions_for_masters + erpnext.patches.v4_0.update_tax_amount_after_discount +execute:frappe.reset_perms("GL Entry") #2014-06-09 +execute:frappe.reset_perms("Stock Ledger Entry") #2014-06-09 diff --git a/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.json b/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.json index c9e3b776fc..cdddabedf2 100644 --- a/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.json +++ b/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.json @@ -264,7 +264,7 @@ "icon": "icon-list", "idx": 1, "in_create": 1, - "modified": "2014-05-27 03:49:19.837686", + "modified": "2014-06-09 01:51:44.014466", "modified_by": "Administrator", "module": "Stock", "name": "Stock Ledger Entry", @@ -274,6 +274,7 @@ "amend": 0, "apply_user_permissions": 1, "create": 0, + "export": 1, "permlevel": 0, "read": 1, "report": 1, @@ -282,6 +283,7 @@ "write": 0 }, { + "export": 1, "permlevel": 0, "read": 1, "report": 1, From edb9efd9a63e2a096a580d4c08a7f3ba51af533f Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Mon, 9 Jun 2014 13:22:47 +0530 Subject: [PATCH 117/630] Fixed manifest and website --- MANIFEST.in | 1 + erpnext/setup/doctype/item_group/item_group.js | 2 +- erpnext/stock/doctype/item/item.js | 2 +- 3 files changed, 3 insertions(+), 2 deletions(-) diff --git a/MANIFEST.in b/MANIFEST.in index 53477f2ed0..3e467e5362 100644 --- a/MANIFEST.in +++ b/MANIFEST.in @@ -16,4 +16,5 @@ recursive-include erpnext *.md recursive-include erpnext *.png recursive-include erpnext *.py recursive-include erpnext *.svg +recursive-include erpnext/public * recursive-exclude * *.pyc diff --git a/erpnext/setup/doctype/item_group/item_group.js b/erpnext/setup/doctype/item_group/item_group.js index 43a7117083..2aaf558642 100644 --- a/erpnext/setup/doctype/item_group/item_group.js +++ b/erpnext/setup/doctype/item_group/item_group.js @@ -11,7 +11,7 @@ cur_frm.cscript.refresh = function(doc, cdt, cdn) { if(!doc.__islocal && doc.show_in_website) { cur_frm.appframe.add_button("View In Website", function() { - window.open(doc.page_name); + window.open(doc.__onload.website_route); }, "icon-globe"); } } diff --git a/erpnext/stock/doctype/item/item.js b/erpnext/stock/doctype/item/item.js index 319d67dc90..2b499c168e 100644 --- a/erpnext/stock/doctype/item/item.js +++ b/erpnext/stock/doctype/item/item.js @@ -18,7 +18,7 @@ cur_frm.cscript.refresh = function(doc) { if(!doc.__islocal && doc.show_in_website) { cur_frm.appframe.add_button("View In Website", function() { - window.open(doc.page_name); + window.open(doc.__onload.website_route); }, "icon-globe"); } cur_frm.cscript.edit_prices_button(); From be3f914acd6b616bd794957d495f0a189556522f Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Mon, 9 Jun 2014 15:18:45 +0530 Subject: [PATCH 118/630] Fixed add address template --- erpnext/patches/v4_0/new_address_template.py | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/erpnext/patches/v4_0/new_address_template.py b/erpnext/patches/v4_0/new_address_template.py index d0f5ab0b14..7a5dabc006 100644 --- a/erpnext/patches/v4_0/new_address_template.py +++ b/erpnext/patches/v4_0/new_address_template.py @@ -5,7 +5,8 @@ def execute(): if not frappe.db.sql("select name from `tabAddress Template`"): try: d = frappe.new_doc("Address Template") - d.update({"country":frappe.db.get_default("country")}) + d.update({"country":frappe.db.get_default("country") or + frappe.db.get_value("Global Defaults", "Global Defaults", "country")}) d.insert() except: print frappe.get_traceback() From af63d053b19414ec17c6546461627416cb73ef88 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Mon, 9 Jun 2014 15:43:24 +0530 Subject: [PATCH 119/630] Also save Global Defaults in System Settings patch --- erpnext/patches/v4_0/global_defaults_to_system_settings.py | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/erpnext/patches/v4_0/global_defaults_to_system_settings.py b/erpnext/patches/v4_0/global_defaults_to_system_settings.py index abd38c685f..57b21aea41 100644 --- a/erpnext/patches/v4_0/global_defaults_to_system_settings.py +++ b/erpnext/patches/v4_0/global_defaults_to_system_settings.py @@ -33,3 +33,7 @@ def execute(): system_settings.ignore_mandatory = True system_settings.save() + + global_defaults = frappe.get_doc("Global Defaults") + global_defaults.ignore_mandatory = True + global_defaults.save() From d532d2f64fd3f54d8d8a2f39a544203d6c2ceb29 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Mon, 9 Jun 2014 15:59:04 +0530 Subject: [PATCH 120/630] create custom fields for india specific fields --- erpnext/patches.txt | 2 +- ...custom_fields_for_india_specific_fields.py | 63 +++++++++++++++++++ .../v4_0/remove_india_specific_fields.py | 30 --------- 3 files changed, 64 insertions(+), 31 deletions(-) create mode 100644 erpnext/patches/v4_0/create_custom_fields_for_india_specific_fields.py delete mode 100644 erpnext/patches/v4_0/remove_india_specific_fields.py diff --git a/erpnext/patches.txt b/erpnext/patches.txt index fba05546a5..4d69a0fd4f 100644 --- a/erpnext/patches.txt +++ b/erpnext/patches.txt @@ -39,7 +39,6 @@ execute:frappe.delete_doc("Page", "Financial Statements") execute:frappe.delete_doc("DocType", "Stock Ledger") execute:frappe.db.sql("update `tabJournal Voucher` set voucher_type='Journal Entry' where ifnull(voucher_type, '')=''") execute:frappe.delete_doc("DocType", "Grade") -erpnext.patches.v4_0.remove_india_specific_fields execute:frappe.db.sql("delete from `tabWebsite Item Group` where ifnull(item_group, '')=''") execute:frappe.delete_doc("Print Format", "SalesInvoice") execute:import frappe.defaults;frappe.defaults.clear_default("price_list_currency") @@ -56,3 +55,4 @@ erpnext.patches.v4_0.reset_permissions_for_masters erpnext.patches.v4_0.update_tax_amount_after_discount execute:frappe.reset_perms("GL Entry") #2014-06-09 execute:frappe.reset_perms("Stock Ledger Entry") #2014-06-09 +erpnext.patches.v4_0.create_custom_fields_for_india_specific_fields diff --git a/erpnext/patches/v4_0/create_custom_fields_for_india_specific_fields.py b/erpnext/patches/v4_0/create_custom_fields_for_india_specific_fields.py new file mode 100644 index 0000000000..eeb0f5b904 --- /dev/null +++ b/erpnext/patches/v4_0/create_custom_fields_for_india_specific_fields.py @@ -0,0 +1,63 @@ +# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors +# License: GNU General Public License v3. See license.txt + +from __future__ import unicode_literals +import frappe +from frappe.core.doctype.custom_field.custom_field import create_custom_field_if_values_exist + +def execute(): + frappe.reload_doc("stock", "doctype", "purchase_receipt") + frappe.reload_doc("hr", "doctype", "employee") + frappe.reload_doc("hr", "doctype", "salary_slip") + + india_specific_fields = { + "Purchase Receipt": [{ + "label": "Supplier Shipment No", + "fieldname": "challan_no", + "fieldtype": "Data", + "insert_after": "is_subcontracted" + }, { + "label": "Supplier Shipment Date", + "fieldname": "challan_date", + "fieldtype": "Date", + "insert_after": "challan_no" + }], + "Employee": [{ + "label": "PAN Number", + "fieldname": "pan_number", + "fieldtype": "Data", + "insert_after": "company_email" + }, { + "label": "Gratuity LIC Id", + "fieldname": "gratuity_lic_id", + "fieldtype": "Data", + "insert_after": "pan_number" + }, { + "label": "Esic Card No", + "fieldname": "esic_card_no", + "fieldtype": "Data", + "insert_after": "bank_ac_no" + }, { + "label": "PF Number", + "fieldname": "pf_number", + "fieldtype": "Data", + "insert_after": "esic_card_no" + }], + "Salary Slip": [{ + "label": "Esic No", + "fieldname": "esic_no", + "fieldtype": "Data", + "insert_after": "letter_head", + "permlevel": 1 + }, { + "label": "PF Number", + "fieldname": "pf_no", + "fieldtype": "Data", + "insert_after": "esic_no", + "permlevel": 1 + }] + } + + for dt, docfields in india_specific_fields.items(): + for df in docfields: + create_custom_field_if_values_exist(dt, df) diff --git a/erpnext/patches/v4_0/remove_india_specific_fields.py b/erpnext/patches/v4_0/remove_india_specific_fields.py deleted file mode 100644 index 3070959f34..0000000000 --- a/erpnext/patches/v4_0/remove_india_specific_fields.py +++ /dev/null @@ -1,30 +0,0 @@ -# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors -# License: GNU General Public License v3. See license.txt - -from __future__ import unicode_literals -import frappe -from frappe.core.doctype.custom_field.custom_field import create_custom_field_if_values_exist - -def execute(): - frappe.db.sql("delete from tabDocField where parent='Salary Slip' and options='Grade'") - docfields = { - ("Purchase Receipt", "challan_no"): frappe.get_meta("Purchase Receipt").get_field("challan_no"), - ("Purchase Receipt", "challan_date"): frappe.get_meta("Purchase Receipt").get_field("challan_date"), - ("Employee", "pf_number"): frappe.get_meta("Employee").get_field("pf_number"), - ("Employee", "pan_number"): frappe.get_meta("Employee").get_field("pan_number"), - ("Employee", "gratuity_lic_id"): frappe.get_meta("Employee").get_field("gratuity_lic_id"), - ("Employee", "esic_card_no"): frappe.get_meta("Employee").get_field("esic_card_no"), - ("Salary Slip", "esic_no"): frappe.get_meta("Salary Slip").get_field("esic_no"), - ("Salary Slip", "pf_no"): frappe.get_meta("Salary Slip").get_field("pf_no") - } - - for (doctype, fieldname), df in docfields.items(): - if not df: - continue - opts = df.as_dict() - if df.idx >= 2: - opts["insert_after"] = frappe.get_meta(doctype).get("fields")[df.idx - 2].fieldname - - frappe.delete_doc("DocField", df.name) - frappe.clear_cache(doctype=doctype) - create_custom_field_if_values_exist(doctype, opts) From c01db5fe9cc6bf6aae4e45117fec51da7803919c Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Mon, 9 Jun 2014 18:01:14 +0530 Subject: [PATCH 121/630] Save default letterhead --- erpnext/patches.txt | 1 + erpnext/patches/v4_0/save_default_letterhead.py | 13 +++++++++++++ 2 files changed, 14 insertions(+) create mode 100644 erpnext/patches/v4_0/save_default_letterhead.py diff --git a/erpnext/patches.txt b/erpnext/patches.txt index 4d69a0fd4f..64cbc4033d 100644 --- a/erpnext/patches.txt +++ b/erpnext/patches.txt @@ -56,3 +56,4 @@ erpnext.patches.v4_0.update_tax_amount_after_discount execute:frappe.reset_perms("GL Entry") #2014-06-09 execute:frappe.reset_perms("Stock Ledger Entry") #2014-06-09 erpnext.patches.v4_0.create_custom_fields_for_india_specific_fields +erpnext.patches.v4_0.save_default_letterhead diff --git a/erpnext/patches/v4_0/save_default_letterhead.py b/erpnext/patches/v4_0/save_default_letterhead.py new file mode 100644 index 0000000000..a6db0cdece --- /dev/null +++ b/erpnext/patches/v4_0/save_default_letterhead.py @@ -0,0 +1,13 @@ +# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors +# License: GNU General Public License v3. See license.txt + +from __future__ import unicode_literals +import frappe + +def execute(): + """save default letterhead to set default_letter_head_content""" + try: + letter_head = frappe.get_doc("Letter Head", {"is_default": 1}) + letter_head.save() + except frappe.DoesNotExistError: + pass From b527e548095081d9134eb6f03463f25fb6964b71 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Mon, 9 Jun 2014 18:08:46 +0530 Subject: [PATCH 122/630] Fixed report: Item wise Price List Rate --- erpnext/config/stock.py | 2 +- .../item_wise_price_list_rate.json | 30 +++++++++---------- 2 files changed, 16 insertions(+), 16 deletions(-) diff --git a/erpnext/config/stock.py b/erpnext/config/stock.py index ace83fc447..30acc5b581 100644 --- a/erpnext/config/stock.py +++ b/erpnext/config/stock.py @@ -161,7 +161,7 @@ def get_data(): }, { "type": "report", - "is_query_report": True, + "is_query_report": False, "name": "Item-wise Price List Rate", "doctype": "Item Price", }, diff --git a/erpnext/stock/report/item_wise_price_list_rate/item_wise_price_list_rate.json b/erpnext/stock/report/item_wise_price_list_rate/item_wise_price_list_rate.json index d05a6a6010..ec8f599f36 100644 --- a/erpnext/stock/report/item_wise_price_list_rate/item_wise_price_list_rate.json +++ b/erpnext/stock/report/item_wise_price_list_rate/item_wise_price_list_rate.json @@ -1,17 +1,17 @@ { - "apply_user_permissions": 1, - "creation": "2013-09-25 10:21:15", - "docstatus": 0, - "doctype": "Report", - "idx": 1, - "is_standard": "Yes", - "json": "{\"filters\":[[\"Item Price\",\"price_list\",\"like\",\"%\"],[\"Item Price\",\"item_code\",\"like\",\"%\"]],\"columns\":[[\"name\",\"Item Price\"],[\"price_list\",\"Item Price\"],[\"item_code\",\"Item Price\"],[\"item_name\",\"Item Price\"],[\"item_description\",\"Item Price\"],[\"ref_rate\",\"Item Price\"],[\"buying\",\"Item Price\"],[\"selling\",\"Item Price\"],[\"currency\",\"Item Price\"]],\"sort_by\":\"Item Price.modified\",\"sort_order\":\"desc\",\"sort_by_next\":\"\",\"sort_order_next\":\"desc\"}", - "modified": "2014-06-03 07:18:17.097955", - "modified_by": "Administrator", - "module": "Stock", - "name": "Item-wise Price List Rate", - "owner": "Administrator", - "ref_doctype": "Price List", - "report_name": "Item-wise Price List Rate", + "apply_user_permissions": 1, + "creation": "2013-09-25 10:21:15", + "docstatus": 0, + "doctype": "Report", + "idx": 1, + "is_standard": "Yes", + "json": "{\"filters\":[[\"Item Price\",\"price_list\",\"like\",\"%\"],[\"Item Price\",\"item_code\",\"like\",\"%\"]],\"columns\":[[\"name\",\"Item Price\"],[\"price_list\",\"Item Price\"],[\"item_code\",\"Item Price\"],[\"item_name\",\"Item Price\"],[\"item_description\",\"Item Price\"],[\"price_list_rate\",\"Item Price\"],[\"buying\",\"Item Price\"],[\"selling\",\"Item Price\"],[\"currency\",\"Item Price\"]],\"sort_by\":\"Item Price.modified\",\"sort_order\":\"desc\",\"sort_by_next\":\"\",\"sort_order_next\":\"desc\"}", + "modified": "2014-06-09 10:21:15.097955", + "modified_by": "Administrator", + "module": "Stock", + "name": "Item-wise Price List Rate", + "owner": "Administrator", + "ref_doctype": "Price List", + "report_name": "Item-wise Price List Rate", "report_type": "Report Builder" -} \ No newline at end of file +} From 91016ba989d65e4386f56644f2a0c23eabad908c Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Mon, 9 Jun 2014 18:41:25 +0530 Subject: [PATCH 123/630] update custom print formats for renamed fields --- erpnext/patches.txt | 1 + ...custom_print_formats_for_renamed_fields.py | 36 +++++++++++++++++++ 2 files changed, 37 insertions(+) create mode 100644 erpnext/patches/v4_0/update_custom_print_formats_for_renamed_fields.py diff --git a/erpnext/patches.txt b/erpnext/patches.txt index 64cbc4033d..8755837b70 100644 --- a/erpnext/patches.txt +++ b/erpnext/patches.txt @@ -57,3 +57,4 @@ execute:frappe.reset_perms("GL Entry") #2014-06-09 execute:frappe.reset_perms("Stock Ledger Entry") #2014-06-09 erpnext.patches.v4_0.create_custom_fields_for_india_specific_fields erpnext.patches.v4_0.save_default_letterhead +erpnext.patches.v4_0.update_custom_print_formats_for_renamed_fields diff --git a/erpnext/patches/v4_0/update_custom_print_formats_for_renamed_fields.py b/erpnext/patches/v4_0/update_custom_print_formats_for_renamed_fields.py new file mode 100644 index 0000000000..60d45cf6a6 --- /dev/null +++ b/erpnext/patches/v4_0/update_custom_print_formats_for_renamed_fields.py @@ -0,0 +1,36 @@ +# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors +# License: GNU General Public License v3. See license.txt + +from __future__ import unicode_literals +import frappe +import re + +def execute(): + # NOTE: sequence is important + fields_list = ( + ("amount", "base_amount"), + ("ref_rate", "price_list_rate"), + ("base_ref_rate", "base_price_list_rate"), + ("adj_rate", "discount_percentage"), + ("export_rate", "rate"), + ("basic_rate", "base_rate"), + ("export_amount", "amount"), + ("reserved_warehouse", "warehouse"), + ("import_ref_rate", "price_list_rate"), + ("purchase_ref_rate", "base_price_list_rate"), + ("discount_rate", "discount_percentage"), + ("import_rate", "rate"), + ("purchase_rate", "base_rate"), + ("import_amount", "amount") + ) + + condition = " or ".join("""html like "%%{}%%" """.format(d[0].replace("_", "\\_")) for d in fields_list + if d[0] != "amount") + + for name, html in frappe.db.sql("""select name, html from `tabPrint Format` + where standard = 'No' and ({}) and html not like '%%frappe.%%'""".format(condition)): + html = html.replace("wn.", "frappe.") + for from_field, to_field in fields_list: + html = re.sub(r"\b{}\b".format(from_field), to_field, html) + + frappe.db.set_value("Print Format", name, "html", html) From 7cba72a0b7de4f8f9e85c7ed6761c0006c098589 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Tue, 10 Jun 2014 11:09:21 +0530 Subject: [PATCH 124/630] Pricing Rule: price / discount percentage can not be negative --- erpnext/accounts/doctype/pricing_rule/pricing_rule.py | 9 ++++++++- erpnext/setup/doctype/currency/currency.py | 5 +++-- 2 files changed, 11 insertions(+), 3 deletions(-) diff --git a/erpnext/accounts/doctype/pricing_rule/pricing_rule.py b/erpnext/accounts/doctype/pricing_rule/pricing_rule.py index 61e7ade441..a15b45a381 100644 --- a/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +++ b/erpnext/accounts/doctype/pricing_rule/pricing_rule.py @@ -14,13 +14,15 @@ class PricingRule(Document): self.validate_mandatory() self.validate_min_max_qty() self.cleanup_fields_value() + self.validate_price_or_discount() def validate_mandatory(self): - for field in ["apply_on", "applicable_for", "price_or_discount"]: + for field in ["apply_on", "applicable_for"]: tocheck = frappe.scrub(self.get(field) or "") if tocheck and not self.get(tocheck): throw(_("{0} is required").format(self.meta.get_label(tocheck)), frappe.MandatoryError) + def validate_min_max_qty(self): if self.min_qty and self.max_qty and flt(self.min_qty) > flt(self.max_qty): throw(_("Min Qty can not be greater than Max Qty")) @@ -37,3 +39,8 @@ class PricingRule(Document): f = frappe.scrub(f) if f!=fieldname: self.set(f, None) + + def validate_price_or_discount(self): + for field in ["Price", "Discount Percentage"]: + if flt(self.get(frappe.scrub(field))) < 0: + throw(_("{0} can not be negative").format(field)) diff --git a/erpnext/setup/doctype/currency/currency.py b/erpnext/setup/doctype/currency/currency.py index 9dc6e3b229..5be618b80e 100644 --- a/erpnext/setup/doctype/currency/currency.py +++ b/erpnext/setup/doctype/currency/currency.py @@ -8,7 +8,8 @@ from frappe import throw, _ from frappe.model.document import Document class Currency(Document): - pass + def validate(self): + frappe.clear_cache() def validate_conversion_rate(currency, conversion_rate, conversion_rate_label, company): """common validation for currency and price list currency""" @@ -20,4 +21,4 @@ def validate_conversion_rate(currency, conversion_rate, conversion_rate_label, c "conversion_rate_label": conversion_rate_label, "from_currency": currency, "to_currency": company_currency - }) \ No newline at end of file + }) From 6febfca5a6eeba0a39898b7becd7125afab4f8ef Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Tue, 10 Jun 2014 11:21:38 +0530 Subject: [PATCH 125/630] changed insert after for india related custom fields --- .../create_custom_fields_for_india_specific_fields.py | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/erpnext/patches/v4_0/create_custom_fields_for_india_specific_fields.py b/erpnext/patches/v4_0/create_custom_fields_for_india_specific_fields.py index eeb0f5b904..9b07000554 100644 --- a/erpnext/patches/v4_0/create_custom_fields_for_india_specific_fields.py +++ b/erpnext/patches/v4_0/create_custom_fields_for_india_specific_fields.py @@ -20,7 +20,7 @@ def execute(): "label": "Supplier Shipment Date", "fieldname": "challan_date", "fieldtype": "Date", - "insert_after": "challan_no" + "insert_after": "is_subcontracted" }], "Employee": [{ "label": "PAN Number", @@ -31,7 +31,7 @@ def execute(): "label": "Gratuity LIC Id", "fieldname": "gratuity_lic_id", "fieldtype": "Data", - "insert_after": "pan_number" + "insert_after": "company_email" }, { "label": "Esic Card No", "fieldname": "esic_card_no", @@ -41,7 +41,7 @@ def execute(): "label": "PF Number", "fieldname": "pf_number", "fieldtype": "Data", - "insert_after": "esic_card_no" + "insert_after": "bank_ac_no" }], "Salary Slip": [{ "label": "Esic No", @@ -53,7 +53,7 @@ def execute(): "label": "PF Number", "fieldname": "pf_no", "fieldtype": "Data", - "insert_after": "esic_no", + "insert_after": "letter_head", "permlevel": 1 }] } From 74256346922ba085aa7ece41904c38493915fa48 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Tue, 10 Jun 2014 14:10:22 +0530 Subject: [PATCH 126/630] minor fix in global defaults --- .../setup/doctype/global_defaults/global_defaults.py | 12 ++++++------ 1 file changed, 6 insertions(+), 6 deletions(-) diff --git a/erpnext/setup/doctype/global_defaults/global_defaults.py b/erpnext/setup/doctype/global_defaults/global_defaults.py index 15ce4a28a1..737c17ec4c 100644 --- a/erpnext/setup/doctype/global_defaults/global_defaults.py +++ b/erpnext/setup/doctype/global_defaults/global_defaults.py @@ -30,13 +30,13 @@ class GlobalDefaults(Document): # update year start date and year end date from fiscal_year year_start_end_date = frappe.db.sql("""select year_start_date, year_end_date from `tabFiscal Year` where name=%s""", self.current_fiscal_year) + if year_start_end_date: + ysd = year_start_end_date[0][0] or '' + yed = year_start_end_date[0][1] or '' - ysd = year_start_end_date[0][0] or '' - yed = year_start_end_date[0][1] or '' - - if ysd and yed: - frappe.db.set_default('year_start_date', ysd.strftime('%Y-%m-%d')) - frappe.db.set_default('year_end_date', yed.strftime('%Y-%m-%d')) + if ysd and yed: + frappe.db.set_default('year_start_date', ysd.strftime('%Y-%m-%d')) + frappe.db.set_default('year_end_date', yed.strftime('%Y-%m-%d')) # enable default currency if self.default_currency: From 82029be6f950e5622a8c76d347bea6e94c62cfd7 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Tue, 10 Jun 2014 14:52:49 +0530 Subject: [PATCH 127/630] Reload sales taxes and charges in patch --- erpnext/patches/v4_0/update_tax_amount_after_discount.py | 1 + 1 file changed, 1 insertion(+) diff --git a/erpnext/patches/v4_0/update_tax_amount_after_discount.py b/erpnext/patches/v4_0/update_tax_amount_after_discount.py index 37f082b290..e935bc4088 100644 --- a/erpnext/patches/v4_0/update_tax_amount_after_discount.py +++ b/erpnext/patches/v4_0/update_tax_amount_after_discount.py @@ -5,6 +5,7 @@ from __future__ import unicode_literals import frappe def execute(): + frappe.reload_doc("accounts", "doctype", "sales_taxes_and_charges") docs_with_discount_amount = frappe._dict() for dt in ["Quotation", "Sales Order", "Delivery Note", "Sales Invoice"]: records = frappe.db.sql_list("""select name from `tab%s` From 7656377f3f1d55b8e253e4ab4ebb062f483439a2 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Tue, 10 Jun 2014 15:48:37 +0530 Subject: [PATCH 128/630] Show website route for generator via set_intro, fix in Support Email Settings --- .../setup/doctype/item_group/item_group.js | 7 +++---- .../setup/doctype/item_group/item_group.json | 19 ++++++++++--------- erpnext/stock/doctype/item/item.js | 10 +++++----- erpnext/stock/doctype/item/item.py | 1 + .../support_email_settings.py | 3 ++- 5 files changed, 21 insertions(+), 19 deletions(-) diff --git a/erpnext/setup/doctype/item_group/item_group.js b/erpnext/setup/doctype/item_group/item_group.js index 2aaf558642..954f6c58b5 100644 --- a/erpnext/setup/doctype/item_group/item_group.js +++ b/erpnext/setup/doctype/item_group/item_group.js @@ -9,10 +9,9 @@ cur_frm.cscript.refresh = function(doc, cdt, cdn) { frappe.set_route("Sales Browser", "Item Group"); }, "icon-sitemap") - if(!doc.__islocal && doc.show_in_website) { - cur_frm.appframe.add_button("View In Website", function() { - window.open(doc.__onload.website_route); - }, "icon-globe"); + if (!doc.__islocal && doc.show_in_website) { + cur_frm.set_intro(__("Published on website at: {0}", + [repl('/%(website_route)s', doc.__onload)])); } } diff --git a/erpnext/setup/doctype/item_group/item_group.json b/erpnext/setup/doctype/item_group/item_group.json index 82f3c031be..66e39674f2 100644 --- a/erpnext/setup/doctype/item_group/item_group.json +++ b/erpnext/setup/doctype/item_group/item_group.json @@ -21,14 +21,6 @@ "reqd": 1, "search_index": 0 }, - { - "fieldname": "page_name", - "fieldtype": "Data", - "in_list_view": 1, - "label": "Page Name", - "permlevel": 0, - "read_only": 1 - }, { "fieldname": "cb0", "fieldtype": "Column Break", @@ -79,6 +71,15 @@ "permlevel": 0, "search_index": 0 }, + { + "depends_on": "show_in_website", + "fieldname": "page_name", + "fieldtype": "Data", + "in_list_view": 0, + "label": "Page Name", + "permlevel": 0, + "read_only": 1 + }, { "depends_on": "show_in_website", "fieldname": "parent_website_route", @@ -162,7 +163,7 @@ "in_create": 1, "issingle": 0, "max_attachments": 3, - "modified": "2014-05-27 03:49:12.086044", + "modified": "2014-06-10 05:37:03.763185", "modified_by": "Administrator", "module": "Setup", "name": "Item Group", diff --git a/erpnext/stock/doctype/item/item.js b/erpnext/stock/doctype/item/item.js index 2b499c168e..2eeb84128d 100644 --- a/erpnext/stock/doctype/item/item.js +++ b/erpnext/stock/doctype/item/item.js @@ -16,11 +16,6 @@ cur_frm.cscript.refresh = function(doc) { } - if(!doc.__islocal && doc.show_in_website) { - cur_frm.appframe.add_button("View In Website", function() { - window.open(doc.__onload.website_route); - }, "icon-globe"); - } cur_frm.cscript.edit_prices_button(); if (!doc.__islocal && doc.is_stock_item == 'Yes') { @@ -28,6 +23,11 @@ cur_frm.cscript.refresh = function(doc) { (doc.__onload && doc.__onload.sle_exists=="exists") ? false : true); } + if (!doc.__islocal && doc.show_in_website) { + cur_frm.set_intro(__("Published on website at: {0}", + [repl('/%(website_route)s', doc.__onload)])); + } + erpnext.item.toggle_reqd(cur_frm); } diff --git a/erpnext/stock/doctype/item/item.py b/erpnext/stock/doctype/item/item.py index 6d6db94f30..f43b531392 100644 --- a/erpnext/stock/doctype/item/item.py +++ b/erpnext/stock/doctype/item/item.py @@ -13,6 +13,7 @@ class WarehouseNotSet(frappe.ValidationError): pass class Item(WebsiteGenerator): def onload(self): + super(Item, self).onload() self.get("__onload").sle_exists = self.check_if_sle_exists() def autoname(self): diff --git a/erpnext/support/doctype/support_email_settings/support_email_settings.py b/erpnext/support/doctype/support_email_settings/support_email_settings.py index 8763c6d269..be8889190d 100644 --- a/erpnext/support/doctype/support_email_settings/support_email_settings.py +++ b/erpnext/support/doctype/support_email_settings/support_email_settings.py @@ -6,6 +6,7 @@ from __future__ import unicode_literals import frappe from frappe import _ +from frappe.utils import cint from frappe.model.document import Document from frappe.utils.email_lib.receive import POP3Mailbox import _socket, poplib @@ -16,7 +17,7 @@ class SupportEmailSettings(Document): """ Checks support ticket email settings """ - if self.sync_support_mails and self.mail_server: + if cint(self.sync_support_mails) and self.mail_server and not frappe.local.flags.in_patch: inc_email = frappe._dict(self.as_dict()) # inc_email.encode() inc_email.host = self.mail_server From 862fe6036863be217f8131880c3b7821678ef132 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Tue, 10 Jun 2014 17:15:50 +0530 Subject: [PATCH 129/630] Minor fix in newsletter --- erpnext/support/doctype/newsletter/newsletter.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/support/doctype/newsletter/newsletter.py b/erpnext/support/doctype/newsletter/newsletter.py index a6dd8da7c2..9072700fb6 100644 --- a/erpnext/support/doctype/newsletter/newsletter.py +++ b/erpnext/support/doctype/newsletter/newsletter.py @@ -88,7 +88,7 @@ class Newsletter(Document): send(recipients = self.recipients, sender = sender, subject = self.subject, message = self.message, - doctype = self.send_to_doctype, email_field = self.email_field or "email_id", + doctype = self.send_to_doctype, email_field = self.get("email_field") or "email_id", ref_doctype = self.doctype, ref_docname = self.name) if not frappe.flags.in_test: From fdfea0c17ba3954336077e48f606d76f130c4e5c Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Tue, 10 Jun 2014 17:54:04 +0530 Subject: [PATCH 130/630] Fixed Recurring Sales Invoice --- erpnext/accounts/doctype/sales_invoice/sales_invoice.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/accounts/doctype/sales_invoice/sales_invoice.py b/erpnext/accounts/doctype/sales_invoice/sales_invoice.py index 982df17b69..0d8eb50f03 100644 --- a/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +++ b/erpnext/accounts/doctype/sales_invoice/sales_invoice.py @@ -724,7 +724,7 @@ def send_notification(new_rv): from frappe.core.doctype.print_format.print_format import get_html frappe.sendmail(new_rv.notification_email_address, subject="New Invoice : " + new_rv.name, - message = get_html(new_rv, new_rv, "SalesInvoice")) + message = get_html(new_rv, new_rv, "Sales Invoice")) def notify_errors(inv, customer, owner): from frappe.utils.user import get_system_managers From 94c17bdf854edb9a3e67d42b7e43b5423f325f37 Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Wed, 11 Jun 2014 10:45:57 +0530 Subject: [PATCH 131/630] Update CONTRIBUTING.md --- CONTRIBUTING.md | 19 +++++++++---------- 1 file changed, 9 insertions(+), 10 deletions(-) diff --git a/CONTRIBUTING.md b/CONTRIBUTING.md index 57fca34c40..a29e0badee 100644 --- a/CONTRIBUTING.md +++ b/CONTRIBUTING.md @@ -1,16 +1,19 @@ -# Contributing to ERPNext +# Contributing to Frappe / ERPNext ## Reporting issues We only accept issues that are bug reports or feature requests. Bugs must be isolated and reproducible problems. Please read the following guidelines before opening any issue. -1. **Search for existing issues.** We want to avoid duplication, and you'd help us out a lot by first checking if someone else has reported the same issue. The issue may have already been resolved with a fix available. +1. **Search for existing issues:** We want to avoid duplication, and you'd help us out a lot by first checking if someone else has reported the same issue. The issue may have already been resolved with a fix available. +1. **Report each issue separately:** Don't club multiple, unreleated issues in one note. +1. **Mention the version number:** Please mention the application, browser and platform version numbers. ### Issues -1. **Share as much information as possible.** Include operating system and version, browser and version, when did you last update ERPNext, how is it customized, etc. where appropriate. Also include steps to reproduce the bug. -1. Consider adding screenshots annotated with what goes wrong. -1. If you are reporting an issue from the browser, Open the Javascript Console and paste us any error messages you see. +1. **Share as much information as possible:** Include operating system and version, browser and version, when did you last update ERPNext, how is it customized, etc. where appropriate. Also include steps to reproduce the bug. +1. **Include Screenshots if possible:** Consider adding screenshots annotated with what goes wrong. +1. **Find and post the trace for bugs:** If you are reporting an issue from the browser, Open the Javascript Console and paste us any error messages you see. + ### Feature Requests @@ -37,14 +40,10 @@ that function to accommodate your use case. DocTypes are easy to create but hard to maintain. If you find that there is a another DocType with a similar functionality, then please try and extend that functionality. For example, by adding a "type" field to classify the new type of record. -#### Don't Send Trivial Requests - -Don't send pull requests for fixing a simple typo in a code comment. - #### Tabs or spaces? Tabs! ### Copyright -Please see README.md \ No newline at end of file +Please see README.md From 589a2980960cd201e79058b3886cdb81c4722242 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Wed, 11 Jun 2014 13:00:03 +0530 Subject: [PATCH 132/630] Minor fixes in salary manager. Fixes #1754 --- erpnext/hr/doctype/salary_manager/salary_manager.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/hr/doctype/salary_manager/salary_manager.py b/erpnext/hr/doctype/salary_manager/salary_manager.py index dcc1665691..7d962e3c69 100644 --- a/erpnext/hr/doctype/salary_manager/salary_manager.py +++ b/erpnext/hr/doctype/salary_manager/salary_manager.py @@ -128,7 +128,7 @@ class SalaryManager(Document): for ss in ss_list: ss_obj = frappe.get_doc("Salary Slip",ss[0]) try: - frappe.db.set(ss_obj, 'email_check', cint(self.send_mail)) + frappe.db.set(ss_obj, 'email_check', cint(self.send_email)) if cint(self.send_email) == 1: ss_obj.send_mail_funct() From 6def968c3c39cef0a504b4717a7644c24471152c Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Thu, 12 Jun 2014 10:31:43 +0530 Subject: [PATCH 133/630] minor fix for outgoing communication email --- erpnext/controllers/selling_controller.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/controllers/selling_controller.py b/erpnext/controllers/selling_controller.py index df320dcda1..33f03b6ce4 100644 --- a/erpnext/controllers/selling_controller.py +++ b/erpnext/controllers/selling_controller.py @@ -19,7 +19,7 @@ class SellingController(StockController): if frappe.db.get_value('Sales Email Settings', None, 'extract_emails'): return frappe.db.get_value('Sales Email Settings', None, 'email_id') else: - return frappe.session.user + return comm.sender or frappe.session.user def set_missing_values(self, for_validate=False): super(SellingController, self).set_missing_values(for_validate) From e98b326ba30a8b2b245f741ceca71a7bba19f231 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Thu, 12 Jun 2014 12:24:11 +0530 Subject: [PATCH 134/630] Stock Entry: Always set valuation rate automatically if source warehouse provided or sales return. Fixes #932 --- erpnext/stock/doctype/stock_entry/stock_entry.py | 6 ++++-- 1 file changed, 4 insertions(+), 2 deletions(-) diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.py b/erpnext/stock/doctype/stock_entry/stock_entry.py index ac81f88e88..da176b0976 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry.py +++ b/erpnext/stock/doctype/stock_entry/stock_entry.py @@ -205,8 +205,10 @@ class StockEntry(StockController): # get incoming rate if not d.bom_no: - if not flt(d.incoming_rate): - d.incoming_rate = self.get_incoming_rate(args) + if not flt(d.incoming_rate) or d.s_warehouse or self.purpose == "Sales Return": + incoming_rate = self.get_incoming_rate(args) + if incoming_rate: + d.incoming_rate = incoming_rate d.amount = flt(d.transfer_qty) * flt(d.incoming_rate) raw_material_cost += flt(d.amount) From 2128c98c353285f9d76c2d276af018397a06d41f Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Thu, 12 Jun 2014 12:42:22 +0530 Subject: [PATCH 135/630] available qty validation. Fixes #1045 --- erpnext/stock/doctype/stock_entry/stock_entry.py | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.py b/erpnext/stock/doctype/stock_entry/stock_entry.py index da176b0976..bbe461e79a 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry.py +++ b/erpnext/stock/doctype/stock_entry/stock_entry.py @@ -202,6 +202,10 @@ class StockEntry(StockController): }) # get actual stock at source warehouse d.actual_qty = get_previous_sle(args).get("qty_after_transaction") or 0 + if d.s_warehouse and d.actual_qty <= d.transfer_qty: + frappe.throw(_("""Row {0}: Qty not avalable in warehouse {1} on {2} {3}. + Available Qty: {4}, Transfer Qty: {5}""").format(d.idx, d.s_warehouse, + self.posting_date, self.posting_time, d.actual_qty, d.transfer_qty)) # get incoming rate if not d.bom_no: From 46dc3b1442d0ab8debb42d385acf343b3d979d04 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Thu, 12 Jun 2014 12:48:28 +0530 Subject: [PATCH 136/630] validations added in stock entry --- erpnext/stock/doctype/stock_entry/stock_entry.py | 7 +++++++ 1 file changed, 7 insertions(+) diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.py b/erpnext/stock/doctype/stock_entry/stock_entry.py index bbe461e79a..2037117e05 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry.py +++ b/erpnext/stock/doctype/stock_entry/stock_entry.py @@ -70,6 +70,9 @@ class StockEntry(StockController): def set_transfer_qty(self): for item in self.get("mtn_details"): + if not flt(item.qty): + frappe.throw(_("Row {0}: Qty is mandatory").format(item.idx)) + item.transfer_qty = flt(item.qty * item.conversion_factor, self.precision("transfer_qty", item)) def validate_item(self): @@ -191,6 +194,9 @@ class StockEntry(StockController): raw_material_cost = 0.0 + if not self.posting_date or not self.posting_time: + frappe.throw(_("Posting date and posting time is mandatory")) + for d in self.get('mtn_details'): args = frappe._dict({ "item_code": d.item_code, @@ -200,6 +206,7 @@ class StockEntry(StockController): "qty": d.s_warehouse and -1*d.transfer_qty or d.transfer_qty, "serial_no": d.serial_no }) + # get actual stock at source warehouse d.actual_qty = get_previous_sle(args).get("qty_after_transaction") or 0 if d.s_warehouse and d.actual_qty <= d.transfer_qty: From 277f4a1bfe584ac3c366d4cac7c7563de290579d Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Thu, 12 Jun 2014 12:59:23 +0530 Subject: [PATCH 137/630] Removed clear_custom_buttons, pos view switch fix --- erpnext/accounts/doctype/sales_invoice/sales_invoice.js | 2 +- erpnext/public/js/transaction.js | 1 - erpnext/selling/doctype/lead/lead.js | 1 - erpnext/selling/doctype/opportunity/opportunity.js | 1 - 4 files changed, 1 insertion(+), 4 deletions(-) diff --git a/erpnext/accounts/doctype/sales_invoice/sales_invoice.js b/erpnext/accounts/doctype/sales_invoice/sales_invoice.js index 034880a211..bfb500c665 100644 --- a/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +++ b/erpnext/accounts/doctype/sales_invoice/sales_invoice.js @@ -24,7 +24,7 @@ erpnext.accounts.SalesInvoiceController = erpnext.selling.SellingController.exte } // toggle to pos view if is_pos is 1 in user_defaults - if ((cint(frappe.defaults.get_user_defaults("is_pos"))===1 || this.frm.doc.is_pos)) { + if ((is_null(this.frm.doc.is_pos) && cint(frappe.defaults.get_user_default("is_pos"))===1) || this.frm.doc.is_pos) { if(this.frm.doc.__islocal && !this.frm.doc.amended_from && !this.frm.doc.customer) { this.frm.set_value("is_pos", 1); this.is_pos(function() { diff --git a/erpnext/public/js/transaction.js b/erpnext/public/js/transaction.js index 27ee1521c8..2c372042ea 100644 --- a/erpnext/public/js/transaction.js +++ b/erpnext/public/js/transaction.js @@ -47,7 +47,6 @@ erpnext.TransactionController = erpnext.stock.StockController.extend({ }, refresh: function() { - this.frm.clear_custom_buttons(); erpnext.toggle_naming_series(); erpnext.hide_company(); this.show_item_wise_taxes(); diff --git a/erpnext/selling/doctype/lead/lead.js b/erpnext/selling/doctype/lead/lead.js index 286ce3593c..ba9741b4f6 100644 --- a/erpnext/selling/doctype/lead/lead.js +++ b/erpnext/selling/doctype/lead/lead.js @@ -30,7 +30,6 @@ erpnext.LeadController = frappe.ui.form.Controller.extend({ refresh: function() { var doc = this.frm.doc; erpnext.toggle_naming_series(); - this.frm.clear_custom_buttons(); if(!this.frm.doc.__islocal && this.frm.doc.__onload && !this.frm.doc.__onload.is_customer) { this.frm.add_custom_button(__("Create Customer"), this.create_customer); diff --git a/erpnext/selling/doctype/opportunity/opportunity.js b/erpnext/selling/doctype/opportunity/opportunity.js index 4cc95ad59b..ce7c6ea273 100644 --- a/erpnext/selling/doctype/opportunity/opportunity.js +++ b/erpnext/selling/doctype/opportunity/opportunity.js @@ -80,7 +80,6 @@ $.extend(cur_frm.cscript, new erpnext.selling.Opportunity({frm: cur_frm})); cur_frm.cscript.refresh = function(doc, cdt, cdn) { erpnext.toggle_naming_series(); - cur_frm.clear_custom_buttons(); if(doc.docstatus === 1 && doc.status!=="Lost") { cur_frm.add_custom_button(__('Create Quotation'), cur_frm.cscript.create_quotation); From e7f2d3179d42d121c612e083911ecb423a0b6de8 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Thu, 12 Jun 2014 14:58:09 +0530 Subject: [PATCH 138/630] update other_charges in custom print formats --- erpnext/patches.txt | 1 + ...other_charges_in_custom_purchase_print_formats.py | 12 ++++++++++++ 2 files changed, 13 insertions(+) create mode 100644 erpnext/patches/v4_0/update_other_charges_in_custom_purchase_print_formats.py diff --git a/erpnext/patches.txt b/erpnext/patches.txt index 8755837b70..02c651f9ed 100644 --- a/erpnext/patches.txt +++ b/erpnext/patches.txt @@ -58,3 +58,4 @@ execute:frappe.reset_perms("Stock Ledger Entry") #2014-06-09 erpnext.patches.v4_0.create_custom_fields_for_india_specific_fields erpnext.patches.v4_0.save_default_letterhead erpnext.patches.v4_0.update_custom_print_formats_for_renamed_fields +erpnext.patches.v4_0.update_other_charges_in_custom_purchase_print_formats diff --git a/erpnext/patches/v4_0/update_other_charges_in_custom_purchase_print_formats.py b/erpnext/patches/v4_0/update_other_charges_in_custom_purchase_print_formats.py new file mode 100644 index 0000000000..c0f9ee008f --- /dev/null +++ b/erpnext/patches/v4_0/update_other_charges_in_custom_purchase_print_formats.py @@ -0,0 +1,12 @@ +# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors +# License: GNU General Public License v3. See license.txt + +from __future__ import unicode_literals +import frappe +import re + +def execute(): + for name, html in frappe.db.sql("""select name, html from `tabPrint Format` + where standard = 'No' and html like '%%purchase\\_tax\\_details%%'"""): + html = re.sub(r"\bpurchase_tax_details\b", "other_charges", html) + frappe.db.set_value("Print Format", name, "html", html) From 205438669ad966c2028f20f75d30dfbb1b3c590d Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Thu, 12 Jun 2014 12:59:23 +0530 Subject: [PATCH 139/630] Removed clear_custom_buttons, pos view switch fix --- erpnext/accounts/doctype/sales_invoice/sales_invoice.js | 2 +- erpnext/public/js/transaction.js | 1 - erpnext/selling/doctype/lead/lead.js | 1 - erpnext/selling/doctype/opportunity/opportunity.js | 1 - 4 files changed, 1 insertion(+), 4 deletions(-) diff --git a/erpnext/accounts/doctype/sales_invoice/sales_invoice.js b/erpnext/accounts/doctype/sales_invoice/sales_invoice.js index 034880a211..bfb500c665 100644 --- a/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +++ b/erpnext/accounts/doctype/sales_invoice/sales_invoice.js @@ -24,7 +24,7 @@ erpnext.accounts.SalesInvoiceController = erpnext.selling.SellingController.exte } // toggle to pos view if is_pos is 1 in user_defaults - if ((cint(frappe.defaults.get_user_defaults("is_pos"))===1 || this.frm.doc.is_pos)) { + if ((is_null(this.frm.doc.is_pos) && cint(frappe.defaults.get_user_default("is_pos"))===1) || this.frm.doc.is_pos) { if(this.frm.doc.__islocal && !this.frm.doc.amended_from && !this.frm.doc.customer) { this.frm.set_value("is_pos", 1); this.is_pos(function() { diff --git a/erpnext/public/js/transaction.js b/erpnext/public/js/transaction.js index 27ee1521c8..2c372042ea 100644 --- a/erpnext/public/js/transaction.js +++ b/erpnext/public/js/transaction.js @@ -47,7 +47,6 @@ erpnext.TransactionController = erpnext.stock.StockController.extend({ }, refresh: function() { - this.frm.clear_custom_buttons(); erpnext.toggle_naming_series(); erpnext.hide_company(); this.show_item_wise_taxes(); diff --git a/erpnext/selling/doctype/lead/lead.js b/erpnext/selling/doctype/lead/lead.js index 286ce3593c..ba9741b4f6 100644 --- a/erpnext/selling/doctype/lead/lead.js +++ b/erpnext/selling/doctype/lead/lead.js @@ -30,7 +30,6 @@ erpnext.LeadController = frappe.ui.form.Controller.extend({ refresh: function() { var doc = this.frm.doc; erpnext.toggle_naming_series(); - this.frm.clear_custom_buttons(); if(!this.frm.doc.__islocal && this.frm.doc.__onload && !this.frm.doc.__onload.is_customer) { this.frm.add_custom_button(__("Create Customer"), this.create_customer); diff --git a/erpnext/selling/doctype/opportunity/opportunity.js b/erpnext/selling/doctype/opportunity/opportunity.js index 4cc95ad59b..ce7c6ea273 100644 --- a/erpnext/selling/doctype/opportunity/opportunity.js +++ b/erpnext/selling/doctype/opportunity/opportunity.js @@ -80,7 +80,6 @@ $.extend(cur_frm.cscript, new erpnext.selling.Opportunity({frm: cur_frm})); cur_frm.cscript.refresh = function(doc, cdt, cdn) { erpnext.toggle_naming_series(); - cur_frm.clear_custom_buttons(); if(doc.docstatus === 1 && doc.status!=="Lost") { cur_frm.add_custom_button(__('Create Quotation'), cur_frm.cscript.create_quotation); From 3761ff352237567ae8464be08d30d719e7f141ed Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Thu, 12 Jun 2014 15:00:25 +0530 Subject: [PATCH 140/630] Fix in patch: split email settings --- erpnext/patches/v4_0/split_email_settings.py | 2 ++ 1 file changed, 2 insertions(+) diff --git a/erpnext/patches/v4_0/split_email_settings.py b/erpnext/patches/v4_0/split_email_settings.py index 05d9bc5800..1b8a0c6968 100644 --- a/erpnext/patches/v4_0/split_email_settings.py +++ b/erpnext/patches/v4_0/split_email_settings.py @@ -28,6 +28,7 @@ def map_outgoing_email_settings(email_settings): outgoing_email_settings.set(to_fieldname, email_settings.get(from_fieldname)) + outgoing_email_settings._fix_numeric_types() outgoing_email_settings.save() def map_support_email_settings(email_settings): @@ -47,6 +48,7 @@ def map_support_email_settings(email_settings): support_email_settings.set(to_fieldname, email_settings.get(from_fieldname)) + support_email_settings._fix_numeric_types() support_email_settings.save() def get_email_settings(): From f2202fc01419f826d056a62e23879514b4a7d0e8 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Thu, 12 Jun 2014 15:20:47 +0530 Subject: [PATCH 141/630] minor fix --- erpnext/stock/doctype/stock_entry/stock_entry.py | 5 ++++- 1 file changed, 4 insertions(+), 1 deletion(-) diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.py b/erpnext/stock/doctype/stock_entry/stock_entry.py index 2037117e05..d8164f7e21 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry.py +++ b/erpnext/stock/doctype/stock_entry/stock_entry.py @@ -197,6 +197,8 @@ class StockEntry(StockController): if not self.posting_date or not self.posting_time: frappe.throw(_("Posting date and posting time is mandatory")) + allow_negative_stock = frappe.db.get_value("Stock Settings", None, "allow_negative_stock") + for d in self.get('mtn_details'): args = frappe._dict({ "item_code": d.item_code, @@ -209,7 +211,8 @@ class StockEntry(StockController): # get actual stock at source warehouse d.actual_qty = get_previous_sle(args).get("qty_after_transaction") or 0 - if d.s_warehouse and d.actual_qty <= d.transfer_qty: + + if d.s_warehouse and not allow_negative_stock and d.actual_qty <= d.transfer_qty: frappe.throw(_("""Row {0}: Qty not avalable in warehouse {1} on {2} {3}. Available Qty: {4}, Transfer Qty: {5}""").format(d.idx, d.s_warehouse, self.posting_date, self.posting_time, d.actual_qty, d.transfer_qty)) From c1bfb63d96bb992769d1f6c654f87436d3c72dcc Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Fri, 13 Jun 2014 12:41:08 +0530 Subject: [PATCH 142/630] Create price list if missing --- erpnext/patches.txt | 1 + .../v4_0/create_price_list_if_missing.py | 28 +++++++++++++++++++ .../stock/doctype/price_list/price_list.py | 1 + 3 files changed, 30 insertions(+) create mode 100644 erpnext/patches/v4_0/create_price_list_if_missing.py diff --git a/erpnext/patches.txt b/erpnext/patches.txt index 02c651f9ed..f7342c1d75 100644 --- a/erpnext/patches.txt +++ b/erpnext/patches.txt @@ -59,3 +59,4 @@ erpnext.patches.v4_0.create_custom_fields_for_india_specific_fields erpnext.patches.v4_0.save_default_letterhead erpnext.patches.v4_0.update_custom_print_formats_for_renamed_fields erpnext.patches.v4_0.update_other_charges_in_custom_purchase_print_formats +erpnext.patches.v4_0.create_price_list_if_missing diff --git a/erpnext/patches/v4_0/create_price_list_if_missing.py b/erpnext/patches/v4_0/create_price_list_if_missing.py new file mode 100644 index 0000000000..eeeae19783 --- /dev/null +++ b/erpnext/patches/v4_0/create_price_list_if_missing.py @@ -0,0 +1,28 @@ +# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors +# License: GNU General Public License v3. See license.txt + +from __future__ import unicode_literals +import frappe +from frappe import _ +from frappe.utils.nestedset import get_root_of + +def execute(): + if not frappe.db.sql("select name from `tabPrice List` where buying=1"): + create_price_list(_("Standard Buying"), buying=1) + + if not frappe.db.sql("select name from `tabPrice List` where selling=1"): + create_price_list(_("Standard Selling"), selling=1) + +def create_price_list(pl_name, buying=0, selling=0): + price_list = frappe.get_doc({ + "doctype": "Price List", + "price_list_name": pl_name, + "enabled": 1, + "buying": buying, + "selling": selling, + "currency": frappe.db.get_default("currency"), + "valid_for_territories": [{ + "territory": get_root_of("Territory") + }] + }) + price_list.insert() diff --git a/erpnext/stock/doctype/price_list/price_list.py b/erpnext/stock/doctype/price_list/price_list.py index d992488fc6..a4ff25044b 100644 --- a/erpnext/stock/doctype/price_list/price_list.py +++ b/erpnext/stock/doctype/price_list/price_list.py @@ -51,6 +51,7 @@ class PriceList(Document): if self.name == b.get(price_list_fieldname): b.set(price_list_fieldname, None) + b.ignore_permissions = True b.save() for module in ["Selling", "Buying"]: From 3dc722b0964af9ad6fd7b008563636ddd378d914 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Fri, 13 Jun 2014 15:30:38 +0530 Subject: [PATCH 143/630] Create price list only if setup complete --- erpnext/patches/v4_0/create_price_list_if_missing.py | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/erpnext/patches/v4_0/create_price_list_if_missing.py b/erpnext/patches/v4_0/create_price_list_if_missing.py index eeeae19783..eea1fd9ff6 100644 --- a/erpnext/patches/v4_0/create_price_list_if_missing.py +++ b/erpnext/patches/v4_0/create_price_list_if_missing.py @@ -7,6 +7,10 @@ from frappe import _ from frappe.utils.nestedset import get_root_of def execute(): + # setup not complete + if not frappe.db.sql("""select name from tabCompany limit 1"""): + return + if not frappe.db.sql("select name from `tabPrice List` where buying=1"): create_price_list(_("Standard Buying"), buying=1) From 3474c273a53962d936025cbedd9718b045339d53 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Mon, 16 Jun 2014 12:14:14 +0530 Subject: [PATCH 144/630] Ignore mandatory in employee patch --- erpnext/patches/v4_0/apply_user_permissions.py | 4 +++- 1 file changed, 3 insertions(+), 1 deletion(-) diff --git a/erpnext/patches/v4_0/apply_user_permissions.py b/erpnext/patches/v4_0/apply_user_permissions.py index 36c778195b..7dae02f785 100644 --- a/erpnext/patches/v4_0/apply_user_permissions.py +++ b/erpnext/patches/v4_0/apply_user_permissions.py @@ -27,7 +27,9 @@ def update_hr_permissions(): # save employees to run on_update events for employee in frappe.db.sql_list("""select name from `tabEmployee` where docstatus < 2"""): try: - frappe.get_doc("Employee", employee).save() + emp = frappe.get_doc("Employee", employee) + emp.ignore_mandatory = True + emp.save() except EmployeeUserDisabledError: pass From e35841a2eab9b62c0ed44b54f2bee2e54ec013df Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Mon, 16 Jun 2014 12:59:54 +0530 Subject: [PATCH 145/630] Reload Shopping Cart Settings in create price list patch --- erpnext/patches/v4_0/create_price_list_if_missing.py | 3 +++ 1 file changed, 3 insertions(+) diff --git a/erpnext/patches/v4_0/create_price_list_if_missing.py b/erpnext/patches/v4_0/create_price_list_if_missing.py index eea1fd9ff6..f65b7cb571 100644 --- a/erpnext/patches/v4_0/create_price_list_if_missing.py +++ b/erpnext/patches/v4_0/create_price_list_if_missing.py @@ -11,6 +11,9 @@ def execute(): if not frappe.db.sql("""select name from tabCompany limit 1"""): return + if "shopping_cart" in frappe.get_installed_apps(): + frappe.reload_doc("shopping_cart", "doctype", "shopping_cart_settings") + if not frappe.db.sql("select name from `tabPrice List` where buying=1"): create_price_list(_("Standard Buying"), buying=1) From 0521814deaa61caa5decfd7c145a8dc7be7e6756 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Mon, 16 Jun 2014 13:25:20 +0530 Subject: [PATCH 146/630] Fixed item query --- erpnext/controllers/queries.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/controllers/queries.py b/erpnext/controllers/queries.py index a30cde72a5..a3b3ed2ffa 100644 --- a/erpnext/controllers/queries.py +++ b/erpnext/controllers/queries.py @@ -141,7 +141,7 @@ def item_query(doctype, txt, searchfield, start, page_len, filters): concat(substr(tabItem.description, 1, 40), "..."), description) as decription from tabItem where tabItem.docstatus < 2 - and (ifnull(tabItem.end_of_life, '') = '' or tabItem.end_of_life > %(today)s) + and (ifnull(tabItem.end_of_life, '0000-00-00') = '0000-00-00' or tabItem.end_of_life > %(today)s) and (tabItem.`{key}` LIKE %(txt)s or tabItem.item_name LIKE %(txt)s) {fcond} {mcond} From ccf370f813c920bfbd24940b5b11fdc9ddaba0d6 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Mon, 16 Jun 2014 13:50:11 +0530 Subject: [PATCH 147/630] Fixed item query --- erpnext/controllers/queries.py | 2 +- erpnext/patches.txt | 1 + 2 files changed, 2 insertions(+), 1 deletion(-) diff --git a/erpnext/controllers/queries.py b/erpnext/controllers/queries.py index a3b3ed2ffa..a4d2b52916 100644 --- a/erpnext/controllers/queries.py +++ b/erpnext/controllers/queries.py @@ -141,7 +141,7 @@ def item_query(doctype, txt, searchfield, start, page_len, filters): concat(substr(tabItem.description, 1, 40), "..."), description) as decription from tabItem where tabItem.docstatus < 2 - and (ifnull(tabItem.end_of_life, '0000-00-00') = '0000-00-00' or tabItem.end_of_life > %(today)s) + and (tabItem.end_of_life is null or tabItem.end_of_life > %(today)s) and (tabItem.`{key}` LIKE %(txt)s or tabItem.item_name LIKE %(txt)s) {fcond} {mcond} diff --git a/erpnext/patches.txt b/erpnext/patches.txt index f7342c1d75..761b63c9fd 100644 --- a/erpnext/patches.txt +++ b/erpnext/patches.txt @@ -60,3 +60,4 @@ erpnext.patches.v4_0.save_default_letterhead erpnext.patches.v4_0.update_custom_print_formats_for_renamed_fields erpnext.patches.v4_0.update_other_charges_in_custom_purchase_print_formats erpnext.patches.v4_0.create_price_list_if_missing +execute:frappe.db.sql("update `tabItem` set end_of_life=null where end_of_life='0000-00-00'") #2014-06-16 From 03ae32d937d1c2862d2274341c867faa1d219a60 Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Thu, 12 Jun 2014 18:52:47 +0530 Subject: [PATCH 148/630] added print format for general ledger --- .../report/general_ledger/general_ledger.html | 38 +++++++++++++++++++ 1 file changed, 38 insertions(+) create mode 100644 erpnext/accounts/report/general_ledger/general_ledger.html diff --git a/erpnext/accounts/report/general_ledger/general_ledger.html b/erpnext/accounts/report/general_ledger/general_ledger.html new file mode 100644 index 0000000000..41ab6c4304 --- /dev/null +++ b/erpnext/accounts/report/general_ledger/general_ledger.html @@ -0,0 +1,38 @@ +

Statement of Account

+

{%= filters.account || "General Ledger" %}

+
+
+ + + + + + + + + + + {% for(var i=0, l=data.length; i + {% if(data[i].posting_date) { %} + + + + + + {% } else { %} + + + + + + {% } %} + + {% } %} + +
{%= __("Date") %}{%= __("Ref") %}{%= __("Party") %}{%= __("Debit") %}{%= __("Credit") %}
{%= dateutil.str_to_user(data[i].posting_date) %}{%= data[i].voucher_no %}{%= data[i].account %} +
{%= __("Against") %}: {%= data[i].account %} +
{%= __("Remarks") %}: {%= data[i].remarks %}
{%= fmt_money(data[i].debit) %}{%= fmt_money(data[i].credit) %}{%= data[i].account || " " %} + {%= data[i].account && fmt_money(data[i].debit) %} + {%= data[i].account && fmt_money(data[i].credit) %}
+

Printed On {%= dateutil.get_datetime_as_string() %}

From 3b7bcf0f4f68d6da30e458f33f413da6a8f54fb4 Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Fri, 13 Jun 2014 12:00:40 +0530 Subject: [PATCH 149/630] make font size smaller for erpnext powered --- erpnext/accounts/report/general_ledger/general_ledger.html | 2 +- erpnext/templates/includes/footer_powered.html | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/erpnext/accounts/report/general_ledger/general_ledger.html b/erpnext/accounts/report/general_ledger/general_ledger.html index 41ab6c4304..dda1e61449 100644 --- a/erpnext/accounts/report/general_ledger/general_ledger.html +++ b/erpnext/accounts/report/general_ledger/general_ledger.html @@ -1,4 +1,4 @@ -

Statement of Account

+

{%= __("Statement of Account") %}

{%= filters.account || "General Ledger" %}


diff --git a/erpnext/templates/includes/footer_powered.html b/erpnext/templates/includes/footer_powered.html index 0abf2e4e77..96611813a7 100644 --- a/erpnext/templates/includes/footer_powered.html +++ b/erpnext/templates/includes/footer_powered.html @@ -1 +1 @@ -ERPNext Powered \ No newline at end of file +ERPNext Powered From e1b2b3e995129d2d553d527d343da6a3a150b786 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Sat, 14 Jun 2014 15:26:10 +0530 Subject: [PATCH 150/630] Account common get_query --- erpnext/controllers/queries.py | 22 +++++++++++++++------- 1 file changed, 15 insertions(+), 7 deletions(-) diff --git a/erpnext/controllers/queries.py b/erpnext/controllers/queries.py index a4d2b52916..789e7a331a 100644 --- a/erpnext/controllers/queries.py +++ b/erpnext/controllers/queries.py @@ -236,13 +236,21 @@ def get_batch_no(doctype, txt, searchfield, start, page_len, filters): 'page_len': page_len}) def get_account_list(doctype, txt, searchfield, start, page_len, filters): - if isinstance(filters, dict): - if not filters.get("group_or_ledger"): - filters["group_or_ledger"] = "Ledger" - elif isinstance(filters, list): - if "group_or_ledger" not in [d[0] for d in filters]: - filters.append(["Account", "group_or_ledger", "=", "Ledger"]) + filter_list = [] - return frappe.widgets.reportview.execute("Account", filters = filters, + if isinstance(filters, dict): + for key, val in filters.items(): + if isinstance(val, (list, tuple)): + filter_list.append([doctype, key, val[0], val[1]]) + else: + filter_list.append([doctype, key, "=", val]) + + if "group_or_ledger" not in [d[1] for d in filter_list]: + filter_list.append(["Account", "group_or_ledger", "=", "Ledger"]) + + if searchfield and txt: + filter_list.append([doctype, searchfield, "like", "%%%s%%" % txt]) + + return frappe.widgets.reportview.execute("Account", filters = filter_list, fields = ["name", "parent_account"], limit_start=start, limit_page_length=page_len, as_list=True) From 539f352318af8afeed26f6e4ed147a56d91c1e13 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Mon, 16 Jun 2014 15:03:02 +0530 Subject: [PATCH 151/630] Delivery note to packing slip mapping --- .../stock/doctype/delivery_note/delivery_note.js | 8 ++++---- .../stock/doctype/delivery_note/delivery_note.py | 16 ++++++++++++++++ .../doctype/material_request/material_request.py | 2 +- .../stock/doctype/packing_slip/packing_slip.js | 2 +- 4 files changed, 22 insertions(+), 6 deletions(-) diff --git a/erpnext/stock/doctype/delivery_note/delivery_note.js b/erpnext/stock/doctype/delivery_note/delivery_note.js index fb94b88809..10fe6503e6 100644 --- a/erpnext/stock/doctype/delivery_note/delivery_note.js +++ b/erpnext/stock/doctype/delivery_note/delivery_note.js @@ -118,10 +118,10 @@ cur_frm.fields_dict['transporter_name'].get_query = function(doc) { } cur_frm.cscript['Make Packing Slip'] = function() { - n = frappe.model.make_new_doc_and_get_name('Packing Slip'); - ps = locals["Packing Slip"][n]; - ps.delivery_note = cur_frm.doc.name; - loaddoc('Packing Slip', n); + frappe.model.open_mapped_doc({ + method: "erpnext.stock.doctype.delivery_note.delivery_note.make_packing_slip", + frm: cur_frm + }) } var set_print_hide= function(doc, cdt, cdn){ diff --git a/erpnext/stock/doctype/delivery_note/delivery_note.py b/erpnext/stock/doctype/delivery_note/delivery_note.py index da7dd7af56..1600950fc5 100644 --- a/erpnext/stock/doctype/delivery_note/delivery_note.py +++ b/erpnext/stock/doctype/delivery_note/delivery_note.py @@ -346,3 +346,19 @@ def make_installation_note(source_name, target_doc=None): }, target_doc) return doclist + +@frappe.whitelist() +def make_packing_slip(source_name, target_doc=None): + doclist = get_mapped_doc("Delivery Note", source_name, { + "Delivery Note": { + "doctype": "Packing Slip", + "field_map": { + "name": "delivery_note" + }, + "validation": { + "docstatus": ["=", 0] + } + } + }, target_doc) + + return doclist diff --git a/erpnext/stock/doctype/material_request/material_request.py b/erpnext/stock/doctype/material_request/material_request.py index f8f0d097ff..9951fc88c2 100644 --- a/erpnext/stock/doctype/material_request/material_request.py +++ b/erpnext/stock/doctype/material_request/material_request.py @@ -48,7 +48,7 @@ class MaterialRequest(BuyingController): def validate_schedule_date(self): for d in self.get('indent_details'): - if d.schedule_date < self.transaction_date: + if d.schedule_date and d.schedule_date < self.transaction_date: frappe.throw(_("Expected Date cannot be before Material Request Date")) # Validate diff --git a/erpnext/stock/doctype/packing_slip/packing_slip.js b/erpnext/stock/doctype/packing_slip/packing_slip.js index acdd27e1ab..9788290a1b 100644 --- a/erpnext/stock/doctype/packing_slip/packing_slip.js +++ b/erpnext/stock/doctype/packing_slip/packing_slip.js @@ -18,7 +18,7 @@ cur_frm.fields_dict['item_details'].grid.get_field('item_code').get_query = cur_frm.cscript.onload_post_render = function(doc, cdt, cdn) { if(doc.delivery_note && doc.__islocal) { - cur_frm.cscript.get_items(doc, cdt, cdn); + cur_frm.cscript.get_items(doc, cdt, cdn); } } From a6fc3f633767721eb69e498d3dc11ae649b70e38 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Mon, 16 Jun 2014 15:34:52 +0530 Subject: [PATCH 152/630] Ignore pricing rule for material request --- erpnext/stock/get_item_details.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/stock/get_item_details.py b/erpnext/stock/get_item_details.py index 9c251b8b29..cdf5aa1f3d 100644 --- a/erpnext/stock/get_item_details.py +++ b/erpnext/stock/get_item_details.py @@ -255,7 +255,7 @@ def apply_pricing_rule(args): args = frappe._dict(args) out = frappe._dict() - if not args.get("item_code"): return + if args.get("doctype") == "Material Request" or not args.get("item_code"): return out if not args.get("item_group") or not args.get("brand"): args.item_group, args.brand = frappe.db.get_value("Item", From 98d9d797fde4d0425a75290b76dd4ed52b31d968 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Mon, 16 Jun 2014 15:54:05 +0530 Subject: [PATCH 153/630] Tax category validation ignored in material request --- erpnext/controllers/buying_controller.py | 5 ++--- 1 file changed, 2 insertions(+), 3 deletions(-) diff --git a/erpnext/controllers/buying_controller.py b/erpnext/controllers/buying_controller.py index accaeb4498..afccdfa0e3 100644 --- a/erpnext/controllers/buying_controller.py +++ b/erpnext/controllers/buying_controller.py @@ -52,9 +52,8 @@ class BuyingController(StockController): validate_warehouse_company(w, self.company) def validate_stock_or_nonstock_items(self): - if not self.get_stock_items(): - tax_for_valuation = [d.account_head for d in - self.get("other_charges") + if self.meta.get_field("other_charges") and not self.get_stock_items(): + tax_for_valuation = [d.account_head for d in self.get("other_charges") if d.category in ["Valuation", "Valuation and Total"]] if tax_for_valuation: frappe.throw(_("Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items")) From d2e8a0a96add9f7e0c9f38049a69cb24207b2644 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Tue, 17 Jun 2014 12:54:45 +0530 Subject: [PATCH 154/630] Delivery note update after submission --- .../doctype/delivery_note/delivery_note.py | 22 +++++++++++-------- 1 file changed, 13 insertions(+), 9 deletions(-) diff --git a/erpnext/stock/doctype/delivery_note/delivery_note.py b/erpnext/stock/doctype/delivery_note/delivery_note.py index 1600950fc5..bbc9f81ff4 100644 --- a/erpnext/stock/doctype/delivery_note/delivery_note.py +++ b/erpnext/stock/doctype/delivery_note/delivery_note.py @@ -68,13 +68,14 @@ class DeliveryNote(SellingController): self.validate_for_items() self.validate_warehouse() self.validate_uom_is_integer("stock_uom", "qty") - self.update_current_stock() self.validate_with_previous_doc() from erpnext.stock.doctype.packed_item.packed_item import make_packing_list make_packing_list(self, 'delivery_note_details') - self.status = 'Draft' + self.update_current_stock() + + if not self.status: self.status = 'Draft' if not self.installation_status: self.installation_status = 'Not Installed' def validate_with_previous_doc(self): @@ -133,14 +134,17 @@ class DeliveryNote(SellingController): def update_current_stock(self): - for d in self.get('delivery_note_details'): - bin = frappe.db.sql("select actual_qty from `tabBin` where item_code = %s and warehouse = %s", (d.item_code, d.warehouse), as_dict = 1) - d.actual_qty = bin and flt(bin[0]['actual_qty']) or 0 + if self._action != "update_after_submit": + for d in self.get('delivery_note_details'): + d.actual_qty = frappe.db.get_value("Bin", {"item_code": d.item_code, + "warehouse": d.warehouse}, "actual_qty") - for d in self.get('packing_details'): - bin = frappe.db.sql("select actual_qty, projected_qty from `tabBin` where item_code = %s and warehouse = %s", (d.item_code, d.warehouse), as_dict = 1) - d.actual_qty = bin and flt(bin[0]['actual_qty']) or 0 - d.projected_qty = bin and flt(bin[0]['projected_qty']) or 0 + for d in self.get('packing_details'): + bin_qty = frappe.db.get_value("Bin", {"item_code": d.item_code, + "warehouse": d.warehouse}, ["actual_qty", "projected_qty"], as_dict=True) + if bin_qty: + d.actual_qty = flt(bin_qty.actual_qty) + d.projected_qty = flt(bin_qty.projected_qty) def on_submit(self): self.validate_packed_qty() From 4ee8704b99867c4f33256e479ecec7a1d2dee386 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Tue, 17 Jun 2014 13:52:03 +0530 Subject: [PATCH 155/630] Fixes in financial analytics --- .../accounts/page/financial_analytics/financial_analytics.js | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/erpnext/accounts/page/financial_analytics/financial_analytics.js b/erpnext/accounts/page/financial_analytics/financial_analytics.js index 52298bbf18..4574390ce1 100644 --- a/erpnext/accounts/page/financial_analytics/financial_analytics.js +++ b/erpnext/accounts/page/financial_analytics/financial_analytics.js @@ -206,11 +206,11 @@ erpnext.FinancialAnalytics = erpnext.AccountTreeGrid.extend({ if(me.pl_or_bs=='Balance Sheet') { $.each(me.data, function(i, ac) { if((ac.rgt - ac.lft)==1 && ac.report_type=='Balance Sheet') { - var opening = 0; + var opening = flt(ac["opening_dr"]) - flt(ac["opening_cr"]); //if(opening) throw opening; $.each(me.columns, function(i, col) { if(col.formatter==me.currency_formatter) { - if(col.balance_type=="Dr") { + if(col.balance_type=="Dr" && !in_list(["opening_dr", "opening_cr"], col.field)) { opening = opening + flt(ac[col.date + "_dr"]) - flt(ac[col.date + "_cr"]); me.set_debit_or_credit(ac, col.date, opening); From b20de6a3ecf7053ac9ccfb551ffe4899c32cf42c Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Tue, 17 Jun 2014 13:58:06 +0530 Subject: [PATCH 156/630] Sales Invoice List: show percent paid as 100% if grand total is 0 --- .../accounts/doctype/sales_invoice/sales_invoice_list.js | 8 +++++--- 1 file changed, 5 insertions(+), 3 deletions(-) diff --git a/erpnext/accounts/doctype/sales_invoice/sales_invoice_list.js b/erpnext/accounts/doctype/sales_invoice/sales_invoice_list.js index 5592bc5220..42c80b4e26 100644 --- a/erpnext/accounts/doctype/sales_invoice/sales_invoice_list.js +++ b/erpnext/accounts/doctype/sales_invoice/sales_invoice_list.js @@ -7,8 +7,10 @@ frappe.listview_settings['Sales Invoice'] = { add_columns: [{"content":"Percent Paid", width:"10%", type:"bar-graph", label: "Payment Received"}], prepare_data: function(data) { - data["Percent Paid"] = (data.docstatus===1 && flt(data.grand_total)) - ? (((flt(data.grand_total) - flt(data.outstanding_amount)) / flt(data.grand_total)) * 100) - : 0; + if (data.docstatus === 1) { + data["Percent Paid"] = flt(data.grand_total) + ? (((flt(data.grand_total) - flt(data.outstanding_amount)) / flt(data.grand_total)) * 100) + : 100.0; + } } }; From 5df521bad5a335d79e30339ca836242ff49d41e6 Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Tue, 17 Jun 2014 14:21:26 +0530 Subject: [PATCH 157/630] updated generators for wip-4.2 --- erpnext/accounts/doctype/account/account.json | 539 +++++++++--------- erpnext/hooks.py | 2 + .../setup/doctype/item_group/item_group.py | 50 ++ .../doctype/sales_partner/sales_partner.py | 20 +- erpnext/stock/doctype/item/item.py | 13 +- erpnext/templates/generators/item.py | 20 - erpnext/templates/generators/item_group.py | 59 -- erpnext/templates/generators/partner.py | 28 - 8 files changed, 353 insertions(+), 378 deletions(-) delete mode 100644 erpnext/templates/generators/item.py delete mode 100644 erpnext/templates/generators/item_group.py delete mode 100644 erpnext/templates/generators/partner.py diff --git a/erpnext/accounts/doctype/account/account.json b/erpnext/accounts/doctype/account/account.json index ab8830543d..4649c3829a 100644 --- a/erpnext/accounts/doctype/account/account.json +++ b/erpnext/accounts/doctype/account/account.json @@ -1,331 +1,332 @@ { - "allow_copy": 1, - "allow_import": 1, - "allow_rename": 1, - "creation": "2013-01-30 12:49:46", - "description": "Heads (or groups) against which Accounting Entries are made and balances are maintained.", - "docstatus": 0, - "doctype": "DocType", - "document_type": "Master", + "allow_copy": 1, + "allow_import": 1, + "allow_rename": 1, + "creation": "2013-01-30 12:49:46", + "description": "Heads (or groups) against which Accounting Entries are made and balances are maintained.", + "docstatus": 0, + "doctype": "DocType", + "document_type": "Master", "fields": [ { - "fieldname": "properties", - "fieldtype": "Section Break", - "in_list_view": 0, - "label": "Account Details", - "oldfieldtype": "Section Break", + "fieldname": "properties", + "fieldtype": "Section Break", + "in_list_view": 0, + "label": "Account Details", + "oldfieldtype": "Section Break", "permlevel": 0 - }, + }, { - "fieldname": "column_break0", - "fieldtype": "Column Break", - "in_list_view": 0, - "permlevel": 0, + "fieldname": "column_break0", + "fieldtype": "Column Break", + "in_list_view": 0, + "permlevel": 0, "width": "50%" - }, + }, { - "fieldname": "account_name", - "fieldtype": "Data", - "in_filter": 1, - "in_list_view": 1, - "label": "Account Name", - "no_copy": 1, - "oldfieldname": "account_name", - "oldfieldtype": "Data", - "permlevel": 0, - "read_only": 1, - "reqd": 1, + "fieldname": "account_name", + "fieldtype": "Data", + "in_filter": 1, + "in_list_view": 1, + "label": "Account Name", + "no_copy": 1, + "oldfieldname": "account_name", + "oldfieldtype": "Data", + "permlevel": 0, + "read_only": 1, + "reqd": 1, "search_index": 1 - }, + }, { - "default": "Ledger", - "fieldname": "group_or_ledger", - "fieldtype": "Select", - "in_filter": 1, - "in_list_view": 1, - "label": "Group or Ledger", - "oldfieldname": "group_or_ledger", - "oldfieldtype": "Select", - "options": "\nLedger\nGroup", - "permlevel": 0, - "read_only": 1, - "reqd": 1, + "default": "Ledger", + "fieldname": "group_or_ledger", + "fieldtype": "Select", + "in_filter": 1, + "in_list_view": 1, + "label": "Group or Ledger", + "oldfieldname": "group_or_ledger", + "oldfieldtype": "Select", + "options": "\nLedger\nGroup", + "permlevel": 0, + "read_only": 1, + "reqd": 1, "search_index": 1 - }, + }, { - "fieldname": "company", - "fieldtype": "Link", - "in_filter": 1, - "label": "Company", - "oldfieldname": "company", - "oldfieldtype": "Link", - "options": "Company", - "permlevel": 0, - "read_only": 1, - "reqd": 1, + "fieldname": "company", + "fieldtype": "Link", + "in_filter": 1, + "label": "Company", + "oldfieldname": "company", + "oldfieldtype": "Link", + "options": "Company", + "permlevel": 0, + "read_only": 1, + "reqd": 1, "search_index": 1 - }, + }, { - "fieldname": "column_break1", - "fieldtype": "Column Break", - "permlevel": 0, + "fieldname": "column_break1", + "fieldtype": "Column Break", + "permlevel": 0, "width": "50%" - }, + }, { - "fieldname": "parent_account", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Parent Account", - "oldfieldname": "parent_account", - "oldfieldtype": "Link", - "options": "Account", - "permlevel": 0, - "reqd": 1, + "fieldname": "parent_account", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Parent Account", + "oldfieldname": "parent_account", + "oldfieldtype": "Link", + "options": "Account", + "permlevel": 0, + "reqd": 1, "search_index": 1 - }, + }, { - "description": "Setting Account Type helps in selecting this Account in transactions.", - "fieldname": "account_type", - "fieldtype": "Select", - "in_filter": 1, - "label": "Account Type", - "oldfieldname": "account_type", - "oldfieldtype": "Select", - "options": "\nBank\nCash\nTax\nChargeable\nWarehouse\nReceivable\nPayable\nEquity\nFixed Asset\nCost of Goods Sold\nExpense Account\nIncome Account\nStock Received But Not Billed\nExpenses Included In Valuation\nStock Adjustment", - "permlevel": 0, + "description": "Setting Account Type helps in selecting this Account in transactions.", + "fieldname": "account_type", + "fieldtype": "Select", + "in_filter": 1, + "label": "Account Type", + "oldfieldname": "account_type", + "oldfieldtype": "Select", + "options": "\nBank\nCash\nTax\nChargeable\nWarehouse\nReceivable\nPayable\nEquity\nFixed Asset\nCost of Goods Sold\nExpense Account\nIncome Account\nStock Received But Not Billed\nExpenses Included In Valuation\nStock Adjustment", + "permlevel": 0, "search_index": 0 - }, + }, { - "description": "Rate at which this tax is applied", - "fieldname": "tax_rate", - "fieldtype": "Float", - "hidden": 0, - "label": "Rate", - "oldfieldname": "tax_rate", - "oldfieldtype": "Currency", - "permlevel": 0, + "description": "Rate at which this tax is applied", + "fieldname": "tax_rate", + "fieldtype": "Float", + "hidden": 0, + "label": "Rate", + "oldfieldname": "tax_rate", + "oldfieldtype": "Currency", + "permlevel": 0, "reqd": 0 - }, + }, { - "description": "If the account is frozen, entries are allowed to restricted users.", - "fieldname": "freeze_account", - "fieldtype": "Select", - "label": "Frozen", - "oldfieldname": "freeze_account", - "oldfieldtype": "Select", - "options": "No\nYes", + "description": "If the account is frozen, entries are allowed to restricted users.", + "fieldname": "freeze_account", + "fieldtype": "Select", + "label": "Frozen", + "oldfieldname": "freeze_account", + "oldfieldtype": "Select", + "options": "No\nYes", "permlevel": 0 - }, + }, { - "fieldname": "credit_days", - "fieldtype": "Int", - "hidden": 1, - "label": "Credit Days", - "oldfieldname": "credit_days", - "oldfieldtype": "Int", - "permlevel": 0, + "fieldname": "credit_days", + "fieldtype": "Int", + "hidden": 1, + "label": "Credit Days", + "oldfieldname": "credit_days", + "oldfieldtype": "Int", + "permlevel": 0, "print_hide": 1 - }, + }, { - "fieldname": "credit_limit", - "fieldtype": "Currency", - "hidden": 1, - "label": "Credit Limit", - "oldfieldname": "credit_limit", - "oldfieldtype": "Currency", - "options": "Company:company:default_currency", - "permlevel": 0, + "fieldname": "credit_limit", + "fieldtype": "Currency", + "hidden": 1, + "label": "Credit Limit", + "oldfieldname": "credit_limit", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", + "permlevel": 0, "print_hide": 1 - }, + }, { - "description": "If this Account represents a Customer, Supplier or Employee, set it here.", - "fieldname": "master_type", - "fieldtype": "Select", - "label": "Master Type", - "oldfieldname": "master_type", - "oldfieldtype": "Select", - "options": "\nSupplier\nCustomer\nEmployee", + "description": "If this Account represents a Customer, Supplier or Employee, set it here.", + "fieldname": "master_type", + "fieldtype": "Select", + "label": "Master Type", + "oldfieldname": "master_type", + "oldfieldtype": "Select", + "options": "\nSupplier\nCustomer\nEmployee", "permlevel": 0 - }, + }, { - "fieldname": "master_name", - "fieldtype": "Link", - "label": "Master Name", - "oldfieldname": "master_name", - "oldfieldtype": "Link", - "options": "[Select]", + "fieldname": "master_name", + "fieldtype": "Link", + "label": "Master Name", + "oldfieldname": "master_name", + "oldfieldtype": "Link", + "options": "[Select]", "permlevel": 0 - }, + }, { - "fieldname": "balance_must_be", - "fieldtype": "Select", - "label": "Balance must be", - "options": "\nDebit\nCredit", + "fieldname": "balance_must_be", + "fieldtype": "Select", + "label": "Balance must be", + "options": "\nDebit\nCredit", "permlevel": 0 - }, + }, { - "fieldname": "root_type", - "fieldtype": "Select", - "label": "Root Type", - "options": "\nAsset\nLiability\nIncome\nExpense\nEquity", - "permlevel": 0, + "fieldname": "root_type", + "fieldtype": "Select", + "label": "Root Type", + "options": "\nAsset\nLiability\nIncome\nExpense\nEquity", + "permlevel": 0, "read_only": 1 - }, + }, { - "fieldname": "report_type", - "fieldtype": "Select", - "label": "Report Type", - "options": "\nBalance Sheet\nProfit and Loss", - "permlevel": 0, + "fieldname": "report_type", + "fieldtype": "Select", + "label": "Report Type", + "options": "\nBalance Sheet\nProfit and Loss", + "permlevel": 0, "read_only": 1 - }, + }, { - "fieldname": "lft", - "fieldtype": "Int", - "hidden": 1, - "label": "Lft", - "permlevel": 0, - "print_hide": 1, + "fieldname": "lft", + "fieldtype": "Int", + "hidden": 1, + "label": "Lft", + "permlevel": 0, + "print_hide": 1, "read_only": 1 - }, + }, { - "fieldname": "rgt", - "fieldtype": "Int", - "hidden": 1, - "label": "Rgt", - "permlevel": 0, - "print_hide": 1, + "fieldname": "rgt", + "fieldtype": "Int", + "hidden": 1, + "label": "Rgt", + "permlevel": 0, + "print_hide": 1, "read_only": 1 - }, + }, { - "fieldname": "old_parent", - "fieldtype": "Data", - "hidden": 1, - "label": "Old Parent", - "permlevel": 0, - "print_hide": 1, + "fieldname": "old_parent", + "fieldtype": "Data", + "hidden": 1, + "label": "Old Parent", + "permlevel": 0, + "print_hide": 1, "read_only": 1 } - ], - "icon": "icon-money", - "idx": 1, - "in_create": 1, - "modified": "2014-06-03 18:27:58.109303", - "modified_by": "Administrator", - "module": "Accounts", - "name": "Account", - "owner": "Administrator", + ], + "icon": "icon-money", + "idx": 1, + "in_create": 1, + "modified": "2014-06-17 04:30:56.689314", + "modified_by": "Administrator", + "module": "Accounts", + "name": "Account", + "owner": "Administrator", "permissions": [ { - "amend": 0, - "apply_user_permissions": 1, - "create": 1, - "delete": 1, - "email": 1, - "export": 1, - "import": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Accounts User", - "submit": 0, + "amend": 0, + "apply_user_permissions": 1, + "create": 1, + "delete": 1, + "email": 1, + "export": 1, + "import": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Accounts User", + "submit": 0, "write": 1 - }, + }, { - "amend": 0, - "apply_user_permissions": 1, - "create": 0, - "delete": 0, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Auditor", - "submit": 0, + "amend": 0, + "apply_user_permissions": 1, + "create": 0, + "delete": 0, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Auditor", + "submit": 0, "write": 0 - }, + }, { - "amend": 0, - "apply_user_permissions": 1, - "create": 0, - "delete": 0, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Sales User", - "submit": 0, + "amend": 0, + "apply_user_permissions": 1, + "create": 0, + "delete": 0, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Sales User", + "submit": 0, "write": 0 - }, + }, { - "amend": 0, - "apply_user_permissions": 1, - "create": 0, - "delete": 0, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Purchase User", - "submit": 0, + "amend": 0, + "apply_user_permissions": 1, + "create": 0, + "delete": 0, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Purchase User", + "submit": 0, "write": 0 - }, + }, { - "amend": 0, - "cancel": 0, - "create": 0, - "delete": 0, - "permlevel": 2, - "read": 1, - "report": 1, - "role": "Auditor", - "submit": 0, + "amend": 0, + "cancel": 0, + "create": 0, + "delete": 0, + "permlevel": 2, + "read": 1, + "report": 1, + "role": "Auditor", + "submit": 0, "write": 0 - }, + }, { - "amend": 0, - "create": 1, - "delete": 1, - "email": 1, - "export": 1, - "import": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Accounts Manager", - "set_user_permissions": 1, - "submit": 0, + "amend": 0, + "apply_user_permissions": 0, + "create": 1, + "delete": 1, + "email": 1, + "export": 1, + "import": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Accounts Manager", + "set_user_permissions": 1, + "submit": 0, "write": 1 - }, + }, { - "amend": 0, - "cancel": 0, - "create": 0, - "delete": 0, - "permlevel": 2, - "read": 1, - "report": 1, - "role": "Accounts Manager", - "submit": 0, + "amend": 0, + "cancel": 0, + "create": 0, + "delete": 0, + "permlevel": 2, + "read": 1, + "report": 1, + "role": "Accounts Manager", + "submit": 0, "write": 1 - }, + }, { - "amend": 0, - "cancel": 0, - "create": 0, - "delete": 0, - "permlevel": 2, - "read": 1, - "report": 1, - "role": "Accounts User", - "submit": 0, + "amend": 0, + "cancel": 0, + "create": 0, + "delete": 0, + "permlevel": 2, + "read": 1, + "report": 1, + "role": "Accounts User", + "submit": 0, "write": 0 } - ], + ], "search_fields": "group_or_ledger" -} +} \ No newline at end of file diff --git a/erpnext/hooks.py b/erpnext/hooks.py index 8b147b0749..bddda2d601 100644 --- a/erpnext/hooks.py +++ b/erpnext/hooks.py @@ -24,6 +24,8 @@ mail_footer = "erpnext.startup.mail_footer" on_session_creation = "erpnext.startup.event_handlers.on_session_creation" before_tests = "erpnext.setup.utils.before_tests" +website_generators = ["Item Group", "Item", "Sales Partner"] + standard_queries = "Customer:erpnext.selling.doctype.customer.customer.get_customer_list" permission_query_conditions = { diff --git a/erpnext/setup/doctype/item_group/item_group.py b/erpnext/setup/doctype/item_group/item_group.py index 63bf3b481c..b9d5abb425 100644 --- a/erpnext/setup/doctype/item_group/item_group.py +++ b/erpnext/setup/doctype/item_group/item_group.py @@ -7,6 +7,9 @@ import frappe from frappe.utils.nestedset import NestedSet from frappe.website.website_generator import WebsiteGenerator from frappe.website.render import clear_cache +from frappe.website.doctype.website_slideshow.website_slideshow import get_slideshow + +condition_field = "show_in_website" class ItemGroup(NestedSet, WebsiteGenerator): nsm_parent_field = 'parent_item_group' @@ -39,6 +42,53 @@ class ItemGroup(NestedSet, WebsiteGenerator): if frappe.db.exists("Item", self.name): frappe.throw(frappe._("An item exists with same name ({0}), please change the item group name or rename the item").format(self.name)) + def get_context(self, context): + context.update({ + "items": get_product_list_for_group(product_group = self.name, limit=100), + "parent_groups": get_parent_item_groups(self.name), + "title": self.name + }) + + if self.slideshow: + context.update(get_slideshow(self)) + + return context + +def get_product_list_for_group(product_group=None, start=0, limit=10): + child_groups = ", ".join(['"' + i[0] + '"' for i in get_child_groups(product_group)]) + + # base query + query = """select t1.name, t1.item_name, t1.page_name, t1.website_image, t1.item_group, + t1.web_long_description as website_description, t2.name as route + from `tabItem` t1, `tabWebsite Route` t2 + where t1.show_in_website = 1 and (item_group in (%s) + or t1.name in (select parent from `tabWebsite Item Group` where item_group in (%s))) + and t1.name = t2.docname and t2.ref_doctype='Item' """ % (child_groups, child_groups) + + query += """order by t1.weightage desc, t1.modified desc limit %s, %s""" % (start, limit) + + data = frappe.db.sql(query, {"product_group": product_group}, as_dict=1) + + return [get_item_for_list_in_html(r) for r in data] + +def get_child_groups(item_group_name): + item_group = frappe.get_doc("Item Group", item_group_name) + return frappe.db.sql("""select name + from `tabItem Group` where lft>=%(lft)s and rgt<=%(rgt)s + and show_in_website = 1""", {"lft": item_group.lft, "rgt": item_group.rgt}) + +def get_item_for_list_in_html(context): + return frappe.get_template("templates/includes/product_in_grid.html").render(context) + +def get_group_item_count(item_group): + child_groups = ", ".join(['"' + i[0] + '"' for i in get_child_groups(item_group)]) + return frappe.db.sql("""select count(*) from `tabItem` + where docstatus = 0 and show_in_website = 1 + and (item_group in (%s) + or name in (select parent from `tabWebsite Item Group` + where item_group in (%s))) """ % (child_groups, child_groups))[0][0] + + def get_parent_item_groups(item_group_name): item_group = frappe.get_doc("Item Group", item_group_name) return frappe.db.sql("""select name, page_name from `tabItem Group` diff --git a/erpnext/setup/doctype/sales_partner/sales_partner.py b/erpnext/setup/doctype/sales_partner/sales_partner.py index b90b65e868..2d5ad34269 100644 --- a/erpnext/setup/doctype/sales_partner/sales_partner.py +++ b/erpnext/setup/doctype/sales_partner/sales_partner.py @@ -3,7 +3,7 @@ from __future__ import unicode_literals import frappe -from frappe.utils import cint, cstr, filter_strip_join +from frappe.utils import cstr, filter_strip_join from frappe.website.website_generator import WebsiteGenerator class SalesPartner(WebsiteGenerator): @@ -25,3 +25,21 @@ class SalesPartner(WebsiteGenerator): def get_page_title(self): return self.partner_name + + def get_context(self, context): + address = frappe.db.get_value("Address", + {"sales_partner": self.name, "is_primary_address": 1}, + "*", as_dict=True) + if address: + city_state = ", ".join(filter(None, [address.city, address.state])) + address_rows = [address.address_line1, address.address_line2, + city_state, address.pincode, address.country] + + context.update({ + "email": address.email_id, + "partner_address": filter_strip_join(address_rows, "\n
"), + "phone": filter_strip_join(cstr(address.phone).split(","), "\n
") + }) + + return context + diff --git a/erpnext/stock/doctype/item/item.py b/erpnext/stock/doctype/item/item.py index f43b531392..129e2f78bd 100644 --- a/erpnext/stock/doctype/item/item.py +++ b/erpnext/stock/doctype/item/item.py @@ -6,11 +6,14 @@ import frappe from frappe import msgprint, _ from frappe.utils import cstr, flt, getdate, now_datetime, formatdate from frappe.website.website_generator import WebsiteGenerator -from erpnext.setup.doctype.item_group.item_group import invalidate_cache_for +from erpnext.setup.doctype.item_group.item_group import invalidate_cache_for, get_parent_item_groups from frappe.website.render import clear_cache +from frappe.website.doctype.website_slideshow.website_slideshow import get_slideshow class WarehouseNotSet(frappe.ValidationError): pass +condition_field = "show_in_website" + class Item(WebsiteGenerator): def onload(self): super(Item, self).onload() @@ -55,6 +58,14 @@ class Item(WebsiteGenerator): self.validate_name_with_item_group() self.update_item_price() + def get_context(self, context): + context["parent_groups"] = get_parent_item_groups(self.item_group) + \ + [{"name": self.name}] + if self.slideshow: + context.update(get_slideshow(self)) + + return context + def check_warehouse_is_set_for_stock_item(self): if self.is_stock_item=="Yes" and not self.default_warehouse: frappe.msgprint(_("Default Warehouse is mandatory for stock Item."), diff --git a/erpnext/templates/generators/item.py b/erpnext/templates/generators/item.py deleted file mode 100644 index 1ad070ef87..0000000000 --- a/erpnext/templates/generators/item.py +++ /dev/null @@ -1,20 +0,0 @@ -# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors -# License: GNU General Public License v3. See license.txt - -from __future__ import unicode_literals - -import frappe -from erpnext.setup.doctype.item_group.item_group import get_parent_item_groups -from frappe.website.doctype.website_slideshow.website_slideshow import get_slideshow - -doctype = "Item" -condition_field = "show_in_website" - -def get_context(context): - item_context = context.doc.as_dict() - item_context["parent_groups"] = get_parent_item_groups(context.doc.item_group) + \ - [{"name":context.doc.name}] - if context.doc.slideshow: - item_context.update(get_slideshow(context.doc)) - - return item_context diff --git a/erpnext/templates/generators/item_group.py b/erpnext/templates/generators/item_group.py deleted file mode 100644 index 8e09dbc35e..0000000000 --- a/erpnext/templates/generators/item_group.py +++ /dev/null @@ -1,59 +0,0 @@ -# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors -# License: GNU General Public License v3. See license.txt - -from __future__ import unicode_literals - -import frappe -from frappe.website.doctype.website_slideshow.website_slideshow import get_slideshow -from erpnext.setup.doctype.item_group.item_group import get_parent_item_groups - -doctype = "Item Group" -condition_field = "show_in_website" - -def get_context(context): - item_group_context = context.doc.as_dict() - item_group_context.update({ - "items": get_product_list_for_group(product_group = context.docname, limit=100), - "parent_groups": get_parent_item_groups(context.docname), - "title": context.docname - }) - - if context.doc.slideshow: - item_group_context.update(get_slideshow(context.doc)) - - return item_group_context - -def get_product_list_for_group(product_group=None, start=0, limit=10): - child_groups = ", ".join(['"' + i[0] + '"' for i in get_child_groups(product_group)]) - - # base query - query = """select t1.name, t1.item_name, t1.page_name, t1.website_image, t1.item_group, - t1.web_long_description as website_description, t2.name as route - from `tabItem` t1, `tabWebsite Route` t2 - where t1.show_in_website = 1 and (item_group in (%s) - or t1.name in (select parent from `tabWebsite Item Group` where item_group in (%s))) - and t1.name = t2.docname and t2.ref_doctype='Item' """ % (child_groups, child_groups) - - query += """order by t1.weightage desc, t1.modified desc limit %s, %s""" % (start, limit) - - data = frappe.db.sql(query, {"product_group": product_group}, as_dict=1) - - return [get_item_for_list_in_html(r) for r in data] - -def get_child_groups(item_group_name): - item_group = frappe.get_doc("Item Group", item_group_name) - return frappe.db.sql("""select name - from `tabItem Group` where lft>=%(lft)s and rgt<=%(rgt)s - and show_in_website = 1""", {"lft": item_group.lft, "rgt": item_group.rgt}) - -def get_item_for_list_in_html(context): - return frappe.get_template("templates/includes/product_in_grid.html").render(context) - -def get_group_item_count(item_group): - child_groups = ", ".join(['"' + i[0] + '"' for i in get_child_groups(item_group)]) - return frappe.db.sql("""select count(*) from `tabItem` - where docstatus = 0 and show_in_website = 1 - and (item_group in (%s) - or name in (select parent from `tabWebsite Item Group` - where item_group in (%s))) """ % (child_groups, child_groups))[0][0] - diff --git a/erpnext/templates/generators/partner.py b/erpnext/templates/generators/partner.py deleted file mode 100644 index 2079309747..0000000000 --- a/erpnext/templates/generators/partner.py +++ /dev/null @@ -1,28 +0,0 @@ -# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors -# License: GNU General Public License v3. See license.txt - -from __future__ import unicode_literals -import frappe -from frappe.utils import filter_strip_join - -doctype = "Sales Partner" -condition_field = "show_in_website" - -def get_context(context): - partner_context = context.doc.as_dict() - - address = frappe.db.get_value("Address", - {"sales_partner": context.doc.name, "is_primary_address": 1}, - "*", as_dict=True) - if address: - city_state = ", ".join(filter(None, [address.city, address.state])) - address_rows = [address.address_line1, address.address_line2, - city_state, address.pincode, address.country] - - partner_context.update({ - "email": address.email_id, - "partner_address": filter_strip_join(address_rows, "\n
"), - "phone": filter_strip_join(cstr(address.phone).split(","), "\n
") - }) - - return partner_context From 9f887b436c3f9adeb87a771445f1bae3eae447f7 Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Tue, 17 Jun 2014 16:53:44 +0530 Subject: [PATCH 158/630] fixes new routing, for frappe/frappe#600 --- erpnext/setup/doctype/item_group/item_group.py | 1 + erpnext/setup/doctype/sales_partner/sales_partner.py | 3 +++ erpnext/stock/doctype/item/item.py | 1 + 3 files changed, 5 insertions(+) diff --git a/erpnext/setup/doctype/item_group/item_group.py b/erpnext/setup/doctype/item_group/item_group.py index b9d5abb425..94cd3ec59a 100644 --- a/erpnext/setup/doctype/item_group/item_group.py +++ b/erpnext/setup/doctype/item_group/item_group.py @@ -10,6 +10,7 @@ from frappe.website.render import clear_cache from frappe.website.doctype.website_slideshow.website_slideshow import get_slideshow condition_field = "show_in_website" +template = "templates/generators/item_group.html" class ItemGroup(NestedSet, WebsiteGenerator): nsm_parent_field = 'parent_item_group' diff --git a/erpnext/setup/doctype/sales_partner/sales_partner.py b/erpnext/setup/doctype/sales_partner/sales_partner.py index 2d5ad34269..69695190d4 100644 --- a/erpnext/setup/doctype/sales_partner/sales_partner.py +++ b/erpnext/setup/doctype/sales_partner/sales_partner.py @@ -6,6 +6,9 @@ import frappe from frappe.utils import cstr, filter_strip_join from frappe.website.website_generator import WebsiteGenerator +condition_field = "show_in_website" +template = "templates/generators/sales_partner.html" + class SalesPartner(WebsiteGenerator): def autoname(self): self.name = self.partner_name diff --git a/erpnext/stock/doctype/item/item.py b/erpnext/stock/doctype/item/item.py index 129e2f78bd..f68f0e9071 100644 --- a/erpnext/stock/doctype/item/item.py +++ b/erpnext/stock/doctype/item/item.py @@ -13,6 +13,7 @@ from frappe.website.doctype.website_slideshow.website_slideshow import get_slide class WarehouseNotSet(frappe.ValidationError): pass condition_field = "show_in_website" +template = "templates/generators/item.html" class Item(WebsiteGenerator): def onload(self): From 69ce97b80a21ec024a27397e5f4e6b91009fad95 Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Thu, 12 Jun 2014 18:52:47 +0530 Subject: [PATCH 159/630] added print format for general ledger --- .../report/general_ledger/general_ledger.html | 38 +++++++++++++++++++ 1 file changed, 38 insertions(+) create mode 100644 erpnext/accounts/report/general_ledger/general_ledger.html diff --git a/erpnext/accounts/report/general_ledger/general_ledger.html b/erpnext/accounts/report/general_ledger/general_ledger.html new file mode 100644 index 0000000000..41ab6c4304 --- /dev/null +++ b/erpnext/accounts/report/general_ledger/general_ledger.html @@ -0,0 +1,38 @@ +

Statement of Account

+

{%= filters.account || "General Ledger" %}

+
+
+ + + + + + + + + + + {% for(var i=0, l=data.length; i + {% if(data[i].posting_date) { %} + + + + + + {% } else { %} + + + + + + {% } %} + + {% } %} + +
{%= __("Date") %}{%= __("Ref") %}{%= __("Party") %}{%= __("Debit") %}{%= __("Credit") %}
{%= dateutil.str_to_user(data[i].posting_date) %}{%= data[i].voucher_no %}{%= data[i].account %} +
{%= __("Against") %}: {%= data[i].account %} +
{%= __("Remarks") %}: {%= data[i].remarks %}
{%= fmt_money(data[i].debit) %}{%= fmt_money(data[i].credit) %}{%= data[i].account || " " %} + {%= data[i].account && fmt_money(data[i].debit) %} + {%= data[i].account && fmt_money(data[i].credit) %}
+

Printed On {%= dateutil.get_datetime_as_string() %}

From 1a18b427a838b7cfa0f2756847f39e2c0228c891 Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Fri, 13 Jun 2014 12:00:40 +0530 Subject: [PATCH 160/630] make font size smaller for erpnext powered --- erpnext/accounts/report/general_ledger/general_ledger.html | 2 +- erpnext/templates/includes/footer_powered.html | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/erpnext/accounts/report/general_ledger/general_ledger.html b/erpnext/accounts/report/general_ledger/general_ledger.html index 41ab6c4304..dda1e61449 100644 --- a/erpnext/accounts/report/general_ledger/general_ledger.html +++ b/erpnext/accounts/report/general_ledger/general_ledger.html @@ -1,4 +1,4 @@ -

Statement of Account

+

{%= __("Statement of Account") %}

{%= filters.account || "General Ledger" %}


diff --git a/erpnext/templates/includes/footer_powered.html b/erpnext/templates/includes/footer_powered.html index 0abf2e4e77..96611813a7 100644 --- a/erpnext/templates/includes/footer_powered.html +++ b/erpnext/templates/includes/footer_powered.html @@ -1 +1 @@ -ERPNext Powered \ No newline at end of file +ERPNext Powered From 69641ddc360f102bd11f72c137c00d53e01e39ed Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Wed, 18 Jun 2014 09:04:09 +0530 Subject: [PATCH 161/630] Update sms_center.json changed total words to total characters --- erpnext/selling/doctype/sms_center/sms_center.json | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/erpnext/selling/doctype/sms_center/sms_center.json b/erpnext/selling/doctype/sms_center/sms_center.json index e7af1a8edf..8910a2d9b2 100644 --- a/erpnext/selling/doctype/sms_center/sms_center.json +++ b/erpnext/selling/doctype/sms_center/sms_center.json @@ -84,7 +84,7 @@ { "fieldname": "total_words", "fieldtype": "Int", - "label": "Total Words", + "label": "Total Characters", "permlevel": 0, "read_only": 1 }, @@ -109,7 +109,7 @@ "idx": 1, "in_create": 0, "issingle": 1, - "modified": "2014-05-09 02:16:41.375945", + "modified": "2014-05-09 02:17:41.375945", "modified_by": "Administrator", "module": "Selling", "name": "SMS Center", @@ -132,4 +132,4 @@ "read_only": 1, "sort_field": "modified", "sort_order": "DESC" -} \ No newline at end of file +} From b73d3f925ded309c327db753ae4193f1a7445748 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Tue, 17 Jun 2014 16:13:15 +0530 Subject: [PATCH 162/630] Do not make packing list after submission --- .../doctype/sales_order/sales_order.py | 1 - .../stock/doctype/packed_item/packed_item.py | 24 ++++++++++--------- 2 files changed, 13 insertions(+), 12 deletions(-) diff --git a/erpnext/selling/doctype/sales_order/sales_order.py b/erpnext/selling/doctype/sales_order/sales_order.py index 2b60dcd214..1b66c65dac 100644 --- a/erpnext/selling/doctype/sales_order/sales_order.py +++ b/erpnext/selling/doctype/sales_order/sales_order.py @@ -102,7 +102,6 @@ class SalesOrder(SellingController): self.validate_warehouse() from erpnext.stock.doctype.packed_item.packed_item import make_packing_list - make_packing_list(self,'sales_order_details') self.validate_with_previous_doc() diff --git a/erpnext/stock/doctype/packed_item/packed_item.py b/erpnext/stock/doctype/packed_item/packed_item.py index cf208ee87d..44c1a00cc9 100644 --- a/erpnext/stock/doctype/packed_item/packed_item.py +++ b/erpnext/stock/doctype/packed_item/packed_item.py @@ -12,18 +12,18 @@ from frappe.model.document import Document class PackedItem(Document): pass - + def get_sales_bom_items(item_code): - return frappe.db.sql("""select t1.item_code, t1.qty, t1.uom - from `tabSales BOM Item` t1, `tabSales BOM` t2 + return frappe.db.sql("""select t1.item_code, t1.qty, t1.uom + from `tabSales BOM Item` t1, `tabSales BOM` t2 where t2.new_item_code=%s and t1.parent = t2.name""", item_code, as_dict=1) def get_packing_item_details(item): - return frappe.db.sql("""select item_name, description, stock_uom from `tabItem` + return frappe.db.sql("""select item_name, description, stock_uom from `tabItem` where name = %s""", item, as_dict = 1)[0] def get_bin_qty(item, warehouse): - det = frappe.db.sql("""select actual_qty, projected_qty from `tabBin` + det = frappe.db.sql("""select actual_qty, projected_qty from `tabBin` where item_code = %s and warehouse = %s""", (item, warehouse), as_dict = 1) return det and det[0] or '' @@ -55,12 +55,15 @@ def update_packing_list_item(obj, packing_item_code, qty, warehouse, line, packi if not pi.batch_no: pi.batch_no = cstr(line.get("batch_no")) pi.idx = packing_list_idx - + packing_list_idx += 1 def make_packing_list(obj, item_table_fieldname): """make packing list for sales bom item""" + + if obj._action == "update_after_submit": return + packing_list_idx = 0 parent_items = [] for d in obj.get(item_table_fieldname): @@ -68,14 +71,14 @@ def make_packing_list(obj, item_table_fieldname): and d.warehouse or d.warehouse if frappe.db.get_value("Sales BOM", {"new_item_code": d.item_code}): for i in get_sales_bom_items(d.item_code): - update_packing_list_item(obj, i['item_code'], flt(i['qty'])*flt(d.qty), + update_packing_list_item(obj, i['item_code'], flt(i['qty'])*flt(d.qty), warehouse, d, packing_list_idx) if [d.item_code, d.name] not in parent_items: parent_items.append([d.item_code, d.name]) - + cleanup_packing_list(obj, parent_items) - + def cleanup_packing_list(obj, parent_items): """Remove all those child items which are no longer present in main item table""" delete_list = [] @@ -86,10 +89,9 @@ def cleanup_packing_list(obj, parent_items): if not delete_list: return obj - + packing_details = obj.get("packing_details") obj.set("packing_details", []) for d in packing_details: if d not in delete_list: obj.append("packing_details", d) - \ No newline at end of file From ac1a4ed576877e0809fc00f02679328edb049220 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Wed, 18 Jun 2014 09:02:21 +0530 Subject: [PATCH 163/630] Field renamed in sms center --- .../selling/doctype/sms_center/sms_center.js | 12 +- .../doctype/sms_center/sms_center.json | 200 +++++++++--------- 2 files changed, 106 insertions(+), 106 deletions(-) diff --git a/erpnext/selling/doctype/sms_center/sms_center.js b/erpnext/selling/doctype/sms_center/sms_center.js index 1c5b92b7ec..ec4d57d8be 100644 --- a/erpnext/selling/doctype/sms_center/sms_center.js +++ b/erpnext/selling/doctype/sms_center/sms_center.js @@ -3,15 +3,15 @@ $.extend(cur_frm.cscript, { message: function () { - var total_words = this.frm.doc.message.length; + var total_characters = this.frm.doc.message.length; var total_msg = 1; - if (total_words > 160) { - total_msg = cint(total_words / 160); - total_msg = (total_words % 160 == 0 ? total_msg : total_msg + 1); + if (total_characters > 160) { + total_msg = cint(total_characters / 160); + total_msg = (total_characters % 160 == 0 ? total_msg : total_msg + 1); } - this.frm.set_value("total_words", total_words); + this.frm.set_value("total_characters", total_characters); this.frm.set_value("total_messages", this.frm.doc.message ? total_msg : 0); } -}); \ No newline at end of file +}); diff --git a/erpnext/selling/doctype/sms_center/sms_center.json b/erpnext/selling/doctype/sms_center/sms_center.json index 8910a2d9b2..b6eb11c23a 100644 --- a/erpnext/selling/doctype/sms_center/sms_center.json +++ b/erpnext/selling/doctype/sms_center/sms_center.json @@ -1,135 +1,135 @@ { - "allow_attach": 0, - "allow_copy": 1, - "creation": "2013-01-10 16:34:22", - "docstatus": 0, - "doctype": "DocType", + "allow_attach": 0, + "allow_copy": 1, + "creation": "2013-01-10 16:34:22", + "docstatus": 0, + "doctype": "DocType", "fields": [ { - "fieldname": "column_break1", - "fieldtype": "Column Break", - "permlevel": 0, + "fieldname": "column_break1", + "fieldtype": "Column Break", + "permlevel": 0, "width": "50%" - }, + }, { - "fieldname": "send_to", - "fieldtype": "Select", - "in_list_view": 1, - "label": "Send To", - "options": "\nAll Contact\nAll Customer Contact\nAll Supplier Contact\nAll Sales Partner Contact\nAll Lead (Open)\nAll Employee (Active)\nAll Sales Person", + "fieldname": "send_to", + "fieldtype": "Select", + "in_list_view": 1, + "label": "Send To", + "options": "\nAll Contact\nAll Customer Contact\nAll Supplier Contact\nAll Sales Partner Contact\nAll Lead (Open)\nAll Employee (Active)\nAll Sales Person", "permlevel": 0 - }, + }, { - "depends_on": "eval:doc.send_to=='All Customer Contact'", - "fieldname": "customer", - "fieldtype": "Link", - "in_list_view": 1, - "label": "Customer", - "options": "Customer", + "depends_on": "eval:doc.send_to=='All Customer Contact'", + "fieldname": "customer", + "fieldtype": "Link", + "in_list_view": 1, + "label": "Customer", + "options": "Customer", "permlevel": 0 - }, + }, { - "depends_on": "eval:doc.send_to=='All Supplier Contact'", - "fieldname": "supplier", - "fieldtype": "Link", - "in_list_view": 1, - "label": "Supplier", - "options": "Supplier", + "depends_on": "eval:doc.send_to=='All Supplier Contact'", + "fieldname": "supplier", + "fieldtype": "Link", + "in_list_view": 1, + "label": "Supplier", + "options": "Supplier", "permlevel": 0 - }, + }, { - "depends_on": "eval:doc.send_to=='All Employee (Active)'", - "fieldname": "department", - "fieldtype": "Link", - "in_list_view": 1, - "label": "Department", - "options": "Department", + "depends_on": "eval:doc.send_to=='All Employee (Active)'", + "fieldname": "department", + "fieldtype": "Link", + "in_list_view": 1, + "label": "Department", + "options": "Department", "permlevel": 0 - }, + }, { - "depends_on": "eval:doc.send_to=='All Employee (Active)'", - "fieldname": "branch", - "fieldtype": "Link", - "label": "Branch", - "options": "Branch", + "depends_on": "eval:doc.send_to=='All Employee (Active)'", + "fieldname": "branch", + "fieldtype": "Link", + "label": "Branch", + "options": "Branch", "permlevel": 0 - }, + }, { - "fieldname": "create_receiver_list", - "fieldtype": "Button", - "label": "Create Receiver List", - "options": "create_receiver_list", + "fieldname": "create_receiver_list", + "fieldtype": "Button", + "label": "Create Receiver List", + "options": "create_receiver_list", "permlevel": 0 - }, + }, { - "fieldname": "receiver_list", - "fieldtype": "Code", - "label": "Receiver List", + "fieldname": "receiver_list", + "fieldtype": "Code", + "label": "Receiver List", "permlevel": 0 - }, + }, { - "fieldname": "column_break9", - "fieldtype": "Column Break", - "permlevel": 0, + "fieldname": "column_break9", + "fieldtype": "Column Break", + "permlevel": 0, "width": "50%" - }, + }, { - "description": "Messages greater than 160 characters will be split into multiple messages", - "fieldname": "message", - "fieldtype": "Text", - "label": "Message", - "permlevel": 0, + "description": "Messages greater than 160 characters will be split into multiple messages", + "fieldname": "message", + "fieldtype": "Text", + "label": "Message", + "permlevel": 0, "reqd": 1 - }, + }, { - "fieldname": "total_words", - "fieldtype": "Int", - "label": "Total Characters", - "permlevel": 0, + "fieldname": "total_characters", + "fieldtype": "Int", + "label": "Total Characters", + "permlevel": 0, "read_only": 1 - }, + }, { - "fieldname": "total_messages", - "fieldtype": "Int", - "label": "Total Message(s)", - "permlevel": 0, + "fieldname": "total_messages", + "fieldtype": "Int", + "label": "Total Message(s)", + "permlevel": 0, "read_only": 1 - }, + }, { - "fieldname": "send_sms", - "fieldtype": "Button", - "label": "Send SMS", - "options": "send_sms", + "fieldname": "send_sms", + "fieldtype": "Button", + "label": "Send SMS", + "options": "send_sms", "permlevel": 0 } - ], - "hide_heading": 0, - "hide_toolbar": 0, - "icon": "icon-mobile-phone", - "idx": 1, - "in_create": 0, - "issingle": 1, - "modified": "2014-05-09 02:17:41.375945", - "modified_by": "Administrator", - "module": "Selling", - "name": "SMS Center", - "owner": "Administrator", + ], + "hide_heading": 0, + "hide_toolbar": 0, + "icon": "icon-mobile-phone", + "idx": 1, + "in_create": 0, + "issingle": 1, + "modified": "2014-06-18 08:59:51.755566", + "modified_by": "Administrator", + "module": "Selling", + "name": "SMS Center", + "owner": "Administrator", "permissions": [ { - "cancel": 0, - "create": 1, - "delete": 0, - "export": 0, - "import": 0, - "permlevel": 0, - "read": 1, - "report": 0, - "role": "System Manager", - "submit": 0, + "cancel": 0, + "create": 1, + "delete": 0, + "export": 0, + "import": 0, + "permlevel": 0, + "read": 1, + "report": 0, + "role": "System Manager", + "submit": 0, "write": 1 } - ], - "read_only": 1, - "sort_field": "modified", + ], + "read_only": 1, + "sort_field": "modified", "sort_order": "DESC" } From 0693937c1ee7dfb06795f1630a363c44a1143f34 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Wed, 18 Jun 2014 09:42:27 +0530 Subject: [PATCH 164/630] Fixes in fetching valuation rate in stock entry --- erpnext/stock/doctype/stock_entry/stock_entry.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.py b/erpnext/stock/doctype/stock_entry/stock_entry.py index d8164f7e21..3df78c8def 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry.py +++ b/erpnext/stock/doctype/stock_entry/stock_entry.py @@ -221,7 +221,7 @@ class StockEntry(StockController): if not d.bom_no: if not flt(d.incoming_rate) or d.s_warehouse or self.purpose == "Sales Return": incoming_rate = self.get_incoming_rate(args) - if incoming_rate: + if flt(incoming_rate) > 0: d.incoming_rate = incoming_rate d.amount = flt(d.transfer_qty) * flt(d.incoming_rate) From 91090042d1a00e32a9956426008040f7d65b993f Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Wed, 18 Jun 2014 10:29:53 +0530 Subject: [PATCH 165/630] Patch: update users report view settings for rename fields --- erpnext/patches.txt | 1 + .../v4_0/update_users_report_view_settings.py | 12 ++++++++++++ 2 files changed, 13 insertions(+) create mode 100644 erpnext/patches/v4_0/update_users_report_view_settings.py diff --git a/erpnext/patches.txt b/erpnext/patches.txt index 761b63c9fd..dd57c60b18 100644 --- a/erpnext/patches.txt +++ b/erpnext/patches.txt @@ -61,3 +61,4 @@ erpnext.patches.v4_0.update_custom_print_formats_for_renamed_fields erpnext.patches.v4_0.update_other_charges_in_custom_purchase_print_formats erpnext.patches.v4_0.create_price_list_if_missing execute:frappe.db.sql("update `tabItem` set end_of_life=null where end_of_life='0000-00-00'") #2014-06-16 +erpnext.patches.v4_0.update_users_report_view_settings diff --git a/erpnext/patches/v4_0/update_users_report_view_settings.py b/erpnext/patches/v4_0/update_users_report_view_settings.py new file mode 100644 index 0000000000..8883dc26f5 --- /dev/null +++ b/erpnext/patches/v4_0/update_users_report_view_settings.py @@ -0,0 +1,12 @@ +# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors +# License: GNU General Public License v3. See license.txt + +from __future__ import unicode_literals + +from frappe.model import update_users_report_view_settings +from erpnext.patches.v4_0.fields_to_be_renamed import rename_map + +def execute(): + for dt, field_list in rename_map.items(): + for field in field_list: + update_users_report_view_settings(dt, field[0], field[1]) From 72a178a37e5ca8ad9ede5c72128a9a0fb58d5289 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Wed, 18 Jun 2014 12:14:17 +0530 Subject: [PATCH 166/630] Fixed Currency Exchange error --- erpnext/setup/doctype/currency/currency.py | 7 ++----- 1 file changed, 2 insertions(+), 5 deletions(-) diff --git a/erpnext/setup/doctype/currency/currency.py b/erpnext/setup/doctype/currency/currency.py index 5be618b80e..abfbe1930c 100644 --- a/erpnext/setup/doctype/currency/currency.py +++ b/erpnext/setup/doctype/currency/currency.py @@ -17,8 +17,5 @@ def validate_conversion_rate(currency, conversion_rate, conversion_rate_label, c company_currency = frappe.db.get_value("Company", company, "default_currency") if not conversion_rate: - throw(_('%(conversion_rate_label)s is mandatory. Maybe Currency Exchange record is not created for %(from_currency)s to %(to_currency)s') % { - "conversion_rate_label": conversion_rate_label, - "from_currency": currency, - "to_currency": company_currency - }) + throw(_("{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.").format( + conversion_rate_label, currency, company_currency)) From 2f800521cb9db1aa3d96e240d1a0f22b7a529994 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Wed, 18 Jun 2014 12:48:46 +0530 Subject: [PATCH 167/630] Don't set default for warehouse when creating serial no --- erpnext/stock/doctype/serial_no/serial_no.py | 5 ++++- 1 file changed, 4 insertions(+), 1 deletion(-) diff --git a/erpnext/stock/doctype/serial_no/serial_no.py b/erpnext/stock/doctype/serial_no/serial_no.py index ff4d519cf9..fe4af21d78 100644 --- a/erpnext/stock/doctype/serial_no/serial_no.py +++ b/erpnext/stock/doctype/serial_no/serial_no.py @@ -278,13 +278,16 @@ def get_serial_nos(serial_no): def make_serial_no(serial_no, sle): sr = frappe.new_doc("Serial No") + sr.warehouse = None + sr.dont_update_if_missing.append("warehouse") sr.ignore_permissions = True + sr.serial_no = serial_no sr.item_code = sle.item_code - sr.warehouse = None sr.company = sle.company sr.via_stock_ledger = True sr.insert() + sr.warehouse = sle.warehouse sr.status = "Available" sr.save() From 297939325a49f51140971f99c5f240162b656f36 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Wed, 18 Jun 2014 13:10:10 +0530 Subject: [PATCH 168/630] Stock Entry: get fg item incoming rate if bom is mentioned --- .../stock/doctype/stock_entry/stock_entry.py | 21 ++++++++++--------- 1 file changed, 11 insertions(+), 10 deletions(-) diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.py b/erpnext/stock/doctype/stock_entry/stock_entry.py index 3df78c8def..1dc624f21e 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry.py +++ b/erpnext/stock/doctype/stock_entry/stock_entry.py @@ -217,8 +217,8 @@ class StockEntry(StockController): Available Qty: {4}, Transfer Qty: {5}""").format(d.idx, d.s_warehouse, self.posting_date, self.posting_time, d.actual_qty, d.transfer_qty)) - # get incoming rate if not d.bom_no: + # set incoming rate if not flt(d.incoming_rate) or d.s_warehouse or self.purpose == "Sales Return": incoming_rate = self.get_incoming_rate(args) if flt(incoming_rate) > 0: @@ -227,15 +227,16 @@ class StockEntry(StockController): d.amount = flt(d.transfer_qty) * flt(d.incoming_rate) raw_material_cost += flt(d.amount) - # set incoming rate for fg item - if self.production_order and self.purpose == "Manufacture/Repack": - for d in self.get("mtn_details"): - if d.bom_no: - if not flt(d.incoming_rate): - bom = frappe.db.get_value("BOM", d.bom_no, ["operating_cost", "quantity"], as_dict=1) - operation_cost_per_unit = flt(bom.operating_cost) / flt(bom.quantity) - d.incoming_rate = operation_cost_per_unit + (raw_material_cost / flt(d.transfer_qty)) - d.amount = flt(d.transfer_qty) * flt(d.incoming_rate) + # bom no exists and purpose is Manufacture/Repack + elif self.purpose == "Manufacture/Repack": + + # set incoming rate for fg item + if not flt(d.incoming_rate): + bom = frappe.db.get_value("BOM", d.bom_no, ["operating_cost", "quantity"], as_dict=1) + operation_cost_per_unit = flt(bom.operating_cost) / flt(bom.quantity) + d.incoming_rate = operation_cost_per_unit + (raw_material_cost / flt(d.transfer_qty)) + + d.amount = flt(d.transfer_qty) * flt(d.incoming_rate) def get_incoming_rate(self, args): incoming_rate = 0 From c5dbf0f8ad5a926cffa75206899b531379573e46 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Wed, 18 Jun 2014 13:35:37 +0530 Subject: [PATCH 169/630] Travis: Install frappe of targetted branch For example: If pull request is for wip-4.1 branch of erpnext, install frappe with branch as wip-4.1 --- .travis.yml | 10 +++++----- 1 file changed, 5 insertions(+), 5 deletions(-) diff --git a/.travis.yml b/.travis.yml index 59acb5c0e4..dba0dab6ec 100644 --- a/.travis.yml +++ b/.travis.yml @@ -14,9 +14,13 @@ install: - sudo apt-get update - sudo apt-get purge -y mysql-common - sudo apt-get install mariadb-server mariadb-common libmariadbclient-dev - - CFLAGS=-O0 pip install git+https://github.com/frappe/frappe.git@develop && + - CFLAGS=-O0 pip install git+https://github.com/frappe/frappe.git@$TRAVIS_BRANCH && - pip install --editable . +before_script: + - mysql -e 'create database test_frappe' + - echo "USE mysql;\nCREATE USER 'test_frappe'@'localhost' IDENTIFIED BY 'test_frappe';\nFLUSH PRIVILEGES;\n" | mysql -u root + script: - cd ./test_sites/ - frappe --use test_site @@ -25,7 +29,3 @@ script: - frappe -b - frappe --serve_test & - frappe --verbose --run_tests --app erpnext - -before_script: - - mysql -e 'create database test_frappe' - - echo "USE mysql;\nCREATE USER 'test_frappe'@'localhost' IDENTIFIED BY 'test_frappe';\nFLUSH PRIVILEGES;\n" | mysql -u root From 987a28fc6aeb24eebe94f321d94aaf7cfc303cf5 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Wed, 18 Jun 2014 14:05:08 +0530 Subject: [PATCH 170/630] Revert "Stock Entry: get fg item incoming rate if bom is mentioned" This reverts commit 297939325a49f51140971f99c5f240162b656f36. --- .../stock/doctype/stock_entry/stock_entry.py | 21 +++++++++---------- 1 file changed, 10 insertions(+), 11 deletions(-) diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.py b/erpnext/stock/doctype/stock_entry/stock_entry.py index 1dc624f21e..3df78c8def 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry.py +++ b/erpnext/stock/doctype/stock_entry/stock_entry.py @@ -217,8 +217,8 @@ class StockEntry(StockController): Available Qty: {4}, Transfer Qty: {5}""").format(d.idx, d.s_warehouse, self.posting_date, self.posting_time, d.actual_qty, d.transfer_qty)) + # get incoming rate if not d.bom_no: - # set incoming rate if not flt(d.incoming_rate) or d.s_warehouse or self.purpose == "Sales Return": incoming_rate = self.get_incoming_rate(args) if flt(incoming_rate) > 0: @@ -227,16 +227,15 @@ class StockEntry(StockController): d.amount = flt(d.transfer_qty) * flt(d.incoming_rate) raw_material_cost += flt(d.amount) - # bom no exists and purpose is Manufacture/Repack - elif self.purpose == "Manufacture/Repack": - - # set incoming rate for fg item - if not flt(d.incoming_rate): - bom = frappe.db.get_value("BOM", d.bom_no, ["operating_cost", "quantity"], as_dict=1) - operation_cost_per_unit = flt(bom.operating_cost) / flt(bom.quantity) - d.incoming_rate = operation_cost_per_unit + (raw_material_cost / flt(d.transfer_qty)) - - d.amount = flt(d.transfer_qty) * flt(d.incoming_rate) + # set incoming rate for fg item + if self.production_order and self.purpose == "Manufacture/Repack": + for d in self.get("mtn_details"): + if d.bom_no: + if not flt(d.incoming_rate): + bom = frappe.db.get_value("BOM", d.bom_no, ["operating_cost", "quantity"], as_dict=1) + operation_cost_per_unit = flt(bom.operating_cost) / flt(bom.quantity) + d.incoming_rate = operation_cost_per_unit + (raw_material_cost / flt(d.transfer_qty)) + d.amount = flt(d.transfer_qty) * flt(d.incoming_rate) def get_incoming_rate(self, args): incoming_rate = 0 From de12a0941fd36362d6cd5ae5bda82a9c6e1d71e4 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Wed, 18 Jun 2014 14:05:29 +0530 Subject: [PATCH 171/630] Stock Entry: get fg item incoming rate if bom is mentioned --- erpnext/stock/doctype/stock_entry/stock_entry.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.py b/erpnext/stock/doctype/stock_entry/stock_entry.py index 3df78c8def..38c7521e36 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry.py +++ b/erpnext/stock/doctype/stock_entry/stock_entry.py @@ -228,7 +228,7 @@ class StockEntry(StockController): raw_material_cost += flt(d.amount) # set incoming rate for fg item - if self.production_order and self.purpose == "Manufacture/Repack": + if self.purpose == "Manufacture/Repack": for d in self.get("mtn_details"): if d.bom_no: if not flt(d.incoming_rate): From d768afb80b6544db64625b95034ba10eda8add96 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Wed, 18 Jun 2014 15:23:25 +0530 Subject: [PATCH 172/630] Fixed Sales Order -> Delivery Note mapping of address fields --- erpnext/selling/doctype/sales_order/sales_order.py | 8 ++------ 1 file changed, 2 insertions(+), 6 deletions(-) diff --git a/erpnext/selling/doctype/sales_order/sales_order.py b/erpnext/selling/doctype/sales_order/sales_order.py index 1b66c65dac..24da5773a3 100644 --- a/erpnext/selling/doctype/sales_order/sales_order.py +++ b/erpnext/selling/doctype/sales_order/sales_order.py @@ -279,13 +279,9 @@ def make_delivery_note(source_name, target_doc=None): target.amount = (flt(source.qty) - flt(source.delivered_qty)) * flt(source.rate) target.qty = flt(source.qty) - flt(source.delivered_qty) - doclist = get_mapped_doc("Sales Order", source_name, { + target_doc = get_mapped_doc("Sales Order", source_name, { "Sales Order": { "doctype": "Delivery Note", - "field_map": { - "shipping_address": "address_display", - "shipping_address_name": "customer_address", - }, "validation": { "docstatus": ["=", 1] } @@ -310,7 +306,7 @@ def make_delivery_note(source_name, target_doc=None): } }, target_doc, set_missing_values) - return doclist + return target_doc @frappe.whitelist() def make_sales_invoice(source_name, target_doc=None): From 31c977b906bce8508a306f0fac53bbe55368b03e Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Wed, 18 Jun 2014 16:26:45 +0530 Subject: [PATCH 173/630] Fixed Employee Leave Balance Report --- .../report/employee_leave_balance/employee_leave_balance.py | 6 ++++-- 1 file changed, 4 insertions(+), 2 deletions(-) diff --git a/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py b/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py index c1d8bcfba4..99b235e91a 100644 --- a/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +++ b/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py @@ -24,17 +24,19 @@ def execute(filters=None): else: fiscal_years = frappe.db.sql_list("select name from `tabFiscal Year` order by name desc") + employee_names = [d.name for d in employees] + allocations = frappe.db.sql("""select employee, fiscal_year, leave_type, total_leaves_allocated from `tabLeave Allocation` where docstatus=1 and employee in (%s)""" % - ','.join(['%s']*len(employees)), employees, as_dict=True) + ','.join(['%s']*len(employee_names)), employee_names, as_dict=True) applications = frappe.db.sql("""select employee, fiscal_year, leave_type, SUM(total_leave_days) as leaves from `tabLeave Application` where status="Approved" and docstatus = 1 and employee in (%s) group by employee, fiscal_year, leave_type""" % - ','.join(['%s']*len(employees)), employees, as_dict=True) + ','.join(['%s']*len(employee_names)), employee_names, as_dict=True) columns = [ "Fiscal Year", "Employee:Link/Employee:150", "Employee Name::200", "Department::150" From ae0d753cade7b5c2c771b5529617600ea9fa0ef9 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Wed, 18 Jun 2014 14:42:22 +0530 Subject: [PATCH 174/630] Valuation rate and amount for fg item --- .../stock/doctype/stock_entry/stock_entry.js | 19 ++++++++++--------- 1 file changed, 10 insertions(+), 9 deletions(-) diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.js b/erpnext/stock/doctype/stock_entry/stock_entry.js index a42a865cbb..510b395ae4 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry.js +++ b/erpnext/stock/doctype/stock_entry/stock_entry.js @@ -359,16 +359,17 @@ cur_frm.cscript.item_code = function(doc, cdt, cdn) { cur_frm.cscript.s_warehouse = function(doc, cdt, cdn) { var d = locals[cdt][cdn]; - args = { - 'item_code' : d.item_code, - 'warehouse' : cstr(d.s_warehouse) || cstr(d.t_warehouse), - 'transfer_qty' : d.transfer_qty, - 'serial_no' : d.serial_no, - 'bom_no' : d.bom_no, - 'qty' : d.s_warehouse ? -1* d.qty : d.qty + if(!d.bom_no) { + args = { + 'item_code' : d.item_code, + 'warehouse' : cstr(d.s_warehouse) || cstr(d.t_warehouse), + 'transfer_qty' : d.transfer_qty, + 'serial_no' : d.serial_no, + 'qty' : d.s_warehouse ? -1* d.qty : d.qty + } + return get_server_fields('get_warehouse_details', JSON.stringify(args), + 'mtn_details', doc, cdt, cdn, 1); } - return get_server_fields('get_warehouse_details', JSON.stringify(args), - 'mtn_details', doc, cdt, cdn, 1); } cur_frm.cscript.t_warehouse = cur_frm.cscript.s_warehouse; From a7da6e148018aeaf0e3e29055745040382fb087a Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Wed, 18 Jun 2014 15:12:03 +0530 Subject: [PATCH 175/630] Incoming rate for sales return --- .../stock/doctype/stock_entry/stock_entry.py | 31 ++++++++----------- 1 file changed, 13 insertions(+), 18 deletions(-) diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.py b/erpnext/stock/doctype/stock_entry/stock_entry.py index 38c7521e36..0321dcfeb7 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry.py +++ b/erpnext/stock/doctype/stock_entry/stock_entry.py @@ -239,29 +239,24 @@ class StockEntry(StockController): def get_incoming_rate(self, args): incoming_rate = 0 - if self.purpose == "Sales Return" and \ - (self.delivery_note_no or self.sales_invoice_no): - sle = frappe.db.sql("""select name, posting_date, posting_time, - actual_qty, stock_value, warehouse from `tabStock Ledger Entry` - where voucher_type = %s and voucher_no = %s and - item_code = %s limit 1""", - ((self.delivery_note_no and "Delivery Note" or "Sales Invoice"), - self.delivery_note_no or self.sales_invoice_no, args.item_code), as_dict=1) - if sle: - args.update({ - "posting_date": sle[0].posting_date, - "posting_time": sle[0].posting_time, - "sle": sle[0].name, - "warehouse": sle[0].warehouse, - }) - previous_sle = get_previous_sle(args) - incoming_rate = (flt(sle[0].stock_value) - flt(previous_sle.get("stock_value"))) / \ - flt(sle[0].actual_qty) + if self.purpose == "Sales Return": + incoming_rate = self.get_incoming_rate_for_sales_return(args) else: incoming_rate = get_incoming_rate(args) return incoming_rate + def get_incoming_rate_for_sales_return(self, args): + incoming_rate = 0.0 + if self.delivery_note_no or self.sales_invoice_no: + incoming_rate = frappe.db.sql("""select abs(ifnull(stock_value_difference, 0) / actual_qty) + from `tabStock Ledger Entry` + where voucher_type = %s and voucher_no = %s and item_code = %s limit 1""", + ((self.delivery_note_no and "Delivery Note" or "Sales Invoice"), + self.delivery_note_no or self.sales_invoice_no, args.item_code))[0][0] + + return incoming_rate + def validate_incoming_rate(self): for d in self.get('mtn_details'): if d.t_warehouse: From e7c2f74a078980fc7be5fedb82279d74ca541714 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Wed, 18 Jun 2014 16:40:08 +0530 Subject: [PATCH 176/630] Stocvk entry incoming rate for sales return --- erpnext/stock/doctype/stock_entry/stock_entry.py | 5 +++-- 1 file changed, 3 insertions(+), 2 deletions(-) diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.py b/erpnext/stock/doctype/stock_entry/stock_entry.py index 0321dcfeb7..297542b50f 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry.py +++ b/erpnext/stock/doctype/stock_entry/stock_entry.py @@ -248,12 +248,13 @@ class StockEntry(StockController): def get_incoming_rate_for_sales_return(self, args): incoming_rate = 0.0 - if self.delivery_note_no or self.sales_invoice_no: + if (self.delivery_note_no or self.sales_invoice_no) and args.get("item_code"): incoming_rate = frappe.db.sql("""select abs(ifnull(stock_value_difference, 0) / actual_qty) from `tabStock Ledger Entry` where voucher_type = %s and voucher_no = %s and item_code = %s limit 1""", ((self.delivery_note_no and "Delivery Note" or "Sales Invoice"), - self.delivery_note_no or self.sales_invoice_no, args.item_code))[0][0] + self.delivery_note_no or self.sales_invoice_no, args.item_code)) + incoming_rate = incoming_rate[0][0] if incoming_rate else 0.0 return incoming_rate From 4d7c4fc0f40d5ff745cf1a3f6fead56e9680f702 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Wed, 18 Jun 2014 16:40:27 +0530 Subject: [PATCH 177/630] Get party details fixes --- erpnext/accounts/party.py | 13 +++++++------ erpnext/public/js/utils/party.js | 1 + erpnext/stock/doctype/stock_entry/stock_entry.js | 4 ++-- 3 files changed, 10 insertions(+), 8 deletions(-) diff --git a/erpnext/accounts/party.py b/erpnext/accounts/party.py index 9792da1b26..cd172f1902 100644 --- a/erpnext/accounts/party.py +++ b/erpnext/accounts/party.py @@ -12,13 +12,14 @@ from erpnext.utilities.doctype.contact.contact import get_contact_details @frappe.whitelist() def get_party_details(party=None, account=None, party_type="Customer", company=None, - posting_date=None, price_list=None, currency=None): + posting_date=None, price_list=None, currency=None, doctype=None): - return _get_party_details(party, account, party_type, company, posting_date, price_list, currency) + return _get_party_details(party, account, party_type, + company, posting_date, price_list, currency, doctype) def _get_party_details(party=None, account=None, party_type="Customer", company=None, - posting_date=None, price_list=None, currency=None, ignore_permissions=False): - out = frappe._dict(set_account_and_due_date(party, account, party_type, company, posting_date)) + posting_date=None, price_list=None, currency=None, doctype=None, ignore_permissions=False): + out = frappe._dict(set_account_and_due_date(party, account, party_type, company, posting_date, doctype)) party = out[party_type.lower()] @@ -106,8 +107,8 @@ def set_price_list(out, party, party_type, given_price_list): out["selling_price_list" if party.doctype=="Customer" else "buying_price_list"] = price_list -def set_account_and_due_date(party, account, party_type, company, posting_date): - if not posting_date: +def set_account_and_due_date(party, account, party_type, company, posting_date, doctype): + if doctype not in ["Sales Invoice", "Purchase Invoice"]: # not an invoice return { party_type.lower(): party diff --git a/erpnext/public/js/utils/party.js b/erpnext/public/js/utils/party.js index 40db97feb8..c9b1206cc1 100644 --- a/erpnext/public/js/utils/party.js +++ b/erpnext/public/js/utils/party.js @@ -25,6 +25,7 @@ erpnext.utils.get_party_details = function(frm, method, args, callback) { args.currency = frm.doc.currency; args.company = frm.doc.company; + args.doctype = frm.doc.doctype; frappe.call({ method: method, args: args, diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.js b/erpnext/stock/doctype/stock_entry/stock_entry.js index 510b395ae4..959739225e 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry.js +++ b/erpnext/stock/doctype/stock_entry/stock_entry.js @@ -241,14 +241,14 @@ erpnext.stock.StockEntry = erpnext.stock.StockController.extend({ customer: function() { return this.frm.call({ method: "erpnext.accounts.party.get_party_details", - args: { party: this.frm.doc.customer, party_type:"Customer" } + args: { party: this.frm.doc.customer, party_type:"Customer", doctype: this.frm.doc.doctype } }); }, supplier: function() { return this.frm.call({ method: "erpnext.accounts.party.get_party_details", - args: { party: this.frm.doc.supplier, party_type:"Supplier" } + args: { party: this.frm.doc.supplier, party_type:"Supplier", doctype: this.frm.doc.doctype } }); }, From 151125e5377a762711a1f1f370e31ddf79c2c3ae Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Wed, 18 Jun 2014 17:33:01 +0530 Subject: [PATCH 178/630] fixed for travis --- .../doctype/chart_of_accounts/import_charts.py | 11 ++++++----- erpnext/templates/pages/product_search.py | 2 +- 2 files changed, 7 insertions(+), 6 deletions(-) diff --git a/erpnext/accounts/doctype/chart_of_accounts/import_charts.py b/erpnext/accounts/doctype/chart_of_accounts/import_charts.py index 9e60551665..7a47f6ee36 100644 --- a/erpnext/accounts/doctype/chart_of_accounts/import_charts.py +++ b/erpnext/accounts/doctype/chart_of_accounts/import_charts.py @@ -5,6 +5,7 @@ from __future__ import unicode_literals import frappe, os, json def import_charts(): + print "Importing Chart of Accounts" frappe.db.sql("""delete from `tabChart of Accounts`""") charts_dir = os.path.join(os.path.dirname(__file__), "charts") for fname in os.listdir(charts_dir): @@ -19,8 +20,8 @@ def import_charts(): "source_file": fname, "country": country }).insert() - print doc.name.encode("utf-8") - else: - print "No chart for: " + chart.get("name").encode("utf-8") - - frappe.db.commit() \ No newline at end of file + #print doc.name.encode("utf-8") + #else: + #print "No chart for: " + chart.get("name").encode("utf-8") + + frappe.db.commit() diff --git a/erpnext/templates/pages/product_search.py b/erpnext/templates/pages/product_search.py index 8b454ceeca..8464b2561e 100644 --- a/erpnext/templates/pages/product_search.py +++ b/erpnext/templates/pages/product_search.py @@ -4,7 +4,7 @@ from __future__ import unicode_literals import frappe from frappe.utils import cstr -from erpnext.templates.generators.item_group import get_item_for_list_in_html +from erpnext.setup.doctype.item_group.item_group import get_item_for_list_in_html no_cache = 1 no_sitemap = 1 From faf176d78c08dacce2aa30a2169c73309e450997 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Wed, 18 Jun 2014 19:51:38 +0530 Subject: [PATCH 179/630] Overwrite from POS Settings if value exists --- erpnext/stock/get_item_details.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/stock/get_item_details.py b/erpnext/stock/get_item_details.py index cdf5aa1f3d..c5c1280fdb 100644 --- a/erpnext/stock/get_item_details.py +++ b/erpnext/stock/get_item_details.py @@ -229,7 +229,7 @@ def get_pos_settings_item_details(company, args, pos_settings=None): if pos_settings: for fieldname in ("income_account", "cost_center", "warehouse", "expense_account"): - if not args.get(fieldname): + if not args.get(fieldname) and pos_settings.get(fieldname): res[fieldname] = pos_settings.get(fieldname) if res.get("warehouse"): From fd05f458e1dc4f125328b9352c3c4f615a267965 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Wed, 18 Jun 2014 20:55:18 +0530 Subject: [PATCH 180/630] Minor fix in Journal Voucher --- .../accounts/doctype/journal_voucher/journal_voucher.py | 7 ++++++- 1 file changed, 6 insertions(+), 1 deletion(-) diff --git a/erpnext/accounts/doctype/journal_voucher/journal_voucher.py b/erpnext/accounts/doctype/journal_voucher/journal_voucher.py index d75101d0e1..fc1916b5bc 100644 --- a/erpnext/accounts/doctype/journal_voucher/journal_voucher.py +++ b/erpnext/accounts/doctype/journal_voucher/journal_voucher.py @@ -186,9 +186,14 @@ class JournalVoucher(AccountsController): def set_print_format_fields(self): for d in self.get('entries'): - account_type, master_type = frappe.db.get_value("Account", d.account, + result = frappe.db.get_value("Account", d.account, ["account_type", "master_type"]) + if not result: + continue + + account_type, master_type = result + if master_type in ['Supplier', 'Customer']: if not self.pay_to_recd_from: self.pay_to_recd_from = frappe.db.get_value(master_type, From aecddefbc8c037960cbbf6bd8543ff5bd1e5edc1 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Wed, 18 Jun 2014 20:55:39 +0530 Subject: [PATCH 181/630] Fixed number format in currency --- erpnext/setup/doctype/currency/currency.json | 182 +++++++++---------- 1 file changed, 91 insertions(+), 91 deletions(-) diff --git a/erpnext/setup/doctype/currency/currency.json b/erpnext/setup/doctype/currency/currency.json index 26fd14e5f9..ee7be19a53 100644 --- a/erpnext/setup/doctype/currency/currency.json +++ b/erpnext/setup/doctype/currency/currency.json @@ -1,117 +1,117 @@ { - "autoname": "field:currency_name", - "creation": "2013-01-28 10:06:02", - "description": "**Currency** Master", - "docstatus": 0, - "doctype": "DocType", + "autoname": "field:currency_name", + "creation": "2013-01-28 10:06:02", + "description": "**Currency** Master", + "docstatus": 0, + "doctype": "DocType", "fields": [ { - "fieldname": "currency_name", - "fieldtype": "Data", - "label": "Currency Name", - "oldfieldname": "currency_name", - "oldfieldtype": "Data", - "permlevel": 0, + "fieldname": "currency_name", + "fieldtype": "Data", + "label": "Currency Name", + "oldfieldname": "currency_name", + "oldfieldtype": "Data", + "permlevel": 0, "reqd": 1 - }, + }, { - "fieldname": "enabled", - "fieldtype": "Check", - "in_list_view": 1, - "label": "Enabled", + "fieldname": "enabled", + "fieldtype": "Check", + "in_list_view": 1, + "label": "Enabled", "permlevel": 0 - }, + }, { - "description": "Sub-currency. For e.g. \"Cent\"", - "fieldname": "fraction", - "fieldtype": "Data", - "in_list_view": 1, - "label": "Fraction", + "description": "Sub-currency. For e.g. \"Cent\"", + "fieldname": "fraction", + "fieldtype": "Data", + "in_list_view": 1, + "label": "Fraction", "permlevel": 0 - }, + }, { - "description": "1 Currency = [?] Fraction\nFor e.g. 1 USD = 100 Cent", - "fieldname": "fraction_units", - "fieldtype": "Int", - "in_list_view": 1, - "label": "Fraction Units", + "description": "1 Currency = [?] Fraction\nFor e.g. 1 USD = 100 Cent", + "fieldname": "fraction_units", + "fieldtype": "Int", + "in_list_view": 1, + "label": "Fraction Units", "permlevel": 0 - }, + }, { - "description": "A symbol for this currency. For e.g. $", - "fieldname": "symbol", - "fieldtype": "Data", - "in_list_view": 1, - "label": "Symbol", + "description": "A symbol for this currency. For e.g. $", + "fieldname": "symbol", + "fieldtype": "Data", + "in_list_view": 1, + "label": "Symbol", "permlevel": 0 - }, + }, { - "description": "How should this currency be formatted? If not set, will use system defaults", - "fieldname": "number_format", - "fieldtype": "Select", - "in_list_view": 1, - "label": "Number Format", - "options": "\n#,###.##\n#.###,##\n# ###.##\n#,###.###\n#,##,###.##\n#.###\n#,###", + "description": "How should this currency be formatted? If not set, will use system defaults", + "fieldname": "number_format", + "fieldtype": "Select", + "in_list_view": 1, + "label": "Number Format", + "options": "\n#,###.##\n#.###,##\n# ###.##\n# ###,##\n#'###.##\n#, ###.##\n#,##,###.##\n#,###.###\n#.###\n#,###", "permlevel": 0 } - ], - "icon": "icon-bitcoin", - "idx": 1, - "in_create": 0, - "modified": "2014-05-27 03:49:09.038451", - "modified_by": "Administrator", - "module": "Setup", - "name": "Currency", - "owner": "Administrator", + ], + "icon": "icon-bitcoin", + "idx": 1, + "in_create": 0, + "modified": "2014-06-18 03:49:09.038451", + "modified_by": "Administrator", + "module": "Setup", + "name": "Currency", + "owner": "Administrator", "permissions": [ { - "create": 1, - "delete": 1, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Accounts Manager", - "submit": 0, + "create": 1, + "delete": 1, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Accounts Manager", + "submit": 0, "write": 1 - }, + }, { - "amend": 0, - "create": 1, - "delete": 1, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Sales Master Manager", - "submit": 0, + "amend": 0, + "create": 1, + "delete": 1, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Sales Master Manager", + "submit": 0, "write": 1 - }, + }, { - "amend": 0, - "create": 1, - "delete": 0, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Purchase Master Manager", - "submit": 0, + "amend": 0, + "create": 1, + "delete": 0, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Purchase Master Manager", + "submit": 0, "write": 1 - }, + }, { - "apply_user_permissions": 1, - "delete": 0, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, + "apply_user_permissions": 1, + "delete": 0, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, "role": "All" } - ], + ], "read_only": 0 -} \ No newline at end of file +} From da342c7855876d4246dae09b94395f644c9e6950 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Wed, 18 Jun 2014 21:09:19 +0530 Subject: [PATCH 182/630] Fixed feed type options --- erpnext/home/doctype/feed/feed.json | 101 ++++++++++++++-------------- 1 file changed, 51 insertions(+), 50 deletions(-) diff --git a/erpnext/home/doctype/feed/feed.json b/erpnext/home/doctype/feed/feed.json index a4018703c2..bef8aacfc0 100644 --- a/erpnext/home/doctype/feed/feed.json +++ b/erpnext/home/doctype/feed/feed.json @@ -1,72 +1,73 @@ { - "autoname": "hash", - "creation": "2012-07-03 13:29:42", - "docstatus": 0, - "doctype": "DocType", + "autoname": "hash", + "creation": "2012-07-03 13:29:42", + "docstatus": 0, + "doctype": "DocType", "fields": [ { - "fieldname": "feed_type", - "fieldtype": "Select", - "in_list_view": 1, - "label": "Feed Type", + "fieldname": "feed_type", + "fieldtype": "Select", + "in_list_view": 1, + "label": "Feed Type", + "options": "\nComment\nLogin", "permlevel": 0 - }, + }, { - "fieldname": "doc_type", - "fieldtype": "Data", - "in_list_view": 1, - "label": "Doc Type", + "fieldname": "doc_type", + "fieldtype": "Data", + "in_list_view": 1, + "label": "Doc Type", "permlevel": 0 - }, + }, { - "fieldname": "doc_name", - "fieldtype": "Data", - "in_list_view": 1, - "label": "Doc Name", + "fieldname": "doc_name", + "fieldtype": "Data", + "in_list_view": 1, + "label": "Doc Name", "permlevel": 0 - }, + }, { - "fieldname": "subject", - "fieldtype": "Data", - "in_list_view": 1, - "label": "Subject", + "fieldname": "subject", + "fieldtype": "Data", + "in_list_view": 1, + "label": "Subject", "permlevel": 0 - }, + }, { - "fieldname": "color", - "fieldtype": "Data", - "in_list_view": 1, - "label": "Color", + "fieldname": "color", + "fieldtype": "Data", + "in_list_view": 1, + "label": "Color", "permlevel": 0 - }, + }, { - "fieldname": "full_name", - "fieldtype": "Data", - "label": "Full Name", + "fieldname": "full_name", + "fieldtype": "Data", + "label": "Full Name", "permlevel": 0 } - ], - "icon": "icon-rss", - "idx": 1, - "modified": "2014-05-27 03:49:10.882587", - "modified_by": "Administrator", - "module": "Home", - "name": "Feed", - "owner": "Administrator", + ], + "icon": "icon-rss", + "idx": 1, + "modified": "2014-06-18 03:49:10.882587", + "modified_by": "Administrator", + "module": "Home", + "name": "Feed", + "owner": "Administrator", "permissions": [ { - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, "role": "System Manager" - }, + }, { - "apply_user_permissions": 1, - "permlevel": 0, - "read": 1, + "apply_user_permissions": 1, + "permlevel": 0, + "read": 1, "role": "All" } ] -} \ No newline at end of file +} From a5cfc59d811718814efd6641becb2765fcfc153f Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Thu, 19 Jun 2014 15:52:19 +0530 Subject: [PATCH 183/630] Validate Select field values --- erpnext/accounts/doctype/account/account.json | 4 +- .../accounts/doctype/gl_entry/gl_entry.json | 364 ++++++++-------- .../purchase_invoice/test_records.json | 328 +++++++------- .../production_order/production_order.json | 404 +++++++++--------- .../selling/doctype/lead/test_records.json | 2 +- .../support/doctype/newsletter/newsletter.py | 2 +- 6 files changed, 552 insertions(+), 552 deletions(-) diff --git a/erpnext/accounts/doctype/account/account.json b/erpnext/accounts/doctype/account/account.json index ab8830543d..4c24199cc8 100644 --- a/erpnext/accounts/doctype/account/account.json +++ b/erpnext/accounts/doctype/account/account.json @@ -91,7 +91,7 @@ "label": "Account Type", "oldfieldname": "account_type", "oldfieldtype": "Select", - "options": "\nBank\nCash\nTax\nChargeable\nWarehouse\nReceivable\nPayable\nEquity\nFixed Asset\nCost of Goods Sold\nExpense Account\nIncome Account\nStock Received But Not Billed\nExpenses Included In Valuation\nStock Adjustment", + "options": "\nBank\nCash\nTax\nChargeable\nWarehouse\nReceivable\nPayable\nEquity\nFixed Asset\nCost of Goods Sold\nExpense Account\nIncome Account\nStock Received But Not Billed\nExpenses Included In Valuation\nStock Adjustment\nStock", "permlevel": 0, "search_index": 0 }, @@ -210,7 +210,7 @@ "icon": "icon-money", "idx": 1, "in_create": 1, - "modified": "2014-06-03 18:27:58.109303", + "modified": "2014-06-19 18:27:58.109303", "modified_by": "Administrator", "module": "Accounts", "name": "Account", diff --git a/erpnext/accounts/doctype/gl_entry/gl_entry.json b/erpnext/accounts/doctype/gl_entry/gl_entry.json index 1856386237..ce17278d82 100644 --- a/erpnext/accounts/doctype/gl_entry/gl_entry.json +++ b/erpnext/accounts/doctype/gl_entry/gl_entry.json @@ -1,226 +1,226 @@ { - "autoname": "GL.#######", - "creation": "2013-01-10 16:34:06", - "docstatus": 0, - "doctype": "DocType", + "autoname": "GL.#######", + "creation": "2013-01-10 16:34:06", + "docstatus": 0, + "doctype": "DocType", "fields": [ { - "fieldname": "posting_date", - "fieldtype": "Date", - "in_filter": 1, - "in_list_view": 1, - "label": "Posting Date", - "oldfieldname": "posting_date", - "oldfieldtype": "Date", - "permlevel": 0, + "fieldname": "posting_date", + "fieldtype": "Date", + "in_filter": 1, + "in_list_view": 1, + "label": "Posting Date", + "oldfieldname": "posting_date", + "oldfieldtype": "Date", + "permlevel": 0, "search_index": 1 - }, + }, { - "fieldname": "transaction_date", - "fieldtype": "Date", - "in_list_view": 1, - "label": "Transaction Date", - "oldfieldname": "transaction_date", - "oldfieldtype": "Date", + "fieldname": "transaction_date", + "fieldtype": "Date", + "in_list_view": 1, + "label": "Transaction Date", + "oldfieldname": "transaction_date", + "oldfieldtype": "Date", "permlevel": 0 - }, + }, { - "fieldname": "aging_date", - "fieldtype": "Date", - "in_filter": 1, - "in_list_view": 1, - "label": "Aging Date", - "oldfieldname": "aging_date", - "oldfieldtype": "Date", - "permlevel": 0, + "fieldname": "aging_date", + "fieldtype": "Date", + "in_filter": 1, + "in_list_view": 1, + "label": "Aging Date", + "oldfieldname": "aging_date", + "oldfieldtype": "Date", + "permlevel": 0, "search_index": 0 - }, + }, { - "fieldname": "account", - "fieldtype": "Link", - "in_filter": 1, - "in_list_view": 1, - "label": "Account", - "oldfieldname": "account", - "oldfieldtype": "Link", - "options": "Account", - "permlevel": 0, + "fieldname": "account", + "fieldtype": "Link", + "in_filter": 1, + "in_list_view": 1, + "label": "Account", + "oldfieldname": "account", + "oldfieldtype": "Link", + "options": "Account", + "permlevel": 0, "search_index": 1 - }, + }, { - "fieldname": "cost_center", - "fieldtype": "Link", - "in_filter": 1, - "in_list_view": 1, - "label": "Cost Center", - "oldfieldname": "cost_center", - "oldfieldtype": "Link", - "options": "Cost Center", - "permlevel": 0, + "fieldname": "cost_center", + "fieldtype": "Link", + "in_filter": 1, + "in_list_view": 1, + "label": "Cost Center", + "oldfieldname": "cost_center", + "oldfieldtype": "Link", + "options": "Cost Center", + "permlevel": 0, "search_index": 0 - }, + }, { - "fieldname": "debit", - "fieldtype": "Currency", - "label": "Debit Amt", - "oldfieldname": "debit", - "oldfieldtype": "Currency", - "options": "Company:company:default_currency", + "fieldname": "debit", + "fieldtype": "Currency", + "label": "Debit Amt", + "oldfieldname": "debit", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", "permlevel": 0 - }, + }, { - "fieldname": "credit", - "fieldtype": "Currency", - "label": "Credit Amt", - "oldfieldname": "credit", - "oldfieldtype": "Currency", - "options": "Company:company:default_currency", + "fieldname": "credit", + "fieldtype": "Currency", + "label": "Credit Amt", + "oldfieldname": "credit", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", "permlevel": 0 - }, + }, { - "fieldname": "against", - "fieldtype": "Text", - "in_filter": 1, - "label": "Against", - "oldfieldname": "against", - "oldfieldtype": "Text", + "fieldname": "against", + "fieldtype": "Text", + "in_filter": 1, + "label": "Against", + "oldfieldname": "against", + "oldfieldtype": "Text", "permlevel": 0 - }, + }, { - "fieldname": "against_voucher", - "fieldtype": "Data", - "in_filter": 1, - "label": "Against Voucher", - "oldfieldname": "against_voucher", - "oldfieldtype": "Data", - "permlevel": 0, + "fieldname": "against_voucher", + "fieldtype": "Data", + "in_filter": 1, + "label": "Against Voucher", + "oldfieldname": "against_voucher", + "oldfieldtype": "Data", + "permlevel": 0, "search_index": 0 - }, + }, { - "fieldname": "against_voucher_type", - "fieldtype": "Data", - "in_filter": 0, - "label": "Against Voucher Type", - "oldfieldname": "against_voucher_type", - "oldfieldtype": "Data", - "permlevel": 0, + "fieldname": "against_voucher_type", + "fieldtype": "Data", + "in_filter": 0, + "label": "Against Voucher Type", + "oldfieldname": "against_voucher_type", + "oldfieldtype": "Data", + "permlevel": 0, "search_index": 0 - }, + }, { - "fieldname": "voucher_type", - "fieldtype": "Select", - "in_filter": 1, - "label": "Voucher Type", - "oldfieldname": "voucher_type", - "oldfieldtype": "Select", - "options": "Journal Voucher\nSales Invoice\nPurchase Invoice", - "permlevel": 0, + "fieldname": "voucher_type", + "fieldtype": "Select", + "in_filter": 1, + "label": "Voucher Type", + "oldfieldname": "voucher_type", + "oldfieldtype": "Select", + "options": "Journal Voucher\nSales Invoice\nPurchase Invoice\nPeriod Closing Voucher\nPurchase Receipt\nDelivery Note\nStock Entry\nStock Reconciliation", + "permlevel": 0, "search_index": 0 - }, + }, { - "fieldname": "voucher_no", - "fieldtype": "Data", - "in_filter": 1, - "label": "Voucher No", - "oldfieldname": "voucher_no", - "oldfieldtype": "Data", - "permlevel": 0, + "fieldname": "voucher_no", + "fieldtype": "Data", + "in_filter": 1, + "label": "Voucher No", + "oldfieldname": "voucher_no", + "oldfieldtype": "Data", + "permlevel": 0, "search_index": 1 - }, + }, { - "fieldname": "remarks", - "fieldtype": "Text", - "in_filter": 1, - "label": "Remarks", - "no_copy": 1, - "oldfieldname": "remarks", - "oldfieldtype": "Text", - "permlevel": 0, + "fieldname": "remarks", + "fieldtype": "Text", + "in_filter": 1, + "label": "Remarks", + "no_copy": 1, + "oldfieldname": "remarks", + "oldfieldtype": "Text", + "permlevel": 0, "search_index": 0 - }, + }, { - "fieldname": "is_opening", - "fieldtype": "Select", - "in_filter": 1, - "label": "Is Opening", - "oldfieldname": "is_opening", - "oldfieldtype": "Select", - "options": "No\nYes", - "permlevel": 0, + "fieldname": "is_opening", + "fieldtype": "Select", + "in_filter": 1, + "label": "Is Opening", + "oldfieldname": "is_opening", + "oldfieldtype": "Select", + "options": "No\nYes", + "permlevel": 0, "search_index": 0 - }, + }, { - "fieldname": "is_advance", - "fieldtype": "Select", - "in_filter": 0, - "label": "Is Advance", - "oldfieldname": "is_advance", - "oldfieldtype": "Select", - "options": "No\nYes", - "permlevel": 0, + "fieldname": "is_advance", + "fieldtype": "Select", + "in_filter": 0, + "label": "Is Advance", + "oldfieldname": "is_advance", + "oldfieldtype": "Select", + "options": "No\nYes", + "permlevel": 0, "search_index": 0 - }, + }, { - "fieldname": "fiscal_year", - "fieldtype": "Link", - "in_filter": 1, - "label": "Fiscal Year", - "oldfieldname": "fiscal_year", - "oldfieldtype": "Select", - "options": "Fiscal Year", - "permlevel": 0, + "fieldname": "fiscal_year", + "fieldtype": "Link", + "in_filter": 1, + "label": "Fiscal Year", + "oldfieldname": "fiscal_year", + "oldfieldtype": "Select", + "options": "Fiscal Year", + "permlevel": 0, "search_index": 0 - }, + }, { - "fieldname": "company", - "fieldtype": "Link", - "in_filter": 1, - "label": "Company", - "oldfieldname": "company", - "oldfieldtype": "Link", - "options": "Company", - "permlevel": 0, + "fieldname": "company", + "fieldtype": "Link", + "in_filter": 1, + "label": "Company", + "oldfieldname": "company", + "oldfieldtype": "Link", + "options": "Company", + "permlevel": 0, "search_index": 0 } - ], - "icon": "icon-list", - "idx": 1, - "in_create": 1, - "modified": "2014-06-09 01:51:29.340077", - "modified_by": "Administrator", - "module": "Accounts", - "name": "GL Entry", - "owner": "Administrator", + ], + "icon": "icon-list", + "idx": 1, + "in_create": 1, + "modified": "2014-06-19 01:51:29.340077", + "modified_by": "Administrator", + "module": "Accounts", + "name": "GL Entry", + "owner": "Administrator", "permissions": [ { - "amend": 0, - "apply_user_permissions": 1, - "create": 0, - "email": 1, - "export": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Accounts User", - "submit": 0, + "amend": 0, + "apply_user_permissions": 1, + "create": 0, + "email": 1, + "export": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Accounts User", + "submit": 0, "write": 0 - }, + }, { - "amend": 0, - "create": 0, - "email": 1, - "export": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Accounts Manager", - "submit": 0, + "amend": 0, + "create": 0, + "email": 1, + "export": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Accounts Manager", + "submit": 0, "write": 0 } - ], - "search_fields": "voucher_no,account,posting_date,against_voucher", - "sort_field": "modified", + ], + "search_fields": "voucher_no,account,posting_date,against_voucher", + "sort_field": "modified", "sort_order": "DESC" -} \ No newline at end of file +} diff --git a/erpnext/accounts/doctype/purchase_invoice/test_records.json b/erpnext/accounts/doctype/purchase_invoice/test_records.json index 67a705cc4a..48fb45d4d0 100644 --- a/erpnext/accounts/doctype/purchase_invoice/test_records.json +++ b/erpnext/accounts/doctype/purchase_invoice/test_records.json @@ -1,206 +1,206 @@ [ { - "bill_no": "NA", - "buying_price_list": "_Test Price List", - "company": "_Test Company", - "conversion_rate": 1, - "credit_to": "_Test Supplier - _TC", - "currency": "INR", - "doctype": "Purchase Invoice", + "bill_no": "NA", + "buying_price_list": "_Test Price List", + "company": "_Test Company", + "conversion_rate": 1, + "credit_to": "_Test Supplier - _TC", + "currency": "INR", + "doctype": "Purchase Invoice", "entries": [ { - "amount": 500, - "base_amount": 500, - "base_rate": 50, - "conversion_factor": 1.0, - "cost_center": "_Test Cost Center - _TC", - "doctype": "Purchase Invoice Item", - "expense_account": "_Test Account Cost for Goods Sold - _TC", - "item_code": "_Test Item Home Desktop 100", - "item_name": "_Test Item Home Desktop 100", - "item_tax_rate": "{\"_Test Account Excise Duty - _TC\": 10}", - "parentfield": "entries", - "qty": 10, - "rate": 50, + "amount": 500, + "base_amount": 500, + "base_rate": 50, + "conversion_factor": 1.0, + "cost_center": "_Test Cost Center - _TC", + "doctype": "Purchase Invoice Item", + "expense_account": "_Test Account Cost for Goods Sold - _TC", + "item_code": "_Test Item Home Desktop 100", + "item_name": "_Test Item Home Desktop 100", + "item_tax_rate": "{\"_Test Account Excise Duty - _TC\": 10}", + "parentfield": "entries", + "qty": 10, + "rate": 50, "uom": "_Test UOM" - }, + }, { - "amount": 750, - "base_amount": 750, - "base_rate": 150, - "conversion_factor": 1.0, - "cost_center": "_Test Cost Center - _TC", - "doctype": "Purchase Invoice Item", - "expense_account": "_Test Account Cost for Goods Sold - _TC", - "item_code": "_Test Item Home Desktop 200", - "item_name": "_Test Item Home Desktop 200", - "parentfield": "entries", - "qty": 5, - "rate": 150, + "amount": 750, + "base_amount": 750, + "base_rate": 150, + "conversion_factor": 1.0, + "cost_center": "_Test Cost Center - _TC", + "doctype": "Purchase Invoice Item", + "expense_account": "_Test Account Cost for Goods Sold - _TC", + "item_code": "_Test Item Home Desktop 200", + "item_name": "_Test Item Home Desktop 200", + "parentfield": "entries", + "qty": 5, + "rate": 150, "uom": "_Test UOM" } - ], - "fiscal_year": "_Test Fiscal Year 2013", - "grand_total_import": 0, - "naming_series": "BILL", + ], + "fiscal_year": "_Test Fiscal Year 2013", + "grand_total_import": 0, + "naming_series": "_T-BILL", "other_charges": [ { - "account_head": "_Test Account Shipping Charges - _TC", - "add_deduct_tax": "Add", - "category": "Valuation and Total", - "charge_type": "Actual", - "cost_center": "_Test Cost Center - _TC", - "description": "Shipping Charges", - "doctype": "Purchase Taxes and Charges", - "parentfield": "other_charges", + "account_head": "_Test Account Shipping Charges - _TC", + "add_deduct_tax": "Add", + "category": "Valuation and Total", + "charge_type": "Actual", + "cost_center": "_Test Cost Center - _TC", + "description": "Shipping Charges", + "doctype": "Purchase Taxes and Charges", + "parentfield": "other_charges", "rate": 100 - }, + }, { - "account_head": "_Test Account Customs Duty - _TC", - "add_deduct_tax": "Add", - "category": "Valuation", - "charge_type": "On Net Total", - "cost_center": "_Test Cost Center - _TC", - "description": "Customs Duty", - "doctype": "Purchase Taxes and Charges", - "parentfield": "other_charges", + "account_head": "_Test Account Customs Duty - _TC", + "add_deduct_tax": "Add", + "category": "Valuation", + "charge_type": "On Net Total", + "cost_center": "_Test Cost Center - _TC", + "description": "Customs Duty", + "doctype": "Purchase Taxes and Charges", + "parentfield": "other_charges", "rate": 10 - }, + }, { - "account_head": "_Test Account Excise Duty - _TC", - "add_deduct_tax": "Add", - "category": "Total", - "charge_type": "On Net Total", - "cost_center": "_Test Cost Center - _TC", - "description": "Excise Duty", - "doctype": "Purchase Taxes and Charges", - "parentfield": "other_charges", + "account_head": "_Test Account Excise Duty - _TC", + "add_deduct_tax": "Add", + "category": "Total", + "charge_type": "On Net Total", + "cost_center": "_Test Cost Center - _TC", + "description": "Excise Duty", + "doctype": "Purchase Taxes and Charges", + "parentfield": "other_charges", "rate": 12 - }, + }, { - "account_head": "_Test Account Education Cess - _TC", - "add_deduct_tax": "Add", - "category": "Total", - "charge_type": "On Previous Row Amount", - "cost_center": "_Test Cost Center - _TC", - "description": "Education Cess", - "doctype": "Purchase Taxes and Charges", - "parentfield": "other_charges", - "rate": 2, + "account_head": "_Test Account Education Cess - _TC", + "add_deduct_tax": "Add", + "category": "Total", + "charge_type": "On Previous Row Amount", + "cost_center": "_Test Cost Center - _TC", + "description": "Education Cess", + "doctype": "Purchase Taxes and Charges", + "parentfield": "other_charges", + "rate": 2, "row_id": 3 - }, + }, { - "account_head": "_Test Account S&H Education Cess - _TC", - "add_deduct_tax": "Add", - "category": "Total", - "charge_type": "On Previous Row Amount", - "cost_center": "_Test Cost Center - _TC", - "description": "S&H Education Cess", - "doctype": "Purchase Taxes and Charges", - "parentfield": "other_charges", - "rate": 1, + "account_head": "_Test Account S&H Education Cess - _TC", + "add_deduct_tax": "Add", + "category": "Total", + "charge_type": "On Previous Row Amount", + "cost_center": "_Test Cost Center - _TC", + "description": "S&H Education Cess", + "doctype": "Purchase Taxes and Charges", + "parentfield": "other_charges", + "rate": 1, "row_id": 3 - }, + }, { - "account_head": "_Test Account CST - _TC", - "add_deduct_tax": "Add", - "category": "Total", - "charge_type": "On Previous Row Total", - "cost_center": "_Test Cost Center - _TC", - "description": "CST", - "doctype": "Purchase Taxes and Charges", - "parentfield": "other_charges", - "rate": 2, + "account_head": "_Test Account CST - _TC", + "add_deduct_tax": "Add", + "category": "Total", + "charge_type": "On Previous Row Total", + "cost_center": "_Test Cost Center - _TC", + "description": "CST", + "doctype": "Purchase Taxes and Charges", + "parentfield": "other_charges", + "rate": 2, "row_id": 5 - }, + }, { - "account_head": "_Test Account VAT - _TC", - "add_deduct_tax": "Add", - "category": "Total", - "charge_type": "On Net Total", - "cost_center": "_Test Cost Center - _TC", - "description": "VAT", - "doctype": "Purchase Taxes and Charges", - "parentfield": "other_charges", + "account_head": "_Test Account VAT - _TC", + "add_deduct_tax": "Add", + "category": "Total", + "charge_type": "On Net Total", + "cost_center": "_Test Cost Center - _TC", + "description": "VAT", + "doctype": "Purchase Taxes and Charges", + "parentfield": "other_charges", "rate": 12.5 - }, + }, { - "account_head": "_Test Account Discount - _TC", - "add_deduct_tax": "Deduct", - "category": "Total", - "charge_type": "On Previous Row Total", - "cost_center": "_Test Cost Center - _TC", - "description": "Discount", - "doctype": "Purchase Taxes and Charges", - "parentfield": "other_charges", - "rate": 10, + "account_head": "_Test Account Discount - _TC", + "add_deduct_tax": "Deduct", + "category": "Total", + "charge_type": "On Previous Row Total", + "cost_center": "_Test Cost Center - _TC", + "description": "Discount", + "doctype": "Purchase Taxes and Charges", + "parentfield": "other_charges", + "rate": 10, "row_id": 7 } - ], - "posting_date": "2013-02-03", + ], + "posting_date": "2013-02-03", "supplier_name": "_Test Supplier" - }, + }, { - "bill_no": "NA", - "buying_price_list": "_Test Price List", - "company": "_Test Company", - "conversion_rate": 1.0, - "credit_to": "_Test Supplier - _TC", - "currency": "INR", - "doctype": "Purchase Invoice", + "bill_no": "NA", + "buying_price_list": "_Test Price List", + "company": "_Test Company", + "conversion_rate": 1.0, + "credit_to": "_Test Supplier - _TC", + "currency": "INR", + "doctype": "Purchase Invoice", "entries": [ { - "conversion_factor": 1.0, - "cost_center": "_Test Cost Center - _TC", - "doctype": "Purchase Invoice Item", - "expense_account": "_Test Account Cost for Goods Sold - _TC", - "item_code": "_Test Item", - "item_name": "_Test Item", - "parentfield": "entries", - "qty": 10.0, - "rate": 50.0, + "conversion_factor": 1.0, + "cost_center": "_Test Cost Center - _TC", + "doctype": "Purchase Invoice Item", + "expense_account": "_Test Account Cost for Goods Sold - _TC", + "item_code": "_Test Item", + "item_name": "_Test Item", + "parentfield": "entries", + "qty": 10.0, + "rate": 50.0, "uom": "_Test UOM" } - ], - "fiscal_year": "_Test Fiscal Year 2013", - "grand_total_import": 0, - "naming_series": "_T-Purchase Invoice-", + ], + "fiscal_year": "_Test Fiscal Year 2013", + "grand_total_import": 0, + "naming_series": "_T-Purchase Invoice-", "other_charges": [ { - "account_head": "_Test Account Shipping Charges - _TC", - "add_deduct_tax": "Add", - "category": "Valuation and Total", - "charge_type": "Actual", - "cost_center": "_Test Cost Center - _TC", - "description": "Shipping Charges", - "doctype": "Purchase Taxes and Charges", - "parentfield": "other_charges", + "account_head": "_Test Account Shipping Charges - _TC", + "add_deduct_tax": "Add", + "category": "Valuation and Total", + "charge_type": "Actual", + "cost_center": "_Test Cost Center - _TC", + "description": "Shipping Charges", + "doctype": "Purchase Taxes and Charges", + "parentfield": "other_charges", "rate": 100.0 - }, + }, { - "account_head": "_Test Account VAT - _TC", - "add_deduct_tax": "Add", - "category": "Total", - "charge_type": "Actual", - "cost_center": "_Test Cost Center - _TC", - "description": "VAT", - "doctype": "Purchase Taxes and Charges", - "parentfield": "other_charges", + "account_head": "_Test Account VAT - _TC", + "add_deduct_tax": "Add", + "category": "Total", + "charge_type": "Actual", + "cost_center": "_Test Cost Center - _TC", + "description": "VAT", + "doctype": "Purchase Taxes and Charges", + "parentfield": "other_charges", "rate": 120.0 - }, + }, { - "account_head": "_Test Account Customs Duty - _TC", - "add_deduct_tax": "Add", - "category": "Valuation", - "charge_type": "Actual", - "cost_center": "_Test Cost Center - _TC", - "description": "Customs Duty", - "doctype": "Purchase Taxes and Charges", - "parentfield": "other_charges", + "account_head": "_Test Account Customs Duty - _TC", + "add_deduct_tax": "Add", + "category": "Valuation", + "charge_type": "Actual", + "cost_center": "_Test Cost Center - _TC", + "description": "Customs Duty", + "doctype": "Purchase Taxes and Charges", + "parentfield": "other_charges", "rate": 150.0 } - ], - "posting_date": "2013-02-03", + ], + "posting_date": "2013-02-03", "supplier_name": "_Test Supplier" } -] \ No newline at end of file +] diff --git a/erpnext/manufacturing/doctype/production_order/production_order.json b/erpnext/manufacturing/doctype/production_order/production_order.json index b1b19e41c9..7e068cff74 100644 --- a/erpnext/manufacturing/doctype/production_order/production_order.json +++ b/erpnext/manufacturing/doctype/production_order/production_order.json @@ -1,256 +1,256 @@ { - "allow_import": 1, - "autoname": "naming_series:", - "creation": "2013-01-10 16:34:16", - "docstatus": 0, - "doctype": "DocType", + "allow_import": 1, + "autoname": "naming_series:", + "creation": "2013-01-10 16:34:16", + "docstatus": 0, + "doctype": "DocType", "fields": [ { - "fieldname": "item", - "fieldtype": "Section Break", - "label": "Item", - "options": "icon-gift", + "fieldname": "item", + "fieldtype": "Section Break", + "label": "Item", + "options": "icon-gift", "permlevel": 0 - }, + }, { - "default": "PRO", - "fieldname": "naming_series", - "fieldtype": "Select", - "label": "Series", - "options": "PRO-", - "permlevel": 0, + "default": "PRO-", + "fieldname": "naming_series", + "fieldtype": "Select", + "label": "Series", + "options": "PRO-", + "permlevel": 0, "reqd": 1 - }, + }, { - "depends_on": "eval:!doc.__islocal", - "fieldname": "status", - "fieldtype": "Select", - "in_filter": 1, - "in_list_view": 1, - "label": "Status", - "no_copy": 1, - "oldfieldname": "status", - "oldfieldtype": "Select", - "options": "\nDraft\nSubmitted\nStopped\nIn Process\nCompleted\nCancelled", - "permlevel": 0, - "read_only": 1, - "reqd": 1, + "depends_on": "eval:!doc.__islocal", + "fieldname": "status", + "fieldtype": "Select", + "in_filter": 1, + "in_list_view": 1, + "label": "Status", + "no_copy": 1, + "oldfieldname": "status", + "oldfieldtype": "Select", + "options": "\nDraft\nSubmitted\nStopped\nIn Process\nCompleted\nCancelled", + "permlevel": 0, + "read_only": 1, + "reqd": 1, "search_index": 1 - }, + }, { - "fieldname": "production_item", - "fieldtype": "Link", - "in_filter": 1, - "in_list_view": 1, - "label": "Item To Manufacture", - "oldfieldname": "production_item", - "oldfieldtype": "Link", - "options": "Item", - "permlevel": 0, - "read_only": 0, + "fieldname": "production_item", + "fieldtype": "Link", + "in_filter": 1, + "in_list_view": 1, + "label": "Item To Manufacture", + "oldfieldname": "production_item", + "oldfieldtype": "Link", + "options": "Item", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "depends_on": "production_item", - "description": "Bill of Material to be considered for manufacturing", - "fieldname": "bom_no", - "fieldtype": "Link", - "in_list_view": 1, - "label": "BOM No", - "oldfieldname": "bom_no", - "oldfieldtype": "Link", - "options": "BOM", - "permlevel": 0, - "read_only": 0, + "depends_on": "production_item", + "description": "Bill of Material to be considered for manufacturing", + "fieldname": "bom_no", + "fieldtype": "Link", + "in_list_view": 1, + "label": "BOM No", + "oldfieldname": "bom_no", + "oldfieldtype": "Link", + "options": "BOM", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "default": "1", - "description": "If checked, BOM for sub-assembly items will be considered for getting raw materials. Otherwise, all sub-assembly items will be treated as a raw material.", - "fieldname": "use_multi_level_bom", - "fieldtype": "Check", - "label": "Use Multi-Level BOM", + "default": "1", + "description": "If checked, BOM for sub-assembly items will be considered for getting raw materials. Otherwise, all sub-assembly items will be treated as a raw material.", + "fieldname": "use_multi_level_bom", + "fieldtype": "Check", + "label": "Use Multi-Level BOM", "permlevel": 0 - }, + }, { - "fieldname": "column_break1", - "fieldtype": "Column Break", - "oldfieldtype": "Column Break", - "permlevel": 0, - "read_only": 0, + "fieldname": "column_break1", + "fieldtype": "Column Break", + "oldfieldtype": "Column Break", + "permlevel": 0, + "read_only": 0, "width": "50%" - }, + }, { - "description": "Manufacture against Sales Order", - "fieldname": "sales_order", - "fieldtype": "Link", - "label": "Sales Order", - "options": "Sales Order", - "permlevel": 0, + "description": "Manufacture against Sales Order", + "fieldname": "sales_order", + "fieldtype": "Link", + "label": "Sales Order", + "options": "Sales Order", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "production_item", - "fieldname": "qty", - "fieldtype": "Float", - "in_list_view": 1, - "label": "Qty To Manufacture", - "oldfieldname": "qty", - "oldfieldtype": "Currency", - "permlevel": 0, - "read_only": 0, + "depends_on": "production_item", + "fieldname": "qty", + "fieldtype": "Float", + "in_list_view": 1, + "label": "Qty To Manufacture", + "oldfieldname": "qty", + "oldfieldtype": "Currency", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "depends_on": "eval:doc.docstatus==1", - "description": "Automatically updated via Stock Entry of type Manufacture/Repack", - "fieldname": "produced_qty", - "fieldtype": "Float", - "label": "Manufactured Qty", - "no_copy": 1, - "oldfieldname": "produced_qty", - "oldfieldtype": "Currency", - "permlevel": 0, + "depends_on": "eval:doc.docstatus==1", + "description": "Automatically updated via Stock Entry of type Manufacture/Repack", + "fieldname": "produced_qty", + "fieldtype": "Float", + "label": "Manufactured Qty", + "no_copy": 1, + "oldfieldname": "produced_qty", + "oldfieldtype": "Currency", + "permlevel": 0, "read_only": 1 - }, + }, { - "depends_on": "sales_order", - "fieldname": "expected_delivery_date", - "fieldtype": "Date", - "label": "Expected Delivery Date", - "permlevel": 0, + "depends_on": "sales_order", + "fieldname": "expected_delivery_date", + "fieldtype": "Date", + "label": "Expected Delivery Date", + "permlevel": 0, "read_only": 1 - }, + }, { - "fieldname": "warehouses", - "fieldtype": "Section Break", - "label": "Warehouses", - "options": "icon-building", + "fieldname": "warehouses", + "fieldtype": "Section Break", + "label": "Warehouses", + "options": "icon-building", "permlevel": 0 - }, + }, { - "depends_on": "production_item", - "description": "Manufactured quantity will be updated in this warehouse", - "fieldname": "fg_warehouse", - "fieldtype": "Link", - "in_list_view": 0, - "label": "For Warehouse", - "options": "Warehouse", - "permlevel": 0, - "read_only": 0, + "depends_on": "production_item", + "description": "Manufactured quantity will be updated in this warehouse", + "fieldname": "fg_warehouse", + "fieldtype": "Link", + "in_list_view": 0, + "label": "For Warehouse", + "options": "Warehouse", + "permlevel": 0, + "read_only": 0, "reqd": 0 - }, + }, { - "fieldname": "column_break_12", - "fieldtype": "Column Break", + "fieldname": "column_break_12", + "fieldtype": "Column Break", "permlevel": 0 - }, + }, { - "fieldname": "wip_warehouse", - "fieldtype": "Link", - "label": "Work-in-Progress Warehouse", - "options": "Warehouse", - "permlevel": 0, + "fieldname": "wip_warehouse", + "fieldtype": "Link", + "label": "Work-in-Progress Warehouse", + "options": "Warehouse", + "permlevel": 0, "reqd": 0 - }, + }, { - "fieldname": "more_info", - "fieldtype": "Section Break", - "label": "More Info", - "options": "icon-file-text", - "permlevel": 0, + "fieldname": "more_info", + "fieldtype": "Section Break", + "label": "More Info", + "options": "icon-file-text", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "description", - "fieldtype": "Small Text", - "label": "Item Description", - "permlevel": 0, + "fieldname": "description", + "fieldtype": "Small Text", + "label": "Item Description", + "permlevel": 0, "read_only": 1 - }, + }, { - "fieldname": "project_name", - "fieldtype": "Link", - "in_filter": 1, - "label": "Project Name", - "oldfieldname": "project_name", - "oldfieldtype": "Link", - "options": "Project", - "permlevel": 0, + "fieldname": "project_name", + "fieldtype": "Link", + "in_filter": 1, + "label": "Project Name", + "oldfieldname": "project_name", + "oldfieldtype": "Link", + "options": "Project", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "column_break2", - "fieldtype": "Column Break", - "permlevel": 0, - "read_only": 0, + "fieldname": "column_break2", + "fieldtype": "Column Break", + "permlevel": 0, + "read_only": 0, "width": "50%" - }, + }, { - "depends_on": "production_item", - "fieldname": "stock_uom", - "fieldtype": "Link", - "label": "Stock UOM", - "oldfieldname": "stock_uom", - "oldfieldtype": "Data", - "options": "UOM", - "permlevel": 0, + "depends_on": "production_item", + "fieldname": "stock_uom", + "fieldtype": "Link", + "label": "Stock UOM", + "oldfieldname": "stock_uom", + "oldfieldtype": "Data", + "options": "UOM", + "permlevel": 0, "read_only": 1 - }, + }, { - "fieldname": "company", - "fieldtype": "Link", - "label": "Company", - "oldfieldname": "company", - "oldfieldtype": "Link", - "options": "Company", - "permlevel": 0, - "read_only": 0, + "fieldname": "company", + "fieldtype": "Link", + "label": "Company", + "oldfieldname": "company", + "oldfieldtype": "Link", + "options": "Company", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "fieldname": "amended_from", - "fieldtype": "Data", - "ignore_user_permissions": 1, - "label": "Amended From", - "no_copy": 1, - "oldfieldname": "amended_from", - "oldfieldtype": "Data", - "permlevel": 0, + "fieldname": "amended_from", + "fieldtype": "Data", + "ignore_user_permissions": 1, + "label": "Amended From", + "no_copy": 1, + "oldfieldname": "amended_from", + "oldfieldtype": "Data", + "permlevel": 0, "read_only": 1 } - ], - "icon": "icon-cogs", - "idx": 1, - "in_create": 0, - "is_submittable": 1, - "modified": "2014-05-27 03:49:15.008942", - "modified_by": "Administrator", - "module": "Manufacturing", - "name": "Production Order", - "owner": "Administrator", + ], + "icon": "icon-cogs", + "idx": 1, + "in_create": 0, + "is_submittable": 1, + "modified": "2014-05-27 03:49:15.008942", + "modified_by": "Administrator", + "module": "Manufacturing", + "name": "Production Order", + "owner": "Administrator", "permissions": [ { - "amend": 1, - "apply_user_permissions": 1, - "cancel": 1, - "create": 1, - "delete": 1, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Manufacturing User", - "submit": 1, + "amend": 1, + "apply_user_permissions": 1, + "cancel": 1, + "create": 1, + "delete": 1, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Manufacturing User", + "submit": 1, "write": 1 - }, + }, { - "apply_user_permissions": 1, - "permlevel": 0, - "read": 1, - "report": 1, + "apply_user_permissions": 1, + "permlevel": 0, + "read": 1, + "report": 1, "role": "Material User" } ] -} \ No newline at end of file +} diff --git a/erpnext/selling/doctype/lead/test_records.json b/erpnext/selling/doctype/lead/test_records.json index ce9460489c..01b0a992d2 100644 --- a/erpnext/selling/doctype/lead/test_records.json +++ b/erpnext/selling/doctype/lead/test_records.json @@ -16,7 +16,7 @@ "doctype": "Lead", "email_id": "test_lead2@example.com", "lead_name": "_Test Lead 2", - "status": "Contacted" + "status": "Lead" }, { "doctype": "Lead", diff --git a/erpnext/support/doctype/newsletter/newsletter.py b/erpnext/support/doctype/newsletter/newsletter.py index 9072700fb6..88040e21b4 100644 --- a/erpnext/support/doctype/newsletter/newsletter.py +++ b/erpnext/support/doctype/newsletter/newsletter.py @@ -125,7 +125,7 @@ def create_lead(email_id): "doctype": "Lead", "email_id": email_id, "lead_name": real_name or email_id, - "status": "Contacted", + "status": "Lead", "naming_series": get_default_naming_series("Lead"), "company": frappe.db.get_default("company"), "source": "Email" From 496123a646bcf7ccadec38d53c1924db8c0d69f2 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Thu, 19 Jun 2014 19:25:19 +0530 Subject: [PATCH 184/630] Inventory Accounting: Cost Center only required for Expense Account --- erpnext/controllers/stock_controller.py | 7 +++++-- 1 file changed, 5 insertions(+), 2 deletions(-) diff --git a/erpnext/controllers/stock_controller.py b/erpnext/controllers/stock_controller.py index 96b8a6e801..d31034753c 100644 --- a/erpnext/controllers/stock_controller.py +++ b/erpnext/controllers/stock_controller.py @@ -237,8 +237,11 @@ class StockController(AccountsController): if not item.get("expense_account"): frappe.throw(_("Expense or Difference account is mandatory for Item {0} as it impacts overall stock value").format(item.item_code)) - if item.get("expense_account") and not item.get("cost_center"): - frappe.throw(_("""Cost Center is mandatory for Item {0}""").format(item.get("item_code"))) + else: + is_expense_account = frappe.db.get_value("Account", item.get("expense_account"), "report_type")=="Profit and Loss" + if is_expense_account and not item.get("cost_center"): + frappe.throw(_("{0} {1}: Cost Center is mandatory for Item {2}").format( + _(self.doctype), self.name, item.get("item_code"))) def get_sl_entries(self, d, args): sl_dict = { From 444f956e7b6f0d085ce09a1048164065ad55e6c2 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Fri, 20 Jun 2014 15:59:49 +0530 Subject: [PATCH 185/630] Pricing Rule fixes and improvements. Fixes #1795 --- .../doctype/pricing_rule/pricing_rule.js | 27 ++ .../doctype/pricing_rule/pricing_rule.json | 440 +++++++++--------- .../doctype/pricing_rule/pricing_rule.py | 196 +++++++- .../doctype/pricing_rule/test_pricing_rule.py | 7 +- .../purchase_invoice/purchase_invoice.json | 16 +- .../doctype/sales_invoice/sales_invoice.json | 16 +- .../purchase_order/purchase_order.json | 16 +- .../doctype/purchase_order/purchase_order.py | 13 +- .../supplier_quotation.json | 16 +- .../supplier_quotation/supplier_quotation.py | 1 + erpnext/controllers/accounts_controller.py | 6 +- erpnext/patches.txt | 1 + .../set_pricing_rule_for_buying_or_selling.py | 12 + erpnext/public/js/transaction.js | 117 +++-- .../selling/doctype/quotation/quotation.json | 16 +- .../selling/doctype/quotation/quotation.py | 2 +- .../doctype/sales_order/sales_order.json | 16 +- .../doctype/sales_order/sales_order.py | 9 +- .../doctype/delivery_note/delivery_note.json | 16 +- .../doctype/delivery_note/delivery_note.py | 1 + erpnext/stock/doctype/item/test_item.py | 12 +- .../purchase_receipt/purchase_receipt.json | 16 +- .../purchase_receipt/purchase_receipt.py | 1 + erpnext/stock/get_item_details.py | 161 +------ 24 files changed, 695 insertions(+), 439 deletions(-) create mode 100644 erpnext/patches/v4_0/set_pricing_rule_for_buying_or_selling.py diff --git a/erpnext/accounts/doctype/pricing_rule/pricing_rule.js b/erpnext/accounts/doctype/pricing_rule/pricing_rule.js index 356cc0de9c..a1859e5d57 100644 --- a/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +++ b/erpnext/accounts/doctype/pricing_rule/pricing_rule.js @@ -61,4 +61,31 @@ frappe.ui.form.on("Pricing Rule", "refresh", function(frm) { '
'].join("\n"); set_field_options("pricing_rule_help", help_content); + + cur_frm.cscript.set_options_for_applicable_for(); }); + +cur_frm.cscript.set_options_for_applicable_for = function() { + var options = [""]; + var applicable_for = cur_frm.doc.applicable_for; + + if(cur_frm.doc.selling) { + options = $.merge(options, ["Customer", "Customer Group", "Territory", "Sales Partner", "Campaign"]); + } + if(cur_frm.doc.buying) { + $.merge(options, ["Supplier", "Supplier Type"]); + } + + set_field_options("applicable_for", options.join("\n")); + + if(!in_list(options, applicable_for)) applicable_for = null; + cur_frm.set_value("applicable_for", applicable_for) +} + +cur_frm.cscript.selling = function() { + cur_frm.cscript.set_options_for_applicable_for(); +} + +cur_frm.cscript.buying = function() { + cur_frm.cscript.set_options_for_applicable_for(); +} diff --git a/erpnext/accounts/doctype/pricing_rule/pricing_rule.json b/erpnext/accounts/doctype/pricing_rule/pricing_rule.json index b20563fa76..e15cea83b8 100644 --- a/erpnext/accounts/doctype/pricing_rule/pricing_rule.json +++ b/erpnext/accounts/doctype/pricing_rule/pricing_rule.json @@ -1,288 +1,300 @@ { - "allow_import": 1, - "autoname": "PRULE.#####", - "creation": "2014-02-21 15:02:51", - "docstatus": 0, - "doctype": "DocType", - "document_type": "Master", + "allow_import": 1, + "autoname": "PRULE.#####", + "creation": "2014-02-21 15:02:51", + "docstatus": 0, + "doctype": "DocType", + "document_type": "Master", "fields": [ { - "fieldname": "applicability_section", - "fieldtype": "Section Break", - "in_list_view": 0, - "label": "Applicability", + "fieldname": "applicability_section", + "fieldtype": "Section Break", + "in_list_view": 0, + "label": "Applicability", "permlevel": 0 - }, + }, { - "default": "Item Code", - "fieldname": "apply_on", - "fieldtype": "Select", - "in_list_view": 1, - "label": "Apply On", - "options": "\nItem Code\nItem Group\nBrand", - "permlevel": 0, + "default": "Item Code", + "fieldname": "apply_on", + "fieldtype": "Select", + "in_list_view": 1, + "label": "Apply On", + "options": "\nItem Code\nItem Group\nBrand", + "permlevel": 0, "reqd": 1 - }, + }, { - "depends_on": "eval:doc.apply_on==\"Item Code\"", - "fieldname": "item_code", - "fieldtype": "Link", - "in_list_view": 1, - "label": "Item Code", - "options": "Item", - "permlevel": 0, + "depends_on": "eval:doc.apply_on==\"Item Code\"", + "fieldname": "item_code", + "fieldtype": "Link", + "in_list_view": 1, + "label": "Item Code", + "options": "Item", + "permlevel": 0, "reqd": 0 - }, + }, { - "depends_on": "eval:doc.apply_on==\"Item Group\"", - "fieldname": "item_group", - "fieldtype": "Link", - "in_list_view": 1, - "label": "Item Group", - "options": "Item Group", + "depends_on": "eval:doc.apply_on==\"Item Group\"", + "fieldname": "item_group", + "fieldtype": "Link", + "in_list_view": 1, + "label": "Item Group", + "options": "Item Group", "permlevel": 0 - }, + }, { - "depends_on": "eval:doc.apply_on==\"Brand\"", - "fieldname": "brand", - "fieldtype": "Link", - "in_list_view": 1, - "label": "Brand", - "options": "Brand", + "depends_on": "eval:doc.apply_on==\"Brand\"", + "fieldname": "brand", + "fieldtype": "Link", + "in_list_view": 1, + "label": "Brand", + "options": "Brand", "permlevel": 0 - }, + }, { - "fieldname": "applicable_for", - "fieldtype": "Select", - "label": "Applicable For", - "options": "\nCustomer\nCustomer Group\nTerritory\nSales Partner\nCampaign\nSupplier\nSupplier Type", + "fieldname": "selling", + "fieldtype": "Check", + "label": "Selling", "permlevel": 0 - }, + }, { - "depends_on": "eval:doc.applicable_for==\"Customer\"", - "fieldname": "customer", - "fieldtype": "Link", - "label": "Customer", - "options": "Customer", + "fieldname": "buying", + "fieldtype": "Check", + "label": "Buying", "permlevel": 0 - }, + }, { - "depends_on": "eval:doc.applicable_for==\"Customer Group\"", - "fieldname": "customer_group", - "fieldtype": "Link", - "label": "Customer Group", - "options": "Customer Group", + "fieldname": "applicable_for", + "fieldtype": "Select", + "label": "Applicable For", + "options": "\nCustomer\nCustomer Group\nTerritory\nSales Partner\nCampaign\nSupplier\nSupplier Type", "permlevel": 0 - }, + }, { - "depends_on": "eval:doc.applicable_for==\"Territory\"", - "fieldname": "territory", - "fieldtype": "Link", - "label": "Territory", - "options": "Territory", + "depends_on": "eval:doc.applicable_for==\"Customer\"", + "fieldname": "customer", + "fieldtype": "Link", + "label": "Customer", + "options": "Customer", "permlevel": 0 - }, + }, { - "depends_on": "eval:doc.applicable_for==\"Sales Partner\"", - "fieldname": "sales_partner", - "fieldtype": "Link", - "label": "Sales Partner", - "options": "Sales Partner", + "depends_on": "eval:doc.applicable_for==\"Customer Group\"", + "fieldname": "customer_group", + "fieldtype": "Link", + "label": "Customer Group", + "options": "Customer Group", "permlevel": 0 - }, + }, { - "depends_on": "eval:doc.applicable_for==\"Campaign\"", - "fieldname": "campaign", - "fieldtype": "Link", - "label": "Campaign", - "options": "Campaign", + "depends_on": "eval:doc.applicable_for==\"Territory\"", + "fieldname": "territory", + "fieldtype": "Link", + "label": "Territory", + "options": "Territory", "permlevel": 0 - }, + }, { - "depends_on": "eval:doc.applicable_for==\"Supplier\"", - "fieldname": "supplier", - "fieldtype": "Link", - "label": "Supplier", - "options": "Supplier", + "depends_on": "eval:doc.applicable_for==\"Sales Partner\"", + "fieldname": "sales_partner", + "fieldtype": "Link", + "label": "Sales Partner", + "options": "Sales Partner", "permlevel": 0 - }, + }, { - "depends_on": "eval:doc.applicable_for==\"Supplier Type\"", - "fieldname": "supplier_type", - "fieldtype": "Link", - "label": "Supplier Type", - "options": "Supplier Type", + "depends_on": "eval:doc.applicable_for==\"Campaign\"", + "fieldname": "campaign", + "fieldtype": "Link", + "label": "Campaign", + "options": "Campaign", "permlevel": 0 - }, + }, { - "fieldname": "min_qty", - "fieldtype": "Float", - "label": "Min Qty", + "depends_on": "eval:doc.applicable_for==\"Supplier\"", + "fieldname": "supplier", + "fieldtype": "Link", + "label": "Supplier", + "options": "Supplier", "permlevel": 0 - }, + }, { - "fieldname": "max_qty", - "fieldtype": "Float", - "label": "Max Qty", + "depends_on": "eval:doc.applicable_for==\"Supplier Type\"", + "fieldname": "supplier_type", + "fieldtype": "Link", + "label": "Supplier Type", + "options": "Supplier Type", "permlevel": 0 - }, + }, { - "fieldname": "col_break1", - "fieldtype": "Column Break", + "fieldname": "max_qty", + "fieldtype": "Float", + "label": "Max Qty", "permlevel": 0 - }, + }, { - "fieldname": "company", - "fieldtype": "Link", - "label": "Company", - "options": "Company", + "fieldname": "min_qty", + "fieldtype": "Float", + "label": "Min Qty", "permlevel": 0 - }, + }, { - "default": "Today", - "fieldname": "valid_from", - "fieldtype": "Date", - "label": "Valid From", + "fieldname": "col_break1", + "fieldtype": "Column Break", "permlevel": 0 - }, + }, { - "fieldname": "valid_upto", - "fieldtype": "Date", - "label": "Valid Upto", + "fieldname": "company", + "fieldtype": "Link", + "label": "Company", + "options": "Company", "permlevel": 0 - }, + }, { - "fieldname": "priority", - "fieldtype": "Select", - "label": "Priority", - "options": "\n1\n2\n3\n4\n5\n6\n7\n8\n9\n10\n11\n12\n13\n14\n15\n16\n17\n18\n19\n20", + "default": "Today", + "fieldname": "valid_from", + "fieldtype": "Date", + "label": "Valid From", "permlevel": 0 - }, + }, { - "fieldname": "disable", - "fieldtype": "Check", - "label": "Disable", + "fieldname": "valid_upto", + "fieldtype": "Date", + "label": "Valid Upto", "permlevel": 0 - }, + }, { - "fieldname": "price_discount_section", - "fieldtype": "Section Break", - "label": "Price / Discount", + "fieldname": "priority", + "fieldtype": "Select", + "label": "Priority", + "options": "\n1\n2\n3\n4\n5\n6\n7\n8\n9\n10\n11\n12\n13\n14\n15\n16\n17\n18\n19\n20", "permlevel": 0 - }, + }, { - "default": "Discount Percentage", - "fieldname": "price_or_discount", - "fieldtype": "Select", - "label": "Price or Discount", - "options": "\nPrice\nDiscount Percentage", - "permlevel": 0, + "fieldname": "disable", + "fieldtype": "Check", + "label": "Disable", + "permlevel": 0 + }, + { + "fieldname": "price_discount_section", + "fieldtype": "Section Break", + "label": "Price / Discount", + "permlevel": 0 + }, + { + "default": "Discount Percentage", + "fieldname": "price_or_discount", + "fieldtype": "Select", + "label": "Price or Discount", + "options": "\nPrice\nDiscount Percentage", + "permlevel": 0, "reqd": 1 - }, + }, { - "fieldname": "col_break2", - "fieldtype": "Column Break", + "fieldname": "col_break2", + "fieldtype": "Column Break", "permlevel": 0 - }, + }, { - "depends_on": "eval:doc.price_or_discount==\"Price\"", - "fieldname": "price", - "fieldtype": "Float", - "label": "Price", + "depends_on": "eval:doc.price_or_discount==\"Price\"", + "fieldname": "price", + "fieldtype": "Float", + "label": "Price", "permlevel": 0 - }, + }, { - "depends_on": "eval:doc.price_or_discount==\"Discount Percentage\"", - "fieldname": "discount_percentage", - "fieldtype": "Float", - "label": "Discount Percentage", + "depends_on": "eval:doc.price_or_discount==\"Discount Percentage\"", + "fieldname": "discount_percentage", + "fieldtype": "Float", + "label": "Discount Percentage", "permlevel": 0 - }, + }, { - "depends_on": "eval:doc.price_or_discount==\"Discount Percentage\"", - "fieldname": "for_price_list", - "fieldtype": "Link", - "label": "For Price List", - "options": "Price List", + "depends_on": "eval:doc.price_or_discount==\"Discount Percentage\"", + "fieldname": "for_price_list", + "fieldtype": "Link", + "label": "For Price List", + "options": "Price List", "permlevel": 0 - }, + }, { - "fieldname": "help_section", - "fieldtype": "Section Break", - "label": "", - "options": "Simple", + "fieldname": "help_section", + "fieldtype": "Section Break", + "label": "", + "options": "Simple", "permlevel": 0 - }, + }, { - "fieldname": "pricing_rule_help", - "fieldtype": "HTML", - "label": "Pricing Rule Help", + "fieldname": "pricing_rule_help", + "fieldtype": "HTML", + "label": "Pricing Rule Help", "permlevel": 0 } - ], - "icon": "icon-gift", - "idx": 1, - "istable": 0, - "modified": "2014-05-28 15:36:29.403659", - "modified_by": "Administrator", - "module": "Accounts", - "name": "Pricing Rule", - "owner": "Administrator", + ], + "icon": "icon-gift", + "idx": 1, + "istable": 0, + "modified": "2014-06-19 15:00:09.962572", + "modified_by": "Administrator", + "module": "Accounts", + "name": "Pricing Rule", + "owner": "Administrator", "permissions": [ { - "create": 1, - "delete": 1, - "export": 0, - "import": 0, - "permlevel": 0, - "read": 1, - "report": 1, - "role": "Accounts Manager", + "create": 1, + "delete": 1, + "export": 0, + "import": 0, + "permlevel": 0, + "read": 1, + "report": 1, + "role": "Accounts Manager", "write": 1 - }, + }, { - "create": 1, - "delete": 1, - "export": 0, - "import": 0, - "permlevel": 0, - "print": 0, - "read": 1, - "report": 1, - "role": "Sales Manager", + "create": 1, + "delete": 1, + "export": 0, + "import": 0, + "permlevel": 0, + "print": 0, + "read": 1, + "report": 1, + "role": "Sales Manager", "write": 1 - }, + }, { - "create": 1, - "delete": 1, - "permlevel": 0, - "read": 1, - "report": 1, - "role": "Purchase Manager", + "create": 1, + "delete": 1, + "permlevel": 0, + "read": 1, + "report": 1, + "role": "Purchase Manager", "write": 1 - }, + }, { - "create": 1, - "delete": 1, - "permlevel": 0, - "read": 1, - "report": 1, - "role": "Website Manager", + "create": 1, + "delete": 1, + "permlevel": 0, + "read": 1, + "report": 1, + "role": "Website Manager", "write": 1 - }, + }, { - "create": 1, - "delete": 1, - "export": 1, - "import": 1, - "permlevel": 0, - "read": 1, - "report": 1, - "set_user_permissions": 1, - "role": "System Manager", + "create": 1, + "delete": 1, + "export": 1, + "import": 1, + "permlevel": 0, + "read": 1, + "report": 1, + "restrict": 1, + "role": "System Manager", "write": 1 } - ], - "sort_field": "modified", + ], + "sort_field": "modified", "sort_order": "DESC" -} +} \ No newline at end of file diff --git a/erpnext/accounts/doctype/pricing_rule/pricing_rule.py b/erpnext/accounts/doctype/pricing_rule/pricing_rule.py index a15b45a381..5cf500a597 100644 --- a/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +++ b/erpnext/accounts/doctype/pricing_rule/pricing_rule.py @@ -5,13 +5,17 @@ from __future__ import unicode_literals import frappe +import json from frappe import throw, _ -from frappe.utils import flt +from frappe.utils import flt, cint from frappe.model.document import Document +class MultiplePricingRuleConflict(frappe.ValidationError): pass + class PricingRule(Document): def validate(self): self.validate_mandatory() + self.validate_applicable_for_selling_or_buying() self.validate_min_max_qty() self.cleanup_fields_value() self.validate_price_or_discount() @@ -22,6 +26,18 @@ class PricingRule(Document): if tocheck and not self.get(tocheck): throw(_("{0} is required").format(self.meta.get_label(tocheck)), frappe.MandatoryError) + def validate_applicable_for_selling_or_buying(self): + if not self.selling and not self.buying: + throw(_("Atleast one of the Selling or Buying must be selected")) + + if not self.selling and self.applicable_for in ["Customer", "Customer Group", + "Territory", "Sales Partner", "Campaign"]: + throw(_("Selling must be checked, if Applicable For is selected as {0}" + .format(self.applicable_for))) + + if not self.buying and self.applicable_for in ["Supplier", "Supplier Type"]: + throw(_("Buying must be checked, if Applicable For is selected as {0}" + .format(self.applicable_for))) def validate_min_max_qty(self): if self.min_qty and self.max_qty and flt(self.min_qty) > flt(self.max_qty): @@ -44,3 +60,181 @@ class PricingRule(Document): for field in ["Price", "Discount Percentage"]: if flt(self.get(frappe.scrub(field))) < 0: throw(_("{0} can not be negative").format(field)) + +#-------------------------------------------------------------------------------- + +@frappe.whitelist() +def apply_pricing_rule(args): + """ + args = { + "item_list": [{"doctype": "", "name": "", "item_code": "", "brand": "", "item_group": ""}, ...], + "customer": "something", + "customer_group": "something", + "territory": "something", + "supplier": "something", + "supplier_type": "something", + "currency": "something", + "conversion_rate": "something", + "price_list": "something", + "plc_conversion_rate": "something", + "company": "something", + "transaction_date": "something", + "campaign": "something", + "sales_partner": "something", + "ignore_pricing_rule": "something" + } + """ + if isinstance(args, basestring): + args = json.loads(args) + + args = frappe._dict(args) + + # list of dictionaries + out = [] + + if args.get("parenttype") == "Material Request": return out + + if not args.transaction_type: + args.transaction_type = "buying" if frappe.get_meta(args.parenttype).get_field("supplier") \ + else "selling" + + for item in args.get("item_list"): + args_copy = args.copy() + args_copy.update(item) + out.append(get_pricing_rule_for_item(args_copy)) + + return out + +def get_pricing_rule_for_item(args): + if args.get("parenttype") == "Material Request": return {} + + item_details = frappe._dict({ + "doctype": args.doctype, + "name": args.name, + "pricing_rule": None + }) + + if args.ignore_pricing_rule or not args.item_code: + return item_details + + if not (args.item_group and args.brand): + args.item_group, args.brand = frappe.db.get_value("Item", args.item_code, ["item_group", "brand"]) + + if args.customer and not (args.customer_group and args.territory): + args.customer_group, args.territory = frappe.db.get_value("Customer", args.customer, + ["customer_group", "territory"]) + elif args.supplier and not args.supplier_type: + args.supplier_type = frappe.db.get_value("Supplier", args.supplier, "supplier_type") + + pricing_rules = get_pricing_rules(args) + pricing_rule = filter_pricing_rules(args, pricing_rules) + + if pricing_rule: + item_details.pricing_rule = pricing_rule.name + if pricing_rule.price_or_discount == "Price": + item_details.update({ + "price_list_rate": pricing_rule.price*flt(args.plc_conversion_rate)/flt(args.conversion_rate), + "discount_percentage": 0.0 + }) + else: + item_details.discount_percentage = pricing_rule.discount_percentage + + return item_details + +def get_pricing_rules(args): + def _get_tree_conditions(parenttype, allow_blank=True): + field = frappe.scrub(parenttype) + condition = "" + if args.get(field): + lft, rgt = frappe.db.get_value(parenttype, args[field], ["lft", "rgt"]) + parent_groups = frappe.db.sql_list("""select name from `tab%s` + where lft<=%s and rgt>=%s""" % (parenttype, '%s', '%s'), (lft, rgt)) + + if parent_groups: + if allow_blank: parent_groups.append('') + condition = " ifnull("+field+", '') in ('" + "', '".join(parent_groups)+"')" + + return condition + + + conditions = "" + for field in ["company", "customer", "supplier", "supplier_type", "campaign", "sales_partner"]: + if args.get(field): + conditions += " and ifnull("+field+", '') in (%("+field+")s, '')" + else: + conditions += " and ifnull("+field+", '') = ''" + + for parenttype in ["Customer Group", "Territory"]: + group_condition = _get_tree_conditions(parenttype) + if group_condition: + conditions += " and " + group_condition + + conditions += " and ifnull(for_price_list, '') in (%(price_list)s, '')" + + if args.get("transaction_date"): + conditions += """ and %(transaction_date)s between ifnull(valid_from, '2000-01-01') + and ifnull(valid_upto, '2500-12-31')""" + + return frappe.db.sql("""select * from `tabPricing Rule` + where (item_code=%(item_code)s or {item_group_condition} or brand=%(brand)s) + and docstatus < 2 and ifnull(disable, 0) = 0 + and ifnull({transaction_type}, 0) = 1 {conditions} + order by priority desc, name desc""".format( + item_group_condition=_get_tree_conditions("Item Group", False), + transaction_type=args.transaction_type, conditions=conditions), args, as_dict=1) + +def filter_pricing_rules(args, pricing_rules): + # filter for qty + if pricing_rules and args.get("qty"): + pricing_rules = filter(lambda x: (args.qty>=flt(x.min_qty) + and (args.qty<=x.max_qty if x.max_qty else True)), pricing_rules) + + # find pricing rule with highest priority + if pricing_rules: + max_priority = max([cint(p.priority) for p in pricing_rules]) + if max_priority: + pricing_rules = filter(lambda x: cint(x.priority)==max_priority, pricing_rules) + + # apply internal priority + all_fields = ["item_code", "item_group", "brand", "customer", "customer_group", "territory", + "supplier", "supplier_type", "campaign", "sales_partner"] + + if len(pricing_rules) > 1: + for field_set in [["item_code", "item_group", "brand"], + ["customer", "customer_group", "territory"], ["supplier", "supplier_type"]]: + remaining_fields = list(set(all_fields) - set(field_set)) + if if_all_rules_same(pricing_rules, remaining_fields): + pricing_rules = apply_internal_priority(pricing_rules, field_set, args) + break + + if len(pricing_rules) > 1: + price_or_discount = list(set([d.price_or_discount for d in pricing_rules])) + if len(price_or_discount) == 1 and price_or_discount[0] == "Discount Percentage": + pricing_rules = filter(lambda x: x.for_price_list==args.price_list, pricing_rules) \ + or pricing_rules + + if len(pricing_rules) > 1: + frappe.throw(_("Multiple Price Rule exists with same criteria, please resolve \ + conflict by assigning priority. Price Rules: {0}") + .format("\n".join([d.name for d in pricing_rules])), MultiplePricingRuleConflict) + elif pricing_rules: + return pricing_rules[0] + +def if_all_rules_same(pricing_rules, fields): + all_rules_same = True + val = [pricing_rules[0][k] for k in fields] + for p in pricing_rules[1:]: + if val != [p[k] for k in fields]: + all_rules_same = False + break + + return all_rules_same + +def apply_internal_priority(pricing_rules, field_set, args): + filtered_rules = [] + for field in field_set: + if args.get(field): + filtered_rules = filter(lambda x: x[field]==args[field], pricing_rules) + if filtered_rules: break + + return filtered_rules or pricing_rules diff --git a/erpnext/accounts/doctype/pricing_rule/test_pricing_rule.py b/erpnext/accounts/doctype/pricing_rule/test_pricing_rule.py index b17c995298..e8496d068b 100644 --- a/erpnext/accounts/doctype/pricing_rule/test_pricing_rule.py +++ b/erpnext/accounts/doctype/pricing_rule/test_pricing_rule.py @@ -17,6 +17,7 @@ class TestPricingRule(unittest.TestCase): "doctype": "Pricing Rule", "apply_on": "Item Code", "item_code": "_Test Item", + "selling": 1, "price_or_discount": "Discount Percentage", "price": 0, "discount_percentage": 10, @@ -29,13 +30,15 @@ class TestPricingRule(unittest.TestCase): "company": "_Test Company", "price_list": "_Test Price List", "currency": "_Test Currency", - "doctype": "Sales Order", + "parenttype": "Sales Order", "conversion_rate": 1, "price_list_currency": "_Test Currency", "plc_conversion_rate": 1, "order_type": "Sales", "transaction_type": "selling", "customer": "_Test Customer", + "doctype": "Sales Order Item", + "name": None }) details = get_item_details(args) self.assertEquals(details.get("discount_percentage"), 10) @@ -71,7 +74,7 @@ class TestPricingRule(unittest.TestCase): self.assertEquals(details.get("discount_percentage"), 5) frappe.db.sql("update `tabPricing Rule` set priority=NULL where campaign='_Test Campaign'") - from erpnext.stock.get_item_details import MultiplePricingRuleConflict + from erpnext.accounts.doctype.pricing_rule.pricing_rule import MultiplePricingRuleConflict self.assertRaises(MultiplePricingRuleConflict, get_item_details, args) args.item_code = "_Test Item 2" diff --git a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.json b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.json index 505a3ba79a..8eb3b0907e 100755 --- a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.json +++ b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.json @@ -231,6 +231,14 @@ "print_hide": 1, "read_only": 0 }, + { + "fieldname": "ignore_pricing_rule", + "fieldtype": "Check", + "label": "Ignore Pricing Rule", + "no_copy": 1, + "permlevel": 1, + "print_hide": 1 + }, { "fieldname": "items", "fieldtype": "Section Break", @@ -744,7 +752,7 @@ "icon": "icon-file-text", "idx": 1, "is_submittable": 1, - "modified": "2014-06-04 08:45:25.582170", + "modified": "2014-06-19 15:50:50.898237", "modified_by": "Administrator", "module": "Accounts", "name": "Purchase Invoice", @@ -823,6 +831,12 @@ "role": "Auditor", "submit": 0, "write": 0 + }, + { + "permlevel": 1, + "read": 1, + "role": "Accounts Manager", + "write": 1 } ], "read_only_onload": 1, diff --git a/erpnext/accounts/doctype/sales_invoice/sales_invoice.json b/erpnext/accounts/doctype/sales_invoice/sales_invoice.json index 983f2bb405..a07b69d09f 100644 --- a/erpnext/accounts/doctype/sales_invoice/sales_invoice.json +++ b/erpnext/accounts/doctype/sales_invoice/sales_invoice.json @@ -241,6 +241,14 @@ "read_only": 0, "reqd": 1 }, + { + "fieldname": "ignore_pricing_rule", + "fieldtype": "Check", + "label": "Ignore Pricing Rule", + "no_copy": 1, + "permlevel": 1, + "print_hide": 1 + }, { "fieldname": "items", "fieldtype": "Section Break", @@ -1180,7 +1188,7 @@ "icon": "icon-file-text", "idx": 1, "is_submittable": 1, - "modified": "2014-05-27 03:49:17.806077", + "modified": "2014-06-19 16:01:19.720382", "modified_by": "Administrator", "module": "Accounts", "name": "Sales Invoice", @@ -1225,6 +1233,12 @@ "read": 1, "report": 1, "role": "Customer" + }, + { + "permlevel": 1, + "read": 1, + "role": "Accounts Manager", + "write": 1 } ], "read_only_onload": 1, diff --git a/erpnext/buying/doctype/purchase_order/purchase_order.json b/erpnext/buying/doctype/purchase_order/purchase_order.json index d293683ef4..794c0415bd 100644 --- a/erpnext/buying/doctype/purchase_order/purchase_order.json +++ b/erpnext/buying/doctype/purchase_order/purchase_order.json @@ -197,6 +197,14 @@ "permlevel": 0, "print_hide": 1 }, + { + "fieldname": "ignore_pricing_rule", + "fieldtype": "Check", + "label": "Ignore Pricing Rule", + "no_copy": 1, + "permlevel": 1, + "print_hide": 1 + }, { "fieldname": "items", "fieldtype": "Section Break", @@ -636,7 +644,7 @@ "icon": "icon-file-text", "idx": 1, "is_submittable": 1, - "modified": "2014-05-27 03:49:15.948363", + "modified": "2014-06-19 15:58:06.375217", "modified_by": "Administrator", "module": "Buying", "name": "Purchase Order", @@ -696,6 +704,12 @@ "read": 1, "report": 1, "role": "Supplier" + }, + { + "permlevel": 1, + "read": 1, + "role": "Purchase Manager", + "write": 1 } ], "read_only_onload": 1, diff --git a/erpnext/buying/doctype/purchase_order/purchase_order.py b/erpnext/buying/doctype/purchase_order/purchase_order.py index 91cc865b7b..3a081249f3 100644 --- a/erpnext/buying/doctype/purchase_order/purchase_order.py +++ b/erpnext/buying/doctype/purchase_order/purchase_order.py @@ -187,12 +187,13 @@ class PurchaseOrder(BuyingController): def on_update(self): pass +def set_missing_values(source, target): + target.ignore_pricing_rule = 1 + target.run_method("set_missing_values") + target.run_method("calculate_taxes_and_totals") + @frappe.whitelist() def make_purchase_receipt(source_name, target_doc=None): - def set_missing_values(source, target): - target.run_method("set_missing_values") - target.run_method("calculate_taxes_and_totals") - def update_item(obj, target, source_parent): target.qty = flt(obj.qty) - flt(obj.received_qty) target.stock_qty = (flt(obj.qty) - flt(obj.received_qty)) * flt(obj.conversion_factor) @@ -226,10 +227,6 @@ def make_purchase_receipt(source_name, target_doc=None): @frappe.whitelist() def make_purchase_invoice(source_name, target_doc=None): - def set_missing_values(source, target): - target.run_method("set_missing_values") - target.run_method("calculate_taxes_and_totals") - def update_item(obj, target, source_parent): target.amount = flt(obj.amount) - flt(obj.billed_amt) target.base_amount = target.amount * flt(source_parent.conversion_rate) diff --git a/erpnext/buying/doctype/supplier_quotation/supplier_quotation.json b/erpnext/buying/doctype/supplier_quotation/supplier_quotation.json index 19b0283c50..c3c5bf4f39 100644 --- a/erpnext/buying/doctype/supplier_quotation/supplier_quotation.json +++ b/erpnext/buying/doctype/supplier_quotation/supplier_quotation.json @@ -196,6 +196,14 @@ "permlevel": 0, "print_hide": 1 }, + { + "fieldname": "ignore_pricing_rule", + "fieldtype": "Check", + "label": "Ignore Pricing Rule", + "no_copy": 1, + "permlevel": 1, + "print_hide": 1 + }, { "fieldname": "items", "fieldtype": "Section Break", @@ -562,7 +570,7 @@ "icon": "icon-shopping-cart", "idx": 1, "is_submittable": 1, - "modified": "2014-05-27 03:49:20.226683", + "modified": "2014-06-19 15:54:27.919675", "modified_by": "Administrator", "module": "Buying", "name": "Supplier Quotation", @@ -640,6 +648,12 @@ "role": "Supplier", "submit": 0, "write": 0 + }, + { + "permlevel": 1, + "read": 1, + "role": "Purchase Manager", + "write": 1 } ], "read_only_onload": 1, diff --git a/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py b/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py index 74a37b38d5..2af7bb93a6 100644 --- a/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +++ b/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py @@ -54,6 +54,7 @@ class SupplierQuotation(BuyingController): @frappe.whitelist() def make_purchase_order(source_name, target_doc=None): def set_missing_values(source, target): + target.ignore_pricing_rule = 1 target.run_method("set_missing_values") target.run_method("get_schedule_dates") target.run_method("calculate_taxes_and_totals") diff --git a/erpnext/controllers/accounts_controller.py b/erpnext/controllers/accounts_controller.py index 3af82903a6..847e09e73d 100644 --- a/erpnext/controllers/accounts_controller.py +++ b/erpnext/controllers/accounts_controller.py @@ -89,14 +89,14 @@ class AccountsController(TransactionBase): """set missing item values""" from erpnext.stock.get_item_details import get_item_details if hasattr(self, "fname"): - parent_dict = {"doctype": self.doctype} + parent_dict = {} for fieldname in self.meta.get_valid_columns(): parent_dict[fieldname] = self.get(fieldname) for item in self.get(self.fname): if item.get("item_code"): - args = item.as_dict() - args.update(parent_dict) + args = parent_dict.copy() + args.update(item.as_dict()) ret = get_item_details(args) for fieldname, value in ret.items(): diff --git a/erpnext/patches.txt b/erpnext/patches.txt index dd57c60b18..041bbd3cc0 100644 --- a/erpnext/patches.txt +++ b/erpnext/patches.txt @@ -62,3 +62,4 @@ erpnext.patches.v4_0.update_other_charges_in_custom_purchase_print_formats erpnext.patches.v4_0.create_price_list_if_missing execute:frappe.db.sql("update `tabItem` set end_of_life=null where end_of_life='0000-00-00'") #2014-06-16 erpnext.patches.v4_0.update_users_report_view_settings +erpnext.patches.v4_0.set_pricing_rule_for_buying_or_selling diff --git a/erpnext/patches/v4_0/set_pricing_rule_for_buying_or_selling.py b/erpnext/patches/v4_0/set_pricing_rule_for_buying_or_selling.py new file mode 100644 index 0000000000..218029d8ae --- /dev/null +++ b/erpnext/patches/v4_0/set_pricing_rule_for_buying_or_selling.py @@ -0,0 +1,12 @@ +# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors +# License: GNU General Public License v3. See license.txt + +from __future__ import unicode_literals +import frappe + +def execute(): + frappe.db.sql("""update `tabPricing Rule` set selling=1 where ifnull(applicable_for, '') in + ('', 'Customer', 'Customer Group', 'Territory', 'Sales Partner', 'Campaign')""") + + frappe.db.sql("""update `tabPricing Rule` set buying=1 where ifnull(applicable_for, '') in + ('', 'Supplier', 'Supplier Type')""") diff --git a/erpnext/public/js/transaction.js b/erpnext/public/js/transaction.js index 2c372042ea..ea576d5ae0 100644 --- a/erpnext/public/js/transaction.js +++ b/erpnext/public/js/transaction.js @@ -116,8 +116,8 @@ erpnext.TransactionController = erpnext.stock.StockController.extend({ barcode: item.barcode, serial_no: item.serial_no, warehouse: item.warehouse, - doctype: me.frm.doc.doctype, - docname: me.frm.doc.name, + parenttype: me.frm.doc.doctype, + parent: me.frm.doc.name, customer: me.frm.doc.customer, supplier: me.frm.doc.supplier, currency: me.frm.doc.currency, @@ -130,7 +130,10 @@ erpnext.TransactionController = erpnext.stock.StockController.extend({ order_type: me.frm.doc.order_type, is_pos: cint(me.frm.doc.is_pos), is_subcontracted: me.frm.doc.is_subcontracted, - transaction_date: me.frm.doc.transaction_date + transaction_date: me.frm.doc.transaction_date, + ignore_pricing_rule: me.frm.doc.ignore_pricing_rule, + doctype: item.doctype, + name: item.name } }, callback: function(r) { @@ -196,7 +199,7 @@ erpnext.TransactionController = erpnext.stock.StockController.extend({ } this.frm.script_manager.trigger("currency"); - this.apply_pricing_rule() + this.apply_pricing_rule(); } }, @@ -229,7 +232,12 @@ erpnext.TransactionController = erpnext.stock.StockController.extend({ this.frm.set_value("plc_conversion_rate", this.frm.doc.conversion_rate); } if(flt(this.frm.doc.conversion_rate)>0.0) { - this.apply_pricing_rule(); + if(this.frm.doc.ignore_pricing_rule) { + this.calculate_taxes_and_totals(); + } else { + this.apply_pricing_rule(); + } + } }, @@ -283,12 +291,11 @@ erpnext.TransactionController = erpnext.stock.StockController.extend({ } if(this.frm.doc.price_list_currency === this.frm.doc.currency) { this.frm.set_value("conversion_rate", this.frm.doc.plc_conversion_rate); - this.apply_pricing_rule(); } }, qty: function(doc, cdt, cdn) { - this.apply_pricing_rule(frappe.get_doc(cdt, cdn)); + this.apply_pricing_rule(frappe.get_doc(cdt, cdn), true); }, // tax rate @@ -331,51 +338,71 @@ erpnext.TransactionController = erpnext.stock.StockController.extend({ this.calculate_taxes_and_totals(); }, - apply_pricing_rule: function(item) { + ignore_pricing_rule: function() { + this.apply_pricing_rule(); + }, + + apply_pricing_rule: function(item, calculate_taxes_and_totals) { var me = this; - - var _apply_pricing_rule = function(item) { - return me.frm.call({ - method: "erpnext.stock.get_item_details.apply_pricing_rule", - child: item, - args: { - args: { - item_code: item.item_code, - item_group: item.item_group, - brand: item.brand, - qty: item.qty, - customer: me.frm.doc.customer, - customer_group: me.frm.doc.customer_group, - territory: me.frm.doc.territory, - supplier: me.frm.doc.supplier, - supplier_type: me.frm.doc.supplier_type, - currency: me.frm.doc.currency, - conversion_rate: me.frm.doc.conversion_rate, - price_list: me.frm.doc.selling_price_list || - me.frm.doc.buying_price_list, - plc_conversion_rate: me.frm.doc.plc_conversion_rate, - company: me.frm.doc.company, - transaction_date: me.frm.doc.transaction_date || me.frm.doc.posting_date, - campaign: me.frm.doc.campaign, - sales_partner: me.frm.doc.sales_partner - } - }, - callback: function(r) { - if(!r.exc) { - me.frm.script_manager.trigger("price_list_rate", item.doctype, item.name); - } + var item_list = this._get_item_list(item); + var args = { + "item_list": item_list, + "customer": me.frm.doc.customer, + "customer_group": me.frm.doc.customer_group, + "territory": me.frm.doc.territory, + "supplier": me.frm.doc.supplier, + "supplier_type": me.frm.doc.supplier_type, + "currency": me.frm.doc.currency, + "conversion_rate": me.frm.doc.conversion_rate, + "price_list": me.frm.doc.selling_price_list || me.frm.doc.buying_price_list, + "plc_conversion_rate": me.frm.doc.plc_conversion_rate, + "company": me.frm.doc.company, + "transaction_date": me.frm.doc.transaction_date || me.frm.doc.posting_date, + "campaign": me.frm.doc.campaign, + "sales_partner": me.frm.doc.sales_partner, + "ignore_pricing_rule": me.frm.doc.ignore_pricing_rule, + "parenttype": me.frm.doc.doctype, + "parent": me.frm.doc.name + }; + return this.frm.call({ + method: "erpnext.accounts.doctype.pricing_rule.pricing_rule.apply_pricing_rule", + args: { args: args }, + callback: function(r) { + if (!r.exc) { + $.each(r.message, function(i, d) { + $.each(d, function(k, v) { + if (["doctype", "name"].indexOf(k)===-1) { + frappe.model.set_value(d.doctype, d.name, k, v); + } + }); + }); + if(calculate_taxes_and_totals) me.calculate_taxes_and_totals(); } + } + }); + }, + + _get_item_list: function(item) { + var item_list = []; + var append_item = function(d) { + item_list.push({ + "doctype": d.doctype, + "name": d.name, + "item_code": d.item_code, + "item_group": d.item_group, + "brand": d.brand, + "qty": d.qty }); - } + }; - - if(item) { - _apply_pricing_rule(item); + if (item) { + append_item(item); } else { - $.each(this.get_item_doclist(), function(n, item) { - _apply_pricing_rule(item); + $.each(this.get_item_doclist(), function(i, d) { + append_item(d); }); } + return item_list; }, included_in_print_rate: function(doc, cdt, cdn) { diff --git a/erpnext/selling/doctype/quotation/quotation.json b/erpnext/selling/doctype/quotation/quotation.json index 02217386de..1ae0adb363 100644 --- a/erpnext/selling/doctype/quotation/quotation.json +++ b/erpnext/selling/doctype/quotation/quotation.json @@ -274,6 +274,14 @@ "read_only": 0, "reqd": 1 }, + { + "fieldname": "ignore_pricing_rule", + "fieldtype": "Check", + "label": "Ignore Pricing Rule", + "no_copy": 1, + "permlevel": 1, + "print_hide": 1 + }, { "fieldname": "items", "fieldtype": "Section Break", @@ -818,7 +826,7 @@ "idx": 1, "is_submittable": 1, "max_attachments": 1, - "modified": "2014-05-27 03:49:16.670976", + "modified": "2014-06-19 15:59:30.019826", "modified_by": "Administrator", "module": "Selling", "name": "Quotation", @@ -896,6 +904,12 @@ "role": "Maintenance User", "submit": 1, "write": 1 + }, + { + "permlevel": 1, + "read": 1, + "role": "Sales Manager", + "write": 1 } ], "read_only_onload": 1, diff --git a/erpnext/selling/doctype/quotation/quotation.py b/erpnext/selling/doctype/quotation/quotation.py index 62577db247..f396191a2d 100644 --- a/erpnext/selling/doctype/quotation/quotation.py +++ b/erpnext/selling/doctype/quotation/quotation.py @@ -102,7 +102,7 @@ def _make_sales_order(source_name, target_doc=None, ignore_permissions=False): if customer: target.customer = customer.name target.customer_name = customer.customer_name - + target.ignore_pricing_rule = 1 target.ignore_permissions = ignore_permissions target.run_method("set_missing_values") target.run_method("calculate_taxes_and_totals") diff --git a/erpnext/selling/doctype/sales_order/sales_order.json b/erpnext/selling/doctype/sales_order/sales_order.json index c8992271dc..a036370db5 100644 --- a/erpnext/selling/doctype/sales_order/sales_order.json +++ b/erpnext/selling/doctype/sales_order/sales_order.json @@ -285,6 +285,14 @@ "print_hide": 1, "reqd": 1 }, + { + "fieldname": "ignore_pricing_rule", + "fieldtype": "Check", + "label": "Ignore Pricing Rule", + "no_copy": 1, + "permlevel": 1, + "print_hide": 1 + }, { "fieldname": "items", "fieldtype": "Section Break", @@ -874,7 +882,7 @@ "idx": 1, "is_submittable": 1, "issingle": 0, - "modified": "2014-05-27 08:39:19.027965", + "modified": "2014-06-19 16:00:06.626037", "modified_by": "Administrator", "module": "Selling", "name": "Sales Order", @@ -953,6 +961,12 @@ "read": 1, "report": 1, "role": "Material User" + }, + { + "permlevel": 1, + "read": 1, + "role": "Sales Manager", + "write": 1 } ], "read_only_onload": 1, diff --git a/erpnext/selling/doctype/sales_order/sales_order.py b/erpnext/selling/doctype/sales_order/sales_order.py index 24da5773a3..c14612ba34 100644 --- a/erpnext/selling/doctype/sales_order/sales_order.py +++ b/erpnext/selling/doctype/sales_order/sales_order.py @@ -245,9 +245,6 @@ class SalesOrder(SellingController): def get_portal_page(self): return "order" if self.docstatus==1 else None -def set_missing_values(source, target): - target.run_method("set_missing_values") - target.run_method("calculate_taxes_and_totals") @frappe.whitelist() def make_material_request(source_name, target_doc=None): @@ -274,6 +271,11 @@ def make_material_request(source_name, target_doc=None): @frappe.whitelist() def make_delivery_note(source_name, target_doc=None): + def set_missing_values(source, target): + target.ignore_pricing_rule = 1 + target.run_method("set_missing_values") + target.run_method("calculate_taxes_and_totals") + def update_item(source, target, source_parent): target.base_amount = (flt(source.qty) - flt(source.delivered_qty)) * flt(source.base_rate) target.amount = (flt(source.qty) - flt(source.delivered_qty)) * flt(source.rate) @@ -312,6 +314,7 @@ def make_delivery_note(source_name, target_doc=None): def make_sales_invoice(source_name, target_doc=None): def set_missing_values(source, target): target.is_pos = 0 + target.ignore_pricing_rule = 1 target.run_method("set_missing_values") target.run_method("calculate_taxes_and_totals") diff --git a/erpnext/stock/doctype/delivery_note/delivery_note.json b/erpnext/stock/doctype/delivery_note/delivery_note.json index 9b13b10ec8..690fd055fa 100644 --- a/erpnext/stock/doctype/delivery_note/delivery_note.json +++ b/erpnext/stock/doctype/delivery_note/delivery_note.json @@ -275,6 +275,14 @@ "read_only": 0, "reqd": 1 }, + { + "fieldname": "ignore_pricing_rule", + "fieldtype": "Check", + "label": "Ignore Pricing Rule", + "no_copy": 1, + "permlevel": 1, + "print_hide": 1 + }, { "fieldname": "items", "fieldtype": "Section Break", @@ -999,7 +1007,7 @@ "idx": 1, "in_create": 0, "is_submittable": 1, - "modified": "2014-05-27 03:49:09.721622", + "modified": "2014-06-19 16:00:47.326127", "modified_by": "Administrator", "module": "Stock", "name": "Delivery Note", @@ -1073,6 +1081,12 @@ "read": 1, "report": 1, "role": "Customer" + }, + { + "permlevel": 1, + "read": 1, + "role": "Material Manager", + "write": 1 } ], "read_only_onload": 1, diff --git a/erpnext/stock/doctype/delivery_note/delivery_note.py b/erpnext/stock/doctype/delivery_note/delivery_note.py index bbc9f81ff4..4b147cc361 100644 --- a/erpnext/stock/doctype/delivery_note/delivery_note.py +++ b/erpnext/stock/doctype/delivery_note/delivery_note.py @@ -280,6 +280,7 @@ def make_sales_invoice(source_name, target_doc=None): def update_accounts(source, target): target.is_pos = 0 + target.ignore_pricing_rule = 1 target.run_method("set_missing_values") if len(target.get("entries")) == 0: diff --git a/erpnext/stock/doctype/item/test_item.py b/erpnext/stock/doctype/item/test_item.py index 506e5d016c..7ab93ebf4c 100644 --- a/erpnext/stock/doctype/item/test_item.py +++ b/erpnext/stock/doctype/item/test_item.py @@ -17,7 +17,7 @@ class TestItem(unittest.TestCase): item.is_stock_item = "Yes" item.default_warehouse = None self.assertRaises(WarehouseNotSet, item.insert) - + def test_get_item_details(self): from erpnext.stock.get_item_details import get_item_details to_check = { @@ -41,23 +41,23 @@ class TestItem(unittest.TestCase): "uom": "_Test UOM", "conversion_factor": 1.0, } - + make_test_records("Item Price") - + details = get_item_details({ "item_code": "_Test Item", "company": "_Test Company", "price_list": "_Test Price List", "currency": "_Test Currency", - "doctype": "Sales Order", + "parenttype": "Sales Order", "conversion_rate": 1, "price_list_currency": "_Test Currency", "plc_conversion_rate": 1, "order_type": "Sales", "transaction_type": "selling" }) - + for key, value in to_check.iteritems(): self.assertEquals(value, details.get(key)) -test_records = frappe.get_test_records('Item') \ No newline at end of file +test_records = frappe.get_test_records('Item') diff --git a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.json b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.json index e585bef754..ae748ce3fe 100755 --- a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.json +++ b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.json @@ -195,6 +195,14 @@ "permlevel": 0, "print_hide": 1 }, + { + "fieldname": "ignore_pricing_rule", + "fieldtype": "Check", + "label": "Ignore Pricing Rule", + "no_copy": 1, + "permlevel": 1, + "print_hide": 1 + }, { "fieldname": "items", "fieldtype": "Section Break", @@ -754,7 +762,7 @@ "icon": "icon-truck", "idx": 1, "is_submittable": 1, - "modified": "2014-05-27 03:49:16.302198", + "modified": "2014-06-19 15:58:37.932064", "modified_by": "Administrator", "module": "Stock", "name": "Purchase Receipt", @@ -821,6 +829,12 @@ "read": 1, "report": 1, "role": "Supplier" + }, + { + "permlevel": 1, + "read": 1, + "role": "Material Manager", + "write": 1 } ], "read_only_onload": 1, diff --git a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py index 13bb193f4b..71c07eba02 100644 --- a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +++ b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py @@ -287,6 +287,7 @@ def make_purchase_invoice(source_name, target_doc=None): frappe.throw(_("All items have already been invoiced")) doc = frappe.get_doc(target) + doc.ignore_pricing_rule = 1 doc.run_method("set_missing_values") doc.run_method("calculate_taxes_and_totals") diff --git a/erpnext/stock/get_item_details.py b/erpnext/stock/get_item_details.py index c5c1280fdb..fe320d153a 100644 --- a/erpnext/stock/get_item_details.py +++ b/erpnext/stock/get_item_details.py @@ -6,8 +6,7 @@ import frappe from frappe import _, throw from frappe.utils import flt, cint, add_days import json - -class MultiplePricingRuleConflict(frappe.ValidationError): pass +from erpnext.accounts.doctype.pricing_rule.pricing_rule import get_pricing_rule_for_item @frappe.whitelist() def get_item_details(args): @@ -20,14 +19,15 @@ def get_item_details(args): "selling_price_list": None, "price_list_currency": None, "plc_conversion_rate": 1.0, - "doctype": "", - "docname": "", + "parenttype": "", + "parent": "", "supplier": None, "transaction_date": None, "conversion_rate": 1.0, "buying_price_list": None, "is_subcontracted": "Yes" / "No", - "transaction_type": "selling" + "transaction_type": "selling", + "ignore_pricing_rule": 0/1 } """ @@ -37,7 +37,8 @@ def get_item_details(args): args = frappe._dict(args) if not args.get("transaction_type"): - if args.get("doctype")=="Material Request" or frappe.get_meta(args.get("doctype")).get_field("supplier"): + if args.get("parenttype")=="Material Request" or \ + frappe.get_meta(args.get("parenttype")).get_field("supplier"): args.transaction_type = "buying" else: args.transaction_type = "selling" @@ -73,9 +74,9 @@ def get_item_details(args): if args.get(key) is None: args[key] = value - out.update(apply_pricing_rule(args)) + out.update(get_pricing_rule_for_item(args)) - if args.get("doctype") in ("Sales Invoice", "Delivery Note"): + if args.get("parenttype") in ("Sales Invoice", "Delivery Note"): if item_doc.has_serial_no == "Yes" and not args.serial_no: out.serial_no = get_serial_nos_by_fifo(args, item_doc) @@ -113,7 +114,7 @@ def validate_item_details(args, item): elif item.is_sales_item != "Yes": throw(_("Item {0} must be a Sales Item").format(item.name)) - elif args.transaction_type == "buying" and args.doctype != "Material Request": + elif args.transaction_type == "buying" and args.parenttype != "Material Request": # validate if purchase item or subcontracted item if item.is_purchase_item != "Yes": throw(_("Item {0} must be a Purchase Item").format(item.name)) @@ -144,7 +145,7 @@ def get_basic_details(args, item_doc): "item_tax_rate": json.dumps(dict(([d.tax_type, d.tax_rate] for d in item_doc.get("item_tax")))), "uom": item.stock_uom, - "min_order_qty": flt(item.min_order_qty) if args.doctype == "Material Request" else "", + "min_order_qty": flt(item.min_order_qty) if args.parenttype == "Material Request" else "", "conversion_factor": 1.0, "qty": 1.0, "price_list_rate": 0.0, @@ -162,7 +163,7 @@ def get_basic_details(args, item_doc): return out def get_price_list_rate(args, item_doc, out): - meta = frappe.get_meta(args.doctype) + meta = frappe.get_meta(args.parenttype) if meta.get_field("currency"): validate_price_list(args) @@ -179,7 +180,7 @@ def get_price_list_rate(args, item_doc, out): if not out.price_list_rate and args.transaction_type == "buying": from erpnext.stock.doctype.item.item import get_last_purchase_details out.update(get_last_purchase_details(item_doc.name, - args.docname, args.conversion_rate)) + args.parent, args.conversion_rate)) def validate_price_list(args): if args.get("price_list"): @@ -248,142 +249,6 @@ def get_pos_settings(company): return pos_settings and pos_settings[0] or None -@frappe.whitelist() -def apply_pricing_rule(args): - if isinstance(args, basestring): - args = json.loads(args) - - args = frappe._dict(args) - out = frappe._dict() - if args.get("doctype") == "Material Request" or not args.get("item_code"): return out - - if not args.get("item_group") or not args.get("brand"): - args.item_group, args.brand = frappe.db.get_value("Item", - args.item_code, ["item_group", "brand"]) - - if args.get("customer") and (not args.get("customer_group") or not args.get("territory")): - args.customer_group, args.territory = frappe.db.get_value("Customer", - args.customer, ["customer_group", "territory"]) - - if args.get("supplier") and not args.get("supplier_type"): - args.supplier_type = frappe.db.get_value("Supplier", args.supplier, "supplier_type") - - pricing_rules = get_pricing_rules(args) - - pricing_rule = filter_pricing_rules(args, pricing_rules) - - if pricing_rule: - out.pricing_rule = pricing_rule.name - if pricing_rule.price_or_discount == "Price": - out.base_price_list_rate = pricing_rule.price - out.price_list_rate = pricing_rule.price*flt(args.plc_conversion_rate)/flt(args.conversion_rate) - out.base_rate = out.base_price_list_rate - out.rate = out.price_list_rate - out.discount_percentage = 0.0 - else: - out.discount_percentage = pricing_rule.discount_percentage - else: - out.pricing_rule = None - - return out - - -def get_pricing_rules(args): - def _get_tree_conditions(doctype, allow_blank=True): - field = frappe.scrub(doctype) - condition = "" - if args.get(field): - lft, rgt = frappe.db.get_value(doctype, args[field], ["lft", "rgt"]) - parent_groups = frappe.db.sql_list("""select name from `tab%s` - where lft<=%s and rgt>=%s""" % (doctype, '%s', '%s'), (lft, rgt)) - - if parent_groups: - if allow_blank: parent_groups.append('') - condition = " ifnull("+field+", '') in ('" + "', '".join(parent_groups)+"')" - - return condition - - - conditions = "" - for field in ["company", "customer", "supplier", "supplier_type", "campaign", "sales_partner"]: - if args.get(field): - conditions += " and ifnull("+field+", '') in (%("+field+")s, '')" - else: - conditions += " and ifnull("+field+", '') = ''" - - for doctype in ["Customer Group", "Territory"]: - group_condition = _get_tree_conditions(doctype) - if group_condition: - conditions += " and " + group_condition - - conditions += " and ifnull(for_price_list, '') in (%(price_list)s, '')" - - if args.get("transaction_date"): - conditions += """ and %(transaction_date)s between ifnull(valid_from, '2000-01-01') - and ifnull(valid_upto, '2500-12-31')""" - - return frappe.db.sql("""select * from `tabPricing Rule` - where (item_code=%(item_code)s or {item_group_condition} or brand=%(brand)s) - and docstatus < 2 and ifnull(disable, 0) = 0 {conditions} - order by priority desc, name desc""".format( - item_group_condition=_get_tree_conditions("Item Group", False), conditions=conditions), - args, as_dict=1) - -def filter_pricing_rules(args, pricing_rules): - # filter for qty - if pricing_rules and args.get("qty"): - pricing_rules = filter(lambda x: (args.qty>=flt(x.min_qty) - and (args.qty<=x.max_qty if x.max_qty else True)), pricing_rules) - - # find pricing rule with highest priority - if pricing_rules: - max_priority = max([cint(p.priority) for p in pricing_rules]) - if max_priority: - pricing_rules = filter(lambda x: cint(x.priority)==max_priority, pricing_rules) - - # apply internal priority - all_fields = ["item_code", "item_group", "brand", "customer", "customer_group", "territory", - "supplier", "supplier_type", "campaign", "sales_partner"] - - if len(pricing_rules) > 1: - for field_set in [["item_code", "item_group", "brand"], - ["customer", "customer_group", "territory"], ["supplier", "supplier_type"]]: - remaining_fields = list(set(all_fields) - set(field_set)) - if if_all_rules_same(pricing_rules, remaining_fields): - pricing_rules = apply_internal_priority(pricing_rules, field_set, args) - break - - if len(pricing_rules) > 1: - price_or_discount = list(set([d.price_or_discount for d in pricing_rules])) - if len(price_or_discount) == 1 and price_or_discount[0] == "Discount Percentage": - pricing_rules = filter(lambda x: x.for_price_list==args.price_list, pricing_rules) \ - or pricing_rules - - if len(pricing_rules) > 1: - frappe.throw(_("Multiple Price Rule exists with same criteria, please resolve \ - conflict by assigning priority. Price Rules: {0}") - .format("\n".join([d.name for d in pricing_rules])), MultiplePricingRuleConflict) - elif pricing_rules: - return pricing_rules[0] - -def if_all_rules_same(pricing_rules, fields): - all_rules_same = True - val = [pricing_rules[0][k] for k in fields] - for p in pricing_rules[1:]: - if val != [p[k] for k in fields]: - all_rules_same = False - break - - return all_rules_same - -def apply_internal_priority(pricing_rules, field_set, args): - filtered_rules = [] - for field in field_set: - if args.get(field): - filtered_rules = filter(lambda x: x[field]==args[field], pricing_rules) - if filtered_rules: break - - return filtered_rules or pricing_rules def get_serial_nos_by_fifo(args, item_doc): return "\n".join(frappe.db.sql_list("""select name from `tabSerial No` From be50c289f8ffcd36dfb8ba927e884d9d966f1ef0 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Fri, 20 Jun 2014 16:19:55 +0530 Subject: [PATCH 186/630] validate pricing rule discount with item max discount --- erpnext/accounts/doctype/pricing_rule/pricing_rule.py | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/erpnext/accounts/doctype/pricing_rule/pricing_rule.py b/erpnext/accounts/doctype/pricing_rule/pricing_rule.py index 5cf500a597..c86e3f61e5 100644 --- a/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +++ b/erpnext/accounts/doctype/pricing_rule/pricing_rule.py @@ -19,6 +19,7 @@ class PricingRule(Document): self.validate_min_max_qty() self.cleanup_fields_value() self.validate_price_or_discount() + self.validate_max_discount() def validate_mandatory(self): for field in ["apply_on", "applicable_for"]: @@ -61,6 +62,13 @@ class PricingRule(Document): if flt(self.get(frappe.scrub(field))) < 0: throw(_("{0} can not be negative").format(field)) + def validate_max_discount(self): + if self.price_or_discount == "Discount Percentage" and self.item_code: + max_discount = frappe.db.get_value("Item", self.item_code, "max_discount") + if flt(self.discount_percentage) > max_discount: + throw(_("Max discount allowed for item: {0} is {1}%".format(self.item_code, max_discount))) + + #-------------------------------------------------------------------------------- @frappe.whitelist() From 1d37698d4c1efb7e15c7a17bdf412105d5502b79 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Fri, 20 Jun 2014 16:30:44 +0530 Subject: [PATCH 187/630] Reload pricing rule in patch --- erpnext/patches/v4_0/set_pricing_rule_for_buying_or_selling.py | 1 + 1 file changed, 1 insertion(+) diff --git a/erpnext/patches/v4_0/set_pricing_rule_for_buying_or_selling.py b/erpnext/patches/v4_0/set_pricing_rule_for_buying_or_selling.py index 218029d8ae..8be846ff16 100644 --- a/erpnext/patches/v4_0/set_pricing_rule_for_buying_or_selling.py +++ b/erpnext/patches/v4_0/set_pricing_rule_for_buying_or_selling.py @@ -5,6 +5,7 @@ from __future__ import unicode_literals import frappe def execute(): + frappe.reload_doc("accounts", "doctype", "pricing_rule") frappe.db.sql("""update `tabPricing Rule` set selling=1 where ifnull(applicable_for, '') in ('', 'Customer', 'Customer Group', 'Territory', 'Sales Partner', 'Campaign')""") From 3c946b2a72d014f85f429f5f73b14c62ec692e2a Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Fri, 20 Jun 2014 19:07:44 +0530 Subject: [PATCH 188/630] validate pricing rule discount with item max discount --- erpnext/accounts/doctype/pricing_rule/pricing_rule.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/accounts/doctype/pricing_rule/pricing_rule.py b/erpnext/accounts/doctype/pricing_rule/pricing_rule.py index c86e3f61e5..77b52b18f8 100644 --- a/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +++ b/erpnext/accounts/doctype/pricing_rule/pricing_rule.py @@ -65,7 +65,7 @@ class PricingRule(Document): def validate_max_discount(self): if self.price_or_discount == "Discount Percentage" and self.item_code: max_discount = frappe.db.get_value("Item", self.item_code, "max_discount") - if flt(self.discount_percentage) > max_discount: + if max_discount and flt(self.discount_percentage) > flt(max_discount): throw(_("Max discount allowed for item: {0} is {1}%".format(self.item_code, max_discount))) From 56f6d017574235beb9ff4d4f140b3477e400964a Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Fri, 20 Jun 2014 19:37:53 +0530 Subject: [PATCH 189/630] Minor fixes --- .../doctype/pricing_rule/pricing_rule.json | 19 +++++++++---------- .../doctype/pricing_rule/pricing_rule.py | 13 +++++++------ 2 files changed, 16 insertions(+), 16 deletions(-) diff --git a/erpnext/accounts/doctype/pricing_rule/pricing_rule.json b/erpnext/accounts/doctype/pricing_rule/pricing_rule.json index e15cea83b8..2d318c6360 100644 --- a/erpnext/accounts/doctype/pricing_rule/pricing_rule.json +++ b/erpnext/accounts/doctype/pricing_rule/pricing_rule.json @@ -126,18 +126,18 @@ "options": "Supplier Type", "permlevel": 0 }, - { - "fieldname": "max_qty", - "fieldtype": "Float", - "label": "Max Qty", - "permlevel": 0 - }, { "fieldname": "min_qty", "fieldtype": "Float", "label": "Min Qty", "permlevel": 0 }, + { + "fieldname": "max_qty", + "fieldtype": "Float", + "label": "Max Qty", + "permlevel": 0 + }, { "fieldname": "col_break1", "fieldtype": "Column Break", @@ -235,7 +235,7 @@ "icon": "icon-gift", "idx": 1, "istable": 0, - "modified": "2014-06-19 15:00:09.962572", + "modified": "2014-06-20 19:36:22.502381", "modified_by": "Administrator", "module": "Accounts", "name": "Pricing Rule", @@ -244,8 +244,8 @@ { "create": 1, "delete": 1, - "export": 0, - "import": 0, + "export": 1, + "import": 1, "permlevel": 0, "read": 1, "report": 1, @@ -290,7 +290,6 @@ "permlevel": 0, "read": 1, "report": 1, - "restrict": 1, "role": "System Manager", "write": 1 } diff --git a/erpnext/accounts/doctype/pricing_rule/pricing_rule.py b/erpnext/accounts/doctype/pricing_rule/pricing_rule.py index 77b52b18f8..967d583aab 100644 --- a/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +++ b/erpnext/accounts/doctype/pricing_rule/pricing_rule.py @@ -66,7 +66,7 @@ class PricingRule(Document): if self.price_or_discount == "Discount Percentage" and self.item_code: max_discount = frappe.db.get_value("Item", self.item_code, "max_discount") if max_discount and flt(self.discount_percentage) > flt(max_discount): - throw(_("Max discount allowed for item: {0} is {1}%".format(self.item_code, max_discount))) + throw(_("Max discount allowed for item: {0} is {1}%").format(self.item_code, max_discount)) #-------------------------------------------------------------------------------- @@ -141,7 +141,8 @@ def get_pricing_rule_for_item(args): item_details.pricing_rule = pricing_rule.name if pricing_rule.price_or_discount == "Price": item_details.update({ - "price_list_rate": pricing_rule.price*flt(args.plc_conversion_rate)/flt(args.conversion_rate), + "price_list_rate": pricing_rule.price/flt(args.conversion_rate) \ + if args.conversion_rate else 0.0, "discount_percentage": 0.0 }) else: @@ -167,10 +168,10 @@ def get_pricing_rules(args): conditions = "" for field in ["company", "customer", "supplier", "supplier_type", "campaign", "sales_partner"]: - if args.get(field): - conditions += " and ifnull("+field+", '') in (%("+field+")s, '')" - else: - conditions += " and ifnull("+field+", '') = ''" + if args.get(field): + conditions += " and ifnull("+field+", '') in (%("+field+")s, '')" + else: + conditions += " and ifnull("+field+", '') = ''" for parenttype in ["Customer Group", "Territory"]: group_condition = _get_tree_conditions(parenttype) From f0a1735ac81d023703617fcfa38822841cba48af Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Fri, 20 Jun 2014 20:19:51 +0530 Subject: [PATCH 190/630] Naming Series property type as Text --- erpnext/setup/doctype/naming_series/naming_series.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/setup/doctype/naming_series/naming_series.py b/erpnext/setup/doctype/naming_series/naming_series.py index 100c8ba1cf..cb0d43780f 100644 --- a/erpnext/setup/doctype/naming_series/naming_series.py +++ b/erpnext/setup/doctype/naming_series/naming_series.py @@ -72,7 +72,7 @@ class NamingSeries(Document): 'field_name': 'naming_series', 'property': prop, 'value': prop_dict[prop], - 'property_type': 'Select', + 'property_type': 'Text', '__islocal': 1 }) ps.save() From 58ff651c6d1aca04aef1addb4b7d438ba34a687f Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Thu, 19 Jun 2014 14:43:54 +0530 Subject: [PATCH 191/630] fixes to bom.js --- erpnext/manufacturing/doctype/bom/bom.js | 41 ++++++++++++------------ 1 file changed, 21 insertions(+), 20 deletions(-) diff --git a/erpnext/manufacturing/doctype/bom/bom.js b/erpnext/manufacturing/doctype/bom/bom.js index 1cee6b9103..ef4f399bdc 100644 --- a/erpnext/manufacturing/doctype/bom/bom.js +++ b/erpnext/manufacturing/doctype/bom/bom.js @@ -2,6 +2,7 @@ // License: GNU General Public License v3. See license.txt // On REFRESH +frappe.provide("erpnext.bom"); cur_frm.cscript.refresh = function(doc,dt,dn){ cur_frm.toggle_enable("item", doc.__islocal); @@ -10,7 +11,7 @@ cur_frm.cscript.refresh = function(doc,dt,dn){ } cur_frm.cscript.with_operations(doc); - set_operation_no(doc); + erpnext.bom.set_operation_no(doc); } cur_frm.cscript.update_cost = function() { @@ -30,10 +31,10 @@ cur_frm.cscript.with_operations = function(doc) { cur_frm.cscript.operation_no = function(doc, cdt, cdn) { var child = locals[cdt][cdn]; - if(child.parentfield=="bom_operations") set_operation_no(doc); + if(child.parentfield=="bom_operations") erpnext.bom.set_operation_no(doc); } -var set_operation_no = function(doc) { +erpnext.bom.set_operation_no = function(doc) { var op_table = doc.bom_operations || []; var operations = []; @@ -53,7 +54,7 @@ var set_operation_no = function(doc) { } cur_frm.fields_dict["bom_operations"].grid.on_row_delete = function(cdt, cdn){ - set_operation_no(doc); + erpnext.bom.set_operation_no(doc); } cur_frm.add_fetch("item", "description", "description"); @@ -64,15 +65,15 @@ cur_frm.cscript.workstation = function(doc,dt,dn) { frappe.model.with_doc("Workstation", d.workstation, function(i, r) { d.hour_rate = r.docs[0].hour_rate; refresh_field("hour_rate", dn, "bom_operations"); - calculate_op_cost(doc); - calculate_total(doc); + erpnext.bom.calculate_op_cost(doc); + erpnext.bom.calculate_total(doc); }); } cur_frm.cscript.hour_rate = function(doc, dt, dn) { - calculate_op_cost(doc); - calculate_total(doc); + erpnext.bom.calculate_op_cost(doc); + erpnext.bom.calculate_total(doc); } @@ -106,8 +107,8 @@ var get_bom_material_detail= function(doc, cdt, cdn) { $.extend(d, r.message); refresh_field("bom_materials"); doc = locals[doc.doctype][doc.name]; - calculate_rm_cost(doc); - calculate_total(doc); + erpnext.bom.calculate_rm_cost(doc); + erpnext.bom.calculate_total(doc); }, freeze: true }); @@ -116,8 +117,8 @@ var get_bom_material_detail= function(doc, cdt, cdn) { cur_frm.cscript.qty = function(doc, cdt, cdn) { - calculate_rm_cost(doc); - calculate_total(doc); + erpnext.bom.calculate_rm_cost(doc); + erpnext.bom.calculate_total(doc); } cur_frm.cscript.rate = function(doc, cdt, cdn) { @@ -126,12 +127,12 @@ cur_frm.cscript.rate = function(doc, cdt, cdn) { msgprint(__("You can not change rate if BOM mentioned agianst any item")); get_bom_material_detail(doc, cdt, cdn); } else { - calculate_rm_cost(doc); - calculate_total(doc); + erpnext.bom.calculate_rm_cost(doc); + erpnext.bom.calculate_total(doc); } } -var calculate_op_cost = function(doc) { +erpnext.bom.calculate_op_cost = function(doc) { var op = doc.bom_operations || []; total_op_cost = 0; for(var i=0;i Date: Mon, 23 Jun 2014 12:20:12 +0530 Subject: [PATCH 192/630] fix end of life query for item --- erpnext/controllers/queries.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/controllers/queries.py b/erpnext/controllers/queries.py index 789e7a331a..0f1d5f6dab 100644 --- a/erpnext/controllers/queries.py +++ b/erpnext/controllers/queries.py @@ -141,7 +141,7 @@ def item_query(doctype, txt, searchfield, start, page_len, filters): concat(substr(tabItem.description, 1, 40), "..."), description) as decription from tabItem where tabItem.docstatus < 2 - and (tabItem.end_of_life is null or tabItem.end_of_life > %(today)s) + and (tabItem.end_of_life > %(today)s or ifnull(tabItem.end_of_life, '0000-00-00')='0000-00-00') and (tabItem.`{key}` LIKE %(txt)s or tabItem.item_name LIKE %(txt)s) {fcond} {mcond} From e84f8b23aaa509511415bcac0a2a7b01730eba9b Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Mon, 23 Jun 2014 10:03:23 +0530 Subject: [PATCH 193/630] minor fix in sales invoice --- erpnext/accounts/doctype/sales_invoice/sales_invoice.py | 6 +++--- erpnext/selling/doctype/sms_center/sms_center.py | 2 +- 2 files changed, 4 insertions(+), 4 deletions(-) diff --git a/erpnext/accounts/doctype/sales_invoice/sales_invoice.py b/erpnext/accounts/doctype/sales_invoice/sales_invoice.py index 0d8eb50f03..0f11af42c9 100644 --- a/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +++ b/erpnext/accounts/doctype/sales_invoice/sales_invoice.py @@ -263,10 +263,10 @@ class SalesInvoice(SellingController): for d in self.get('entries'): item = frappe.db.sql("""select name,is_asset_item,is_sales_item from `tabItem` where name = %s and (ifnull(end_of_life,'')='' or end_of_life > now())""", d.item_code) - acc = frappe.db.sql("""select account_type from `tabAccount` + acc = frappe.db.sql("""select account_type from `tabAccount` where name = %s and docstatus != 2""", d.income_account) - if item and item[0][1] == 'Yes' and not acc[0][0] == 'Fixed Asset': - msgprint(_("Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item").format(d.item_code), raise_exception=True) + if item and item[0][1] == 'Yes' and acc and acc[0][0] != 'Fixed Asset': + msgprint(_("Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item").format(acc[0][0], d.item_code), raise_exception=True) def validate_with_previous_doc(self): super(SalesInvoice, self).validate_with_previous_doc(self.tname, { diff --git a/erpnext/selling/doctype/sms_center/sms_center.py b/erpnext/selling/doctype/sms_center/sms_center.py index 81939546bf..8c4cad3207 100644 --- a/erpnext/selling/doctype/sms_center/sms_center.py +++ b/erpnext/selling/doctype/sms_center/sms_center.py @@ -12,7 +12,6 @@ from frappe.model.document import Document from erpnext.setup.doctype.sms_settings.sms_settings import send_sms class SMSCenter(Document): - def create_receiver_list(self): rec, where_clause = '', '' if self.send_to == 'All Customer Contact': @@ -71,6 +70,7 @@ class SMSCenter(Document): return receiver_nos def send_sms(self): + receiver_list = [] if not self.message: msgprint(_("Please enter message before sending")) else: From 36da171a3dbfeb632fab044e2996a7b9ff6babf8 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Mon, 23 Jun 2014 15:36:06 +0530 Subject: [PATCH 194/630] Set status button in serial no --- erpnext/stock/doctype/serial_no/serial_no.js | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/erpnext/stock/doctype/serial_no/serial_no.js b/erpnext/stock/doctype/serial_no/serial_no.js index bb131f35c1..f7c484b5f3 100644 --- a/erpnext/stock/doctype/serial_no/serial_no.js +++ b/erpnext/stock/doctype/serial_no/serial_no.js @@ -17,4 +17,12 @@ cur_frm.cscript.onload = function() { frappe.ui.form.on("Serial No", "refresh", function(frm) { frm.toggle_enable("item_code", frm.doc.__islocal); + + if(frm.doc.status == "Sales Returned" && frm.doc.warehouse) + cur_frm.add_custom_button(__('Set Status as Available'), cur_frm.cscript.set_status_as_available); }); + +cur_frm.cscript.set_status_as_available = function() { + cur_frm.set_value("status", "Available"); + cur_frm.save() +} From da490e3f5353be00b9deb384813b48952a8db3cc Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Mon, 23 Jun 2014 15:51:03 +0530 Subject: [PATCH 195/630] Set status button in serial no --- erpnext/stock/doctype/serial_no/serial_no.js | 10 ++++------ 1 file changed, 4 insertions(+), 6 deletions(-) diff --git a/erpnext/stock/doctype/serial_no/serial_no.js b/erpnext/stock/doctype/serial_no/serial_no.js index f7c484b5f3..dce9d4569c 100644 --- a/erpnext/stock/doctype/serial_no/serial_no.js +++ b/erpnext/stock/doctype/serial_no/serial_no.js @@ -19,10 +19,8 @@ frappe.ui.form.on("Serial No", "refresh", function(frm) { frm.toggle_enable("item_code", frm.doc.__islocal); if(frm.doc.status == "Sales Returned" && frm.doc.warehouse) - cur_frm.add_custom_button(__('Set Status as Available'), cur_frm.cscript.set_status_as_available); + cur_frm.add_custom_button(__('Set Status as Available'), function() { + cur_frm.set_value("status", "Available"); + cur_frm.save(); + }); }); - -cur_frm.cscript.set_status_as_available = function() { - cur_frm.set_value("status", "Available"); - cur_frm.save() -} From 16fa6472b3b2184db9e8551e19651f32c3b2838a Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Mon, 23 Jun 2014 16:42:11 +0530 Subject: [PATCH 196/630] Made warehouse and selling pricing list non-mandatory in pos setting --- erpnext/accounts/doctype/pos_setting/pos_setting.json | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/erpnext/accounts/doctype/pos_setting/pos_setting.json b/erpnext/accounts/doctype/pos_setting/pos_setting.json index 27d79f31df..d0a338c92a 100755 --- a/erpnext/accounts/doctype/pos_setting/pos_setting.json +++ b/erpnext/accounts/doctype/pos_setting/pos_setting.json @@ -62,7 +62,7 @@ "options": "Price List", "permlevel": 0, "read_only": 0, - "reqd": 1 + "reqd": 0 }, { "fieldname": "company", @@ -147,7 +147,7 @@ "options": "Warehouse", "permlevel": 0, "read_only": 0, - "reqd": 1 + "reqd": 0 }, { "fieldname": "cost_center", @@ -205,7 +205,7 @@ ], "icon": "icon-cog", "idx": 1, - "modified": "2014-05-27 03:49:14.735138", + "modified": "2014-06-23 16:40:59.510132", "modified_by": "Administrator", "module": "Accounts", "name": "POS Setting", From 83da92fdccba4c704cfc78f8f24cd85b5693de51 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Mon, 23 Jun 2014 18:04:07 +0530 Subject: [PATCH 197/630] Naming Series Property Setter Patch --- .../accounts/doctype/gl_entry/gl_entry.json | 367 ++++++++-------- .../period_closing_voucher.json | 5 +- .../purchase_order/purchase_order.json | 5 +- .../quality_inspection.json | 5 +- .../supplier_quotation.json | 5 +- erpnext/hr/doctype/appraisal/appraisal.json | 5 +- .../doctype/expense_claim/expense_claim.json | 5 +- .../leave_allocation/leave_allocation.json | 5 +- .../hr/doctype/salary_slip/salary_slip.json | 5 +- .../production_order/production_order.json | 405 +++++++++--------- erpnext/patches.txt | 1 + erpnext/patches/repair_tools/__init__.py | 0 ...ix_naming_series_records_lost_by_reload.py | 204 +++++++++ .../v4_0/set_naming_series_property_setter.py | 98 +++++ .../installation_note/installation_note.json | 5 +- .../doctype/opportunity/opportunity.json | 5 +- .../selling/doctype/quotation/quotation.json | 5 +- .../doctype/sales_order/sales_order.json | 5 +- .../doctype/delivery_note/delivery_note.json | 5 +- .../material_request/material_request.json | 5 +- .../purchase_receipt/purchase_receipt.json | 4 +- .../stock_ledger_entry.json | 8 +- .../customer_issue/customer_issue.json | 5 +- .../maintenance_visit/maintenance_visit.json | 5 +- 24 files changed, 746 insertions(+), 421 deletions(-) create mode 100644 erpnext/patches/repair_tools/__init__.py create mode 100644 erpnext/patches/repair_tools/fix_naming_series_records_lost_by_reload.py create mode 100644 erpnext/patches/v4_0/set_naming_series_property_setter.py diff --git a/erpnext/accounts/doctype/gl_entry/gl_entry.json b/erpnext/accounts/doctype/gl_entry/gl_entry.json index ce17278d82..07578e2761 100644 --- a/erpnext/accounts/doctype/gl_entry/gl_entry.json +++ b/erpnext/accounts/doctype/gl_entry/gl_entry.json @@ -1,226 +1,229 @@ { - "autoname": "GL.#######", - "creation": "2013-01-10 16:34:06", - "docstatus": 0, - "doctype": "DocType", + "autoname": "GL.#######", + "creation": "2013-01-10 16:34:06", + "docstatus": 0, + "doctype": "DocType", "fields": [ { - "fieldname": "posting_date", - "fieldtype": "Date", - "in_filter": 1, - "in_list_view": 1, - "label": "Posting Date", - "oldfieldname": "posting_date", - "oldfieldtype": "Date", - "permlevel": 0, + "fieldname": "posting_date", + "fieldtype": "Date", + "in_filter": 1, + "in_list_view": 1, + "label": "Posting Date", + "oldfieldname": "posting_date", + "oldfieldtype": "Date", + "permlevel": 0, "search_index": 1 - }, + }, { - "fieldname": "transaction_date", - "fieldtype": "Date", - "in_list_view": 1, - "label": "Transaction Date", - "oldfieldname": "transaction_date", - "oldfieldtype": "Date", + "fieldname": "transaction_date", + "fieldtype": "Date", + "in_list_view": 1, + "label": "Transaction Date", + "oldfieldname": "transaction_date", + "oldfieldtype": "Date", "permlevel": 0 - }, + }, { - "fieldname": "aging_date", - "fieldtype": "Date", - "in_filter": 1, - "in_list_view": 1, - "label": "Aging Date", - "oldfieldname": "aging_date", - "oldfieldtype": "Date", - "permlevel": 0, + "fieldname": "aging_date", + "fieldtype": "Date", + "in_filter": 1, + "in_list_view": 1, + "label": "Aging Date", + "oldfieldname": "aging_date", + "oldfieldtype": "Date", + "permlevel": 0, "search_index": 0 - }, + }, { - "fieldname": "account", - "fieldtype": "Link", - "in_filter": 1, - "in_list_view": 1, - "label": "Account", - "oldfieldname": "account", - "oldfieldtype": "Link", - "options": "Account", - "permlevel": 0, + "fieldname": "account", + "fieldtype": "Link", + "in_filter": 1, + "in_list_view": 1, + "label": "Account", + "oldfieldname": "account", + "oldfieldtype": "Link", + "options": "Account", + "permlevel": 0, "search_index": 1 - }, + }, { - "fieldname": "cost_center", - "fieldtype": "Link", - "in_filter": 1, - "in_list_view": 1, - "label": "Cost Center", - "oldfieldname": "cost_center", - "oldfieldtype": "Link", - "options": "Cost Center", - "permlevel": 0, + "fieldname": "cost_center", + "fieldtype": "Link", + "in_filter": 1, + "in_list_view": 1, + "label": "Cost Center", + "oldfieldname": "cost_center", + "oldfieldtype": "Link", + "options": "Cost Center", + "permlevel": 0, "search_index": 0 - }, + }, { - "fieldname": "debit", - "fieldtype": "Currency", - "label": "Debit Amt", - "oldfieldname": "debit", - "oldfieldtype": "Currency", - "options": "Company:company:default_currency", + "fieldname": "debit", + "fieldtype": "Currency", + "label": "Debit Amt", + "oldfieldname": "debit", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", "permlevel": 0 - }, + }, { - "fieldname": "credit", - "fieldtype": "Currency", - "label": "Credit Amt", - "oldfieldname": "credit", - "oldfieldtype": "Currency", - "options": "Company:company:default_currency", + "fieldname": "credit", + "fieldtype": "Currency", + "label": "Credit Amt", + "oldfieldname": "credit", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", "permlevel": 0 - }, + }, { - "fieldname": "against", - "fieldtype": "Text", - "in_filter": 1, - "label": "Against", - "oldfieldname": "against", - "oldfieldtype": "Text", + "fieldname": "against", + "fieldtype": "Text", + "in_filter": 1, + "label": "Against", + "oldfieldname": "against", + "oldfieldtype": "Text", "permlevel": 0 - }, + }, { - "fieldname": "against_voucher", - "fieldtype": "Data", - "in_filter": 1, - "label": "Against Voucher", - "oldfieldname": "against_voucher", - "oldfieldtype": "Data", - "permlevel": 0, + "fieldname": "against_voucher_type", + "fieldtype": "Link", + "in_filter": 0, + "label": "Against Voucher Type", + "oldfieldname": "against_voucher_type", + "oldfieldtype": "Data", + "options": "DocType", + "permlevel": 0, "search_index": 0 - }, + }, { - "fieldname": "against_voucher_type", - "fieldtype": "Data", - "in_filter": 0, - "label": "Against Voucher Type", - "oldfieldname": "against_voucher_type", - "oldfieldtype": "Data", - "permlevel": 0, + "fieldname": "against_voucher", + "fieldtype": "Dynamic Link", + "in_filter": 1, + "label": "Against Voucher", + "oldfieldname": "against_voucher", + "oldfieldtype": "Data", + "options": "against_voucher_type", + "permlevel": 0, "search_index": 0 - }, + }, { - "fieldname": "voucher_type", - "fieldtype": "Select", - "in_filter": 1, - "label": "Voucher Type", - "oldfieldname": "voucher_type", - "oldfieldtype": "Select", - "options": "Journal Voucher\nSales Invoice\nPurchase Invoice\nPeriod Closing Voucher\nPurchase Receipt\nDelivery Note\nStock Entry\nStock Reconciliation", - "permlevel": 0, + "fieldname": "voucher_type", + "fieldtype": "Link", + "in_filter": 1, + "label": "Voucher Type", + "oldfieldname": "voucher_type", + "oldfieldtype": "Select", + "options": "DocType", + "permlevel": 0, "search_index": 0 - }, + }, { - "fieldname": "voucher_no", - "fieldtype": "Data", - "in_filter": 1, - "label": "Voucher No", - "oldfieldname": "voucher_no", - "oldfieldtype": "Data", - "permlevel": 0, + "fieldname": "voucher_no", + "fieldtype": "Dynamic Link", + "in_filter": 1, + "label": "Voucher No", + "oldfieldname": "voucher_no", + "oldfieldtype": "Data", + "options": "voucher_type", + "permlevel": 0, "search_index": 1 - }, + }, { - "fieldname": "remarks", - "fieldtype": "Text", - "in_filter": 1, - "label": "Remarks", - "no_copy": 1, - "oldfieldname": "remarks", - "oldfieldtype": "Text", - "permlevel": 0, + "fieldname": "remarks", + "fieldtype": "Text", + "in_filter": 1, + "label": "Remarks", + "no_copy": 1, + "oldfieldname": "remarks", + "oldfieldtype": "Text", + "permlevel": 0, "search_index": 0 - }, + }, { - "fieldname": "is_opening", - "fieldtype": "Select", - "in_filter": 1, - "label": "Is Opening", - "oldfieldname": "is_opening", - "oldfieldtype": "Select", - "options": "No\nYes", - "permlevel": 0, + "fieldname": "is_opening", + "fieldtype": "Select", + "in_filter": 1, + "label": "Is Opening", + "oldfieldname": "is_opening", + "oldfieldtype": "Select", + "options": "No\nYes", + "permlevel": 0, "search_index": 0 - }, + }, { - "fieldname": "is_advance", - "fieldtype": "Select", - "in_filter": 0, - "label": "Is Advance", - "oldfieldname": "is_advance", - "oldfieldtype": "Select", - "options": "No\nYes", - "permlevel": 0, + "fieldname": "is_advance", + "fieldtype": "Select", + "in_filter": 0, + "label": "Is Advance", + "oldfieldname": "is_advance", + "oldfieldtype": "Select", + "options": "No\nYes", + "permlevel": 0, "search_index": 0 - }, + }, { - "fieldname": "fiscal_year", - "fieldtype": "Link", - "in_filter": 1, - "label": "Fiscal Year", - "oldfieldname": "fiscal_year", - "oldfieldtype": "Select", - "options": "Fiscal Year", - "permlevel": 0, + "fieldname": "fiscal_year", + "fieldtype": "Link", + "in_filter": 1, + "label": "Fiscal Year", + "oldfieldname": "fiscal_year", + "oldfieldtype": "Select", + "options": "Fiscal Year", + "permlevel": 0, "search_index": 0 - }, + }, { - "fieldname": "company", - "fieldtype": "Link", - "in_filter": 1, - "label": "Company", - "oldfieldname": "company", - "oldfieldtype": "Link", - "options": "Company", - "permlevel": 0, + "fieldname": "company", + "fieldtype": "Link", + "in_filter": 1, + "label": "Company", + "oldfieldname": "company", + "oldfieldtype": "Link", + "options": "Company", + "permlevel": 0, "search_index": 0 } - ], - "icon": "icon-list", - "idx": 1, - "in_create": 1, - "modified": "2014-06-19 01:51:29.340077", - "modified_by": "Administrator", - "module": "Accounts", - "name": "GL Entry", - "owner": "Administrator", + ], + "icon": "icon-list", + "idx": 1, + "in_create": 1, + "modified": "2014-06-23 08:07:30.678730", + "modified_by": "Administrator", + "module": "Accounts", + "name": "GL Entry", + "owner": "Administrator", "permissions": [ { - "amend": 0, - "apply_user_permissions": 1, - "create": 0, - "email": 1, - "export": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Accounts User", - "submit": 0, + "amend": 0, + "apply_user_permissions": 1, + "create": 0, + "email": 1, + "export": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Accounts User", + "submit": 0, "write": 0 - }, + }, { - "amend": 0, - "create": 0, - "email": 1, - "export": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Accounts Manager", - "submit": 0, + "amend": 0, + "create": 0, + "email": 1, + "export": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Accounts Manager", + "submit": 0, "write": 0 } - ], - "search_fields": "voucher_no,account,posting_date,against_voucher", - "sort_field": "modified", + ], + "search_fields": "voucher_no,account,posting_date,against_voucher", + "sort_field": "modified", "sort_order": "DESC" -} +} \ No newline at end of file diff --git a/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.json b/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.json index e1aa66ff11..c9e7dc2c3d 100644 --- a/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.json +++ b/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.json @@ -43,13 +43,14 @@ }, { "fieldname": "amended_from", - "fieldtype": "Data", + "fieldtype": "Link", "ignore_user_permissions": 1, "in_list_view": 1, "label": "Amended From", "no_copy": 1, "oldfieldname": "amended_from", "oldfieldtype": "Data", + "options": "Period Closing Voucher", "permlevel": 0, "read_only": 1 }, @@ -101,7 +102,7 @@ "icon": "icon-file-text", "idx": 1, "is_submittable": 1, - "modified": "2014-05-26 03:05:50.722547", + "modified": "2014-06-23 07:55:49.946225", "modified_by": "Administrator", "module": "Accounts", "name": "Period Closing Voucher", diff --git a/erpnext/buying/doctype/purchase_order/purchase_order.json b/erpnext/buying/doctype/purchase_order/purchase_order.json index 794c0415bd..14693c434f 100644 --- a/erpnext/buying/doctype/purchase_order/purchase_order.json +++ b/erpnext/buying/doctype/purchase_order/purchase_order.json @@ -104,13 +104,14 @@ }, { "fieldname": "amended_from", - "fieldtype": "Data", + "fieldtype": "Link", "hidden": 0, "ignore_user_permissions": 1, "label": "Amended From", "no_copy": 1, "oldfieldname": "amended_from", "oldfieldtype": "Data", + "options": "Purchase Order", "permlevel": 0, "print_hide": 1, "read_only": 1, @@ -644,7 +645,7 @@ "icon": "icon-file-text", "idx": 1, "is_submittable": 1, - "modified": "2014-06-19 15:58:06.375217", + "modified": "2014-06-23 07:55:50.372486", "modified_by": "Administrator", "module": "Buying", "name": "Purchase Order", diff --git a/erpnext/buying/doctype/quality_inspection/quality_inspection.json b/erpnext/buying/doctype/quality_inspection/quality_inspection.json index 4da6e63f36..3e05b319b6 100644 --- a/erpnext/buying/doctype/quality_inspection/quality_inspection.json +++ b/erpnext/buying/doctype/quality_inspection/quality_inspection.json @@ -168,12 +168,13 @@ }, { "fieldname": "amended_from", - "fieldtype": "Data", + "fieldtype": "Link", "ignore_user_permissions": 1, "label": "Amended From", "no_copy": 1, "oldfieldname": "amended_from", "oldfieldtype": "Data", + "options": "Quality Inspection", "permlevel": 0, "print_hide": 1, "read_only": 1 @@ -206,7 +207,7 @@ "icon": "icon-search", "idx": 1, "is_submittable": 1, - "modified": "2014-05-26 03:05:52.140251", + "modified": "2014-06-23 07:55:51.183113", "modified_by": "Administrator", "module": "Buying", "name": "Quality Inspection", diff --git a/erpnext/buying/doctype/supplier_quotation/supplier_quotation.json b/erpnext/buying/doctype/supplier_quotation/supplier_quotation.json index c3c5bf4f39..955aa6857c 100644 --- a/erpnext/buying/doctype/supplier_quotation/supplier_quotation.json +++ b/erpnext/buying/doctype/supplier_quotation/supplier_quotation.json @@ -104,13 +104,14 @@ }, { "fieldname": "amended_from", - "fieldtype": "Data", + "fieldtype": "Link", "hidden": 1, "ignore_user_permissions": 1, "label": "Amended From", "no_copy": 1, "oldfieldname": "amended_from", "oldfieldtype": "Data", + "options": "Supplier Quotation", "permlevel": 0, "print_hide": 1, "read_only": 1, @@ -570,7 +571,7 @@ "icon": "icon-shopping-cart", "idx": 1, "is_submittable": 1, - "modified": "2014-06-19 15:54:27.919675", + "modified": "2014-06-23 07:55:52.993616", "modified_by": "Administrator", "module": "Buying", "name": "Supplier Quotation", diff --git a/erpnext/hr/doctype/appraisal/appraisal.json b/erpnext/hr/doctype/appraisal/appraisal.json index 2fec94f1e0..beddeefdd9 100644 --- a/erpnext/hr/doctype/appraisal/appraisal.json +++ b/erpnext/hr/doctype/appraisal/appraisal.json @@ -179,13 +179,14 @@ }, { "fieldname": "amended_from", - "fieldtype": "Data", + "fieldtype": "Link", "hidden": 1, "ignore_user_permissions": 1, "label": "Amended From", "no_copy": 1, "oldfieldname": "amended_from", "oldfieldtype": "Data", + "options": "Appraisal", "permlevel": 0, "print_hide": 1, "read_only": 1, @@ -196,7 +197,7 @@ "icon": "icon-thumbs-up", "idx": 1, "is_submittable": 1, - "modified": "2014-05-27 03:49:07.393120", + "modified": "2014-06-23 07:55:40.801381", "modified_by": "Administrator", "module": "HR", "name": "Appraisal", diff --git a/erpnext/hr/doctype/expense_claim/expense_claim.json b/erpnext/hr/doctype/expense_claim/expense_claim.json index 4ebc30f362..c13710af3f 100644 --- a/erpnext/hr/doctype/expense_claim/expense_claim.json +++ b/erpnext/hr/doctype/expense_claim/expense_claim.json @@ -171,12 +171,13 @@ }, { "fieldname": "amended_from", - "fieldtype": "Data", + "fieldtype": "Link", "ignore_user_permissions": 1, "label": "Amended From", "no_copy": 1, "oldfieldname": "amended_from", "oldfieldtype": "Data", + "options": "Expense Claim", "permlevel": 0, "print_hide": 1, "read_only": 1, @@ -187,7 +188,7 @@ "icon": "icon-money", "idx": 1, "is_submittable": 1, - "modified": "2014-05-27 03:49:10.736177", + "modified": "2014-06-23 07:55:48.580747", "modified_by": "Administrator", "module": "HR", "name": "Expense Claim", diff --git a/erpnext/hr/doctype/leave_allocation/leave_allocation.json b/erpnext/hr/doctype/leave_allocation/leave_allocation.json index ca583a1e44..ede86f3c63 100644 --- a/erpnext/hr/doctype/leave_allocation/leave_allocation.json +++ b/erpnext/hr/doctype/leave_allocation/leave_allocation.json @@ -121,13 +121,14 @@ }, { "fieldname": "amended_from", - "fieldtype": "Data", + "fieldtype": "Link", "hidden": 0, "ignore_user_permissions": 1, "label": "Amended From", "no_copy": 1, "oldfieldname": "amended_from", "oldfieldtype": "Data", + "options": "Leave Allocation", "permlevel": 0, "print_hide": 1, "read_only": 1 @@ -136,7 +137,7 @@ "icon": "icon-ok", "idx": 1, "is_submittable": 1, - "modified": "2014-05-27 03:49:12.744348", + "modified": "2014-06-23 07:55:48.989894", "modified_by": "Administrator", "module": "HR", "name": "Leave Allocation", diff --git a/erpnext/hr/doctype/salary_slip/salary_slip.json b/erpnext/hr/doctype/salary_slip/salary_slip.json index 374d11e93b..5d2f028e9c 100644 --- a/erpnext/hr/doctype/salary_slip/salary_slip.json +++ b/erpnext/hr/doctype/salary_slip/salary_slip.json @@ -180,13 +180,14 @@ }, { "fieldname": "amended_from", - "fieldtype": "Data", + "fieldtype": "Link", "hidden": 0, "ignore_user_permissions": 1, "label": "Amended From", "no_copy": 1, "oldfieldname": "amended_from", "oldfieldtype": "Data", + "options": "Salary Slip", "permlevel": 0, "print_hide": 1, "report_hide": 0 @@ -325,7 +326,7 @@ "icon": "icon-file-text", "idx": 1, "is_submittable": 1, - "modified": "2014-05-27 03:49:17.213045", + "modified": "2014-06-23 07:55:52.259962", "modified_by": "Administrator", "module": "HR", "name": "Salary Slip", diff --git a/erpnext/manufacturing/doctype/production_order/production_order.json b/erpnext/manufacturing/doctype/production_order/production_order.json index 7e068cff74..f5e43b0144 100644 --- a/erpnext/manufacturing/doctype/production_order/production_order.json +++ b/erpnext/manufacturing/doctype/production_order/production_order.json @@ -1,256 +1,257 @@ { - "allow_import": 1, - "autoname": "naming_series:", - "creation": "2013-01-10 16:34:16", - "docstatus": 0, - "doctype": "DocType", + "allow_import": 1, + "autoname": "naming_series:", + "creation": "2013-01-10 16:34:16", + "docstatus": 0, + "doctype": "DocType", "fields": [ { - "fieldname": "item", - "fieldtype": "Section Break", - "label": "Item", - "options": "icon-gift", + "fieldname": "item", + "fieldtype": "Section Break", + "label": "Item", + "options": "icon-gift", "permlevel": 0 - }, + }, { - "default": "PRO-", - "fieldname": "naming_series", - "fieldtype": "Select", - "label": "Series", - "options": "PRO-", - "permlevel": 0, + "default": "PRO-", + "fieldname": "naming_series", + "fieldtype": "Select", + "label": "Series", + "options": "PRO-", + "permlevel": 0, "reqd": 1 - }, + }, { - "depends_on": "eval:!doc.__islocal", - "fieldname": "status", - "fieldtype": "Select", - "in_filter": 1, - "in_list_view": 1, - "label": "Status", - "no_copy": 1, - "oldfieldname": "status", - "oldfieldtype": "Select", - "options": "\nDraft\nSubmitted\nStopped\nIn Process\nCompleted\nCancelled", - "permlevel": 0, - "read_only": 1, - "reqd": 1, + "depends_on": "eval:!doc.__islocal", + "fieldname": "status", + "fieldtype": "Select", + "in_filter": 1, + "in_list_view": 1, + "label": "Status", + "no_copy": 1, + "oldfieldname": "status", + "oldfieldtype": "Select", + "options": "\nDraft\nSubmitted\nStopped\nIn Process\nCompleted\nCancelled", + "permlevel": 0, + "read_only": 1, + "reqd": 1, "search_index": 1 - }, + }, { - "fieldname": "production_item", - "fieldtype": "Link", - "in_filter": 1, - "in_list_view": 1, - "label": "Item To Manufacture", - "oldfieldname": "production_item", - "oldfieldtype": "Link", - "options": "Item", - "permlevel": 0, - "read_only": 0, + "fieldname": "production_item", + "fieldtype": "Link", + "in_filter": 1, + "in_list_view": 1, + "label": "Item To Manufacture", + "oldfieldname": "production_item", + "oldfieldtype": "Link", + "options": "Item", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "depends_on": "production_item", - "description": "Bill of Material to be considered for manufacturing", - "fieldname": "bom_no", - "fieldtype": "Link", - "in_list_view": 1, - "label": "BOM No", - "oldfieldname": "bom_no", - "oldfieldtype": "Link", - "options": "BOM", - "permlevel": 0, - "read_only": 0, + "depends_on": "production_item", + "description": "Bill of Material to be considered for manufacturing", + "fieldname": "bom_no", + "fieldtype": "Link", + "in_list_view": 1, + "label": "BOM No", + "oldfieldname": "bom_no", + "oldfieldtype": "Link", + "options": "BOM", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "default": "1", - "description": "If checked, BOM for sub-assembly items will be considered for getting raw materials. Otherwise, all sub-assembly items will be treated as a raw material.", - "fieldname": "use_multi_level_bom", - "fieldtype": "Check", - "label": "Use Multi-Level BOM", + "default": "1", + "description": "If checked, BOM for sub-assembly items will be considered for getting raw materials. Otherwise, all sub-assembly items will be treated as a raw material.", + "fieldname": "use_multi_level_bom", + "fieldtype": "Check", + "label": "Use Multi-Level BOM", "permlevel": 0 - }, + }, { - "fieldname": "column_break1", - "fieldtype": "Column Break", - "oldfieldtype": "Column Break", - "permlevel": 0, - "read_only": 0, + "fieldname": "column_break1", + "fieldtype": "Column Break", + "oldfieldtype": "Column Break", + "permlevel": 0, + "read_only": 0, "width": "50%" - }, + }, { - "description": "Manufacture against Sales Order", - "fieldname": "sales_order", - "fieldtype": "Link", - "label": "Sales Order", - "options": "Sales Order", - "permlevel": 0, + "description": "Manufacture against Sales Order", + "fieldname": "sales_order", + "fieldtype": "Link", + "label": "Sales Order", + "options": "Sales Order", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "production_item", - "fieldname": "qty", - "fieldtype": "Float", - "in_list_view": 1, - "label": "Qty To Manufacture", - "oldfieldname": "qty", - "oldfieldtype": "Currency", - "permlevel": 0, - "read_only": 0, + "depends_on": "production_item", + "fieldname": "qty", + "fieldtype": "Float", + "in_list_view": 1, + "label": "Qty To Manufacture", + "oldfieldname": "qty", + "oldfieldtype": "Currency", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "depends_on": "eval:doc.docstatus==1", - "description": "Automatically updated via Stock Entry of type Manufacture/Repack", - "fieldname": "produced_qty", - "fieldtype": "Float", - "label": "Manufactured Qty", - "no_copy": 1, - "oldfieldname": "produced_qty", - "oldfieldtype": "Currency", - "permlevel": 0, + "depends_on": "eval:doc.docstatus==1", + "description": "Automatically updated via Stock Entry of type Manufacture/Repack", + "fieldname": "produced_qty", + "fieldtype": "Float", + "label": "Manufactured Qty", + "no_copy": 1, + "oldfieldname": "produced_qty", + "oldfieldtype": "Currency", + "permlevel": 0, "read_only": 1 - }, + }, { - "depends_on": "sales_order", - "fieldname": "expected_delivery_date", - "fieldtype": "Date", - "label": "Expected Delivery Date", - "permlevel": 0, + "depends_on": "sales_order", + "fieldname": "expected_delivery_date", + "fieldtype": "Date", + "label": "Expected Delivery Date", + "permlevel": 0, "read_only": 1 - }, + }, { - "fieldname": "warehouses", - "fieldtype": "Section Break", - "label": "Warehouses", - "options": "icon-building", + "fieldname": "warehouses", + "fieldtype": "Section Break", + "label": "Warehouses", + "options": "icon-building", "permlevel": 0 - }, + }, { - "depends_on": "production_item", - "description": "Manufactured quantity will be updated in this warehouse", - "fieldname": "fg_warehouse", - "fieldtype": "Link", - "in_list_view": 0, - "label": "For Warehouse", - "options": "Warehouse", - "permlevel": 0, - "read_only": 0, + "depends_on": "production_item", + "description": "Manufactured quantity will be updated in this warehouse", + "fieldname": "fg_warehouse", + "fieldtype": "Link", + "in_list_view": 0, + "label": "For Warehouse", + "options": "Warehouse", + "permlevel": 0, + "read_only": 0, "reqd": 0 - }, + }, { - "fieldname": "column_break_12", - "fieldtype": "Column Break", + "fieldname": "column_break_12", + "fieldtype": "Column Break", "permlevel": 0 - }, + }, { - "fieldname": "wip_warehouse", - "fieldtype": "Link", - "label": "Work-in-Progress Warehouse", - "options": "Warehouse", - "permlevel": 0, + "fieldname": "wip_warehouse", + "fieldtype": "Link", + "label": "Work-in-Progress Warehouse", + "options": "Warehouse", + "permlevel": 0, "reqd": 0 - }, + }, { - "fieldname": "more_info", - "fieldtype": "Section Break", - "label": "More Info", - "options": "icon-file-text", - "permlevel": 0, + "fieldname": "more_info", + "fieldtype": "Section Break", + "label": "More Info", + "options": "icon-file-text", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "description", - "fieldtype": "Small Text", - "label": "Item Description", - "permlevel": 0, + "fieldname": "description", + "fieldtype": "Small Text", + "label": "Item Description", + "permlevel": 0, "read_only": 1 - }, + }, { - "fieldname": "project_name", - "fieldtype": "Link", - "in_filter": 1, - "label": "Project Name", - "oldfieldname": "project_name", - "oldfieldtype": "Link", - "options": "Project", - "permlevel": 0, + "fieldname": "project_name", + "fieldtype": "Link", + "in_filter": 1, + "label": "Project Name", + "oldfieldname": "project_name", + "oldfieldtype": "Link", + "options": "Project", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "column_break2", - "fieldtype": "Column Break", - "permlevel": 0, - "read_only": 0, + "fieldname": "column_break2", + "fieldtype": "Column Break", + "permlevel": 0, + "read_only": 0, "width": "50%" - }, + }, { - "depends_on": "production_item", - "fieldname": "stock_uom", - "fieldtype": "Link", - "label": "Stock UOM", - "oldfieldname": "stock_uom", - "oldfieldtype": "Data", - "options": "UOM", - "permlevel": 0, + "depends_on": "production_item", + "fieldname": "stock_uom", + "fieldtype": "Link", + "label": "Stock UOM", + "oldfieldname": "stock_uom", + "oldfieldtype": "Data", + "options": "UOM", + "permlevel": 0, "read_only": 1 - }, + }, { - "fieldname": "company", - "fieldtype": "Link", - "label": "Company", - "oldfieldname": "company", - "oldfieldtype": "Link", - "options": "Company", - "permlevel": 0, - "read_only": 0, + "fieldname": "company", + "fieldtype": "Link", + "label": "Company", + "oldfieldname": "company", + "oldfieldtype": "Link", + "options": "Company", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "fieldname": "amended_from", - "fieldtype": "Data", - "ignore_user_permissions": 1, - "label": "Amended From", - "no_copy": 1, - "oldfieldname": "amended_from", - "oldfieldtype": "Data", - "permlevel": 0, + "fieldname": "amended_from", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Amended From", + "no_copy": 1, + "oldfieldname": "amended_from", + "oldfieldtype": "Data", + "options": "Production Order", + "permlevel": 0, "read_only": 1 } - ], - "icon": "icon-cogs", - "idx": 1, - "in_create": 0, - "is_submittable": 1, - "modified": "2014-05-27 03:49:15.008942", - "modified_by": "Administrator", - "module": "Manufacturing", - "name": "Production Order", - "owner": "Administrator", + ], + "icon": "icon-cogs", + "idx": 1, + "in_create": 0, + "is_submittable": 1, + "modified": "2014-06-23 07:55:50.092300", + "modified_by": "Administrator", + "module": "Manufacturing", + "name": "Production Order", + "owner": "Administrator", "permissions": [ { - "amend": 1, - "apply_user_permissions": 1, - "cancel": 1, - "create": 1, - "delete": 1, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Manufacturing User", - "submit": 1, + "amend": 1, + "apply_user_permissions": 1, + "cancel": 1, + "create": 1, + "delete": 1, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Manufacturing User", + "submit": 1, "write": 1 - }, + }, { - "apply_user_permissions": 1, - "permlevel": 0, - "read": 1, - "report": 1, + "apply_user_permissions": 1, + "permlevel": 0, + "read": 1, + "report": 1, "role": "Material User" } ] -} +} \ No newline at end of file diff --git a/erpnext/patches.txt b/erpnext/patches.txt index 041bbd3cc0..d94dd53097 100644 --- a/erpnext/patches.txt +++ b/erpnext/patches.txt @@ -63,3 +63,4 @@ erpnext.patches.v4_0.create_price_list_if_missing execute:frappe.db.sql("update `tabItem` set end_of_life=null where end_of_life='0000-00-00'") #2014-06-16 erpnext.patches.v4_0.update_users_report_view_settings erpnext.patches.v4_0.set_pricing_rule_for_buying_or_selling +erpnext.patches.v4_0.set_naming_series_property_setter diff --git a/erpnext/patches/repair_tools/__init__.py b/erpnext/patches/repair_tools/__init__.py new file mode 100644 index 0000000000..e69de29bb2 diff --git a/erpnext/patches/repair_tools/fix_naming_series_records_lost_by_reload.py b/erpnext/patches/repair_tools/fix_naming_series_records_lost_by_reload.py new file mode 100644 index 0000000000..7fb54b3cc8 --- /dev/null +++ b/erpnext/patches/repair_tools/fix_naming_series_records_lost_by_reload.py @@ -0,0 +1,204 @@ +# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors +# License: GNU General Public License v3. See license.txt + +from __future__ import unicode_literals +import frappe +import json +from frappe.model.naming import make_autoname +from frappe.utils import cint +from frappe.utils.email_lib import sendmail_to_system_managers + +doctype_series_map = { + 'Attendance': 'ATT-', + 'C-Form': 'C-FORM-', + 'Customer': 'CUST-', + 'Customer Issue': 'CI-', + 'Delivery Note': 'DN-', + 'Installation Note': 'IN-', + 'Item': 'ITEM-', + 'Journal Voucher': 'JV-', + 'Lead': 'LEAD-', + 'Opportunity': 'OPTY-', + 'Packing Slip': 'PS-', + 'Production Order': 'PRO-', + 'Purchase Invoice': 'PINV-', + 'Purchase Order': 'PO-', + 'Purchase Receipt': 'PREC-', + 'Quality Inspection': 'QI-', + 'Quotation': 'QTN-', + 'Sales Invoice': 'SINV-', + 'Sales Order': 'SO-', + 'Stock Entry': 'STE-', + 'Supplier': 'SUPP-', + 'Supplier Quotation': 'SQTN-', + 'Support Ticket': 'SUP-' +} + +def check_docs_to_rename(): + if "erpnext" not in frappe.get_installed_apps(): + return + + docs_to_rename = get_docs_to_rename() + if docs_to_rename: + print "To Rename" + print json.dumps(docs_to_rename, indent=1, sort_keys=True) + + frappe.db.rollback() + +def check_gl_sl_entries_to_fix(): + if "erpnext" not in frappe.get_installed_apps(): + return + + gl_entries_to_fix = get_gl_entries_to_fix() + if gl_entries_to_fix: + print "General Ledger Entries to Fix" + print json.dumps(gl_entries_to_fix, indent=1, sort_keys=True) + + sl_entries_to_fix = get_sl_entries_to_fix() + if sl_entries_to_fix: + print "Stock Ledger Entries to Fix" + print json.dumps(sl_entries_to_fix, indent=1, sort_keys=True) + + frappe.db.rollback() + +def guess_reference_date(): + return (frappe.db.get_value("Patch Log", {"patch": "erpnext.patches.v4_0.validate_v3_patch"}, "creation") + or "2014-05-06") + +def get_docs_to_rename(): + reference_date = guess_reference_date() + + docs_to_rename = {} + for doctype, new_series in doctype_series_map.items(): + if doctype in ("Item", "Customer", "Lead", "Supplier"): + if not frappe.db.sql("""select name from `tab{doctype}` + where ifnull(naming_series, '')!='' + and name like concat(naming_series, '%%') limit 1""".format(doctype=doctype)): + continue + + # fix newly formed records using old series! + records_with_new_series = frappe.db.sql_list("""select name from `tab{doctype}` + where date(creation) >= date(%s) and naming_series=%s + and exists (select name from `tab{doctype}` where ifnull(naming_series, '') not in ('', %s) limit 1) + order by name asc""".format(doctype=doctype), (reference_date, new_series, new_series)) + + if records_with_new_series: + docs_to_rename[doctype] = records_with_new_series + + return docs_to_rename + +def get_gl_entries_to_fix(): + bad_gl_entries = {} + + for dt in frappe.db.sql_list("""select distinct voucher_type from `tabGL Entry` + where ifnull(voucher_type, '')!=''"""): + + if dt not in doctype_series_map: + continue + + out = frappe.db.sql("""select gl.name, gl.voucher_no from `tabGL Entry` gl + where ifnull(voucher_type, '')=%s and voucher_no like %s and + not exists (select name from `tab{voucher_type}` vt where vt.name=gl.voucher_no)""".format(voucher_type=dt), + (dt, doctype_series_map[dt] + "%%"), as_dict=True) + + if out: + bad_gl_entries.setdefault(dt, []).extend(out) + + for dt in frappe.db.sql_list("""select distinct against_voucher_type + from `tabGL Entry` where ifnull(against_voucher_type, '')!=''"""): + + if dt not in doctype_series_map: + continue + + out = frappe.db.sql("""select gl.name, gl.against_voucher from `tabGL Entry` gl + where ifnull(against_voucher_type, '')=%s and against_voucher like %s and + not exists (select name from `tab{against_voucher_type}` vt + where vt.name=gl.against_voucher)""".format(against_voucher_type=dt), + (dt, doctype_series_map[dt] + "%%"), as_dict=True) + + if out: + bad_gl_entries.setdefault(dt, []).extend(out) + + return bad_gl_entries + +def get_sl_entries_to_fix(): + bad_sl_entries = {} + + for dt in frappe.db.sql_list("""select distinct voucher_type from `tabStock Ledger Entry` + where ifnull(voucher_type, '')!=''"""): + + if dt not in doctype_series_map: + continue + + out = frappe.db.sql("""select sl.name, sl.voucher_no from `tabStock Ledger Entry` sl + where voucher_type=%s and voucher_no like %s and + not exists (select name from `tab{voucher_type}` vt where vt.name=sl.voucher_no)""".format(voucher_type=dt), + (dt, doctype_series_map[dt] + "%%"), as_dict=True) + if out: + bad_sl_entries.setdefault(dt, []).extend(out) + + return bad_sl_entries + +def add_comment(doctype, old_name, new_name): + frappe.get_doc({ + "doctype":"Comment", + "comment_by": frappe.session.user, + "comment_doctype": doctype, + "comment_docname": new_name, + "comment": """Renamed from **{old_name}** to {new_name}""".format(old_name=old_name, new_name=new_name) + }).insert(ignore_permissions=True) + +def _rename_doc(doctype, name, naming_series): + if frappe.get_meta(doctype).get_field("amended_from"): + amended_from = frappe.db.get_value(doctype, name, "amended_from") + else: + amended_from = None + + if amended_from: + am_id = 1 + am_prefix = amended_from + if frappe.db.get_value(doctype, amended_from, "amended_from"): + am_id = cint(amended_from.split('-')[-1]) + 1 + am_prefix = '-'.join(amended_from.split('-')[:-1]) # except the last hyphen + + fixed_name = am_prefix + '-' + str(am_id) + else: + fixed_name = make_autoname(naming_series+'.#####') + + frappe.db.set_value(doctype, name, "naming_series", naming_series) + frappe.rename_doc(doctype, name, fixed_name, force=True) + add_comment(doctype, name, fixed_name) + + return fixed_name + +def rename_docs(): + _log = [] + def log(msg): + _log.append(msg) + print msg + + commit = False + docs_to_rename = get_docs_to_rename() + for doctype, list_of_names in docs_to_rename.items(): + naming_series_field = frappe.get_meta(doctype).get_field("naming_series") + default_series = naming_series_field.default or filter(None, (naming_series_field.options or "").split("\n"))[0] + + print + print "Rename", doctype, list_of_names, "using series", default_series + confirm = raw_input("do it? (yes / anything else): ") + + if confirm == "yes": + commit = True + for name in list_of_names: + fixed_name = _rename_doc(doctype, name, default_series) + log("Renamed {doctype} {name} --> {fixed_name}".format(doctype=doctype, name=name, fixed_name=fixed_name)) + + if commit: + content = """These documents have been renamed in your ERPNext instance: {site}\n\n{_log}""".format(site=frappe.local.site, _log="\n".join(_log)) + + print content + + frappe.db.commit() + + sendmail_to_system_managers("[Important] [ERPNext] Renamed Documents via Patch", content) + diff --git a/erpnext/patches/v4_0/set_naming_series_property_setter.py b/erpnext/patches/v4_0/set_naming_series_property_setter.py new file mode 100644 index 0000000000..7161492cfa --- /dev/null +++ b/erpnext/patches/v4_0/set_naming_series_property_setter.py @@ -0,0 +1,98 @@ +# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors +# License: GNU General Public License v3. See license.txt + +from __future__ import unicode_literals + +import frappe +from frappe.core.doctype.property_setter.property_setter import make_property_setter + +doctype_series_map = { + 'Attendance': 'ATT-', + 'C-Form': 'C-FORM-', + 'Customer': 'CUST-', + 'Customer Issue': 'CI-', + 'Delivery Note': 'DN-', + 'Installation Note': 'IN-', + 'Item': 'ITEM-', + 'Journal Voucher': 'JV-', + 'Lead': 'LEAD-', + 'Opportunity': 'OPTY-', + 'Packing Slip': 'PS-', + 'Production Order': 'PRO-', + 'Purchase Invoice': 'PINV-', + 'Purchase Order': 'PO-', + 'Purchase Receipt': 'PREC-', + 'Quality Inspection': 'QI-', + 'Quotation': 'QTN-', + 'Sales Invoice': 'SINV-', + 'Sales Order': 'SO-', + 'Stock Entry': 'STE-', + 'Supplier': 'SUPP-', + 'Supplier Quotation': 'SQTN-', + 'Support Ticket': 'SUP-' +} + +def execute(): + series_to_set = get_series_to_set() + for doctype, opts in series_to_set.items(): + print "Setting naming series", doctype, opts + set_series(doctype, opts["options"], opts["default"]) + +def set_series(doctype, options, default): + make_property_setter(doctype, "naming_series", "options", options, "Text") + make_property_setter(doctype, "naming_series", "default", default, "Text") + +def get_series_to_set(): + series_to_set = {} + + for doctype, new_series in doctype_series_map.items(): + # you can't fix what does not exist :) + if not frappe.db.a_row_exists(doctype): + continue + + series_to_preserve = get_series_to_preserve(doctype, new_series) + + if not series_to_preserve: + continue + + default_series = get_default_series(doctype, new_series) + if not default_series: + continue + + existing_series = (frappe.get_meta(doctype).get_field("naming_series").options or "").split("\n") + existing_series = filter(None, [d.strip() for d in existing_series]) + + if (not (set(existing_series).difference(series_to_preserve) or set(series_to_preserve).difference(existing_series)) + and len(series_to_preserve)==len(existing_series)): + # print "No change for", doctype, ":", existing_series, "=", series_to_preserve + continue + + # set naming series property setter + series_to_preserve = list(set(series_to_preserve + existing_series)) + if new_series in series_to_preserve: + series_to_preserve.remove(new_series) + + if series_to_preserve: + series_to_set[doctype] = {"options": "\n".join(series_to_preserve), "default": default_series} + + return series_to_set + +def get_series_to_preserve(doctype, new_series): + series_to_preserve = frappe.db.sql_list("""select distinct naming_series from `tab{doctype}` + where ifnull(naming_series, '') not in ('', %s)""".format(doctype=doctype), new_series) + + series_to_preserve.sort() + + return series_to_preserve + +def get_default_series(doctype, new_series): + default_series = frappe.db.sql("""select naming_series from `tab{doctype}` where ifnull(naming_series, '') not in ('', %s) + and creation=(select max(creation) from `tab{doctype}` + where ifnull(naming_series, '') not in ('', %s)) order by creation desc limit 1""".format(doctype=doctype), + (new_series, new_series)) + + if not (default_series and default_series[0][0]): + print "[Skipping] Cannot guess which naming series to use for", doctype + return + + return default_series[0][0] diff --git a/erpnext/selling/doctype/installation_note/installation_note.json b/erpnext/selling/doctype/installation_note/installation_note.json index 859ff5f4ce..56df0615a3 100644 --- a/erpnext/selling/doctype/installation_note/installation_note.json +++ b/erpnext/selling/doctype/installation_note/installation_note.json @@ -195,12 +195,13 @@ }, { "fieldname": "amended_from", - "fieldtype": "Data", + "fieldtype": "Link", "ignore_user_permissions": 1, "label": "Amended From", "no_copy": 1, "oldfieldname": "amended_from", "oldfieldtype": "Data", + "options": "Installation Note", "permlevel": 0, "print_hide": 1, "read_only": 1 @@ -235,7 +236,7 @@ "icon": "icon-wrench", "idx": 1, "is_submittable": 1, - "modified": "2014-05-27 03:49:11.449598", + "modified": "2014-06-23 07:55:48.805241", "modified_by": "Administrator", "module": "Selling", "name": "Installation Note", diff --git a/erpnext/selling/doctype/opportunity/opportunity.json b/erpnext/selling/doctype/opportunity/opportunity.json index 249a0ff50c..be5f52b483 100644 --- a/erpnext/selling/doctype/opportunity/opportunity.json +++ b/erpnext/selling/doctype/opportunity/opportunity.json @@ -385,12 +385,13 @@ }, { "fieldname": "amended_from", - "fieldtype": "Data", + "fieldtype": "Link", "ignore_user_permissions": 1, "label": "Amended From", "no_copy": 1, "oldfieldname": "amended_from", "oldfieldtype": "Data", + "options": "Opportunity", "permlevel": 0, "print_hide": 1, "read_only": 1, @@ -409,7 +410,7 @@ "icon": "icon-info-sign", "idx": 1, "is_submittable": 1, - "modified": "2014-05-27 03:49:14.057062", + "modified": "2014-06-23 07:55:49.718301", "modified_by": "Administrator", "module": "Selling", "name": "Opportunity", diff --git a/erpnext/selling/doctype/quotation/quotation.json b/erpnext/selling/doctype/quotation/quotation.json index 1ae0adb363..bdd27c4cc7 100644 --- a/erpnext/selling/doctype/quotation/quotation.json +++ b/erpnext/selling/doctype/quotation/quotation.json @@ -139,12 +139,13 @@ }, { "fieldname": "amended_from", - "fieldtype": "Data", + "fieldtype": "Link", "ignore_user_permissions": 1, "label": "Amended From", "no_copy": 1, "oldfieldname": "amended_from", "oldfieldtype": "Data", + "options": "Quotation", "permlevel": 0, "print_hide": 1, "read_only": 1, @@ -826,7 +827,7 @@ "idx": 1, "is_submittable": 1, "max_attachments": 1, - "modified": "2014-06-19 15:59:30.019826", + "modified": "2014-06-23 07:55:51.859025", "modified_by": "Administrator", "module": "Selling", "name": "Quotation", diff --git a/erpnext/selling/doctype/sales_order/sales_order.json b/erpnext/selling/doctype/sales_order/sales_order.json index a036370db5..6c330e67e2 100644 --- a/erpnext/selling/doctype/sales_order/sales_order.json +++ b/erpnext/selling/doctype/sales_order/sales_order.json @@ -112,13 +112,14 @@ }, { "fieldname": "amended_from", - "fieldtype": "Data", + "fieldtype": "Link", "hidden": 1, "ignore_user_permissions": 1, "label": "Amended From", "no_copy": 1, "oldfieldname": "amended_from", "oldfieldtype": "Data", + "options": "Sales Order", "permlevel": 0, "print_hide": 1, "read_only": 1, @@ -882,7 +883,7 @@ "idx": 1, "is_submittable": 1, "issingle": 0, - "modified": "2014-06-19 16:00:06.626037", + "modified": "2014-06-23 07:55:52.555192", "modified_by": "Administrator", "module": "Selling", "name": "Sales Order", diff --git a/erpnext/stock/doctype/delivery_note/delivery_note.json b/erpnext/stock/doctype/delivery_note/delivery_note.json index 690fd055fa..f1dc5a390e 100644 --- a/erpnext/stock/doctype/delivery_note/delivery_note.json +++ b/erpnext/stock/doctype/delivery_note/delivery_note.json @@ -129,12 +129,13 @@ { "allow_on_submit": 0, "fieldname": "amended_from", - "fieldtype": "Data", + "fieldtype": "Link", "ignore_user_permissions": 1, "label": "Amended From", "no_copy": 1, "oldfieldname": "amended_from", "oldfieldtype": "Data", + "options": "Delivery Note", "permlevel": 0, "print_hide": 1, "print_width": "150px", @@ -1007,7 +1008,7 @@ "idx": 1, "in_create": 0, "is_submittable": 1, - "modified": "2014-06-19 16:00:47.326127", + "modified": "2014-06-23 07:55:47.859869", "modified_by": "Administrator", "module": "Stock", "name": "Delivery Note", diff --git a/erpnext/stock/doctype/material_request/material_request.json b/erpnext/stock/doctype/material_request/material_request.json index 8e8f75662a..0f066dab3b 100644 --- a/erpnext/stock/doctype/material_request/material_request.json +++ b/erpnext/stock/doctype/material_request/material_request.json @@ -41,12 +41,13 @@ }, { "fieldname": "amended_from", - "fieldtype": "Data", + "fieldtype": "Link", "ignore_user_permissions": 1, "label": "Amended From", "no_copy": 1, "oldfieldname": "amended_from", "oldfieldtype": "Data", + "options": "Material Request", "permlevel": 0, "print_hide": 1, "print_width": "150px", @@ -229,7 +230,7 @@ "icon": "icon-ticket", "idx": 1, "is_submittable": 1, - "modified": "2014-05-27 03:49:13.642995", + "modified": "2014-06-23 07:55:49.393708", "modified_by": "Administrator", "module": "Stock", "name": "Material Request", diff --git a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.json b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.json index ae748ce3fe..4ea3864258 100755 --- a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.json +++ b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.json @@ -524,7 +524,7 @@ }, { "fieldname": "amended_from", - "fieldtype": "Data", + "fieldtype": "Link", "hidden": 1, "ignore_user_permissions": 1, "label": "Amended From", @@ -762,7 +762,7 @@ "icon": "icon-truck", "idx": 1, "is_submittable": 1, - "modified": "2014-06-19 15:58:37.932064", + "modified": "2014-06-23 07:55:50.761516", "modified_by": "Administrator", "module": "Stock", "name": "Purchase Receipt", diff --git a/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.json b/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.json index cdddabedf2..f6bd010ba8 100644 --- a/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.json +++ b/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.json @@ -91,11 +91,12 @@ }, { "fieldname": "voucher_type", - "fieldtype": "Data", + "fieldtype": "Link", "in_filter": 1, "label": "Voucher Type", "oldfieldname": "voucher_type", "oldfieldtype": "Data", + "options": "DocType", "permlevel": 0, "print_width": "150px", "read_only": 1, @@ -104,11 +105,12 @@ }, { "fieldname": "voucher_no", - "fieldtype": "Data", + "fieldtype": "Dynamic Link", "in_filter": 1, "label": "Voucher No", "oldfieldname": "voucher_no", "oldfieldtype": "Data", + "options": "voucher_type", "permlevel": 0, "print_width": "150px", "read_only": 1, @@ -264,7 +266,7 @@ "icon": "icon-list", "idx": 1, "in_create": 1, - "modified": "2014-06-09 01:51:44.014466", + "modified": "2014-06-23 08:07:56.370276", "modified_by": "Administrator", "module": "Stock", "name": "Stock Ledger Entry", diff --git a/erpnext/support/doctype/customer_issue/customer_issue.json b/erpnext/support/doctype/customer_issue/customer_issue.json index 8230f9cc88..b755135b73 100644 --- a/erpnext/support/doctype/customer_issue/customer_issue.json +++ b/erpnext/support/doctype/customer_issue/customer_issue.json @@ -379,13 +379,14 @@ }, { "fieldname": "amended_from", - "fieldtype": "Data", + "fieldtype": "Link", "hidden": 1, "ignore_user_permissions": 1, "label": "Amended From", "no_copy": 1, "oldfieldname": "amended_from", "oldfieldtype": "Data", + "options": "Customer Issue", "permlevel": 0, "print_hide": 1, "width": "150px" @@ -394,7 +395,7 @@ "icon": "icon-bug", "idx": 1, "is_submittable": 0, - "modified": "2014-05-27 03:49:09.483145", + "modified": "2014-06-23 07:55:47.488335", "modified_by": "Administrator", "module": "Support", "name": "Customer Issue", diff --git a/erpnext/support/doctype/maintenance_visit/maintenance_visit.json b/erpnext/support/doctype/maintenance_visit/maintenance_visit.json index 4a13e40003..743d210861 100644 --- a/erpnext/support/doctype/maintenance_visit/maintenance_visit.json +++ b/erpnext/support/doctype/maintenance_visit/maintenance_visit.json @@ -190,12 +190,13 @@ }, { "fieldname": "amended_from", - "fieldtype": "Data", + "fieldtype": "Link", "ignore_user_permissions": 1, "label": "Amended From", "no_copy": 1, "oldfieldname": "amended_from", "oldfieldtype": "Data", + "options": "Maintenance Visit", "permlevel": 0, "print_hide": 1, "read_only": 1, @@ -278,7 +279,7 @@ "icon": "icon-file-text", "idx": 1, "is_submittable": 1, - "modified": "2014-05-27 03:49:13.466221", + "modified": "2014-06-23 07:55:49.200714", "modified_by": "Administrator", "module": "Support", "name": "Maintenance Visit", From 65efd0a9a10fcf393ba3827e6858cccb216ff484 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Mon, 23 Jun 2014 18:21:37 +0530 Subject: [PATCH 198/630] sms sending issue fixed --- erpnext/setup/doctype/sms_settings/sms_settings.py | 10 ++++++++-- 1 file changed, 8 insertions(+), 2 deletions(-) diff --git a/erpnext/setup/doctype/sms_settings/sms_settings.py b/erpnext/setup/doctype/sms_settings/sms_settings.py index a9afacfe30..de1164118e 100644 --- a/erpnext/setup/doctype/sms_settings/sms_settings.py +++ b/erpnext/setup/doctype/sms_settings/sms_settings.py @@ -16,8 +16,7 @@ def validate_receiver_nos(receiver_list): validated_receiver_list = [] for d in receiver_list: # remove invalid character - invalid_char_list = [' ', '+', '-', '(', ')'] - for x in invalid_char_list: + for x in [' ', '+', '-', '(', ')']: d = d.replace(x, '') validated_receiver_list.append(d) @@ -48,6 +47,13 @@ def get_contact_number(contact_name, value, key): @frappe.whitelist() def send_sms(receiver_list, msg, sender_name = ''): + + import json + if isinstance(receiver_list, basestring): + receiver_list = json.loads(receiver_list) + if not isinstance(receiver_list, list): + receiver_list = [receiver_list] + receiver_list = validate_receiver_nos(receiver_list) arg = { From f62b75c731f9aa597a054ff0d2e6986795d3f5d9 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Tue, 24 Jun 2014 11:00:13 +0530 Subject: [PATCH 199/630] Fixes in pricing rule --- erpnext/accounts/doctype/pricing_rule/pricing_rule.py | 4 +++- 1 file changed, 3 insertions(+), 1 deletion(-) diff --git a/erpnext/accounts/doctype/pricing_rule/pricing_rule.py b/erpnext/accounts/doctype/pricing_rule/pricing_rule.py index 967d583aab..2d592d1f96 100644 --- a/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +++ b/erpnext/accounts/doctype/pricing_rule/pricing_rule.py @@ -6,6 +6,7 @@ from __future__ import unicode_literals import frappe import json +import copy from frappe import throw, _ from frappe.utils import flt, cint from frappe.model.document import Document @@ -106,8 +107,9 @@ def apply_pricing_rule(args): args.transaction_type = "buying" if frappe.get_meta(args.parenttype).get_field("supplier") \ else "selling" + args_copy = copy.deepcopy(args) + args_copy.pop("item_list") for item in args.get("item_list"): - args_copy = args.copy() args_copy.update(item) out.append(get_pricing_rule_for_item(args_copy)) From efd426650de0db4348aa8e84dc0ac575ecc4e80e Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Tue, 24 Jun 2014 11:11:08 +0530 Subject: [PATCH 200/630] Fixes in pricing rule --- erpnext/accounts/doctype/pricing_rule/pricing_rule.py | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/erpnext/accounts/doctype/pricing_rule/pricing_rule.py b/erpnext/accounts/doctype/pricing_rule/pricing_rule.py index 2d592d1f96..0474639377 100644 --- a/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +++ b/erpnext/accounts/doctype/pricing_rule/pricing_rule.py @@ -107,9 +107,9 @@ def apply_pricing_rule(args): args.transaction_type = "buying" if frappe.get_meta(args.parenttype).get_field("supplier") \ else "selling" - args_copy = copy.deepcopy(args) - args_copy.pop("item_list") for item in args.get("item_list"): + args_copy = copy.deepcopy(args) + args_copy.pop("item_list") args_copy.update(item) out.append(get_pricing_rule_for_item(args_copy)) From 613d784cfb6b92fbdefdd8d5ddea77ce01cf337f Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Tue, 24 Jun 2014 12:07:56 +0530 Subject: [PATCH 201/630] Fixes in pricing rule --- erpnext/accounts/doctype/pricing_rule/pricing_rule.py | 6 ++++-- 1 file changed, 4 insertions(+), 2 deletions(-) diff --git a/erpnext/accounts/doctype/pricing_rule/pricing_rule.py b/erpnext/accounts/doctype/pricing_rule/pricing_rule.py index 0474639377..2706603bc6 100644 --- a/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +++ b/erpnext/accounts/doctype/pricing_rule/pricing_rule.py @@ -107,9 +107,11 @@ def apply_pricing_rule(args): args.transaction_type = "buying" if frappe.get_meta(args.parenttype).get_field("supplier") \ else "selling" - for item in args.get("item_list"): + item_list = args.get("item_list") + args.pop("item_list") + + for item in item_list: args_copy = copy.deepcopy(args) - args_copy.pop("item_list") args_copy.update(item) out.append(get_pricing_rule_for_item(args_copy)) From fdf38dab6ffb5b48de646459b689ecf7f83a35f1 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Tue, 24 Jun 2014 12:42:36 +0530 Subject: [PATCH 202/630] stock entry incoming rate based on precision --- erpnext/stock/doctype/stock_entry/stock_entry.py | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.py b/erpnext/stock/doctype/stock_entry/stock_entry.py index 297542b50f..125a293586 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry.py +++ b/erpnext/stock/doctype/stock_entry/stock_entry.py @@ -220,8 +220,8 @@ class StockEntry(StockController): # get incoming rate if not d.bom_no: if not flt(d.incoming_rate) or d.s_warehouse or self.purpose == "Sales Return": - incoming_rate = self.get_incoming_rate(args) - if flt(incoming_rate) > 0: + incoming_rate = flt(self.get_incoming_rate(args), self.precision("incoming_rate", d)) + if incoming_rate > 0: d.incoming_rate = incoming_rate d.amount = flt(d.transfer_qty) * flt(d.incoming_rate) From 21efc93e5424c2505a2c2a5a3f59b964f4b6dc49 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Tue, 24 Jun 2014 12:44:49 +0530 Subject: [PATCH 203/630] Allowed renaming for project --- erpnext/projects/doctype/project/project.json | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/erpnext/projects/doctype/project/project.json b/erpnext/projects/doctype/project/project.json index 5489d33468..c894bb8b26 100644 --- a/erpnext/projects/doctype/project/project.json +++ b/erpnext/projects/doctype/project/project.json @@ -1,6 +1,7 @@ { "allow_attach": 1, "allow_import": 1, + "allow_rename": 1, "autoname": "field:project_name", "creation": "2013-03-07 11:55:07", "docstatus": 0, @@ -258,7 +259,7 @@ "icon": "icon-puzzle-piece", "idx": 1, "max_attachments": 4, - "modified": "2014-05-27 03:49:15.252736", + "modified": "2014-06-24 12:44:19.530707", "modified_by": "Administrator", "module": "Projects", "name": "Project", From a1be6021c4d13b1212dff74dc981a602951994fb Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Tue, 24 Jun 2014 15:26:40 +0530 Subject: [PATCH 204/630] Fix in pricing rule patch --- erpnext/patches/v4_0/customer_discount_to_pricing_rule.py | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/erpnext/patches/v4_0/customer_discount_to_pricing_rule.py b/erpnext/patches/v4_0/customer_discount_to_pricing_rule.py index fa35898df3..bd27174a0e 100644 --- a/erpnext/patches/v4_0/customer_discount_to_pricing_rule.py +++ b/erpnext/patches/v4_0/customer_discount_to_pricing_rule.py @@ -24,7 +24,8 @@ def execute(): "applicable_for": "Customer", "customer": d.parent, "price_or_discount": "Discount Percentage", - "discount_percentage": d.discount + "discount_percentage": d.discount, + "selling": 1 }).insert() frappe.db.auto_commit_on_many_writes = False From d0bf91d6399b891fc687e2aa858dacea14331a10 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Tue, 24 Jun 2014 16:19:16 +0530 Subject: [PATCH 205/630] Fixes for recurring invoice --- erpnext/accounts/doctype/sales_invoice/sales_invoice.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/accounts/doctype/sales_invoice/sales_invoice.py b/erpnext/accounts/doctype/sales_invoice/sales_invoice.py index 0f11af42c9..348543ee28 100644 --- a/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +++ b/erpnext/accounts/doctype/sales_invoice/sales_invoice.py @@ -732,7 +732,7 @@ def notify_errors(inv, customer, owner): frappe.sendmail(recipients + [frappe.db.get_value("User", owner, "email")], subject="[Urgent] Error while creating recurring invoice for %s" % inv, - message = frappe.get_template("template/emails/recurring_invoice_failed.html").render({ + message = frappe.get_template("templates/emails/recurring_invoice_failed.html").render({ "name": inv, "customer": customer })) From e9b95bbfe86919b9a0ca70fdc7e2c569a812a139 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Tue, 24 Jun 2014 16:35:00 +0530 Subject: [PATCH 206/630] Fixed address deletion issue --- .../doctype/contact_control/contact_control.js | 17 ++++------------- 1 file changed, 4 insertions(+), 13 deletions(-) diff --git a/erpnext/setup/doctype/contact_control/contact_control.js b/erpnext/setup/doctype/contact_control/contact_control.js index 6b6878ffd5..b053541683 100755 --- a/erpnext/setup/doctype/contact_control/contact_control.js +++ b/erpnext/setup/doctype/contact_control/contact_control.js @@ -139,19 +139,10 @@ cur_frm.cscript.delete_doc = function(doctype, name) { var go_ahead = confirm(__("Delete {0} {1}?", [doctype, name])); if (!go_ahead) return; - return frappe.call({ - method: 'frappe.model.delete_doc', - args: { - dt: doctype, - dn: name - }, - callback: function(r) { - //console.log(r); - if (!r.exc) { - // run the correct list - var list_name = doctype.toLowerCase() + '_list'; - cur_frm[list_name].run(); - } + frappe.model.delete_doc(doctype, name, function(r) { + if (!r.exc) { + var list_name = doctype.toLowerCase() + '_list'; + cur_frm[list_name].run(); } }); } From 0b15755441c09a316a7bc48d60c90f9381dca5dd Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Tue, 24 Jun 2014 17:02:45 +0530 Subject: [PATCH 207/630] Cost center-wise net profit in financial analytics report --- .../financial_analytics.js | 4 +- erpnext/selling/sales_common.js | 45 +++++++++---------- 2 files changed, 24 insertions(+), 25 deletions(-) diff --git a/erpnext/accounts/page/financial_analytics/financial_analytics.js b/erpnext/accounts/page/financial_analytics/financial_analytics.js index 4574390ce1..2da93813e9 100644 --- a/erpnext/accounts/page/financial_analytics/financial_analytics.js +++ b/erpnext/accounts/page/financial_analytics/financial_analytics.js @@ -232,7 +232,7 @@ erpnext.FinancialAnalytics = erpnext.AccountTreeGrid.extend({ indent: 0, opening: 0, checked: false, - report_type: me.pl_or_bs, + report_type: me.pl_or_bs=="Balance Sheet"? "Balance Sheet" : "Profit and Loss", }; me.item_by_name[net_profit.name] = net_profit; @@ -244,7 +244,7 @@ erpnext.FinancialAnalytics = erpnext.AccountTreeGrid.extend({ $.each(me.data, function(i, ac) { if(!ac.parent_account && me.apply_filter(ac, "company") && - ac.report_type==me.pl_or_bs) { + ac.report_type==net_profit.report_type) { $.each(me.columns, function(i, col) { if(col.formatter==me.currency_formatter && col.balance_type=="Dr") { var bal = net_profit[col.date+"_dr"] - diff --git a/erpnext/selling/sales_common.js b/erpnext/selling/sales_common.js index 63ffb36fb0..aba390e281 100644 --- a/erpnext/selling/sales_common.js +++ b/erpnext/selling/sales_common.js @@ -481,7 +481,27 @@ erpnext.selling.SellingController = erpnext.TransactionController.extend({ set_dynamic_labels: function() { this._super(); - set_sales_bom_help(this.frm.doc); + this.set_sales_bom_help(this.frm.doc); + }, + + set_sales_bom_help: function(doc) { + if(!cur_frm.fields_dict.packing_list) return; + if ((doc.packing_details || []).length) { + $(cur_frm.fields_dict.packing_list.row.wrapper).toggle(true); + + if (inList(['Delivery Note', 'Sales Invoice'], doc.doctype)) { + help_msg = "
" + + __("For 'Sales BOM' items, warehouse, serial no and batch no will be considered from the 'Packing List' table. If warehouse and batch no are same for all packing items for any 'Sales BOM' item, those values can be entered in the main item table, values will be copied to 'Packing List' table.")+ + "
"; + frappe.meta.get_docfield(doc.doctype, 'sales_bom_help', doc.name).options = help_msg; + } + } else { + $(cur_frm.fields_dict.packing_list.row.wrapper).toggle(false); + if (inList(['Delivery Note', 'Sales Invoice'], doc.doctype)) { + frappe.meta.get_docfield(doc.doctype, 'sales_bom_help', doc.name).options = ''; + } + } + refresh_field('sales_bom_help'); }, change_form_labels: function(company_currency) { @@ -574,26 +594,5 @@ erpnext.selling.SellingController = erpnext.TransactionController.extend({ var df = frappe.meta.get_docfield(fname[0], fname[1], me.frm.doc.name); if(df) df.label = label; }); - }, -}); - -// Help for Sales BOM items -var set_sales_bom_help = function(doc) { - if(!cur_frm.fields_dict.packing_list) return; - if ((doc.packing_details || []).length) { - $(cur_frm.fields_dict.packing_list.row.wrapper).toggle(true); - - if (inList(['Delivery Note', 'Sales Invoice'], doc.doctype)) { - help_msg = "
" + - __("For 'Sales BOM' items, warehouse, serial no and batch no will be considered from the 'Packing List' table. If warehouse and batch no are same for all packing items for any 'Sales BOM' item, those values can be entered in the main item table, values will be copied to 'Packing List' table.")+ - "
"; - frappe.meta.get_docfield(doc.doctype, 'sales_bom_help', doc.name).options = help_msg; - } - } else { - $(cur_frm.fields_dict.packing_list.row.wrapper).toggle(false); - if (inList(['Delivery Note', 'Sales Invoice'], doc.doctype)) { - frappe.meta.get_docfield(doc.doctype, 'sales_bom_help', doc.name).options = ''; - } } - refresh_field('sales_bom_help'); -} +}); From 60c48fee16a936a967500a4008484fd7804acf74 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Tue, 24 Jun 2014 17:34:52 +0530 Subject: [PATCH 208/630] minor fixes --- erpnext/selling/sales_common.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/selling/sales_common.js b/erpnext/selling/sales_common.js index aba390e281..2021490bb7 100644 --- a/erpnext/selling/sales_common.js +++ b/erpnext/selling/sales_common.js @@ -491,7 +491,7 @@ erpnext.selling.SellingController = erpnext.TransactionController.extend({ if (inList(['Delivery Note', 'Sales Invoice'], doc.doctype)) { help_msg = "
" + - __("For 'Sales BOM' items, warehouse, serial no and batch no will be considered from the 'Packing List' table. If warehouse and batch no are same for all packing items for any 'Sales BOM' item, those values can be entered in the main item table, values will be copied to 'Packing List' table.")+ + __("For 'Sales BOM' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Sales BOM' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.")+ "
"; frappe.meta.get_docfield(doc.doctype, 'sales_bom_help', doc.name).options = help_msg; } From faefeaa644dd400745950a95b97520b5245fb293 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Tue, 24 Jun 2014 18:53:04 +0530 Subject: [PATCH 209/630] Warehouse query filtered by company --- erpnext/controllers/queries.py | 1 + .../public/js/controllers/stock_controller.js | 37 +++++++++++++++++-- erpnext/public/js/queries.js | 6 +++ erpnext/public/js/transaction.js | 2 + 4 files changed, 43 insertions(+), 3 deletions(-) diff --git a/erpnext/controllers/queries.py b/erpnext/controllers/queries.py index 0f1d5f6dab..16d27d47fc 100644 --- a/erpnext/controllers/queries.py +++ b/erpnext/controllers/queries.py @@ -254,3 +254,4 @@ def get_account_list(doctype, txt, searchfield, start, page_len, filters): return frappe.widgets.reportview.execute("Account", filters = filter_list, fields = ["name", "parent_account"], limit_start=start, limit_page_length=page_len, as_list=True) + diff --git a/erpnext/public/js/controllers/stock_controller.js b/erpnext/public/js/controllers/stock_controller.js index e50b2af35f..97bcb6cf1c 100644 --- a/erpnext/public/js/controllers/stock_controller.js +++ b/erpnext/public/js/controllers/stock_controller.js @@ -4,6 +4,37 @@ frappe.provide("erpnext.stock"); erpnext.stock.StockController = frappe.ui.form.Controller.extend({ + onload: function() { + // warehouse query if company + if (this.frm.fields_dict.company) { + this.setup_warehouse_query(); + } + }, + + setup_warehouse_query: function() { + var me = this; + + var _set_warehouse_query = function(doctype, parentfield) { + var warehouse_link_fields = frappe.meta.get_docfields(doctype, me.frm.doc.name, + {"fieldtype": "Link", "options": "Warehouse"}); + $.each(warehouse_link_fields, function(i, df) { + me.frm.set_query(df.fieldname, parentfield, function() { + return erpnext.queries.warehouse(me.frm.doc); + }) + }); + }; + + _set_warehouse_query(me.frm.doc.doctype); + + // warehouse field in tables + var table_fields = frappe.meta.get_docfields(me.frm.doc.doctype, me.frm.doc.name, + {"fieldtype": "Table"}); + + $.each(table_fields, function(i, df) { + _set_warehouse_query(df.options, df.fieldname); + }); + }, + show_stock_ledger: function() { var me = this; if(this.frm.doc.docstatus===1) { @@ -17,12 +48,12 @@ erpnext.stock.StockController = frappe.ui.form.Controller.extend({ frappe.set_route("query-report", "Stock Ledger"); }, "icon-bar-chart"); } - + }, show_general_ledger: function() { var me = this; - if(this.frm.doc.docstatus===1 && cint(frappe.defaults.get_default("auto_accounting_for_stock"))) { + if(this.frm.doc.docstatus===1 && cint(frappe.defaults.get_default("auto_accounting_for_stock"))) { cur_frm.appframe.add_button(__('Accounting Ledger'), function() { frappe.route_options = { voucher_no: me.frm.doc.name, @@ -46,4 +77,4 @@ erpnext.stock.StockController = frappe.ui.form.Controller.extend({ } refresh_field(this.frm.cscript.fname); } -}); \ No newline at end of file +}); diff --git a/erpnext/public/js/queries.js b/erpnext/public/js/queries.js index 1f404db39a..b57b765ad6 100644 --- a/erpnext/public/js/queries.js +++ b/erpnext/public/js/queries.js @@ -67,5 +67,11 @@ $.extend(erpnext.queries, { employee: function() { return { query: "erpnext.controllers.queries.employee_query" } + }, + + warehouse: function(doc) { + return { + filters: [["Warehouse", "company", "in", ["", doc.company]]] + } } }); diff --git a/erpnext/public/js/transaction.js b/erpnext/public/js/transaction.js index ea576d5ae0..a4b1abbb6a 100644 --- a/erpnext/public/js/transaction.js +++ b/erpnext/public/js/transaction.js @@ -7,6 +7,8 @@ frappe.require("assets/erpnext/js/controllers/stock_controller.js"); erpnext.TransactionController = erpnext.stock.StockController.extend({ onload: function() { var me = this; + this._super(); + if(this.frm.doc.__islocal) { var today = get_today(), currency = frappe.defaults.get_user_default("currency"); From 4864c9e96ad5caf92fc4f9df9f16249ad6fc3ed3 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Tue, 24 Jun 2014 18:53:17 +0530 Subject: [PATCH 210/630] Fixed gantt chart query for Task --- erpnext/projects/doctype/task/task.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/projects/doctype/task/task.py b/erpnext/projects/doctype/task/task.py index 7fbaa45138..6b0b237a40 100644 --- a/erpnext/projects/doctype/task/task.py +++ b/erpnext/projects/doctype/task/task.py @@ -52,7 +52,7 @@ def get_events(start, end, filters=None): frappe.msgprint(_("No Permission"), raise_exception=1) conditions = build_match_conditions("Task") - conditions and (" and " + conditions) or "" + conditions = conditions and (" and " + conditions) or "" if filters: filters = json.loads(filters) From 610a405c85c6edc10d57893a82a6936a170be3ee Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Wed, 25 Jun 2014 13:29:43 +0530 Subject: [PATCH 211/630] Fix in warehouse query --- erpnext/public/js/controllers/stock_controller.js | 11 ++++++++--- erpnext/stock/doctype/delivery_note/delivery_note.js | 7 ++++--- 2 files changed, 12 insertions(+), 6 deletions(-) diff --git a/erpnext/public/js/controllers/stock_controller.js b/erpnext/public/js/controllers/stock_controller.js index 97bcb6cf1c..1b472f1d34 100644 --- a/erpnext/public/js/controllers/stock_controller.js +++ b/erpnext/public/js/controllers/stock_controller.js @@ -13,14 +13,19 @@ erpnext.stock.StockController = frappe.ui.form.Controller.extend({ setup_warehouse_query: function() { var me = this; + var warehouse_query_method = function() { + return erpnext.queries.warehouse(me.frm.doc); + }; var _set_warehouse_query = function(doctype, parentfield) { var warehouse_link_fields = frappe.meta.get_docfields(doctype, me.frm.doc.name, {"fieldtype": "Link", "options": "Warehouse"}); $.each(warehouse_link_fields, function(i, df) { - me.frm.set_query(df.fieldname, parentfield, function() { - return erpnext.queries.warehouse(me.frm.doc); - }) + if(parentfield) { + me.frm.set_query(df.fieldname, parentfield, warehouse_query_method); + } else { + me.frm.set_query(df.fieldname, warehouse_query_method); + } }); }; diff --git a/erpnext/stock/doctype/delivery_note/delivery_note.js b/erpnext/stock/doctype/delivery_note/delivery_note.js index 10fe6503e6..d2e60eb0ac 100644 --- a/erpnext/stock/doctype/delivery_note/delivery_note.js +++ b/erpnext/stock/doctype/delivery_note/delivery_note.js @@ -12,6 +12,7 @@ cur_frm.cscript.sales_team_fname = "sales_team"; {% include 'accounts/doctype/sales_invoice/pos.js' %} frappe.provide("erpnext.stock"); +frappe.provide("erpnext.stock.delivery_note"); erpnext.stock.DeliveryNoteController = erpnext.selling.SellingController.extend({ refresh: function(doc, dt, dn) { this._super(); @@ -40,7 +41,7 @@ erpnext.stock.DeliveryNoteController = erpnext.selling.SellingController.extend( cur_frm.add_custom_button(__('Make Packing Slip'), cur_frm.cscript['Make Packing Slip']); } - set_print_hide(doc, dt, dn); + erpnext.stock.delivery_note.set_print_hide(doc, dt, dn); // unhide expense_account and cost_center is auto_accounting_for_stock enabled var aii_enabled = cint(sys_defaults.auto_accounting_for_stock) @@ -124,7 +125,7 @@ cur_frm.cscript['Make Packing Slip'] = function() { }) } -var set_print_hide= function(doc, cdt, cdn){ +erpnext.stock.delivery_note.set_print_hide = function(doc, cdt, cdn){ var dn_fields = frappe.meta.docfield_map['Delivery Note']; var dn_item_fields = frappe.meta.docfield_map['Delivery Note Item']; var dn_fields_copy = dn_fields; @@ -147,7 +148,7 @@ var set_print_hide= function(doc, cdt, cdn){ } cur_frm.cscript.print_without_amount = function(doc, cdt, cdn) { - set_print_hide(doc, cdt, cdn); + erpnext.stock.delivery_note.set_print_hide(doc, cdt, cdn); } From a740f750c7dc82531f578943cdafb753c3cb8d6f Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Wed, 25 Jun 2014 13:31:02 +0530 Subject: [PATCH 212/630] Stock Entry: Serial No Mandatory when purpose in Material Transfer, Sales Return, Purchase Return --- erpnext/controllers/accounts_controller.py | 3 +-- erpnext/controllers/stock_controller.py | 10 ++++++++++ erpnext/stock/doctype/stock_entry/stock_entry.py | 7 +++++++ 3 files changed, 18 insertions(+), 2 deletions(-) diff --git a/erpnext/controllers/accounts_controller.py b/erpnext/controllers/accounts_controller.py index 847e09e73d..aba7a88ae3 100644 --- a/erpnext/controllers/accounts_controller.py +++ b/erpnext/controllers/accounts_controller.py @@ -424,8 +424,7 @@ class AccountsController(TransactionBase): def get_stock_items(self): stock_items = [] - item_codes = list(set(item.item_code for item in - self.get(self.fname))) + item_codes = list(set(item.item_code for item in self.get(self.fname))) if item_codes: stock_items = [r[0] for r in frappe.db.sql("""select name from `tabItem` where name in (%s) and is_stock_item='Yes'""" % \ diff --git a/erpnext/controllers/stock_controller.py b/erpnext/controllers/stock_controller.py index d31034753c..83cec985ca 100644 --- a/erpnext/controllers/stock_controller.py +++ b/erpnext/controllers/stock_controller.py @@ -275,6 +275,16 @@ class StockController(AccountsController): and voucher_no=%s""", (self.doctype, self.name)): self.make_gl_entries() + def get_serialized_items(self): + serialized_items = [] + item_codes = list(set([d.item_code for d in self.get(self.fname)])) + if item_codes: + serialized_items = frappe.db.sql_list("""select name from `tabItem` + where has_serial_no='Yes' and name in ({})""".format(", ".join(["%s"]*len(item_codes))), + tuple(item_codes)) + + return serialized_items + def update_gl_entries_after(posting_date, posting_time, warehouse_account=None, for_items=None): def _delete_gl_entries(voucher_type, voucher_no): frappe.db.sql("""delete from `tabGL Entry` diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.py b/erpnext/stock/doctype/stock_entry/stock_entry.py index 125a293586..a7e007a5ce 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry.py +++ b/erpnext/stock/doctype/stock_entry/stock_entry.py @@ -77,6 +77,7 @@ class StockEntry(StockController): def validate_item(self): stock_items = self.get_stock_items() + serialized_items = self.get_serialized_items() for item in self.get("mtn_details"): if item.item_code not in stock_items: frappe.throw(_("{0} is not a stock Item").format(item.item_code)) @@ -88,6 +89,12 @@ class StockEntry(StockController): item.conversion_factor = 1 if not item.transfer_qty: item.transfer_qty = item.qty * item.conversion_factor + if (self.purpose in ("Material Transfer", "Sales Return", "Purchase Return") + and not item.serial_no + and item.item_code in serialized_items): + frappe.throw(_("Row #{0}: Please specify Serial No for Item {1}").format(item.idx, item.item_code), + frappe.MandatoryError) + def validate_warehouse(self, pro_obj): """perform various (sometimes conditional) validations on warehouse""" From 476d1fb33465214a5813ab5099685fee68e8ec0a Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Wed, 18 Jun 2014 09:04:09 +0530 Subject: [PATCH 213/630] Update sms_center.json changed total words to total characters --- erpnext/selling/doctype/sms_center/sms_center.json | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/erpnext/selling/doctype/sms_center/sms_center.json b/erpnext/selling/doctype/sms_center/sms_center.json index e7af1a8edf..8910a2d9b2 100644 --- a/erpnext/selling/doctype/sms_center/sms_center.json +++ b/erpnext/selling/doctype/sms_center/sms_center.json @@ -84,7 +84,7 @@ { "fieldname": "total_words", "fieldtype": "Int", - "label": "Total Words", + "label": "Total Characters", "permlevel": 0, "read_only": 1 }, @@ -109,7 +109,7 @@ "idx": 1, "in_create": 0, "issingle": 1, - "modified": "2014-05-09 02:16:41.375945", + "modified": "2014-05-09 02:17:41.375945", "modified_by": "Administrator", "module": "Selling", "name": "SMS Center", @@ -132,4 +132,4 @@ "read_only": 1, "sort_field": "modified", "sort_order": "DESC" -} \ No newline at end of file +} From 7c6c2e0ccf5f5d6d88e77649bb5e2be5f79eb802 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Tue, 17 Jun 2014 16:13:15 +0530 Subject: [PATCH 214/630] Do not make packing list after submission --- .../doctype/sales_order/sales_order.py | 1 - .../stock/doctype/packed_item/packed_item.py | 24 ++++++++++--------- 2 files changed, 13 insertions(+), 12 deletions(-) diff --git a/erpnext/selling/doctype/sales_order/sales_order.py b/erpnext/selling/doctype/sales_order/sales_order.py index 2b60dcd214..1b66c65dac 100644 --- a/erpnext/selling/doctype/sales_order/sales_order.py +++ b/erpnext/selling/doctype/sales_order/sales_order.py @@ -102,7 +102,6 @@ class SalesOrder(SellingController): self.validate_warehouse() from erpnext.stock.doctype.packed_item.packed_item import make_packing_list - make_packing_list(self,'sales_order_details') self.validate_with_previous_doc() diff --git a/erpnext/stock/doctype/packed_item/packed_item.py b/erpnext/stock/doctype/packed_item/packed_item.py index cf208ee87d..44c1a00cc9 100644 --- a/erpnext/stock/doctype/packed_item/packed_item.py +++ b/erpnext/stock/doctype/packed_item/packed_item.py @@ -12,18 +12,18 @@ from frappe.model.document import Document class PackedItem(Document): pass - + def get_sales_bom_items(item_code): - return frappe.db.sql("""select t1.item_code, t1.qty, t1.uom - from `tabSales BOM Item` t1, `tabSales BOM` t2 + return frappe.db.sql("""select t1.item_code, t1.qty, t1.uom + from `tabSales BOM Item` t1, `tabSales BOM` t2 where t2.new_item_code=%s and t1.parent = t2.name""", item_code, as_dict=1) def get_packing_item_details(item): - return frappe.db.sql("""select item_name, description, stock_uom from `tabItem` + return frappe.db.sql("""select item_name, description, stock_uom from `tabItem` where name = %s""", item, as_dict = 1)[0] def get_bin_qty(item, warehouse): - det = frappe.db.sql("""select actual_qty, projected_qty from `tabBin` + det = frappe.db.sql("""select actual_qty, projected_qty from `tabBin` where item_code = %s and warehouse = %s""", (item, warehouse), as_dict = 1) return det and det[0] or '' @@ -55,12 +55,15 @@ def update_packing_list_item(obj, packing_item_code, qty, warehouse, line, packi if not pi.batch_no: pi.batch_no = cstr(line.get("batch_no")) pi.idx = packing_list_idx - + packing_list_idx += 1 def make_packing_list(obj, item_table_fieldname): """make packing list for sales bom item""" + + if obj._action == "update_after_submit": return + packing_list_idx = 0 parent_items = [] for d in obj.get(item_table_fieldname): @@ -68,14 +71,14 @@ def make_packing_list(obj, item_table_fieldname): and d.warehouse or d.warehouse if frappe.db.get_value("Sales BOM", {"new_item_code": d.item_code}): for i in get_sales_bom_items(d.item_code): - update_packing_list_item(obj, i['item_code'], flt(i['qty'])*flt(d.qty), + update_packing_list_item(obj, i['item_code'], flt(i['qty'])*flt(d.qty), warehouse, d, packing_list_idx) if [d.item_code, d.name] not in parent_items: parent_items.append([d.item_code, d.name]) - + cleanup_packing_list(obj, parent_items) - + def cleanup_packing_list(obj, parent_items): """Remove all those child items which are no longer present in main item table""" delete_list = [] @@ -86,10 +89,9 @@ def cleanup_packing_list(obj, parent_items): if not delete_list: return obj - + packing_details = obj.get("packing_details") obj.set("packing_details", []) for d in packing_details: if d not in delete_list: obj.append("packing_details", d) - \ No newline at end of file From d5a4c871f2068db98bc3c74384138a333e2543c7 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Wed, 18 Jun 2014 09:02:21 +0530 Subject: [PATCH 215/630] Field renamed in sms center --- .../selling/doctype/sms_center/sms_center.js | 12 +- .../doctype/sms_center/sms_center.json | 200 +++++++++--------- 2 files changed, 106 insertions(+), 106 deletions(-) diff --git a/erpnext/selling/doctype/sms_center/sms_center.js b/erpnext/selling/doctype/sms_center/sms_center.js index 1c5b92b7ec..ec4d57d8be 100644 --- a/erpnext/selling/doctype/sms_center/sms_center.js +++ b/erpnext/selling/doctype/sms_center/sms_center.js @@ -3,15 +3,15 @@ $.extend(cur_frm.cscript, { message: function () { - var total_words = this.frm.doc.message.length; + var total_characters = this.frm.doc.message.length; var total_msg = 1; - if (total_words > 160) { - total_msg = cint(total_words / 160); - total_msg = (total_words % 160 == 0 ? total_msg : total_msg + 1); + if (total_characters > 160) { + total_msg = cint(total_characters / 160); + total_msg = (total_characters % 160 == 0 ? total_msg : total_msg + 1); } - this.frm.set_value("total_words", total_words); + this.frm.set_value("total_characters", total_characters); this.frm.set_value("total_messages", this.frm.doc.message ? total_msg : 0); } -}); \ No newline at end of file +}); diff --git a/erpnext/selling/doctype/sms_center/sms_center.json b/erpnext/selling/doctype/sms_center/sms_center.json index 8910a2d9b2..b6eb11c23a 100644 --- a/erpnext/selling/doctype/sms_center/sms_center.json +++ b/erpnext/selling/doctype/sms_center/sms_center.json @@ -1,135 +1,135 @@ { - "allow_attach": 0, - "allow_copy": 1, - "creation": "2013-01-10 16:34:22", - "docstatus": 0, - "doctype": "DocType", + "allow_attach": 0, + "allow_copy": 1, + "creation": "2013-01-10 16:34:22", + "docstatus": 0, + "doctype": "DocType", "fields": [ { - "fieldname": "column_break1", - "fieldtype": "Column Break", - "permlevel": 0, + "fieldname": "column_break1", + "fieldtype": "Column Break", + "permlevel": 0, "width": "50%" - }, + }, { - "fieldname": "send_to", - "fieldtype": "Select", - "in_list_view": 1, - "label": "Send To", - "options": "\nAll Contact\nAll Customer Contact\nAll Supplier Contact\nAll Sales Partner Contact\nAll Lead (Open)\nAll Employee (Active)\nAll Sales Person", + "fieldname": "send_to", + "fieldtype": "Select", + "in_list_view": 1, + "label": "Send To", + "options": "\nAll Contact\nAll Customer Contact\nAll Supplier Contact\nAll Sales Partner Contact\nAll Lead (Open)\nAll Employee (Active)\nAll Sales Person", "permlevel": 0 - }, + }, { - "depends_on": "eval:doc.send_to=='All Customer Contact'", - "fieldname": "customer", - "fieldtype": "Link", - "in_list_view": 1, - "label": "Customer", - "options": "Customer", + "depends_on": "eval:doc.send_to=='All Customer Contact'", + "fieldname": "customer", + "fieldtype": "Link", + "in_list_view": 1, + "label": "Customer", + "options": "Customer", "permlevel": 0 - }, + }, { - "depends_on": "eval:doc.send_to=='All Supplier Contact'", - "fieldname": "supplier", - "fieldtype": "Link", - "in_list_view": 1, - "label": "Supplier", - "options": "Supplier", + "depends_on": "eval:doc.send_to=='All Supplier Contact'", + "fieldname": "supplier", + "fieldtype": "Link", + "in_list_view": 1, + "label": "Supplier", + "options": "Supplier", "permlevel": 0 - }, + }, { - "depends_on": "eval:doc.send_to=='All Employee (Active)'", - "fieldname": "department", - "fieldtype": "Link", - "in_list_view": 1, - "label": "Department", - "options": "Department", + "depends_on": "eval:doc.send_to=='All Employee (Active)'", + "fieldname": "department", + "fieldtype": "Link", + "in_list_view": 1, + "label": "Department", + "options": "Department", "permlevel": 0 - }, + }, { - "depends_on": "eval:doc.send_to=='All Employee (Active)'", - "fieldname": "branch", - "fieldtype": "Link", - "label": "Branch", - "options": "Branch", + "depends_on": "eval:doc.send_to=='All Employee (Active)'", + "fieldname": "branch", + "fieldtype": "Link", + "label": "Branch", + "options": "Branch", "permlevel": 0 - }, + }, { - "fieldname": "create_receiver_list", - "fieldtype": "Button", - "label": "Create Receiver List", - "options": "create_receiver_list", + "fieldname": "create_receiver_list", + "fieldtype": "Button", + "label": "Create Receiver List", + "options": "create_receiver_list", "permlevel": 0 - }, + }, { - "fieldname": "receiver_list", - "fieldtype": "Code", - "label": "Receiver List", + "fieldname": "receiver_list", + "fieldtype": "Code", + "label": "Receiver List", "permlevel": 0 - }, + }, { - "fieldname": "column_break9", - "fieldtype": "Column Break", - "permlevel": 0, + "fieldname": "column_break9", + "fieldtype": "Column Break", + "permlevel": 0, "width": "50%" - }, + }, { - "description": "Messages greater than 160 characters will be split into multiple messages", - "fieldname": "message", - "fieldtype": "Text", - "label": "Message", - "permlevel": 0, + "description": "Messages greater than 160 characters will be split into multiple messages", + "fieldname": "message", + "fieldtype": "Text", + "label": "Message", + "permlevel": 0, "reqd": 1 - }, + }, { - "fieldname": "total_words", - "fieldtype": "Int", - "label": "Total Characters", - "permlevel": 0, + "fieldname": "total_characters", + "fieldtype": "Int", + "label": "Total Characters", + "permlevel": 0, "read_only": 1 - }, + }, { - "fieldname": "total_messages", - "fieldtype": "Int", - "label": "Total Message(s)", - "permlevel": 0, + "fieldname": "total_messages", + "fieldtype": "Int", + "label": "Total Message(s)", + "permlevel": 0, "read_only": 1 - }, + }, { - "fieldname": "send_sms", - "fieldtype": "Button", - "label": "Send SMS", - "options": "send_sms", + "fieldname": "send_sms", + "fieldtype": "Button", + "label": "Send SMS", + "options": "send_sms", "permlevel": 0 } - ], - "hide_heading": 0, - "hide_toolbar": 0, - "icon": "icon-mobile-phone", - "idx": 1, - "in_create": 0, - "issingle": 1, - "modified": "2014-05-09 02:17:41.375945", - "modified_by": "Administrator", - "module": "Selling", - "name": "SMS Center", - "owner": "Administrator", + ], + "hide_heading": 0, + "hide_toolbar": 0, + "icon": "icon-mobile-phone", + "idx": 1, + "in_create": 0, + "issingle": 1, + "modified": "2014-06-18 08:59:51.755566", + "modified_by": "Administrator", + "module": "Selling", + "name": "SMS Center", + "owner": "Administrator", "permissions": [ { - "cancel": 0, - "create": 1, - "delete": 0, - "export": 0, - "import": 0, - "permlevel": 0, - "read": 1, - "report": 0, - "role": "System Manager", - "submit": 0, + "cancel": 0, + "create": 1, + "delete": 0, + "export": 0, + "import": 0, + "permlevel": 0, + "read": 1, + "report": 0, + "role": "System Manager", + "submit": 0, "write": 1 } - ], - "read_only": 1, - "sort_field": "modified", + ], + "read_only": 1, + "sort_field": "modified", "sort_order": "DESC" } From cea571fc31a80f0bb94abe348fe40cd1d0413973 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Wed, 18 Jun 2014 09:42:27 +0530 Subject: [PATCH 216/630] Fixes in fetching valuation rate in stock entry --- erpnext/stock/doctype/stock_entry/stock_entry.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.py b/erpnext/stock/doctype/stock_entry/stock_entry.py index d8164f7e21..3df78c8def 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry.py +++ b/erpnext/stock/doctype/stock_entry/stock_entry.py @@ -221,7 +221,7 @@ class StockEntry(StockController): if not d.bom_no: if not flt(d.incoming_rate) or d.s_warehouse or self.purpose == "Sales Return": incoming_rate = self.get_incoming_rate(args) - if incoming_rate: + if flt(incoming_rate) > 0: d.incoming_rate = incoming_rate d.amount = flt(d.transfer_qty) * flt(d.incoming_rate) From 0c6177dd9a82191c204bb54d09acbf0c0034ebe7 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Wed, 18 Jun 2014 10:29:53 +0530 Subject: [PATCH 217/630] Patch: update users report view settings for rename fields --- erpnext/patches.txt | 1 + .../v4_0/update_users_report_view_settings.py | 12 ++++++++++++ 2 files changed, 13 insertions(+) create mode 100644 erpnext/patches/v4_0/update_users_report_view_settings.py diff --git a/erpnext/patches.txt b/erpnext/patches.txt index 761b63c9fd..dd57c60b18 100644 --- a/erpnext/patches.txt +++ b/erpnext/patches.txt @@ -61,3 +61,4 @@ erpnext.patches.v4_0.update_custom_print_formats_for_renamed_fields erpnext.patches.v4_0.update_other_charges_in_custom_purchase_print_formats erpnext.patches.v4_0.create_price_list_if_missing execute:frappe.db.sql("update `tabItem` set end_of_life=null where end_of_life='0000-00-00'") #2014-06-16 +erpnext.patches.v4_0.update_users_report_view_settings diff --git a/erpnext/patches/v4_0/update_users_report_view_settings.py b/erpnext/patches/v4_0/update_users_report_view_settings.py new file mode 100644 index 0000000000..8883dc26f5 --- /dev/null +++ b/erpnext/patches/v4_0/update_users_report_view_settings.py @@ -0,0 +1,12 @@ +# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors +# License: GNU General Public License v3. See license.txt + +from __future__ import unicode_literals + +from frappe.model import update_users_report_view_settings +from erpnext.patches.v4_0.fields_to_be_renamed import rename_map + +def execute(): + for dt, field_list in rename_map.items(): + for field in field_list: + update_users_report_view_settings(dt, field[0], field[1]) From 14920b447c77e595cd8714de76ad91bda64e8410 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Wed, 18 Jun 2014 12:14:17 +0530 Subject: [PATCH 218/630] Fixed Currency Exchange error --- erpnext/setup/doctype/currency/currency.py | 7 ++----- 1 file changed, 2 insertions(+), 5 deletions(-) diff --git a/erpnext/setup/doctype/currency/currency.py b/erpnext/setup/doctype/currency/currency.py index 5be618b80e..abfbe1930c 100644 --- a/erpnext/setup/doctype/currency/currency.py +++ b/erpnext/setup/doctype/currency/currency.py @@ -17,8 +17,5 @@ def validate_conversion_rate(currency, conversion_rate, conversion_rate_label, c company_currency = frappe.db.get_value("Company", company, "default_currency") if not conversion_rate: - throw(_('%(conversion_rate_label)s is mandatory. Maybe Currency Exchange record is not created for %(from_currency)s to %(to_currency)s') % { - "conversion_rate_label": conversion_rate_label, - "from_currency": currency, - "to_currency": company_currency - }) + throw(_("{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.").format( + conversion_rate_label, currency, company_currency)) From e3ac8dd5a8ac5afeb35a3e7da7a71d82997b835d Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Wed, 18 Jun 2014 12:48:46 +0530 Subject: [PATCH 219/630] Don't set default for warehouse when creating serial no --- erpnext/stock/doctype/serial_no/serial_no.py | 5 ++++- 1 file changed, 4 insertions(+), 1 deletion(-) diff --git a/erpnext/stock/doctype/serial_no/serial_no.py b/erpnext/stock/doctype/serial_no/serial_no.py index ff4d519cf9..fe4af21d78 100644 --- a/erpnext/stock/doctype/serial_no/serial_no.py +++ b/erpnext/stock/doctype/serial_no/serial_no.py @@ -278,13 +278,16 @@ def get_serial_nos(serial_no): def make_serial_no(serial_no, sle): sr = frappe.new_doc("Serial No") + sr.warehouse = None + sr.dont_update_if_missing.append("warehouse") sr.ignore_permissions = True + sr.serial_no = serial_no sr.item_code = sle.item_code - sr.warehouse = None sr.company = sle.company sr.via_stock_ledger = True sr.insert() + sr.warehouse = sle.warehouse sr.status = "Available" sr.save() From 457515fc08866f0de238ff3511cac0192624819c Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Wed, 18 Jun 2014 13:10:10 +0530 Subject: [PATCH 220/630] Stock Entry: get fg item incoming rate if bom is mentioned --- .../stock/doctype/stock_entry/stock_entry.py | 21 ++++++++++--------- 1 file changed, 11 insertions(+), 10 deletions(-) diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.py b/erpnext/stock/doctype/stock_entry/stock_entry.py index 3df78c8def..1dc624f21e 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry.py +++ b/erpnext/stock/doctype/stock_entry/stock_entry.py @@ -217,8 +217,8 @@ class StockEntry(StockController): Available Qty: {4}, Transfer Qty: {5}""").format(d.idx, d.s_warehouse, self.posting_date, self.posting_time, d.actual_qty, d.transfer_qty)) - # get incoming rate if not d.bom_no: + # set incoming rate if not flt(d.incoming_rate) or d.s_warehouse or self.purpose == "Sales Return": incoming_rate = self.get_incoming_rate(args) if flt(incoming_rate) > 0: @@ -227,15 +227,16 @@ class StockEntry(StockController): d.amount = flt(d.transfer_qty) * flt(d.incoming_rate) raw_material_cost += flt(d.amount) - # set incoming rate for fg item - if self.production_order and self.purpose == "Manufacture/Repack": - for d in self.get("mtn_details"): - if d.bom_no: - if not flt(d.incoming_rate): - bom = frappe.db.get_value("BOM", d.bom_no, ["operating_cost", "quantity"], as_dict=1) - operation_cost_per_unit = flt(bom.operating_cost) / flt(bom.quantity) - d.incoming_rate = operation_cost_per_unit + (raw_material_cost / flt(d.transfer_qty)) - d.amount = flt(d.transfer_qty) * flt(d.incoming_rate) + # bom no exists and purpose is Manufacture/Repack + elif self.purpose == "Manufacture/Repack": + + # set incoming rate for fg item + if not flt(d.incoming_rate): + bom = frappe.db.get_value("BOM", d.bom_no, ["operating_cost", "quantity"], as_dict=1) + operation_cost_per_unit = flt(bom.operating_cost) / flt(bom.quantity) + d.incoming_rate = operation_cost_per_unit + (raw_material_cost / flt(d.transfer_qty)) + + d.amount = flt(d.transfer_qty) * flt(d.incoming_rate) def get_incoming_rate(self, args): incoming_rate = 0 From be1d11f98d650a7ded89f6f204778b13d0847fd3 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Wed, 18 Jun 2014 13:35:37 +0530 Subject: [PATCH 221/630] Travis: Install frappe of targetted branch For example: If pull request is for wip-4.1 branch of erpnext, install frappe with branch as wip-4.1 --- .travis.yml | 10 +++++----- 1 file changed, 5 insertions(+), 5 deletions(-) diff --git a/.travis.yml b/.travis.yml index 59acb5c0e4..dba0dab6ec 100644 --- a/.travis.yml +++ b/.travis.yml @@ -14,9 +14,13 @@ install: - sudo apt-get update - sudo apt-get purge -y mysql-common - sudo apt-get install mariadb-server mariadb-common libmariadbclient-dev - - CFLAGS=-O0 pip install git+https://github.com/frappe/frappe.git@develop && + - CFLAGS=-O0 pip install git+https://github.com/frappe/frappe.git@$TRAVIS_BRANCH && - pip install --editable . +before_script: + - mysql -e 'create database test_frappe' + - echo "USE mysql;\nCREATE USER 'test_frappe'@'localhost' IDENTIFIED BY 'test_frappe';\nFLUSH PRIVILEGES;\n" | mysql -u root + script: - cd ./test_sites/ - frappe --use test_site @@ -25,7 +29,3 @@ script: - frappe -b - frappe --serve_test & - frappe --verbose --run_tests --app erpnext - -before_script: - - mysql -e 'create database test_frappe' - - echo "USE mysql;\nCREATE USER 'test_frappe'@'localhost' IDENTIFIED BY 'test_frappe';\nFLUSH PRIVILEGES;\n" | mysql -u root From a469954ef3807bb1f95c1e68adc01e94040d11f8 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Wed, 18 Jun 2014 14:05:08 +0530 Subject: [PATCH 222/630] Revert "Stock Entry: get fg item incoming rate if bom is mentioned" This reverts commit 297939325a49f51140971f99c5f240162b656f36. --- .../stock/doctype/stock_entry/stock_entry.py | 21 +++++++++---------- 1 file changed, 10 insertions(+), 11 deletions(-) diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.py b/erpnext/stock/doctype/stock_entry/stock_entry.py index 1dc624f21e..3df78c8def 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry.py +++ b/erpnext/stock/doctype/stock_entry/stock_entry.py @@ -217,8 +217,8 @@ class StockEntry(StockController): Available Qty: {4}, Transfer Qty: {5}""").format(d.idx, d.s_warehouse, self.posting_date, self.posting_time, d.actual_qty, d.transfer_qty)) + # get incoming rate if not d.bom_no: - # set incoming rate if not flt(d.incoming_rate) or d.s_warehouse or self.purpose == "Sales Return": incoming_rate = self.get_incoming_rate(args) if flt(incoming_rate) > 0: @@ -227,16 +227,15 @@ class StockEntry(StockController): d.amount = flt(d.transfer_qty) * flt(d.incoming_rate) raw_material_cost += flt(d.amount) - # bom no exists and purpose is Manufacture/Repack - elif self.purpose == "Manufacture/Repack": - - # set incoming rate for fg item - if not flt(d.incoming_rate): - bom = frappe.db.get_value("BOM", d.bom_no, ["operating_cost", "quantity"], as_dict=1) - operation_cost_per_unit = flt(bom.operating_cost) / flt(bom.quantity) - d.incoming_rate = operation_cost_per_unit + (raw_material_cost / flt(d.transfer_qty)) - - d.amount = flt(d.transfer_qty) * flt(d.incoming_rate) + # set incoming rate for fg item + if self.production_order and self.purpose == "Manufacture/Repack": + for d in self.get("mtn_details"): + if d.bom_no: + if not flt(d.incoming_rate): + bom = frappe.db.get_value("BOM", d.bom_no, ["operating_cost", "quantity"], as_dict=1) + operation_cost_per_unit = flt(bom.operating_cost) / flt(bom.quantity) + d.incoming_rate = operation_cost_per_unit + (raw_material_cost / flt(d.transfer_qty)) + d.amount = flt(d.transfer_qty) * flt(d.incoming_rate) def get_incoming_rate(self, args): incoming_rate = 0 From 222b7b660e70b793cd74ff42fe70e3a862ac07c5 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Wed, 18 Jun 2014 14:05:29 +0530 Subject: [PATCH 223/630] Stock Entry: get fg item incoming rate if bom is mentioned --- erpnext/stock/doctype/stock_entry/stock_entry.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.py b/erpnext/stock/doctype/stock_entry/stock_entry.py index 3df78c8def..38c7521e36 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry.py +++ b/erpnext/stock/doctype/stock_entry/stock_entry.py @@ -228,7 +228,7 @@ class StockEntry(StockController): raw_material_cost += flt(d.amount) # set incoming rate for fg item - if self.production_order and self.purpose == "Manufacture/Repack": + if self.purpose == "Manufacture/Repack": for d in self.get("mtn_details"): if d.bom_no: if not flt(d.incoming_rate): From ca3d60c160e27405124b12f30185c6b87a435098 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Wed, 18 Jun 2014 15:23:25 +0530 Subject: [PATCH 224/630] Fixed Sales Order -> Delivery Note mapping of address fields --- erpnext/selling/doctype/sales_order/sales_order.py | 8 ++------ 1 file changed, 2 insertions(+), 6 deletions(-) diff --git a/erpnext/selling/doctype/sales_order/sales_order.py b/erpnext/selling/doctype/sales_order/sales_order.py index 1b66c65dac..24da5773a3 100644 --- a/erpnext/selling/doctype/sales_order/sales_order.py +++ b/erpnext/selling/doctype/sales_order/sales_order.py @@ -279,13 +279,9 @@ def make_delivery_note(source_name, target_doc=None): target.amount = (flt(source.qty) - flt(source.delivered_qty)) * flt(source.rate) target.qty = flt(source.qty) - flt(source.delivered_qty) - doclist = get_mapped_doc("Sales Order", source_name, { + target_doc = get_mapped_doc("Sales Order", source_name, { "Sales Order": { "doctype": "Delivery Note", - "field_map": { - "shipping_address": "address_display", - "shipping_address_name": "customer_address", - }, "validation": { "docstatus": ["=", 1] } @@ -310,7 +306,7 @@ def make_delivery_note(source_name, target_doc=None): } }, target_doc, set_missing_values) - return doclist + return target_doc @frappe.whitelist() def make_sales_invoice(source_name, target_doc=None): From 5a9e00ce71833d51238d51930495f6a8510b9b65 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Wed, 18 Jun 2014 16:26:45 +0530 Subject: [PATCH 225/630] Fixed Employee Leave Balance Report --- .../report/employee_leave_balance/employee_leave_balance.py | 6 ++++-- 1 file changed, 4 insertions(+), 2 deletions(-) diff --git a/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py b/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py index c1d8bcfba4..99b235e91a 100644 --- a/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +++ b/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py @@ -24,17 +24,19 @@ def execute(filters=None): else: fiscal_years = frappe.db.sql_list("select name from `tabFiscal Year` order by name desc") + employee_names = [d.name for d in employees] + allocations = frappe.db.sql("""select employee, fiscal_year, leave_type, total_leaves_allocated from `tabLeave Allocation` where docstatus=1 and employee in (%s)""" % - ','.join(['%s']*len(employees)), employees, as_dict=True) + ','.join(['%s']*len(employee_names)), employee_names, as_dict=True) applications = frappe.db.sql("""select employee, fiscal_year, leave_type, SUM(total_leave_days) as leaves from `tabLeave Application` where status="Approved" and docstatus = 1 and employee in (%s) group by employee, fiscal_year, leave_type""" % - ','.join(['%s']*len(employees)), employees, as_dict=True) + ','.join(['%s']*len(employee_names)), employee_names, as_dict=True) columns = [ "Fiscal Year", "Employee:Link/Employee:150", "Employee Name::200", "Department::150" From afdc0a5f59253ffc648b454b190555a5702025d6 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Wed, 18 Jun 2014 14:42:22 +0530 Subject: [PATCH 226/630] Valuation rate and amount for fg item --- .../stock/doctype/stock_entry/stock_entry.js | 19 ++++++++++--------- 1 file changed, 10 insertions(+), 9 deletions(-) diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.js b/erpnext/stock/doctype/stock_entry/stock_entry.js index a42a865cbb..510b395ae4 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry.js +++ b/erpnext/stock/doctype/stock_entry/stock_entry.js @@ -359,16 +359,17 @@ cur_frm.cscript.item_code = function(doc, cdt, cdn) { cur_frm.cscript.s_warehouse = function(doc, cdt, cdn) { var d = locals[cdt][cdn]; - args = { - 'item_code' : d.item_code, - 'warehouse' : cstr(d.s_warehouse) || cstr(d.t_warehouse), - 'transfer_qty' : d.transfer_qty, - 'serial_no' : d.serial_no, - 'bom_no' : d.bom_no, - 'qty' : d.s_warehouse ? -1* d.qty : d.qty + if(!d.bom_no) { + args = { + 'item_code' : d.item_code, + 'warehouse' : cstr(d.s_warehouse) || cstr(d.t_warehouse), + 'transfer_qty' : d.transfer_qty, + 'serial_no' : d.serial_no, + 'qty' : d.s_warehouse ? -1* d.qty : d.qty + } + return get_server_fields('get_warehouse_details', JSON.stringify(args), + 'mtn_details', doc, cdt, cdn, 1); } - return get_server_fields('get_warehouse_details', JSON.stringify(args), - 'mtn_details', doc, cdt, cdn, 1); } cur_frm.cscript.t_warehouse = cur_frm.cscript.s_warehouse; From 216e5bb2089a4a8cdce07b47c01b6a271832b0f0 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Wed, 18 Jun 2014 15:12:03 +0530 Subject: [PATCH 227/630] Incoming rate for sales return --- .../stock/doctype/stock_entry/stock_entry.py | 31 ++++++++----------- 1 file changed, 13 insertions(+), 18 deletions(-) diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.py b/erpnext/stock/doctype/stock_entry/stock_entry.py index 38c7521e36..0321dcfeb7 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry.py +++ b/erpnext/stock/doctype/stock_entry/stock_entry.py @@ -239,29 +239,24 @@ class StockEntry(StockController): def get_incoming_rate(self, args): incoming_rate = 0 - if self.purpose == "Sales Return" and \ - (self.delivery_note_no or self.sales_invoice_no): - sle = frappe.db.sql("""select name, posting_date, posting_time, - actual_qty, stock_value, warehouse from `tabStock Ledger Entry` - where voucher_type = %s and voucher_no = %s and - item_code = %s limit 1""", - ((self.delivery_note_no and "Delivery Note" or "Sales Invoice"), - self.delivery_note_no or self.sales_invoice_no, args.item_code), as_dict=1) - if sle: - args.update({ - "posting_date": sle[0].posting_date, - "posting_time": sle[0].posting_time, - "sle": sle[0].name, - "warehouse": sle[0].warehouse, - }) - previous_sle = get_previous_sle(args) - incoming_rate = (flt(sle[0].stock_value) - flt(previous_sle.get("stock_value"))) / \ - flt(sle[0].actual_qty) + if self.purpose == "Sales Return": + incoming_rate = self.get_incoming_rate_for_sales_return(args) else: incoming_rate = get_incoming_rate(args) return incoming_rate + def get_incoming_rate_for_sales_return(self, args): + incoming_rate = 0.0 + if self.delivery_note_no or self.sales_invoice_no: + incoming_rate = frappe.db.sql("""select abs(ifnull(stock_value_difference, 0) / actual_qty) + from `tabStock Ledger Entry` + where voucher_type = %s and voucher_no = %s and item_code = %s limit 1""", + ((self.delivery_note_no and "Delivery Note" or "Sales Invoice"), + self.delivery_note_no or self.sales_invoice_no, args.item_code))[0][0] + + return incoming_rate + def validate_incoming_rate(self): for d in self.get('mtn_details'): if d.t_warehouse: From c226292d8e966a4442e8381220c9fdc957887b74 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Wed, 18 Jun 2014 16:40:08 +0530 Subject: [PATCH 228/630] Stocvk entry incoming rate for sales return --- erpnext/stock/doctype/stock_entry/stock_entry.py | 5 +++-- 1 file changed, 3 insertions(+), 2 deletions(-) diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.py b/erpnext/stock/doctype/stock_entry/stock_entry.py index 0321dcfeb7..297542b50f 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry.py +++ b/erpnext/stock/doctype/stock_entry/stock_entry.py @@ -248,12 +248,13 @@ class StockEntry(StockController): def get_incoming_rate_for_sales_return(self, args): incoming_rate = 0.0 - if self.delivery_note_no or self.sales_invoice_no: + if (self.delivery_note_no or self.sales_invoice_no) and args.get("item_code"): incoming_rate = frappe.db.sql("""select abs(ifnull(stock_value_difference, 0) / actual_qty) from `tabStock Ledger Entry` where voucher_type = %s and voucher_no = %s and item_code = %s limit 1""", ((self.delivery_note_no and "Delivery Note" or "Sales Invoice"), - self.delivery_note_no or self.sales_invoice_no, args.item_code))[0][0] + self.delivery_note_no or self.sales_invoice_no, args.item_code)) + incoming_rate = incoming_rate[0][0] if incoming_rate else 0.0 return incoming_rate From 3b7dd0396f6d39d6e76ad78bfd7a805519dddf8e Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Wed, 18 Jun 2014 16:40:27 +0530 Subject: [PATCH 229/630] Get party details fixes --- erpnext/accounts/party.py | 13 +++++++------ erpnext/public/js/utils/party.js | 1 + erpnext/stock/doctype/stock_entry/stock_entry.js | 4 ++-- 3 files changed, 10 insertions(+), 8 deletions(-) diff --git a/erpnext/accounts/party.py b/erpnext/accounts/party.py index 9792da1b26..cd172f1902 100644 --- a/erpnext/accounts/party.py +++ b/erpnext/accounts/party.py @@ -12,13 +12,14 @@ from erpnext.utilities.doctype.contact.contact import get_contact_details @frappe.whitelist() def get_party_details(party=None, account=None, party_type="Customer", company=None, - posting_date=None, price_list=None, currency=None): + posting_date=None, price_list=None, currency=None, doctype=None): - return _get_party_details(party, account, party_type, company, posting_date, price_list, currency) + return _get_party_details(party, account, party_type, + company, posting_date, price_list, currency, doctype) def _get_party_details(party=None, account=None, party_type="Customer", company=None, - posting_date=None, price_list=None, currency=None, ignore_permissions=False): - out = frappe._dict(set_account_and_due_date(party, account, party_type, company, posting_date)) + posting_date=None, price_list=None, currency=None, doctype=None, ignore_permissions=False): + out = frappe._dict(set_account_and_due_date(party, account, party_type, company, posting_date, doctype)) party = out[party_type.lower()] @@ -106,8 +107,8 @@ def set_price_list(out, party, party_type, given_price_list): out["selling_price_list" if party.doctype=="Customer" else "buying_price_list"] = price_list -def set_account_and_due_date(party, account, party_type, company, posting_date): - if not posting_date: +def set_account_and_due_date(party, account, party_type, company, posting_date, doctype): + if doctype not in ["Sales Invoice", "Purchase Invoice"]: # not an invoice return { party_type.lower(): party diff --git a/erpnext/public/js/utils/party.js b/erpnext/public/js/utils/party.js index 40db97feb8..c9b1206cc1 100644 --- a/erpnext/public/js/utils/party.js +++ b/erpnext/public/js/utils/party.js @@ -25,6 +25,7 @@ erpnext.utils.get_party_details = function(frm, method, args, callback) { args.currency = frm.doc.currency; args.company = frm.doc.company; + args.doctype = frm.doc.doctype; frappe.call({ method: method, args: args, diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.js b/erpnext/stock/doctype/stock_entry/stock_entry.js index 510b395ae4..959739225e 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry.js +++ b/erpnext/stock/doctype/stock_entry/stock_entry.js @@ -241,14 +241,14 @@ erpnext.stock.StockEntry = erpnext.stock.StockController.extend({ customer: function() { return this.frm.call({ method: "erpnext.accounts.party.get_party_details", - args: { party: this.frm.doc.customer, party_type:"Customer" } + args: { party: this.frm.doc.customer, party_type:"Customer", doctype: this.frm.doc.doctype } }); }, supplier: function() { return this.frm.call({ method: "erpnext.accounts.party.get_party_details", - args: { party: this.frm.doc.supplier, party_type:"Supplier" } + args: { party: this.frm.doc.supplier, party_type:"Supplier", doctype: this.frm.doc.doctype } }); }, From c5e813f9f421fcb544a84721bed5ffe6204d02bc Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Wed, 18 Jun 2014 19:51:38 +0530 Subject: [PATCH 230/630] Overwrite from POS Settings if value exists --- erpnext/stock/get_item_details.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/stock/get_item_details.py b/erpnext/stock/get_item_details.py index cdf5aa1f3d..c5c1280fdb 100644 --- a/erpnext/stock/get_item_details.py +++ b/erpnext/stock/get_item_details.py @@ -229,7 +229,7 @@ def get_pos_settings_item_details(company, args, pos_settings=None): if pos_settings: for fieldname in ("income_account", "cost_center", "warehouse", "expense_account"): - if not args.get(fieldname): + if not args.get(fieldname) and pos_settings.get(fieldname): res[fieldname] = pos_settings.get(fieldname) if res.get("warehouse"): From c20de7b2642060e39d703c3da6c5e2b0f2395833 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Wed, 18 Jun 2014 20:55:18 +0530 Subject: [PATCH 231/630] Minor fix in Journal Voucher --- .../accounts/doctype/journal_voucher/journal_voucher.py | 7 ++++++- 1 file changed, 6 insertions(+), 1 deletion(-) diff --git a/erpnext/accounts/doctype/journal_voucher/journal_voucher.py b/erpnext/accounts/doctype/journal_voucher/journal_voucher.py index d75101d0e1..fc1916b5bc 100644 --- a/erpnext/accounts/doctype/journal_voucher/journal_voucher.py +++ b/erpnext/accounts/doctype/journal_voucher/journal_voucher.py @@ -186,9 +186,14 @@ class JournalVoucher(AccountsController): def set_print_format_fields(self): for d in self.get('entries'): - account_type, master_type = frappe.db.get_value("Account", d.account, + result = frappe.db.get_value("Account", d.account, ["account_type", "master_type"]) + if not result: + continue + + account_type, master_type = result + if master_type in ['Supplier', 'Customer']: if not self.pay_to_recd_from: self.pay_to_recd_from = frappe.db.get_value(master_type, From daa56ca50f1b482d2bffec595a05d90f256e2a50 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Wed, 18 Jun 2014 20:55:39 +0530 Subject: [PATCH 232/630] Fixed number format in currency --- erpnext/setup/doctype/currency/currency.json | 182 +++++++++---------- 1 file changed, 91 insertions(+), 91 deletions(-) diff --git a/erpnext/setup/doctype/currency/currency.json b/erpnext/setup/doctype/currency/currency.json index 26fd14e5f9..ee7be19a53 100644 --- a/erpnext/setup/doctype/currency/currency.json +++ b/erpnext/setup/doctype/currency/currency.json @@ -1,117 +1,117 @@ { - "autoname": "field:currency_name", - "creation": "2013-01-28 10:06:02", - "description": "**Currency** Master", - "docstatus": 0, - "doctype": "DocType", + "autoname": "field:currency_name", + "creation": "2013-01-28 10:06:02", + "description": "**Currency** Master", + "docstatus": 0, + "doctype": "DocType", "fields": [ { - "fieldname": "currency_name", - "fieldtype": "Data", - "label": "Currency Name", - "oldfieldname": "currency_name", - "oldfieldtype": "Data", - "permlevel": 0, + "fieldname": "currency_name", + "fieldtype": "Data", + "label": "Currency Name", + "oldfieldname": "currency_name", + "oldfieldtype": "Data", + "permlevel": 0, "reqd": 1 - }, + }, { - "fieldname": "enabled", - "fieldtype": "Check", - "in_list_view": 1, - "label": "Enabled", + "fieldname": "enabled", + "fieldtype": "Check", + "in_list_view": 1, + "label": "Enabled", "permlevel": 0 - }, + }, { - "description": "Sub-currency. For e.g. \"Cent\"", - "fieldname": "fraction", - "fieldtype": "Data", - "in_list_view": 1, - "label": "Fraction", + "description": "Sub-currency. For e.g. \"Cent\"", + "fieldname": "fraction", + "fieldtype": "Data", + "in_list_view": 1, + "label": "Fraction", "permlevel": 0 - }, + }, { - "description": "1 Currency = [?] Fraction\nFor e.g. 1 USD = 100 Cent", - "fieldname": "fraction_units", - "fieldtype": "Int", - "in_list_view": 1, - "label": "Fraction Units", + "description": "1 Currency = [?] Fraction\nFor e.g. 1 USD = 100 Cent", + "fieldname": "fraction_units", + "fieldtype": "Int", + "in_list_view": 1, + "label": "Fraction Units", "permlevel": 0 - }, + }, { - "description": "A symbol for this currency. For e.g. $", - "fieldname": "symbol", - "fieldtype": "Data", - "in_list_view": 1, - "label": "Symbol", + "description": "A symbol for this currency. For e.g. $", + "fieldname": "symbol", + "fieldtype": "Data", + "in_list_view": 1, + "label": "Symbol", "permlevel": 0 - }, + }, { - "description": "How should this currency be formatted? If not set, will use system defaults", - "fieldname": "number_format", - "fieldtype": "Select", - "in_list_view": 1, - "label": "Number Format", - "options": "\n#,###.##\n#.###,##\n# ###.##\n#,###.###\n#,##,###.##\n#.###\n#,###", + "description": "How should this currency be formatted? If not set, will use system defaults", + "fieldname": "number_format", + "fieldtype": "Select", + "in_list_view": 1, + "label": "Number Format", + "options": "\n#,###.##\n#.###,##\n# ###.##\n# ###,##\n#'###.##\n#, ###.##\n#,##,###.##\n#,###.###\n#.###\n#,###", "permlevel": 0 } - ], - "icon": "icon-bitcoin", - "idx": 1, - "in_create": 0, - "modified": "2014-05-27 03:49:09.038451", - "modified_by": "Administrator", - "module": "Setup", - "name": "Currency", - "owner": "Administrator", + ], + "icon": "icon-bitcoin", + "idx": 1, + "in_create": 0, + "modified": "2014-06-18 03:49:09.038451", + "modified_by": "Administrator", + "module": "Setup", + "name": "Currency", + "owner": "Administrator", "permissions": [ { - "create": 1, - "delete": 1, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Accounts Manager", - "submit": 0, + "create": 1, + "delete": 1, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Accounts Manager", + "submit": 0, "write": 1 - }, + }, { - "amend": 0, - "create": 1, - "delete": 1, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Sales Master Manager", - "submit": 0, + "amend": 0, + "create": 1, + "delete": 1, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Sales Master Manager", + "submit": 0, "write": 1 - }, + }, { - "amend": 0, - "create": 1, - "delete": 0, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Purchase Master Manager", - "submit": 0, + "amend": 0, + "create": 1, + "delete": 0, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Purchase Master Manager", + "submit": 0, "write": 1 - }, + }, { - "apply_user_permissions": 1, - "delete": 0, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, + "apply_user_permissions": 1, + "delete": 0, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, "role": "All" } - ], + ], "read_only": 0 -} \ No newline at end of file +} From f654fea736c17d556f941f6b4d12469c798e5096 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Wed, 18 Jun 2014 21:09:19 +0530 Subject: [PATCH 233/630] Fixed feed type options --- erpnext/home/doctype/feed/feed.json | 101 ++++++++++++++-------------- 1 file changed, 51 insertions(+), 50 deletions(-) diff --git a/erpnext/home/doctype/feed/feed.json b/erpnext/home/doctype/feed/feed.json index a4018703c2..bef8aacfc0 100644 --- a/erpnext/home/doctype/feed/feed.json +++ b/erpnext/home/doctype/feed/feed.json @@ -1,72 +1,73 @@ { - "autoname": "hash", - "creation": "2012-07-03 13:29:42", - "docstatus": 0, - "doctype": "DocType", + "autoname": "hash", + "creation": "2012-07-03 13:29:42", + "docstatus": 0, + "doctype": "DocType", "fields": [ { - "fieldname": "feed_type", - "fieldtype": "Select", - "in_list_view": 1, - "label": "Feed Type", + "fieldname": "feed_type", + "fieldtype": "Select", + "in_list_view": 1, + "label": "Feed Type", + "options": "\nComment\nLogin", "permlevel": 0 - }, + }, { - "fieldname": "doc_type", - "fieldtype": "Data", - "in_list_view": 1, - "label": "Doc Type", + "fieldname": "doc_type", + "fieldtype": "Data", + "in_list_view": 1, + "label": "Doc Type", "permlevel": 0 - }, + }, { - "fieldname": "doc_name", - "fieldtype": "Data", - "in_list_view": 1, - "label": "Doc Name", + "fieldname": "doc_name", + "fieldtype": "Data", + "in_list_view": 1, + "label": "Doc Name", "permlevel": 0 - }, + }, { - "fieldname": "subject", - "fieldtype": "Data", - "in_list_view": 1, - "label": "Subject", + "fieldname": "subject", + "fieldtype": "Data", + "in_list_view": 1, + "label": "Subject", "permlevel": 0 - }, + }, { - "fieldname": "color", - "fieldtype": "Data", - "in_list_view": 1, - "label": "Color", + "fieldname": "color", + "fieldtype": "Data", + "in_list_view": 1, + "label": "Color", "permlevel": 0 - }, + }, { - "fieldname": "full_name", - "fieldtype": "Data", - "label": "Full Name", + "fieldname": "full_name", + "fieldtype": "Data", + "label": "Full Name", "permlevel": 0 } - ], - "icon": "icon-rss", - "idx": 1, - "modified": "2014-05-27 03:49:10.882587", - "modified_by": "Administrator", - "module": "Home", - "name": "Feed", - "owner": "Administrator", + ], + "icon": "icon-rss", + "idx": 1, + "modified": "2014-06-18 03:49:10.882587", + "modified_by": "Administrator", + "module": "Home", + "name": "Feed", + "owner": "Administrator", "permissions": [ { - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, "role": "System Manager" - }, + }, { - "apply_user_permissions": 1, - "permlevel": 0, - "read": 1, + "apply_user_permissions": 1, + "permlevel": 0, + "read": 1, "role": "All" } ] -} \ No newline at end of file +} From f5ec92c79ac38b87ede7cdadd747d18017f5eaa6 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Thu, 19 Jun 2014 15:52:19 +0530 Subject: [PATCH 234/630] Validate Select field values --- erpnext/accounts/doctype/account/account.json | 540 +++++++++--------- .../accounts/doctype/gl_entry/gl_entry.json | 364 ++++++------ .../purchase_invoice/test_records.json | 328 +++++------ .../production_order/production_order.json | 404 ++++++------- .../selling/doctype/lead/test_records.json | 2 +- .../support/doctype/newsletter/newsletter.py | 2 +- 6 files changed, 820 insertions(+), 820 deletions(-) diff --git a/erpnext/accounts/doctype/account/account.json b/erpnext/accounts/doctype/account/account.json index 4649c3829a..f909ef60b2 100644 --- a/erpnext/accounts/doctype/account/account.json +++ b/erpnext/accounts/doctype/account/account.json @@ -1,332 +1,332 @@ { - "allow_copy": 1, - "allow_import": 1, - "allow_rename": 1, - "creation": "2013-01-30 12:49:46", - "description": "Heads (or groups) against which Accounting Entries are made and balances are maintained.", - "docstatus": 0, - "doctype": "DocType", - "document_type": "Master", + "allow_copy": 1, + "allow_import": 1, + "allow_rename": 1, + "creation": "2013-01-30 12:49:46", + "description": "Heads (or groups) against which Accounting Entries are made and balances are maintained.", + "docstatus": 0, + "doctype": "DocType", + "document_type": "Master", "fields": [ { - "fieldname": "properties", - "fieldtype": "Section Break", - "in_list_view": 0, - "label": "Account Details", - "oldfieldtype": "Section Break", + "fieldname": "properties", + "fieldtype": "Section Break", + "in_list_view": 0, + "label": "Account Details", + "oldfieldtype": "Section Break", "permlevel": 0 - }, + }, { - "fieldname": "column_break0", - "fieldtype": "Column Break", - "in_list_view": 0, - "permlevel": 0, + "fieldname": "column_break0", + "fieldtype": "Column Break", + "in_list_view": 0, + "permlevel": 0, "width": "50%" - }, + }, { - "fieldname": "account_name", - "fieldtype": "Data", - "in_filter": 1, - "in_list_view": 1, - "label": "Account Name", - "no_copy": 1, - "oldfieldname": "account_name", - "oldfieldtype": "Data", - "permlevel": 0, - "read_only": 1, - "reqd": 1, + "fieldname": "account_name", + "fieldtype": "Data", + "in_filter": 1, + "in_list_view": 1, + "label": "Account Name", + "no_copy": 1, + "oldfieldname": "account_name", + "oldfieldtype": "Data", + "permlevel": 0, + "read_only": 1, + "reqd": 1, "search_index": 1 - }, + }, { - "default": "Ledger", - "fieldname": "group_or_ledger", - "fieldtype": "Select", - "in_filter": 1, - "in_list_view": 1, - "label": "Group or Ledger", - "oldfieldname": "group_or_ledger", - "oldfieldtype": "Select", - "options": "\nLedger\nGroup", - "permlevel": 0, - "read_only": 1, - "reqd": 1, + "default": "Ledger", + "fieldname": "group_or_ledger", + "fieldtype": "Select", + "in_filter": 1, + "in_list_view": 1, + "label": "Group or Ledger", + "oldfieldname": "group_or_ledger", + "oldfieldtype": "Select", + "options": "\nLedger\nGroup", + "permlevel": 0, + "read_only": 1, + "reqd": 1, "search_index": 1 - }, + }, { - "fieldname": "company", - "fieldtype": "Link", - "in_filter": 1, - "label": "Company", - "oldfieldname": "company", - "oldfieldtype": "Link", - "options": "Company", - "permlevel": 0, - "read_only": 1, - "reqd": 1, + "fieldname": "company", + "fieldtype": "Link", + "in_filter": 1, + "label": "Company", + "oldfieldname": "company", + "oldfieldtype": "Link", + "options": "Company", + "permlevel": 0, + "read_only": 1, + "reqd": 1, "search_index": 1 - }, + }, { - "fieldname": "column_break1", - "fieldtype": "Column Break", - "permlevel": 0, + "fieldname": "column_break1", + "fieldtype": "Column Break", + "permlevel": 0, "width": "50%" - }, + }, { - "fieldname": "parent_account", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Parent Account", - "oldfieldname": "parent_account", - "oldfieldtype": "Link", - "options": "Account", - "permlevel": 0, - "reqd": 1, + "fieldname": "parent_account", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Parent Account", + "oldfieldname": "parent_account", + "oldfieldtype": "Link", + "options": "Account", + "permlevel": 0, + "reqd": 1, "search_index": 1 - }, + }, { - "description": "Setting Account Type helps in selecting this Account in transactions.", - "fieldname": "account_type", - "fieldtype": "Select", - "in_filter": 1, - "label": "Account Type", - "oldfieldname": "account_type", - "oldfieldtype": "Select", - "options": "\nBank\nCash\nTax\nChargeable\nWarehouse\nReceivable\nPayable\nEquity\nFixed Asset\nCost of Goods Sold\nExpense Account\nIncome Account\nStock Received But Not Billed\nExpenses Included In Valuation\nStock Adjustment", - "permlevel": 0, + "description": "Setting Account Type helps in selecting this Account in transactions.", + "fieldname": "account_type", + "fieldtype": "Select", + "in_filter": 1, + "label": "Account Type", + "oldfieldname": "account_type", + "oldfieldtype": "Select", + "options": "\nBank\nCash\nTax\nChargeable\nWarehouse\nReceivable\nPayable\nEquity\nFixed Asset\nCost of Goods Sold\nExpense Account\nIncome Account\nStock Received But Not Billed\nExpenses Included In Valuation\nStock Adjustment\nStock", + "permlevel": 0, "search_index": 0 - }, + }, { - "description": "Rate at which this tax is applied", - "fieldname": "tax_rate", - "fieldtype": "Float", - "hidden": 0, - "label": "Rate", - "oldfieldname": "tax_rate", - "oldfieldtype": "Currency", - "permlevel": 0, + "description": "Rate at which this tax is applied", + "fieldname": "tax_rate", + "fieldtype": "Float", + "hidden": 0, + "label": "Rate", + "oldfieldname": "tax_rate", + "oldfieldtype": "Currency", + "permlevel": 0, "reqd": 0 - }, + }, { - "description": "If the account is frozen, entries are allowed to restricted users.", - "fieldname": "freeze_account", - "fieldtype": "Select", - "label": "Frozen", - "oldfieldname": "freeze_account", - "oldfieldtype": "Select", - "options": "No\nYes", + "description": "If the account is frozen, entries are allowed to restricted users.", + "fieldname": "freeze_account", + "fieldtype": "Select", + "label": "Frozen", + "oldfieldname": "freeze_account", + "oldfieldtype": "Select", + "options": "No\nYes", "permlevel": 0 - }, + }, { - "fieldname": "credit_days", - "fieldtype": "Int", - "hidden": 1, - "label": "Credit Days", - "oldfieldname": "credit_days", - "oldfieldtype": "Int", - "permlevel": 0, + "fieldname": "credit_days", + "fieldtype": "Int", + "hidden": 1, + "label": "Credit Days", + "oldfieldname": "credit_days", + "oldfieldtype": "Int", + "permlevel": 0, "print_hide": 1 - }, + }, { - "fieldname": "credit_limit", - "fieldtype": "Currency", - "hidden": 1, - "label": "Credit Limit", - "oldfieldname": "credit_limit", - "oldfieldtype": "Currency", - "options": "Company:company:default_currency", - "permlevel": 0, + "fieldname": "credit_limit", + "fieldtype": "Currency", + "hidden": 1, + "label": "Credit Limit", + "oldfieldname": "credit_limit", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", + "permlevel": 0, "print_hide": 1 - }, + }, { - "description": "If this Account represents a Customer, Supplier or Employee, set it here.", - "fieldname": "master_type", - "fieldtype": "Select", - "label": "Master Type", - "oldfieldname": "master_type", - "oldfieldtype": "Select", - "options": "\nSupplier\nCustomer\nEmployee", + "description": "If this Account represents a Customer, Supplier or Employee, set it here.", + "fieldname": "master_type", + "fieldtype": "Select", + "label": "Master Type", + "oldfieldname": "master_type", + "oldfieldtype": "Select", + "options": "\nSupplier\nCustomer\nEmployee", "permlevel": 0 - }, + }, { - "fieldname": "master_name", - "fieldtype": "Link", - "label": "Master Name", - "oldfieldname": "master_name", - "oldfieldtype": "Link", - "options": "[Select]", + "fieldname": "master_name", + "fieldtype": "Link", + "label": "Master Name", + "oldfieldname": "master_name", + "oldfieldtype": "Link", + "options": "[Select]", "permlevel": 0 - }, + }, { - "fieldname": "balance_must_be", - "fieldtype": "Select", - "label": "Balance must be", - "options": "\nDebit\nCredit", + "fieldname": "balance_must_be", + "fieldtype": "Select", + "label": "Balance must be", + "options": "\nDebit\nCredit", "permlevel": 0 - }, + }, { - "fieldname": "root_type", - "fieldtype": "Select", - "label": "Root Type", - "options": "\nAsset\nLiability\nIncome\nExpense\nEquity", - "permlevel": 0, + "fieldname": "root_type", + "fieldtype": "Select", + "label": "Root Type", + "options": "\nAsset\nLiability\nIncome\nExpense\nEquity", + "permlevel": 0, "read_only": 1 - }, + }, { - "fieldname": "report_type", - "fieldtype": "Select", - "label": "Report Type", - "options": "\nBalance Sheet\nProfit and Loss", - "permlevel": 0, + "fieldname": "report_type", + "fieldtype": "Select", + "label": "Report Type", + "options": "\nBalance Sheet\nProfit and Loss", + "permlevel": 0, "read_only": 1 - }, + }, { - "fieldname": "lft", - "fieldtype": "Int", - "hidden": 1, - "label": "Lft", - "permlevel": 0, - "print_hide": 1, + "fieldname": "lft", + "fieldtype": "Int", + "hidden": 1, + "label": "Lft", + "permlevel": 0, + "print_hide": 1, "read_only": 1 - }, + }, { - "fieldname": "rgt", - "fieldtype": "Int", - "hidden": 1, - "label": "Rgt", - "permlevel": 0, - "print_hide": 1, + "fieldname": "rgt", + "fieldtype": "Int", + "hidden": 1, + "label": "Rgt", + "permlevel": 0, + "print_hide": 1, "read_only": 1 - }, + }, { - "fieldname": "old_parent", - "fieldtype": "Data", - "hidden": 1, - "label": "Old Parent", - "permlevel": 0, - "print_hide": 1, + "fieldname": "old_parent", + "fieldtype": "Data", + "hidden": 1, + "label": "Old Parent", + "permlevel": 0, + "print_hide": 1, "read_only": 1 } - ], - "icon": "icon-money", - "idx": 1, - "in_create": 1, - "modified": "2014-06-17 04:30:56.689314", - "modified_by": "Administrator", - "module": "Accounts", - "name": "Account", - "owner": "Administrator", + ], + "icon": "icon-money", + "idx": 1, + "in_create": 1, + "modified": "2014-06-19 18:27:58.109303", + "modified_by": "Administrator", + "module": "Accounts", + "name": "Account", + "owner": "Administrator", "permissions": [ { - "amend": 0, - "apply_user_permissions": 1, - "create": 1, - "delete": 1, - "email": 1, - "export": 1, - "import": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Accounts User", - "submit": 0, + "amend": 0, + "apply_user_permissions": 1, + "create": 1, + "delete": 1, + "email": 1, + "export": 1, + "import": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Accounts User", + "submit": 0, "write": 1 - }, + }, { - "amend": 0, - "apply_user_permissions": 1, - "create": 0, - "delete": 0, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Auditor", - "submit": 0, + "amend": 0, + "apply_user_permissions": 1, + "create": 0, + "delete": 0, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Auditor", + "submit": 0, "write": 0 - }, + }, { - "amend": 0, - "apply_user_permissions": 1, - "create": 0, - "delete": 0, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Sales User", - "submit": 0, + "amend": 0, + "apply_user_permissions": 1, + "create": 0, + "delete": 0, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Sales User", + "submit": 0, "write": 0 - }, + }, { - "amend": 0, - "apply_user_permissions": 1, - "create": 0, - "delete": 0, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Purchase User", - "submit": 0, + "amend": 0, + "apply_user_permissions": 1, + "create": 0, + "delete": 0, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Purchase User", + "submit": 0, "write": 0 - }, + }, { - "amend": 0, - "cancel": 0, - "create": 0, - "delete": 0, - "permlevel": 2, - "read": 1, - "report": 1, - "role": "Auditor", - "submit": 0, + "amend": 0, + "cancel": 0, + "create": 0, + "delete": 0, + "permlevel": 2, + "read": 1, + "report": 1, + "role": "Auditor", + "submit": 0, "write": 0 - }, + }, { - "amend": 0, - "apply_user_permissions": 0, - "create": 1, - "delete": 1, - "email": 1, - "export": 1, - "import": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Accounts Manager", - "set_user_permissions": 1, - "submit": 0, + "amend": 0, + "apply_user_permissions": 0, + "create": 1, + "delete": 1, + "email": 1, + "export": 1, + "import": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Accounts Manager", + "set_user_permissions": 1, + "submit": 0, "write": 1 - }, + }, { - "amend": 0, - "cancel": 0, - "create": 0, - "delete": 0, - "permlevel": 2, - "read": 1, - "report": 1, - "role": "Accounts Manager", - "submit": 0, + "amend": 0, + "cancel": 0, + "create": 0, + "delete": 0, + "permlevel": 2, + "read": 1, + "report": 1, + "role": "Accounts Manager", + "submit": 0, "write": 1 - }, + }, { - "amend": 0, - "cancel": 0, - "create": 0, - "delete": 0, - "permlevel": 2, - "read": 1, - "report": 1, - "role": "Accounts User", - "submit": 0, + "amend": 0, + "cancel": 0, + "create": 0, + "delete": 0, + "permlevel": 2, + "read": 1, + "report": 1, + "role": "Accounts User", + "submit": 0, "write": 0 } - ], + ], "search_fields": "group_or_ledger" -} \ No newline at end of file +} diff --git a/erpnext/accounts/doctype/gl_entry/gl_entry.json b/erpnext/accounts/doctype/gl_entry/gl_entry.json index 1856386237..ce17278d82 100644 --- a/erpnext/accounts/doctype/gl_entry/gl_entry.json +++ b/erpnext/accounts/doctype/gl_entry/gl_entry.json @@ -1,226 +1,226 @@ { - "autoname": "GL.#######", - "creation": "2013-01-10 16:34:06", - "docstatus": 0, - "doctype": "DocType", + "autoname": "GL.#######", + "creation": "2013-01-10 16:34:06", + "docstatus": 0, + "doctype": "DocType", "fields": [ { - "fieldname": "posting_date", - "fieldtype": "Date", - "in_filter": 1, - "in_list_view": 1, - "label": "Posting Date", - "oldfieldname": "posting_date", - "oldfieldtype": "Date", - "permlevel": 0, + "fieldname": "posting_date", + "fieldtype": "Date", + "in_filter": 1, + "in_list_view": 1, + "label": "Posting Date", + "oldfieldname": "posting_date", + "oldfieldtype": "Date", + "permlevel": 0, "search_index": 1 - }, + }, { - "fieldname": "transaction_date", - "fieldtype": "Date", - "in_list_view": 1, - "label": "Transaction Date", - "oldfieldname": "transaction_date", - "oldfieldtype": "Date", + "fieldname": "transaction_date", + "fieldtype": "Date", + "in_list_view": 1, + "label": "Transaction Date", + "oldfieldname": "transaction_date", + "oldfieldtype": "Date", "permlevel": 0 - }, + }, { - "fieldname": "aging_date", - "fieldtype": "Date", - "in_filter": 1, - "in_list_view": 1, - "label": "Aging Date", - "oldfieldname": "aging_date", - "oldfieldtype": "Date", - "permlevel": 0, + "fieldname": "aging_date", + "fieldtype": "Date", + "in_filter": 1, + "in_list_view": 1, + "label": "Aging Date", + "oldfieldname": "aging_date", + "oldfieldtype": "Date", + "permlevel": 0, "search_index": 0 - }, + }, { - "fieldname": "account", - "fieldtype": "Link", - "in_filter": 1, - "in_list_view": 1, - "label": "Account", - "oldfieldname": "account", - "oldfieldtype": "Link", - "options": "Account", - "permlevel": 0, + "fieldname": "account", + "fieldtype": "Link", + "in_filter": 1, + "in_list_view": 1, + "label": "Account", + "oldfieldname": "account", + "oldfieldtype": "Link", + "options": "Account", + "permlevel": 0, "search_index": 1 - }, + }, { - "fieldname": "cost_center", - "fieldtype": "Link", - "in_filter": 1, - "in_list_view": 1, - "label": "Cost Center", - "oldfieldname": "cost_center", - "oldfieldtype": "Link", - "options": "Cost Center", - "permlevel": 0, + "fieldname": "cost_center", + "fieldtype": "Link", + "in_filter": 1, + "in_list_view": 1, + "label": "Cost Center", + "oldfieldname": "cost_center", + "oldfieldtype": "Link", + "options": "Cost Center", + "permlevel": 0, "search_index": 0 - }, + }, { - "fieldname": "debit", - "fieldtype": "Currency", - "label": "Debit Amt", - "oldfieldname": "debit", - "oldfieldtype": "Currency", - "options": "Company:company:default_currency", + "fieldname": "debit", + "fieldtype": "Currency", + "label": "Debit Amt", + "oldfieldname": "debit", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", "permlevel": 0 - }, + }, { - "fieldname": "credit", - "fieldtype": "Currency", - "label": "Credit Amt", - "oldfieldname": "credit", - "oldfieldtype": "Currency", - "options": "Company:company:default_currency", + "fieldname": "credit", + "fieldtype": "Currency", + "label": "Credit Amt", + "oldfieldname": "credit", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", "permlevel": 0 - }, + }, { - "fieldname": "against", - "fieldtype": "Text", - "in_filter": 1, - "label": "Against", - "oldfieldname": "against", - "oldfieldtype": "Text", + "fieldname": "against", + "fieldtype": "Text", + "in_filter": 1, + "label": "Against", + "oldfieldname": "against", + "oldfieldtype": "Text", "permlevel": 0 - }, + }, { - "fieldname": "against_voucher", - "fieldtype": "Data", - "in_filter": 1, - "label": "Against Voucher", - "oldfieldname": "against_voucher", - "oldfieldtype": "Data", - "permlevel": 0, + "fieldname": "against_voucher", + "fieldtype": "Data", + "in_filter": 1, + "label": "Against Voucher", + "oldfieldname": "against_voucher", + "oldfieldtype": "Data", + "permlevel": 0, "search_index": 0 - }, + }, { - "fieldname": "against_voucher_type", - "fieldtype": "Data", - "in_filter": 0, - "label": "Against Voucher Type", - "oldfieldname": "against_voucher_type", - "oldfieldtype": "Data", - "permlevel": 0, + "fieldname": "against_voucher_type", + "fieldtype": "Data", + "in_filter": 0, + "label": "Against Voucher Type", + "oldfieldname": "against_voucher_type", + "oldfieldtype": "Data", + "permlevel": 0, "search_index": 0 - }, + }, { - "fieldname": "voucher_type", - "fieldtype": "Select", - "in_filter": 1, - "label": "Voucher Type", - "oldfieldname": "voucher_type", - "oldfieldtype": "Select", - "options": "Journal Voucher\nSales Invoice\nPurchase Invoice", - "permlevel": 0, + "fieldname": "voucher_type", + "fieldtype": "Select", + "in_filter": 1, + "label": "Voucher Type", + "oldfieldname": "voucher_type", + "oldfieldtype": "Select", + "options": "Journal Voucher\nSales Invoice\nPurchase Invoice\nPeriod Closing Voucher\nPurchase Receipt\nDelivery Note\nStock Entry\nStock Reconciliation", + "permlevel": 0, "search_index": 0 - }, + }, { - "fieldname": "voucher_no", - "fieldtype": "Data", - "in_filter": 1, - "label": "Voucher No", - "oldfieldname": "voucher_no", - "oldfieldtype": "Data", - "permlevel": 0, + "fieldname": "voucher_no", + "fieldtype": "Data", + "in_filter": 1, + "label": "Voucher No", + "oldfieldname": "voucher_no", + "oldfieldtype": "Data", + "permlevel": 0, "search_index": 1 - }, + }, { - "fieldname": "remarks", - "fieldtype": "Text", - "in_filter": 1, - "label": "Remarks", - "no_copy": 1, - "oldfieldname": "remarks", - "oldfieldtype": "Text", - "permlevel": 0, + "fieldname": "remarks", + "fieldtype": "Text", + "in_filter": 1, + "label": "Remarks", + "no_copy": 1, + "oldfieldname": "remarks", + "oldfieldtype": "Text", + "permlevel": 0, "search_index": 0 - }, + }, { - "fieldname": "is_opening", - "fieldtype": "Select", - "in_filter": 1, - "label": "Is Opening", - "oldfieldname": "is_opening", - "oldfieldtype": "Select", - "options": "No\nYes", - "permlevel": 0, + "fieldname": "is_opening", + "fieldtype": "Select", + "in_filter": 1, + "label": "Is Opening", + "oldfieldname": "is_opening", + "oldfieldtype": "Select", + "options": "No\nYes", + "permlevel": 0, "search_index": 0 - }, + }, { - "fieldname": "is_advance", - "fieldtype": "Select", - "in_filter": 0, - "label": "Is Advance", - "oldfieldname": "is_advance", - "oldfieldtype": "Select", - "options": "No\nYes", - "permlevel": 0, + "fieldname": "is_advance", + "fieldtype": "Select", + "in_filter": 0, + "label": "Is Advance", + "oldfieldname": "is_advance", + "oldfieldtype": "Select", + "options": "No\nYes", + "permlevel": 0, "search_index": 0 - }, + }, { - "fieldname": "fiscal_year", - "fieldtype": "Link", - "in_filter": 1, - "label": "Fiscal Year", - "oldfieldname": "fiscal_year", - "oldfieldtype": "Select", - "options": "Fiscal Year", - "permlevel": 0, + "fieldname": "fiscal_year", + "fieldtype": "Link", + "in_filter": 1, + "label": "Fiscal Year", + "oldfieldname": "fiscal_year", + "oldfieldtype": "Select", + "options": "Fiscal Year", + "permlevel": 0, "search_index": 0 - }, + }, { - "fieldname": "company", - "fieldtype": "Link", - "in_filter": 1, - "label": "Company", - "oldfieldname": "company", - "oldfieldtype": "Link", - "options": "Company", - "permlevel": 0, + "fieldname": "company", + "fieldtype": "Link", + "in_filter": 1, + "label": "Company", + "oldfieldname": "company", + "oldfieldtype": "Link", + "options": "Company", + "permlevel": 0, "search_index": 0 } - ], - "icon": "icon-list", - "idx": 1, - "in_create": 1, - "modified": "2014-06-09 01:51:29.340077", - "modified_by": "Administrator", - "module": "Accounts", - "name": "GL Entry", - "owner": "Administrator", + ], + "icon": "icon-list", + "idx": 1, + "in_create": 1, + "modified": "2014-06-19 01:51:29.340077", + "modified_by": "Administrator", + "module": "Accounts", + "name": "GL Entry", + "owner": "Administrator", "permissions": [ { - "amend": 0, - "apply_user_permissions": 1, - "create": 0, - "email": 1, - "export": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Accounts User", - "submit": 0, + "amend": 0, + "apply_user_permissions": 1, + "create": 0, + "email": 1, + "export": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Accounts User", + "submit": 0, "write": 0 - }, + }, { - "amend": 0, - "create": 0, - "email": 1, - "export": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Accounts Manager", - "submit": 0, + "amend": 0, + "create": 0, + "email": 1, + "export": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Accounts Manager", + "submit": 0, "write": 0 } - ], - "search_fields": "voucher_no,account,posting_date,against_voucher", - "sort_field": "modified", + ], + "search_fields": "voucher_no,account,posting_date,against_voucher", + "sort_field": "modified", "sort_order": "DESC" -} \ No newline at end of file +} diff --git a/erpnext/accounts/doctype/purchase_invoice/test_records.json b/erpnext/accounts/doctype/purchase_invoice/test_records.json index 67a705cc4a..48fb45d4d0 100644 --- a/erpnext/accounts/doctype/purchase_invoice/test_records.json +++ b/erpnext/accounts/doctype/purchase_invoice/test_records.json @@ -1,206 +1,206 @@ [ { - "bill_no": "NA", - "buying_price_list": "_Test Price List", - "company": "_Test Company", - "conversion_rate": 1, - "credit_to": "_Test Supplier - _TC", - "currency": "INR", - "doctype": "Purchase Invoice", + "bill_no": "NA", + "buying_price_list": "_Test Price List", + "company": "_Test Company", + "conversion_rate": 1, + "credit_to": "_Test Supplier - _TC", + "currency": "INR", + "doctype": "Purchase Invoice", "entries": [ { - "amount": 500, - "base_amount": 500, - "base_rate": 50, - "conversion_factor": 1.0, - "cost_center": "_Test Cost Center - _TC", - "doctype": "Purchase Invoice Item", - "expense_account": "_Test Account Cost for Goods Sold - _TC", - "item_code": "_Test Item Home Desktop 100", - "item_name": "_Test Item Home Desktop 100", - "item_tax_rate": "{\"_Test Account Excise Duty - _TC\": 10}", - "parentfield": "entries", - "qty": 10, - "rate": 50, + "amount": 500, + "base_amount": 500, + "base_rate": 50, + "conversion_factor": 1.0, + "cost_center": "_Test Cost Center - _TC", + "doctype": "Purchase Invoice Item", + "expense_account": "_Test Account Cost for Goods Sold - _TC", + "item_code": "_Test Item Home Desktop 100", + "item_name": "_Test Item Home Desktop 100", + "item_tax_rate": "{\"_Test Account Excise Duty - _TC\": 10}", + "parentfield": "entries", + "qty": 10, + "rate": 50, "uom": "_Test UOM" - }, + }, { - "amount": 750, - "base_amount": 750, - "base_rate": 150, - "conversion_factor": 1.0, - "cost_center": "_Test Cost Center - _TC", - "doctype": "Purchase Invoice Item", - "expense_account": "_Test Account Cost for Goods Sold - _TC", - "item_code": "_Test Item Home Desktop 200", - "item_name": "_Test Item Home Desktop 200", - "parentfield": "entries", - "qty": 5, - "rate": 150, + "amount": 750, + "base_amount": 750, + "base_rate": 150, + "conversion_factor": 1.0, + "cost_center": "_Test Cost Center - _TC", + "doctype": "Purchase Invoice Item", + "expense_account": "_Test Account Cost for Goods Sold - _TC", + "item_code": "_Test Item Home Desktop 200", + "item_name": "_Test Item Home Desktop 200", + "parentfield": "entries", + "qty": 5, + "rate": 150, "uom": "_Test UOM" } - ], - "fiscal_year": "_Test Fiscal Year 2013", - "grand_total_import": 0, - "naming_series": "BILL", + ], + "fiscal_year": "_Test Fiscal Year 2013", + "grand_total_import": 0, + "naming_series": "_T-BILL", "other_charges": [ { - "account_head": "_Test Account Shipping Charges - _TC", - "add_deduct_tax": "Add", - "category": "Valuation and Total", - "charge_type": "Actual", - "cost_center": "_Test Cost Center - _TC", - "description": "Shipping Charges", - "doctype": "Purchase Taxes and Charges", - "parentfield": "other_charges", + "account_head": "_Test Account Shipping Charges - _TC", + "add_deduct_tax": "Add", + "category": "Valuation and Total", + "charge_type": "Actual", + "cost_center": "_Test Cost Center - _TC", + "description": "Shipping Charges", + "doctype": "Purchase Taxes and Charges", + "parentfield": "other_charges", "rate": 100 - }, + }, { - "account_head": "_Test Account Customs Duty - _TC", - "add_deduct_tax": "Add", - "category": "Valuation", - "charge_type": "On Net Total", - "cost_center": "_Test Cost Center - _TC", - "description": "Customs Duty", - "doctype": "Purchase Taxes and Charges", - "parentfield": "other_charges", + "account_head": "_Test Account Customs Duty - _TC", + "add_deduct_tax": "Add", + "category": "Valuation", + "charge_type": "On Net Total", + "cost_center": "_Test Cost Center - _TC", + "description": "Customs Duty", + "doctype": "Purchase Taxes and Charges", + "parentfield": "other_charges", "rate": 10 - }, + }, { - "account_head": "_Test Account Excise Duty - _TC", - "add_deduct_tax": "Add", - "category": "Total", - "charge_type": "On Net Total", - "cost_center": "_Test Cost Center - _TC", - "description": "Excise Duty", - "doctype": "Purchase Taxes and Charges", - "parentfield": "other_charges", + "account_head": "_Test Account Excise Duty - _TC", + "add_deduct_tax": "Add", + "category": "Total", + "charge_type": "On Net Total", + "cost_center": "_Test Cost Center - _TC", + "description": "Excise Duty", + "doctype": "Purchase Taxes and Charges", + "parentfield": "other_charges", "rate": 12 - }, + }, { - "account_head": "_Test Account Education Cess - _TC", - "add_deduct_tax": "Add", - "category": "Total", - "charge_type": "On Previous Row Amount", - "cost_center": "_Test Cost Center - _TC", - "description": "Education Cess", - "doctype": "Purchase Taxes and Charges", - "parentfield": "other_charges", - "rate": 2, + "account_head": "_Test Account Education Cess - _TC", + "add_deduct_tax": "Add", + "category": "Total", + "charge_type": "On Previous Row Amount", + "cost_center": "_Test Cost Center - _TC", + "description": "Education Cess", + "doctype": "Purchase Taxes and Charges", + "parentfield": "other_charges", + "rate": 2, "row_id": 3 - }, + }, { - "account_head": "_Test Account S&H Education Cess - _TC", - "add_deduct_tax": "Add", - "category": "Total", - "charge_type": "On Previous Row Amount", - "cost_center": "_Test Cost Center - _TC", - "description": "S&H Education Cess", - "doctype": "Purchase Taxes and Charges", - "parentfield": "other_charges", - "rate": 1, + "account_head": "_Test Account S&H Education Cess - _TC", + "add_deduct_tax": "Add", + "category": "Total", + "charge_type": "On Previous Row Amount", + "cost_center": "_Test Cost Center - _TC", + "description": "S&H Education Cess", + "doctype": "Purchase Taxes and Charges", + "parentfield": "other_charges", + "rate": 1, "row_id": 3 - }, + }, { - "account_head": "_Test Account CST - _TC", - "add_deduct_tax": "Add", - "category": "Total", - "charge_type": "On Previous Row Total", - "cost_center": "_Test Cost Center - _TC", - "description": "CST", - "doctype": "Purchase Taxes and Charges", - "parentfield": "other_charges", - "rate": 2, + "account_head": "_Test Account CST - _TC", + "add_deduct_tax": "Add", + "category": "Total", + "charge_type": "On Previous Row Total", + "cost_center": "_Test Cost Center - _TC", + "description": "CST", + "doctype": "Purchase Taxes and Charges", + "parentfield": "other_charges", + "rate": 2, "row_id": 5 - }, + }, { - "account_head": "_Test Account VAT - _TC", - "add_deduct_tax": "Add", - "category": "Total", - "charge_type": "On Net Total", - "cost_center": "_Test Cost Center - _TC", - "description": "VAT", - "doctype": "Purchase Taxes and Charges", - "parentfield": "other_charges", + "account_head": "_Test Account VAT - _TC", + "add_deduct_tax": "Add", + "category": "Total", + "charge_type": "On Net Total", + "cost_center": "_Test Cost Center - _TC", + "description": "VAT", + "doctype": "Purchase Taxes and Charges", + "parentfield": "other_charges", "rate": 12.5 - }, + }, { - "account_head": "_Test Account Discount - _TC", - "add_deduct_tax": "Deduct", - "category": "Total", - "charge_type": "On Previous Row Total", - "cost_center": "_Test Cost Center - _TC", - "description": "Discount", - "doctype": "Purchase Taxes and Charges", - "parentfield": "other_charges", - "rate": 10, + "account_head": "_Test Account Discount - _TC", + "add_deduct_tax": "Deduct", + "category": "Total", + "charge_type": "On Previous Row Total", + "cost_center": "_Test Cost Center - _TC", + "description": "Discount", + "doctype": "Purchase Taxes and Charges", + "parentfield": "other_charges", + "rate": 10, "row_id": 7 } - ], - "posting_date": "2013-02-03", + ], + "posting_date": "2013-02-03", "supplier_name": "_Test Supplier" - }, + }, { - "bill_no": "NA", - "buying_price_list": "_Test Price List", - "company": "_Test Company", - "conversion_rate": 1.0, - "credit_to": "_Test Supplier - _TC", - "currency": "INR", - "doctype": "Purchase Invoice", + "bill_no": "NA", + "buying_price_list": "_Test Price List", + "company": "_Test Company", + "conversion_rate": 1.0, + "credit_to": "_Test Supplier - _TC", + "currency": "INR", + "doctype": "Purchase Invoice", "entries": [ { - "conversion_factor": 1.0, - "cost_center": "_Test Cost Center - _TC", - "doctype": "Purchase Invoice Item", - "expense_account": "_Test Account Cost for Goods Sold - _TC", - "item_code": "_Test Item", - "item_name": "_Test Item", - "parentfield": "entries", - "qty": 10.0, - "rate": 50.0, + "conversion_factor": 1.0, + "cost_center": "_Test Cost Center - _TC", + "doctype": "Purchase Invoice Item", + "expense_account": "_Test Account Cost for Goods Sold - _TC", + "item_code": "_Test Item", + "item_name": "_Test Item", + "parentfield": "entries", + "qty": 10.0, + "rate": 50.0, "uom": "_Test UOM" } - ], - "fiscal_year": "_Test Fiscal Year 2013", - "grand_total_import": 0, - "naming_series": "_T-Purchase Invoice-", + ], + "fiscal_year": "_Test Fiscal Year 2013", + "grand_total_import": 0, + "naming_series": "_T-Purchase Invoice-", "other_charges": [ { - "account_head": "_Test Account Shipping Charges - _TC", - "add_deduct_tax": "Add", - "category": "Valuation and Total", - "charge_type": "Actual", - "cost_center": "_Test Cost Center - _TC", - "description": "Shipping Charges", - "doctype": "Purchase Taxes and Charges", - "parentfield": "other_charges", + "account_head": "_Test Account Shipping Charges - _TC", + "add_deduct_tax": "Add", + "category": "Valuation and Total", + "charge_type": "Actual", + "cost_center": "_Test Cost Center - _TC", + "description": "Shipping Charges", + "doctype": "Purchase Taxes and Charges", + "parentfield": "other_charges", "rate": 100.0 - }, + }, { - "account_head": "_Test Account VAT - _TC", - "add_deduct_tax": "Add", - "category": "Total", - "charge_type": "Actual", - "cost_center": "_Test Cost Center - _TC", - "description": "VAT", - "doctype": "Purchase Taxes and Charges", - "parentfield": "other_charges", + "account_head": "_Test Account VAT - _TC", + "add_deduct_tax": "Add", + "category": "Total", + "charge_type": "Actual", + "cost_center": "_Test Cost Center - _TC", + "description": "VAT", + "doctype": "Purchase Taxes and Charges", + "parentfield": "other_charges", "rate": 120.0 - }, + }, { - "account_head": "_Test Account Customs Duty - _TC", - "add_deduct_tax": "Add", - "category": "Valuation", - "charge_type": "Actual", - "cost_center": "_Test Cost Center - _TC", - "description": "Customs Duty", - "doctype": "Purchase Taxes and Charges", - "parentfield": "other_charges", + "account_head": "_Test Account Customs Duty - _TC", + "add_deduct_tax": "Add", + "category": "Valuation", + "charge_type": "Actual", + "cost_center": "_Test Cost Center - _TC", + "description": "Customs Duty", + "doctype": "Purchase Taxes and Charges", + "parentfield": "other_charges", "rate": 150.0 } - ], - "posting_date": "2013-02-03", + ], + "posting_date": "2013-02-03", "supplier_name": "_Test Supplier" } -] \ No newline at end of file +] diff --git a/erpnext/manufacturing/doctype/production_order/production_order.json b/erpnext/manufacturing/doctype/production_order/production_order.json index b1b19e41c9..7e068cff74 100644 --- a/erpnext/manufacturing/doctype/production_order/production_order.json +++ b/erpnext/manufacturing/doctype/production_order/production_order.json @@ -1,256 +1,256 @@ { - "allow_import": 1, - "autoname": "naming_series:", - "creation": "2013-01-10 16:34:16", - "docstatus": 0, - "doctype": "DocType", + "allow_import": 1, + "autoname": "naming_series:", + "creation": "2013-01-10 16:34:16", + "docstatus": 0, + "doctype": "DocType", "fields": [ { - "fieldname": "item", - "fieldtype": "Section Break", - "label": "Item", - "options": "icon-gift", + "fieldname": "item", + "fieldtype": "Section Break", + "label": "Item", + "options": "icon-gift", "permlevel": 0 - }, + }, { - "default": "PRO", - "fieldname": "naming_series", - "fieldtype": "Select", - "label": "Series", - "options": "PRO-", - "permlevel": 0, + "default": "PRO-", + "fieldname": "naming_series", + "fieldtype": "Select", + "label": "Series", + "options": "PRO-", + "permlevel": 0, "reqd": 1 - }, + }, { - "depends_on": "eval:!doc.__islocal", - "fieldname": "status", - "fieldtype": "Select", - "in_filter": 1, - "in_list_view": 1, - "label": "Status", - "no_copy": 1, - "oldfieldname": "status", - "oldfieldtype": "Select", - "options": "\nDraft\nSubmitted\nStopped\nIn Process\nCompleted\nCancelled", - "permlevel": 0, - "read_only": 1, - "reqd": 1, + "depends_on": "eval:!doc.__islocal", + "fieldname": "status", + "fieldtype": "Select", + "in_filter": 1, + "in_list_view": 1, + "label": "Status", + "no_copy": 1, + "oldfieldname": "status", + "oldfieldtype": "Select", + "options": "\nDraft\nSubmitted\nStopped\nIn Process\nCompleted\nCancelled", + "permlevel": 0, + "read_only": 1, + "reqd": 1, "search_index": 1 - }, + }, { - "fieldname": "production_item", - "fieldtype": "Link", - "in_filter": 1, - "in_list_view": 1, - "label": "Item To Manufacture", - "oldfieldname": "production_item", - "oldfieldtype": "Link", - "options": "Item", - "permlevel": 0, - "read_only": 0, + "fieldname": "production_item", + "fieldtype": "Link", + "in_filter": 1, + "in_list_view": 1, + "label": "Item To Manufacture", + "oldfieldname": "production_item", + "oldfieldtype": "Link", + "options": "Item", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "depends_on": "production_item", - "description": "Bill of Material to be considered for manufacturing", - "fieldname": "bom_no", - "fieldtype": "Link", - "in_list_view": 1, - "label": "BOM No", - "oldfieldname": "bom_no", - "oldfieldtype": "Link", - "options": "BOM", - "permlevel": 0, - "read_only": 0, + "depends_on": "production_item", + "description": "Bill of Material to be considered for manufacturing", + "fieldname": "bom_no", + "fieldtype": "Link", + "in_list_view": 1, + "label": "BOM No", + "oldfieldname": "bom_no", + "oldfieldtype": "Link", + "options": "BOM", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "default": "1", - "description": "If checked, BOM for sub-assembly items will be considered for getting raw materials. Otherwise, all sub-assembly items will be treated as a raw material.", - "fieldname": "use_multi_level_bom", - "fieldtype": "Check", - "label": "Use Multi-Level BOM", + "default": "1", + "description": "If checked, BOM for sub-assembly items will be considered for getting raw materials. Otherwise, all sub-assembly items will be treated as a raw material.", + "fieldname": "use_multi_level_bom", + "fieldtype": "Check", + "label": "Use Multi-Level BOM", "permlevel": 0 - }, + }, { - "fieldname": "column_break1", - "fieldtype": "Column Break", - "oldfieldtype": "Column Break", - "permlevel": 0, - "read_only": 0, + "fieldname": "column_break1", + "fieldtype": "Column Break", + "oldfieldtype": "Column Break", + "permlevel": 0, + "read_only": 0, "width": "50%" - }, + }, { - "description": "Manufacture against Sales Order", - "fieldname": "sales_order", - "fieldtype": "Link", - "label": "Sales Order", - "options": "Sales Order", - "permlevel": 0, + "description": "Manufacture against Sales Order", + "fieldname": "sales_order", + "fieldtype": "Link", + "label": "Sales Order", + "options": "Sales Order", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "production_item", - "fieldname": "qty", - "fieldtype": "Float", - "in_list_view": 1, - "label": "Qty To Manufacture", - "oldfieldname": "qty", - "oldfieldtype": "Currency", - "permlevel": 0, - "read_only": 0, + "depends_on": "production_item", + "fieldname": "qty", + "fieldtype": "Float", + "in_list_view": 1, + "label": "Qty To Manufacture", + "oldfieldname": "qty", + "oldfieldtype": "Currency", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "depends_on": "eval:doc.docstatus==1", - "description": "Automatically updated via Stock Entry of type Manufacture/Repack", - "fieldname": "produced_qty", - "fieldtype": "Float", - "label": "Manufactured Qty", - "no_copy": 1, - "oldfieldname": "produced_qty", - "oldfieldtype": "Currency", - "permlevel": 0, + "depends_on": "eval:doc.docstatus==1", + "description": "Automatically updated via Stock Entry of type Manufacture/Repack", + "fieldname": "produced_qty", + "fieldtype": "Float", + "label": "Manufactured Qty", + "no_copy": 1, + "oldfieldname": "produced_qty", + "oldfieldtype": "Currency", + "permlevel": 0, "read_only": 1 - }, + }, { - "depends_on": "sales_order", - "fieldname": "expected_delivery_date", - "fieldtype": "Date", - "label": "Expected Delivery Date", - "permlevel": 0, + "depends_on": "sales_order", + "fieldname": "expected_delivery_date", + "fieldtype": "Date", + "label": "Expected Delivery Date", + "permlevel": 0, "read_only": 1 - }, + }, { - "fieldname": "warehouses", - "fieldtype": "Section Break", - "label": "Warehouses", - "options": "icon-building", + "fieldname": "warehouses", + "fieldtype": "Section Break", + "label": "Warehouses", + "options": "icon-building", "permlevel": 0 - }, + }, { - "depends_on": "production_item", - "description": "Manufactured quantity will be updated in this warehouse", - "fieldname": "fg_warehouse", - "fieldtype": "Link", - "in_list_view": 0, - "label": "For Warehouse", - "options": "Warehouse", - "permlevel": 0, - "read_only": 0, + "depends_on": "production_item", + "description": "Manufactured quantity will be updated in this warehouse", + "fieldname": "fg_warehouse", + "fieldtype": "Link", + "in_list_view": 0, + "label": "For Warehouse", + "options": "Warehouse", + "permlevel": 0, + "read_only": 0, "reqd": 0 - }, + }, { - "fieldname": "column_break_12", - "fieldtype": "Column Break", + "fieldname": "column_break_12", + "fieldtype": "Column Break", "permlevel": 0 - }, + }, { - "fieldname": "wip_warehouse", - "fieldtype": "Link", - "label": "Work-in-Progress Warehouse", - "options": "Warehouse", - "permlevel": 0, + "fieldname": "wip_warehouse", + "fieldtype": "Link", + "label": "Work-in-Progress Warehouse", + "options": "Warehouse", + "permlevel": 0, "reqd": 0 - }, + }, { - "fieldname": "more_info", - "fieldtype": "Section Break", - "label": "More Info", - "options": "icon-file-text", - "permlevel": 0, + "fieldname": "more_info", + "fieldtype": "Section Break", + "label": "More Info", + "options": "icon-file-text", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "description", - "fieldtype": "Small Text", - "label": "Item Description", - "permlevel": 0, + "fieldname": "description", + "fieldtype": "Small Text", + "label": "Item Description", + "permlevel": 0, "read_only": 1 - }, + }, { - "fieldname": "project_name", - "fieldtype": "Link", - "in_filter": 1, - "label": "Project Name", - "oldfieldname": "project_name", - "oldfieldtype": "Link", - "options": "Project", - "permlevel": 0, + "fieldname": "project_name", + "fieldtype": "Link", + "in_filter": 1, + "label": "Project Name", + "oldfieldname": "project_name", + "oldfieldtype": "Link", + "options": "Project", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "column_break2", - "fieldtype": "Column Break", - "permlevel": 0, - "read_only": 0, + "fieldname": "column_break2", + "fieldtype": "Column Break", + "permlevel": 0, + "read_only": 0, "width": "50%" - }, + }, { - "depends_on": "production_item", - "fieldname": "stock_uom", - "fieldtype": "Link", - "label": "Stock UOM", - "oldfieldname": "stock_uom", - "oldfieldtype": "Data", - "options": "UOM", - "permlevel": 0, + "depends_on": "production_item", + "fieldname": "stock_uom", + "fieldtype": "Link", + "label": "Stock UOM", + "oldfieldname": "stock_uom", + "oldfieldtype": "Data", + "options": "UOM", + "permlevel": 0, "read_only": 1 - }, + }, { - "fieldname": "company", - "fieldtype": "Link", - "label": "Company", - "oldfieldname": "company", - "oldfieldtype": "Link", - "options": "Company", - "permlevel": 0, - "read_only": 0, + "fieldname": "company", + "fieldtype": "Link", + "label": "Company", + "oldfieldname": "company", + "oldfieldtype": "Link", + "options": "Company", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "fieldname": "amended_from", - "fieldtype": "Data", - "ignore_user_permissions": 1, - "label": "Amended From", - "no_copy": 1, - "oldfieldname": "amended_from", - "oldfieldtype": "Data", - "permlevel": 0, + "fieldname": "amended_from", + "fieldtype": "Data", + "ignore_user_permissions": 1, + "label": "Amended From", + "no_copy": 1, + "oldfieldname": "amended_from", + "oldfieldtype": "Data", + "permlevel": 0, "read_only": 1 } - ], - "icon": "icon-cogs", - "idx": 1, - "in_create": 0, - "is_submittable": 1, - "modified": "2014-05-27 03:49:15.008942", - "modified_by": "Administrator", - "module": "Manufacturing", - "name": "Production Order", - "owner": "Administrator", + ], + "icon": "icon-cogs", + "idx": 1, + "in_create": 0, + "is_submittable": 1, + "modified": "2014-05-27 03:49:15.008942", + "modified_by": "Administrator", + "module": "Manufacturing", + "name": "Production Order", + "owner": "Administrator", "permissions": [ { - "amend": 1, - "apply_user_permissions": 1, - "cancel": 1, - "create": 1, - "delete": 1, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Manufacturing User", - "submit": 1, + "amend": 1, + "apply_user_permissions": 1, + "cancel": 1, + "create": 1, + "delete": 1, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Manufacturing User", + "submit": 1, "write": 1 - }, + }, { - "apply_user_permissions": 1, - "permlevel": 0, - "read": 1, - "report": 1, + "apply_user_permissions": 1, + "permlevel": 0, + "read": 1, + "report": 1, "role": "Material User" } ] -} \ No newline at end of file +} diff --git a/erpnext/selling/doctype/lead/test_records.json b/erpnext/selling/doctype/lead/test_records.json index ce9460489c..01b0a992d2 100644 --- a/erpnext/selling/doctype/lead/test_records.json +++ b/erpnext/selling/doctype/lead/test_records.json @@ -16,7 +16,7 @@ "doctype": "Lead", "email_id": "test_lead2@example.com", "lead_name": "_Test Lead 2", - "status": "Contacted" + "status": "Lead" }, { "doctype": "Lead", diff --git a/erpnext/support/doctype/newsletter/newsletter.py b/erpnext/support/doctype/newsletter/newsletter.py index 9072700fb6..88040e21b4 100644 --- a/erpnext/support/doctype/newsletter/newsletter.py +++ b/erpnext/support/doctype/newsletter/newsletter.py @@ -125,7 +125,7 @@ def create_lead(email_id): "doctype": "Lead", "email_id": email_id, "lead_name": real_name or email_id, - "status": "Contacted", + "status": "Lead", "naming_series": get_default_naming_series("Lead"), "company": frappe.db.get_default("company"), "source": "Email" From de5e397fd4c3f760d013ed950a02f0c19b6ead58 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Thu, 19 Jun 2014 19:25:19 +0530 Subject: [PATCH 235/630] Inventory Accounting: Cost Center only required for Expense Account --- erpnext/controllers/stock_controller.py | 7 +++++-- 1 file changed, 5 insertions(+), 2 deletions(-) diff --git a/erpnext/controllers/stock_controller.py b/erpnext/controllers/stock_controller.py index 96b8a6e801..d31034753c 100644 --- a/erpnext/controllers/stock_controller.py +++ b/erpnext/controllers/stock_controller.py @@ -237,8 +237,11 @@ class StockController(AccountsController): if not item.get("expense_account"): frappe.throw(_("Expense or Difference account is mandatory for Item {0} as it impacts overall stock value").format(item.item_code)) - if item.get("expense_account") and not item.get("cost_center"): - frappe.throw(_("""Cost Center is mandatory for Item {0}""").format(item.get("item_code"))) + else: + is_expense_account = frappe.db.get_value("Account", item.get("expense_account"), "report_type")=="Profit and Loss" + if is_expense_account and not item.get("cost_center"): + frappe.throw(_("{0} {1}: Cost Center is mandatory for Item {2}").format( + _(self.doctype), self.name, item.get("item_code"))) def get_sl_entries(self, d, args): sl_dict = { From 9daca108b3c6f0512515aa7673901f25f60db489 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Fri, 20 Jun 2014 15:59:49 +0530 Subject: [PATCH 236/630] Pricing Rule fixes and improvements. Fixes #1795 --- .../doctype/pricing_rule/pricing_rule.js | 27 ++ .../doctype/pricing_rule/pricing_rule.json | 440 +++++++++--------- .../doctype/pricing_rule/pricing_rule.py | 196 +++++++- .../doctype/pricing_rule/test_pricing_rule.py | 7 +- .../purchase_invoice/purchase_invoice.json | 16 +- .../doctype/sales_invoice/sales_invoice.json | 16 +- .../purchase_order/purchase_order.json | 16 +- .../doctype/purchase_order/purchase_order.py | 13 +- .../supplier_quotation.json | 16 +- .../supplier_quotation/supplier_quotation.py | 1 + erpnext/controllers/accounts_controller.py | 6 +- erpnext/patches.txt | 1 + .../set_pricing_rule_for_buying_or_selling.py | 12 + erpnext/public/js/transaction.js | 117 +++-- .../selling/doctype/quotation/quotation.json | 16 +- .../selling/doctype/quotation/quotation.py | 2 +- .../doctype/sales_order/sales_order.json | 16 +- .../doctype/sales_order/sales_order.py | 9 +- .../doctype/delivery_note/delivery_note.json | 16 +- .../doctype/delivery_note/delivery_note.py | 1 + erpnext/stock/doctype/item/test_item.py | 12 +- .../purchase_receipt/purchase_receipt.json | 16 +- .../purchase_receipt/purchase_receipt.py | 1 + erpnext/stock/get_item_details.py | 161 +------ 24 files changed, 695 insertions(+), 439 deletions(-) create mode 100644 erpnext/patches/v4_0/set_pricing_rule_for_buying_or_selling.py diff --git a/erpnext/accounts/doctype/pricing_rule/pricing_rule.js b/erpnext/accounts/doctype/pricing_rule/pricing_rule.js index 356cc0de9c..a1859e5d57 100644 --- a/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +++ b/erpnext/accounts/doctype/pricing_rule/pricing_rule.js @@ -61,4 +61,31 @@ frappe.ui.form.on("Pricing Rule", "refresh", function(frm) { '
'].join("\n"); set_field_options("pricing_rule_help", help_content); + + cur_frm.cscript.set_options_for_applicable_for(); }); + +cur_frm.cscript.set_options_for_applicable_for = function() { + var options = [""]; + var applicable_for = cur_frm.doc.applicable_for; + + if(cur_frm.doc.selling) { + options = $.merge(options, ["Customer", "Customer Group", "Territory", "Sales Partner", "Campaign"]); + } + if(cur_frm.doc.buying) { + $.merge(options, ["Supplier", "Supplier Type"]); + } + + set_field_options("applicable_for", options.join("\n")); + + if(!in_list(options, applicable_for)) applicable_for = null; + cur_frm.set_value("applicable_for", applicable_for) +} + +cur_frm.cscript.selling = function() { + cur_frm.cscript.set_options_for_applicable_for(); +} + +cur_frm.cscript.buying = function() { + cur_frm.cscript.set_options_for_applicable_for(); +} diff --git a/erpnext/accounts/doctype/pricing_rule/pricing_rule.json b/erpnext/accounts/doctype/pricing_rule/pricing_rule.json index b20563fa76..e15cea83b8 100644 --- a/erpnext/accounts/doctype/pricing_rule/pricing_rule.json +++ b/erpnext/accounts/doctype/pricing_rule/pricing_rule.json @@ -1,288 +1,300 @@ { - "allow_import": 1, - "autoname": "PRULE.#####", - "creation": "2014-02-21 15:02:51", - "docstatus": 0, - "doctype": "DocType", - "document_type": "Master", + "allow_import": 1, + "autoname": "PRULE.#####", + "creation": "2014-02-21 15:02:51", + "docstatus": 0, + "doctype": "DocType", + "document_type": "Master", "fields": [ { - "fieldname": "applicability_section", - "fieldtype": "Section Break", - "in_list_view": 0, - "label": "Applicability", + "fieldname": "applicability_section", + "fieldtype": "Section Break", + "in_list_view": 0, + "label": "Applicability", "permlevel": 0 - }, + }, { - "default": "Item Code", - "fieldname": "apply_on", - "fieldtype": "Select", - "in_list_view": 1, - "label": "Apply On", - "options": "\nItem Code\nItem Group\nBrand", - "permlevel": 0, + "default": "Item Code", + "fieldname": "apply_on", + "fieldtype": "Select", + "in_list_view": 1, + "label": "Apply On", + "options": "\nItem Code\nItem Group\nBrand", + "permlevel": 0, "reqd": 1 - }, + }, { - "depends_on": "eval:doc.apply_on==\"Item Code\"", - "fieldname": "item_code", - "fieldtype": "Link", - "in_list_view": 1, - "label": "Item Code", - "options": "Item", - "permlevel": 0, + "depends_on": "eval:doc.apply_on==\"Item Code\"", + "fieldname": "item_code", + "fieldtype": "Link", + "in_list_view": 1, + "label": "Item Code", + "options": "Item", + "permlevel": 0, "reqd": 0 - }, + }, { - "depends_on": "eval:doc.apply_on==\"Item Group\"", - "fieldname": "item_group", - "fieldtype": "Link", - "in_list_view": 1, - "label": "Item Group", - "options": "Item Group", + "depends_on": "eval:doc.apply_on==\"Item Group\"", + "fieldname": "item_group", + "fieldtype": "Link", + "in_list_view": 1, + "label": "Item Group", + "options": "Item Group", "permlevel": 0 - }, + }, { - "depends_on": "eval:doc.apply_on==\"Brand\"", - "fieldname": "brand", - "fieldtype": "Link", - "in_list_view": 1, - "label": "Brand", - "options": "Brand", + "depends_on": "eval:doc.apply_on==\"Brand\"", + "fieldname": "brand", + "fieldtype": "Link", + "in_list_view": 1, + "label": "Brand", + "options": "Brand", "permlevel": 0 - }, + }, { - "fieldname": "applicable_for", - "fieldtype": "Select", - "label": "Applicable For", - "options": "\nCustomer\nCustomer Group\nTerritory\nSales Partner\nCampaign\nSupplier\nSupplier Type", + "fieldname": "selling", + "fieldtype": "Check", + "label": "Selling", "permlevel": 0 - }, + }, { - "depends_on": "eval:doc.applicable_for==\"Customer\"", - "fieldname": "customer", - "fieldtype": "Link", - "label": "Customer", - "options": "Customer", + "fieldname": "buying", + "fieldtype": "Check", + "label": "Buying", "permlevel": 0 - }, + }, { - "depends_on": "eval:doc.applicable_for==\"Customer Group\"", - "fieldname": "customer_group", - "fieldtype": "Link", - "label": "Customer Group", - "options": "Customer Group", + "fieldname": "applicable_for", + "fieldtype": "Select", + "label": "Applicable For", + "options": "\nCustomer\nCustomer Group\nTerritory\nSales Partner\nCampaign\nSupplier\nSupplier Type", "permlevel": 0 - }, + }, { - "depends_on": "eval:doc.applicable_for==\"Territory\"", - "fieldname": "territory", - "fieldtype": "Link", - "label": "Territory", - "options": "Territory", + "depends_on": "eval:doc.applicable_for==\"Customer\"", + "fieldname": "customer", + "fieldtype": "Link", + "label": "Customer", + "options": "Customer", "permlevel": 0 - }, + }, { - "depends_on": "eval:doc.applicable_for==\"Sales Partner\"", - "fieldname": "sales_partner", - "fieldtype": "Link", - "label": "Sales Partner", - "options": "Sales Partner", + "depends_on": "eval:doc.applicable_for==\"Customer Group\"", + "fieldname": "customer_group", + "fieldtype": "Link", + "label": "Customer Group", + "options": "Customer Group", "permlevel": 0 - }, + }, { - "depends_on": "eval:doc.applicable_for==\"Campaign\"", - "fieldname": "campaign", - "fieldtype": "Link", - "label": "Campaign", - "options": "Campaign", + "depends_on": "eval:doc.applicable_for==\"Territory\"", + "fieldname": "territory", + "fieldtype": "Link", + "label": "Territory", + "options": "Territory", "permlevel": 0 - }, + }, { - "depends_on": "eval:doc.applicable_for==\"Supplier\"", - "fieldname": "supplier", - "fieldtype": "Link", - "label": "Supplier", - "options": "Supplier", + "depends_on": "eval:doc.applicable_for==\"Sales Partner\"", + "fieldname": "sales_partner", + "fieldtype": "Link", + "label": "Sales Partner", + "options": "Sales Partner", "permlevel": 0 - }, + }, { - "depends_on": "eval:doc.applicable_for==\"Supplier Type\"", - "fieldname": "supplier_type", - "fieldtype": "Link", - "label": "Supplier Type", - "options": "Supplier Type", + "depends_on": "eval:doc.applicable_for==\"Campaign\"", + "fieldname": "campaign", + "fieldtype": "Link", + "label": "Campaign", + "options": "Campaign", "permlevel": 0 - }, + }, { - "fieldname": "min_qty", - "fieldtype": "Float", - "label": "Min Qty", + "depends_on": "eval:doc.applicable_for==\"Supplier\"", + "fieldname": "supplier", + "fieldtype": "Link", + "label": "Supplier", + "options": "Supplier", "permlevel": 0 - }, + }, { - "fieldname": "max_qty", - "fieldtype": "Float", - "label": "Max Qty", + "depends_on": "eval:doc.applicable_for==\"Supplier Type\"", + "fieldname": "supplier_type", + "fieldtype": "Link", + "label": "Supplier Type", + "options": "Supplier Type", "permlevel": 0 - }, + }, { - "fieldname": "col_break1", - "fieldtype": "Column Break", + "fieldname": "max_qty", + "fieldtype": "Float", + "label": "Max Qty", "permlevel": 0 - }, + }, { - "fieldname": "company", - "fieldtype": "Link", - "label": "Company", - "options": "Company", + "fieldname": "min_qty", + "fieldtype": "Float", + "label": "Min Qty", "permlevel": 0 - }, + }, { - "default": "Today", - "fieldname": "valid_from", - "fieldtype": "Date", - "label": "Valid From", + "fieldname": "col_break1", + "fieldtype": "Column Break", "permlevel": 0 - }, + }, { - "fieldname": "valid_upto", - "fieldtype": "Date", - "label": "Valid Upto", + "fieldname": "company", + "fieldtype": "Link", + "label": "Company", + "options": "Company", "permlevel": 0 - }, + }, { - "fieldname": "priority", - "fieldtype": "Select", - "label": "Priority", - "options": "\n1\n2\n3\n4\n5\n6\n7\n8\n9\n10\n11\n12\n13\n14\n15\n16\n17\n18\n19\n20", + "default": "Today", + "fieldname": "valid_from", + "fieldtype": "Date", + "label": "Valid From", "permlevel": 0 - }, + }, { - "fieldname": "disable", - "fieldtype": "Check", - "label": "Disable", + "fieldname": "valid_upto", + "fieldtype": "Date", + "label": "Valid Upto", "permlevel": 0 - }, + }, { - "fieldname": "price_discount_section", - "fieldtype": "Section Break", - "label": "Price / Discount", + "fieldname": "priority", + "fieldtype": "Select", + "label": "Priority", + "options": "\n1\n2\n3\n4\n5\n6\n7\n8\n9\n10\n11\n12\n13\n14\n15\n16\n17\n18\n19\n20", "permlevel": 0 - }, + }, { - "default": "Discount Percentage", - "fieldname": "price_or_discount", - "fieldtype": "Select", - "label": "Price or Discount", - "options": "\nPrice\nDiscount Percentage", - "permlevel": 0, + "fieldname": "disable", + "fieldtype": "Check", + "label": "Disable", + "permlevel": 0 + }, + { + "fieldname": "price_discount_section", + "fieldtype": "Section Break", + "label": "Price / Discount", + "permlevel": 0 + }, + { + "default": "Discount Percentage", + "fieldname": "price_or_discount", + "fieldtype": "Select", + "label": "Price or Discount", + "options": "\nPrice\nDiscount Percentage", + "permlevel": 0, "reqd": 1 - }, + }, { - "fieldname": "col_break2", - "fieldtype": "Column Break", + "fieldname": "col_break2", + "fieldtype": "Column Break", "permlevel": 0 - }, + }, { - "depends_on": "eval:doc.price_or_discount==\"Price\"", - "fieldname": "price", - "fieldtype": "Float", - "label": "Price", + "depends_on": "eval:doc.price_or_discount==\"Price\"", + "fieldname": "price", + "fieldtype": "Float", + "label": "Price", "permlevel": 0 - }, + }, { - "depends_on": "eval:doc.price_or_discount==\"Discount Percentage\"", - "fieldname": "discount_percentage", - "fieldtype": "Float", - "label": "Discount Percentage", + "depends_on": "eval:doc.price_or_discount==\"Discount Percentage\"", + "fieldname": "discount_percentage", + "fieldtype": "Float", + "label": "Discount Percentage", "permlevel": 0 - }, + }, { - "depends_on": "eval:doc.price_or_discount==\"Discount Percentage\"", - "fieldname": "for_price_list", - "fieldtype": "Link", - "label": "For Price List", - "options": "Price List", + "depends_on": "eval:doc.price_or_discount==\"Discount Percentage\"", + "fieldname": "for_price_list", + "fieldtype": "Link", + "label": "For Price List", + "options": "Price List", "permlevel": 0 - }, + }, { - "fieldname": "help_section", - "fieldtype": "Section Break", - "label": "", - "options": "Simple", + "fieldname": "help_section", + "fieldtype": "Section Break", + "label": "", + "options": "Simple", "permlevel": 0 - }, + }, { - "fieldname": "pricing_rule_help", - "fieldtype": "HTML", - "label": "Pricing Rule Help", + "fieldname": "pricing_rule_help", + "fieldtype": "HTML", + "label": "Pricing Rule Help", "permlevel": 0 } - ], - "icon": "icon-gift", - "idx": 1, - "istable": 0, - "modified": "2014-05-28 15:36:29.403659", - "modified_by": "Administrator", - "module": "Accounts", - "name": "Pricing Rule", - "owner": "Administrator", + ], + "icon": "icon-gift", + "idx": 1, + "istable": 0, + "modified": "2014-06-19 15:00:09.962572", + "modified_by": "Administrator", + "module": "Accounts", + "name": "Pricing Rule", + "owner": "Administrator", "permissions": [ { - "create": 1, - "delete": 1, - "export": 0, - "import": 0, - "permlevel": 0, - "read": 1, - "report": 1, - "role": "Accounts Manager", + "create": 1, + "delete": 1, + "export": 0, + "import": 0, + "permlevel": 0, + "read": 1, + "report": 1, + "role": "Accounts Manager", "write": 1 - }, + }, { - "create": 1, - "delete": 1, - "export": 0, - "import": 0, - "permlevel": 0, - "print": 0, - "read": 1, - "report": 1, - "role": "Sales Manager", + "create": 1, + "delete": 1, + "export": 0, + "import": 0, + "permlevel": 0, + "print": 0, + "read": 1, + "report": 1, + "role": "Sales Manager", "write": 1 - }, + }, { - "create": 1, - "delete": 1, - "permlevel": 0, - "read": 1, - "report": 1, - "role": "Purchase Manager", + "create": 1, + "delete": 1, + "permlevel": 0, + "read": 1, + "report": 1, + "role": "Purchase Manager", "write": 1 - }, + }, { - "create": 1, - "delete": 1, - "permlevel": 0, - "read": 1, - "report": 1, - "role": "Website Manager", + "create": 1, + "delete": 1, + "permlevel": 0, + "read": 1, + "report": 1, + "role": "Website Manager", "write": 1 - }, + }, { - "create": 1, - "delete": 1, - "export": 1, - "import": 1, - "permlevel": 0, - "read": 1, - "report": 1, - "set_user_permissions": 1, - "role": "System Manager", + "create": 1, + "delete": 1, + "export": 1, + "import": 1, + "permlevel": 0, + "read": 1, + "report": 1, + "restrict": 1, + "role": "System Manager", "write": 1 } - ], - "sort_field": "modified", + ], + "sort_field": "modified", "sort_order": "DESC" -} +} \ No newline at end of file diff --git a/erpnext/accounts/doctype/pricing_rule/pricing_rule.py b/erpnext/accounts/doctype/pricing_rule/pricing_rule.py index a15b45a381..5cf500a597 100644 --- a/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +++ b/erpnext/accounts/doctype/pricing_rule/pricing_rule.py @@ -5,13 +5,17 @@ from __future__ import unicode_literals import frappe +import json from frappe import throw, _ -from frappe.utils import flt +from frappe.utils import flt, cint from frappe.model.document import Document +class MultiplePricingRuleConflict(frappe.ValidationError): pass + class PricingRule(Document): def validate(self): self.validate_mandatory() + self.validate_applicable_for_selling_or_buying() self.validate_min_max_qty() self.cleanup_fields_value() self.validate_price_or_discount() @@ -22,6 +26,18 @@ class PricingRule(Document): if tocheck and not self.get(tocheck): throw(_("{0} is required").format(self.meta.get_label(tocheck)), frappe.MandatoryError) + def validate_applicable_for_selling_or_buying(self): + if not self.selling and not self.buying: + throw(_("Atleast one of the Selling or Buying must be selected")) + + if not self.selling and self.applicable_for in ["Customer", "Customer Group", + "Territory", "Sales Partner", "Campaign"]: + throw(_("Selling must be checked, if Applicable For is selected as {0}" + .format(self.applicable_for))) + + if not self.buying and self.applicable_for in ["Supplier", "Supplier Type"]: + throw(_("Buying must be checked, if Applicable For is selected as {0}" + .format(self.applicable_for))) def validate_min_max_qty(self): if self.min_qty and self.max_qty and flt(self.min_qty) > flt(self.max_qty): @@ -44,3 +60,181 @@ class PricingRule(Document): for field in ["Price", "Discount Percentage"]: if flt(self.get(frappe.scrub(field))) < 0: throw(_("{0} can not be negative").format(field)) + +#-------------------------------------------------------------------------------- + +@frappe.whitelist() +def apply_pricing_rule(args): + """ + args = { + "item_list": [{"doctype": "", "name": "", "item_code": "", "brand": "", "item_group": ""}, ...], + "customer": "something", + "customer_group": "something", + "territory": "something", + "supplier": "something", + "supplier_type": "something", + "currency": "something", + "conversion_rate": "something", + "price_list": "something", + "plc_conversion_rate": "something", + "company": "something", + "transaction_date": "something", + "campaign": "something", + "sales_partner": "something", + "ignore_pricing_rule": "something" + } + """ + if isinstance(args, basestring): + args = json.loads(args) + + args = frappe._dict(args) + + # list of dictionaries + out = [] + + if args.get("parenttype") == "Material Request": return out + + if not args.transaction_type: + args.transaction_type = "buying" if frappe.get_meta(args.parenttype).get_field("supplier") \ + else "selling" + + for item in args.get("item_list"): + args_copy = args.copy() + args_copy.update(item) + out.append(get_pricing_rule_for_item(args_copy)) + + return out + +def get_pricing_rule_for_item(args): + if args.get("parenttype") == "Material Request": return {} + + item_details = frappe._dict({ + "doctype": args.doctype, + "name": args.name, + "pricing_rule": None + }) + + if args.ignore_pricing_rule or not args.item_code: + return item_details + + if not (args.item_group and args.brand): + args.item_group, args.brand = frappe.db.get_value("Item", args.item_code, ["item_group", "brand"]) + + if args.customer and not (args.customer_group and args.territory): + args.customer_group, args.territory = frappe.db.get_value("Customer", args.customer, + ["customer_group", "territory"]) + elif args.supplier and not args.supplier_type: + args.supplier_type = frappe.db.get_value("Supplier", args.supplier, "supplier_type") + + pricing_rules = get_pricing_rules(args) + pricing_rule = filter_pricing_rules(args, pricing_rules) + + if pricing_rule: + item_details.pricing_rule = pricing_rule.name + if pricing_rule.price_or_discount == "Price": + item_details.update({ + "price_list_rate": pricing_rule.price*flt(args.plc_conversion_rate)/flt(args.conversion_rate), + "discount_percentage": 0.0 + }) + else: + item_details.discount_percentage = pricing_rule.discount_percentage + + return item_details + +def get_pricing_rules(args): + def _get_tree_conditions(parenttype, allow_blank=True): + field = frappe.scrub(parenttype) + condition = "" + if args.get(field): + lft, rgt = frappe.db.get_value(parenttype, args[field], ["lft", "rgt"]) + parent_groups = frappe.db.sql_list("""select name from `tab%s` + where lft<=%s and rgt>=%s""" % (parenttype, '%s', '%s'), (lft, rgt)) + + if parent_groups: + if allow_blank: parent_groups.append('') + condition = " ifnull("+field+", '') in ('" + "', '".join(parent_groups)+"')" + + return condition + + + conditions = "" + for field in ["company", "customer", "supplier", "supplier_type", "campaign", "sales_partner"]: + if args.get(field): + conditions += " and ifnull("+field+", '') in (%("+field+")s, '')" + else: + conditions += " and ifnull("+field+", '') = ''" + + for parenttype in ["Customer Group", "Territory"]: + group_condition = _get_tree_conditions(parenttype) + if group_condition: + conditions += " and " + group_condition + + conditions += " and ifnull(for_price_list, '') in (%(price_list)s, '')" + + if args.get("transaction_date"): + conditions += """ and %(transaction_date)s between ifnull(valid_from, '2000-01-01') + and ifnull(valid_upto, '2500-12-31')""" + + return frappe.db.sql("""select * from `tabPricing Rule` + where (item_code=%(item_code)s or {item_group_condition} or brand=%(brand)s) + and docstatus < 2 and ifnull(disable, 0) = 0 + and ifnull({transaction_type}, 0) = 1 {conditions} + order by priority desc, name desc""".format( + item_group_condition=_get_tree_conditions("Item Group", False), + transaction_type=args.transaction_type, conditions=conditions), args, as_dict=1) + +def filter_pricing_rules(args, pricing_rules): + # filter for qty + if pricing_rules and args.get("qty"): + pricing_rules = filter(lambda x: (args.qty>=flt(x.min_qty) + and (args.qty<=x.max_qty if x.max_qty else True)), pricing_rules) + + # find pricing rule with highest priority + if pricing_rules: + max_priority = max([cint(p.priority) for p in pricing_rules]) + if max_priority: + pricing_rules = filter(lambda x: cint(x.priority)==max_priority, pricing_rules) + + # apply internal priority + all_fields = ["item_code", "item_group", "brand", "customer", "customer_group", "territory", + "supplier", "supplier_type", "campaign", "sales_partner"] + + if len(pricing_rules) > 1: + for field_set in [["item_code", "item_group", "brand"], + ["customer", "customer_group", "territory"], ["supplier", "supplier_type"]]: + remaining_fields = list(set(all_fields) - set(field_set)) + if if_all_rules_same(pricing_rules, remaining_fields): + pricing_rules = apply_internal_priority(pricing_rules, field_set, args) + break + + if len(pricing_rules) > 1: + price_or_discount = list(set([d.price_or_discount for d in pricing_rules])) + if len(price_or_discount) == 1 and price_or_discount[0] == "Discount Percentage": + pricing_rules = filter(lambda x: x.for_price_list==args.price_list, pricing_rules) \ + or pricing_rules + + if len(pricing_rules) > 1: + frappe.throw(_("Multiple Price Rule exists with same criteria, please resolve \ + conflict by assigning priority. Price Rules: {0}") + .format("\n".join([d.name for d in pricing_rules])), MultiplePricingRuleConflict) + elif pricing_rules: + return pricing_rules[0] + +def if_all_rules_same(pricing_rules, fields): + all_rules_same = True + val = [pricing_rules[0][k] for k in fields] + for p in pricing_rules[1:]: + if val != [p[k] for k in fields]: + all_rules_same = False + break + + return all_rules_same + +def apply_internal_priority(pricing_rules, field_set, args): + filtered_rules = [] + for field in field_set: + if args.get(field): + filtered_rules = filter(lambda x: x[field]==args[field], pricing_rules) + if filtered_rules: break + + return filtered_rules or pricing_rules diff --git a/erpnext/accounts/doctype/pricing_rule/test_pricing_rule.py b/erpnext/accounts/doctype/pricing_rule/test_pricing_rule.py index b17c995298..e8496d068b 100644 --- a/erpnext/accounts/doctype/pricing_rule/test_pricing_rule.py +++ b/erpnext/accounts/doctype/pricing_rule/test_pricing_rule.py @@ -17,6 +17,7 @@ class TestPricingRule(unittest.TestCase): "doctype": "Pricing Rule", "apply_on": "Item Code", "item_code": "_Test Item", + "selling": 1, "price_or_discount": "Discount Percentage", "price": 0, "discount_percentage": 10, @@ -29,13 +30,15 @@ class TestPricingRule(unittest.TestCase): "company": "_Test Company", "price_list": "_Test Price List", "currency": "_Test Currency", - "doctype": "Sales Order", + "parenttype": "Sales Order", "conversion_rate": 1, "price_list_currency": "_Test Currency", "plc_conversion_rate": 1, "order_type": "Sales", "transaction_type": "selling", "customer": "_Test Customer", + "doctype": "Sales Order Item", + "name": None }) details = get_item_details(args) self.assertEquals(details.get("discount_percentage"), 10) @@ -71,7 +74,7 @@ class TestPricingRule(unittest.TestCase): self.assertEquals(details.get("discount_percentage"), 5) frappe.db.sql("update `tabPricing Rule` set priority=NULL where campaign='_Test Campaign'") - from erpnext.stock.get_item_details import MultiplePricingRuleConflict + from erpnext.accounts.doctype.pricing_rule.pricing_rule import MultiplePricingRuleConflict self.assertRaises(MultiplePricingRuleConflict, get_item_details, args) args.item_code = "_Test Item 2" diff --git a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.json b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.json index 505a3ba79a..8eb3b0907e 100755 --- a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.json +++ b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.json @@ -231,6 +231,14 @@ "print_hide": 1, "read_only": 0 }, + { + "fieldname": "ignore_pricing_rule", + "fieldtype": "Check", + "label": "Ignore Pricing Rule", + "no_copy": 1, + "permlevel": 1, + "print_hide": 1 + }, { "fieldname": "items", "fieldtype": "Section Break", @@ -744,7 +752,7 @@ "icon": "icon-file-text", "idx": 1, "is_submittable": 1, - "modified": "2014-06-04 08:45:25.582170", + "modified": "2014-06-19 15:50:50.898237", "modified_by": "Administrator", "module": "Accounts", "name": "Purchase Invoice", @@ -823,6 +831,12 @@ "role": "Auditor", "submit": 0, "write": 0 + }, + { + "permlevel": 1, + "read": 1, + "role": "Accounts Manager", + "write": 1 } ], "read_only_onload": 1, diff --git a/erpnext/accounts/doctype/sales_invoice/sales_invoice.json b/erpnext/accounts/doctype/sales_invoice/sales_invoice.json index 983f2bb405..a07b69d09f 100644 --- a/erpnext/accounts/doctype/sales_invoice/sales_invoice.json +++ b/erpnext/accounts/doctype/sales_invoice/sales_invoice.json @@ -241,6 +241,14 @@ "read_only": 0, "reqd": 1 }, + { + "fieldname": "ignore_pricing_rule", + "fieldtype": "Check", + "label": "Ignore Pricing Rule", + "no_copy": 1, + "permlevel": 1, + "print_hide": 1 + }, { "fieldname": "items", "fieldtype": "Section Break", @@ -1180,7 +1188,7 @@ "icon": "icon-file-text", "idx": 1, "is_submittable": 1, - "modified": "2014-05-27 03:49:17.806077", + "modified": "2014-06-19 16:01:19.720382", "modified_by": "Administrator", "module": "Accounts", "name": "Sales Invoice", @@ -1225,6 +1233,12 @@ "read": 1, "report": 1, "role": "Customer" + }, + { + "permlevel": 1, + "read": 1, + "role": "Accounts Manager", + "write": 1 } ], "read_only_onload": 1, diff --git a/erpnext/buying/doctype/purchase_order/purchase_order.json b/erpnext/buying/doctype/purchase_order/purchase_order.json index d293683ef4..794c0415bd 100644 --- a/erpnext/buying/doctype/purchase_order/purchase_order.json +++ b/erpnext/buying/doctype/purchase_order/purchase_order.json @@ -197,6 +197,14 @@ "permlevel": 0, "print_hide": 1 }, + { + "fieldname": "ignore_pricing_rule", + "fieldtype": "Check", + "label": "Ignore Pricing Rule", + "no_copy": 1, + "permlevel": 1, + "print_hide": 1 + }, { "fieldname": "items", "fieldtype": "Section Break", @@ -636,7 +644,7 @@ "icon": "icon-file-text", "idx": 1, "is_submittable": 1, - "modified": "2014-05-27 03:49:15.948363", + "modified": "2014-06-19 15:58:06.375217", "modified_by": "Administrator", "module": "Buying", "name": "Purchase Order", @@ -696,6 +704,12 @@ "read": 1, "report": 1, "role": "Supplier" + }, + { + "permlevel": 1, + "read": 1, + "role": "Purchase Manager", + "write": 1 } ], "read_only_onload": 1, diff --git a/erpnext/buying/doctype/purchase_order/purchase_order.py b/erpnext/buying/doctype/purchase_order/purchase_order.py index 91cc865b7b..3a081249f3 100644 --- a/erpnext/buying/doctype/purchase_order/purchase_order.py +++ b/erpnext/buying/doctype/purchase_order/purchase_order.py @@ -187,12 +187,13 @@ class PurchaseOrder(BuyingController): def on_update(self): pass +def set_missing_values(source, target): + target.ignore_pricing_rule = 1 + target.run_method("set_missing_values") + target.run_method("calculate_taxes_and_totals") + @frappe.whitelist() def make_purchase_receipt(source_name, target_doc=None): - def set_missing_values(source, target): - target.run_method("set_missing_values") - target.run_method("calculate_taxes_and_totals") - def update_item(obj, target, source_parent): target.qty = flt(obj.qty) - flt(obj.received_qty) target.stock_qty = (flt(obj.qty) - flt(obj.received_qty)) * flt(obj.conversion_factor) @@ -226,10 +227,6 @@ def make_purchase_receipt(source_name, target_doc=None): @frappe.whitelist() def make_purchase_invoice(source_name, target_doc=None): - def set_missing_values(source, target): - target.run_method("set_missing_values") - target.run_method("calculate_taxes_and_totals") - def update_item(obj, target, source_parent): target.amount = flt(obj.amount) - flt(obj.billed_amt) target.base_amount = target.amount * flt(source_parent.conversion_rate) diff --git a/erpnext/buying/doctype/supplier_quotation/supplier_quotation.json b/erpnext/buying/doctype/supplier_quotation/supplier_quotation.json index 19b0283c50..c3c5bf4f39 100644 --- a/erpnext/buying/doctype/supplier_quotation/supplier_quotation.json +++ b/erpnext/buying/doctype/supplier_quotation/supplier_quotation.json @@ -196,6 +196,14 @@ "permlevel": 0, "print_hide": 1 }, + { + "fieldname": "ignore_pricing_rule", + "fieldtype": "Check", + "label": "Ignore Pricing Rule", + "no_copy": 1, + "permlevel": 1, + "print_hide": 1 + }, { "fieldname": "items", "fieldtype": "Section Break", @@ -562,7 +570,7 @@ "icon": "icon-shopping-cart", "idx": 1, "is_submittable": 1, - "modified": "2014-05-27 03:49:20.226683", + "modified": "2014-06-19 15:54:27.919675", "modified_by": "Administrator", "module": "Buying", "name": "Supplier Quotation", @@ -640,6 +648,12 @@ "role": "Supplier", "submit": 0, "write": 0 + }, + { + "permlevel": 1, + "read": 1, + "role": "Purchase Manager", + "write": 1 } ], "read_only_onload": 1, diff --git a/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py b/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py index 74a37b38d5..2af7bb93a6 100644 --- a/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +++ b/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py @@ -54,6 +54,7 @@ class SupplierQuotation(BuyingController): @frappe.whitelist() def make_purchase_order(source_name, target_doc=None): def set_missing_values(source, target): + target.ignore_pricing_rule = 1 target.run_method("set_missing_values") target.run_method("get_schedule_dates") target.run_method("calculate_taxes_and_totals") diff --git a/erpnext/controllers/accounts_controller.py b/erpnext/controllers/accounts_controller.py index 3af82903a6..847e09e73d 100644 --- a/erpnext/controllers/accounts_controller.py +++ b/erpnext/controllers/accounts_controller.py @@ -89,14 +89,14 @@ class AccountsController(TransactionBase): """set missing item values""" from erpnext.stock.get_item_details import get_item_details if hasattr(self, "fname"): - parent_dict = {"doctype": self.doctype} + parent_dict = {} for fieldname in self.meta.get_valid_columns(): parent_dict[fieldname] = self.get(fieldname) for item in self.get(self.fname): if item.get("item_code"): - args = item.as_dict() - args.update(parent_dict) + args = parent_dict.copy() + args.update(item.as_dict()) ret = get_item_details(args) for fieldname, value in ret.items(): diff --git a/erpnext/patches.txt b/erpnext/patches.txt index dd57c60b18..041bbd3cc0 100644 --- a/erpnext/patches.txt +++ b/erpnext/patches.txt @@ -62,3 +62,4 @@ erpnext.patches.v4_0.update_other_charges_in_custom_purchase_print_formats erpnext.patches.v4_0.create_price_list_if_missing execute:frappe.db.sql("update `tabItem` set end_of_life=null where end_of_life='0000-00-00'") #2014-06-16 erpnext.patches.v4_0.update_users_report_view_settings +erpnext.patches.v4_0.set_pricing_rule_for_buying_or_selling diff --git a/erpnext/patches/v4_0/set_pricing_rule_for_buying_or_selling.py b/erpnext/patches/v4_0/set_pricing_rule_for_buying_or_selling.py new file mode 100644 index 0000000000..218029d8ae --- /dev/null +++ b/erpnext/patches/v4_0/set_pricing_rule_for_buying_or_selling.py @@ -0,0 +1,12 @@ +# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors +# License: GNU General Public License v3. See license.txt + +from __future__ import unicode_literals +import frappe + +def execute(): + frappe.db.sql("""update `tabPricing Rule` set selling=1 where ifnull(applicable_for, '') in + ('', 'Customer', 'Customer Group', 'Territory', 'Sales Partner', 'Campaign')""") + + frappe.db.sql("""update `tabPricing Rule` set buying=1 where ifnull(applicable_for, '') in + ('', 'Supplier', 'Supplier Type')""") diff --git a/erpnext/public/js/transaction.js b/erpnext/public/js/transaction.js index 2c372042ea..ea576d5ae0 100644 --- a/erpnext/public/js/transaction.js +++ b/erpnext/public/js/transaction.js @@ -116,8 +116,8 @@ erpnext.TransactionController = erpnext.stock.StockController.extend({ barcode: item.barcode, serial_no: item.serial_no, warehouse: item.warehouse, - doctype: me.frm.doc.doctype, - docname: me.frm.doc.name, + parenttype: me.frm.doc.doctype, + parent: me.frm.doc.name, customer: me.frm.doc.customer, supplier: me.frm.doc.supplier, currency: me.frm.doc.currency, @@ -130,7 +130,10 @@ erpnext.TransactionController = erpnext.stock.StockController.extend({ order_type: me.frm.doc.order_type, is_pos: cint(me.frm.doc.is_pos), is_subcontracted: me.frm.doc.is_subcontracted, - transaction_date: me.frm.doc.transaction_date + transaction_date: me.frm.doc.transaction_date, + ignore_pricing_rule: me.frm.doc.ignore_pricing_rule, + doctype: item.doctype, + name: item.name } }, callback: function(r) { @@ -196,7 +199,7 @@ erpnext.TransactionController = erpnext.stock.StockController.extend({ } this.frm.script_manager.trigger("currency"); - this.apply_pricing_rule() + this.apply_pricing_rule(); } }, @@ -229,7 +232,12 @@ erpnext.TransactionController = erpnext.stock.StockController.extend({ this.frm.set_value("plc_conversion_rate", this.frm.doc.conversion_rate); } if(flt(this.frm.doc.conversion_rate)>0.0) { - this.apply_pricing_rule(); + if(this.frm.doc.ignore_pricing_rule) { + this.calculate_taxes_and_totals(); + } else { + this.apply_pricing_rule(); + } + } }, @@ -283,12 +291,11 @@ erpnext.TransactionController = erpnext.stock.StockController.extend({ } if(this.frm.doc.price_list_currency === this.frm.doc.currency) { this.frm.set_value("conversion_rate", this.frm.doc.plc_conversion_rate); - this.apply_pricing_rule(); } }, qty: function(doc, cdt, cdn) { - this.apply_pricing_rule(frappe.get_doc(cdt, cdn)); + this.apply_pricing_rule(frappe.get_doc(cdt, cdn), true); }, // tax rate @@ -331,51 +338,71 @@ erpnext.TransactionController = erpnext.stock.StockController.extend({ this.calculate_taxes_and_totals(); }, - apply_pricing_rule: function(item) { + ignore_pricing_rule: function() { + this.apply_pricing_rule(); + }, + + apply_pricing_rule: function(item, calculate_taxes_and_totals) { var me = this; - - var _apply_pricing_rule = function(item) { - return me.frm.call({ - method: "erpnext.stock.get_item_details.apply_pricing_rule", - child: item, - args: { - args: { - item_code: item.item_code, - item_group: item.item_group, - brand: item.brand, - qty: item.qty, - customer: me.frm.doc.customer, - customer_group: me.frm.doc.customer_group, - territory: me.frm.doc.territory, - supplier: me.frm.doc.supplier, - supplier_type: me.frm.doc.supplier_type, - currency: me.frm.doc.currency, - conversion_rate: me.frm.doc.conversion_rate, - price_list: me.frm.doc.selling_price_list || - me.frm.doc.buying_price_list, - plc_conversion_rate: me.frm.doc.plc_conversion_rate, - company: me.frm.doc.company, - transaction_date: me.frm.doc.transaction_date || me.frm.doc.posting_date, - campaign: me.frm.doc.campaign, - sales_partner: me.frm.doc.sales_partner - } - }, - callback: function(r) { - if(!r.exc) { - me.frm.script_manager.trigger("price_list_rate", item.doctype, item.name); - } + var item_list = this._get_item_list(item); + var args = { + "item_list": item_list, + "customer": me.frm.doc.customer, + "customer_group": me.frm.doc.customer_group, + "territory": me.frm.doc.territory, + "supplier": me.frm.doc.supplier, + "supplier_type": me.frm.doc.supplier_type, + "currency": me.frm.doc.currency, + "conversion_rate": me.frm.doc.conversion_rate, + "price_list": me.frm.doc.selling_price_list || me.frm.doc.buying_price_list, + "plc_conversion_rate": me.frm.doc.plc_conversion_rate, + "company": me.frm.doc.company, + "transaction_date": me.frm.doc.transaction_date || me.frm.doc.posting_date, + "campaign": me.frm.doc.campaign, + "sales_partner": me.frm.doc.sales_partner, + "ignore_pricing_rule": me.frm.doc.ignore_pricing_rule, + "parenttype": me.frm.doc.doctype, + "parent": me.frm.doc.name + }; + return this.frm.call({ + method: "erpnext.accounts.doctype.pricing_rule.pricing_rule.apply_pricing_rule", + args: { args: args }, + callback: function(r) { + if (!r.exc) { + $.each(r.message, function(i, d) { + $.each(d, function(k, v) { + if (["doctype", "name"].indexOf(k)===-1) { + frappe.model.set_value(d.doctype, d.name, k, v); + } + }); + }); + if(calculate_taxes_and_totals) me.calculate_taxes_and_totals(); } + } + }); + }, + + _get_item_list: function(item) { + var item_list = []; + var append_item = function(d) { + item_list.push({ + "doctype": d.doctype, + "name": d.name, + "item_code": d.item_code, + "item_group": d.item_group, + "brand": d.brand, + "qty": d.qty }); - } + }; - - if(item) { - _apply_pricing_rule(item); + if (item) { + append_item(item); } else { - $.each(this.get_item_doclist(), function(n, item) { - _apply_pricing_rule(item); + $.each(this.get_item_doclist(), function(i, d) { + append_item(d); }); } + return item_list; }, included_in_print_rate: function(doc, cdt, cdn) { diff --git a/erpnext/selling/doctype/quotation/quotation.json b/erpnext/selling/doctype/quotation/quotation.json index 02217386de..1ae0adb363 100644 --- a/erpnext/selling/doctype/quotation/quotation.json +++ b/erpnext/selling/doctype/quotation/quotation.json @@ -274,6 +274,14 @@ "read_only": 0, "reqd": 1 }, + { + "fieldname": "ignore_pricing_rule", + "fieldtype": "Check", + "label": "Ignore Pricing Rule", + "no_copy": 1, + "permlevel": 1, + "print_hide": 1 + }, { "fieldname": "items", "fieldtype": "Section Break", @@ -818,7 +826,7 @@ "idx": 1, "is_submittable": 1, "max_attachments": 1, - "modified": "2014-05-27 03:49:16.670976", + "modified": "2014-06-19 15:59:30.019826", "modified_by": "Administrator", "module": "Selling", "name": "Quotation", @@ -896,6 +904,12 @@ "role": "Maintenance User", "submit": 1, "write": 1 + }, + { + "permlevel": 1, + "read": 1, + "role": "Sales Manager", + "write": 1 } ], "read_only_onload": 1, diff --git a/erpnext/selling/doctype/quotation/quotation.py b/erpnext/selling/doctype/quotation/quotation.py index 62577db247..f396191a2d 100644 --- a/erpnext/selling/doctype/quotation/quotation.py +++ b/erpnext/selling/doctype/quotation/quotation.py @@ -102,7 +102,7 @@ def _make_sales_order(source_name, target_doc=None, ignore_permissions=False): if customer: target.customer = customer.name target.customer_name = customer.customer_name - + target.ignore_pricing_rule = 1 target.ignore_permissions = ignore_permissions target.run_method("set_missing_values") target.run_method("calculate_taxes_and_totals") diff --git a/erpnext/selling/doctype/sales_order/sales_order.json b/erpnext/selling/doctype/sales_order/sales_order.json index c8992271dc..a036370db5 100644 --- a/erpnext/selling/doctype/sales_order/sales_order.json +++ b/erpnext/selling/doctype/sales_order/sales_order.json @@ -285,6 +285,14 @@ "print_hide": 1, "reqd": 1 }, + { + "fieldname": "ignore_pricing_rule", + "fieldtype": "Check", + "label": "Ignore Pricing Rule", + "no_copy": 1, + "permlevel": 1, + "print_hide": 1 + }, { "fieldname": "items", "fieldtype": "Section Break", @@ -874,7 +882,7 @@ "idx": 1, "is_submittable": 1, "issingle": 0, - "modified": "2014-05-27 08:39:19.027965", + "modified": "2014-06-19 16:00:06.626037", "modified_by": "Administrator", "module": "Selling", "name": "Sales Order", @@ -953,6 +961,12 @@ "read": 1, "report": 1, "role": "Material User" + }, + { + "permlevel": 1, + "read": 1, + "role": "Sales Manager", + "write": 1 } ], "read_only_onload": 1, diff --git a/erpnext/selling/doctype/sales_order/sales_order.py b/erpnext/selling/doctype/sales_order/sales_order.py index 24da5773a3..c14612ba34 100644 --- a/erpnext/selling/doctype/sales_order/sales_order.py +++ b/erpnext/selling/doctype/sales_order/sales_order.py @@ -245,9 +245,6 @@ class SalesOrder(SellingController): def get_portal_page(self): return "order" if self.docstatus==1 else None -def set_missing_values(source, target): - target.run_method("set_missing_values") - target.run_method("calculate_taxes_and_totals") @frappe.whitelist() def make_material_request(source_name, target_doc=None): @@ -274,6 +271,11 @@ def make_material_request(source_name, target_doc=None): @frappe.whitelist() def make_delivery_note(source_name, target_doc=None): + def set_missing_values(source, target): + target.ignore_pricing_rule = 1 + target.run_method("set_missing_values") + target.run_method("calculate_taxes_and_totals") + def update_item(source, target, source_parent): target.base_amount = (flt(source.qty) - flt(source.delivered_qty)) * flt(source.base_rate) target.amount = (flt(source.qty) - flt(source.delivered_qty)) * flt(source.rate) @@ -312,6 +314,7 @@ def make_delivery_note(source_name, target_doc=None): def make_sales_invoice(source_name, target_doc=None): def set_missing_values(source, target): target.is_pos = 0 + target.ignore_pricing_rule = 1 target.run_method("set_missing_values") target.run_method("calculate_taxes_and_totals") diff --git a/erpnext/stock/doctype/delivery_note/delivery_note.json b/erpnext/stock/doctype/delivery_note/delivery_note.json index 9b13b10ec8..690fd055fa 100644 --- a/erpnext/stock/doctype/delivery_note/delivery_note.json +++ b/erpnext/stock/doctype/delivery_note/delivery_note.json @@ -275,6 +275,14 @@ "read_only": 0, "reqd": 1 }, + { + "fieldname": "ignore_pricing_rule", + "fieldtype": "Check", + "label": "Ignore Pricing Rule", + "no_copy": 1, + "permlevel": 1, + "print_hide": 1 + }, { "fieldname": "items", "fieldtype": "Section Break", @@ -999,7 +1007,7 @@ "idx": 1, "in_create": 0, "is_submittable": 1, - "modified": "2014-05-27 03:49:09.721622", + "modified": "2014-06-19 16:00:47.326127", "modified_by": "Administrator", "module": "Stock", "name": "Delivery Note", @@ -1073,6 +1081,12 @@ "read": 1, "report": 1, "role": "Customer" + }, + { + "permlevel": 1, + "read": 1, + "role": "Material Manager", + "write": 1 } ], "read_only_onload": 1, diff --git a/erpnext/stock/doctype/delivery_note/delivery_note.py b/erpnext/stock/doctype/delivery_note/delivery_note.py index bbc9f81ff4..4b147cc361 100644 --- a/erpnext/stock/doctype/delivery_note/delivery_note.py +++ b/erpnext/stock/doctype/delivery_note/delivery_note.py @@ -280,6 +280,7 @@ def make_sales_invoice(source_name, target_doc=None): def update_accounts(source, target): target.is_pos = 0 + target.ignore_pricing_rule = 1 target.run_method("set_missing_values") if len(target.get("entries")) == 0: diff --git a/erpnext/stock/doctype/item/test_item.py b/erpnext/stock/doctype/item/test_item.py index 506e5d016c..7ab93ebf4c 100644 --- a/erpnext/stock/doctype/item/test_item.py +++ b/erpnext/stock/doctype/item/test_item.py @@ -17,7 +17,7 @@ class TestItem(unittest.TestCase): item.is_stock_item = "Yes" item.default_warehouse = None self.assertRaises(WarehouseNotSet, item.insert) - + def test_get_item_details(self): from erpnext.stock.get_item_details import get_item_details to_check = { @@ -41,23 +41,23 @@ class TestItem(unittest.TestCase): "uom": "_Test UOM", "conversion_factor": 1.0, } - + make_test_records("Item Price") - + details = get_item_details({ "item_code": "_Test Item", "company": "_Test Company", "price_list": "_Test Price List", "currency": "_Test Currency", - "doctype": "Sales Order", + "parenttype": "Sales Order", "conversion_rate": 1, "price_list_currency": "_Test Currency", "plc_conversion_rate": 1, "order_type": "Sales", "transaction_type": "selling" }) - + for key, value in to_check.iteritems(): self.assertEquals(value, details.get(key)) -test_records = frappe.get_test_records('Item') \ No newline at end of file +test_records = frappe.get_test_records('Item') diff --git a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.json b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.json index e585bef754..ae748ce3fe 100755 --- a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.json +++ b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.json @@ -195,6 +195,14 @@ "permlevel": 0, "print_hide": 1 }, + { + "fieldname": "ignore_pricing_rule", + "fieldtype": "Check", + "label": "Ignore Pricing Rule", + "no_copy": 1, + "permlevel": 1, + "print_hide": 1 + }, { "fieldname": "items", "fieldtype": "Section Break", @@ -754,7 +762,7 @@ "icon": "icon-truck", "idx": 1, "is_submittable": 1, - "modified": "2014-05-27 03:49:16.302198", + "modified": "2014-06-19 15:58:37.932064", "modified_by": "Administrator", "module": "Stock", "name": "Purchase Receipt", @@ -821,6 +829,12 @@ "read": 1, "report": 1, "role": "Supplier" + }, + { + "permlevel": 1, + "read": 1, + "role": "Material Manager", + "write": 1 } ], "read_only_onload": 1, diff --git a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py index 13bb193f4b..71c07eba02 100644 --- a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +++ b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py @@ -287,6 +287,7 @@ def make_purchase_invoice(source_name, target_doc=None): frappe.throw(_("All items have already been invoiced")) doc = frappe.get_doc(target) + doc.ignore_pricing_rule = 1 doc.run_method("set_missing_values") doc.run_method("calculate_taxes_and_totals") diff --git a/erpnext/stock/get_item_details.py b/erpnext/stock/get_item_details.py index c5c1280fdb..fe320d153a 100644 --- a/erpnext/stock/get_item_details.py +++ b/erpnext/stock/get_item_details.py @@ -6,8 +6,7 @@ import frappe from frappe import _, throw from frappe.utils import flt, cint, add_days import json - -class MultiplePricingRuleConflict(frappe.ValidationError): pass +from erpnext.accounts.doctype.pricing_rule.pricing_rule import get_pricing_rule_for_item @frappe.whitelist() def get_item_details(args): @@ -20,14 +19,15 @@ def get_item_details(args): "selling_price_list": None, "price_list_currency": None, "plc_conversion_rate": 1.0, - "doctype": "", - "docname": "", + "parenttype": "", + "parent": "", "supplier": None, "transaction_date": None, "conversion_rate": 1.0, "buying_price_list": None, "is_subcontracted": "Yes" / "No", - "transaction_type": "selling" + "transaction_type": "selling", + "ignore_pricing_rule": 0/1 } """ @@ -37,7 +37,8 @@ def get_item_details(args): args = frappe._dict(args) if not args.get("transaction_type"): - if args.get("doctype")=="Material Request" or frappe.get_meta(args.get("doctype")).get_field("supplier"): + if args.get("parenttype")=="Material Request" or \ + frappe.get_meta(args.get("parenttype")).get_field("supplier"): args.transaction_type = "buying" else: args.transaction_type = "selling" @@ -73,9 +74,9 @@ def get_item_details(args): if args.get(key) is None: args[key] = value - out.update(apply_pricing_rule(args)) + out.update(get_pricing_rule_for_item(args)) - if args.get("doctype") in ("Sales Invoice", "Delivery Note"): + if args.get("parenttype") in ("Sales Invoice", "Delivery Note"): if item_doc.has_serial_no == "Yes" and not args.serial_no: out.serial_no = get_serial_nos_by_fifo(args, item_doc) @@ -113,7 +114,7 @@ def validate_item_details(args, item): elif item.is_sales_item != "Yes": throw(_("Item {0} must be a Sales Item").format(item.name)) - elif args.transaction_type == "buying" and args.doctype != "Material Request": + elif args.transaction_type == "buying" and args.parenttype != "Material Request": # validate if purchase item or subcontracted item if item.is_purchase_item != "Yes": throw(_("Item {0} must be a Purchase Item").format(item.name)) @@ -144,7 +145,7 @@ def get_basic_details(args, item_doc): "item_tax_rate": json.dumps(dict(([d.tax_type, d.tax_rate] for d in item_doc.get("item_tax")))), "uom": item.stock_uom, - "min_order_qty": flt(item.min_order_qty) if args.doctype == "Material Request" else "", + "min_order_qty": flt(item.min_order_qty) if args.parenttype == "Material Request" else "", "conversion_factor": 1.0, "qty": 1.0, "price_list_rate": 0.0, @@ -162,7 +163,7 @@ def get_basic_details(args, item_doc): return out def get_price_list_rate(args, item_doc, out): - meta = frappe.get_meta(args.doctype) + meta = frappe.get_meta(args.parenttype) if meta.get_field("currency"): validate_price_list(args) @@ -179,7 +180,7 @@ def get_price_list_rate(args, item_doc, out): if not out.price_list_rate and args.transaction_type == "buying": from erpnext.stock.doctype.item.item import get_last_purchase_details out.update(get_last_purchase_details(item_doc.name, - args.docname, args.conversion_rate)) + args.parent, args.conversion_rate)) def validate_price_list(args): if args.get("price_list"): @@ -248,142 +249,6 @@ def get_pos_settings(company): return pos_settings and pos_settings[0] or None -@frappe.whitelist() -def apply_pricing_rule(args): - if isinstance(args, basestring): - args = json.loads(args) - - args = frappe._dict(args) - out = frappe._dict() - if args.get("doctype") == "Material Request" or not args.get("item_code"): return out - - if not args.get("item_group") or not args.get("brand"): - args.item_group, args.brand = frappe.db.get_value("Item", - args.item_code, ["item_group", "brand"]) - - if args.get("customer") and (not args.get("customer_group") or not args.get("territory")): - args.customer_group, args.territory = frappe.db.get_value("Customer", - args.customer, ["customer_group", "territory"]) - - if args.get("supplier") and not args.get("supplier_type"): - args.supplier_type = frappe.db.get_value("Supplier", args.supplier, "supplier_type") - - pricing_rules = get_pricing_rules(args) - - pricing_rule = filter_pricing_rules(args, pricing_rules) - - if pricing_rule: - out.pricing_rule = pricing_rule.name - if pricing_rule.price_or_discount == "Price": - out.base_price_list_rate = pricing_rule.price - out.price_list_rate = pricing_rule.price*flt(args.plc_conversion_rate)/flt(args.conversion_rate) - out.base_rate = out.base_price_list_rate - out.rate = out.price_list_rate - out.discount_percentage = 0.0 - else: - out.discount_percentage = pricing_rule.discount_percentage - else: - out.pricing_rule = None - - return out - - -def get_pricing_rules(args): - def _get_tree_conditions(doctype, allow_blank=True): - field = frappe.scrub(doctype) - condition = "" - if args.get(field): - lft, rgt = frappe.db.get_value(doctype, args[field], ["lft", "rgt"]) - parent_groups = frappe.db.sql_list("""select name from `tab%s` - where lft<=%s and rgt>=%s""" % (doctype, '%s', '%s'), (lft, rgt)) - - if parent_groups: - if allow_blank: parent_groups.append('') - condition = " ifnull("+field+", '') in ('" + "', '".join(parent_groups)+"')" - - return condition - - - conditions = "" - for field in ["company", "customer", "supplier", "supplier_type", "campaign", "sales_partner"]: - if args.get(field): - conditions += " and ifnull("+field+", '') in (%("+field+")s, '')" - else: - conditions += " and ifnull("+field+", '') = ''" - - for doctype in ["Customer Group", "Territory"]: - group_condition = _get_tree_conditions(doctype) - if group_condition: - conditions += " and " + group_condition - - conditions += " and ifnull(for_price_list, '') in (%(price_list)s, '')" - - if args.get("transaction_date"): - conditions += """ and %(transaction_date)s between ifnull(valid_from, '2000-01-01') - and ifnull(valid_upto, '2500-12-31')""" - - return frappe.db.sql("""select * from `tabPricing Rule` - where (item_code=%(item_code)s or {item_group_condition} or brand=%(brand)s) - and docstatus < 2 and ifnull(disable, 0) = 0 {conditions} - order by priority desc, name desc""".format( - item_group_condition=_get_tree_conditions("Item Group", False), conditions=conditions), - args, as_dict=1) - -def filter_pricing_rules(args, pricing_rules): - # filter for qty - if pricing_rules and args.get("qty"): - pricing_rules = filter(lambda x: (args.qty>=flt(x.min_qty) - and (args.qty<=x.max_qty if x.max_qty else True)), pricing_rules) - - # find pricing rule with highest priority - if pricing_rules: - max_priority = max([cint(p.priority) for p in pricing_rules]) - if max_priority: - pricing_rules = filter(lambda x: cint(x.priority)==max_priority, pricing_rules) - - # apply internal priority - all_fields = ["item_code", "item_group", "brand", "customer", "customer_group", "territory", - "supplier", "supplier_type", "campaign", "sales_partner"] - - if len(pricing_rules) > 1: - for field_set in [["item_code", "item_group", "brand"], - ["customer", "customer_group", "territory"], ["supplier", "supplier_type"]]: - remaining_fields = list(set(all_fields) - set(field_set)) - if if_all_rules_same(pricing_rules, remaining_fields): - pricing_rules = apply_internal_priority(pricing_rules, field_set, args) - break - - if len(pricing_rules) > 1: - price_or_discount = list(set([d.price_or_discount for d in pricing_rules])) - if len(price_or_discount) == 1 and price_or_discount[0] == "Discount Percentage": - pricing_rules = filter(lambda x: x.for_price_list==args.price_list, pricing_rules) \ - or pricing_rules - - if len(pricing_rules) > 1: - frappe.throw(_("Multiple Price Rule exists with same criteria, please resolve \ - conflict by assigning priority. Price Rules: {0}") - .format("\n".join([d.name for d in pricing_rules])), MultiplePricingRuleConflict) - elif pricing_rules: - return pricing_rules[0] - -def if_all_rules_same(pricing_rules, fields): - all_rules_same = True - val = [pricing_rules[0][k] for k in fields] - for p in pricing_rules[1:]: - if val != [p[k] for k in fields]: - all_rules_same = False - break - - return all_rules_same - -def apply_internal_priority(pricing_rules, field_set, args): - filtered_rules = [] - for field in field_set: - if args.get(field): - filtered_rules = filter(lambda x: x[field]==args[field], pricing_rules) - if filtered_rules: break - - return filtered_rules or pricing_rules def get_serial_nos_by_fifo(args, item_doc): return "\n".join(frappe.db.sql_list("""select name from `tabSerial No` From 4f6e31eb0882c5e81adc0f678319b9dcccf83b96 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Fri, 20 Jun 2014 16:19:55 +0530 Subject: [PATCH 237/630] validate pricing rule discount with item max discount --- erpnext/accounts/doctype/pricing_rule/pricing_rule.py | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/erpnext/accounts/doctype/pricing_rule/pricing_rule.py b/erpnext/accounts/doctype/pricing_rule/pricing_rule.py index 5cf500a597..c86e3f61e5 100644 --- a/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +++ b/erpnext/accounts/doctype/pricing_rule/pricing_rule.py @@ -19,6 +19,7 @@ class PricingRule(Document): self.validate_min_max_qty() self.cleanup_fields_value() self.validate_price_or_discount() + self.validate_max_discount() def validate_mandatory(self): for field in ["apply_on", "applicable_for"]: @@ -61,6 +62,13 @@ class PricingRule(Document): if flt(self.get(frappe.scrub(field))) < 0: throw(_("{0} can not be negative").format(field)) + def validate_max_discount(self): + if self.price_or_discount == "Discount Percentage" and self.item_code: + max_discount = frappe.db.get_value("Item", self.item_code, "max_discount") + if flt(self.discount_percentage) > max_discount: + throw(_("Max discount allowed for item: {0} is {1}%".format(self.item_code, max_discount))) + + #-------------------------------------------------------------------------------- @frappe.whitelist() From afffd656f6fab9f8119a1ad114f972f46e0b7d3e Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Fri, 20 Jun 2014 16:30:44 +0530 Subject: [PATCH 238/630] Reload pricing rule in patch --- erpnext/patches/v4_0/set_pricing_rule_for_buying_or_selling.py | 1 + 1 file changed, 1 insertion(+) diff --git a/erpnext/patches/v4_0/set_pricing_rule_for_buying_or_selling.py b/erpnext/patches/v4_0/set_pricing_rule_for_buying_or_selling.py index 218029d8ae..8be846ff16 100644 --- a/erpnext/patches/v4_0/set_pricing_rule_for_buying_or_selling.py +++ b/erpnext/patches/v4_0/set_pricing_rule_for_buying_or_selling.py @@ -5,6 +5,7 @@ from __future__ import unicode_literals import frappe def execute(): + frappe.reload_doc("accounts", "doctype", "pricing_rule") frappe.db.sql("""update `tabPricing Rule` set selling=1 where ifnull(applicable_for, '') in ('', 'Customer', 'Customer Group', 'Territory', 'Sales Partner', 'Campaign')""") From 1b1b3a8fd65d7280399e30aa82ed29809379ef32 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Fri, 20 Jun 2014 19:07:44 +0530 Subject: [PATCH 239/630] validate pricing rule discount with item max discount --- erpnext/accounts/doctype/pricing_rule/pricing_rule.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/accounts/doctype/pricing_rule/pricing_rule.py b/erpnext/accounts/doctype/pricing_rule/pricing_rule.py index c86e3f61e5..77b52b18f8 100644 --- a/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +++ b/erpnext/accounts/doctype/pricing_rule/pricing_rule.py @@ -65,7 +65,7 @@ class PricingRule(Document): def validate_max_discount(self): if self.price_or_discount == "Discount Percentage" and self.item_code: max_discount = frappe.db.get_value("Item", self.item_code, "max_discount") - if flt(self.discount_percentage) > max_discount: + if max_discount and flt(self.discount_percentage) > flt(max_discount): throw(_("Max discount allowed for item: {0} is {1}%".format(self.item_code, max_discount))) From 80142af9b8c1d6ea241d1155ddb3ca80a0fad5ba Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Fri, 20 Jun 2014 19:37:53 +0530 Subject: [PATCH 240/630] Minor fixes --- .../doctype/pricing_rule/pricing_rule.json | 19 +++++++++---------- .../doctype/pricing_rule/pricing_rule.py | 13 +++++++------ 2 files changed, 16 insertions(+), 16 deletions(-) diff --git a/erpnext/accounts/doctype/pricing_rule/pricing_rule.json b/erpnext/accounts/doctype/pricing_rule/pricing_rule.json index e15cea83b8..2d318c6360 100644 --- a/erpnext/accounts/doctype/pricing_rule/pricing_rule.json +++ b/erpnext/accounts/doctype/pricing_rule/pricing_rule.json @@ -126,18 +126,18 @@ "options": "Supplier Type", "permlevel": 0 }, - { - "fieldname": "max_qty", - "fieldtype": "Float", - "label": "Max Qty", - "permlevel": 0 - }, { "fieldname": "min_qty", "fieldtype": "Float", "label": "Min Qty", "permlevel": 0 }, + { + "fieldname": "max_qty", + "fieldtype": "Float", + "label": "Max Qty", + "permlevel": 0 + }, { "fieldname": "col_break1", "fieldtype": "Column Break", @@ -235,7 +235,7 @@ "icon": "icon-gift", "idx": 1, "istable": 0, - "modified": "2014-06-19 15:00:09.962572", + "modified": "2014-06-20 19:36:22.502381", "modified_by": "Administrator", "module": "Accounts", "name": "Pricing Rule", @@ -244,8 +244,8 @@ { "create": 1, "delete": 1, - "export": 0, - "import": 0, + "export": 1, + "import": 1, "permlevel": 0, "read": 1, "report": 1, @@ -290,7 +290,6 @@ "permlevel": 0, "read": 1, "report": 1, - "restrict": 1, "role": "System Manager", "write": 1 } diff --git a/erpnext/accounts/doctype/pricing_rule/pricing_rule.py b/erpnext/accounts/doctype/pricing_rule/pricing_rule.py index 77b52b18f8..967d583aab 100644 --- a/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +++ b/erpnext/accounts/doctype/pricing_rule/pricing_rule.py @@ -66,7 +66,7 @@ class PricingRule(Document): if self.price_or_discount == "Discount Percentage" and self.item_code: max_discount = frappe.db.get_value("Item", self.item_code, "max_discount") if max_discount and flt(self.discount_percentage) > flt(max_discount): - throw(_("Max discount allowed for item: {0} is {1}%".format(self.item_code, max_discount))) + throw(_("Max discount allowed for item: {0} is {1}%").format(self.item_code, max_discount)) #-------------------------------------------------------------------------------- @@ -141,7 +141,8 @@ def get_pricing_rule_for_item(args): item_details.pricing_rule = pricing_rule.name if pricing_rule.price_or_discount == "Price": item_details.update({ - "price_list_rate": pricing_rule.price*flt(args.plc_conversion_rate)/flt(args.conversion_rate), + "price_list_rate": pricing_rule.price/flt(args.conversion_rate) \ + if args.conversion_rate else 0.0, "discount_percentage": 0.0 }) else: @@ -167,10 +168,10 @@ def get_pricing_rules(args): conditions = "" for field in ["company", "customer", "supplier", "supplier_type", "campaign", "sales_partner"]: - if args.get(field): - conditions += " and ifnull("+field+", '') in (%("+field+")s, '')" - else: - conditions += " and ifnull("+field+", '') = ''" + if args.get(field): + conditions += " and ifnull("+field+", '') in (%("+field+")s, '')" + else: + conditions += " and ifnull("+field+", '') = ''" for parenttype in ["Customer Group", "Territory"]: group_condition = _get_tree_conditions(parenttype) From d709f4dfddf0b7e638a86227f1c265f5e8fb4b5d Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Fri, 20 Jun 2014 20:19:51 +0530 Subject: [PATCH 241/630] Naming Series property type as Text --- erpnext/setup/doctype/naming_series/naming_series.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/setup/doctype/naming_series/naming_series.py b/erpnext/setup/doctype/naming_series/naming_series.py index 100c8ba1cf..cb0d43780f 100644 --- a/erpnext/setup/doctype/naming_series/naming_series.py +++ b/erpnext/setup/doctype/naming_series/naming_series.py @@ -72,7 +72,7 @@ class NamingSeries(Document): 'field_name': 'naming_series', 'property': prop, 'value': prop_dict[prop], - 'property_type': 'Select', + 'property_type': 'Text', '__islocal': 1 }) ps.save() From 32303daf639daccc863ff9e637a7213d13b649dd Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Thu, 19 Jun 2014 14:43:54 +0530 Subject: [PATCH 242/630] fixes to bom.js --- erpnext/manufacturing/doctype/bom/bom.js | 41 ++++++++++++------------ 1 file changed, 21 insertions(+), 20 deletions(-) diff --git a/erpnext/manufacturing/doctype/bom/bom.js b/erpnext/manufacturing/doctype/bom/bom.js index 1cee6b9103..ef4f399bdc 100644 --- a/erpnext/manufacturing/doctype/bom/bom.js +++ b/erpnext/manufacturing/doctype/bom/bom.js @@ -2,6 +2,7 @@ // License: GNU General Public License v3. See license.txt // On REFRESH +frappe.provide("erpnext.bom"); cur_frm.cscript.refresh = function(doc,dt,dn){ cur_frm.toggle_enable("item", doc.__islocal); @@ -10,7 +11,7 @@ cur_frm.cscript.refresh = function(doc,dt,dn){ } cur_frm.cscript.with_operations(doc); - set_operation_no(doc); + erpnext.bom.set_operation_no(doc); } cur_frm.cscript.update_cost = function() { @@ -30,10 +31,10 @@ cur_frm.cscript.with_operations = function(doc) { cur_frm.cscript.operation_no = function(doc, cdt, cdn) { var child = locals[cdt][cdn]; - if(child.parentfield=="bom_operations") set_operation_no(doc); + if(child.parentfield=="bom_operations") erpnext.bom.set_operation_no(doc); } -var set_operation_no = function(doc) { +erpnext.bom.set_operation_no = function(doc) { var op_table = doc.bom_operations || []; var operations = []; @@ -53,7 +54,7 @@ var set_operation_no = function(doc) { } cur_frm.fields_dict["bom_operations"].grid.on_row_delete = function(cdt, cdn){ - set_operation_no(doc); + erpnext.bom.set_operation_no(doc); } cur_frm.add_fetch("item", "description", "description"); @@ -64,15 +65,15 @@ cur_frm.cscript.workstation = function(doc,dt,dn) { frappe.model.with_doc("Workstation", d.workstation, function(i, r) { d.hour_rate = r.docs[0].hour_rate; refresh_field("hour_rate", dn, "bom_operations"); - calculate_op_cost(doc); - calculate_total(doc); + erpnext.bom.calculate_op_cost(doc); + erpnext.bom.calculate_total(doc); }); } cur_frm.cscript.hour_rate = function(doc, dt, dn) { - calculate_op_cost(doc); - calculate_total(doc); + erpnext.bom.calculate_op_cost(doc); + erpnext.bom.calculate_total(doc); } @@ -106,8 +107,8 @@ var get_bom_material_detail= function(doc, cdt, cdn) { $.extend(d, r.message); refresh_field("bom_materials"); doc = locals[doc.doctype][doc.name]; - calculate_rm_cost(doc); - calculate_total(doc); + erpnext.bom.calculate_rm_cost(doc); + erpnext.bom.calculate_total(doc); }, freeze: true }); @@ -116,8 +117,8 @@ var get_bom_material_detail= function(doc, cdt, cdn) { cur_frm.cscript.qty = function(doc, cdt, cdn) { - calculate_rm_cost(doc); - calculate_total(doc); + erpnext.bom.calculate_rm_cost(doc); + erpnext.bom.calculate_total(doc); } cur_frm.cscript.rate = function(doc, cdt, cdn) { @@ -126,12 +127,12 @@ cur_frm.cscript.rate = function(doc, cdt, cdn) { msgprint(__("You can not change rate if BOM mentioned agianst any item")); get_bom_material_detail(doc, cdt, cdn); } else { - calculate_rm_cost(doc); - calculate_total(doc); + erpnext.bom.calculate_rm_cost(doc); + erpnext.bom.calculate_total(doc); } } -var calculate_op_cost = function(doc) { +erpnext.bom.calculate_op_cost = function(doc) { var op = doc.bom_operations || []; total_op_cost = 0; for(var i=0;i Date: Mon, 23 Jun 2014 12:20:12 +0530 Subject: [PATCH 243/630] fix end of life query for item --- erpnext/controllers/queries.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/controllers/queries.py b/erpnext/controllers/queries.py index 789e7a331a..0f1d5f6dab 100644 --- a/erpnext/controllers/queries.py +++ b/erpnext/controllers/queries.py @@ -141,7 +141,7 @@ def item_query(doctype, txt, searchfield, start, page_len, filters): concat(substr(tabItem.description, 1, 40), "..."), description) as decription from tabItem where tabItem.docstatus < 2 - and (tabItem.end_of_life is null or tabItem.end_of_life > %(today)s) + and (tabItem.end_of_life > %(today)s or ifnull(tabItem.end_of_life, '0000-00-00')='0000-00-00') and (tabItem.`{key}` LIKE %(txt)s or tabItem.item_name LIKE %(txt)s) {fcond} {mcond} From 838aeb149f4a175bece2330296328a3223a966fc Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Mon, 23 Jun 2014 10:03:23 +0530 Subject: [PATCH 244/630] minor fix in sales invoice --- erpnext/accounts/doctype/sales_invoice/sales_invoice.py | 6 +++--- erpnext/selling/doctype/sms_center/sms_center.py | 2 +- 2 files changed, 4 insertions(+), 4 deletions(-) diff --git a/erpnext/accounts/doctype/sales_invoice/sales_invoice.py b/erpnext/accounts/doctype/sales_invoice/sales_invoice.py index 0d8eb50f03..0f11af42c9 100644 --- a/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +++ b/erpnext/accounts/doctype/sales_invoice/sales_invoice.py @@ -263,10 +263,10 @@ class SalesInvoice(SellingController): for d in self.get('entries'): item = frappe.db.sql("""select name,is_asset_item,is_sales_item from `tabItem` where name = %s and (ifnull(end_of_life,'')='' or end_of_life > now())""", d.item_code) - acc = frappe.db.sql("""select account_type from `tabAccount` + acc = frappe.db.sql("""select account_type from `tabAccount` where name = %s and docstatus != 2""", d.income_account) - if item and item[0][1] == 'Yes' and not acc[0][0] == 'Fixed Asset': - msgprint(_("Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item").format(d.item_code), raise_exception=True) + if item and item[0][1] == 'Yes' and acc and acc[0][0] != 'Fixed Asset': + msgprint(_("Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item").format(acc[0][0], d.item_code), raise_exception=True) def validate_with_previous_doc(self): super(SalesInvoice, self).validate_with_previous_doc(self.tname, { diff --git a/erpnext/selling/doctype/sms_center/sms_center.py b/erpnext/selling/doctype/sms_center/sms_center.py index 81939546bf..8c4cad3207 100644 --- a/erpnext/selling/doctype/sms_center/sms_center.py +++ b/erpnext/selling/doctype/sms_center/sms_center.py @@ -12,7 +12,6 @@ from frappe.model.document import Document from erpnext.setup.doctype.sms_settings.sms_settings import send_sms class SMSCenter(Document): - def create_receiver_list(self): rec, where_clause = '', '' if self.send_to == 'All Customer Contact': @@ -71,6 +70,7 @@ class SMSCenter(Document): return receiver_nos def send_sms(self): + receiver_list = [] if not self.message: msgprint(_("Please enter message before sending")) else: From 43616619ecfd1fa3c6390f45d87f392fc65d563d Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Mon, 23 Jun 2014 15:36:06 +0530 Subject: [PATCH 245/630] Set status button in serial no --- erpnext/stock/doctype/serial_no/serial_no.js | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/erpnext/stock/doctype/serial_no/serial_no.js b/erpnext/stock/doctype/serial_no/serial_no.js index bb131f35c1..f7c484b5f3 100644 --- a/erpnext/stock/doctype/serial_no/serial_no.js +++ b/erpnext/stock/doctype/serial_no/serial_no.js @@ -17,4 +17,12 @@ cur_frm.cscript.onload = function() { frappe.ui.form.on("Serial No", "refresh", function(frm) { frm.toggle_enable("item_code", frm.doc.__islocal); + + if(frm.doc.status == "Sales Returned" && frm.doc.warehouse) + cur_frm.add_custom_button(__('Set Status as Available'), cur_frm.cscript.set_status_as_available); }); + +cur_frm.cscript.set_status_as_available = function() { + cur_frm.set_value("status", "Available"); + cur_frm.save() +} From 061c9744af7b6664ab12a2793e3ecc740c257c81 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Mon, 23 Jun 2014 15:51:03 +0530 Subject: [PATCH 246/630] Set status button in serial no --- erpnext/stock/doctype/serial_no/serial_no.js | 10 ++++------ 1 file changed, 4 insertions(+), 6 deletions(-) diff --git a/erpnext/stock/doctype/serial_no/serial_no.js b/erpnext/stock/doctype/serial_no/serial_no.js index f7c484b5f3..dce9d4569c 100644 --- a/erpnext/stock/doctype/serial_no/serial_no.js +++ b/erpnext/stock/doctype/serial_no/serial_no.js @@ -19,10 +19,8 @@ frappe.ui.form.on("Serial No", "refresh", function(frm) { frm.toggle_enable("item_code", frm.doc.__islocal); if(frm.doc.status == "Sales Returned" && frm.doc.warehouse) - cur_frm.add_custom_button(__('Set Status as Available'), cur_frm.cscript.set_status_as_available); + cur_frm.add_custom_button(__('Set Status as Available'), function() { + cur_frm.set_value("status", "Available"); + cur_frm.save(); + }); }); - -cur_frm.cscript.set_status_as_available = function() { - cur_frm.set_value("status", "Available"); - cur_frm.save() -} From b569930b2af185b98be41b94840c2395fd5b24af Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Mon, 23 Jun 2014 16:42:11 +0530 Subject: [PATCH 247/630] Made warehouse and selling pricing list non-mandatory in pos setting --- erpnext/accounts/doctype/pos_setting/pos_setting.json | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/erpnext/accounts/doctype/pos_setting/pos_setting.json b/erpnext/accounts/doctype/pos_setting/pos_setting.json index 27d79f31df..d0a338c92a 100755 --- a/erpnext/accounts/doctype/pos_setting/pos_setting.json +++ b/erpnext/accounts/doctype/pos_setting/pos_setting.json @@ -62,7 +62,7 @@ "options": "Price List", "permlevel": 0, "read_only": 0, - "reqd": 1 + "reqd": 0 }, { "fieldname": "company", @@ -147,7 +147,7 @@ "options": "Warehouse", "permlevel": 0, "read_only": 0, - "reqd": 1 + "reqd": 0 }, { "fieldname": "cost_center", @@ -205,7 +205,7 @@ ], "icon": "icon-cog", "idx": 1, - "modified": "2014-05-27 03:49:14.735138", + "modified": "2014-06-23 16:40:59.510132", "modified_by": "Administrator", "module": "Accounts", "name": "POS Setting", From 8b2dfcff29fb5305015389405981f5dc5501d018 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Mon, 23 Jun 2014 18:04:07 +0530 Subject: [PATCH 248/630] Naming Series Property Setter Patch --- .../accounts/doctype/gl_entry/gl_entry.json | 367 ++++++++-------- .../period_closing_voucher.json | 5 +- .../purchase_order/purchase_order.json | 5 +- .../quality_inspection.json | 5 +- .../supplier_quotation.json | 5 +- erpnext/hr/doctype/appraisal/appraisal.json | 5 +- .../doctype/expense_claim/expense_claim.json | 5 +- .../leave_allocation/leave_allocation.json | 5 +- .../hr/doctype/salary_slip/salary_slip.json | 5 +- .../production_order/production_order.json | 405 +++++++++--------- erpnext/patches.txt | 1 + erpnext/patches/repair_tools/__init__.py | 0 ...ix_naming_series_records_lost_by_reload.py | 204 +++++++++ .../v4_0/set_naming_series_property_setter.py | 98 +++++ .../installation_note/installation_note.json | 5 +- .../doctype/opportunity/opportunity.json | 5 +- .../selling/doctype/quotation/quotation.json | 5 +- .../doctype/sales_order/sales_order.json | 5 +- .../doctype/delivery_note/delivery_note.json | 5 +- .../material_request/material_request.json | 5 +- .../purchase_receipt/purchase_receipt.json | 4 +- .../stock_ledger_entry.json | 8 +- .../customer_issue/customer_issue.json | 5 +- .../maintenance_visit/maintenance_visit.json | 5 +- 24 files changed, 746 insertions(+), 421 deletions(-) create mode 100644 erpnext/patches/repair_tools/__init__.py create mode 100644 erpnext/patches/repair_tools/fix_naming_series_records_lost_by_reload.py create mode 100644 erpnext/patches/v4_0/set_naming_series_property_setter.py diff --git a/erpnext/accounts/doctype/gl_entry/gl_entry.json b/erpnext/accounts/doctype/gl_entry/gl_entry.json index ce17278d82..07578e2761 100644 --- a/erpnext/accounts/doctype/gl_entry/gl_entry.json +++ b/erpnext/accounts/doctype/gl_entry/gl_entry.json @@ -1,226 +1,229 @@ { - "autoname": "GL.#######", - "creation": "2013-01-10 16:34:06", - "docstatus": 0, - "doctype": "DocType", + "autoname": "GL.#######", + "creation": "2013-01-10 16:34:06", + "docstatus": 0, + "doctype": "DocType", "fields": [ { - "fieldname": "posting_date", - "fieldtype": "Date", - "in_filter": 1, - "in_list_view": 1, - "label": "Posting Date", - "oldfieldname": "posting_date", - "oldfieldtype": "Date", - "permlevel": 0, + "fieldname": "posting_date", + "fieldtype": "Date", + "in_filter": 1, + "in_list_view": 1, + "label": "Posting Date", + "oldfieldname": "posting_date", + "oldfieldtype": "Date", + "permlevel": 0, "search_index": 1 - }, + }, { - "fieldname": "transaction_date", - "fieldtype": "Date", - "in_list_view": 1, - "label": "Transaction Date", - "oldfieldname": "transaction_date", - "oldfieldtype": "Date", + "fieldname": "transaction_date", + "fieldtype": "Date", + "in_list_view": 1, + "label": "Transaction Date", + "oldfieldname": "transaction_date", + "oldfieldtype": "Date", "permlevel": 0 - }, + }, { - "fieldname": "aging_date", - "fieldtype": "Date", - "in_filter": 1, - "in_list_view": 1, - "label": "Aging Date", - "oldfieldname": "aging_date", - "oldfieldtype": "Date", - "permlevel": 0, + "fieldname": "aging_date", + "fieldtype": "Date", + "in_filter": 1, + "in_list_view": 1, + "label": "Aging Date", + "oldfieldname": "aging_date", + "oldfieldtype": "Date", + "permlevel": 0, "search_index": 0 - }, + }, { - "fieldname": "account", - "fieldtype": "Link", - "in_filter": 1, - "in_list_view": 1, - "label": "Account", - "oldfieldname": "account", - "oldfieldtype": "Link", - "options": "Account", - "permlevel": 0, + "fieldname": "account", + "fieldtype": "Link", + "in_filter": 1, + "in_list_view": 1, + "label": "Account", + "oldfieldname": "account", + "oldfieldtype": "Link", + "options": "Account", + "permlevel": 0, "search_index": 1 - }, + }, { - "fieldname": "cost_center", - "fieldtype": "Link", - "in_filter": 1, - "in_list_view": 1, - "label": "Cost Center", - "oldfieldname": "cost_center", - "oldfieldtype": "Link", - "options": "Cost Center", - "permlevel": 0, + "fieldname": "cost_center", + "fieldtype": "Link", + "in_filter": 1, + "in_list_view": 1, + "label": "Cost Center", + "oldfieldname": "cost_center", + "oldfieldtype": "Link", + "options": "Cost Center", + "permlevel": 0, "search_index": 0 - }, + }, { - "fieldname": "debit", - "fieldtype": "Currency", - "label": "Debit Amt", - "oldfieldname": "debit", - "oldfieldtype": "Currency", - "options": "Company:company:default_currency", + "fieldname": "debit", + "fieldtype": "Currency", + "label": "Debit Amt", + "oldfieldname": "debit", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", "permlevel": 0 - }, + }, { - "fieldname": "credit", - "fieldtype": "Currency", - "label": "Credit Amt", - "oldfieldname": "credit", - "oldfieldtype": "Currency", - "options": "Company:company:default_currency", + "fieldname": "credit", + "fieldtype": "Currency", + "label": "Credit Amt", + "oldfieldname": "credit", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", "permlevel": 0 - }, + }, { - "fieldname": "against", - "fieldtype": "Text", - "in_filter": 1, - "label": "Against", - "oldfieldname": "against", - "oldfieldtype": "Text", + "fieldname": "against", + "fieldtype": "Text", + "in_filter": 1, + "label": "Against", + "oldfieldname": "against", + "oldfieldtype": "Text", "permlevel": 0 - }, + }, { - "fieldname": "against_voucher", - "fieldtype": "Data", - "in_filter": 1, - "label": "Against Voucher", - "oldfieldname": "against_voucher", - "oldfieldtype": "Data", - "permlevel": 0, + "fieldname": "against_voucher_type", + "fieldtype": "Link", + "in_filter": 0, + "label": "Against Voucher Type", + "oldfieldname": "against_voucher_type", + "oldfieldtype": "Data", + "options": "DocType", + "permlevel": 0, "search_index": 0 - }, + }, { - "fieldname": "against_voucher_type", - "fieldtype": "Data", - "in_filter": 0, - "label": "Against Voucher Type", - "oldfieldname": "against_voucher_type", - "oldfieldtype": "Data", - "permlevel": 0, + "fieldname": "against_voucher", + "fieldtype": "Dynamic Link", + "in_filter": 1, + "label": "Against Voucher", + "oldfieldname": "against_voucher", + "oldfieldtype": "Data", + "options": "against_voucher_type", + "permlevel": 0, "search_index": 0 - }, + }, { - "fieldname": "voucher_type", - "fieldtype": "Select", - "in_filter": 1, - "label": "Voucher Type", - "oldfieldname": "voucher_type", - "oldfieldtype": "Select", - "options": "Journal Voucher\nSales Invoice\nPurchase Invoice\nPeriod Closing Voucher\nPurchase Receipt\nDelivery Note\nStock Entry\nStock Reconciliation", - "permlevel": 0, + "fieldname": "voucher_type", + "fieldtype": "Link", + "in_filter": 1, + "label": "Voucher Type", + "oldfieldname": "voucher_type", + "oldfieldtype": "Select", + "options": "DocType", + "permlevel": 0, "search_index": 0 - }, + }, { - "fieldname": "voucher_no", - "fieldtype": "Data", - "in_filter": 1, - "label": "Voucher No", - "oldfieldname": "voucher_no", - "oldfieldtype": "Data", - "permlevel": 0, + "fieldname": "voucher_no", + "fieldtype": "Dynamic Link", + "in_filter": 1, + "label": "Voucher No", + "oldfieldname": "voucher_no", + "oldfieldtype": "Data", + "options": "voucher_type", + "permlevel": 0, "search_index": 1 - }, + }, { - "fieldname": "remarks", - "fieldtype": "Text", - "in_filter": 1, - "label": "Remarks", - "no_copy": 1, - "oldfieldname": "remarks", - "oldfieldtype": "Text", - "permlevel": 0, + "fieldname": "remarks", + "fieldtype": "Text", + "in_filter": 1, + "label": "Remarks", + "no_copy": 1, + "oldfieldname": "remarks", + "oldfieldtype": "Text", + "permlevel": 0, "search_index": 0 - }, + }, { - "fieldname": "is_opening", - "fieldtype": "Select", - "in_filter": 1, - "label": "Is Opening", - "oldfieldname": "is_opening", - "oldfieldtype": "Select", - "options": "No\nYes", - "permlevel": 0, + "fieldname": "is_opening", + "fieldtype": "Select", + "in_filter": 1, + "label": "Is Opening", + "oldfieldname": "is_opening", + "oldfieldtype": "Select", + "options": "No\nYes", + "permlevel": 0, "search_index": 0 - }, + }, { - "fieldname": "is_advance", - "fieldtype": "Select", - "in_filter": 0, - "label": "Is Advance", - "oldfieldname": "is_advance", - "oldfieldtype": "Select", - "options": "No\nYes", - "permlevel": 0, + "fieldname": "is_advance", + "fieldtype": "Select", + "in_filter": 0, + "label": "Is Advance", + "oldfieldname": "is_advance", + "oldfieldtype": "Select", + "options": "No\nYes", + "permlevel": 0, "search_index": 0 - }, + }, { - "fieldname": "fiscal_year", - "fieldtype": "Link", - "in_filter": 1, - "label": "Fiscal Year", - "oldfieldname": "fiscal_year", - "oldfieldtype": "Select", - "options": "Fiscal Year", - "permlevel": 0, + "fieldname": "fiscal_year", + "fieldtype": "Link", + "in_filter": 1, + "label": "Fiscal Year", + "oldfieldname": "fiscal_year", + "oldfieldtype": "Select", + "options": "Fiscal Year", + "permlevel": 0, "search_index": 0 - }, + }, { - "fieldname": "company", - "fieldtype": "Link", - "in_filter": 1, - "label": "Company", - "oldfieldname": "company", - "oldfieldtype": "Link", - "options": "Company", - "permlevel": 0, + "fieldname": "company", + "fieldtype": "Link", + "in_filter": 1, + "label": "Company", + "oldfieldname": "company", + "oldfieldtype": "Link", + "options": "Company", + "permlevel": 0, "search_index": 0 } - ], - "icon": "icon-list", - "idx": 1, - "in_create": 1, - "modified": "2014-06-19 01:51:29.340077", - "modified_by": "Administrator", - "module": "Accounts", - "name": "GL Entry", - "owner": "Administrator", + ], + "icon": "icon-list", + "idx": 1, + "in_create": 1, + "modified": "2014-06-23 08:07:30.678730", + "modified_by": "Administrator", + "module": "Accounts", + "name": "GL Entry", + "owner": "Administrator", "permissions": [ { - "amend": 0, - "apply_user_permissions": 1, - "create": 0, - "email": 1, - "export": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Accounts User", - "submit": 0, + "amend": 0, + "apply_user_permissions": 1, + "create": 0, + "email": 1, + "export": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Accounts User", + "submit": 0, "write": 0 - }, + }, { - "amend": 0, - "create": 0, - "email": 1, - "export": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Accounts Manager", - "submit": 0, + "amend": 0, + "create": 0, + "email": 1, + "export": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Accounts Manager", + "submit": 0, "write": 0 } - ], - "search_fields": "voucher_no,account,posting_date,against_voucher", - "sort_field": "modified", + ], + "search_fields": "voucher_no,account,posting_date,against_voucher", + "sort_field": "modified", "sort_order": "DESC" -} +} \ No newline at end of file diff --git a/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.json b/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.json index e1aa66ff11..c9e7dc2c3d 100644 --- a/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.json +++ b/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.json @@ -43,13 +43,14 @@ }, { "fieldname": "amended_from", - "fieldtype": "Data", + "fieldtype": "Link", "ignore_user_permissions": 1, "in_list_view": 1, "label": "Amended From", "no_copy": 1, "oldfieldname": "amended_from", "oldfieldtype": "Data", + "options": "Period Closing Voucher", "permlevel": 0, "read_only": 1 }, @@ -101,7 +102,7 @@ "icon": "icon-file-text", "idx": 1, "is_submittable": 1, - "modified": "2014-05-26 03:05:50.722547", + "modified": "2014-06-23 07:55:49.946225", "modified_by": "Administrator", "module": "Accounts", "name": "Period Closing Voucher", diff --git a/erpnext/buying/doctype/purchase_order/purchase_order.json b/erpnext/buying/doctype/purchase_order/purchase_order.json index 794c0415bd..14693c434f 100644 --- a/erpnext/buying/doctype/purchase_order/purchase_order.json +++ b/erpnext/buying/doctype/purchase_order/purchase_order.json @@ -104,13 +104,14 @@ }, { "fieldname": "amended_from", - "fieldtype": "Data", + "fieldtype": "Link", "hidden": 0, "ignore_user_permissions": 1, "label": "Amended From", "no_copy": 1, "oldfieldname": "amended_from", "oldfieldtype": "Data", + "options": "Purchase Order", "permlevel": 0, "print_hide": 1, "read_only": 1, @@ -644,7 +645,7 @@ "icon": "icon-file-text", "idx": 1, "is_submittable": 1, - "modified": "2014-06-19 15:58:06.375217", + "modified": "2014-06-23 07:55:50.372486", "modified_by": "Administrator", "module": "Buying", "name": "Purchase Order", diff --git a/erpnext/buying/doctype/quality_inspection/quality_inspection.json b/erpnext/buying/doctype/quality_inspection/quality_inspection.json index 4da6e63f36..3e05b319b6 100644 --- a/erpnext/buying/doctype/quality_inspection/quality_inspection.json +++ b/erpnext/buying/doctype/quality_inspection/quality_inspection.json @@ -168,12 +168,13 @@ }, { "fieldname": "amended_from", - "fieldtype": "Data", + "fieldtype": "Link", "ignore_user_permissions": 1, "label": "Amended From", "no_copy": 1, "oldfieldname": "amended_from", "oldfieldtype": "Data", + "options": "Quality Inspection", "permlevel": 0, "print_hide": 1, "read_only": 1 @@ -206,7 +207,7 @@ "icon": "icon-search", "idx": 1, "is_submittable": 1, - "modified": "2014-05-26 03:05:52.140251", + "modified": "2014-06-23 07:55:51.183113", "modified_by": "Administrator", "module": "Buying", "name": "Quality Inspection", diff --git a/erpnext/buying/doctype/supplier_quotation/supplier_quotation.json b/erpnext/buying/doctype/supplier_quotation/supplier_quotation.json index c3c5bf4f39..955aa6857c 100644 --- a/erpnext/buying/doctype/supplier_quotation/supplier_quotation.json +++ b/erpnext/buying/doctype/supplier_quotation/supplier_quotation.json @@ -104,13 +104,14 @@ }, { "fieldname": "amended_from", - "fieldtype": "Data", + "fieldtype": "Link", "hidden": 1, "ignore_user_permissions": 1, "label": "Amended From", "no_copy": 1, "oldfieldname": "amended_from", "oldfieldtype": "Data", + "options": "Supplier Quotation", "permlevel": 0, "print_hide": 1, "read_only": 1, @@ -570,7 +571,7 @@ "icon": "icon-shopping-cart", "idx": 1, "is_submittable": 1, - "modified": "2014-06-19 15:54:27.919675", + "modified": "2014-06-23 07:55:52.993616", "modified_by": "Administrator", "module": "Buying", "name": "Supplier Quotation", diff --git a/erpnext/hr/doctype/appraisal/appraisal.json b/erpnext/hr/doctype/appraisal/appraisal.json index 2fec94f1e0..beddeefdd9 100644 --- a/erpnext/hr/doctype/appraisal/appraisal.json +++ b/erpnext/hr/doctype/appraisal/appraisal.json @@ -179,13 +179,14 @@ }, { "fieldname": "amended_from", - "fieldtype": "Data", + "fieldtype": "Link", "hidden": 1, "ignore_user_permissions": 1, "label": "Amended From", "no_copy": 1, "oldfieldname": "amended_from", "oldfieldtype": "Data", + "options": "Appraisal", "permlevel": 0, "print_hide": 1, "read_only": 1, @@ -196,7 +197,7 @@ "icon": "icon-thumbs-up", "idx": 1, "is_submittable": 1, - "modified": "2014-05-27 03:49:07.393120", + "modified": "2014-06-23 07:55:40.801381", "modified_by": "Administrator", "module": "HR", "name": "Appraisal", diff --git a/erpnext/hr/doctype/expense_claim/expense_claim.json b/erpnext/hr/doctype/expense_claim/expense_claim.json index 4ebc30f362..c13710af3f 100644 --- a/erpnext/hr/doctype/expense_claim/expense_claim.json +++ b/erpnext/hr/doctype/expense_claim/expense_claim.json @@ -171,12 +171,13 @@ }, { "fieldname": "amended_from", - "fieldtype": "Data", + "fieldtype": "Link", "ignore_user_permissions": 1, "label": "Amended From", "no_copy": 1, "oldfieldname": "amended_from", "oldfieldtype": "Data", + "options": "Expense Claim", "permlevel": 0, "print_hide": 1, "read_only": 1, @@ -187,7 +188,7 @@ "icon": "icon-money", "idx": 1, "is_submittable": 1, - "modified": "2014-05-27 03:49:10.736177", + "modified": "2014-06-23 07:55:48.580747", "modified_by": "Administrator", "module": "HR", "name": "Expense Claim", diff --git a/erpnext/hr/doctype/leave_allocation/leave_allocation.json b/erpnext/hr/doctype/leave_allocation/leave_allocation.json index ca583a1e44..ede86f3c63 100644 --- a/erpnext/hr/doctype/leave_allocation/leave_allocation.json +++ b/erpnext/hr/doctype/leave_allocation/leave_allocation.json @@ -121,13 +121,14 @@ }, { "fieldname": "amended_from", - "fieldtype": "Data", + "fieldtype": "Link", "hidden": 0, "ignore_user_permissions": 1, "label": "Amended From", "no_copy": 1, "oldfieldname": "amended_from", "oldfieldtype": "Data", + "options": "Leave Allocation", "permlevel": 0, "print_hide": 1, "read_only": 1 @@ -136,7 +137,7 @@ "icon": "icon-ok", "idx": 1, "is_submittable": 1, - "modified": "2014-05-27 03:49:12.744348", + "modified": "2014-06-23 07:55:48.989894", "modified_by": "Administrator", "module": "HR", "name": "Leave Allocation", diff --git a/erpnext/hr/doctype/salary_slip/salary_slip.json b/erpnext/hr/doctype/salary_slip/salary_slip.json index 374d11e93b..5d2f028e9c 100644 --- a/erpnext/hr/doctype/salary_slip/salary_slip.json +++ b/erpnext/hr/doctype/salary_slip/salary_slip.json @@ -180,13 +180,14 @@ }, { "fieldname": "amended_from", - "fieldtype": "Data", + "fieldtype": "Link", "hidden": 0, "ignore_user_permissions": 1, "label": "Amended From", "no_copy": 1, "oldfieldname": "amended_from", "oldfieldtype": "Data", + "options": "Salary Slip", "permlevel": 0, "print_hide": 1, "report_hide": 0 @@ -325,7 +326,7 @@ "icon": "icon-file-text", "idx": 1, "is_submittable": 1, - "modified": "2014-05-27 03:49:17.213045", + "modified": "2014-06-23 07:55:52.259962", "modified_by": "Administrator", "module": "HR", "name": "Salary Slip", diff --git a/erpnext/manufacturing/doctype/production_order/production_order.json b/erpnext/manufacturing/doctype/production_order/production_order.json index 7e068cff74..f5e43b0144 100644 --- a/erpnext/manufacturing/doctype/production_order/production_order.json +++ b/erpnext/manufacturing/doctype/production_order/production_order.json @@ -1,256 +1,257 @@ { - "allow_import": 1, - "autoname": "naming_series:", - "creation": "2013-01-10 16:34:16", - "docstatus": 0, - "doctype": "DocType", + "allow_import": 1, + "autoname": "naming_series:", + "creation": "2013-01-10 16:34:16", + "docstatus": 0, + "doctype": "DocType", "fields": [ { - "fieldname": "item", - "fieldtype": "Section Break", - "label": "Item", - "options": "icon-gift", + "fieldname": "item", + "fieldtype": "Section Break", + "label": "Item", + "options": "icon-gift", "permlevel": 0 - }, + }, { - "default": "PRO-", - "fieldname": "naming_series", - "fieldtype": "Select", - "label": "Series", - "options": "PRO-", - "permlevel": 0, + "default": "PRO-", + "fieldname": "naming_series", + "fieldtype": "Select", + "label": "Series", + "options": "PRO-", + "permlevel": 0, "reqd": 1 - }, + }, { - "depends_on": "eval:!doc.__islocal", - "fieldname": "status", - "fieldtype": "Select", - "in_filter": 1, - "in_list_view": 1, - "label": "Status", - "no_copy": 1, - "oldfieldname": "status", - "oldfieldtype": "Select", - "options": "\nDraft\nSubmitted\nStopped\nIn Process\nCompleted\nCancelled", - "permlevel": 0, - "read_only": 1, - "reqd": 1, + "depends_on": "eval:!doc.__islocal", + "fieldname": "status", + "fieldtype": "Select", + "in_filter": 1, + "in_list_view": 1, + "label": "Status", + "no_copy": 1, + "oldfieldname": "status", + "oldfieldtype": "Select", + "options": "\nDraft\nSubmitted\nStopped\nIn Process\nCompleted\nCancelled", + "permlevel": 0, + "read_only": 1, + "reqd": 1, "search_index": 1 - }, + }, { - "fieldname": "production_item", - "fieldtype": "Link", - "in_filter": 1, - "in_list_view": 1, - "label": "Item To Manufacture", - "oldfieldname": "production_item", - "oldfieldtype": "Link", - "options": "Item", - "permlevel": 0, - "read_only": 0, + "fieldname": "production_item", + "fieldtype": "Link", + "in_filter": 1, + "in_list_view": 1, + "label": "Item To Manufacture", + "oldfieldname": "production_item", + "oldfieldtype": "Link", + "options": "Item", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "depends_on": "production_item", - "description": "Bill of Material to be considered for manufacturing", - "fieldname": "bom_no", - "fieldtype": "Link", - "in_list_view": 1, - "label": "BOM No", - "oldfieldname": "bom_no", - "oldfieldtype": "Link", - "options": "BOM", - "permlevel": 0, - "read_only": 0, + "depends_on": "production_item", + "description": "Bill of Material to be considered for manufacturing", + "fieldname": "bom_no", + "fieldtype": "Link", + "in_list_view": 1, + "label": "BOM No", + "oldfieldname": "bom_no", + "oldfieldtype": "Link", + "options": "BOM", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "default": "1", - "description": "If checked, BOM for sub-assembly items will be considered for getting raw materials. Otherwise, all sub-assembly items will be treated as a raw material.", - "fieldname": "use_multi_level_bom", - "fieldtype": "Check", - "label": "Use Multi-Level BOM", + "default": "1", + "description": "If checked, BOM for sub-assembly items will be considered for getting raw materials. Otherwise, all sub-assembly items will be treated as a raw material.", + "fieldname": "use_multi_level_bom", + "fieldtype": "Check", + "label": "Use Multi-Level BOM", "permlevel": 0 - }, + }, { - "fieldname": "column_break1", - "fieldtype": "Column Break", - "oldfieldtype": "Column Break", - "permlevel": 0, - "read_only": 0, + "fieldname": "column_break1", + "fieldtype": "Column Break", + "oldfieldtype": "Column Break", + "permlevel": 0, + "read_only": 0, "width": "50%" - }, + }, { - "description": "Manufacture against Sales Order", - "fieldname": "sales_order", - "fieldtype": "Link", - "label": "Sales Order", - "options": "Sales Order", - "permlevel": 0, + "description": "Manufacture against Sales Order", + "fieldname": "sales_order", + "fieldtype": "Link", + "label": "Sales Order", + "options": "Sales Order", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "production_item", - "fieldname": "qty", - "fieldtype": "Float", - "in_list_view": 1, - "label": "Qty To Manufacture", - "oldfieldname": "qty", - "oldfieldtype": "Currency", - "permlevel": 0, - "read_only": 0, + "depends_on": "production_item", + "fieldname": "qty", + "fieldtype": "Float", + "in_list_view": 1, + "label": "Qty To Manufacture", + "oldfieldname": "qty", + "oldfieldtype": "Currency", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "depends_on": "eval:doc.docstatus==1", - "description": "Automatically updated via Stock Entry of type Manufacture/Repack", - "fieldname": "produced_qty", - "fieldtype": "Float", - "label": "Manufactured Qty", - "no_copy": 1, - "oldfieldname": "produced_qty", - "oldfieldtype": "Currency", - "permlevel": 0, + "depends_on": "eval:doc.docstatus==1", + "description": "Automatically updated via Stock Entry of type Manufacture/Repack", + "fieldname": "produced_qty", + "fieldtype": "Float", + "label": "Manufactured Qty", + "no_copy": 1, + "oldfieldname": "produced_qty", + "oldfieldtype": "Currency", + "permlevel": 0, "read_only": 1 - }, + }, { - "depends_on": "sales_order", - "fieldname": "expected_delivery_date", - "fieldtype": "Date", - "label": "Expected Delivery Date", - "permlevel": 0, + "depends_on": "sales_order", + "fieldname": "expected_delivery_date", + "fieldtype": "Date", + "label": "Expected Delivery Date", + "permlevel": 0, "read_only": 1 - }, + }, { - "fieldname": "warehouses", - "fieldtype": "Section Break", - "label": "Warehouses", - "options": "icon-building", + "fieldname": "warehouses", + "fieldtype": "Section Break", + "label": "Warehouses", + "options": "icon-building", "permlevel": 0 - }, + }, { - "depends_on": "production_item", - "description": "Manufactured quantity will be updated in this warehouse", - "fieldname": "fg_warehouse", - "fieldtype": "Link", - "in_list_view": 0, - "label": "For Warehouse", - "options": "Warehouse", - "permlevel": 0, - "read_only": 0, + "depends_on": "production_item", + "description": "Manufactured quantity will be updated in this warehouse", + "fieldname": "fg_warehouse", + "fieldtype": "Link", + "in_list_view": 0, + "label": "For Warehouse", + "options": "Warehouse", + "permlevel": 0, + "read_only": 0, "reqd": 0 - }, + }, { - "fieldname": "column_break_12", - "fieldtype": "Column Break", + "fieldname": "column_break_12", + "fieldtype": "Column Break", "permlevel": 0 - }, + }, { - "fieldname": "wip_warehouse", - "fieldtype": "Link", - "label": "Work-in-Progress Warehouse", - "options": "Warehouse", - "permlevel": 0, + "fieldname": "wip_warehouse", + "fieldtype": "Link", + "label": "Work-in-Progress Warehouse", + "options": "Warehouse", + "permlevel": 0, "reqd": 0 - }, + }, { - "fieldname": "more_info", - "fieldtype": "Section Break", - "label": "More Info", - "options": "icon-file-text", - "permlevel": 0, + "fieldname": "more_info", + "fieldtype": "Section Break", + "label": "More Info", + "options": "icon-file-text", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "description", - "fieldtype": "Small Text", - "label": "Item Description", - "permlevel": 0, + "fieldname": "description", + "fieldtype": "Small Text", + "label": "Item Description", + "permlevel": 0, "read_only": 1 - }, + }, { - "fieldname": "project_name", - "fieldtype": "Link", - "in_filter": 1, - "label": "Project Name", - "oldfieldname": "project_name", - "oldfieldtype": "Link", - "options": "Project", - "permlevel": 0, + "fieldname": "project_name", + "fieldtype": "Link", + "in_filter": 1, + "label": "Project Name", + "oldfieldname": "project_name", + "oldfieldtype": "Link", + "options": "Project", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "column_break2", - "fieldtype": "Column Break", - "permlevel": 0, - "read_only": 0, + "fieldname": "column_break2", + "fieldtype": "Column Break", + "permlevel": 0, + "read_only": 0, "width": "50%" - }, + }, { - "depends_on": "production_item", - "fieldname": "stock_uom", - "fieldtype": "Link", - "label": "Stock UOM", - "oldfieldname": "stock_uom", - "oldfieldtype": "Data", - "options": "UOM", - "permlevel": 0, + "depends_on": "production_item", + "fieldname": "stock_uom", + "fieldtype": "Link", + "label": "Stock UOM", + "oldfieldname": "stock_uom", + "oldfieldtype": "Data", + "options": "UOM", + "permlevel": 0, "read_only": 1 - }, + }, { - "fieldname": "company", - "fieldtype": "Link", - "label": "Company", - "oldfieldname": "company", - "oldfieldtype": "Link", - "options": "Company", - "permlevel": 0, - "read_only": 0, + "fieldname": "company", + "fieldtype": "Link", + "label": "Company", + "oldfieldname": "company", + "oldfieldtype": "Link", + "options": "Company", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "fieldname": "amended_from", - "fieldtype": "Data", - "ignore_user_permissions": 1, - "label": "Amended From", - "no_copy": 1, - "oldfieldname": "amended_from", - "oldfieldtype": "Data", - "permlevel": 0, + "fieldname": "amended_from", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Amended From", + "no_copy": 1, + "oldfieldname": "amended_from", + "oldfieldtype": "Data", + "options": "Production Order", + "permlevel": 0, "read_only": 1 } - ], - "icon": "icon-cogs", - "idx": 1, - "in_create": 0, - "is_submittable": 1, - "modified": "2014-05-27 03:49:15.008942", - "modified_by": "Administrator", - "module": "Manufacturing", - "name": "Production Order", - "owner": "Administrator", + ], + "icon": "icon-cogs", + "idx": 1, + "in_create": 0, + "is_submittable": 1, + "modified": "2014-06-23 07:55:50.092300", + "modified_by": "Administrator", + "module": "Manufacturing", + "name": "Production Order", + "owner": "Administrator", "permissions": [ { - "amend": 1, - "apply_user_permissions": 1, - "cancel": 1, - "create": 1, - "delete": 1, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Manufacturing User", - "submit": 1, + "amend": 1, + "apply_user_permissions": 1, + "cancel": 1, + "create": 1, + "delete": 1, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Manufacturing User", + "submit": 1, "write": 1 - }, + }, { - "apply_user_permissions": 1, - "permlevel": 0, - "read": 1, - "report": 1, + "apply_user_permissions": 1, + "permlevel": 0, + "read": 1, + "report": 1, "role": "Material User" } ] -} +} \ No newline at end of file diff --git a/erpnext/patches.txt b/erpnext/patches.txt index 041bbd3cc0..d94dd53097 100644 --- a/erpnext/patches.txt +++ b/erpnext/patches.txt @@ -63,3 +63,4 @@ erpnext.patches.v4_0.create_price_list_if_missing execute:frappe.db.sql("update `tabItem` set end_of_life=null where end_of_life='0000-00-00'") #2014-06-16 erpnext.patches.v4_0.update_users_report_view_settings erpnext.patches.v4_0.set_pricing_rule_for_buying_or_selling +erpnext.patches.v4_0.set_naming_series_property_setter diff --git a/erpnext/patches/repair_tools/__init__.py b/erpnext/patches/repair_tools/__init__.py new file mode 100644 index 0000000000..e69de29bb2 diff --git a/erpnext/patches/repair_tools/fix_naming_series_records_lost_by_reload.py b/erpnext/patches/repair_tools/fix_naming_series_records_lost_by_reload.py new file mode 100644 index 0000000000..7fb54b3cc8 --- /dev/null +++ b/erpnext/patches/repair_tools/fix_naming_series_records_lost_by_reload.py @@ -0,0 +1,204 @@ +# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors +# License: GNU General Public License v3. See license.txt + +from __future__ import unicode_literals +import frappe +import json +from frappe.model.naming import make_autoname +from frappe.utils import cint +from frappe.utils.email_lib import sendmail_to_system_managers + +doctype_series_map = { + 'Attendance': 'ATT-', + 'C-Form': 'C-FORM-', + 'Customer': 'CUST-', + 'Customer Issue': 'CI-', + 'Delivery Note': 'DN-', + 'Installation Note': 'IN-', + 'Item': 'ITEM-', + 'Journal Voucher': 'JV-', + 'Lead': 'LEAD-', + 'Opportunity': 'OPTY-', + 'Packing Slip': 'PS-', + 'Production Order': 'PRO-', + 'Purchase Invoice': 'PINV-', + 'Purchase Order': 'PO-', + 'Purchase Receipt': 'PREC-', + 'Quality Inspection': 'QI-', + 'Quotation': 'QTN-', + 'Sales Invoice': 'SINV-', + 'Sales Order': 'SO-', + 'Stock Entry': 'STE-', + 'Supplier': 'SUPP-', + 'Supplier Quotation': 'SQTN-', + 'Support Ticket': 'SUP-' +} + +def check_docs_to_rename(): + if "erpnext" not in frappe.get_installed_apps(): + return + + docs_to_rename = get_docs_to_rename() + if docs_to_rename: + print "To Rename" + print json.dumps(docs_to_rename, indent=1, sort_keys=True) + + frappe.db.rollback() + +def check_gl_sl_entries_to_fix(): + if "erpnext" not in frappe.get_installed_apps(): + return + + gl_entries_to_fix = get_gl_entries_to_fix() + if gl_entries_to_fix: + print "General Ledger Entries to Fix" + print json.dumps(gl_entries_to_fix, indent=1, sort_keys=True) + + sl_entries_to_fix = get_sl_entries_to_fix() + if sl_entries_to_fix: + print "Stock Ledger Entries to Fix" + print json.dumps(sl_entries_to_fix, indent=1, sort_keys=True) + + frappe.db.rollback() + +def guess_reference_date(): + return (frappe.db.get_value("Patch Log", {"patch": "erpnext.patches.v4_0.validate_v3_patch"}, "creation") + or "2014-05-06") + +def get_docs_to_rename(): + reference_date = guess_reference_date() + + docs_to_rename = {} + for doctype, new_series in doctype_series_map.items(): + if doctype in ("Item", "Customer", "Lead", "Supplier"): + if not frappe.db.sql("""select name from `tab{doctype}` + where ifnull(naming_series, '')!='' + and name like concat(naming_series, '%%') limit 1""".format(doctype=doctype)): + continue + + # fix newly formed records using old series! + records_with_new_series = frappe.db.sql_list("""select name from `tab{doctype}` + where date(creation) >= date(%s) and naming_series=%s + and exists (select name from `tab{doctype}` where ifnull(naming_series, '') not in ('', %s) limit 1) + order by name asc""".format(doctype=doctype), (reference_date, new_series, new_series)) + + if records_with_new_series: + docs_to_rename[doctype] = records_with_new_series + + return docs_to_rename + +def get_gl_entries_to_fix(): + bad_gl_entries = {} + + for dt in frappe.db.sql_list("""select distinct voucher_type from `tabGL Entry` + where ifnull(voucher_type, '')!=''"""): + + if dt not in doctype_series_map: + continue + + out = frappe.db.sql("""select gl.name, gl.voucher_no from `tabGL Entry` gl + where ifnull(voucher_type, '')=%s and voucher_no like %s and + not exists (select name from `tab{voucher_type}` vt where vt.name=gl.voucher_no)""".format(voucher_type=dt), + (dt, doctype_series_map[dt] + "%%"), as_dict=True) + + if out: + bad_gl_entries.setdefault(dt, []).extend(out) + + for dt in frappe.db.sql_list("""select distinct against_voucher_type + from `tabGL Entry` where ifnull(against_voucher_type, '')!=''"""): + + if dt not in doctype_series_map: + continue + + out = frappe.db.sql("""select gl.name, gl.against_voucher from `tabGL Entry` gl + where ifnull(against_voucher_type, '')=%s and against_voucher like %s and + not exists (select name from `tab{against_voucher_type}` vt + where vt.name=gl.against_voucher)""".format(against_voucher_type=dt), + (dt, doctype_series_map[dt] + "%%"), as_dict=True) + + if out: + bad_gl_entries.setdefault(dt, []).extend(out) + + return bad_gl_entries + +def get_sl_entries_to_fix(): + bad_sl_entries = {} + + for dt in frappe.db.sql_list("""select distinct voucher_type from `tabStock Ledger Entry` + where ifnull(voucher_type, '')!=''"""): + + if dt not in doctype_series_map: + continue + + out = frappe.db.sql("""select sl.name, sl.voucher_no from `tabStock Ledger Entry` sl + where voucher_type=%s and voucher_no like %s and + not exists (select name from `tab{voucher_type}` vt where vt.name=sl.voucher_no)""".format(voucher_type=dt), + (dt, doctype_series_map[dt] + "%%"), as_dict=True) + if out: + bad_sl_entries.setdefault(dt, []).extend(out) + + return bad_sl_entries + +def add_comment(doctype, old_name, new_name): + frappe.get_doc({ + "doctype":"Comment", + "comment_by": frappe.session.user, + "comment_doctype": doctype, + "comment_docname": new_name, + "comment": """Renamed from **{old_name}** to {new_name}""".format(old_name=old_name, new_name=new_name) + }).insert(ignore_permissions=True) + +def _rename_doc(doctype, name, naming_series): + if frappe.get_meta(doctype).get_field("amended_from"): + amended_from = frappe.db.get_value(doctype, name, "amended_from") + else: + amended_from = None + + if amended_from: + am_id = 1 + am_prefix = amended_from + if frappe.db.get_value(doctype, amended_from, "amended_from"): + am_id = cint(amended_from.split('-')[-1]) + 1 + am_prefix = '-'.join(amended_from.split('-')[:-1]) # except the last hyphen + + fixed_name = am_prefix + '-' + str(am_id) + else: + fixed_name = make_autoname(naming_series+'.#####') + + frappe.db.set_value(doctype, name, "naming_series", naming_series) + frappe.rename_doc(doctype, name, fixed_name, force=True) + add_comment(doctype, name, fixed_name) + + return fixed_name + +def rename_docs(): + _log = [] + def log(msg): + _log.append(msg) + print msg + + commit = False + docs_to_rename = get_docs_to_rename() + for doctype, list_of_names in docs_to_rename.items(): + naming_series_field = frappe.get_meta(doctype).get_field("naming_series") + default_series = naming_series_field.default or filter(None, (naming_series_field.options or "").split("\n"))[0] + + print + print "Rename", doctype, list_of_names, "using series", default_series + confirm = raw_input("do it? (yes / anything else): ") + + if confirm == "yes": + commit = True + for name in list_of_names: + fixed_name = _rename_doc(doctype, name, default_series) + log("Renamed {doctype} {name} --> {fixed_name}".format(doctype=doctype, name=name, fixed_name=fixed_name)) + + if commit: + content = """These documents have been renamed in your ERPNext instance: {site}\n\n{_log}""".format(site=frappe.local.site, _log="\n".join(_log)) + + print content + + frappe.db.commit() + + sendmail_to_system_managers("[Important] [ERPNext] Renamed Documents via Patch", content) + diff --git a/erpnext/patches/v4_0/set_naming_series_property_setter.py b/erpnext/patches/v4_0/set_naming_series_property_setter.py new file mode 100644 index 0000000000..7161492cfa --- /dev/null +++ b/erpnext/patches/v4_0/set_naming_series_property_setter.py @@ -0,0 +1,98 @@ +# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors +# License: GNU General Public License v3. See license.txt + +from __future__ import unicode_literals + +import frappe +from frappe.core.doctype.property_setter.property_setter import make_property_setter + +doctype_series_map = { + 'Attendance': 'ATT-', + 'C-Form': 'C-FORM-', + 'Customer': 'CUST-', + 'Customer Issue': 'CI-', + 'Delivery Note': 'DN-', + 'Installation Note': 'IN-', + 'Item': 'ITEM-', + 'Journal Voucher': 'JV-', + 'Lead': 'LEAD-', + 'Opportunity': 'OPTY-', + 'Packing Slip': 'PS-', + 'Production Order': 'PRO-', + 'Purchase Invoice': 'PINV-', + 'Purchase Order': 'PO-', + 'Purchase Receipt': 'PREC-', + 'Quality Inspection': 'QI-', + 'Quotation': 'QTN-', + 'Sales Invoice': 'SINV-', + 'Sales Order': 'SO-', + 'Stock Entry': 'STE-', + 'Supplier': 'SUPP-', + 'Supplier Quotation': 'SQTN-', + 'Support Ticket': 'SUP-' +} + +def execute(): + series_to_set = get_series_to_set() + for doctype, opts in series_to_set.items(): + print "Setting naming series", doctype, opts + set_series(doctype, opts["options"], opts["default"]) + +def set_series(doctype, options, default): + make_property_setter(doctype, "naming_series", "options", options, "Text") + make_property_setter(doctype, "naming_series", "default", default, "Text") + +def get_series_to_set(): + series_to_set = {} + + for doctype, new_series in doctype_series_map.items(): + # you can't fix what does not exist :) + if not frappe.db.a_row_exists(doctype): + continue + + series_to_preserve = get_series_to_preserve(doctype, new_series) + + if not series_to_preserve: + continue + + default_series = get_default_series(doctype, new_series) + if not default_series: + continue + + existing_series = (frappe.get_meta(doctype).get_field("naming_series").options or "").split("\n") + existing_series = filter(None, [d.strip() for d in existing_series]) + + if (not (set(existing_series).difference(series_to_preserve) or set(series_to_preserve).difference(existing_series)) + and len(series_to_preserve)==len(existing_series)): + # print "No change for", doctype, ":", existing_series, "=", series_to_preserve + continue + + # set naming series property setter + series_to_preserve = list(set(series_to_preserve + existing_series)) + if new_series in series_to_preserve: + series_to_preserve.remove(new_series) + + if series_to_preserve: + series_to_set[doctype] = {"options": "\n".join(series_to_preserve), "default": default_series} + + return series_to_set + +def get_series_to_preserve(doctype, new_series): + series_to_preserve = frappe.db.sql_list("""select distinct naming_series from `tab{doctype}` + where ifnull(naming_series, '') not in ('', %s)""".format(doctype=doctype), new_series) + + series_to_preserve.sort() + + return series_to_preserve + +def get_default_series(doctype, new_series): + default_series = frappe.db.sql("""select naming_series from `tab{doctype}` where ifnull(naming_series, '') not in ('', %s) + and creation=(select max(creation) from `tab{doctype}` + where ifnull(naming_series, '') not in ('', %s)) order by creation desc limit 1""".format(doctype=doctype), + (new_series, new_series)) + + if not (default_series and default_series[0][0]): + print "[Skipping] Cannot guess which naming series to use for", doctype + return + + return default_series[0][0] diff --git a/erpnext/selling/doctype/installation_note/installation_note.json b/erpnext/selling/doctype/installation_note/installation_note.json index 859ff5f4ce..56df0615a3 100644 --- a/erpnext/selling/doctype/installation_note/installation_note.json +++ b/erpnext/selling/doctype/installation_note/installation_note.json @@ -195,12 +195,13 @@ }, { "fieldname": "amended_from", - "fieldtype": "Data", + "fieldtype": "Link", "ignore_user_permissions": 1, "label": "Amended From", "no_copy": 1, "oldfieldname": "amended_from", "oldfieldtype": "Data", + "options": "Installation Note", "permlevel": 0, "print_hide": 1, "read_only": 1 @@ -235,7 +236,7 @@ "icon": "icon-wrench", "idx": 1, "is_submittable": 1, - "modified": "2014-05-27 03:49:11.449598", + "modified": "2014-06-23 07:55:48.805241", "modified_by": "Administrator", "module": "Selling", "name": "Installation Note", diff --git a/erpnext/selling/doctype/opportunity/opportunity.json b/erpnext/selling/doctype/opportunity/opportunity.json index 249a0ff50c..be5f52b483 100644 --- a/erpnext/selling/doctype/opportunity/opportunity.json +++ b/erpnext/selling/doctype/opportunity/opportunity.json @@ -385,12 +385,13 @@ }, { "fieldname": "amended_from", - "fieldtype": "Data", + "fieldtype": "Link", "ignore_user_permissions": 1, "label": "Amended From", "no_copy": 1, "oldfieldname": "amended_from", "oldfieldtype": "Data", + "options": "Opportunity", "permlevel": 0, "print_hide": 1, "read_only": 1, @@ -409,7 +410,7 @@ "icon": "icon-info-sign", "idx": 1, "is_submittable": 1, - "modified": "2014-05-27 03:49:14.057062", + "modified": "2014-06-23 07:55:49.718301", "modified_by": "Administrator", "module": "Selling", "name": "Opportunity", diff --git a/erpnext/selling/doctype/quotation/quotation.json b/erpnext/selling/doctype/quotation/quotation.json index 1ae0adb363..bdd27c4cc7 100644 --- a/erpnext/selling/doctype/quotation/quotation.json +++ b/erpnext/selling/doctype/quotation/quotation.json @@ -139,12 +139,13 @@ }, { "fieldname": "amended_from", - "fieldtype": "Data", + "fieldtype": "Link", "ignore_user_permissions": 1, "label": "Amended From", "no_copy": 1, "oldfieldname": "amended_from", "oldfieldtype": "Data", + "options": "Quotation", "permlevel": 0, "print_hide": 1, "read_only": 1, @@ -826,7 +827,7 @@ "idx": 1, "is_submittable": 1, "max_attachments": 1, - "modified": "2014-06-19 15:59:30.019826", + "modified": "2014-06-23 07:55:51.859025", "modified_by": "Administrator", "module": "Selling", "name": "Quotation", diff --git a/erpnext/selling/doctype/sales_order/sales_order.json b/erpnext/selling/doctype/sales_order/sales_order.json index a036370db5..6c330e67e2 100644 --- a/erpnext/selling/doctype/sales_order/sales_order.json +++ b/erpnext/selling/doctype/sales_order/sales_order.json @@ -112,13 +112,14 @@ }, { "fieldname": "amended_from", - "fieldtype": "Data", + "fieldtype": "Link", "hidden": 1, "ignore_user_permissions": 1, "label": "Amended From", "no_copy": 1, "oldfieldname": "amended_from", "oldfieldtype": "Data", + "options": "Sales Order", "permlevel": 0, "print_hide": 1, "read_only": 1, @@ -882,7 +883,7 @@ "idx": 1, "is_submittable": 1, "issingle": 0, - "modified": "2014-06-19 16:00:06.626037", + "modified": "2014-06-23 07:55:52.555192", "modified_by": "Administrator", "module": "Selling", "name": "Sales Order", diff --git a/erpnext/stock/doctype/delivery_note/delivery_note.json b/erpnext/stock/doctype/delivery_note/delivery_note.json index 690fd055fa..f1dc5a390e 100644 --- a/erpnext/stock/doctype/delivery_note/delivery_note.json +++ b/erpnext/stock/doctype/delivery_note/delivery_note.json @@ -129,12 +129,13 @@ { "allow_on_submit": 0, "fieldname": "amended_from", - "fieldtype": "Data", + "fieldtype": "Link", "ignore_user_permissions": 1, "label": "Amended From", "no_copy": 1, "oldfieldname": "amended_from", "oldfieldtype": "Data", + "options": "Delivery Note", "permlevel": 0, "print_hide": 1, "print_width": "150px", @@ -1007,7 +1008,7 @@ "idx": 1, "in_create": 0, "is_submittable": 1, - "modified": "2014-06-19 16:00:47.326127", + "modified": "2014-06-23 07:55:47.859869", "modified_by": "Administrator", "module": "Stock", "name": "Delivery Note", diff --git a/erpnext/stock/doctype/material_request/material_request.json b/erpnext/stock/doctype/material_request/material_request.json index 8e8f75662a..0f066dab3b 100644 --- a/erpnext/stock/doctype/material_request/material_request.json +++ b/erpnext/stock/doctype/material_request/material_request.json @@ -41,12 +41,13 @@ }, { "fieldname": "amended_from", - "fieldtype": "Data", + "fieldtype": "Link", "ignore_user_permissions": 1, "label": "Amended From", "no_copy": 1, "oldfieldname": "amended_from", "oldfieldtype": "Data", + "options": "Material Request", "permlevel": 0, "print_hide": 1, "print_width": "150px", @@ -229,7 +230,7 @@ "icon": "icon-ticket", "idx": 1, "is_submittable": 1, - "modified": "2014-05-27 03:49:13.642995", + "modified": "2014-06-23 07:55:49.393708", "modified_by": "Administrator", "module": "Stock", "name": "Material Request", diff --git a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.json b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.json index ae748ce3fe..4ea3864258 100755 --- a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.json +++ b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.json @@ -524,7 +524,7 @@ }, { "fieldname": "amended_from", - "fieldtype": "Data", + "fieldtype": "Link", "hidden": 1, "ignore_user_permissions": 1, "label": "Amended From", @@ -762,7 +762,7 @@ "icon": "icon-truck", "idx": 1, "is_submittable": 1, - "modified": "2014-06-19 15:58:37.932064", + "modified": "2014-06-23 07:55:50.761516", "modified_by": "Administrator", "module": "Stock", "name": "Purchase Receipt", diff --git a/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.json b/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.json index cdddabedf2..f6bd010ba8 100644 --- a/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.json +++ b/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.json @@ -91,11 +91,12 @@ }, { "fieldname": "voucher_type", - "fieldtype": "Data", + "fieldtype": "Link", "in_filter": 1, "label": "Voucher Type", "oldfieldname": "voucher_type", "oldfieldtype": "Data", + "options": "DocType", "permlevel": 0, "print_width": "150px", "read_only": 1, @@ -104,11 +105,12 @@ }, { "fieldname": "voucher_no", - "fieldtype": "Data", + "fieldtype": "Dynamic Link", "in_filter": 1, "label": "Voucher No", "oldfieldname": "voucher_no", "oldfieldtype": "Data", + "options": "voucher_type", "permlevel": 0, "print_width": "150px", "read_only": 1, @@ -264,7 +266,7 @@ "icon": "icon-list", "idx": 1, "in_create": 1, - "modified": "2014-06-09 01:51:44.014466", + "modified": "2014-06-23 08:07:56.370276", "modified_by": "Administrator", "module": "Stock", "name": "Stock Ledger Entry", diff --git a/erpnext/support/doctype/customer_issue/customer_issue.json b/erpnext/support/doctype/customer_issue/customer_issue.json index 8230f9cc88..b755135b73 100644 --- a/erpnext/support/doctype/customer_issue/customer_issue.json +++ b/erpnext/support/doctype/customer_issue/customer_issue.json @@ -379,13 +379,14 @@ }, { "fieldname": "amended_from", - "fieldtype": "Data", + "fieldtype": "Link", "hidden": 1, "ignore_user_permissions": 1, "label": "Amended From", "no_copy": 1, "oldfieldname": "amended_from", "oldfieldtype": "Data", + "options": "Customer Issue", "permlevel": 0, "print_hide": 1, "width": "150px" @@ -394,7 +395,7 @@ "icon": "icon-bug", "idx": 1, "is_submittable": 0, - "modified": "2014-05-27 03:49:09.483145", + "modified": "2014-06-23 07:55:47.488335", "modified_by": "Administrator", "module": "Support", "name": "Customer Issue", diff --git a/erpnext/support/doctype/maintenance_visit/maintenance_visit.json b/erpnext/support/doctype/maintenance_visit/maintenance_visit.json index 4a13e40003..743d210861 100644 --- a/erpnext/support/doctype/maintenance_visit/maintenance_visit.json +++ b/erpnext/support/doctype/maintenance_visit/maintenance_visit.json @@ -190,12 +190,13 @@ }, { "fieldname": "amended_from", - "fieldtype": "Data", + "fieldtype": "Link", "ignore_user_permissions": 1, "label": "Amended From", "no_copy": 1, "oldfieldname": "amended_from", "oldfieldtype": "Data", + "options": "Maintenance Visit", "permlevel": 0, "print_hide": 1, "read_only": 1, @@ -278,7 +279,7 @@ "icon": "icon-file-text", "idx": 1, "is_submittable": 1, - "modified": "2014-05-27 03:49:13.466221", + "modified": "2014-06-23 07:55:49.200714", "modified_by": "Administrator", "module": "Support", "name": "Maintenance Visit", From 379d86f9a350d5adef10e10ae81930c1d4f91fb8 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Mon, 23 Jun 2014 18:21:37 +0530 Subject: [PATCH 249/630] sms sending issue fixed --- erpnext/setup/doctype/sms_settings/sms_settings.py | 10 ++++++++-- 1 file changed, 8 insertions(+), 2 deletions(-) diff --git a/erpnext/setup/doctype/sms_settings/sms_settings.py b/erpnext/setup/doctype/sms_settings/sms_settings.py index a9afacfe30..de1164118e 100644 --- a/erpnext/setup/doctype/sms_settings/sms_settings.py +++ b/erpnext/setup/doctype/sms_settings/sms_settings.py @@ -16,8 +16,7 @@ def validate_receiver_nos(receiver_list): validated_receiver_list = [] for d in receiver_list: # remove invalid character - invalid_char_list = [' ', '+', '-', '(', ')'] - for x in invalid_char_list: + for x in [' ', '+', '-', '(', ')']: d = d.replace(x, '') validated_receiver_list.append(d) @@ -48,6 +47,13 @@ def get_contact_number(contact_name, value, key): @frappe.whitelist() def send_sms(receiver_list, msg, sender_name = ''): + + import json + if isinstance(receiver_list, basestring): + receiver_list = json.loads(receiver_list) + if not isinstance(receiver_list, list): + receiver_list = [receiver_list] + receiver_list = validate_receiver_nos(receiver_list) arg = { From 98bec6f96bf3f8cc69cbbe1a0d0356fbe2f306f7 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Tue, 24 Jun 2014 11:00:13 +0530 Subject: [PATCH 250/630] Fixes in pricing rule --- erpnext/accounts/doctype/pricing_rule/pricing_rule.py | 4 +++- 1 file changed, 3 insertions(+), 1 deletion(-) diff --git a/erpnext/accounts/doctype/pricing_rule/pricing_rule.py b/erpnext/accounts/doctype/pricing_rule/pricing_rule.py index 967d583aab..2d592d1f96 100644 --- a/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +++ b/erpnext/accounts/doctype/pricing_rule/pricing_rule.py @@ -6,6 +6,7 @@ from __future__ import unicode_literals import frappe import json +import copy from frappe import throw, _ from frappe.utils import flt, cint from frappe.model.document import Document @@ -106,8 +107,9 @@ def apply_pricing_rule(args): args.transaction_type = "buying" if frappe.get_meta(args.parenttype).get_field("supplier") \ else "selling" + args_copy = copy.deepcopy(args) + args_copy.pop("item_list") for item in args.get("item_list"): - args_copy = args.copy() args_copy.update(item) out.append(get_pricing_rule_for_item(args_copy)) From f27fa5cbf37f042a096a8e4e4b0c30e68306954f Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Tue, 24 Jun 2014 11:11:08 +0530 Subject: [PATCH 251/630] Fixes in pricing rule --- erpnext/accounts/doctype/pricing_rule/pricing_rule.py | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/erpnext/accounts/doctype/pricing_rule/pricing_rule.py b/erpnext/accounts/doctype/pricing_rule/pricing_rule.py index 2d592d1f96..0474639377 100644 --- a/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +++ b/erpnext/accounts/doctype/pricing_rule/pricing_rule.py @@ -107,9 +107,9 @@ def apply_pricing_rule(args): args.transaction_type = "buying" if frappe.get_meta(args.parenttype).get_field("supplier") \ else "selling" - args_copy = copy.deepcopy(args) - args_copy.pop("item_list") for item in args.get("item_list"): + args_copy = copy.deepcopy(args) + args_copy.pop("item_list") args_copy.update(item) out.append(get_pricing_rule_for_item(args_copy)) From 860b2e2bbb4b3965baf800e9f9e2c149b7318c1c Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Tue, 24 Jun 2014 12:07:56 +0530 Subject: [PATCH 252/630] Fixes in pricing rule --- erpnext/accounts/doctype/pricing_rule/pricing_rule.py | 6 ++++-- 1 file changed, 4 insertions(+), 2 deletions(-) diff --git a/erpnext/accounts/doctype/pricing_rule/pricing_rule.py b/erpnext/accounts/doctype/pricing_rule/pricing_rule.py index 0474639377..2706603bc6 100644 --- a/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +++ b/erpnext/accounts/doctype/pricing_rule/pricing_rule.py @@ -107,9 +107,11 @@ def apply_pricing_rule(args): args.transaction_type = "buying" if frappe.get_meta(args.parenttype).get_field("supplier") \ else "selling" - for item in args.get("item_list"): + item_list = args.get("item_list") + args.pop("item_list") + + for item in item_list: args_copy = copy.deepcopy(args) - args_copy.pop("item_list") args_copy.update(item) out.append(get_pricing_rule_for_item(args_copy)) From 2b400dc2adef28bbe98092bc3c8ccc149b0cbe31 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Tue, 24 Jun 2014 12:42:36 +0530 Subject: [PATCH 253/630] stock entry incoming rate based on precision --- erpnext/stock/doctype/stock_entry/stock_entry.py | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.py b/erpnext/stock/doctype/stock_entry/stock_entry.py index 297542b50f..125a293586 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry.py +++ b/erpnext/stock/doctype/stock_entry/stock_entry.py @@ -220,8 +220,8 @@ class StockEntry(StockController): # get incoming rate if not d.bom_no: if not flt(d.incoming_rate) or d.s_warehouse or self.purpose == "Sales Return": - incoming_rate = self.get_incoming_rate(args) - if flt(incoming_rate) > 0: + incoming_rate = flt(self.get_incoming_rate(args), self.precision("incoming_rate", d)) + if incoming_rate > 0: d.incoming_rate = incoming_rate d.amount = flt(d.transfer_qty) * flt(d.incoming_rate) From e6440a75b50e3d30ae3af0e476a4dd569a93be43 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Tue, 24 Jun 2014 12:44:49 +0530 Subject: [PATCH 254/630] Allowed renaming for project --- erpnext/projects/doctype/project/project.json | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/erpnext/projects/doctype/project/project.json b/erpnext/projects/doctype/project/project.json index 5489d33468..c894bb8b26 100644 --- a/erpnext/projects/doctype/project/project.json +++ b/erpnext/projects/doctype/project/project.json @@ -1,6 +1,7 @@ { "allow_attach": 1, "allow_import": 1, + "allow_rename": 1, "autoname": "field:project_name", "creation": "2013-03-07 11:55:07", "docstatus": 0, @@ -258,7 +259,7 @@ "icon": "icon-puzzle-piece", "idx": 1, "max_attachments": 4, - "modified": "2014-05-27 03:49:15.252736", + "modified": "2014-06-24 12:44:19.530707", "modified_by": "Administrator", "module": "Projects", "name": "Project", From ca37ff8b08d5b0dd6db1bd48912807aa40872aba Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Tue, 24 Jun 2014 15:26:40 +0530 Subject: [PATCH 255/630] Fix in pricing rule patch --- erpnext/patches/v4_0/customer_discount_to_pricing_rule.py | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/erpnext/patches/v4_0/customer_discount_to_pricing_rule.py b/erpnext/patches/v4_0/customer_discount_to_pricing_rule.py index fa35898df3..bd27174a0e 100644 --- a/erpnext/patches/v4_0/customer_discount_to_pricing_rule.py +++ b/erpnext/patches/v4_0/customer_discount_to_pricing_rule.py @@ -24,7 +24,8 @@ def execute(): "applicable_for": "Customer", "customer": d.parent, "price_or_discount": "Discount Percentage", - "discount_percentage": d.discount + "discount_percentage": d.discount, + "selling": 1 }).insert() frappe.db.auto_commit_on_many_writes = False From 9c2459658ac34bf3d52c5c49575c78a28cd927d8 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Tue, 24 Jun 2014 16:19:16 +0530 Subject: [PATCH 256/630] Fixes for recurring invoice --- erpnext/accounts/doctype/sales_invoice/sales_invoice.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/accounts/doctype/sales_invoice/sales_invoice.py b/erpnext/accounts/doctype/sales_invoice/sales_invoice.py index 0f11af42c9..348543ee28 100644 --- a/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +++ b/erpnext/accounts/doctype/sales_invoice/sales_invoice.py @@ -732,7 +732,7 @@ def notify_errors(inv, customer, owner): frappe.sendmail(recipients + [frappe.db.get_value("User", owner, "email")], subject="[Urgent] Error while creating recurring invoice for %s" % inv, - message = frappe.get_template("template/emails/recurring_invoice_failed.html").render({ + message = frappe.get_template("templates/emails/recurring_invoice_failed.html").render({ "name": inv, "customer": customer })) From 48f11425233c4e3cce3c251efd5520b76323d622 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Tue, 24 Jun 2014 16:35:00 +0530 Subject: [PATCH 257/630] Fixed address deletion issue --- .../doctype/contact_control/contact_control.js | 17 ++++------------- 1 file changed, 4 insertions(+), 13 deletions(-) diff --git a/erpnext/setup/doctype/contact_control/contact_control.js b/erpnext/setup/doctype/contact_control/contact_control.js index 6b6878ffd5..b053541683 100755 --- a/erpnext/setup/doctype/contact_control/contact_control.js +++ b/erpnext/setup/doctype/contact_control/contact_control.js @@ -139,19 +139,10 @@ cur_frm.cscript.delete_doc = function(doctype, name) { var go_ahead = confirm(__("Delete {0} {1}?", [doctype, name])); if (!go_ahead) return; - return frappe.call({ - method: 'frappe.model.delete_doc', - args: { - dt: doctype, - dn: name - }, - callback: function(r) { - //console.log(r); - if (!r.exc) { - // run the correct list - var list_name = doctype.toLowerCase() + '_list'; - cur_frm[list_name].run(); - } + frappe.model.delete_doc(doctype, name, function(r) { + if (!r.exc) { + var list_name = doctype.toLowerCase() + '_list'; + cur_frm[list_name].run(); } }); } From c7c89a59274571f37925cd7f8c995c851c1f3e55 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Tue, 24 Jun 2014 17:02:45 +0530 Subject: [PATCH 258/630] Cost center-wise net profit in financial analytics report --- .../financial_analytics.js | 4 +- erpnext/selling/sales_common.js | 45 +++++++++---------- 2 files changed, 24 insertions(+), 25 deletions(-) diff --git a/erpnext/accounts/page/financial_analytics/financial_analytics.js b/erpnext/accounts/page/financial_analytics/financial_analytics.js index 4574390ce1..2da93813e9 100644 --- a/erpnext/accounts/page/financial_analytics/financial_analytics.js +++ b/erpnext/accounts/page/financial_analytics/financial_analytics.js @@ -232,7 +232,7 @@ erpnext.FinancialAnalytics = erpnext.AccountTreeGrid.extend({ indent: 0, opening: 0, checked: false, - report_type: me.pl_or_bs, + report_type: me.pl_or_bs=="Balance Sheet"? "Balance Sheet" : "Profit and Loss", }; me.item_by_name[net_profit.name] = net_profit; @@ -244,7 +244,7 @@ erpnext.FinancialAnalytics = erpnext.AccountTreeGrid.extend({ $.each(me.data, function(i, ac) { if(!ac.parent_account && me.apply_filter(ac, "company") && - ac.report_type==me.pl_or_bs) { + ac.report_type==net_profit.report_type) { $.each(me.columns, function(i, col) { if(col.formatter==me.currency_formatter && col.balance_type=="Dr") { var bal = net_profit[col.date+"_dr"] - diff --git a/erpnext/selling/sales_common.js b/erpnext/selling/sales_common.js index 63ffb36fb0..aba390e281 100644 --- a/erpnext/selling/sales_common.js +++ b/erpnext/selling/sales_common.js @@ -481,7 +481,27 @@ erpnext.selling.SellingController = erpnext.TransactionController.extend({ set_dynamic_labels: function() { this._super(); - set_sales_bom_help(this.frm.doc); + this.set_sales_bom_help(this.frm.doc); + }, + + set_sales_bom_help: function(doc) { + if(!cur_frm.fields_dict.packing_list) return; + if ((doc.packing_details || []).length) { + $(cur_frm.fields_dict.packing_list.row.wrapper).toggle(true); + + if (inList(['Delivery Note', 'Sales Invoice'], doc.doctype)) { + help_msg = "
" + + __("For 'Sales BOM' items, warehouse, serial no and batch no will be considered from the 'Packing List' table. If warehouse and batch no are same for all packing items for any 'Sales BOM' item, those values can be entered in the main item table, values will be copied to 'Packing List' table.")+ + "
"; + frappe.meta.get_docfield(doc.doctype, 'sales_bom_help', doc.name).options = help_msg; + } + } else { + $(cur_frm.fields_dict.packing_list.row.wrapper).toggle(false); + if (inList(['Delivery Note', 'Sales Invoice'], doc.doctype)) { + frappe.meta.get_docfield(doc.doctype, 'sales_bom_help', doc.name).options = ''; + } + } + refresh_field('sales_bom_help'); }, change_form_labels: function(company_currency) { @@ -574,26 +594,5 @@ erpnext.selling.SellingController = erpnext.TransactionController.extend({ var df = frappe.meta.get_docfield(fname[0], fname[1], me.frm.doc.name); if(df) df.label = label; }); - }, -}); - -// Help for Sales BOM items -var set_sales_bom_help = function(doc) { - if(!cur_frm.fields_dict.packing_list) return; - if ((doc.packing_details || []).length) { - $(cur_frm.fields_dict.packing_list.row.wrapper).toggle(true); - - if (inList(['Delivery Note', 'Sales Invoice'], doc.doctype)) { - help_msg = "
" + - __("For 'Sales BOM' items, warehouse, serial no and batch no will be considered from the 'Packing List' table. If warehouse and batch no are same for all packing items for any 'Sales BOM' item, those values can be entered in the main item table, values will be copied to 'Packing List' table.")+ - "
"; - frappe.meta.get_docfield(doc.doctype, 'sales_bom_help', doc.name).options = help_msg; - } - } else { - $(cur_frm.fields_dict.packing_list.row.wrapper).toggle(false); - if (inList(['Delivery Note', 'Sales Invoice'], doc.doctype)) { - frappe.meta.get_docfield(doc.doctype, 'sales_bom_help', doc.name).options = ''; - } } - refresh_field('sales_bom_help'); -} +}); From 29de86253f4f28ceb636fbb3346e23bce5c48b23 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Tue, 24 Jun 2014 17:34:52 +0530 Subject: [PATCH 259/630] minor fixes --- erpnext/selling/sales_common.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/selling/sales_common.js b/erpnext/selling/sales_common.js index aba390e281..2021490bb7 100644 --- a/erpnext/selling/sales_common.js +++ b/erpnext/selling/sales_common.js @@ -491,7 +491,7 @@ erpnext.selling.SellingController = erpnext.TransactionController.extend({ if (inList(['Delivery Note', 'Sales Invoice'], doc.doctype)) { help_msg = "
" + - __("For 'Sales BOM' items, warehouse, serial no and batch no will be considered from the 'Packing List' table. If warehouse and batch no are same for all packing items for any 'Sales BOM' item, those values can be entered in the main item table, values will be copied to 'Packing List' table.")+ + __("For 'Sales BOM' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Sales BOM' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.")+ "
"; frappe.meta.get_docfield(doc.doctype, 'sales_bom_help', doc.name).options = help_msg; } From fda8858fc3a0e429618072058deafe7839110707 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Tue, 24 Jun 2014 18:53:04 +0530 Subject: [PATCH 260/630] Warehouse query filtered by company --- erpnext/controllers/queries.py | 1 + .../public/js/controllers/stock_controller.js | 37 +++++++++++++++++-- erpnext/public/js/queries.js | 6 +++ erpnext/public/js/transaction.js | 2 + 4 files changed, 43 insertions(+), 3 deletions(-) diff --git a/erpnext/controllers/queries.py b/erpnext/controllers/queries.py index 0f1d5f6dab..16d27d47fc 100644 --- a/erpnext/controllers/queries.py +++ b/erpnext/controllers/queries.py @@ -254,3 +254,4 @@ def get_account_list(doctype, txt, searchfield, start, page_len, filters): return frappe.widgets.reportview.execute("Account", filters = filter_list, fields = ["name", "parent_account"], limit_start=start, limit_page_length=page_len, as_list=True) + diff --git a/erpnext/public/js/controllers/stock_controller.js b/erpnext/public/js/controllers/stock_controller.js index e50b2af35f..97bcb6cf1c 100644 --- a/erpnext/public/js/controllers/stock_controller.js +++ b/erpnext/public/js/controllers/stock_controller.js @@ -4,6 +4,37 @@ frappe.provide("erpnext.stock"); erpnext.stock.StockController = frappe.ui.form.Controller.extend({ + onload: function() { + // warehouse query if company + if (this.frm.fields_dict.company) { + this.setup_warehouse_query(); + } + }, + + setup_warehouse_query: function() { + var me = this; + + var _set_warehouse_query = function(doctype, parentfield) { + var warehouse_link_fields = frappe.meta.get_docfields(doctype, me.frm.doc.name, + {"fieldtype": "Link", "options": "Warehouse"}); + $.each(warehouse_link_fields, function(i, df) { + me.frm.set_query(df.fieldname, parentfield, function() { + return erpnext.queries.warehouse(me.frm.doc); + }) + }); + }; + + _set_warehouse_query(me.frm.doc.doctype); + + // warehouse field in tables + var table_fields = frappe.meta.get_docfields(me.frm.doc.doctype, me.frm.doc.name, + {"fieldtype": "Table"}); + + $.each(table_fields, function(i, df) { + _set_warehouse_query(df.options, df.fieldname); + }); + }, + show_stock_ledger: function() { var me = this; if(this.frm.doc.docstatus===1) { @@ -17,12 +48,12 @@ erpnext.stock.StockController = frappe.ui.form.Controller.extend({ frappe.set_route("query-report", "Stock Ledger"); }, "icon-bar-chart"); } - + }, show_general_ledger: function() { var me = this; - if(this.frm.doc.docstatus===1 && cint(frappe.defaults.get_default("auto_accounting_for_stock"))) { + if(this.frm.doc.docstatus===1 && cint(frappe.defaults.get_default("auto_accounting_for_stock"))) { cur_frm.appframe.add_button(__('Accounting Ledger'), function() { frappe.route_options = { voucher_no: me.frm.doc.name, @@ -46,4 +77,4 @@ erpnext.stock.StockController = frappe.ui.form.Controller.extend({ } refresh_field(this.frm.cscript.fname); } -}); \ No newline at end of file +}); diff --git a/erpnext/public/js/queries.js b/erpnext/public/js/queries.js index 1f404db39a..b57b765ad6 100644 --- a/erpnext/public/js/queries.js +++ b/erpnext/public/js/queries.js @@ -67,5 +67,11 @@ $.extend(erpnext.queries, { employee: function() { return { query: "erpnext.controllers.queries.employee_query" } + }, + + warehouse: function(doc) { + return { + filters: [["Warehouse", "company", "in", ["", doc.company]]] + } } }); diff --git a/erpnext/public/js/transaction.js b/erpnext/public/js/transaction.js index ea576d5ae0..a4b1abbb6a 100644 --- a/erpnext/public/js/transaction.js +++ b/erpnext/public/js/transaction.js @@ -7,6 +7,8 @@ frappe.require("assets/erpnext/js/controllers/stock_controller.js"); erpnext.TransactionController = erpnext.stock.StockController.extend({ onload: function() { var me = this; + this._super(); + if(this.frm.doc.__islocal) { var today = get_today(), currency = frappe.defaults.get_user_default("currency"); From d12be12f72212821d4d05b0df66252b44397bfb0 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Tue, 24 Jun 2014 18:53:17 +0530 Subject: [PATCH 261/630] Fixed gantt chart query for Task --- erpnext/projects/doctype/task/task.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/projects/doctype/task/task.py b/erpnext/projects/doctype/task/task.py index 7fbaa45138..6b0b237a40 100644 --- a/erpnext/projects/doctype/task/task.py +++ b/erpnext/projects/doctype/task/task.py @@ -52,7 +52,7 @@ def get_events(start, end, filters=None): frappe.msgprint(_("No Permission"), raise_exception=1) conditions = build_match_conditions("Task") - conditions and (" and " + conditions) or "" + conditions = conditions and (" and " + conditions) or "" if filters: filters = json.loads(filters) From 33a21ffbdc414f99d5b4d85243d0d0eb11f858d4 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Wed, 25 Jun 2014 18:34:29 +0530 Subject: [PATCH 262/630] Minor fixes in recurring invoice --- erpnext/accounts/doctype/account/account.js | 1 - erpnext/accounts/doctype/sales_invoice/sales_invoice.py | 2 +- 2 files changed, 1 insertion(+), 2 deletions(-) diff --git a/erpnext/accounts/doctype/account/account.js b/erpnext/accounts/doctype/account/account.js index 471fe7e9b6..e39d77bcd3 100644 --- a/erpnext/accounts/doctype/account/account.js +++ b/erpnext/accounts/doctype/account/account.js @@ -54,7 +54,6 @@ cur_frm.add_fetch('parent_account', 'root_type', 'root_type'); cur_frm.cscript.account_type = function(doc, cdt, cdn) { if(doc.group_or_ledger=='Ledger') { cur_frm.toggle_display(['tax_rate'], doc.account_type == 'Tax'); - cur_frm.toggle_display('master_type', cstr(doc.account_type)==''); cur_frm.toggle_display('master_name', doc.account_type=='Warehouse' || in_list(['Customer', 'Supplier'], doc.master_type)); } diff --git a/erpnext/accounts/doctype/sales_invoice/sales_invoice.py b/erpnext/accounts/doctype/sales_invoice/sales_invoice.py index 348543ee28..614c13a315 100644 --- a/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +++ b/erpnext/accounts/doctype/sales_invoice/sales_invoice.py @@ -747,7 +747,7 @@ def assign_task_to_owner(inv, msg, users): 'doctype' : 'Sales Invoice', 'name' : inv, 'description' : msg, - 'priority' : 'Urgent' + 'priority' : 'High' } assign_to.add(args) From 00778c9a1e960b02149cbda707bcb17af74fe1f4 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Wed, 25 Jun 2014 19:12:24 +0530 Subject: [PATCH 263/630] Validate expense account for perpetual inventory --- erpnext/controllers/stock_controller.py | 6 +++++- 1 file changed, 5 insertions(+), 1 deletion(-) diff --git a/erpnext/controllers/stock_controller.py b/erpnext/controllers/stock_controller.py index 83cec985ca..bb3ab69ca1 100644 --- a/erpnext/controllers/stock_controller.py +++ b/erpnext/controllers/stock_controller.py @@ -238,7 +238,11 @@ class StockController(AccountsController): frappe.throw(_("Expense or Difference account is mandatory for Item {0} as it impacts overall stock value").format(item.item_code)) else: - is_expense_account = frappe.db.get_value("Account", item.get("expense_account"), "report_type")=="Profit and Loss" + is_expense_account = frappe.db.get_value("Account", + item.get("expense_account"), "report_type")=="Profit and Loss" + if self.doctype != "Purchase Receipt" and not is_expense_account: + frappe.throw(_("Expense / Difference account ({0}) must be a 'Profit or Loss' account") + .format(item.get("expense_account"))) if is_expense_account and not item.get("cost_center"): frappe.throw(_("{0} {1}: Cost Center is mandatory for Item {2}").format( _(self.doctype), self.name, item.get("item_code"))) From 500e1bc9b571f7bc5a255e3e0289a80e7fbd311c Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Thu, 26 Jun 2014 10:53:32 +0530 Subject: [PATCH 264/630] Show Frozen field in account to all if Frozen Account Modifier is not specified in Accounts Settings --- erpnext/accounts/doctype/account/account.py | 5 +++-- 1 file changed, 3 insertions(+), 2 deletions(-) diff --git a/erpnext/accounts/doctype/account/account.py b/erpnext/accounts/doctype/account/account.py index b1edaf4df4..014dde51e9 100644 --- a/erpnext/accounts/doctype/account/account.py +++ b/erpnext/accounts/doctype/account/account.py @@ -11,8 +11,9 @@ class Account(Document): nsm_parent_field = 'parent_account' def onload(self): - frozen_accounts_modifier = frappe.db.get_value("Accounts Settings", "Accounts Settings", "frozen_accounts_modifier") - if frozen_accounts_modifier in frappe.user.get_roles(): + frozen_accounts_modifier = frappe.db.get_value("Accounts Settings", "Accounts Settings", + "frozen_accounts_modifier") + if not frozen_accounts_modifier or frozen_accounts_modifier in frappe.user.get_roles(): self.get("__onload").can_freeze_account = True From 7f41ff26fa6f0bb69973ddc8dde7b64c4f7c7d59 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Thu, 26 Jun 2014 12:02:55 +0530 Subject: [PATCH 265/630] Fixes frappe/erpnext#1849 --- erpnext/hooks.py | 3 +-- erpnext/setup/install.py | 6 ++++++ erpnext/startup/__init__.py | 4 ---- 3 files changed, 7 insertions(+), 6 deletions(-) diff --git a/erpnext/hooks.py b/erpnext/hooks.py index bddda2d601..1dde6386d2 100644 --- a/erpnext/hooks.py +++ b/erpnext/hooks.py @@ -19,8 +19,6 @@ notification_config = "erpnext.startup.notifications.get_notification_config" dump_report_map = "erpnext.startup.report_data_map.data_map" update_website_context = "erpnext.startup.webutils.update_website_context" -mail_footer = "erpnext.startup.mail_footer" - on_session_creation = "erpnext.startup.event_handlers.on_session_creation" before_tests = "erpnext.setup.utils.before_tests" @@ -76,3 +74,4 @@ scheduler_events = { "erpnext.setup.doctype.backup_manager.backup_manager.take_backups_weekly" ] } + diff --git a/erpnext/setup/install.py b/erpnext/setup/install.py index ba1dfb70f9..946ee5f494 100644 --- a/erpnext/setup/install.py +++ b/erpnext/setup/install.py @@ -7,6 +7,9 @@ import frappe from frappe import _ +default_system_signature = """
Sent via + ERPNext
""" + def after_install(): frappe.get_doc({'doctype': "Role", "role_name": "Analytics"}).insert() set_single_defaults() @@ -79,3 +82,6 @@ def set_single_defaults(): pass frappe.db.set_default("date_format", "dd-mm-yyyy") + + frappe.db.set_value("Outgoing Email Settings", "Outgoing Email Settings", "system_signature", + default_system_signature) diff --git a/erpnext/startup/__init__.py b/erpnext/startup/__init__.py index e20ece3d10..576ab05627 100644 --- a/erpnext/startup/__init__.py +++ b/erpnext/startup/__init__.py @@ -27,10 +27,6 @@ user_defaults = { "Territory": "territory" } -# add startup propertes -mail_footer = """
Sent via - ERPNext
""" - def get_monthly_bulk_mail_limit(): import frappe # if global settings, then 500 or unlimited From 1030af7b484c20ffcfd7e39814796a6170a9c8b5 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Thu, 26 Jun 2014 12:07:55 +0530 Subject: [PATCH 266/630] Material Request: fixed series issue in insert_purchase_request --- .../production_planning_tool/production_planning_tool.py | 6 ++---- 1 file changed, 2 insertions(+), 4 deletions(-) diff --git a/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py b/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py index a59e0e9fd9..e96dcbb038 100644 --- a/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +++ b/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py @@ -370,10 +370,8 @@ class ProductionPlanningTool(Document): if items_to_be_requested: for item in items_to_be_requested: item_wrapper = frappe.get_doc("Item", item) - pr_doc = frappe.get_doc({ - "doctype": "Material Request", - "__islocal": 1, - "naming_series": "IDT", + pr_doc = frappe.new_doc("Material Request") + pr_doc.update({ "transaction_date": nowdate(), "status": "Draft", "company": self.company, From 4a1c897b2d5c3faf252d6050c71f4b77efb0c080 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Thu, 26 Jun 2014 12:34:27 +0530 Subject: [PATCH 267/630] Select field options in serial no --- erpnext/stock/doctype/serial_no/serial_no.json | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/erpnext/stock/doctype/serial_no/serial_no.json b/erpnext/stock/doctype/serial_no/serial_no.json index 3316582e0d..8de04f03b4 100644 --- a/erpnext/stock/doctype/serial_no/serial_no.json +++ b/erpnext/stock/doctype/serial_no/serial_no.json @@ -155,7 +155,7 @@ "fieldtype": "Select", "label": "Creation Document Type", "no_copy": 1, - "options": "\nPurchase Receipt\nStock Entry", + "options": "\nPurchase Receipt\nStock Entry\nSerial No", "permlevel": 0, "read_only": 1 }, @@ -418,7 +418,7 @@ "icon": "icon-barcode", "idx": 1, "in_create": 0, - "modified": "2014-05-27 03:49:19.131746", + "modified": "2014-06-26 12:33:49.911829", "modified_by": "Administrator", "module": "Stock", "name": "Serial No", From 56198f40ac7292e7cb60dbc156b8e50d3f80b5cb Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Thu, 26 Jun 2014 12:47:45 +0530 Subject: [PATCH 268/630] Changed System Signature to Footer --- erpnext/setup/install.py | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/erpnext/setup/install.py b/erpnext/setup/install.py index 946ee5f494..344a89e773 100644 --- a/erpnext/setup/install.py +++ b/erpnext/setup/install.py @@ -7,7 +7,7 @@ import frappe from frappe import _ -default_system_signature = """
Sent via +default_mail_footer = """
Sent via ERPNext
""" def after_install(): @@ -83,5 +83,5 @@ def set_single_defaults(): frappe.db.set_default("date_format", "dd-mm-yyyy") - frappe.db.set_value("Outgoing Email Settings", "Outgoing Email Settings", "system_signature", - default_system_signature) + frappe.db.set_value("Outgoing Email Settings", "Outgoing Email Settings", "footer", + default_mail_footer) From cf2632fe591c7361e9c7c752d4468392258b3168 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Thu, 26 Jun 2014 13:05:10 +0530 Subject: [PATCH 269/630] Fetch warehouse from pos settings --- .../doctype/sales_invoice/sales_invoice.py | 24 +++++++++---------- 1 file changed, 12 insertions(+), 12 deletions(-) diff --git a/erpnext/accounts/doctype/sales_invoice/sales_invoice.py b/erpnext/accounts/doctype/sales_invoice/sales_invoice.py index 614c13a315..5d6171a7f9 100644 --- a/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +++ b/erpnext/accounts/doctype/sales_invoice/sales_invoice.py @@ -383,20 +383,20 @@ class SalesInvoice(SellingController): def get_warehouse(self): - w = frappe.db.sql("""select warehouse from `tabPOS Setting` - where ifnull(user,'') = %s and company = %s""", - (frappe.session['user'], self.company)) - w = w and w[0][0] or '' - if not w: - ps = frappe.db.sql("""select name, warehouse from `tabPOS Setting` + user_pos_setting = frappe.db.sql("""select name, warehouse from `tabPOS Setting` + where ifnull(user,'') = %s and company = %s""", (frappe.session['user'], self.company)) + warehouse = user_pos_setting[0][1] if user_pos_setting else None + + if not warehouse: + global_pos_setting = frappe.db.sql("""select name, warehouse from `tabPOS Setting` where ifnull(user,'') = '' and company = %s""", self.company) - if not ps: + + if global_pos_setting: + warehouse = global_pos_setting[0][1] if global_pos_setting else None + elif not user_pos_setting: msgprint(_("POS Setting required to make POS Entry"), raise_exception=True) - elif not ps[0][1]: - msgprint(_("Warehouse required in POS Setting")) - else: - w = ps[0][1] - return w + + return warehouse def on_update(self): if cint(self.update_stock) == 1: From 3e6586f58d5891c247e970bdbffb6676fae7c296 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Thu, 26 Jun 2014 14:56:47 +0530 Subject: [PATCH 270/630] minor fix --- erpnext/accounts/doctype/sales_invoice/sales_invoice.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/accounts/doctype/sales_invoice/sales_invoice.py b/erpnext/accounts/doctype/sales_invoice/sales_invoice.py index 5d6171a7f9..262ac22386 100644 --- a/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +++ b/erpnext/accounts/doctype/sales_invoice/sales_invoice.py @@ -392,7 +392,7 @@ class SalesInvoice(SellingController): where ifnull(user,'') = '' and company = %s""", self.company) if global_pos_setting: - warehouse = global_pos_setting[0][1] if global_pos_setting else None + warehouse = global_pos_setting[0][1] elif not user_pos_setting: msgprint(_("POS Setting required to make POS Entry"), raise_exception=True) From b7e91ee95e162bc57f01f8809b50c3dccce38f07 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Thu, 26 Jun 2014 15:54:45 +0530 Subject: [PATCH 271/630] with_doc issue fixes --- erpnext/manufacturing/doctype/bom/bom.js | 2 +- erpnext/stock/doctype/item/item.js | 14 ++++++-------- 2 files changed, 7 insertions(+), 9 deletions(-) diff --git a/erpnext/manufacturing/doctype/bom/bom.js b/erpnext/manufacturing/doctype/bom/bom.js index ef4f399bdc..6af63d9633 100644 --- a/erpnext/manufacturing/doctype/bom/bom.js +++ b/erpnext/manufacturing/doctype/bom/bom.js @@ -62,7 +62,7 @@ cur_frm.add_fetch("item", "stock_uom", "uom"); cur_frm.cscript.workstation = function(doc,dt,dn) { var d = locals[dt][dn]; - frappe.model.with_doc("Workstation", d.workstation, function(i, r) { + frappe.model.with_doc("Workstation", d.workstation, function(name, r) { d.hour_rate = r.docs[0].hour_rate; refresh_field("hour_rate", dn, "bom_operations"); erpnext.bom.calculate_op_cost(doc); diff --git a/erpnext/stock/doctype/item/item.js b/erpnext/stock/doctype/item/item.js index 2eeb84128d..173a1cfc41 100644 --- a/erpnext/stock/doctype/item/item.js +++ b/erpnext/stock/doctype/item/item.js @@ -169,14 +169,12 @@ cur_frm.fields_dict.item_supplier_details.grid.get_field("supplier").get_query = } cur_frm.cscript.copy_from_item_group = function(doc) { - frappe.model.with_doc("Item Group", doc.item_group, function() { - $.each((doc.item_website_specifications || []), function(i, d) { - var n = frappe.model.add_child(doc, "Item Website Specification", - "item_website_specifications"); - n.label = d.label; - n.description = d.description; - } - ); + frappe.model.with_doc("Item Group", doc.item_group, function(name, r) { + $.each((r.docs[0].item_website_specifications || []), function(i, d) { + var n = frappe.model.add_child(doc, "Item Website Specification", "item_website_specifications"); + n.label = d.label; + n.description = d.description; + }); cur_frm.refresh(); }); } From a0a18d963d72f9a718e4f2c5017d5ae8d1228b4d Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Fri, 27 Jun 2014 13:02:11 +0530 Subject: [PATCH 272/630] item query fixed in stock entry --- erpnext/stock/doctype/stock_entry/stock_entry.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.py b/erpnext/stock/doctype/stock_entry/stock_entry.py index a7e007a5ce..586179de28 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry.py +++ b/erpnext/stock/doctype/stock_entry/stock_entry.py @@ -387,7 +387,7 @@ class StockEntry(StockController): def get_item_details(self, args): item = frappe.db.sql("""select stock_uom, description, item_name, expense_account, buying_cost_center from `tabItem` - where name = %s and (ifnull(end_of_life,'')='' or end_of_life > now())""", + where name = %s and (ifnull(end_of_life,'0000-00-00')='0000-00-00' or end_of_life > now())""", (args.get('item_code')), as_dict = 1) if not item: frappe.throw(_("Item {0} is not active or end of life has been reached").format(args.get("item_code"))) From ebcb654649221aa08a1256bd53b57f79a8a3d7f4 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Fri, 27 Jun 2014 20:53:13 +0530 Subject: [PATCH 273/630] Minor: General Ledger Report - print format improvements --- .../report/general_ledger/general_ledger.html | 13 +++++++------ 1 file changed, 7 insertions(+), 6 deletions(-) diff --git a/erpnext/accounts/report/general_ledger/general_ledger.html b/erpnext/accounts/report/general_ledger/general_ledger.html index dda1e61449..63cd1a19d2 100644 --- a/erpnext/accounts/report/general_ledger/general_ledger.html +++ b/erpnext/accounts/report/general_ledger/general_ledger.html @@ -16,23 +16,24 @@ {% if(data[i].posting_date) { %} {%= dateutil.str_to_user(data[i].posting_date) %} - {%= data[i].voucher_no %} + {%= data[i].voucher_type%} +
{%= data[i].voucher_no %} {%= data[i].account %}
{%= __("Against") %}: {%= data[i].account %}
{%= __("Remarks") %}: {%= data[i].remarks %} - {%= fmt_money(data[i].debit) %} - {%= fmt_money(data[i].credit) %} + {%= format_currency(data[i].debit) %} + {%= format_currency(data[i].credit) %} {% } else { %} {%= data[i].account || " " %} - {%= data[i].account && fmt_money(data[i].debit) %} + {%= data[i].account && format_currency(data[i].debit) %} - {%= data[i].account && fmt_money(data[i].credit) %} + {%= data[i].account && format_currency(data[i].credit) %} {% } %} {% } %} -

Printed On {%= dateutil.get_datetime_as_string() %}

+

Printed On {%= dateutil.str_to_user(dateutil.get_datetime_as_string()) %}

From 5ba7ab0fedc09cc3fe06629a37f02d819f31b449 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Fri, 27 Jun 2014 21:00:05 +0530 Subject: [PATCH 274/630] Outgoing Mail Footer patch --- erpnext/patches.txt | 1 + erpnext/patches/v4_1/__init__.py | 0 erpnext/patches/v4_1/set_outgoing_email_footer.py | 11 +++++++++++ 3 files changed, 12 insertions(+) create mode 100644 erpnext/patches/v4_1/__init__.py create mode 100644 erpnext/patches/v4_1/set_outgoing_email_footer.py diff --git a/erpnext/patches.txt b/erpnext/patches.txt index d94dd53097..a326eca2e1 100644 --- a/erpnext/patches.txt +++ b/erpnext/patches.txt @@ -64,3 +64,4 @@ execute:frappe.db.sql("update `tabItem` set end_of_life=null where end_of_life=' erpnext.patches.v4_0.update_users_report_view_settings erpnext.patches.v4_0.set_pricing_rule_for_buying_or_selling erpnext.patches.v4_0.set_naming_series_property_setter +erpnext.patches.v4_1.set_outgoing_email_footer diff --git a/erpnext/patches/v4_1/__init__.py b/erpnext/patches/v4_1/__init__.py new file mode 100644 index 0000000000..e69de29bb2 diff --git a/erpnext/patches/v4_1/set_outgoing_email_footer.py b/erpnext/patches/v4_1/set_outgoing_email_footer.py new file mode 100644 index 0000000000..d38f2c247f --- /dev/null +++ b/erpnext/patches/v4_1/set_outgoing_email_footer.py @@ -0,0 +1,11 @@ +# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors +# License: GNU General Public License v3. See license.txt + +from __future__ import unicode_literals +import frappe +from erpnext.setup.install import default_mail_footer + +def execute(): + mail_footer = frappe.db.get_default('mail_footer') or '' + mail_footer += default_mail_footer + frappe.db.set_value("Outgoing Email Settings", "Outgoing Email Settings", "footer", mail_footer) From 11ada53ed53d26dfdb8c24049ac92efc7f077835 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Fri, 27 Jun 2014 21:02:55 +0530 Subject: [PATCH 275/630] Fixes related to Website Route system and other misc fixes --- erpnext/config/selling.py | 5 + erpnext/selling/doctype/customer/customer.py | 1 + .../doctype/sales_order/sales_order.json | 1566 ++++++++--------- .../setup/doctype/item_group/item_group.py | 5 +- .../doctype/sales_partner/sales_partner.js | 5 + .../doctype/sales_partner/sales_partner.json | 3 +- .../doctype/sales_partner/sales_partner.py | 3 + erpnext/stock/doctype/item/item.py | 20 +- .../{partner.html => sales_partner.html} | 0 erpnext/templates/pages/partners.html | 6 +- erpnext/templates/pages/partners.py | 13 +- 11 files changed, 829 insertions(+), 798 deletions(-) rename erpnext/templates/generators/{partner.html => sales_partner.html} (100%) diff --git a/erpnext/config/selling.py b/erpnext/config/selling.py index a332bc425c..200ab6d4ba 100644 --- a/erpnext/config/selling.py +++ b/erpnext/config/selling.py @@ -91,6 +91,11 @@ def get_data(): "description": _("Manage Territory Tree."), "doctype": "Territory", }, + { + "type": "doctype", + "name": "Sales Partner", + "description": _("Manage Sales Partners."), + }, { "type": "page", "label": _("Sales Person"), diff --git a/erpnext/selling/doctype/customer/customer.py b/erpnext/selling/doctype/customer/customer.py index f4312fe3c5..0d430e39c3 100644 --- a/erpnext/selling/doctype/customer/customer.py +++ b/erpnext/selling/doctype/customer/customer.py @@ -64,6 +64,7 @@ class Customer(TransactionBase): c.customer = self.name c.customer_name = self.customer_name c.is_primary_contact = 1 + c.ignore_permissions = getattr(self, "ignore_permissions", None) try: c.save() except frappe.NameError: diff --git a/erpnext/selling/doctype/sales_order/sales_order.json b/erpnext/selling/doctype/sales_order/sales_order.json index 6c330e67e2..2ac9d933dc 100644 --- a/erpnext/selling/doctype/sales_order/sales_order.json +++ b/erpnext/selling/doctype/sales_order/sales_order.json @@ -1,977 +1,977 @@ { - "allow_attach": 1, - "allow_import": 1, - "autoname": "naming_series:", - "creation": "2013-06-18 12:39:59", - "docstatus": 0, - "doctype": "DocType", - "document_type": "Transaction", + "allow_attach": 1, + "allow_import": 1, + "autoname": "naming_series:", + "creation": "2013-06-18 12:39:59", + "docstatus": 0, + "doctype": "DocType", + "document_type": "Transaction", "fields": [ { - "fieldname": "customer_section", - "fieldtype": "Section Break", - "label": "Customer", - "options": "icon-user", + "fieldname": "customer_section", + "fieldtype": "Section Break", + "label": "Customer", + "options": "icon-user", "permlevel": 0 - }, + }, { - "fieldname": "column_break0", - "fieldtype": "Column Break", - "in_filter": 0, - "oldfieldtype": "Column Break", - "permlevel": 0, - "search_index": 0, + "fieldname": "column_break0", + "fieldtype": "Column Break", + "in_filter": 0, + "oldfieldtype": "Column Break", + "permlevel": 0, + "search_index": 0, "width": "50%" - }, + }, { - "fieldname": "naming_series", - "fieldtype": "Select", - "label": "Series", - "no_copy": 1, - "oldfieldname": "naming_series", - "oldfieldtype": "Select", - "options": "SO-", - "permlevel": 0, - "print_hide": 1, + "fieldname": "naming_series", + "fieldtype": "Select", + "label": "Series", + "no_copy": 1, + "oldfieldname": "naming_series", + "oldfieldtype": "Select", + "options": "SO-", + "permlevel": 0, + "print_hide": 1, "reqd": 1 - }, + }, { - "fieldname": "customer", - "fieldtype": "Link", - "in_filter": 1, - "in_list_view": 1, - "label": "Customer", - "oldfieldname": "customer", - "oldfieldtype": "Link", - "options": "Customer", - "permlevel": 0, - "print_hide": 1, - "reqd": 1, + "fieldname": "customer", + "fieldtype": "Link", + "in_filter": 1, + "in_list_view": 1, + "label": "Customer", + "oldfieldname": "customer", + "oldfieldtype": "Link", + "options": "Customer", + "permlevel": 0, + "print_hide": 1, + "reqd": 1, "search_index": 1 - }, + }, { - "fieldname": "customer_name", - "fieldtype": "Data", - "hidden": 0, - "label": "Name", - "permlevel": 0, + "fieldname": "customer_name", + "fieldtype": "Data", + "hidden": 0, + "label": "Name", + "permlevel": 0, "read_only": 1 - }, + }, { - "fieldname": "address_display", - "fieldtype": "Small Text", - "hidden": 1, - "label": "Address", - "permlevel": 0, + "fieldname": "address_display", + "fieldtype": "Small Text", + "hidden": 1, + "label": "Address", + "permlevel": 0, "read_only": 1 - }, + }, { - "fieldname": "contact_display", - "fieldtype": "Small Text", - "hidden": 1, - "label": "Contact", - "permlevel": 0, + "fieldname": "contact_display", + "fieldtype": "Small Text", + "hidden": 1, + "label": "Contact", + "permlevel": 0, "read_only": 1 - }, + }, { - "fieldname": "contact_mobile", - "fieldtype": "Text", - "hidden": 1, - "label": "Mobile No", - "permlevel": 0, + "fieldname": "contact_mobile", + "fieldtype": "Text", + "hidden": 1, + "label": "Mobile No", + "permlevel": 0, "read_only": 1 - }, + }, { - "fieldname": "contact_email", - "fieldtype": "Text", - "hidden": 1, - "label": "Contact Email", - "permlevel": 0, - "print_hide": 1, + "fieldname": "contact_email", + "fieldtype": "Text", + "hidden": 1, + "label": "Contact Email", + "permlevel": 0, + "print_hide": 1, "read_only": 1 - }, + }, { - "default": "Sales", - "fieldname": "order_type", - "fieldtype": "Select", - "in_list_view": 1, - "label": "Order Type", - "oldfieldname": "order_type", - "oldfieldtype": "Select", - "options": "\nSales\nMaintenance", - "permlevel": 0, - "print_hide": 1, + "default": "Sales", + "fieldname": "order_type", + "fieldtype": "Select", + "in_list_view": 1, + "label": "Order Type", + "oldfieldname": "order_type", + "oldfieldtype": "Select", + "options": "\nSales\nMaintenance\nShopping Cart", + "permlevel": 0, + "print_hide": 1, "reqd": 1 - }, + }, { - "fieldname": "column_break1", - "fieldtype": "Column Break", - "oldfieldtype": "Column Break", - "permlevel": 0, + "fieldname": "column_break1", + "fieldtype": "Column Break", + "oldfieldtype": "Column Break", + "permlevel": 0, "width": "50%" - }, + }, { - "fieldname": "amended_from", - "fieldtype": "Link", - "hidden": 1, - "ignore_user_permissions": 1, - "label": "Amended From", - "no_copy": 1, - "oldfieldname": "amended_from", - "oldfieldtype": "Data", - "options": "Sales Order", - "permlevel": 0, - "print_hide": 1, - "read_only": 1, + "fieldname": "amended_from", + "fieldtype": "Link", + "hidden": 1, + "ignore_user_permissions": 1, + "label": "Amended From", + "no_copy": 1, + "oldfieldname": "amended_from", + "oldfieldtype": "Data", + "options": "Sales Order", + "permlevel": 0, + "print_hide": 1, + "read_only": 1, "width": "150px" - }, + }, { - "description": "Select the relevant company name if you have multiple companies.", - "fieldname": "company", - "fieldtype": "Link", - "in_filter": 1, - "label": "Company", - "oldfieldname": "company", - "oldfieldtype": "Link", - "options": "Company", - "permlevel": 0, - "print_hide": 1, - "reqd": 1, - "search_index": 1, + "description": "Select the relevant company name if you have multiple companies.", + "fieldname": "company", + "fieldtype": "Link", + "in_filter": 1, + "label": "Company", + "oldfieldname": "company", + "oldfieldtype": "Link", + "options": "Company", + "permlevel": 0, + "print_hide": 1, + "reqd": 1, + "search_index": 1, "width": "150px" - }, + }, { - "default": "Today", - "fieldname": "transaction_date", - "fieldtype": "Date", - "in_filter": 1, - "label": "Sales Order Date", - "no_copy": 1, - "oldfieldname": "transaction_date", - "oldfieldtype": "Date", - "permlevel": 0, - "print_hide": 0, - "reqd": 1, - "search_index": 1, + "default": "Today", + "fieldname": "transaction_date", + "fieldtype": "Date", + "in_filter": 1, + "label": "Sales Order Date", + "no_copy": 1, + "oldfieldname": "transaction_date", + "oldfieldtype": "Date", + "permlevel": 0, + "print_hide": 0, + "reqd": 1, + "search_index": 1, "width": "160px" - }, + }, { - "depends_on": "eval:doc.order_type == 'Sales'", - "fieldname": "delivery_date", - "fieldtype": "Date", - "hidden": 0, - "in_filter": 1, - "label": "Delivery Date", - "oldfieldname": "delivery_date", - "oldfieldtype": "Date", - "permlevel": 0, - "print_hide": 1, - "reqd": 0, - "search_index": 1, + "depends_on": "eval:doc.order_type == 'Sales'", + "fieldname": "delivery_date", + "fieldtype": "Date", + "hidden": 0, + "in_filter": 1, + "label": "Delivery Date", + "oldfieldname": "delivery_date", + "oldfieldtype": "Date", + "permlevel": 0, + "print_hide": 1, + "reqd": 0, + "search_index": 1, "width": "160px" - }, + }, { - "description": "Customer's Purchase Order Number", - "fieldname": "po_no", - "fieldtype": "Data", - "hidden": 0, - "label": "PO No", - "oldfieldname": "po_no", - "oldfieldtype": "Data", - "permlevel": 0, - "print_hide": 0, - "reqd": 0, + "description": "Customer's Purchase Order Number", + "fieldname": "po_no", + "fieldtype": "Data", + "hidden": 0, + "label": "PO No", + "oldfieldname": "po_no", + "oldfieldtype": "Data", + "permlevel": 0, + "print_hide": 0, + "reqd": 0, "width": "100px" - }, + }, { - "depends_on": "eval:doc.po_no", - "description": "Customer's Purchase Order Date", - "fieldname": "po_date", - "fieldtype": "Date", - "hidden": 0, - "label": "PO Date", - "oldfieldname": "po_date", - "oldfieldtype": "Date", - "permlevel": 0, - "print_hide": 0, - "reqd": 0, + "depends_on": "eval:doc.po_no", + "description": "Customer's Purchase Order Date", + "fieldname": "po_date", + "fieldtype": "Date", + "hidden": 0, + "label": "PO Date", + "oldfieldname": "po_date", + "oldfieldtype": "Date", + "permlevel": 0, + "print_hide": 0, + "reqd": 0, "width": "100px" - }, + }, { - "fieldname": "shipping_address_name", - "fieldtype": "Link", - "hidden": 1, - "in_filter": 1, - "label": "Shipping Address", - "options": "Address", - "permlevel": 0, - "print_hide": 1, + "fieldname": "shipping_address_name", + "fieldtype": "Link", + "hidden": 1, + "in_filter": 1, + "label": "Shipping Address", + "options": "Address", + "permlevel": 0, + "print_hide": 1, "read_only": 0 - }, + }, { - "fieldname": "shipping_address", - "fieldtype": "Small Text", - "hidden": 1, - "in_filter": 0, - "label": "Shipping Address", - "permlevel": 0, - "print_hide": 1, + "fieldname": "shipping_address", + "fieldtype": "Small Text", + "hidden": 1, + "in_filter": 0, + "label": "Shipping Address", + "permlevel": 0, + "print_hide": 1, "read_only": 1 - }, + }, { - "fieldname": "sec_break45", - "fieldtype": "Section Break", - "label": "Currency and Price List", - "options": "icon-tag", + "fieldname": "sec_break45", + "fieldtype": "Section Break", + "label": "Currency and Price List", + "options": "icon-tag", "permlevel": 0 - }, + }, { - "fieldname": "currency", - "fieldtype": "Link", - "label": "Currency", - "oldfieldname": "currency", - "oldfieldtype": "Select", - "options": "Currency", - "permlevel": 0, - "print_hide": 1, - "reqd": 1, + "fieldname": "currency", + "fieldtype": "Link", + "label": "Currency", + "oldfieldname": "currency", + "oldfieldtype": "Select", + "options": "Currency", + "permlevel": 0, + "print_hide": 1, + "reqd": 1, "width": "100px" - }, + }, { - "description": "Rate at which customer's currency is converted to company's base currency", - "fieldname": "conversion_rate", - "fieldtype": "Float", - "label": "Exchange Rate", - "oldfieldname": "conversion_rate", - "oldfieldtype": "Currency", - "permlevel": 0, - "print_hide": 1, - "reqd": 1, + "description": "Rate at which customer's currency is converted to company's base currency", + "fieldname": "conversion_rate", + "fieldtype": "Float", + "label": "Exchange Rate", + "oldfieldname": "conversion_rate", + "oldfieldtype": "Currency", + "permlevel": 0, + "print_hide": 1, + "reqd": 1, "width": "100px" - }, + }, { - "fieldname": "column_break2", - "fieldtype": "Column Break", - "permlevel": 0, + "fieldname": "column_break2", + "fieldtype": "Column Break", + "permlevel": 0, "width": "50%" - }, + }, { - "fieldname": "selling_price_list", - "fieldtype": "Link", - "label": "Price List", - "oldfieldname": "price_list_name", - "oldfieldtype": "Select", - "options": "Price List", - "permlevel": 0, - "print_hide": 1, - "reqd": 1, + "fieldname": "selling_price_list", + "fieldtype": "Link", + "label": "Price List", + "oldfieldname": "price_list_name", + "oldfieldtype": "Select", + "options": "Price List", + "permlevel": 0, + "print_hide": 1, + "reqd": 1, "width": "100px" - }, + }, { - "fieldname": "price_list_currency", - "fieldtype": "Link", - "label": "Price List Currency", - "options": "Currency", - "permlevel": 0, - "print_hide": 1, - "read_only": 1, + "fieldname": "price_list_currency", + "fieldtype": "Link", + "label": "Price List Currency", + "options": "Currency", + "permlevel": 0, + "print_hide": 1, + "read_only": 1, "reqd": 1 - }, + }, { - "description": "Rate at which Price list currency is converted to company's base currency", - "fieldname": "plc_conversion_rate", - "fieldtype": "Float", - "label": "Price List Exchange Rate", - "permlevel": 0, - "print_hide": 1, + "description": "Rate at which Price list currency is converted to company's base currency", + "fieldname": "plc_conversion_rate", + "fieldtype": "Float", + "label": "Price List Exchange Rate", + "permlevel": 0, + "print_hide": 1, "reqd": 1 - }, + }, { - "fieldname": "ignore_pricing_rule", - "fieldtype": "Check", - "label": "Ignore Pricing Rule", - "no_copy": 1, - "permlevel": 1, + "fieldname": "ignore_pricing_rule", + "fieldtype": "Check", + "label": "Ignore Pricing Rule", + "no_copy": 1, + "permlevel": 1, "print_hide": 1 - }, + }, { - "fieldname": "items", - "fieldtype": "Section Break", - "label": "Items", - "oldfieldtype": "Section Break", - "options": "icon-shopping-cart", + "fieldname": "items", + "fieldtype": "Section Break", + "label": "Items", + "oldfieldtype": "Section Break", + "options": "icon-shopping-cart", "permlevel": 0 - }, + }, { - "allow_on_submit": 1, - "fieldname": "sales_order_details", - "fieldtype": "Table", - "label": "Sales Order Items", - "oldfieldname": "sales_order_details", - "oldfieldtype": "Table", - "options": "Sales Order Item", - "permlevel": 0, - "print_hide": 0, + "allow_on_submit": 1, + "fieldname": "sales_order_details", + "fieldtype": "Table", + "label": "Sales Order Items", + "oldfieldname": "sales_order_details", + "oldfieldtype": "Table", + "options": "Sales Order Item", + "permlevel": 0, + "print_hide": 0, "reqd": 1 - }, + }, { - "description": "Display all the individual items delivered with the main items", - "fieldname": "packing_list", - "fieldtype": "Section Break", - "hidden": 0, - "label": "Packing List", - "oldfieldtype": "Section Break", - "options": "icon-suitcase", - "permlevel": 0, + "description": "Display all the individual items delivered with the main items", + "fieldname": "packing_list", + "fieldtype": "Section Break", + "hidden": 0, + "label": "Packing List", + "oldfieldtype": "Section Break", + "options": "icon-suitcase", + "permlevel": 0, "print_hide": 1 - }, + }, { - "fieldname": "packing_details", - "fieldtype": "Table", - "label": "Packing Details", - "oldfieldname": "packing_details", - "oldfieldtype": "Table", - "options": "Packed Item", - "permlevel": 0, - "print_hide": 1, + "fieldname": "packing_details", + "fieldtype": "Table", + "label": "Packing Details", + "oldfieldname": "packing_details", + "oldfieldtype": "Table", + "options": "Packed Item", + "permlevel": 0, + "print_hide": 1, "read_only": 1 - }, + }, { - "fieldname": "section_break_31", - "fieldtype": "Section Break", + "fieldname": "section_break_31", + "fieldtype": "Section Break", "permlevel": 0 - }, + }, { - "fieldname": "net_total_export", - "fieldtype": "Currency", - "label": "Net Total", - "options": "currency", - "permlevel": 0, + "fieldname": "net_total_export", + "fieldtype": "Currency", + "label": "Net Total", + "options": "currency", + "permlevel": 0, "read_only": 1 - }, + }, { - "fieldname": "column_break_33", - "fieldtype": "Column Break", + "fieldname": "column_break_33", + "fieldtype": "Column Break", "permlevel": 0 - }, + }, { - "fieldname": "net_total", - "fieldtype": "Currency", - "label": "Net Total (Company Currency)", - "oldfieldname": "net_total", - "oldfieldtype": "Currency", - "options": "Company:company:default_currency", - "permlevel": 0, - "print_hide": 1, - "read_only": 1, - "reqd": 0, + "fieldname": "net_total", + "fieldtype": "Currency", + "label": "Net Total (Company Currency)", + "oldfieldname": "net_total", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", + "permlevel": 0, + "print_hide": 1, + "read_only": 1, + "reqd": 0, "width": "150px" - }, + }, { - "fieldname": "taxes", - "fieldtype": "Section Break", - "label": "Taxes and Charges", - "oldfieldtype": "Section Break", - "options": "icon-money", - "permlevel": 0, + "fieldname": "taxes", + "fieldtype": "Section Break", + "label": "Taxes and Charges", + "oldfieldtype": "Section Break", + "options": "icon-money", + "permlevel": 0, "print_hide": 0 - }, + }, { - "fieldname": "taxes_and_charges", - "fieldtype": "Link", - "label": "Taxes and Charges", - "oldfieldname": "charge", - "oldfieldtype": "Link", - "options": "Sales Taxes and Charges Master", - "permlevel": 0, + "fieldname": "taxes_and_charges", + "fieldtype": "Link", + "label": "Taxes and Charges", + "oldfieldname": "charge", + "oldfieldtype": "Link", + "options": "Sales Taxes and Charges Master", + "permlevel": 0, "print_hide": 1 - }, + }, { - "fieldname": "column_break_38", - "fieldtype": "Column Break", + "fieldname": "column_break_38", + "fieldtype": "Column Break", "permlevel": 0 - }, + }, { - "fieldname": "shipping_rule", - "fieldtype": "Link", - "label": "Shipping Rule", - "oldfieldtype": "Button", - "options": "Shipping Rule", - "permlevel": 0, + "fieldname": "shipping_rule", + "fieldtype": "Link", + "label": "Shipping Rule", + "oldfieldtype": "Button", + "options": "Shipping Rule", + "permlevel": 0, "print_hide": 1 - }, + }, { - "fieldname": "section_break_40", - "fieldtype": "Section Break", + "fieldname": "section_break_40", + "fieldtype": "Section Break", "permlevel": 0 - }, + }, { - "fieldname": "other_charges", - "fieldtype": "Table", - "label": "Sales Taxes and Charges", - "oldfieldname": "other_charges", - "oldfieldtype": "Table", - "options": "Sales Taxes and Charges", + "fieldname": "other_charges", + "fieldtype": "Table", + "label": "Sales Taxes and Charges", + "oldfieldname": "other_charges", + "oldfieldtype": "Table", + "options": "Sales Taxes and Charges", "permlevel": 0 - }, + }, { - "fieldname": "other_charges_calculation", - "fieldtype": "HTML", - "label": "Taxes and Charges Calculation", - "oldfieldtype": "HTML", - "permlevel": 0, + "fieldname": "other_charges_calculation", + "fieldtype": "HTML", + "label": "Taxes and Charges Calculation", + "oldfieldtype": "HTML", + "permlevel": 0, "print_hide": 0 - }, + }, { - "fieldname": "section_break_43", - "fieldtype": "Section Break", + "fieldname": "section_break_43", + "fieldtype": "Section Break", "permlevel": 0 - }, + }, { - "fieldname": "other_charges_total_export", - "fieldtype": "Currency", - "label": "Taxes and Charges Total", - "options": "currency", - "permlevel": 0, - "print_hide": 1, + "fieldname": "other_charges_total_export", + "fieldtype": "Currency", + "label": "Taxes and Charges Total", + "options": "currency", + "permlevel": 0, + "print_hide": 1, "read_only": 1 - }, + }, { - "fieldname": "column_break_46", - "fieldtype": "Column Break", + "fieldname": "column_break_46", + "fieldtype": "Column Break", "permlevel": 0 - }, + }, { - "fieldname": "other_charges_total", - "fieldtype": "Currency", - "label": "Taxes and Charges Total (Company Currency)", - "oldfieldname": "other_charges_total", - "oldfieldtype": "Currency", - "options": "Company:company:default_currency", - "permlevel": 0, - "print_hide": 1, - "read_only": 1, + "fieldname": "other_charges_total", + "fieldtype": "Currency", + "label": "Taxes and Charges Total (Company Currency)", + "oldfieldname": "other_charges_total", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", + "permlevel": 0, + "print_hide": 1, + "read_only": 1, "width": "150px" - }, + }, { - "fieldname": "discount_amount", - "fieldtype": "Currency", - "label": "Discount Amount", - "options": "Company:company:default_currency", + "fieldname": "discount_amount", + "fieldtype": "Currency", + "label": "Discount Amount", + "options": "Company:company:default_currency", "permlevel": 0 - }, + }, { - "fieldname": "totals", - "fieldtype": "Section Break", - "label": "Totals", - "oldfieldtype": "Section Break", - "options": "icon-money", - "permlevel": 0, + "fieldname": "totals", + "fieldtype": "Section Break", + "label": "Totals", + "oldfieldtype": "Section Break", + "options": "icon-money", + "permlevel": 0, "print_hide": 1 - }, + }, { - "fieldname": "grand_total_export", - "fieldtype": "Currency", - "label": "Grand Total", - "oldfieldname": "grand_total_export", - "oldfieldtype": "Currency", - "options": "currency", - "permlevel": 0, - "print_hide": 0, - "read_only": 1, - "reqd": 0, + "fieldname": "grand_total_export", + "fieldtype": "Currency", + "label": "Grand Total", + "oldfieldname": "grand_total_export", + "oldfieldtype": "Currency", + "options": "currency", + "permlevel": 0, + "print_hide": 0, + "read_only": 1, + "reqd": 0, "width": "150px" - }, + }, { - "fieldname": "rounded_total_export", - "fieldtype": "Currency", - "label": "Rounded Total", - "oldfieldname": "rounded_total_export", - "oldfieldtype": "Currency", - "options": "currency", - "permlevel": 0, - "print_hide": 0, - "read_only": 1, + "fieldname": "rounded_total_export", + "fieldtype": "Currency", + "label": "Rounded Total", + "oldfieldname": "rounded_total_export", + "oldfieldtype": "Currency", + "options": "currency", + "permlevel": 0, + "print_hide": 0, + "read_only": 1, "width": "150px" - }, + }, { - "fieldname": "in_words_export", - "fieldtype": "Data", - "label": "In Words", - "oldfieldname": "in_words_export", - "oldfieldtype": "Data", - "permlevel": 0, - "print_hide": 0, - "read_only": 1, + "fieldname": "in_words_export", + "fieldtype": "Data", + "label": "In Words", + "oldfieldname": "in_words_export", + "oldfieldtype": "Data", + "permlevel": 0, + "print_hide": 0, + "read_only": 1, "width": "200px" - }, + }, { - "fieldname": "column_break3", - "fieldtype": "Column Break", - "oldfieldtype": "Column Break", - "permlevel": 0, - "print_hide": 1, + "fieldname": "column_break3", + "fieldtype": "Column Break", + "oldfieldtype": "Column Break", + "permlevel": 0, + "print_hide": 1, "width": "50%" - }, + }, { - "fieldname": "grand_total", - "fieldtype": "Currency", - "label": "Grand Total (Company Currency)", - "oldfieldname": "grand_total", - "oldfieldtype": "Currency", - "options": "Company:company:default_currency", - "permlevel": 0, - "print_hide": 1, - "read_only": 1, - "reqd": 0, + "fieldname": "grand_total", + "fieldtype": "Currency", + "label": "Grand Total (Company Currency)", + "oldfieldname": "grand_total", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", + "permlevel": 0, + "print_hide": 1, + "read_only": 1, + "reqd": 0, "width": "150px" - }, + }, { - "fieldname": "rounded_total", - "fieldtype": "Currency", - "label": "Rounded Total (Company Currency)", - "oldfieldname": "rounded_total", - "oldfieldtype": "Currency", - "options": "Company:company:default_currency", - "permlevel": 0, - "print_hide": 1, - "read_only": 1, + "fieldname": "rounded_total", + "fieldtype": "Currency", + "label": "Rounded Total (Company Currency)", + "oldfieldname": "rounded_total", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", + "permlevel": 0, + "print_hide": 1, + "read_only": 1, "width": "150px" - }, + }, { - "description": "In Words will be visible once you save the Sales Order.", - "fieldname": "in_words", - "fieldtype": "Data", - "label": "In Words (Company Currency)", - "oldfieldname": "in_words", - "oldfieldtype": "Data", - "permlevel": 0, - "print_hide": 1, - "read_only": 1, + "description": "In Words will be visible once you save the Sales Order.", + "fieldname": "in_words", + "fieldtype": "Data", + "label": "In Words (Company Currency)", + "oldfieldname": "in_words", + "oldfieldtype": "Data", + "permlevel": 0, + "print_hide": 1, + "read_only": 1, "width": "200px" - }, + }, { - "fieldname": "terms_section_break", - "fieldtype": "Section Break", - "label": "Terms and Conditions", - "oldfieldtype": "Section Break", - "options": "icon-legal", - "permlevel": 0, + "fieldname": "terms_section_break", + "fieldtype": "Section Break", + "label": "Terms and Conditions", + "oldfieldtype": "Section Break", + "options": "icon-legal", + "permlevel": 0, "print_hide": 0 - }, + }, { - "fieldname": "tc_name", - "fieldtype": "Link", - "label": "Terms", - "oldfieldname": "tc_name", - "oldfieldtype": "Link", - "options": "Terms and Conditions", - "permlevel": 0, - "print_hide": 1, + "fieldname": "tc_name", + "fieldtype": "Link", + "label": "Terms", + "oldfieldname": "tc_name", + "oldfieldtype": "Link", + "options": "Terms and Conditions", + "permlevel": 0, + "print_hide": 1, "search_index": 0 - }, + }, { - "fieldname": "terms", - "fieldtype": "Text Editor", - "label": "Terms and Conditions Details", - "oldfieldname": "terms", - "oldfieldtype": "Text Editor", - "permlevel": 0, + "fieldname": "terms", + "fieldtype": "Text Editor", + "label": "Terms and Conditions Details", + "oldfieldname": "terms", + "oldfieldtype": "Text Editor", + "permlevel": 0, "print_hide": 0 - }, + }, { - "depends_on": "customer", - "fieldname": "contact_info", - "fieldtype": "Section Break", - "label": "Contact Info", - "options": "icon-bullhorn", + "depends_on": "customer", + "fieldname": "contact_info", + "fieldtype": "Section Break", + "label": "Contact Info", + "options": "icon-bullhorn", "permlevel": 0 - }, + }, { - "fieldname": "col_break45", - "fieldtype": "Column Break", - "permlevel": 0, + "fieldname": "col_break45", + "fieldtype": "Column Break", + "permlevel": 0, "width": "50%" - }, + }, { - "description": "Add / Edit", - "fieldname": "territory", - "fieldtype": "Link", - "in_filter": 1, - "label": "Territory", - "options": "Territory", - "permlevel": 0, - "print_hide": 1, - "reqd": 1, + "description": "Add / Edit", + "fieldname": "territory", + "fieldtype": "Link", + "in_filter": 1, + "label": "Territory", + "options": "Territory", + "permlevel": 0, + "print_hide": 1, + "reqd": 1, "search_index": 1 - }, + }, { - "description": "Add / Edit", - "fieldname": "customer_group", - "fieldtype": "Link", - "in_filter": 1, - "label": "Customer Group", - "options": "Customer Group", - "permlevel": 0, - "print_hide": 1, - "reqd": 1, + "description": "Add / Edit", + "fieldname": "customer_group", + "fieldtype": "Link", + "in_filter": 1, + "label": "Customer Group", + "options": "Customer Group", + "permlevel": 0, + "print_hide": 1, + "reqd": 1, "search_index": 1 - }, + }, { - "fieldname": "col_break46", - "fieldtype": "Column Break", - "permlevel": 0, + "fieldname": "col_break46", + "fieldtype": "Column Break", + "permlevel": 0, "width": "50%" - }, + }, { - "fieldname": "customer_address", - "fieldtype": "Link", - "hidden": 0, - "in_filter": 1, - "label": "Customer Address", - "options": "Address", - "permlevel": 0, + "fieldname": "customer_address", + "fieldtype": "Link", + "hidden": 0, + "in_filter": 1, + "label": "Customer Address", + "options": "Address", + "permlevel": 0, "print_hide": 1 - }, + }, { - "fieldname": "contact_person", - "fieldtype": "Link", - "in_filter": 1, - "label": "Contact Person", - "options": "Contact", - "permlevel": 0, + "fieldname": "contact_person", + "fieldtype": "Link", + "in_filter": 1, + "label": "Contact Person", + "options": "Contact", + "permlevel": 0, "print_hide": 1 - }, + }, { - "fieldname": "more_info", - "fieldtype": "Section Break", - "label": "More Info", - "oldfieldtype": "Section Break", - "options": "icon-file-text", - "permlevel": 0, + "fieldname": "more_info", + "fieldtype": "Section Break", + "label": "More Info", + "oldfieldtype": "Section Break", + "options": "icon-file-text", + "permlevel": 0, "print_hide": 1 - }, + }, { - "description": "Track this Sales Order against any Project", - "fieldname": "project_name", - "fieldtype": "Link", - "in_filter": 1, - "label": "Project Name", - "oldfieldname": "project_name", - "oldfieldtype": "Link", - "options": "Project", - "permlevel": 0, + "description": "Track this Sales Order against any Project", + "fieldname": "project_name", + "fieldtype": "Link", + "in_filter": 1, + "label": "Project Name", + "oldfieldname": "project_name", + "oldfieldtype": "Link", + "options": "Project", + "permlevel": 0, "search_index": 1 - }, + }, { - "depends_on": "eval:doc.source == 'Campaign'", - "fieldname": "campaign", - "fieldtype": "Link", - "label": "Campaign", - "oldfieldname": "campaign", - "oldfieldtype": "Link", - "options": "Campaign", - "permlevel": 0, + "depends_on": "eval:doc.source == 'Campaign'", + "fieldname": "campaign", + "fieldtype": "Link", + "label": "Campaign", + "oldfieldname": "campaign", + "oldfieldtype": "Link", + "options": "Campaign", + "permlevel": 0, "print_hide": 1 - }, + }, { - "fieldname": "source", - "fieldtype": "Select", - "label": "Source", - "oldfieldname": "source", - "oldfieldtype": "Select", - "options": "\nExisting Customer\nReference\nAdvertisement\nCold Calling\nExhibition\nSupplier Reference\nMass Mailing\nCustomer's Vendor\nCampaign", - "permlevel": 0, + "fieldname": "source", + "fieldtype": "Select", + "label": "Source", + "oldfieldname": "source", + "oldfieldtype": "Select", + "options": "\nExisting Customer\nReference\nAdvertisement\nCold Calling\nExhibition\nSupplier Reference\nMass Mailing\nCustomer's Vendor\nCampaign", + "permlevel": 0, "print_hide": 1 - }, + }, { - "fieldname": "column_break4", - "fieldtype": "Column Break", - "oldfieldtype": "Column Break", - "permlevel": 0, - "print_hide": 1, + "fieldname": "column_break4", + "fieldtype": "Column Break", + "oldfieldtype": "Column Break", + "permlevel": 0, + "print_hide": 1, "width": "50%" - }, + }, { - "allow_on_submit": 1, - "fieldname": "letter_head", - "fieldtype": "Link", - "label": "Letter Head", - "oldfieldname": "letter_head", - "oldfieldtype": "Select", - "options": "Letter Head", - "permlevel": 0, + "allow_on_submit": 1, + "fieldname": "letter_head", + "fieldtype": "Link", + "label": "Letter Head", + "oldfieldname": "letter_head", + "oldfieldtype": "Select", + "options": "Letter Head", + "permlevel": 0, "print_hide": 1 - }, + }, { - "allow_on_submit": 1, - "fieldname": "select_print_heading", - "fieldtype": "Link", - "label": "Print Heading", - "no_copy": 1, - "oldfieldname": "select_print_heading", - "oldfieldtype": "Link", - "options": "Print Heading", - "permlevel": 0, - "print_hide": 1, + "allow_on_submit": 1, + "fieldname": "select_print_heading", + "fieldtype": "Link", + "label": "Print Heading", + "no_copy": 1, + "oldfieldname": "select_print_heading", + "oldfieldtype": "Link", + "options": "Print Heading", + "permlevel": 0, + "print_hide": 1, "report_hide": 1 - }, + }, { - "fieldname": "fiscal_year", - "fieldtype": "Link", - "in_filter": 1, - "label": "Fiscal Year", - "oldfieldname": "fiscal_year", - "oldfieldtype": "Select", - "options": "Fiscal Year", - "permlevel": 0, - "print_hide": 1, - "reqd": 1, - "search_index": 1, + "fieldname": "fiscal_year", + "fieldtype": "Link", + "in_filter": 1, + "label": "Fiscal Year", + "oldfieldname": "fiscal_year", + "oldfieldtype": "Select", + "options": "Fiscal Year", + "permlevel": 0, + "print_hide": 1, + "reqd": 1, + "search_index": 1, "width": "150px" - }, + }, { - "fieldname": "section_break_78", - "fieldtype": "Section Break", - "oldfieldtype": "Column Break", - "permlevel": 0, - "print_hide": 1, + "fieldname": "section_break_78", + "fieldtype": "Section Break", + "oldfieldtype": "Column Break", + "permlevel": 0, + "print_hide": 1, "width": "50%" - }, + }, { - "default": "Draft", - "fieldname": "status", - "fieldtype": "Select", - "in_filter": 1, - "in_list_view": 1, - "label": "Status", - "no_copy": 1, - "oldfieldname": "status", - "oldfieldtype": "Select", - "options": "\nDraft\nSubmitted\nStopped\nCancelled", - "permlevel": 0, - "print_hide": 1, - "read_only": 1, - "reqd": 1, - "search_index": 1, + "default": "Draft", + "fieldname": "status", + "fieldtype": "Select", + "in_filter": 1, + "in_list_view": 1, + "label": "Status", + "no_copy": 1, + "oldfieldname": "status", + "oldfieldtype": "Select", + "options": "\nDraft\nSubmitted\nStopped\nCancelled", + "permlevel": 0, + "print_hide": 1, + "read_only": 1, + "reqd": 1, + "search_index": 1, "width": "100px" - }, + }, { - "fieldname": "delivery_status", - "fieldtype": "Select", - "hidden": 1, - "label": "Delivery Status", - "no_copy": 1, - "options": "Delivered\nNot Delivered\nPartly Delivered\nClosed\nNot Applicable", - "permlevel": 0, + "fieldname": "delivery_status", + "fieldtype": "Select", + "hidden": 1, + "label": "Delivery Status", + "no_copy": 1, + "options": "Delivered\nNot Delivered\nPartly Delivered\nClosed\nNot Applicable", + "permlevel": 0, "print_hide": 1 - }, + }, { - "depends_on": "eval:!doc.__islocal", - "description": "% of materials delivered against this Sales Order", - "fieldname": "per_delivered", - "fieldtype": "Percent", - "in_filter": 1, - "in_list_view": 1, - "label": "% Delivered", - "no_copy": 1, - "oldfieldname": "per_delivered", - "oldfieldtype": "Currency", - "permlevel": 0, - "print_hide": 1, - "read_only": 1, + "depends_on": "eval:!doc.__islocal", + "description": "% of materials delivered against this Sales Order", + "fieldname": "per_delivered", + "fieldtype": "Percent", + "in_filter": 1, + "in_list_view": 1, + "label": "% Delivered", + "no_copy": 1, + "oldfieldname": "per_delivered", + "oldfieldtype": "Currency", + "permlevel": 0, + "print_hide": 1, + "read_only": 1, "width": "100px" - }, + }, { - "fieldname": "column_break_81", - "fieldtype": "Column Break", + "fieldname": "column_break_81", + "fieldtype": "Column Break", "permlevel": 0 - }, + }, { - "depends_on": "eval:!doc.__islocal", - "description": "% of materials billed against this Sales Order", - "fieldname": "per_billed", - "fieldtype": "Percent", - "in_filter": 1, - "in_list_view": 1, - "label": "% Amount Billed", - "no_copy": 1, - "oldfieldname": "per_billed", - "oldfieldtype": "Currency", - "permlevel": 0, - "print_hide": 1, - "read_only": 1, + "depends_on": "eval:!doc.__islocal", + "description": "% of materials billed against this Sales Order", + "fieldname": "per_billed", + "fieldtype": "Percent", + "in_filter": 1, + "in_list_view": 1, + "label": "% Amount Billed", + "no_copy": 1, + "oldfieldname": "per_billed", + "oldfieldtype": "Currency", + "permlevel": 0, + "print_hide": 1, + "read_only": 1, "width": "100px" - }, + }, { - "fieldname": "billing_status", - "fieldtype": "Select", - "hidden": 1, - "label": "Billing Status", - "no_copy": 1, - "options": "Billed\nNot Billed\nPartly Billed\nClosed", - "permlevel": 0, + "fieldname": "billing_status", + "fieldtype": "Select", + "hidden": 1, + "label": "Billing Status", + "no_copy": 1, + "options": "Billed\nNot Billed\nPartly Billed\nClosed", + "permlevel": 0, "print_hide": 1 - }, + }, { - "fieldname": "sales_team_section_break", - "fieldtype": "Section Break", - "label": "Sales Team", - "oldfieldtype": "Section Break", - "options": "icon-group", - "permlevel": 0, + "fieldname": "sales_team_section_break", + "fieldtype": "Section Break", + "label": "Sales Team", + "oldfieldtype": "Section Break", + "options": "icon-group", + "permlevel": 0, "print_hide": 1 - }, + }, { - "fieldname": "sales_partner", - "fieldtype": "Link", - "in_filter": 1, - "label": "Sales Partner", - "oldfieldname": "sales_partner", - "oldfieldtype": "Link", - "options": "Sales Partner", - "permlevel": 0, - "print_hide": 1, - "search_index": 1, + "fieldname": "sales_partner", + "fieldtype": "Link", + "in_filter": 1, + "label": "Sales Partner", + "oldfieldname": "sales_partner", + "oldfieldtype": "Link", + "options": "Sales Partner", + "permlevel": 0, + "print_hide": 1, + "search_index": 1, "width": "150px" - }, + }, { - "fieldname": "column_break7", - "fieldtype": "Column Break", - "permlevel": 0, - "print_hide": 1, + "fieldname": "column_break7", + "fieldtype": "Column Break", + "permlevel": 0, + "print_hide": 1, "width": "50%" - }, + }, { - "fieldname": "commission_rate", - "fieldtype": "Float", - "label": "Commission Rate", - "oldfieldname": "commission_rate", - "oldfieldtype": "Currency", - "permlevel": 0, - "print_hide": 1, + "fieldname": "commission_rate", + "fieldtype": "Float", + "label": "Commission Rate", + "oldfieldname": "commission_rate", + "oldfieldtype": "Currency", + "permlevel": 0, + "print_hide": 1, "width": "100px" - }, + }, { - "fieldname": "total_commission", - "fieldtype": "Currency", - "label": "Total Commission", - "oldfieldname": "total_commission", - "oldfieldtype": "Currency", - "options": "Company:company:default_currency", - "permlevel": 0, + "fieldname": "total_commission", + "fieldtype": "Currency", + "label": "Total Commission", + "oldfieldname": "total_commission", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", + "permlevel": 0, "print_hide": 1 - }, + }, { - "fieldname": "section_break1", - "fieldtype": "Section Break", - "permlevel": 0, + "fieldname": "section_break1", + "fieldtype": "Section Break", + "permlevel": 0, "print_hide": 1 - }, + }, { - "fieldname": "sales_team", - "fieldtype": "Table", - "label": "Sales Team1", - "oldfieldname": "sales_team", - "oldfieldtype": "Table", - "options": "Sales Team", - "permlevel": 0, + "fieldname": "sales_team", + "fieldtype": "Table", + "label": "Sales Team1", + "oldfieldname": "sales_team", + "oldfieldtype": "Table", + "options": "Sales Team", + "permlevel": 0, "print_hide": 1 } - ], - "icon": "icon-file-text", - "idx": 1, - "is_submittable": 1, - "issingle": 0, - "modified": "2014-06-23 07:55:52.555192", - "modified_by": "Administrator", - "module": "Selling", - "name": "Sales Order", - "owner": "Administrator", + ], + "icon": "icon-file-text", + "idx": 1, + "is_submittable": 1, + "issingle": 0, + "modified": "2014-06-27 07:55:52.555192", + "modified_by": "Administrator", + "module": "Selling", + "name": "Sales Order", + "owner": "Administrator", "permissions": [ { - "amend": 1, - "apply_user_permissions": 1, - "cancel": 1, - "create": 1, - "delete": 1, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Sales User", - "submit": 1, + "amend": 1, + "apply_user_permissions": 1, + "cancel": 1, + "create": 1, + "delete": 1, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Sales User", + "submit": 1, "write": 1 - }, + }, { - "amend": 1, - "cancel": 1, - "create": 1, - "delete": 1, - "email": 1, - "export": 1, - "import": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Sales Manager", - "set_user_permissions": 1, - "submit": 1, + "amend": 1, + "cancel": 1, + "create": 1, + "delete": 1, + "email": 1, + "export": 1, + "import": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Sales Manager", + "set_user_permissions": 1, + "submit": 1, "write": 1 - }, + }, { - "amend": 1, - "apply_user_permissions": 1, - "cancel": 1, - "create": 1, - "delete": 1, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Maintenance User", - "submit": 1, + "amend": 1, + "apply_user_permissions": 1, + "cancel": 1, + "create": 1, + "delete": 1, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Maintenance User", + "submit": 1, "write": 1 - }, + }, { - "apply_user_permissions": 1, - "cancel": 0, - "delete": 0, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, + "apply_user_permissions": 1, + "cancel": 0, + "delete": 0, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, "role": "Accounts User" - }, + }, { - "apply_user_permissions": 1, - "cancel": 0, - "delete": 0, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, + "apply_user_permissions": 1, + "cancel": 0, + "delete": 0, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, "role": "Customer" - }, + }, { - "apply_user_permissions": 1, - "permlevel": 0, - "read": 1, - "report": 1, + "apply_user_permissions": 1, + "permlevel": 0, + "read": 1, + "report": 1, "role": "Material User" - }, + }, { - "permlevel": 1, - "read": 1, - "role": "Sales Manager", + "permlevel": 1, + "read": 1, + "role": "Sales Manager", "write": 1 } - ], - "read_only_onload": 1, - "search_fields": "status,transaction_date,customer,customer_name, territory,order_type,company", - "sort_field": "modified", + ], + "read_only_onload": 1, + "search_fields": "status,transaction_date,customer,customer_name, territory,order_type,company", + "sort_field": "modified", "sort_order": "DESC" -} \ No newline at end of file +} diff --git a/erpnext/setup/doctype/item_group/item_group.py b/erpnext/setup/doctype/item_group/item_group.py index 94cd3ec59a..3f6d2e5dd6 100644 --- a/erpnext/setup/doctype/item_group/item_group.py +++ b/erpnext/setup/doctype/item_group/item_group.py @@ -102,5 +102,6 @@ def invalidate_cache_for(doc, item_group=None): item_group = doc.name for i in get_parent_item_groups(item_group): - if i.page_name: - clear_cache(i.page_name) + route = frappe.db.get_value("Website Route", {"ref_doctype":"Item Group", "docname": i.name}) + if route: + clear_cache(route) diff --git a/erpnext/setup/doctype/sales_partner/sales_partner.js b/erpnext/setup/doctype/sales_partner/sales_partner.js index b12c01b69e..02af9f7276 100644 --- a/erpnext/setup/doctype/sales_partner/sales_partner.js +++ b/erpnext/setup/doctype/sales_partner/sales_partner.js @@ -17,6 +17,11 @@ cur_frm.cscript.refresh = function(doc,dt,dn){ // make lists cur_frm.cscript.make_address(doc,dt,dn); cur_frm.cscript.make_contact(doc,dt,dn); + + if (doc.show_in_website) { + cur_frm.set_intro(__("Published on website at: {0}", + [repl('/%(website_route)s', doc.__onload)])); + } } } diff --git a/erpnext/setup/doctype/sales_partner/sales_partner.json b/erpnext/setup/doctype/sales_partner/sales_partner.json index bd006dcda9..ef91814fe5 100644 --- a/erpnext/setup/doctype/sales_partner/sales_partner.json +++ b/erpnext/setup/doctype/sales_partner/sales_partner.json @@ -188,6 +188,7 @@ "permlevel": 0 }, { + "default": "partners", "fieldname": "parent_website_route", "fieldtype": "Link", "label": "Parent Website Route", @@ -198,7 +199,7 @@ "icon": "icon-user", "idx": 1, "in_create": 0, - "modified": "2014-05-27 03:49:18.661354", + "modified": "2014-06-27 09:21:33.687012", "modified_by": "Administrator", "module": "Setup", "name": "Sales Partner", diff --git a/erpnext/setup/doctype/sales_partner/sales_partner.py b/erpnext/setup/doctype/sales_partner/sales_partner.py index 69695190d4..296cd6aef9 100644 --- a/erpnext/setup/doctype/sales_partner/sales_partner.py +++ b/erpnext/setup/doctype/sales_partner/sales_partner.py @@ -46,3 +46,6 @@ class SalesPartner(WebsiteGenerator): return context + def get_parent_website_route(self): + parent_website_sitemap = super(SalesPartner, self).get_parent_website_route() + return parent_website_sitemap or "partners" diff --git a/erpnext/stock/doctype/item/item.py b/erpnext/stock/doctype/item/item.py index f68f0e9071..8140f40341 100644 --- a/erpnext/stock/doctype/item/item.py +++ b/erpnext/stock/doctype/item/item.py @@ -50,8 +50,10 @@ class Item(WebsiteGenerator): if not self.parent_website_route: self.parent_website_route = frappe.get_website_route("Item Group", self.item_group) - if self.name: - self.old_page_name = frappe.db.get_value('Item', self.name, 'page_name') + if not self.get("__islocal"): + self.old_item_group = frappe.db.get_value(self.doctype, self.name, "item_group") + self.old_website_item_groups = frappe.db.sql_list("""select item_group from `tabWebsite Item Group` + where parentfield='website_item_groups' and parenttype='Item' and parent=%s""", self.name) def on_update(self): super(Item, self).on_update() @@ -216,7 +218,7 @@ class Item(WebsiteGenerator): if self.name==self.item_name: page_name_from = self.name else: - page_name_from = self.name + " " + self.item_name + page_name_from = self.name + " - " + self.item_name return page_name_from @@ -363,6 +365,12 @@ def get_last_purchase_details(item_code, doc_name=None, conversion_rate=1.0): def invalidate_cache_for_item(doc): invalidate_cache_for(doc, doc.item_group) - for d in doc.get({"doctype":"Website Item Group"}): - if d.item_group: - invalidate_cache_for(doc, d.item_group) + + website_item_groups = list(set((doc.get("old_website_item_groups") or []) + + [d.item_group for d in doc.get({"doctype":"Website Item Group"}) if d.item_group])) + + for item_group in website_item_groups: + invalidate_cache_for(doc, item_group) + + if doc.get("old_item_group"): + invalidate_cache_for(doc, doc.old_item_group) diff --git a/erpnext/templates/generators/partner.html b/erpnext/templates/generators/sales_partner.html similarity index 100% rename from erpnext/templates/generators/partner.html rename to erpnext/templates/generators/sales_partner.html diff --git a/erpnext/templates/pages/partners.html b/erpnext/templates/pages/partners.html index 089c15b68f..181c6b39dd 100644 --- a/erpnext/templates/pages/partners.html +++ b/erpnext/templates/pages/partners.html @@ -9,13 +9,13 @@
{% if partner_info.logo -%} - {%- endif %}
- +

{{ partner_info.partner_name }}

{{ partner_info.territory }} - {{ partner_info.partner_type }}

@@ -27,4 +27,4 @@
{% endblock %} -{% block sidebar %}{% include "templates/includes/sidebar.html" %}{% endblock %} \ No newline at end of file +{% block sidebar %}{% include "templates/includes/sidebar.html" %}{% endblock %} diff --git a/erpnext/templates/pages/partners.py b/erpnext/templates/pages/partners.py index 94b553c2b2..7dc20d445c 100644 --- a/erpnext/templates/pages/partners.py +++ b/erpnext/templates/pages/partners.py @@ -5,9 +5,16 @@ from __future__ import unicode_literals import frappe import frappe.website.render +page_title = "Partners" + def get_context(context): + partners = frappe.db.sql("""select * from `tabSales Partner` + where show_in_website=1 order by name asc""", as_dict=True) + + for p in partners: + p.route = frappe.get_doc("Sales Partner", p.name).get_route() + return { - "partners": frappe.db.sql("""select * from `tabSales Partner` - where show_in_website=1 order by name asc""", as_dict=True), - "title": "Partners" + "partners": partners, + "title": page_title } From 4e4a83bcef4cb5af0c02d5fe1ff287001096ab8f Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Fri, 27 Jun 2014 13:16:58 +0530 Subject: [PATCH 276/630] Fixes in maintenance schedule --- erpnext/setup/doctype/sales_person/sales_person.py | 2 +- .../doctype/maintenance_schedule/maintenance_schedule.py | 3 +-- 2 files changed, 2 insertions(+), 3 deletions(-) diff --git a/erpnext/setup/doctype/sales_person/sales_person.py b/erpnext/setup/doctype/sales_person/sales_person.py index bbd5690e7b..f37b139d6c 100644 --- a/erpnext/setup/doctype/sales_person/sales_person.py +++ b/erpnext/setup/doctype/sales_person/sales_person.py @@ -3,7 +3,7 @@ from __future__ import unicode_literals import frappe - +from frappe import _ from frappe.utils import flt from frappe.utils.nestedset import NestedSet diff --git a/erpnext/support/doctype/maintenance_schedule/maintenance_schedule.py b/erpnext/support/doctype/maintenance_schedule/maintenance_schedule.py index a0eba19ff8..f276b56b03 100644 --- a/erpnext/support/doctype/maintenance_schedule/maintenance_schedule.py +++ b/erpnext/support/doctype/maintenance_schedule/maintenance_schedule.py @@ -40,9 +40,8 @@ class MaintenanceSchedule(TransactionBase): child.idx = count count = count + 1 child.sales_person = d.sales_person - child.save(1) - self.on_update() + self.save() def on_submit(self): if not self.get('maintenance_schedule_detail'): From 7c9652997bd4e6215e7786e0f5c97a8234ba5c89 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Fri, 27 Jun 2014 15:19:26 +0530 Subject: [PATCH 277/630] Item website specification from item group --- .../accounts/doctype/sales_invoice/sales_invoice.py | 2 +- erpnext/stock/doctype/item/item.js | 10 +++------- erpnext/stock/doctype/item/item.py | 9 +++++++++ 3 files changed, 13 insertions(+), 8 deletions(-) diff --git a/erpnext/accounts/doctype/sales_invoice/sales_invoice.py b/erpnext/accounts/doctype/sales_invoice/sales_invoice.py index 262ac22386..834865bcd6 100644 --- a/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +++ b/erpnext/accounts/doctype/sales_invoice/sales_invoice.py @@ -262,7 +262,7 @@ class SalesInvoice(SellingController): """Validate Fixed Asset and whether Income Account Entered Exists""" for d in self.get('entries'): item = frappe.db.sql("""select name,is_asset_item,is_sales_item from `tabItem` - where name = %s and (ifnull(end_of_life,'')='' or end_of_life > now())""", d.item_code) + where name = %s""", d.item_code) acc = frappe.db.sql("""select account_type from `tabAccount` where name = %s and docstatus != 2""", d.income_account) if item and item[0][1] == 'Yes' and acc and acc[0][0] != 'Fixed Asset': diff --git a/erpnext/stock/doctype/item/item.js b/erpnext/stock/doctype/item/item.js index 173a1cfc41..93c1191da5 100644 --- a/erpnext/stock/doctype/item/item.js +++ b/erpnext/stock/doctype/item/item.js @@ -169,13 +169,9 @@ cur_frm.fields_dict.item_supplier_details.grid.get_field("supplier").get_query = } cur_frm.cscript.copy_from_item_group = function(doc) { - frappe.model.with_doc("Item Group", doc.item_group, function(name, r) { - $.each((r.docs[0].item_website_specifications || []), function(i, d) { - var n = frappe.model.add_child(doc, "Item Website Specification", "item_website_specifications"); - n.label = d.label; - n.description = d.description; - }); - cur_frm.refresh(); + return cur_frm.call({ + doc: doc, + method: "copy_specification_from_item_group" }); } diff --git a/erpnext/stock/doctype/item/item.py b/erpnext/stock/doctype/item/item.py index f43b531392..1f163890ba 100644 --- a/erpnext/stock/doctype/item/item.py +++ b/erpnext/stock/doctype/item/item.py @@ -256,6 +256,15 @@ class Item(WebsiteGenerator): frappe.db.get_value("Stock Settings", None, "allow_negative_stock")) frappe.db.auto_commit_on_many_writes = 0 + def copy_specification_from_item_group(self): + self.set("item_website_specifications", []) + if self.item_group: + for label, desc in frappe.db.get_values("Item Website Specification", + {"parent": self.item_group}, ["label", "description"]): + row = self.append("item_website_specifications") + row.label = label + row.description = desc + def validate_end_of_life(item_code, end_of_life=None, verbose=1): if not end_of_life: end_of_life = frappe.db.get_value("Item", item_code, "end_of_life") From 606c601fc01257e336c53898ceb46d8f9946280e Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Fri, 27 Jun 2014 15:35:04 +0530 Subject: [PATCH 278/630] Make debit/credit note from sales/purchase return --- erpnext/stock/doctype/stock_entry/stock_entry.js | 6 +----- 1 file changed, 1 insertion(+), 5 deletions(-) diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.js b/erpnext/stock/doctype/stock_entry/stock_entry.js index 959739225e..10241983ad 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry.js +++ b/erpnext/stock/doctype/stock_entry/stock_entry.js @@ -213,11 +213,7 @@ erpnext.stock.StockEntry = erpnext.stock.StockController.extend({ if(!r.exc) { var jv_name = frappe.model.make_new_doc_and_get_name('Journal Voucher'); var jv = locals["Journal Voucher"][jv_name]; - $.extend(jv, r.message[0]); - $.each(r.message.slice(1), function(i, jvd) { - var child = frappe.model.add_child(jv, "Journal Voucher Detail", "entries"); - $.extend(child, jvd); - }); + $.extend(jv, r.message); loaddoc("Journal Voucher", jv_name); } } From 6c7cd70202bcb12e6897997d95795f7f7f87ea4c Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Mon, 30 Jun 2014 11:49:46 +0530 Subject: [PATCH 279/630] Pricing rule condition if item group missing --- erpnext/accounts/doctype/pricing_rule/pricing_rule.py | 9 +++++++-- 1 file changed, 7 insertions(+), 2 deletions(-) diff --git a/erpnext/accounts/doctype/pricing_rule/pricing_rule.py b/erpnext/accounts/doctype/pricing_rule/pricing_rule.py index 2706603bc6..9141697a77 100644 --- a/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +++ b/erpnext/accounts/doctype/pricing_rule/pricing_rule.py @@ -131,6 +131,8 @@ def get_pricing_rule_for_item(args): if not (args.item_group and args.brand): args.item_group, args.brand = frappe.db.get_value("Item", args.item_code, ["item_group", "brand"]) + if not args.item_group: + frappe.throw(_("Item Group not mentioned in item master for item {0}").format(args.item_code)) if args.customer and not (args.customer_group and args.territory): args.customer_group, args.territory = frappe.db.get_value("Customer", args.customer, @@ -188,12 +190,15 @@ def get_pricing_rules(args): conditions += """ and %(transaction_date)s between ifnull(valid_from, '2000-01-01') and ifnull(valid_upto, '2500-12-31')""" + item_group_condition = _get_tree_conditions("Item Group", False) + if item_group_condition: item_group_condition = " or " + item_group_condition + return frappe.db.sql("""select * from `tabPricing Rule` - where (item_code=%(item_code)s or {item_group_condition} or brand=%(brand)s) + where (item_code=%(item_code)s {item_group_condition} or brand=%(brand)s) and docstatus < 2 and ifnull(disable, 0) = 0 and ifnull({transaction_type}, 0) = 1 {conditions} order by priority desc, name desc""".format( - item_group_condition=_get_tree_conditions("Item Group", False), + item_group_condition=item_group_condition, transaction_type=args.transaction_type, conditions=conditions), args, as_dict=1) def filter_pricing_rules(args, pricing_rules): From 27b0d1642296e20c3d0dd7e0f12c53a9d13aa17f Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Mon, 30 Jun 2014 12:09:41 +0530 Subject: [PATCH 280/630] Bumped to v4.1.0 --- erpnext/__version__.py | 2 +- setup.py | 5 +++-- 2 files changed, 4 insertions(+), 3 deletions(-) diff --git a/erpnext/__version__.py b/erpnext/__version__.py index 4391764022..fa721b4978 100644 --- a/erpnext/__version__.py +++ b/erpnext/__version__.py @@ -1 +1 @@ -__version__ = '4.0.2' +__version__ = '4.1.0' diff --git a/setup.py b/setup.py index 0004998146..f92bee0933 100644 --- a/setup.py +++ b/setup.py @@ -1,13 +1,14 @@ from setuptools import setup, find_packages -from erpnext.__version__ import __version__ import os +version = "4.1.0" + with open("requirements.txt", "r") as f: install_requires = f.readlines() setup( name='erpnext', - version=__version__, + version=version, description='Open Source ERP', author='Web Notes Technologies', author_email='info@erpnext.com', From 2adf73cca1f8fae9390abb83f32dba002c7d9c21 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Mon, 30 Jun 2014 12:18:08 +0530 Subject: [PATCH 281/630] Fixed requirements.txt --- requirements.txt | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/requirements.txt b/requirements.txt index 40ce1ea488..79275cbc2c 100644 --- a/requirements.txt +++ b/requirements.txt @@ -1,2 +1,2 @@ -frappe==4.0.1 +frappe==4.1.0 unidecode From 4aa2380de299f7c040edd2a2d84d467a28b9e8a8 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Mon, 30 Jun 2014 12:10:57 +0530 Subject: [PATCH 282/630] Fixed get_sender for Sales and Jobs --- erpnext/controllers/selling_controller.py | 9 +++++---- erpnext/hr/doctype/job_applicant/job_applicant.py | 8 ++++---- 2 files changed, 9 insertions(+), 8 deletions(-) diff --git a/erpnext/controllers/selling_controller.py b/erpnext/controllers/selling_controller.py index 33f03b6ce4..c6c2c14dfe 100644 --- a/erpnext/controllers/selling_controller.py +++ b/erpnext/controllers/selling_controller.py @@ -16,10 +16,11 @@ class SellingController(StockController): check_active_sales_items(self) def get_sender(self, comm): - if frappe.db.get_value('Sales Email Settings', None, 'extract_emails'): - return frappe.db.get_value('Sales Email Settings', None, 'email_id') - else: - return comm.sender or frappe.session.user + sender = None + if cint(frappe.db.get_value('Sales Email Settings', None, 'extract_emails')): + sender = frappe.db.get_value('Sales Email Settings', None, 'email_id') + + return sender or comm.sender or frappe.session.user def set_missing_values(self, for_validate=False): super(SellingController, self).set_missing_values(for_validate) diff --git a/erpnext/hr/doctype/job_applicant/job_applicant.py b/erpnext/hr/doctype/job_applicant/job_applicant.py index 364030498a..1f09c26333 100644 --- a/erpnext/hr/doctype/job_applicant/job_applicant.py +++ b/erpnext/hr/doctype/job_applicant/job_applicant.py @@ -9,9 +9,9 @@ from erpnext.utilities.transaction_base import TransactionBase from frappe.utils import extract_email_id class JobApplicant(TransactionBase): - + def get_sender(self, comm): - return frappe.db.get_value('Jobs Email Settings',None,'email_id') - + return frappe.db.get_value('Jobs Email Settings',None,'email_id') or comm.sender or frappe.session.user + def validate(self): - self.set_status() \ No newline at end of file + self.set_status() From 0e72a87613304f17089dd79d779ba9fe61860868 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Mon, 30 Jun 2014 13:03:17 +0530 Subject: [PATCH 283/630] Improved test_rename: check if comments are also moved on rename --- erpnext/selling/doctype/customer/test_customer.py | 12 ++++++++++++ 1 file changed, 12 insertions(+) diff --git a/erpnext/selling/doctype/customer/test_customer.py b/erpnext/selling/doctype/customer/test_customer.py index e2273bc59c..a1db1cea41 100644 --- a/erpnext/selling/doctype/customer/test_customer.py +++ b/erpnext/selling/doctype/customer/test_customer.py @@ -41,11 +41,23 @@ class TestCustomer(unittest.TestCase): self.assertEquals(value, details.get(key)) def test_rename(self): + comment = frappe.new_doc("Comment") + comment.update({ + "comment": "Test Comment for Rename", + "comment_doctype": "Customer", + "comment_docname": "_Test Customer 1" + }) + comment.insert() + frappe.rename_doc("Customer", "_Test Customer 1", "_Test Customer 1 Renamed") self.assertTrue(frappe.db.exists("Customer", "_Test Customer 1 Renamed")) self.assertFalse(frappe.db.exists("Customer", "_Test Customer 1")) + # test that comment gets renamed + self.assertEquals(frappe.db.get_value("Comment", + {"comment_doctype": "Customer", "comment_docname": "Test Customer 1 Renamed"}), comment.name) + frappe.rename_doc("Customer", "_Test Customer 1 Renamed", "_Test Customer 1") From 02cb347ac732252198e1cbcf72b3b095224e25e5 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Mon, 30 Jun 2014 13:17:26 +0530 Subject: [PATCH 284/630] Fix comments after naming series records rename --- ...ix_naming_series_records_lost_by_reload.py | 43 +++++++++++++++++++ 1 file changed, 43 insertions(+) diff --git a/erpnext/patches/repair_tools/fix_naming_series_records_lost_by_reload.py b/erpnext/patches/repair_tools/fix_naming_series_records_lost_by_reload.py index 7fb54b3cc8..981ffd0c29 100644 --- a/erpnext/patches/repair_tools/fix_naming_series_records_lost_by_reload.py +++ b/erpnext/patches/repair_tools/fix_naming_series_records_lost_by_reload.py @@ -4,6 +4,7 @@ from __future__ import unicode_literals import frappe import json +import re from frappe.model.naming import make_autoname from frappe.utils import cint from frappe.utils.email_lib import sendmail_to_system_managers @@ -202,3 +203,45 @@ def rename_docs(): sendmail_to_system_managers("[Important] [ERPNext] Renamed Documents via Patch", content) +def fix_comments(): + renamed_docs_comments = frappe.db.sql("""select name, comment, comment_doctype, comment_docname + from `tabComment` where comment like 'Renamed from **%** to %' + order by comment_doctype, comment_docname""", as_dict=True) + + # { "comment_doctype": [("old_comment_docname", "new_comment_docname", ['comment1', 'comment2', ...])] } + comments_to_rename = {} + + for comment in renamed_docs_comments: + old_comment_docname, new_comment_docname = re.findall("""Renamed from \*\*([^\*]*)\*\* to (.*)""", comment.comment)[0] + if not frappe.db.exists(comment.comment_doctype, old_comment_docname): + orphaned_comments = frappe.db.sql_list("""select comment from `tabComment` + where comment_doctype=%s and comment_docname=%s""", (comment.comment_doctype, old_comment_docname)) + if orphaned_comments: + to_rename = (old_comment_docname, new_comment_docname, orphaned_comments) + comments_to_rename.setdefault(comment.comment_doctype, []).append(to_rename) + + for doctype in comments_to_rename: + if not comments_to_rename[doctype]: + continue + + print + print "Fix comments for", doctype, ":" + for (old_comment_docname, new_comment_docname, comments) in comments_to_rename[doctype]: + print + print old_comment_docname, "-->", new_comment_docname + print "\n".join(comments) + + print + confirm = raw_input("do it? (yes / anything else): ") + if confirm=="yes": + for (old_comment_docname, new_comment_docname, comments) in comments_to_rename[doctype]: + fix_comment(doctype, old_comment_docname, new_comment_docname) + print "Fixed" + + frappe.db.commit() + +def fix_comment(comment_doctype, old_comment_docname, new_comment_docname): + frappe.db.sql("""update `tabComment` set comment_docname=%s + where comment_doctype=%s and comment_docname=%s""", + (new_comment_docname, comment_doctype, old_comment_docname)) + From 669e789bc31fc0d31f7332538611dc4fb154543a Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Mon, 30 Jun 2014 17:15:52 +0530 Subject: [PATCH 285/630] Minor fix in authorization rule --- erpnext/setup/doctype/authorization_rule/authorization_rule.py | 3 --- 1 file changed, 3 deletions(-) diff --git a/erpnext/setup/doctype/authorization_rule/authorization_rule.py b/erpnext/setup/doctype/authorization_rule/authorization_rule.py index 58fb231a57..a5a75cfc8f 100644 --- a/erpnext/setup/doctype/authorization_rule/authorization_rule.py +++ b/erpnext/setup/doctype/authorization_rule/authorization_rule.py @@ -10,8 +10,6 @@ from frappe import _, msgprint from frappe.model.document import Document class AuthorizationRule(Document): - - def check_duplicate_entry(self): exists = frappe.db.sql("""select name, docstatus from `tabAuthorization Rule` where transaction = %s and based_on = %s and system_user = %s @@ -49,5 +47,4 @@ class AuthorizationRule(Document): def validate(self): self.check_duplicate_entry() self.validate_rule() - self.validate_master_name() if not self.value: self.value = 0.0 From da8adea0a9b206931cac6a7a96eb89534eb7517d Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Mon, 30 Jun 2014 17:28:52 +0530 Subject: [PATCH 286/630] Fixed customer test --- erpnext/selling/doctype/customer/test_customer.py | 6 +++++- 1 file changed, 5 insertions(+), 1 deletion(-) diff --git a/erpnext/selling/doctype/customer/test_customer.py b/erpnext/selling/doctype/customer/test_customer.py index a1db1cea41..50ec56515c 100644 --- a/erpnext/selling/doctype/customer/test_customer.py +++ b/erpnext/selling/doctype/customer/test_customer.py @@ -41,6 +41,10 @@ class TestCustomer(unittest.TestCase): self.assertEquals(value, details.get(key)) def test_rename(self): + for name in ("_Test Customer 1", "_Test Customer 1 Renamed"): + frappe.db.sql("""delete from `tabComment` where comment_doctype=%s and comment_docname=%s""", + ("Customer", name)) + comment = frappe.new_doc("Comment") comment.update({ "comment": "Test Comment for Rename", @@ -56,7 +60,7 @@ class TestCustomer(unittest.TestCase): # test that comment gets renamed self.assertEquals(frappe.db.get_value("Comment", - {"comment_doctype": "Customer", "comment_docname": "Test Customer 1 Renamed"}), comment.name) + {"comment_doctype": "Customer", "comment_docname": "_Test Customer 1 Renamed"}), comment.name) frappe.rename_doc("Customer", "_Test Customer 1 Renamed", "_Test Customer 1") From e9f43251abb5d0dd194d3b3e5f46204792af9d0b Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Tue, 1 Jul 2014 15:19:15 +0530 Subject: [PATCH 287/630] Update journal_voucher.py --- erpnext/accounts/doctype/journal_voucher/journal_voucher.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/accounts/doctype/journal_voucher/journal_voucher.py b/erpnext/accounts/doctype/journal_voucher/journal_voucher.py index fc1916b5bc..a8854abf5e 100644 --- a/erpnext/accounts/doctype/journal_voucher/journal_voucher.py +++ b/erpnext/accounts/doctype/journal_voucher/journal_voucher.py @@ -147,7 +147,7 @@ class JournalVoucher(AccountsController): for d in self.get('entries'): if d.against_invoice and d.credit: currency = frappe.db.get_value("Sales Invoice", d.against_invoice, "currency") - r.append(_("{0} {1} against Invoice {1}").format(currency, fmt_money(flt(d.credit)), d.against_invoice)) + r.append(_("{0} {1} against Invoice {2}").format(currency, fmt_money(flt(d.credit)), d.against_invoice)) if d.against_voucher and d.debit: bill_no = frappe.db.sql("""select bill_no, bill_date, currency From c33ae0c7dfde5af13f858ca14c72ac352218481f Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Tue, 1 Jul 2014 13:25:03 +0530 Subject: [PATCH 288/630] Minor fix: commonified message. --- erpnext/buying/doctype/purchase_order/purchase_order.py | 2 +- erpnext/selling/doctype/sales_order/sales_order.py | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/erpnext/buying/doctype/purchase_order/purchase_order.py b/erpnext/buying/doctype/purchase_order/purchase_order.py index 3a081249f3..ef3cd0672b 100644 --- a/erpnext/buying/doctype/purchase_order/purchase_order.py +++ b/erpnext/buying/doctype/purchase_order/purchase_order.py @@ -137,7 +137,7 @@ class PurchaseOrder(BuyingController): date_diff = frappe.db.sql("select TIMEDIFF('%s', '%s')" % ( mod_db[0][0],cstr(self.modified))) if date_diff and date_diff[0][0]: - msgprint(_("{0} {1} has been modified. Please refresh").format(self.doctype, self.name), + msgprint(_("{0} {1} has been modified. Please refresh.").format(self.doctype, self.name), raise_exception=True) def update_status(self, status): diff --git a/erpnext/selling/doctype/sales_order/sales_order.py b/erpnext/selling/doctype/sales_order/sales_order.py index c14612ba34..e0a7a1d62d 100644 --- a/erpnext/selling/doctype/sales_order/sales_order.py +++ b/erpnext/selling/doctype/sales_order/sales_order.py @@ -209,7 +209,7 @@ class SalesOrder(SellingController): date_diff = frappe.db.sql("select TIMEDIFF('%s', '%s')" % ( mod_db, cstr(self.modified))) if date_diff and date_diff[0][0]: - frappe.throw(_("{0} {1} has been modified. Please Refresh").format(self.doctype, self.name)) + frappe.throw(_("{0} {1} has been modified. Please refresh.").format(self.doctype, self.name)) def stop_sales_order(self): self.check_modified_date() From bc71f737b859b6e87dfc4c01a2a14bb45259078c Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Tue, 1 Jul 2014 18:12:26 +0530 Subject: [PATCH 289/630] Fix JV Remarks --- .../journal_voucher/journal_voucher.py | 4 ++-- erpnext/patches.txt | 1 + erpnext/patches/v4_1/fix_jv_remarks.py | 21 +++++++++++++++++++ erpnext/translations/ar.csv | 2 +- erpnext/translations/de.csv | 2 +- erpnext/translations/el.csv | 2 +- erpnext/translations/es.csv | 2 +- erpnext/translations/fr.csv | 2 +- erpnext/translations/hi.csv | 2 +- erpnext/translations/hr.csv | 2 +- erpnext/translations/it.csv | 2 +- erpnext/translations/kn.csv | 2 +- erpnext/translations/ko.csv | 2 +- erpnext/translations/nl.csv | 2 +- erpnext/translations/pt-BR.csv | 2 +- erpnext/translations/pt.csv | 2 +- erpnext/translations/ro.csv | 2 +- erpnext/translations/sr.csv | 2 +- erpnext/translations/ta.csv | 2 +- erpnext/translations/th.csv | 2 +- erpnext/translations/zh-cn.csv | 2 +- erpnext/translations/zh-tw.csv | 2 +- 22 files changed, 43 insertions(+), 21 deletions(-) create mode 100644 erpnext/patches/v4_1/fix_jv_remarks.py diff --git a/erpnext/accounts/doctype/journal_voucher/journal_voucher.py b/erpnext/accounts/doctype/journal_voucher/journal_voucher.py index a8854abf5e..cb2ebace26 100644 --- a/erpnext/accounts/doctype/journal_voucher/journal_voucher.py +++ b/erpnext/accounts/doctype/journal_voucher/journal_voucher.py @@ -142,7 +142,7 @@ class JournalVoucher(AccountsController): if self.cheque_date: r.append(_('Reference #{0} dated {1}').format(self.cheque_no, formatdate(self.cheque_date))) else: - msgprint(_("Please enter Reference date"), raise_exception=1) + msgprint(_("Please enter Reference date"), raise_exception=frappe.MandatoryError) for d in self.get('entries'): if d.against_invoice and d.credit: @@ -164,7 +164,7 @@ class JournalVoucher(AccountsController): if r: self.remark = ("\n").join(r) else: - frappe.msgprint(_("User Remarks is mandatory"), raise_exception=1) + frappe.msgprint(_("User Remarks is mandatory"), raise_exception=frappe.MandatoryError) def set_aging_date(self): if self.is_opening != 'Yes': diff --git a/erpnext/patches.txt b/erpnext/patches.txt index a326eca2e1..e9ba56b38f 100644 --- a/erpnext/patches.txt +++ b/erpnext/patches.txt @@ -65,3 +65,4 @@ erpnext.patches.v4_0.update_users_report_view_settings erpnext.patches.v4_0.set_pricing_rule_for_buying_or_selling erpnext.patches.v4_0.set_naming_series_property_setter erpnext.patches.v4_1.set_outgoing_email_footer +erpnext.patches.v4_1.fix_jv_remarks diff --git a/erpnext/patches/v4_1/fix_jv_remarks.py b/erpnext/patches/v4_1/fix_jv_remarks.py new file mode 100644 index 0000000000..3b2f342231 --- /dev/null +++ b/erpnext/patches/v4_1/fix_jv_remarks.py @@ -0,0 +1,21 @@ +# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors +# License: GNU General Public License v3. See license.txt + +from __future__ import unicode_literals +import frappe + +def execute(): + reference_date = guess_reference_date() + for name in frappe.db.sql_list("""select name from `tabJournal Voucher` + where date(creation)>=%s""", reference_date): + jv = frappe.get_doc("Journal Voucher", name) + try: + jv.create_remarks() + except frappe.MandatoryError: + pass + else: + frappe.db.set_value("Journal Voucher", jv.name, "remark", jv.remark) + +def guess_reference_date(): + return (frappe.db.get_value("Patch Log", {"patch": "erpnext.patches.v4_0.validate_v3_patch"}, "creation") + or "2014-05-06") diff --git a/erpnext/translations/ar.csv b/erpnext/translations/ar.csv index b90e7c283b..0695f9ea63 100644 --- a/erpnext/translations/ar.csv +++ b/erpnext/translations/ar.csv @@ -3212,7 +3212,7 @@ website page link,الموقع رابط الصفحة {0} must have role 'Leave Approver',{0} يجب أن يكون دور ' اترك الموافق ' {0} valid serial nos for Item {1},{0} غ المسلسل صالحة لل تفاصيل {1} {0} {1} against Bill {2} dated {3},{0} {1} ضد بيل {2} بتاريخ {3} -{0} {1} against Invoice {1},{0} {1} ضد الفاتورة {1} +{0} {1} against Invoice {2},{0} {1} ضد الفاتورة {2} {0} {1} has already been submitted,{0} {1} وقد تم بالفعل قدمت {0} {1} has been modified. Please Refresh,{0} {1} تم تعديل . يرجى تحديث {0} {1} has been modified. Please refresh,{0} {1} تم تعديل . يرجى تحديث diff --git a/erpnext/translations/de.csv b/erpnext/translations/de.csv index 7083a1f756..040c068058 100644 --- a/erpnext/translations/de.csv +++ b/erpnext/translations/de.csv @@ -3212,7 +3212,7 @@ website page link,Website-Link {0} must have role 'Leave Approver',"{0} muss Rolle "" Genehmiger Leave ' haben" {0} valid serial nos for Item {1},{0} gültige Seriennummernfür Artikel {1} {0} {1} against Bill {2} dated {3},{0} {1} gegen Bill {2} {3} vom -{0} {1} against Invoice {1},{0} {1} gegen Rechnung {1} +{0} {1} against Invoice {2},{0} {1} gegen Rechnung {2} {0} {1} has already been submitted,{0} {1} wurde bereits eingereicht {0} {1} has been modified. Please Refresh,{0} {1} wurde geändert . Bitte aktualisieren {0} {1} has been modified. Please refresh,{0} {1} wurde geändert . Bitte aktualisieren diff --git a/erpnext/translations/el.csv b/erpnext/translations/el.csv index aff9b28664..8b5bf1340b 100644 --- a/erpnext/translations/el.csv +++ b/erpnext/translations/el.csv @@ -3212,7 +3212,7 @@ website page link,Ιστοσελίδα link της σελίδας {0} must have role 'Leave Approver',{0} πρέπει να έχει ρόλο « Αφήστε Έγκρισης » {0} valid serial nos for Item {1},{0} έγκυρο σειριακό nos για τη θέση {1} {0} {1} against Bill {2} dated {3},{0} {1} εναντίον Bill {2} { 3 με ημερομηνία } -{0} {1} against Invoice {1},{0} {1} κατά Τιμολόγιο {1} +{0} {1} against Invoice {2},{0} {1} κατά Τιμολόγιο {2} {0} {1} has already been submitted,{0} {1} έχει ήδη υποβληθεί {0} {1} has been modified. Please Refresh,{0} {1} έχει τροποποιηθεί . Παρακαλούμε Ανανέωση {0} {1} has been modified. Please refresh,{0} {1} έχει τροποποιηθεί . Παρακαλούμε ανανεώστε diff --git a/erpnext/translations/es.csv b/erpnext/translations/es.csv index 5a3b28f9e7..1832310f0d 100644 --- a/erpnext/translations/es.csv +++ b/erpnext/translations/es.csv @@ -3212,7 +3212,7 @@ website page link,el vínculo web {0} must have role 'Leave Approver',{0} debe tener rol ' Dejar aprobador ' {0} valid serial nos for Item {1},{0} nn serie válidos para el elemento {1} {0} {1} against Bill {2} dated {3},{0} {1} { 2 contra Bill } {3} de fecha -{0} {1} against Invoice {1},{0} {1} contra Factura {1} +{0} {1} against Invoice {2},{0} {1} contra Factura {2} {0} {1} has already been submitted,{0} {1} ya ha sido presentado {0} {1} has been modified. Please Refresh,{0} {1} ha sido modificado. recargar {0} {1} has been modified. Please refresh,"{0} {1} ha sido modificado. Por favor, actualice" diff --git a/erpnext/translations/fr.csv b/erpnext/translations/fr.csv index 12e7e4a44d..6650486223 100644 --- a/erpnext/translations/fr.csv +++ b/erpnext/translations/fr.csv @@ -3212,7 +3212,7 @@ website page link,Lien vers page web {0} must have role 'Leave Approver',Nouveau Stock UDM est nécessaire {0} valid serial nos for Item {1},BOM {0} pour objet {1} à la ligne {2} est inactif ou non soumis {0} {1} against Bill {2} dated {3},S'il vous plaît entrer le titre ! -{0} {1} against Invoice {1},investissements +{0} {1} against Invoice {2},investissements {0} {1} has already been submitted,"S'il vous plaît entrer » est sous-traitée "" comme Oui ou Non" {0} {1} has been modified. Please Refresh,Maître de taux de change . {0} {1} has been modified. Please refresh,{0} {1} a été modifié . S'il vous plaît rafraîchir diff --git a/erpnext/translations/hi.csv b/erpnext/translations/hi.csv index cbb275dfa6..f657f663ff 100644 --- a/erpnext/translations/hi.csv +++ b/erpnext/translations/hi.csv @@ -3212,7 +3212,7 @@ website page link,वेबसाइट के पेज लिंक {0} must have role 'Leave Approver',{0} भूमिका ' लीव अनुमोदक ' होना चाहिए {0} valid serial nos for Item {1},आइटम के लिए {0} वैध धारावाहिक नग {1} {0} {1} against Bill {2} dated {3},{0} {1} विधेयक के खिलाफ {2} दिनांक {3} -{0} {1} against Invoice {1},{0} {1} चालान के खिलाफ {1} +{0} {1} against Invoice {2},{0} {1} चालान के खिलाफ {2} {0} {1} has already been submitted,{0} {1} पहले से ही प्रस्तुत किया गया है {0} {1} has been modified. Please Refresh,{0} {1} संशोधित किया गया है . ताज़ा करें {0} {1} has been modified. Please refresh,{0} {1} संशोधित किया गया है . ताज़ा करें diff --git a/erpnext/translations/hr.csv b/erpnext/translations/hr.csv index d5971606b6..7467bb5d63 100644 --- a/erpnext/translations/hr.csv +++ b/erpnext/translations/hr.csv @@ -3212,7 +3212,7 @@ website page link,web stranica vode {0} must have role 'Leave Approver',{0} mora imati ulogu ' Leave odobravatelju ' {0} valid serial nos for Item {1},{0} valjani serijski nos za Stavka {1} {0} {1} against Bill {2} dated {3},{0} {1} od {2} Billa od {3} -{0} {1} against Invoice {1},{0} {1} protiv fakture {1} +{0} {1} against Invoice {2},{0} {1} protiv fakture {2} {0} {1} has already been submitted,{0} {1} je već poslan {0} {1} has been modified. Please Refresh,{0} {1} je izmijenjen . Osvježite {0} {1} has been modified. Please refresh,{0} {1} je izmijenjen . osvježite diff --git a/erpnext/translations/it.csv b/erpnext/translations/it.csv index 49aadc8745..92d2cfc8c1 100644 --- a/erpnext/translations/it.csv +++ b/erpnext/translations/it.csv @@ -3212,7 +3212,7 @@ website page link,sito web link alla pagina {0} must have role 'Leave Approver',{0} deve avere ruolo di ' Lascia Approvatore ' {0} valid serial nos for Item {1},{0} nos seriali validi per Voce {1} {0} {1} against Bill {2} dated {3},{0} {1} contro Bill {2} del {3} -{0} {1} against Invoice {1},{0} {1} contro fattura {1} +{0} {1} against Invoice {2},{0} {1} contro fattura {2} {0} {1} has already been submitted,{0} {1} è già stata presentata {0} {1} has been modified. Please Refresh,{0} {1} è stato modificato . Si prega Aggiorna {0} {1} has been modified. Please refresh,{0} {1} è stato modificato . Si prega di aggiornare diff --git a/erpnext/translations/kn.csv b/erpnext/translations/kn.csv index 4403bc6278..4bfeb613b2 100644 --- a/erpnext/translations/kn.csv +++ b/erpnext/translations/kn.csv @@ -3212,7 +3212,7 @@ website page link,ವೆಬ್ಸೈಟ್ ಪುಟ ಲಿಂಕ್ {0} must have role 'Leave Approver',{0} ಪಾತ್ರದಲ್ಲಿ 'ಲೀವ್ ಅನುಮೋದಕ ' ಹೊಂದಿರಬೇಕು {0} valid serial nos for Item {1},ಐಟಂ {0} ಮಾನ್ಯ ಸರಣಿ ಸೂಲ {1} {0} {1} against Bill {2} dated {3},{0} {1} ಮಸೂದೆ ವಿರುದ್ಧ {2} {3} ದಿನಾಂಕ -{0} {1} against Invoice {1},{0} {1} {1} ಸರಕುಪಟ್ಟಿ ವಿರುದ್ಧ +{0} {1} against Invoice {2},{0} {1} {2} ಸರಕುಪಟ್ಟಿ ವಿರುದ್ಧ {0} {1} has already been submitted,{0} {1} ಈಗಾಗಲೇ ಸಲ್ಲಿಸಲಾಗಿದೆ {0} {1} has been modified. Please Refresh,{0} {1} ಮಾರ್ಪಡಿಸಲಾಗಿದೆ. ರಿಫ್ರೆಶ್ ಮಾಡಿ {0} {1} has been modified. Please refresh,{0} {1} ಮಾರ್ಪಡಿಸಲಾಗಿದೆ. ರಿಫ್ರೆಶ್ ಮಾಡಿ diff --git a/erpnext/translations/ko.csv b/erpnext/translations/ko.csv index 7beab13405..ea7ca81eec 100644 --- a/erpnext/translations/ko.csv +++ b/erpnext/translations/ko.csv @@ -3212,7 +3212,7 @@ website page link,pagina site-ului link-ul {0} must have role 'Leave Approver',"{0} trebuie să aibă rol de ""Leave aprobator""" {0} valid serial nos for Item {1},{0} nos serie valabile pentru postul {1} {0} {1} against Bill {2} dated {3},{0} {1} împotriva Bill {2} din {3} -{0} {1} against Invoice {1},{0} {1} împotriva Factura {1} +{0} {1} against Invoice {2},{0} {1} împotriva Factura {2} {0} {1} has already been submitted,{0} {1} a fost deja prezentat {0} {1} has been modified. Please Refresh,{0} {1} a fost modificat. Va rugam sa Refresh {0} {1} has been modified. Please refresh,{0} {1} a fost modificat. Vă rugăm să reîmprospătați diff --git a/erpnext/translations/nl.csv b/erpnext/translations/nl.csv index 5fd835773c..648b675ab5 100644 --- a/erpnext/translations/nl.csv +++ b/erpnext/translations/nl.csv @@ -3212,7 +3212,7 @@ website page link,website Paginalink {0} must have role 'Leave Approver',{0} moet rol ' Leave Approver ' hebben {0} valid serial nos for Item {1},{0} geldig serienummer nos voor post {1} {0} {1} against Bill {2} dated {3},{0} {1} tegen Bill {2} gedateerd {3} -{0} {1} against Invoice {1},{0} {1} tegen Factuur {1} +{0} {1} against Invoice {2},{0} {1} tegen Factuur {2} {0} {1} has already been submitted,{0} {1} al is ingediend {0} {1} has been modified. Please Refresh,{0} {1} is gewijzigd . Vernieuw {0} {1} has been modified. Please refresh,{0} {1} is gewijzigd . Vernieuw diff --git a/erpnext/translations/pt-BR.csv b/erpnext/translations/pt-BR.csv index 54d854015c..42195b37d6 100644 --- a/erpnext/translations/pt-BR.csv +++ b/erpnext/translations/pt-BR.csv @@ -3212,7 +3212,7 @@ website page link,link da página do site {0} must have role 'Leave Approver',{0} deve ter papel ' Leave aprovador ' {0} valid serial nos for Item {1},{0} N º s de série válido para o item {1} {0} {1} against Bill {2} dated {3},{0} {1} contra Bill {2} {3} datado -{0} {1} against Invoice {1},{0} {1} contra Invoice {1} +{0} {1} against Invoice {2},{0} {1} contra Invoice {2} {0} {1} has already been submitted,{0} {1} já foi apresentado {0} {1} has been modified. Please Refresh,{0} {1} foi modificado . Refresca {0} {1} has been modified. Please refresh,{0} {1} foi modificado . Refresca diff --git a/erpnext/translations/pt.csv b/erpnext/translations/pt.csv index a86c65a89a..fcd2637ddb 100644 --- a/erpnext/translations/pt.csv +++ b/erpnext/translations/pt.csv @@ -3212,7 +3212,7 @@ website page link,link da página site {0} must have role 'Leave Approver',{0} deve ter papel ' Leave aprovador ' {0} valid serial nos for Item {1},{0} N º s de série válido para o item {1} {0} {1} against Bill {2} dated {3},{0} {1} contra Bill {2} {3} datado -{0} {1} against Invoice {1},{0} {1} contra Invoice {1} +{0} {1} against Invoice {2},{0} {1} contra Invoice {2} {0} {1} has already been submitted,{0} {1} já foi apresentado {0} {1} has been modified. Please Refresh,{0} {1} foi modificado . Refresca {0} {1} has been modified. Please refresh,{0} {1} foi modificado . Refresca diff --git a/erpnext/translations/ro.csv b/erpnext/translations/ro.csv index 7beab13405..ea7ca81eec 100644 --- a/erpnext/translations/ro.csv +++ b/erpnext/translations/ro.csv @@ -3212,7 +3212,7 @@ website page link,pagina site-ului link-ul {0} must have role 'Leave Approver',"{0} trebuie să aibă rol de ""Leave aprobator""" {0} valid serial nos for Item {1},{0} nos serie valabile pentru postul {1} {0} {1} against Bill {2} dated {3},{0} {1} împotriva Bill {2} din {3} -{0} {1} against Invoice {1},{0} {1} împotriva Factura {1} +{0} {1} against Invoice {2},{0} {1} împotriva Factura {2} {0} {1} has already been submitted,{0} {1} a fost deja prezentat {0} {1} has been modified. Please Refresh,{0} {1} a fost modificat. Va rugam sa Refresh {0} {1} has been modified. Please refresh,{0} {1} a fost modificat. Vă rugăm să reîmprospătați diff --git a/erpnext/translations/sr.csv b/erpnext/translations/sr.csv index d2d7e25138..9752b3d6cc 100644 --- a/erpnext/translations/sr.csv +++ b/erpnext/translations/sr.csv @@ -3212,7 +3212,7 @@ website page link,веб страница веза {0} must have role 'Leave Approver',"{0} должен иметь роль "" Оставить утверждающего '" {0} valid serial nos for Item {1},{0} действительные серийные NOS для Пункт {1} {0} {1} against Bill {2} dated {3},{0} {1} против Билла {2} от {3} -{0} {1} against Invoice {1},{0} {1} против Invoice {1} +{0} {1} against Invoice {2},{0} {1} против Invoice {2} {0} {1} has already been submitted,{0} {1} уже представлен {0} {1} has been modified. Please Refresh,{0} {1} был изменен. Пожалуйста Обновить {0} {1} has been modified. Please refresh,"{0} {1} был изменен. Пожалуйста, обновите" diff --git a/erpnext/translations/ta.csv b/erpnext/translations/ta.csv index 7e7a7d8917..fe93cc3bbf 100644 --- a/erpnext/translations/ta.csv +++ b/erpnext/translations/ta.csv @@ -3212,7 +3212,7 @@ website page link,இணைய பக்கம் இணைப்பு {0} must have role 'Leave Approver',{0} பங்கு 'விடுப்பு அப்ரூவரான ' வேண்டும் {0} valid serial nos for Item {1},உருப்படி {0} செல்லுபடியாகும் தொடர் இலக்கங்கள் {1} {0} {1} against Bill {2} dated {3},{0} {1} பில் எதிராக {2} தேதியிட்ட {3} -{0} {1} against Invoice {1},{0} {1} விலைப்பட்டியல் எதிரான {1} +{0} {1} against Invoice {2},{0} {1} விலைப்பட்டியல் எதிரான {2} {0} {1} has already been submitted,{0} {1} ஏற்கனவே சமர்ப்பித்த {0} {1} has been modified. Please Refresh,{0} {1} மாற்றப்பட்டுள்ளது . புதுப்பிக்கவும் {0} {1} has been modified. Please refresh,{0} {1} மாற்றப்பட்டுள்ளது . புதுப்பிக்கவும் diff --git a/erpnext/translations/th.csv b/erpnext/translations/th.csv index 6c787821a2..fb628bc6cb 100644 --- a/erpnext/translations/th.csv +++ b/erpnext/translations/th.csv @@ -3212,7 +3212,7 @@ website page link,การเชื่อมโยงหน้าเว็บ {0} must have role 'Leave Approver',{0} ต้องมี บทบาท ' ออก อนุมัติ ' {0} valid serial nos for Item {1},{0} กัดกร่อน แบบอนุกรม ที่ถูกต้องสำหรับ รายการ {1} {0} {1} against Bill {2} dated {3},{0} {1} กับ บิล {2} ลงวันที่ {3} -{0} {1} against Invoice {1},{0} {1} กับ ใบแจ้งหนี้ {1} +{0} {1} against Invoice {2},{0} {1} กับ ใบแจ้งหนี้ {2} {0} {1} has already been submitted,{0} {1} ถูกส่งมา อยู่แล้ว {0} {1} has been modified. Please Refresh,{0} {1} ได้รับการแก้ไข กรุณา รีเฟรช {0} {1} has been modified. Please refresh,{0} {1} ได้รับการแก้ไข กรุณารีเฟรช diff --git a/erpnext/translations/zh-cn.csv b/erpnext/translations/zh-cn.csv index 40c4d4a1c0..e7b81993f7 100644 --- a/erpnext/translations/zh-cn.csv +++ b/erpnext/translations/zh-cn.csv @@ -3212,7 +3212,7 @@ website page link,网站页面的链接 {0} must have role 'Leave Approver',{0}必须有角色“请假审批” {0} valid serial nos for Item {1},{0}有效的序列号的项目{1} {0} {1} against Bill {2} dated {3},{0} {1}反对比尔{2}于{3} -{0} {1} against Invoice {1},{0} {1}对发票{1} +{0} {1} against Invoice {2},{0} {1}对发票{2} {0} {1} has already been submitted,{0} {1}已经提交 {0} {1} has been modified. Please Refresh,{0} {1}已被修改。请刷新 {0} {1} has been modified. Please refresh,{0} {1}已被修改。请刷新 diff --git a/erpnext/translations/zh-tw.csv b/erpnext/translations/zh-tw.csv index a1b5103a57..2d58a15756 100644 --- a/erpnext/translations/zh-tw.csv +++ b/erpnext/translations/zh-tw.csv @@ -3212,7 +3212,7 @@ website page link,網站頁面的鏈接 {0} must have role 'Leave Approver',{0}必須有角色“請假審批” {0} valid serial nos for Item {1},{0}有效的序列號的項目{1} {0} {1} against Bill {2} dated {3},{0} {1}反對比爾{2}於{3} -{0} {1} against Invoice {1},{0} {1}對發票{1} +{0} {1} against Invoice {2},{0} {1}對發票{2} {0} {1} has already been submitted,{0} {1}已經提交 {0} {1} has been modified. Please Refresh,{0} {1}已被修改。請刷新 {0} {1} has been modified. Please refresh,{0} {1}已被修改。請刷新 From ddd2648c1ec781698bf54527c2f8201438b9e4bf Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Mon, 30 Jun 2014 18:08:07 +0530 Subject: [PATCH 290/630] fix travis, build website before tests --- .travis.yml | 1 + 1 file changed, 1 insertion(+) diff --git a/.travis.yml b/.travis.yml index dba0dab6ec..7e5f21d48a 100644 --- a/.travis.yml +++ b/.travis.yml @@ -27,5 +27,6 @@ script: - frappe --reinstall - frappe --install_app erpnext --verbose - frappe -b + - frappe --build_website - frappe --serve_test & - frappe --verbose --run_tests --app erpnext From c53efc0d6c9d154feb4efd039e3017efce67b0d5 Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Tue, 1 Jul 2014 17:51:34 +0530 Subject: [PATCH 291/630] fix status_updater - update delivery status in Sales Order from Sales Invoice --- erpnext/controllers/status_updater.py | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/erpnext/controllers/status_updater.py b/erpnext/controllers/status_updater.py index 9322ca6aa6..90eacd9820 100644 --- a/erpnext/controllers/status_updater.py +++ b/erpnext/controllers/status_updater.py @@ -183,10 +183,10 @@ class StatusUpdater(Document): args['second_source_condition'] = "" if args.get('second_source_dt') and args.get('second_source_field') \ and args.get('second_join_field'): - args['second_source_condition'] = """ + (select sum(%(second_source_field)s) + args['second_source_condition'] = """ + ifnull((select sum(%(second_source_field)s) from `tab%(second_source_dt)s` where `%(second_join_field)s`="%(detail_id)s" - and (docstatus=1))""" % args + and (docstatus=1)), 0)""" % args if args['detail_id']: frappe.db.sql("""update `tab%(target_dt)s` From 5f42276dbdf1b348727d4d45844e77cc2813b220 Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Tue, 1 Jul 2014 18:08:37 +0530 Subject: [PATCH 292/630] added patch for fixing sales order delivered qty --- erpnext/patches.txt | 1 + .../v4_1/fix_sales_order_delivered_status.py | 15 +++++++++++++++ 2 files changed, 16 insertions(+) create mode 100644 erpnext/patches/v4_1/fix_sales_order_delivered_status.py diff --git a/erpnext/patches.txt b/erpnext/patches.txt index e9ba56b38f..53ab7b5e93 100644 --- a/erpnext/patches.txt +++ b/erpnext/patches.txt @@ -66,3 +66,4 @@ erpnext.patches.v4_0.set_pricing_rule_for_buying_or_selling erpnext.patches.v4_0.set_naming_series_property_setter erpnext.patches.v4_1.set_outgoing_email_footer erpnext.patches.v4_1.fix_jv_remarks +erpnext.patches.v4_1.fix_sales_order_delivered_status diff --git a/erpnext/patches/v4_1/fix_sales_order_delivered_status.py b/erpnext/patches/v4_1/fix_sales_order_delivered_status.py new file mode 100644 index 0000000000..f66d85657d --- /dev/null +++ b/erpnext/patches/v4_1/fix_sales_order_delivered_status.py @@ -0,0 +1,15 @@ +# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors +# License: GNU General Public License v3. See license.txt + +from __future__ import unicode_literals +import frappe + +def execute(): + for si in frappe.db.sql_list("""select name + from `tabSales Invoice` + where ifnull(update_stock,0) = 1 and docstatus = 1 and exists( + select name from `tabSales Invoice Item` where parent=`tabSales Invoice`.name and + ifnull(so_detail, "") != "")"""): + + invoice = frappe.get_doc("Sales Invoice", si) + invoice.update_qty() From e8533d15b3439fe28b04264032e25d190e3b6ad0 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Tue, 1 Jul 2014 19:46:22 +0530 Subject: [PATCH 293/630] Hotfix: Get Balance query --- erpnext/accounts/utils.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/accounts/utils.py b/erpnext/accounts/utils.py index 160514bfe5..60a755b440 100644 --- a/erpnext/accounts/utils.py +++ b/erpnext/accounts/utils.py @@ -82,7 +82,7 @@ def get_balance_on(account=None, date=None): and ac.lft >= %s and ac.rgt <= %s )""" % (acc.lft, acc.rgt)) else: - cond.append("""gle.account = "%s" """ % (account.replace('"', '\"'), )) + cond.append("""gle.account = "%s" """ % (account.replace('"', '\\"'), )) bal = frappe.db.sql(""" SELECT sum(ifnull(debit, 0)) - sum(ifnull(credit, 0)) From adfada707d2e24a37d270754215a65198755558f Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Wed, 2 Jul 2014 17:10:46 +0530 Subject: [PATCH 294/630] Automatic Outstanding Writeoff --- erpnext/accounts/doctype/sales_invoice/sales_invoice.js | 5 +++-- 1 file changed, 3 insertions(+), 2 deletions(-) diff --git a/erpnext/accounts/doctype/sales_invoice/sales_invoice.js b/erpnext/accounts/doctype/sales_invoice/sales_invoice.js index bfb500c665..70fc272736 100644 --- a/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +++ b/erpnext/accounts/doctype/sales_invoice/sales_invoice.js @@ -183,8 +183,9 @@ erpnext.accounts.SalesInvoiceController = erpnext.selling.SellingController.exte frappe.model.round_floats_in(this.frm.doc, ["grand_total", "paid_amount"]); // this will make outstanding amount 0 this.frm.set_value("write_off_amount", - flt(this.frm.doc.grand_total - this.frm.doc.paid_amount), - precision("write_off_amount")); + flt(this.frm.doc.grand_total - this.frm.doc.paid_amount, + precision("write_off_amount")) + ); } this.calculate_outstanding_amount(false); From 6084a3e63a635c95ae60261a1c1d663e3370eee7 Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Wed, 2 Jul 2014 17:13:08 +0530 Subject: [PATCH 295/630] formatting fix in support ticket autoreply --- .../support_ticket/get_support_mails.py | 30 ++++++++++--------- 1 file changed, 16 insertions(+), 14 deletions(-) diff --git a/erpnext/support/doctype/support_ticket/get_support_mails.py b/erpnext/support/doctype/support_ticket/get_support_mails.py index 92e90312b9..21f7c901d2 100644 --- a/erpnext/support/doctype/support_ticket/get_support_mails.py +++ b/erpnext/support/doctype/support_ticket/get_support_mails.py @@ -4,11 +4,11 @@ from __future__ import unicode_literals import frappe from frappe.utils import cstr, cint, decode_dict, today -from frappe.utils.email_lib import sendmail +from frappe.utils.email_lib import sendmail from frappe.utils.email_lib.receive import POP3Mailbox from frappe.core.doctype.communication.communication import _make -class SupportMailbox(POP3Mailbox): +class SupportMailbox(POP3Mailbox): def setup(self, args=None): self.email_settings = frappe.get_doc("Support Email Settings", "Support Email Settings") self.settings = args or frappe._dict({ @@ -17,7 +17,7 @@ class SupportMailbox(POP3Mailbox): "username": self.email_settings.mail_login, "password": self.email_settings.mail_password }) - + def process_message(self, mail): if mail.from_email == self.email_settings.get('support_email'): return @@ -26,10 +26,10 @@ class SupportMailbox(POP3Mailbox): if not (thread_id and frappe.db.exists("Support Ticket", thread_id)): new_ticket = True - + ticket = add_support_communication(mail.subject, mail.content, mail.from_email, docname=None if new_ticket else thread_id, mail=mail) - + if new_ticket and cint(self.email_settings.send_autoreply) and \ "mailer-daemon" not in mail.from_email.lower(): self.send_auto_reply(ticket) @@ -39,23 +39,25 @@ class SupportMailbox(POP3Mailbox): response = self.email_settings.get('support_autoreply') or (""" A new Ticket has been raised for your query. If you have any additional information, please reply back to this mail. - -We will get back to you as soon as possible ----------------------- + +### We will get back to you as soon as possible + +--- + Original Query: -""" + d.description + "\n----------------------\n" + cstr(signature)) +""" + d.description + "\n\n---\n\n" + cstr(signature)) sendmail(\ recipients = [cstr(d.raised_by)], \ sender = cstr(self.email_settings.get('support_email')), \ subject = '['+cstr(d.name)+'] ' + cstr(d.subject), \ msg = cstr(response)) - + def get_support_mails(): if cint(frappe.db.get_value('Support Email Settings', None, 'sync_support_mails')): SupportMailbox() - + def add_support_communication(subject, content, sender, docname=None, mail=None): if docname: ticket = frappe.get_doc("Support Ticket", docname) @@ -74,12 +76,12 @@ def add_support_communication(subject, content, sender, docname=None, mail=None) ticket.ignore_permissions = True ticket.ignore_mandatory = True ticket.insert() - + _make(content=content, sender=sender, subject = subject, doctype="Support Ticket", name=ticket.name, date=mail.date if mail else today(), sent_or_received="Received") if mail: mail.save_attachments_in_doc(ticket) - - return ticket \ No newline at end of file + + return ticket From df7f1c17acd0ad50b8b82fd72145b86e1fd8fc08 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Wed, 2 Jul 2014 17:35:00 +0530 Subject: [PATCH 296/630] Fixed Employee Birthday Report --- .../employee_birthday/employee_birthday.py | 26 +++++++++---------- 1 file changed, 13 insertions(+), 13 deletions(-) diff --git a/erpnext/hr/report/employee_birthday/employee_birthday.py b/erpnext/hr/report/employee_birthday/employee_birthday.py index 51a5051e01..9bf61066c5 100644 --- a/erpnext/hr/report/employee_birthday/employee_birthday.py +++ b/erpnext/hr/report/employee_birthday/employee_birthday.py @@ -7,32 +7,32 @@ from frappe.utils import flt def execute(filters=None): if not filters: filters = {} - + columns = get_columns() data = get_employees(filters) - + return columns, data - + def get_columns(): return [ - "Employee:Link/Employee:120", "Date of Birth:Date:100", "Branch:Link/Branch:120", - "Department:Link/Department:120", "Designation:Link/Designation:120", "Gender::60", + "Employee:Link/Employee:120", "Date of Birth:Date:100", "Branch:Link/Branch:120", + "Department:Link/Department:120", "Designation:Link/Designation:120", "Gender::60", "Company:Link/Company:120" ] - + def get_employees(filters): conditions = get_conditions(filters) - return frappe.db.sql("""select name, date_of_birth, branch, department, designation, + return frappe.db.sql("""select name, date_of_birth, branch, department, designation, gender, company from tabEmployee where status = 'Active' %s""" % conditions, as_list=1) - + def get_conditions(filters): conditions = "" if filters.get("month"): - month = ["Jan", "Feb", "Mar", "Apr", "May", "Jun", "Jul", "Aug", "Sep", "Oct", "Nov", + month = ["Jan", "Feb", "Mar", "Apr", "May", "Jun", "Jul", "Aug", "Sep", "Oct", "Nov", "Dec"].index(filters["month"]) + 1 conditions += " and month(date_of_birth) = '%s'" % month - + if filters.get("company"): conditions += " and company = '%s'" % \ - filters["company"].repalce("'", "\'") - - return conditions \ No newline at end of file + filters["company"].replace("'", "\\'") + + return conditions From 501b2cc6174593ca400b0e0e9e95b9a6d7598b8d Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Wed, 2 Jul 2014 18:01:30 +0530 Subject: [PATCH 297/630] duplicate name fix for customer --- erpnext/selling/doctype/customer/customer.py | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/erpnext/selling/doctype/customer/customer.py b/erpnext/selling/doctype/customer/customer.py index 0d430e39c3..c065b54dbb 100644 --- a/erpnext/selling/doctype/customer/customer.py +++ b/erpnext/selling/doctype/customer/customer.py @@ -56,6 +56,7 @@ class Customer(TransactionBase): (self.name, self.customer_name, self.lead_name)) lead = frappe.db.get_value("Lead", self.lead_name, ["lead_name", "email_id", "phone", "mobile_no"], as_dict=True) + c = frappe.new_doc('Contact') c.first_name = lead.lead_name c.email_id = lead.email_id @@ -65,10 +66,9 @@ class Customer(TransactionBase): c.customer_name = self.customer_name c.is_primary_contact = 1 c.ignore_permissions = getattr(self, "ignore_permissions", None) - try: - c.save() - except frappe.NameError: - pass + c.autoname() + if not frappe.db.exists("Contact", c.name): + c.insert() def on_update(self): self.validate_name_with_customer_group() From e673a664ac689d8780eca6de552ad554272e9347 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Wed, 2 Jul 2014 18:12:02 +0530 Subject: [PATCH 298/630] Fixes to end_of_life conditions --- .../doctype/production_order/production_order.py | 2 +- erpnext/stock/doctype/item/item.py | 2 +- erpnext/stock/utils.py | 4 +++- 3 files changed, 5 insertions(+), 3 deletions(-) diff --git a/erpnext/manufacturing/doctype/production_order/production_order.py b/erpnext/manufacturing/doctype/production_order/production_order.py index 626c3fcbe1..2d41d0a6a4 100644 --- a/erpnext/manufacturing/doctype/production_order/production_order.py +++ b/erpnext/manufacturing/doctype/production_order/production_order.py @@ -149,7 +149,7 @@ class ProductionOrder(Document): @frappe.whitelist() def get_item_details(item): res = frappe.db.sql("""select stock_uom, description - from `tabItem` where (ifnull(end_of_life, "")="" or end_of_life > now()) + from `tabItem` where (ifnull(end_of_life, "0000-00-00")="0000-00-00" or end_of_life > now()) and name=%s""", item, as_dict=1) if not res: diff --git a/erpnext/stock/doctype/item/item.py b/erpnext/stock/doctype/item/item.py index 185fe314c5..1de9ad29be 100644 --- a/erpnext/stock/doctype/item/item.py +++ b/erpnext/stock/doctype/item/item.py @@ -283,7 +283,7 @@ def validate_end_of_life(item_code, end_of_life=None, verbose=1): if not end_of_life: end_of_life = frappe.db.get_value("Item", item_code, "end_of_life") - if end_of_life and getdate(end_of_life) <= now_datetime().date(): + if end_of_life and end_of_life!="0000-00-00" and getdate(end_of_life) <= now_datetime().date(): msg = _("Item {0} has reached its end of life on {1}").format(item_code, formatdate(end_of_life)) _msgprint(msg, verbose) diff --git a/erpnext/stock/utils.py b/erpnext/stock/utils.py index 252a296d8b..c724497f11 100644 --- a/erpnext/stock/utils.py +++ b/erpnext/stock/utils.py @@ -190,7 +190,9 @@ def reorder_item(): and exists (select name from `tabItem` where `tabItem`.name = `tabBin`.item_code and is_stock_item='Yes' and (is_purchase_item='Yes' or is_sub_contracted_item='Yes') and - (ifnull(end_of_life, '')='' or end_of_life > curdate()))""", as_dict=True) + (ifnull(end_of_life, '0000-00-00')='0000-00-00' or end_of_life > curdate()))""", + as_dict=True) + for bin in bin_list: #check if re-order is required item_reorder = frappe.db.get("Item Reorder", From c01f4582de8d4ea866f88b68a99cd851bb2a2133 Mon Sep 17 00:00:00 2001 From: Prakash Hodage Date: Thu, 3 Jul 2014 10:50:35 +0530 Subject: [PATCH 299/630] Description removed for default cost center --- erpnext/stock/doctype/item/item.json | 1452 +++++++++++++------------- 1 file changed, 726 insertions(+), 726 deletions(-) diff --git a/erpnext/stock/doctype/item/item.json b/erpnext/stock/doctype/item/item.json index adcf7dc8dd..88109bbf9c 100644 --- a/erpnext/stock/doctype/item/item.json +++ b/erpnext/stock/doctype/item/item.json @@ -1,906 +1,906 @@ { - "allow_attach": 1, - "allow_import": 1, - "allow_rename": 1, - "autoname": "field:item_code", - "creation": "2013-05-03 10:45:46", - "default_print_format": "Standard", - "description": "A Product or a Service that is bought, sold or kept in stock.", - "docstatus": 0, - "doctype": "DocType", - "document_type": "Master", + "allow_attach": 1, + "allow_import": 1, + "allow_rename": 1, + "autoname": "field:item_code", + "creation": "2013-05-03 10:45:46", + "default_print_format": "Standard", + "description": "A Product or a Service that is bought, sold or kept in stock.", + "docstatus": 0, + "doctype": "DocType", + "document_type": "Master", "fields": [ { - "fieldname": "name_and_description_section", - "fieldtype": "Section Break", - "label": "Name and Description", - "no_copy": 0, - "oldfieldtype": "Section Break", - "options": "icon-flag", - "permlevel": 0, + "fieldname": "name_and_description_section", + "fieldtype": "Section Break", + "label": "Name and Description", + "no_copy": 0, + "oldfieldtype": "Section Break", + "options": "icon-flag", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "naming_series", - "fieldtype": "Select", - "label": "Series", - "options": "ITEM-", - "permlevel": 0, + "fieldname": "naming_series", + "fieldtype": "Select", + "label": "Series", + "options": "ITEM-", + "permlevel": 0, "read_only": 0 - }, + }, { - "description": "Item will be saved by this name in the data base.", - "fieldname": "item_code", - "fieldtype": "Data", - "in_filter": 0, - "label": "Item Code", - "no_copy": 1, - "oldfieldname": "item_code", - "oldfieldtype": "Data", - "permlevel": 0, - "read_only": 0, - "reqd": 0, + "description": "Item will be saved by this name in the data base.", + "fieldname": "item_code", + "fieldtype": "Data", + "in_filter": 0, + "label": "Item Code", + "no_copy": 1, + "oldfieldname": "item_code", + "oldfieldtype": "Data", + "permlevel": 0, + "read_only": 0, + "reqd": 0, "search_index": 0 - }, + }, { - "fieldname": "item_name", - "fieldtype": "Data", - "in_filter": 1, - "in_list_view": 1, - "label": "Item Name", - "oldfieldname": "item_name", - "oldfieldtype": "Data", - "permlevel": 0, - "read_only": 0, - "reqd": 1, + "fieldname": "item_name", + "fieldtype": "Data", + "in_filter": 1, + "in_list_view": 1, + "label": "Item Name", + "oldfieldname": "item_name", + "oldfieldtype": "Data", + "permlevel": 0, + "read_only": 0, + "reqd": 1, "search_index": 1 - }, + }, { - "description": "Add / Edit", - "fieldname": "item_group", - "fieldtype": "Link", - "in_filter": 1, - "label": "Item Group", - "oldfieldname": "item_group", - "oldfieldtype": "Link", - "options": "Item Group", - "permlevel": 0, - "read_only": 0, + "description": "Add / Edit", + "fieldname": "item_group", + "fieldtype": "Link", + "in_filter": 1, + "label": "Item Group", + "oldfieldname": "item_group", + "oldfieldtype": "Link", + "options": "Item Group", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "description": "Unit of measurement of this item (e.g. Kg, Unit, No, Pair).", - "fieldname": "stock_uom", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Default Unit of Measure", - "oldfieldname": "stock_uom", - "oldfieldtype": "Link", - "options": "UOM", - "permlevel": 0, - "read_only": 0, + "description": "Unit of measurement of this item (e.g. Kg, Unit, No, Pair).", + "fieldname": "stock_uom", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Default Unit of Measure", + "oldfieldname": "stock_uom", + "oldfieldtype": "Link", + "options": "UOM", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "fieldname": "brand", - "fieldtype": "Link", - "hidden": 0, - "label": "Brand", - "oldfieldname": "brand", - "oldfieldtype": "Link", - "options": "Brand", - "permlevel": 0, - "print_hide": 1, - "read_only": 0, + "fieldname": "brand", + "fieldtype": "Link", + "hidden": 0, + "label": "Brand", + "oldfieldname": "brand", + "oldfieldtype": "Link", + "options": "Brand", + "permlevel": 0, + "print_hide": 1, + "read_only": 0, "reqd": 0 - }, + }, { - "fieldname": "barcode", - "fieldtype": "Data", - "label": "Barcode", - "permlevel": 0, + "fieldname": "barcode", + "fieldtype": "Data", + "label": "Barcode", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "column_break0", - "fieldtype": "Column Break", - "permlevel": 0, + "fieldname": "column_break0", + "fieldtype": "Column Break", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "image", - "fieldtype": "Attach", - "label": "Image", - "options": "", - "permlevel": 0, + "fieldname": "image", + "fieldtype": "Attach", + "label": "Image", + "options": "", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "image_view", - "fieldtype": "Image", - "in_list_view": 1, - "label": "Image View", - "options": "image", - "permlevel": 0, + "fieldname": "image_view", + "fieldtype": "Image", + "in_list_view": 1, + "label": "Image View", + "options": "image", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "description", - "fieldtype": "Small Text", - "in_filter": 0, - "in_list_view": 1, - "label": "Description", - "oldfieldname": "description", - "oldfieldtype": "Text", - "permlevel": 0, - "read_only": 0, - "reqd": 1, + "fieldname": "description", + "fieldtype": "Small Text", + "in_filter": 0, + "in_list_view": 1, + "label": "Description", + "oldfieldname": "description", + "oldfieldtype": "Text", + "permlevel": 0, + "read_only": 0, + "reqd": 1, "search_index": 0 - }, + }, { - "fieldname": "description_html", - "fieldtype": "Small Text", - "label": "Description HTML", - "permlevel": 0, + "fieldname": "description_html", + "fieldtype": "Small Text", + "label": "Description HTML", + "permlevel": 0, "read_only": 0 - }, + }, { - "description": "Generates HTML to include selected image in the description", - "fieldname": "add_image", - "fieldtype": "Button", - "label": "Generate Description HTML", - "permlevel": 0, + "description": "Generates HTML to include selected image in the description", + "fieldname": "add_image", + "fieldtype": "Button", + "label": "Generate Description HTML", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "inventory", - "fieldtype": "Section Break", - "label": "Inventory", - "oldfieldtype": "Section Break", - "options": "icon-truck", - "permlevel": 0, + "fieldname": "inventory", + "fieldtype": "Section Break", + "label": "Inventory", + "oldfieldtype": "Section Break", + "options": "icon-truck", + "permlevel": 0, "read_only": 0 - }, + }, { - "default": "Yes", - "description": "Select \"Yes\" if you are maintaining stock of this item in your Inventory.", - "fieldname": "is_stock_item", - "fieldtype": "Select", - "label": "Is Stock Item", - "oldfieldname": "is_stock_item", - "oldfieldtype": "Select", - "options": "Yes\nNo", - "permlevel": 0, - "read_only": 0, + "default": "Yes", + "description": "Select \"Yes\" if you are maintaining stock of this item in your Inventory.", + "fieldname": "is_stock_item", + "fieldtype": "Select", + "label": "Is Stock Item", + "oldfieldname": "is_stock_item", + "oldfieldtype": "Select", + "options": "Yes\nNo", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "depends_on": "eval:doc.is_stock_item==\"Yes\"", - "description": "Mandatory if Stock Item is \"Yes\". Also the default warehouse where reserved quantity is set from Sales Order.", - "fieldname": "default_warehouse", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Default Warehouse", - "oldfieldname": "default_warehouse", - "oldfieldtype": "Link", - "options": "Warehouse", - "permlevel": 0, + "depends_on": "eval:doc.is_stock_item==\"Yes\"", + "description": "Mandatory if Stock Item is \"Yes\". Also the default warehouse where reserved quantity is set from Sales Order.", + "fieldname": "default_warehouse", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Default Warehouse", + "oldfieldname": "default_warehouse", + "oldfieldtype": "Link", + "options": "Warehouse", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "eval:doc.is_stock_item==\"Yes\"", - "description": "Percentage variation in quantity to be allowed while receiving or delivering this item.", - "fieldname": "tolerance", - "fieldtype": "Float", - "label": "Allowance Percent", - "oldfieldname": "tolerance", - "oldfieldtype": "Currency", - "permlevel": 0, + "depends_on": "eval:doc.is_stock_item==\"Yes\"", + "description": "Percentage variation in quantity to be allowed while receiving or delivering this item.", + "fieldname": "tolerance", + "fieldtype": "Float", + "label": "Allowance Percent", + "oldfieldname": "tolerance", + "oldfieldtype": "Currency", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "eval:doc.is_stock_item==\"Yes\"", - "fieldname": "valuation_method", - "fieldtype": "Select", - "label": "Valuation Method", - "options": "\nFIFO\nMoving Average", - "permlevel": 0, + "depends_on": "eval:doc.is_stock_item==\"Yes\"", + "fieldname": "valuation_method", + "fieldtype": "Select", + "label": "Valuation Method", + "options": "\nFIFO\nMoving Average", + "permlevel": 0, "read_only": 0 - }, + }, { - "default": "0.00", - "depends_on": "eval:doc.is_stock_item==\"Yes\"", - "description": "You can enter the minimum quantity of this item to be ordered.", - "fieldname": "min_order_qty", - "fieldtype": "Float", - "hidden": 0, - "label": "Minimum Order Qty", - "oldfieldname": "min_order_qty", - "oldfieldtype": "Currency", - "permlevel": 0, + "default": "0.00", + "depends_on": "eval:doc.is_stock_item==\"Yes\"", + "description": "You can enter the minimum quantity of this item to be ordered.", + "fieldname": "min_order_qty", + "fieldtype": "Float", + "hidden": 0, + "label": "Minimum Order Qty", + "oldfieldname": "min_order_qty", + "oldfieldtype": "Currency", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "eval:doc.is_stock_item==\"Yes\"", - "fieldname": "column_break1", - "fieldtype": "Column Break", - "oldfieldtype": "Column Break", - "permlevel": 0, - "read_only": 0, + "depends_on": "eval:doc.is_stock_item==\"Yes\"", + "fieldname": "column_break1", + "fieldtype": "Column Break", + "oldfieldtype": "Column Break", + "permlevel": 0, + "read_only": 0, "width": "50%" - }, + }, { - "default": "No", - "depends_on": "eval:doc.is_stock_item==\"Yes\"", - "description": "Select \"Yes\" if this item is used for some internal purpose in your company.", - "fieldname": "is_asset_item", - "fieldtype": "Select", - "label": "Is Fixed Asset Item", - "oldfieldname": "is_asset_item", - "oldfieldtype": "Select", - "options": "Yes\nNo", - "permlevel": 0, - "read_only": 0, + "default": "No", + "depends_on": "eval:doc.is_stock_item==\"Yes\"", + "description": "Select \"Yes\" if this item is used for some internal purpose in your company.", + "fieldname": "is_asset_item", + "fieldtype": "Select", + "label": "Is Fixed Asset Item", + "oldfieldname": "is_asset_item", + "oldfieldtype": "Select", + "options": "Yes\nNo", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "default": "No", - "depends_on": "eval:doc.is_stock_item==\"Yes\"", - "fieldname": "has_batch_no", - "fieldtype": "Select", - "label": "Has Batch No", - "oldfieldname": "has_batch_no", - "oldfieldtype": "Select", - "options": "Yes\nNo", - "permlevel": 0, - "read_only": 0, + "default": "No", + "depends_on": "eval:doc.is_stock_item==\"Yes\"", + "fieldname": "has_batch_no", + "fieldtype": "Select", + "label": "Has Batch No", + "oldfieldname": "has_batch_no", + "oldfieldtype": "Select", + "options": "Yes\nNo", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "default": "No", - "depends_on": "eval:doc.is_stock_item==\"Yes\"", - "description": "Selecting \"Yes\" will give a unique identity to each entity of this item which can be viewed in the Serial No master.", - "fieldname": "has_serial_no", - "fieldtype": "Select", - "in_filter": 1, - "label": "Has Serial No", - "oldfieldname": "has_serial_no", - "oldfieldtype": "Select", - "options": "Yes\nNo", - "permlevel": 0, - "read_only": 0, + "default": "No", + "depends_on": "eval:doc.is_stock_item==\"Yes\"", + "description": "Selecting \"Yes\" will give a unique identity to each entity of this item which can be viewed in the Serial No master.", + "fieldname": "has_serial_no", + "fieldtype": "Select", + "in_filter": 1, + "label": "Has Serial No", + "oldfieldname": "has_serial_no", + "oldfieldtype": "Select", + "options": "Yes\nNo", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "depends_on": "eval: doc.has_serial_no===\"Yes\"", - "description": "Example: ABCD.#####\nIf series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.", - "fieldname": "serial_no_series", - "fieldtype": "Data", - "label": "Serial Number Series", - "no_copy": 1, + "depends_on": "eval: doc.has_serial_no===\"Yes\"", + "description": "Example: ABCD.#####\nIf series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.", + "fieldname": "serial_no_series", + "fieldtype": "Data", + "label": "Serial Number Series", + "no_copy": 1, "permlevel": 0 - }, + }, { - "depends_on": "eval:doc.is_stock_item==\"Yes\"", - "fieldname": "warranty_period", - "fieldtype": "Data", - "label": "Warranty Period (in days)", - "oldfieldname": "warranty_period", - "oldfieldtype": "Data", - "permlevel": 0, + "depends_on": "eval:doc.is_stock_item==\"Yes\"", + "fieldname": "warranty_period", + "fieldtype": "Data", + "label": "Warranty Period (in days)", + "oldfieldname": "warranty_period", + "oldfieldtype": "Data", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "eval:doc.is_stock_item==\"Yes\"", - "fieldname": "end_of_life", - "fieldtype": "Date", - "label": "End of Life", - "oldfieldname": "end_of_life", - "oldfieldtype": "Date", - "permlevel": 0, + "depends_on": "eval:doc.is_stock_item==\"Yes\"", + "fieldname": "end_of_life", + "fieldtype": "Date", + "label": "End of Life", + "oldfieldname": "end_of_life", + "oldfieldtype": "Date", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "eval:doc.is_stock_item==\"Yes\"", - "description": "Net Weight of each Item", - "fieldname": "net_weight", - "fieldtype": "Float", - "label": "Net Weight", - "permlevel": 0, + "depends_on": "eval:doc.is_stock_item==\"Yes\"", + "description": "Net Weight of each Item", + "fieldname": "net_weight", + "fieldtype": "Float", + "label": "Net Weight", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "eval:doc.is_stock_item==\"Yes\"", - "fieldname": "weight_uom", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Weight UOM", - "options": "UOM", - "permlevel": 0, + "depends_on": "eval:doc.is_stock_item==\"Yes\"", + "fieldname": "weight_uom", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Weight UOM", + "options": "UOM", + "permlevel": 0, "read_only": 0 - }, + }, { - "description": "Auto-raise Material Request if quantity goes below re-order level in a warehouse", - "fieldname": "reorder_section", - "fieldtype": "Section Break", - "label": "Re-order", - "options": "icon-rss", - "permlevel": 0, + "description": "Auto-raise Material Request if quantity goes below re-order level in a warehouse", + "fieldname": "reorder_section", + "fieldtype": "Section Break", + "label": "Re-order", + "options": "icon-rss", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "eval:doc.is_stock_item==\"Yes\"", - "fieldname": "re_order_level", - "fieldtype": "Float", - "label": "Re-Order Level", - "oldfieldname": "re_order_level", - "oldfieldtype": "Currency", - "permlevel": 0, + "depends_on": "eval:doc.is_stock_item==\"Yes\"", + "fieldname": "re_order_level", + "fieldtype": "Float", + "label": "Re-Order Level", + "oldfieldname": "re_order_level", + "oldfieldtype": "Currency", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "eval:doc.is_stock_item==\"Yes\"", - "fieldname": "re_order_qty", - "fieldtype": "Float", - "label": "Re-Order Qty", - "permlevel": 0, + "depends_on": "eval:doc.is_stock_item==\"Yes\"", + "fieldname": "re_order_qty", + "fieldtype": "Float", + "label": "Re-Order Qty", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "section_break_31", - "fieldtype": "Section Break", - "permlevel": 0, + "fieldname": "section_break_31", + "fieldtype": "Section Break", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "item_reorder", - "fieldtype": "Table", - "label": "Warehouse-wise Item Reorder", - "options": "Item Reorder", - "permlevel": 0, + "fieldname": "item_reorder", + "fieldtype": "Table", + "label": "Warehouse-wise Item Reorder", + "options": "Item Reorder", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "purchase_details", - "fieldtype": "Section Break", - "label": "Purchase Details", - "oldfieldtype": "Section Break", - "options": "icon-shopping-cart", - "permlevel": 0, + "fieldname": "purchase_details", + "fieldtype": "Section Break", + "label": "Purchase Details", + "oldfieldtype": "Section Break", + "options": "icon-shopping-cart", + "permlevel": 0, "read_only": 0 - }, + }, { - "default": "Yes", - "description": "Selecting \"Yes\" will allow this item to appear in Purchase Order , Purchase Receipt.", - "fieldname": "is_purchase_item", - "fieldtype": "Select", - "label": "Is Purchase Item", - "oldfieldname": "is_purchase_item", - "oldfieldtype": "Select", - "options": "Yes\nNo", - "permlevel": 0, - "read_only": 0, + "default": "Yes", + "description": "Selecting \"Yes\" will allow this item to appear in Purchase Order , Purchase Receipt.", + "fieldname": "is_purchase_item", + "fieldtype": "Select", + "label": "Is Purchase Item", + "oldfieldname": "is_purchase_item", + "oldfieldtype": "Select", + "options": "Yes\nNo", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "fieldname": "default_supplier", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Default Supplier", - "options": "Supplier", + "fieldname": "default_supplier", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Default Supplier", + "options": "Supplier", "permlevel": 0 - }, + }, { - "depends_on": "eval:doc.is_purchase_item==\"Yes\"", - "description": "Lead Time days is number of days by which this item is expected in your warehouse. This days is fetched in Material Request when you select this item.", - "fieldname": "lead_time_days", - "fieldtype": "Int", - "label": "Lead Time Days", - "no_copy": 1, - "oldfieldname": "lead_time_days", - "oldfieldtype": "Int", - "permlevel": 0, + "depends_on": "eval:doc.is_purchase_item==\"Yes\"", + "description": "Lead Time days is number of days by which this item is expected in your warehouse. This days is fetched in Material Request when you select this item.", + "fieldname": "lead_time_days", + "fieldtype": "Int", + "label": "Lead Time Days", + "no_copy": 1, + "oldfieldname": "lead_time_days", + "oldfieldtype": "Int", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "eval:doc.is_purchase_item==\"Yes\"", - "description": "Default Purchase Account in which cost of the item will be debited.", - "fieldname": "expense_account", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Default Expense Account", - "oldfieldname": "purchase_account", - "oldfieldtype": "Link", - "options": "Account", - "permlevel": 0, + "depends_on": "eval:doc.is_purchase_item==\"Yes\"", + "description": "Default Purchase Account in which cost of the item will be debited.", + "fieldname": "expense_account", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Default Expense Account", + "oldfieldname": "purchase_account", + "oldfieldtype": "Link", + "options": "Account", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "eval:doc.is_purchase_item==\"Yes\"", - "description": "Default Cost Center for tracking expense for this item.", - "fieldname": "buying_cost_center", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Default Buying Cost Center", - "oldfieldname": "cost_center", - "oldfieldtype": "Link", - "options": "Cost Center", - "permlevel": 0, + "depends_on": "eval:doc.is_purchase_item==\"Yes\"", + "description": "", + "fieldname": "buying_cost_center", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Default Buying Cost Center", + "oldfieldname": "cost_center", + "oldfieldtype": "Link", + "options": "Cost Center", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "eval:doc.is_purchase_item==\"Yes\"", - "fieldname": "last_purchase_rate", - "fieldtype": "Float", - "label": "Last Purchase Rate", - "no_copy": 1, - "oldfieldname": "last_purchase_rate", - "oldfieldtype": "Currency", - "permlevel": 0, + "depends_on": "eval:doc.is_purchase_item==\"Yes\"", + "fieldname": "last_purchase_rate", + "fieldtype": "Float", + "label": "Last Purchase Rate", + "no_copy": 1, + "oldfieldname": "last_purchase_rate", + "oldfieldtype": "Currency", + "permlevel": 0, "read_only": 1 - }, + }, { - "depends_on": "eval:doc.is_purchase_item==\"Yes\"", - "fieldname": "column_break2", - "fieldtype": "Column Break", - "oldfieldtype": "Column Break", - "permlevel": 0, - "read_only": 0, + "depends_on": "eval:doc.is_purchase_item==\"Yes\"", + "fieldname": "column_break2", + "fieldtype": "Column Break", + "oldfieldtype": "Column Break", + "permlevel": 0, + "read_only": 0, "width": "50%" - }, + }, { - "depends_on": "eval:doc.is_purchase_item==\"Yes\"", - "fieldname": "uom_conversion_details", - "fieldtype": "Table", - "label": "UOM Conversion Details", - "no_copy": 1, - "oldfieldname": "uom_conversion_details", - "oldfieldtype": "Table", - "options": "UOM Conversion Detail", - "permlevel": 0, + "depends_on": "eval:doc.is_purchase_item==\"Yes\"", + "fieldname": "uom_conversion_details", + "fieldtype": "Table", + "label": "UOM Conversion Details", + "no_copy": 1, + "oldfieldname": "uom_conversion_details", + "oldfieldtype": "Table", + "options": "UOM Conversion Detail", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "eval:doc.is_purchase_item==\"Yes\"", - "fieldname": "manufacturer", - "fieldtype": "Data", - "label": "Manufacturer", - "permlevel": 0, + "depends_on": "eval:doc.is_purchase_item==\"Yes\"", + "fieldname": "manufacturer", + "fieldtype": "Data", + "label": "Manufacturer", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "eval:doc.is_purchase_item==\"Yes\"", - "fieldname": "manufacturer_part_no", - "fieldtype": "Data", - "label": "Manufacturer Part Number", - "permlevel": 0, + "depends_on": "eval:doc.is_purchase_item==\"Yes\"", + "fieldname": "manufacturer_part_no", + "fieldtype": "Data", + "label": "Manufacturer Part Number", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "eval:doc.is_purchase_item==\"Yes\"", - "fieldname": "item_supplier_details", - "fieldtype": "Table", - "label": "Item Supplier Details", - "options": "Item Supplier", - "permlevel": 0, + "depends_on": "eval:doc.is_purchase_item==\"Yes\"", + "fieldname": "item_supplier_details", + "fieldtype": "Table", + "label": "Item Supplier Details", + "options": "Item Supplier", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "sales_details", - "fieldtype": "Section Break", - "label": "Sales Details", - "oldfieldtype": "Section Break", - "options": "icon-tag", - "permlevel": 0, + "fieldname": "sales_details", + "fieldtype": "Section Break", + "label": "Sales Details", + "oldfieldtype": "Section Break", + "options": "icon-tag", + "permlevel": 0, "read_only": 0 - }, + }, { - "default": "Yes", - "description": "Selecting \"Yes\" will allow this item to figure in Sales Order, Delivery Note", - "fieldname": "is_sales_item", - "fieldtype": "Select", - "in_filter": 1, - "label": "Is Sales Item", - "oldfieldname": "is_sales_item", - "oldfieldtype": "Select", - "options": "Yes\nNo", - "permlevel": 0, - "read_only": 0, + "default": "Yes", + "description": "Selecting \"Yes\" will allow this item to figure in Sales Order, Delivery Note", + "fieldname": "is_sales_item", + "fieldtype": "Select", + "in_filter": 1, + "label": "Is Sales Item", + "oldfieldname": "is_sales_item", + "oldfieldtype": "Select", + "options": "Yes\nNo", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "default": "No", - "depends_on": "eval:doc.is_sales_item==\"Yes\"", - "description": "Select \"Yes\" if this item represents some work like training, designing, consulting etc.", - "fieldname": "is_service_item", - "fieldtype": "Select", - "in_filter": 1, - "label": "Is Service Item", - "oldfieldname": "is_service_item", - "oldfieldtype": "Select", - "options": "Yes\nNo", - "permlevel": 0, - "read_only": 0, + "default": "No", + "depends_on": "eval:doc.is_sales_item==\"Yes\"", + "description": "Select \"Yes\" if this item represents some work like training, designing, consulting etc.", + "fieldname": "is_service_item", + "fieldtype": "Select", + "in_filter": 1, + "label": "Is Service Item", + "oldfieldname": "is_service_item", + "oldfieldtype": "Select", + "options": "Yes\nNo", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "depends_on": "eval:doc.is_sales_item==\"Yes\"", - "fieldname": "max_discount", - "fieldtype": "Float", - "label": "Max Discount (%)", - "oldfieldname": "max_discount", - "oldfieldtype": "Currency", - "permlevel": 0, + "depends_on": "eval:doc.is_sales_item==\"Yes\"", + "fieldname": "max_discount", + "fieldtype": "Float", + "label": "Max Discount (%)", + "oldfieldname": "max_discount", + "oldfieldtype": "Currency", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "eval:doc.is_sales_item==\"Yes\"", - "fieldname": "income_account", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Default Income Account", - "options": "Account", - "permlevel": 0, + "depends_on": "eval:doc.is_sales_item==\"Yes\"", + "fieldname": "income_account", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Default Income Account", + "options": "Account", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "eval:doc.is_sales_item==\"Yes\"", - "fieldname": "selling_cost_center", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Default Selling Cost Center", - "options": "Cost Center", - "permlevel": 0, + "depends_on": "eval:doc.is_sales_item==\"Yes\"", + "fieldname": "selling_cost_center", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Default Selling Cost Center", + "options": "Cost Center", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "eval:doc.is_sales_item==\"Yes\"", - "fieldname": "column_break3", - "fieldtype": "Column Break", - "oldfieldtype": "Column Break", - "permlevel": 0, - "read_only": 0, + "depends_on": "eval:doc.is_sales_item==\"Yes\"", + "fieldname": "column_break3", + "fieldtype": "Column Break", + "oldfieldtype": "Column Break", + "permlevel": 0, + "read_only": 0, "width": "50%" - }, + }, { - "depends_on": "eval:doc.is_sales_item==\"Yes\"", - "description": "For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes", - "fieldname": "item_customer_details", - "fieldtype": "Table", - "label": "Customer Codes", - "options": "Item Customer Detail", - "permlevel": 0, + "depends_on": "eval:doc.is_sales_item==\"Yes\"", + "description": "For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes", + "fieldname": "item_customer_details", + "fieldtype": "Table", + "label": "Customer Codes", + "options": "Item Customer Detail", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "item_tax_section_break", - "fieldtype": "Section Break", - "label": "Item Tax", - "oldfieldtype": "Section Break", - "options": "icon-money", - "permlevel": 0, + "fieldname": "item_tax_section_break", + "fieldtype": "Section Break", + "label": "Item Tax", + "oldfieldtype": "Section Break", + "options": "icon-money", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "item_tax", - "fieldtype": "Table", - "label": "Item Tax1", - "oldfieldname": "item_tax", - "oldfieldtype": "Table", - "options": "Item Tax", - "permlevel": 0, + "fieldname": "item_tax", + "fieldtype": "Table", + "label": "Item Tax1", + "oldfieldname": "item_tax", + "oldfieldtype": "Table", + "options": "Item Tax", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "inspection_criteria", - "fieldtype": "Section Break", - "label": "Inspection Criteria", - "oldfieldtype": "Section Break", - "options": "icon-search", - "permlevel": 0, + "fieldname": "inspection_criteria", + "fieldtype": "Section Break", + "label": "Inspection Criteria", + "oldfieldtype": "Section Break", + "options": "icon-search", + "permlevel": 0, "read_only": 0 - }, + }, { - "default": "No", - "fieldname": "inspection_required", - "fieldtype": "Select", - "label": "Inspection Required", - "no_copy": 0, - "oldfieldname": "inspection_required", - "oldfieldtype": "Select", - "options": "\nYes\nNo", - "permlevel": 0, - "read_only": 0, + "default": "No", + "fieldname": "inspection_required", + "fieldtype": "Select", + "label": "Inspection Required", + "no_copy": 0, + "oldfieldname": "inspection_required", + "oldfieldtype": "Select", + "options": "\nYes\nNo", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "depends_on": "eval:doc.inspection_required==\"Yes\"", - "description": "Quality Inspection Parameters", - "fieldname": "item_specification_details", - "fieldtype": "Table", - "label": "Item Quality Inspection Parameter", - "oldfieldname": "item_specification_details", - "oldfieldtype": "Table", - "options": "Item Quality Inspection Parameter", - "permlevel": 0, + "depends_on": "eval:doc.inspection_required==\"Yes\"", + "description": "Quality Inspection Parameters", + "fieldname": "item_specification_details", + "fieldtype": "Table", + "label": "Item Quality Inspection Parameter", + "oldfieldname": "item_specification_details", + "oldfieldtype": "Table", + "options": "Item Quality Inspection Parameter", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "manufacturing", - "fieldtype": "Section Break", - "label": "Manufacturing", - "oldfieldtype": "Section Break", - "options": "icon-cogs", - "permlevel": 0, + "fieldname": "manufacturing", + "fieldtype": "Section Break", + "label": "Manufacturing", + "oldfieldtype": "Section Break", + "options": "icon-cogs", + "permlevel": 0, "read_only": 0 - }, + }, { - "default": "No", - "description": "Selecting \"Yes\" will allow you to create Bill of Material showing raw material and operational costs incurred to manufacture this item.", - "fieldname": "is_manufactured_item", - "fieldtype": "Select", - "label": "Allow Bill of Materials", - "oldfieldname": "is_manufactured_item", - "oldfieldtype": "Select", - "options": "Yes\nNo", - "permlevel": 0, - "read_only": 0, + "default": "No", + "description": "Selecting \"Yes\" will allow you to create Bill of Material showing raw material and operational costs incurred to manufacture this item.", + "fieldname": "is_manufactured_item", + "fieldtype": "Select", + "label": "Allow Bill of Materials", + "oldfieldname": "is_manufactured_item", + "oldfieldtype": "Select", + "options": "Yes\nNo", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "depends_on": "eval:doc.is_manufactured_item==\"Yes\"", - "fieldname": "default_bom", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Default BOM", - "no_copy": 1, - "oldfieldname": "default_bom", - "oldfieldtype": "Link", - "options": "BOM", - "permlevel": 0, + "depends_on": "eval:doc.is_manufactured_item==\"Yes\"", + "fieldname": "default_bom", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Default BOM", + "no_copy": 1, + "oldfieldname": "default_bom", + "oldfieldtype": "Link", + "options": "BOM", + "permlevel": 0, "read_only": 1 - }, + }, { - "default": "No", - "depends_on": "eval:doc.is_manufactured_item==\"Yes\"", - "description": "Selecting \"Yes\" will allow you to make a Production Order for this item.", - "fieldname": "is_pro_applicable", - "fieldtype": "Select", - "label": "Allow Production Order", - "oldfieldname": "is_pro_applicable", - "oldfieldtype": "Select", - "options": "Yes\nNo", - "permlevel": 0, - "read_only": 0, + "default": "No", + "depends_on": "eval:doc.is_manufactured_item==\"Yes\"", + "description": "Selecting \"Yes\" will allow you to make a Production Order for this item.", + "fieldname": "is_pro_applicable", + "fieldtype": "Select", + "label": "Allow Production Order", + "oldfieldname": "is_pro_applicable", + "oldfieldtype": "Select", + "options": "Yes\nNo", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "default": "No", - "description": "Select \"Yes\" if you supply raw materials to your supplier to manufacture this item.", - "fieldname": "is_sub_contracted_item", - "fieldtype": "Select", - "label": "Is Sub Contracted Item", - "oldfieldname": "is_sub_contracted_item", - "oldfieldtype": "Select", - "options": "Yes\nNo", - "permlevel": 0, - "read_only": 0, + "default": "No", + "description": "Select \"Yes\" if you supply raw materials to your supplier to manufacture this item.", + "fieldname": "is_sub_contracted_item", + "fieldtype": "Select", + "label": "Is Sub Contracted Item", + "oldfieldname": "is_sub_contracted_item", + "oldfieldtype": "Select", + "options": "Yes\nNo", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "fieldname": "customer_code", - "fieldtype": "Data", - "hidden": 1, - "in_filter": 1, - "label": "Customer Code", - "no_copy": 1, - "permlevel": 0, - "print_hide": 1, + "fieldname": "customer_code", + "fieldtype": "Data", + "hidden": 1, + "in_filter": 1, + "label": "Customer Code", + "no_copy": 1, + "permlevel": 0, + "print_hide": 1, "read_only": 0 - }, + }, { - "fieldname": "website_section", - "fieldtype": "Section Break", - "label": "Website", - "options": "icon-globe", - "permlevel": 0, + "fieldname": "website_section", + "fieldtype": "Section Break", + "label": "Website", + "options": "icon-globe", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "show_in_website", - "fieldtype": "Check", - "label": "Show in Website", - "permlevel": 0, + "fieldname": "show_in_website", + "fieldtype": "Check", + "label": "Show in Website", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "show_in_website", - "description": "website page link", - "fieldname": "page_name", - "fieldtype": "Data", - "label": "Page Name", - "no_copy": 1, - "permlevel": 0, + "depends_on": "show_in_website", + "description": "website page link", + "fieldname": "page_name", + "fieldtype": "Data", + "label": "Page Name", + "no_copy": 1, + "permlevel": 0, "read_only": 1 - }, + }, { - "depends_on": "show_in_website", - "description": "Products will be sorted by weight-age in default searches. More the weight-age, higher the product will appear in the list.", - "fieldname": "weightage", - "fieldtype": "Int", - "label": "Weightage", - "permlevel": 0, - "read_only": 0, + "depends_on": "show_in_website", + "description": "Products will be sorted by weight-age in default searches. More the weight-age, higher the product will appear in the list.", + "fieldname": "weightage", + "fieldtype": "Int", + "label": "Weightage", + "permlevel": 0, + "read_only": 0, "search_index": 1 - }, + }, { - "depends_on": "show_in_website", - "description": "Show a slideshow at the top of the page", - "fieldname": "slideshow", - "fieldtype": "Link", - "label": "Slideshow", - "options": "Website Slideshow", - "permlevel": 0, + "depends_on": "show_in_website", + "description": "Show a slideshow at the top of the page", + "fieldname": "slideshow", + "fieldtype": "Link", + "label": "Slideshow", + "options": "Website Slideshow", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "show_in_website", - "description": "Item Image (if not slideshow)", - "fieldname": "website_image", - "fieldtype": "Select", - "label": "Image", - "options": "attach_files:", - "permlevel": 0, + "depends_on": "show_in_website", + "description": "Item Image (if not slideshow)", + "fieldname": "website_image", + "fieldtype": "Select", + "label": "Image", + "options": "attach_files:", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "cb72", - "fieldtype": "Column Break", - "permlevel": 0, + "fieldname": "cb72", + "fieldtype": "Column Break", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "show_in_website", - "description": "Show \"In Stock\" or \"Not in Stock\" based on stock available in this warehouse.", - "fieldname": "website_warehouse", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Website Warehouse", - "options": "Warehouse", - "permlevel": 0, + "depends_on": "show_in_website", + "description": "Show \"In Stock\" or \"Not in Stock\" based on stock available in this warehouse.", + "fieldname": "website_warehouse", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Website Warehouse", + "options": "Warehouse", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "show_in_website", - "description": "List this Item in multiple groups on the website.", - "fieldname": "website_item_groups", - "fieldtype": "Table", - "label": "Website Item Groups", - "options": "Website Item Group", - "permlevel": 0, + "depends_on": "show_in_website", + "description": "List this Item in multiple groups on the website.", + "fieldname": "website_item_groups", + "fieldtype": "Table", + "label": "Website Item Groups", + "options": "Website Item Group", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "show_in_website", - "fieldname": "sb72", - "fieldtype": "Section Break", - "permlevel": 0, + "depends_on": "show_in_website", + "fieldname": "sb72", + "fieldtype": "Section Break", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "show_in_website", - "fieldname": "copy_from_item_group", - "fieldtype": "Button", - "label": "Copy From Item Group", - "permlevel": 0, + "depends_on": "show_in_website", + "fieldname": "copy_from_item_group", + "fieldtype": "Button", + "label": "Copy From Item Group", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "show_in_website", - "fieldname": "item_website_specifications", - "fieldtype": "Table", - "label": "Item Website Specifications", - "options": "Item Website Specification", - "permlevel": 0, + "depends_on": "show_in_website", + "fieldname": "item_website_specifications", + "fieldtype": "Table", + "label": "Item Website Specifications", + "options": "Item Website Specification", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "show_in_website", - "fieldname": "web_long_description", - "fieldtype": "Text Editor", - "label": "Website Description", - "permlevel": 0, + "depends_on": "show_in_website", + "fieldname": "web_long_description", + "fieldtype": "Text Editor", + "label": "Website Description", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "parent_website_route", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Parent Website Route", - "no_copy": 1, - "options": "Website Route", + "fieldname": "parent_website_route", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Parent Website Route", + "no_copy": 1, + "options": "Website Route", "permlevel": 0 } - ], - "icon": "icon-tag", - "idx": 1, - "max_attachments": 1, - "modified": "2014-05-29 16:05:53.126214", - "modified_by": "Administrator", - "module": "Stock", - "name": "Item", - "owner": "Administrator", + ], + "icon": "icon-tag", + "idx": 1, + "max_attachments": 1, + "modified": "2014-07-03 10:45:19.574737", + "modified_by": "Administrator", + "module": "Stock", + "name": "Item", + "owner": "Administrator", "permissions": [ { - "create": 1, - "delete": 1, - "email": 1, - "import": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Material Master Manager", - "submit": 0, + "create": 1, + "delete": 1, + "email": 1, + "import": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Material Master Manager", + "submit": 0, "write": 1 - }, + }, { - "amend": 0, - "create": 0, - "delete": 0, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Material Manager", - "submit": 0, + "amend": 0, + "create": 0, + "delete": 0, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Material Manager", + "submit": 0, "write": 0 - }, + }, { - "amend": 0, - "apply_user_permissions": 1, - "create": 0, - "delete": 0, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Material User", - "submit": 0, + "amend": 0, + "apply_user_permissions": 1, + "create": 0, + "delete": 0, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Material User", + "submit": 0, "write": 0 - }, + }, { - "apply_user_permissions": 1, - "permlevel": 0, - "read": 1, + "apply_user_permissions": 1, + "permlevel": 0, + "read": 1, "role": "Sales User" - }, + }, { - "apply_user_permissions": 1, - "permlevel": 0, - "read": 1, + "apply_user_permissions": 1, + "permlevel": 0, + "read": 1, "role": "Purchase User" - }, + }, { - "apply_user_permissions": 1, - "permlevel": 0, - "read": 1, + "apply_user_permissions": 1, + "permlevel": 0, + "read": 1, "role": "Maintenance User" - }, + }, { - "apply_user_permissions": 1, - "permlevel": 0, - "read": 1, + "apply_user_permissions": 1, + "permlevel": 0, + "read": 1, "role": "Accounts User" - }, + }, { - "apply_user_permissions": 1, - "permlevel": 0, - "read": 1, + "apply_user_permissions": 1, + "permlevel": 0, + "read": 1, "role": "Manufacturing User" } - ], + ], "search_fields": "item_name,description,item_group,customer_code" -} +} \ No newline at end of file From 23cce731ab9c00c62bcef6bd038cd368c78ec378 Mon Sep 17 00:00:00 2001 From: nabinhait Date: Thu, 3 Jul 2014 12:25:06 +0530 Subject: [PATCH 300/630] Fixes in action, not defined if called from outside document class --- erpnext/controllers/accounts_controller.py | 2 +- erpnext/stock/doctype/delivery_note/delivery_note.py | 2 +- erpnext/stock/doctype/packed_item/packed_item.py | 2 +- 3 files changed, 3 insertions(+), 3 deletions(-) diff --git a/erpnext/controllers/accounts_controller.py b/erpnext/controllers/accounts_controller.py index aba7a88ae3..df5370ae19 100644 --- a/erpnext/controllers/accounts_controller.py +++ b/erpnext/controllers/accounts_controller.py @@ -12,7 +12,7 @@ import json class AccountsController(TransactionBase): def validate(self): - if self._action != "update_after_submit": + if self.get("_action") and self._action != "update_after_submit": self.set_missing_values(for_validate=True) self.validate_date_with_fiscal_year() if self.meta.get_field("currency"): diff --git a/erpnext/stock/doctype/delivery_note/delivery_note.py b/erpnext/stock/doctype/delivery_note/delivery_note.py index 4b147cc361..c1ddf63a44 100644 --- a/erpnext/stock/doctype/delivery_note/delivery_note.py +++ b/erpnext/stock/doctype/delivery_note/delivery_note.py @@ -134,7 +134,7 @@ class DeliveryNote(SellingController): def update_current_stock(self): - if self._action != "update_after_submit": + if self.get("_action") and self._action != "update_after_submit": for d in self.get('delivery_note_details'): d.actual_qty = frappe.db.get_value("Bin", {"item_code": d.item_code, "warehouse": d.warehouse}, "actual_qty") diff --git a/erpnext/stock/doctype/packed_item/packed_item.py b/erpnext/stock/doctype/packed_item/packed_item.py index 44c1a00cc9..f04625b349 100644 --- a/erpnext/stock/doctype/packed_item/packed_item.py +++ b/erpnext/stock/doctype/packed_item/packed_item.py @@ -62,7 +62,7 @@ def update_packing_list_item(obj, packing_item_code, qty, warehouse, line, packi def make_packing_list(obj, item_table_fieldname): """make packing list for sales bom item""" - if obj._action == "update_after_submit": return + if obj.get("_action") and obj._action == "update_after_submit": return packing_list_idx = 0 parent_items = [] From d2f44006bd410ce2f8f2ad95b162ffdd757e794f Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Thu, 3 Jul 2014 14:32:21 +0530 Subject: [PATCH 301/630] Issues originating due to sql_mode='STRICT_ALL_TABLES' Fixes frappe/frappe-bench#18 --- erpnext/setup/doctype/company/company.py | 134 +++++++++--------- .../company/fixtures/india/__init__.py | 34 ++--- 2 files changed, 84 insertions(+), 84 deletions(-) diff --git a/erpnext/setup/doctype/company/company.py b/erpnext/setup/doctype/company/company.py index 789a7f12c7..d24c7e78e2 100644 --- a/erpnext/setup/doctype/company/company.py +++ b/erpnext/setup/doctype/company/company.py @@ -123,7 +123,7 @@ class Company(Document): 'cost_center_name': self.name, 'company':self.name, 'group_or_ledger':'Group', - 'parent_cost_center':'' + 'parent_cost_center':None }, { 'cost_center_name':_('Main'), @@ -190,72 +190,72 @@ class Company(Document): } acc_list_common = [ - [_('Application of Funds (Assets)'),'','Group','','Balance Sheet','', 'Asset'], - [_('Current Assets'),_('Application of Funds (Assets)'),'Group','','Balance Sheet','', 'Asset'], - [_('Accounts Receivable'),_('Current Assets'),'Group','','Balance Sheet','', 'Asset'], - [_('Bank Accounts'),_('Current Assets'),'Group','Bank','Balance Sheet','', 'Asset'], - [_('Cash In Hand'),_('Current Assets'),'Group','Cash','Balance Sheet','', 'Asset'], - [_('Cash'),_('Cash In Hand'),'Ledger','Cash','Balance Sheet','', 'Asset'], - [_('Loans and Advances (Assets)'),_('Current Assets'),'Group','','Balance Sheet','', 'Asset'], - [_('Securities and Deposits'),_('Current Assets'),'Group','','Balance Sheet','', 'Asset'], - [_('Earnest Money'),_('Securities and Deposits'),'Ledger','','Balance Sheet','', 'Asset'], - [_('Stock Assets'),_('Current Assets'),'Group','Stock','Balance Sheet','', 'Asset'], - [_('Tax Assets'),_('Current Assets'),'Group','','Balance Sheet','', 'Asset'], - [_('Fixed Assets'),_('Application of Funds (Assets)'),'Group','','Balance Sheet','', 'Asset'], - [_('Capital Equipments'),_('Fixed Assets'),'Ledger','Fixed Asset','Balance Sheet','', 'Asset'], - [_('Computers'),_('Fixed Assets'),'Ledger','Fixed Asset','Balance Sheet','', 'Asset'], - [_('Furniture and Fixture'),_('Fixed Assets'),'Ledger','Fixed Asset','Balance Sheet','', 'Asset'], - [_('Office Equipments'),_('Fixed Assets'),'Ledger','Fixed Asset','Balance Sheet','', 'Asset'], - [_('Plant and Machinery'),_('Fixed Assets'),'Ledger','Fixed Asset','Balance Sheet','', 'Asset'], - [_('Investments'),_('Application of Funds (Assets)'),'Group','','Balance Sheet','', 'Asset'], - [_('Temporary Accounts (Assets)'),_('Application of Funds (Assets)'),'Group','','Balance Sheet','', 'Asset'], - [_('Temporary Assets'),_('Temporary Accounts (Assets)'),'Ledger','','Balance Sheet','', 'Asset'], - [_('Expenses'),'','Group','Expense Account','Profit and Loss','', 'Expense'], - [_('Direct Expenses'),_('Expenses'),'Group','Expense Account','Profit and Loss','', 'Expense'], - [_('Stock Expenses'),_('Direct Expenses'),'Group','Expense Account','Profit and Loss','', 'Expense'], - [_('Cost of Goods Sold'),_('Stock Expenses'),'Ledger','Expense Account','Profit and Loss','', 'Expense'], - [_('Stock Adjustment'),_('Stock Expenses'),'Ledger','Stock Adjustment','Profit and Loss','', 'Expense'], - [_('Expenses Included In Valuation'), _("Stock Expenses"), 'Ledger', 'Expenses Included In Valuation', 'Profit and Loss', '', 'Expense'], - [_('Indirect Expenses'), _('Expenses'),'Group','Expense Account','Profit and Loss','', 'Expense'], - [_('Marketing Expenses'), _('Indirect Expenses'),'Ledger','Chargeable','Profit and Loss','', 'Expense'], - [_('Sales Expenses'), _('Indirect Expenses'),'Ledger','Expense Account','Profit and Loss','', 'Expense'], - [_('Administrative Expenses'), _('Indirect Expenses'),'Ledger','Expense Account','Profit and Loss','', 'Expense'], - [_('Charity and Donations'), _('Indirect Expenses'),'Ledger','Expense Account','Profit and Loss','', 'Expense'], - [_('Commission on Sales'), _('Indirect Expenses'),'Ledger','Expense Account','Profit and Loss','', 'Expense'], - [_('Travel Expenses'), _('Indirect Expenses'),'Ledger','Expense Account','Profit and Loss','', 'Expense'], - [_('Entertainment Expenses'), _('Indirect Expenses'),'Ledger','Expense Account','Profit and Loss','', 'Expense'], - [_('Depreciation'), _('Indirect Expenses'),'Ledger','Expense Account','Profit and Loss','', 'Expense'], - [_('Freight and Forwarding Charges'), _('Indirect Expenses'),'Ledger','Chargeable','Profit and Loss','', 'Expense'], - [_('Legal Expenses'), _('Indirect Expenses'),'Ledger','Expense Account','Profit and Loss','', 'Expense'], - [_('Miscellaneous Expenses'), _('Indirect Expenses'),'Ledger','Chargeable','Profit and Loss','', 'Expense'], - [_('Office Maintenance Expenses'), _('Indirect Expenses'),'Ledger','Expense Account','Profit and Loss','', 'Expense'], - [_('Office Rent'), _('Indirect Expenses'),'Ledger','Expense Account','Profit and Loss','', 'Expense'], - [_('Postal Expenses'), _('Indirect Expenses'),'Ledger','Expense Account','Profit and Loss','', 'Expense'], - [_('Print and Stationary'), _('Indirect Expenses'),'Ledger','Expense Account','Profit and Loss','', 'Expense'], - [_('Rounded Off'), _('Indirect Expenses'),'Ledger','Expense Account','Profit and Loss','', 'Expense'], - [_('Salary') ,_('Indirect Expenses'),'Ledger','Expense Account','Profit and Loss','', 'Expense'], - [_('Telephone Expenses') ,_('Indirect Expenses'),'Ledger','Expense Account','Profit and Loss','', 'Expense'], - [_('Utility Expenses') ,_('Indirect Expenses'),'Ledger','Expense Account','Profit and Loss','', 'Expense'], - [_('Income'),'','Group','','Profit and Loss','', 'Income'], - [_('Direct Income'),_('Income'),'Group','Income Account','Profit and Loss','', 'Income'], - [_('Sales'),_('Direct Income'),'Ledger','Income Account','Profit and Loss','', 'Income'], - [_('Service'),_('Direct Income'),'Ledger','Income Account','Profit and Loss','', 'Income'], - [_('Indirect Income'),_('Income'),'Group','Income Account','Profit and Loss','', 'Income'], - [_('Source of Funds (Liabilities)'),'','Group','','Balance Sheet','', 'Income'], - [_('Capital Account'),_('Source of Funds (Liabilities)'),'Group','','Balance Sheet','', 'Liability'], - [_('Reserves and Surplus'),_('Capital Account'),'Ledger','','Balance Sheet','', 'Liability'], - [_('Shareholders Funds'),_('Capital Account'),'Ledger','','Balance Sheet','', 'Liability'], - [_('Current Liabilities'),_('Source of Funds (Liabilities)'),'Group','','Balance Sheet','', 'Liability'], - [_('Accounts Payable'),_('Current Liabilities'),'Group','','Balance Sheet','', 'Liability'], - [_('Stock Liabilities'),_('Current Liabilities'),'Group','','Balance Sheet','', 'Liability'], - [_('Stock Received But Not Billed'), _('Stock Liabilities'), 'Ledger', 'Stock Received But Not Billed', 'Balance Sheet', '', 'Liability'], - [_('Duties and Taxes'),_('Current Liabilities'),'Group','','Balance Sheet','', 'Liability'], - [_('Loans (Liabilities)'),_('Current Liabilities'),'Group','','Balance Sheet','', 'Liability'], - [_('Secured Loans'),_('Loans (Liabilities)'),'Group','','Balance Sheet','', 'Liability'], - [_('Unsecured Loans'),_('Loans (Liabilities)'),'Group','','Balance Sheet','', 'Liability'], - [_('Bank Overdraft Account'),_('Loans (Liabilities)'),'Group','','Balance Sheet','', 'Liability'], - [_('Temporary Accounts (Liabilities)'),_('Source of Funds (Liabilities)'),'Group','','Balance Sheet','', 'Liability'], - [_('Temporary Liabilities'),_('Temporary Accounts (Liabilities)'),'Ledger','','Balance Sheet','', 'Liability'] + [_('Application of Funds (Assets)'), None,'Group', None,'Balance Sheet', None, 'Asset'], + [_('Current Assets'),_('Application of Funds (Assets)'),'Group', None,'Balance Sheet', None, 'Asset'], + [_('Accounts Receivable'),_('Current Assets'),'Group', None,'Balance Sheet', None, 'Asset'], + [_('Bank Accounts'),_('Current Assets'),'Group','Bank','Balance Sheet', None, 'Asset'], + [_('Cash In Hand'),_('Current Assets'),'Group','Cash','Balance Sheet', None, 'Asset'], + [_('Cash'),_('Cash In Hand'),'Ledger','Cash','Balance Sheet', None, 'Asset'], + [_('Loans and Advances (Assets)'),_('Current Assets'),'Group', None,'Balance Sheet', None, 'Asset'], + [_('Securities and Deposits'),_('Current Assets'),'Group', None,'Balance Sheet', None, 'Asset'], + [_('Earnest Money'),_('Securities and Deposits'),'Ledger', None,'Balance Sheet', None, 'Asset'], + [_('Stock Assets'),_('Current Assets'),'Group','Stock','Balance Sheet', None, 'Asset'], + [_('Tax Assets'),_('Current Assets'),'Group', None,'Balance Sheet', None, 'Asset'], + [_('Fixed Assets'),_('Application of Funds (Assets)'),'Group', None,'Balance Sheet', None, 'Asset'], + [_('Capital Equipments'),_('Fixed Assets'),'Ledger','Fixed Asset','Balance Sheet', None, 'Asset'], + [_('Computers'),_('Fixed Assets'),'Ledger','Fixed Asset','Balance Sheet', None, 'Asset'], + [_('Furniture and Fixture'),_('Fixed Assets'),'Ledger','Fixed Asset','Balance Sheet', None, 'Asset'], + [_('Office Equipments'),_('Fixed Assets'),'Ledger','Fixed Asset','Balance Sheet', None, 'Asset'], + [_('Plant and Machinery'),_('Fixed Assets'),'Ledger','Fixed Asset','Balance Sheet', None, 'Asset'], + [_('Investments'),_('Application of Funds (Assets)'),'Group', None,'Balance Sheet', None, 'Asset'], + [_('Temporary Accounts (Assets)'),_('Application of Funds (Assets)'),'Group', None,'Balance Sheet', None, 'Asset'], + [_('Temporary Assets'),_('Temporary Accounts (Assets)'),'Ledger', None,'Balance Sheet', None, 'Asset'], + [_('Expenses'), None,'Group','Expense Account','Profit and Loss', None, 'Expense'], + [_('Direct Expenses'),_('Expenses'),'Group','Expense Account','Profit and Loss', None, 'Expense'], + [_('Stock Expenses'),_('Direct Expenses'),'Group','Expense Account','Profit and Loss', None, 'Expense'], + [_('Cost of Goods Sold'),_('Stock Expenses'),'Ledger','Expense Account','Profit and Loss', None, 'Expense'], + [_('Stock Adjustment'),_('Stock Expenses'),'Ledger','Stock Adjustment','Profit and Loss', None, 'Expense'], + [_('Expenses Included In Valuation'), _("Stock Expenses"), 'Ledger', 'Expenses Included In Valuation', 'Profit and Loss', None, 'Expense'], + [_('Indirect Expenses'), _('Expenses'),'Group','Expense Account','Profit and Loss', None, 'Expense'], + [_('Marketing Expenses'), _('Indirect Expenses'),'Ledger','Chargeable','Profit and Loss', None, 'Expense'], + [_('Sales Expenses'), _('Indirect Expenses'),'Ledger','Expense Account','Profit and Loss', None, 'Expense'], + [_('Administrative Expenses'), _('Indirect Expenses'),'Ledger','Expense Account','Profit and Loss', None, 'Expense'], + [_('Charity and Donations'), _('Indirect Expenses'),'Ledger','Expense Account','Profit and Loss', None, 'Expense'], + [_('Commission on Sales'), _('Indirect Expenses'),'Ledger','Expense Account','Profit and Loss', None, 'Expense'], + [_('Travel Expenses'), _('Indirect Expenses'),'Ledger','Expense Account','Profit and Loss', None, 'Expense'], + [_('Entertainment Expenses'), _('Indirect Expenses'),'Ledger','Expense Account','Profit and Loss', None, 'Expense'], + [_('Depreciation'), _('Indirect Expenses'),'Ledger','Expense Account','Profit and Loss', None, 'Expense'], + [_('Freight and Forwarding Charges'), _('Indirect Expenses'),'Ledger','Chargeable','Profit and Loss', None, 'Expense'], + [_('Legal Expenses'), _('Indirect Expenses'),'Ledger','Expense Account','Profit and Loss', None, 'Expense'], + [_('Miscellaneous Expenses'), _('Indirect Expenses'),'Ledger','Chargeable','Profit and Loss', None, 'Expense'], + [_('Office Maintenance Expenses'), _('Indirect Expenses'),'Ledger','Expense Account','Profit and Loss', None, 'Expense'], + [_('Office Rent'), _('Indirect Expenses'),'Ledger','Expense Account','Profit and Loss', None, 'Expense'], + [_('Postal Expenses'), _('Indirect Expenses'),'Ledger','Expense Account','Profit and Loss', None, 'Expense'], + [_('Print and Stationary'), _('Indirect Expenses'),'Ledger','Expense Account','Profit and Loss', None, 'Expense'], + [_('Rounded Off'), _('Indirect Expenses'),'Ledger','Expense Account','Profit and Loss', None, 'Expense'], + [_('Salary') ,_('Indirect Expenses'),'Ledger','Expense Account','Profit and Loss', None, 'Expense'], + [_('Telephone Expenses') ,_('Indirect Expenses'),'Ledger','Expense Account','Profit and Loss', None, 'Expense'], + [_('Utility Expenses') ,_('Indirect Expenses'),'Ledger','Expense Account','Profit and Loss', None, 'Expense'], + [_('Income'), None,'Group', None,'Profit and Loss', None, 'Income'], + [_('Direct Income'),_('Income'),'Group','Income Account','Profit and Loss', None, 'Income'], + [_('Sales'),_('Direct Income'),'Ledger','Income Account','Profit and Loss', None, 'Income'], + [_('Service'),_('Direct Income'),'Ledger','Income Account','Profit and Loss', None, 'Income'], + [_('Indirect Income'),_('Income'),'Group','Income Account','Profit and Loss', None, 'Income'], + [_('Source of Funds (Liabilities)'), None,'Group', None,'Balance Sheet', None, 'Income'], + [_('Capital Account'),_('Source of Funds (Liabilities)'),'Group', None,'Balance Sheet', None, 'Liability'], + [_('Reserves and Surplus'),_('Capital Account'),'Ledger', None,'Balance Sheet', None, 'Liability'], + [_('Shareholders Funds'),_('Capital Account'),'Ledger', None,'Balance Sheet', None, 'Liability'], + [_('Current Liabilities'),_('Source of Funds (Liabilities)'),'Group', None,'Balance Sheet', None, 'Liability'], + [_('Accounts Payable'),_('Current Liabilities'),'Group', None,'Balance Sheet', None, 'Liability'], + [_('Stock Liabilities'),_('Current Liabilities'),'Group', None,'Balance Sheet', None, 'Liability'], + [_('Stock Received But Not Billed'), _('Stock Liabilities'), 'Ledger', 'Stock Received But Not Billed', 'Balance Sheet', None, 'Liability'], + [_('Duties and Taxes'),_('Current Liabilities'),'Group', None,'Balance Sheet', None, 'Liability'], + [_('Loans (Liabilities)'),_('Current Liabilities'),'Group', None,'Balance Sheet', None, 'Liability'], + [_('Secured Loans'),_('Loans (Liabilities)'),'Group', None,'Balance Sheet', None, 'Liability'], + [_('Unsecured Loans'),_('Loans (Liabilities)'),'Group', None,'Balance Sheet', None, 'Liability'], + [_('Bank Overdraft Account'),_('Loans (Liabilities)'),'Group', None,'Balance Sheet', None, 'Liability'], + [_('Temporary Accounts (Liabilities)'),_('Source of Funds (Liabilities)'),'Group', None,'Balance Sheet', None, 'Liability'], + [_('Temporary Liabilities'),_('Temporary Accounts (Liabilities)'),'Ledger', None,'Balance Sheet', None, 'Liability'] ] # load common account heads diff --git a/erpnext/setup/doctype/company/fixtures/india/__init__.py b/erpnext/setup/doctype/company/fixtures/india/__init__.py index 0f427f57ec..fa45ab0364 100644 --- a/erpnext/setup/doctype/company/fixtures/india/__init__.py +++ b/erpnext/setup/doctype/company/fixtures/india/__init__.py @@ -31,21 +31,21 @@ def install(company): } acc_list_india = [ - ['CENVAT Capital Goods','Tax Assets','Ledger','Chargeable','Balance Sheet',''], - ['CENVAT','Tax Assets','Ledger','Chargeable','Balance Sheet',''], - ['CENVAT Service Tax','Tax Assets','Ledger','Chargeable','Balance Sheet',''], - ['CENVAT Service Tax Cess 1','Tax Assets','Ledger','Chargeable','Balance Sheet',''], - ['CENVAT Service Tax Cess 2','Tax Assets','Ledger','Chargeable','Balance Sheet',''], - ['CENVAT Edu Cess','Tax Assets','Ledger','Chargeable','Balance Sheet',''], - ['CENVAT SHE Cess','Tax Assets','Ledger','Chargeable','Balance Sheet',''], + ['CENVAT Capital Goods','Tax Assets','Ledger','Chargeable','Balance Sheet', None], + ['CENVAT','Tax Assets','Ledger','Chargeable','Balance Sheet', None], + ['CENVAT Service Tax','Tax Assets','Ledger','Chargeable','Balance Sheet', None], + ['CENVAT Service Tax Cess 1','Tax Assets','Ledger','Chargeable','Balance Sheet', None], + ['CENVAT Service Tax Cess 2','Tax Assets','Ledger','Chargeable','Balance Sheet', None], + ['CENVAT Edu Cess','Tax Assets','Ledger','Chargeable','Balance Sheet', None], + ['CENVAT SHE Cess','Tax Assets','Ledger','Chargeable','Balance Sheet', None], ['Excise Duty 4','Tax Assets','Ledger','Tax','Balance Sheet','4.00'], ['Excise Duty 8','Tax Assets','Ledger','Tax','Balance Sheet','8.00'], ['Excise Duty 10','Tax Assets','Ledger','Tax','Balance Sheet','10.00'], ['Excise Duty 14','Tax Assets','Ledger','Tax','Balance Sheet','14.00'], ['Excise Duty Edu Cess 2','Tax Assets','Ledger','Tax','Balance Sheet','2.00'], ['Excise Duty SHE Cess 1','Tax Assets','Ledger','Tax','Balance Sheet','1.00'], - ['P L A','Tax Assets','Ledger','Chargeable','Balance Sheet',''], - ['P L A - Cess Portion','Tax Assets','Ledger','Chargeable','Balance Sheet',''], + ['P L A','Tax Assets','Ledger','Chargeable','Balance Sheet', None], + ['P L A - Cess Portion','Tax Assets','Ledger','Chargeable','Balance Sheet', None], ['Edu. Cess on Excise','Duties and Taxes','Ledger','Tax','Balance Sheet','2.00'], ['Edu. Cess on Service Tax','Duties and Taxes','Ledger','Tax','Balance Sheet','2.00'], ['Edu. Cess on TDS','Duties and Taxes','Ledger','Tax','Balance Sheet','2.00'], @@ -57,14 +57,14 @@ def install(company): ['SHE Cess on Excise','Duties and Taxes','Ledger','Tax','Balance Sheet','1.00'], ['SHE Cess on Service Tax','Duties and Taxes','Ledger','Tax','Balance Sheet','1.00'], ['SHE Cess on TDS','Duties and Taxes','Ledger','Tax','Balance Sheet','1.00'], - ['Professional Tax','Duties and Taxes','Ledger','Chargeable','Balance Sheet',''], - ['VAT','Duties and Taxes','Ledger','Chargeable','Balance Sheet',''], - ['TDS (Advertisement)','Duties and Taxes','Ledger','Chargeable','Balance Sheet',''], - ['TDS (Commission)','Duties and Taxes','Ledger','Chargeable','Balance Sheet',''], - ['TDS (Contractor)','Duties and Taxes','Ledger','Chargeable','Balance Sheet',''], - ['TDS (Interest)','Duties and Taxes','Ledger','Chargeable','Balance Sheet',''], - ['TDS (Rent)','Duties and Taxes','Ledger','Chargeable','Balance Sheet',''], - ['TDS (Salary)','Duties and Taxes','Ledger','Chargeable','Balance Sheet',''] + ['Professional Tax','Duties and Taxes','Ledger','Chargeable','Balance Sheet', None], + ['VAT','Duties and Taxes','Ledger','Chargeable','Balance Sheet', None], + ['TDS (Advertisement)','Duties and Taxes','Ledger','Chargeable','Balance Sheet', None], + ['TDS (Commission)','Duties and Taxes','Ledger','Chargeable','Balance Sheet', None], + ['TDS (Contractor)','Duties and Taxes','Ledger','Chargeable','Balance Sheet', None], + ['TDS (Interest)','Duties and Taxes','Ledger','Chargeable','Balance Sheet', None], + ['TDS (Rent)','Duties and Taxes','Ledger','Chargeable','Balance Sheet', None], + ['TDS (Salary)','Duties and Taxes','Ledger','Chargeable','Balance Sheet', None] ] for lst in acc_list_india: From dffec8fb856c7d3b7444c5417d5ab4216862d643 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Tue, 1 Jul 2014 17:45:15 +0530 Subject: [PATCH 302/630] Reapply Price List on Change --- .../purchase_common/purchase_common.js | 2 +- erpnext/controllers/accounts_controller.py | 10 +- erpnext/public/js/transaction.js | 78 ++++++------ erpnext/selling/sales_common.js | 2 +- erpnext/setup/utils.py | 15 +-- erpnext/stock/get_item_details.py | 116 ++++++++++++++---- 6 files changed, 146 insertions(+), 77 deletions(-) diff --git a/erpnext/buying/doctype/purchase_common/purchase_common.js b/erpnext/buying/doctype/purchase_common/purchase_common.js index c3ef365f68..3c63508991 100644 --- a/erpnext/buying/doctype/purchase_common/purchase_common.js +++ b/erpnext/buying/doctype/purchase_common/purchase_common.js @@ -75,7 +75,7 @@ erpnext.buying.BuyingController = erpnext.TransactionController.extend({ }, buying_price_list: function() { - this.get_price_list_currency("Buying"); + this.apply_price_list(); }, price_list_rate: function(doc, cdt, cdn) { diff --git a/erpnext/controllers/accounts_controller.py b/erpnext/controllers/accounts_controller.py index df5370ae19..3df62e7934 100644 --- a/erpnext/controllers/accounts_controller.py +++ b/erpnext/controllers/accounts_controller.py @@ -5,7 +5,7 @@ from __future__ import unicode_literals import frappe from frappe import _, throw from frappe.utils import flt, cint, today -from erpnext.setup.utils import get_company_currency +from erpnext.setup.utils import get_company_currency, get_exchange_rate from erpnext.accounts.utils import get_fiscal_year, validate_fiscal_year from erpnext.utilities.transaction_base import TransactionBase import json @@ -68,7 +68,7 @@ class AccountsController(TransactionBase): self.plc_conversion_rate = 1.0 elif not self.plc_conversion_rate: - self.plc_conversion_rate = self.get_exchange_rate( + self.plc_conversion_rate = get_exchange_rate( self.price_list_currency, company_currency) # currency @@ -78,13 +78,9 @@ class AccountsController(TransactionBase): elif self.currency == company_currency: self.conversion_rate = 1.0 elif not self.conversion_rate: - self.conversion_rate = self.get_exchange_rate(self.currency, + self.conversion_rate = get_exchange_rate(self.currency, company_currency) - def get_exchange_rate(self, from_currency, to_currency): - exchange = "%s-%s" % (from_currency, to_currency) - return flt(frappe.db.get_value("Currency Exchange", exchange, "exchange_rate")) - def set_missing_item_details(self): """set missing item values""" from erpnext.stock.get_item_details import get_item_details diff --git a/erpnext/public/js/transaction.js b/erpnext/public/js/transaction.js index a4b1abbb6a..9cc22eac58 100644 --- a/erpnext/public/js/transaction.js +++ b/erpnext/public/js/transaction.js @@ -243,24 +243,6 @@ erpnext.TransactionController = erpnext.stock.StockController.extend({ } }, - get_price_list_currency: function(buying_or_selling) { - var me = this; - var fieldname = buying_or_selling.toLowerCase() + "_price_list"; - if(this.frm.doc[fieldname]) { - return this.frm.call({ - method: "erpnext.setup.utils.get_price_list_currency", - args: { - price_list: this.frm.doc[fieldname], - }, - callback: function(r) { - if(!r.exc) { - me.price_list_currency(); - } - } - }); - } - }, - get_exchange_rate: function(from_currency, to_currency, callback) { var exchange_name = from_currency + "-" + to_currency; frappe.model.with_doc("Currency Exchange", exchange_name, function(name) { @@ -346,9 +328,22 @@ erpnext.TransactionController = erpnext.stock.StockController.extend({ apply_pricing_rule: function(item, calculate_taxes_and_totals) { var me = this; - var item_list = this._get_item_list(item); - var args = { - "item_list": item_list, + return this.frm.call({ + method: "erpnext.accounts.doctype.pricing_rule.pricing_rule.apply_pricing_rule", + args: { args: this._get_args(item) }, + callback: function(r) { + if (!r.exc) { + me._set_values_for_item_list(r.message); + if(calculate_taxes_and_totals) me.calculate_taxes_and_totals(); + } + } + }); + }, + + _get_args: function(item) { + var me = this; + return { + "item_list": this._get_item_list(item), "customer": me.frm.doc.customer, "customer_group": me.frm.doc.customer_group, "territory": me.frm.doc.territory, @@ -366,22 +361,6 @@ erpnext.TransactionController = erpnext.stock.StockController.extend({ "parenttype": me.frm.doc.doctype, "parent": me.frm.doc.name }; - return this.frm.call({ - method: "erpnext.accounts.doctype.pricing_rule.pricing_rule.apply_pricing_rule", - args: { args: args }, - callback: function(r) { - if (!r.exc) { - $.each(r.message, function(i, d) { - $.each(d, function(k, v) { - if (["doctype", "name"].indexOf(k)===-1) { - frappe.model.set_value(d.doctype, d.name, k, v); - } - }); - }); - if(calculate_taxes_and_totals) me.calculate_taxes_and_totals(); - } - } - }); }, _get_item_list: function(item) { @@ -407,6 +386,31 @@ erpnext.TransactionController = erpnext.stock.StockController.extend({ return item_list; }, + _set_values_for_item_list: function(children) { + $.each(children, function(i, d) { + $.each(d, function(k, v) { + if (["doctype", "name"].indexOf(k)===-1) { + frappe.model.set_value(d.doctype, d.name, k, v); + } + }); + }); + }, + + apply_price_list: function() { + var me = this; + return this.frm.call({ + method: "erpnext.stock.get_item_details.apply_price_list", + args: { args: this._get_args() }, + callback: function(r) { + if (!r.exc) { + me.frm.set_value("price_list_currency", r.message.parent.price_list_currency); + me.frm.set_value("plc_conversion_rate", r.message.parent.plc_conversion_rate); + me._set_values_for_item_list(r.message.children); + } + } + }); + }, + included_in_print_rate: function(doc, cdt, cdn) { var tax = frappe.get_doc(cdt, cdn); try { diff --git a/erpnext/selling/sales_common.js b/erpnext/selling/sales_common.js index 2021490bb7..fff7ef9cd3 100644 --- a/erpnext/selling/sales_common.js +++ b/erpnext/selling/sales_common.js @@ -137,7 +137,7 @@ erpnext.selling.SellingController = erpnext.TransactionController.extend({ }, selling_price_list: function() { - this.get_price_list_currency("Selling"); + this.apply_price_list(); }, price_list_rate: function(doc, cdt, cdn) { diff --git a/erpnext/setup/utils.py b/erpnext/setup/utils.py index a734ffd127..e7d78abb42 100644 --- a/erpnext/setup/utils.py +++ b/erpnext/setup/utils.py @@ -4,6 +4,7 @@ from __future__ import unicode_literals import frappe from frappe import _, throw +from frappe.utils import flt def get_company_currency(company): currency = frappe.db.get_value("Company", company, "default_currency") @@ -28,16 +29,6 @@ def get_ancestors_of(doctype, name): where lft<%s and rgt>%s order by lft desc""" % (doctype, "%s", "%s"), (lft, rgt)) return result or [] -@frappe.whitelist() -def get_price_list_currency(price_list): - price_list_currency = frappe.db.get_value("Price List", {"name": price_list, - "enabled": 1}, "currency") - - if not price_list_currency: - throw(_("Price List {0} is disabled").format(price_list)) - else: - return {"price_list_currency": price_list_currency} - def before_tests(): # complete setup if missing from erpnext.setup.page.setup_wizard.setup_wizard import setup_account @@ -64,3 +55,7 @@ def before_tests(): frappe.db.sql("delete from `tabSalary Slip`") frappe.db.sql("delete from `tabItem Price`") frappe.db.commit() + +def get_exchange_rate(from_currency, to_currency): + exchange = "%s-%s" % (from_currency, to_currency) + return flt(frappe.db.get_value("Currency Exchange", exchange, "exchange_rate")) diff --git a/erpnext/stock/get_item_details.py b/erpnext/stock/get_item_details.py index fe320d153a..ca9dd2bbe2 100644 --- a/erpnext/stock/get_item_details.py +++ b/erpnext/stock/get_item_details.py @@ -7,6 +7,7 @@ from frappe import _, throw from frappe.utils import flt, cint, add_days import json from erpnext.accounts.doctype.pricing_rule.pricing_rule import get_pricing_rule_for_item +from erpnext.setup.utils import get_exchange_rate @frappe.whitelist() def get_item_details(args): @@ -30,27 +31,7 @@ def get_item_details(args): "ignore_pricing_rule": 0/1 } """ - - if isinstance(args, basestring): - args = json.loads(args) - - args = frappe._dict(args) - - if not args.get("transaction_type"): - if args.get("parenttype")=="Material Request" or \ - frappe.get_meta(args.get("parenttype")).get_field("supplier"): - args.transaction_type = "buying" - else: - args.transaction_type = "selling" - - if not args.get("price_list"): - args.price_list = args.get("selling_price_list") or args.get("buying_price_list") - - if args.barcode: - args.item_code = get_item_code(barcode=args.barcode) - elif not args.item_code and args.serial_no: - args.item_code = get_item_code(serial_no=args.serial_no) - + args = process_args(args) item_doc = frappe.get_doc("Item", args.item_code) item = item_doc @@ -86,6 +67,29 @@ def get_item_details(args): return out +def process_args(args): + if isinstance(args, basestring): + args = json.loads(args) + + args = frappe._dict(args) + + if not args.get("transaction_type"): + if args.get("parenttype")=="Material Request" or \ + frappe.get_meta(args.get("parenttype")).get_field("supplier"): + args.transaction_type = "buying" + else: + args.transaction_type = "selling" + + if not args.get("price_list"): + args.price_list = args.get("selling_price_list") or args.get("buying_price_list") + + if args.barcode: + args.item_code = get_item_code(barcode=args.barcode) + elif not args.item_code and args.serial_no: + args.item_code = get_item_code(serial_no=args.serial_no) + + return args + def get_item_code(barcode=None, serial_no=None): if barcode: item_code = frappe.db.get_value("Item", {"barcode": barcode}) @@ -273,3 +277,73 @@ def get_projected_qty(item_code, warehouse): def get_available_qty(item_code, warehouse): return frappe.db.get_value("Bin", {"item_code": item_code, "warehouse": warehouse}, ["projected_qty", "actual_qty"], as_dict=True) or {} + +@frappe.whitelist() +def apply_price_list(args): + """ + args = { + "item_list": [{"doctype": "", "name": "", "item_code": "", "brand": "", "item_group": ""}, ...], + "conversion_rate": 1.0, + "selling_price_list": None, + "price_list_currency": None, + "plc_conversion_rate": 1.0, + "parenttype": "", + "parent": "", + "supplier": None, + "transaction_date": None, + "conversion_rate": 1.0, + "buying_price_list": None, + "transaction_type": "selling", + "ignore_pricing_rule": 0/1 + } + """ + args = process_args(args) + + parent = get_price_list_currency_and_exchange_rate(args) + children = [] + + if "item_list" in args: + item_list = args.get("item_list") + del args["item_list"] + + args.update(parent) + + for item in item_list: + args_copy = frappe._dict(args.copy()) + args_copy.update(item) + item_details = apply_price_list_on_item(args_copy) + children.append(item_details) + + return { + "parent": parent, + "children": children + } + +def apply_price_list_on_item(args): + item_details = frappe._dict() + item_doc = frappe.get_doc("Item", args.item_code) + get_price_list_rate(args, item_doc, item_details) + item_details.update(get_pricing_rule_for_item(args)) + return item_details + +def get_price_list_currency(price_list): + result = frappe.db.get_value("Price List", {"name": price_list, + "enabled": 1}, ["name", "currency"], as_dict=True) + + if not result: + throw(_("Price List {0} is disabled").format(price_list)) + + return result.currency + +def get_price_list_currency_and_exchange_rate(args): + price_list_currency = get_price_list_currency(args.price_list) + plc_conversion_rate = args.plc_conversion_rate + + if (not plc_conversion_rate) or (price_list_currency != args.price_list_currency): + plc_conversion_rate = get_exchange_rate(price_list_currency, args.currency) \ + or plc_conversion_rate + + return { + "price_list_currency": price_list_currency, + "plc_conversion_rate": plc_conversion_rate + } From 51f722d20fa9db015fc55a96443f56aa1dd20343 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Fri, 4 Jul 2014 15:44:26 +0530 Subject: [PATCH 303/630] Trigger Apply Price List on change of Currency Conversion Rate or Price List Currency Conversion Rate --- erpnext/public/js/transaction.js | 27 ++++++++++++--------------- erpnext/startup/__init__.py | 14 +++----------- 2 files changed, 15 insertions(+), 26 deletions(-) diff --git a/erpnext/public/js/transaction.js b/erpnext/public/js/transaction.js index 9cc22eac58..932206174a 100644 --- a/erpnext/public/js/transaction.js +++ b/erpnext/public/js/transaction.js @@ -236,8 +236,8 @@ erpnext.TransactionController = erpnext.stock.StockController.extend({ if(flt(this.frm.doc.conversion_rate)>0.0) { if(this.frm.doc.ignore_pricing_rule) { this.calculate_taxes_and_totals(); - } else { - this.apply_pricing_rule(); + } else if (!this.in_apply_price_list){ + this.apply_price_list(); } } @@ -254,22 +254,17 @@ erpnext.TransactionController = erpnext.stock.StockController.extend({ price_list_currency: function() { var me=this; this.set_dynamic_labels(); - - var company_currency = this.get_company_currency(); - if(this.frm.doc.price_list_currency !== company_currency) { - this.get_exchange_rate(this.frm.doc.price_list_currency, company_currency, - function(exchange_rate) { - if(exchange_rate) { - me.frm.set_value("plc_conversion_rate", exchange_rate); - me.plc_conversion_rate(); - } - }); - } else { - this.plc_conversion_rate(); - } + this.set_plc_conversion_rate(); }, plc_conversion_rate: function() { + this.set_plc_conversion_rate(); + if(!this.in_apply_price_list) { + this.apply_price_list(); + } + }, + + set_plc_conversion_rate: function() { if(this.frm.doc.price_list_currency === this.get_company_currency()) { this.frm.set_value("plc_conversion_rate", 1.0); } @@ -403,8 +398,10 @@ erpnext.TransactionController = erpnext.stock.StockController.extend({ args: { args: this._get_args() }, callback: function(r) { if (!r.exc) { + me.in_apply_price_list = true; me.frm.set_value("price_list_currency", r.message.parent.price_list_currency); me.frm.set_value("plc_conversion_rate", r.message.parent.plc_conversion_rate); + me.in_apply_price_list = false; me._set_values_for_item_list(r.message.children); } } diff --git a/erpnext/startup/__init__.py b/erpnext/startup/__init__.py index 576ab05627..a3b96cf46c 100644 --- a/erpnext/startup/__init__.py +++ b/erpnext/startup/__init__.py @@ -2,17 +2,17 @@ # ERPNext - web based ERP (http://erpnext.com) # Copyright (C) 2012 Web Notes Technologies Pvt Ltd -# +# # 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 # the Free Software Foundation, either version 3 of the License, or # (at your option) any later version. -# +# # This program is distributed in the hope that it will be useful, # but WITHOUT ANY WARRANTY; without even the implied warranty of # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the # GNU General Public License for more details. -# +# # You should have received a copy of the GNU General Public License # along with this program. If not, see . @@ -26,11 +26,3 @@ user_defaults = { "Company": "company", "Territory": "territory" } - -def get_monthly_bulk_mail_limit(): - import frappe - # if global settings, then 500 or unlimited - if frappe.db.get_value('Outgoing Email Settings', None, 'mail_server'): - return 999999 - else: - return 500 From 80a988c04f5b5e92708b5bace09ffd98a93fb750 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Mon, 7 Jul 2014 11:35:54 +0530 Subject: [PATCH 304/630] BugFix: selling_controller.py --- erpnext/controllers/selling_controller.py | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/erpnext/controllers/selling_controller.py b/erpnext/controllers/selling_controller.py index c6c2c14dfe..1049350c26 100644 --- a/erpnext/controllers/selling_controller.py +++ b/erpnext/controllers/selling_controller.py @@ -3,7 +3,7 @@ from __future__ import unicode_literals import frappe -from frappe.utils import cint, flt, _round, cstr +from frappe.utils import cint, flt, _round, cstr, comma_or from erpnext.setup.utils import get_company_currency from frappe import _, throw @@ -287,7 +287,7 @@ class SellingController(StockController): if not self.order_type: self.order_type = "Sales" elif self.order_type not in valid_types: - throw(_("Order Type must be one of {1}").comma_or(valid_types)) + throw(_("Order Type must be one of {0}").format(comma_or(valid_types))) def check_credit(self, grand_total): customer_account = frappe.db.get_value("Account", {"company": self.company, From 3a389788bfa43e0cad34bc3a85d62860fff22e76 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Mon, 7 Jul 2014 12:19:43 +0530 Subject: [PATCH 305/630] BugFix: Maintenance Visit against Customer Issue + Map Item details from Customer Issue into Maintenance Visit Purpose Table + Map Prev DocType and Prev DocName + Changed prevdoc_doctype and prevdoc_docname into Dynamic Link --- .../customer_issue/customer_issue.json | 3 +- .../doctype/customer_issue/customer_issue.py | 18 ++++++-- .../maintenance_visit_purpose.json | 41 ++++++++++--------- 3 files changed, 39 insertions(+), 23 deletions(-) diff --git a/erpnext/support/doctype/customer_issue/customer_issue.json b/erpnext/support/doctype/customer_issue/customer_issue.json index b755135b73..669ea5dba2 100644 --- a/erpnext/support/doctype/customer_issue/customer_issue.json +++ b/erpnext/support/doctype/customer_issue/customer_issue.json @@ -202,6 +202,7 @@ { "fieldname": "resolved_by", "fieldtype": "Link", + "ignore_user_permissions": 1, "in_filter": 1, "label": "Resolved By", "no_copy": 1, @@ -395,7 +396,7 @@ "icon": "icon-bug", "idx": 1, "is_submittable": 0, - "modified": "2014-06-23 07:55:47.488335", + "modified": "2014-07-07 02:47:56.491906", "modified_by": "Administrator", "module": "Support", "name": "Customer Issue", diff --git a/erpnext/support/doctype/customer_issue/customer_issue.py b/erpnext/support/doctype/customer_issue/customer_issue.py index 290e74e263..d6d65966fe 100644 --- a/erpnext/support/doctype/customer_issue/customer_issue.py +++ b/erpnext/support/doctype/customer_issue/customer_issue.py @@ -38,7 +38,11 @@ class CustomerIssue(TransactionBase): @frappe.whitelist() def make_maintenance_visit(source_name, target_doc=None): - from frappe.model.mapper import get_mapped_doc + from frappe.model.mapper import get_mapped_doc, map_child_doc + + def _update_links(source_doc, target_doc, source_parent): + target_doc.prevdoc_doctype = source_parent.doctype + target_doc.prevdoc_docname = source_parent.name visit = frappe.db.sql("""select t1.name from `tabMaintenance Visit` t1, `tabMaintenance Visit Purpose` t2 @@ -46,7 +50,7 @@ def make_maintenance_visit(source_name, target_doc=None): and t1.docstatus=1 and t1.completion_status='Fully Completed'""", source_name) if not visit: - doclist = get_mapped_doc("Customer Issue", source_name, { + target_doc = get_mapped_doc("Customer Issue", source_name, { "Customer Issue": { "doctype": "Maintenance Visit", "field_map": { @@ -57,4 +61,12 @@ def make_maintenance_visit(source_name, target_doc=None): } }, target_doc) - return doclist + source_doc = frappe.get_doc("Customer Issue", source_name) + if source_doc.get("item_code"): + table_map = { + "doctype": "Maintenance Visit Purpose", + "postprocess": _update_links + } + map_child_doc(source_doc, target_doc, table_map, source_doc) + + return target_doc diff --git a/erpnext/support/doctype/maintenance_visit_purpose/maintenance_visit_purpose.json b/erpnext/support/doctype/maintenance_visit_purpose/maintenance_visit_purpose.json index 32e3769b7c..8e98397bd3 100644 --- a/erpnext/support/doctype/maintenance_visit_purpose/maintenance_visit_purpose.json +++ b/erpnext/support/doctype/maintenance_visit_purpose/maintenance_visit_purpose.json @@ -1,6 +1,6 @@ { "autoname": "MVD.#####", - "creation": "2013-02-22 01:28:06.000000", + "creation": "2013-02-22 01:28:06", "docstatus": 0, "doctype": "DocType", "fields": [ @@ -73,14 +73,31 @@ "permlevel": 0, "reqd": 1 }, + { + "fieldname": "prevdoc_doctype", + "fieldtype": "Link", + "hidden": 0, + "label": "Document Type", + "no_copy": 1, + "oldfieldname": "prevdoc_doctype", + "oldfieldtype": "Data", + "options": "DocType", + "permlevel": 0, + "print_hide": 1, + "print_width": "150px", + "read_only": 1, + "report_hide": 1, + "width": "150px" + }, { "fieldname": "prevdoc_docname", - "fieldtype": "Data", + "fieldtype": "Dynamic Link", "hidden": 0, "label": "Against Document No", "no_copy": 1, "oldfieldname": "prevdoc_docname", "oldfieldtype": "Data", + "options": "prevdoc_doctype", "permlevel": 0, "print_hide": 1, "print_width": "160px", @@ -102,28 +119,14 @@ "read_only": 1, "report_hide": 1, "width": "160px" - }, - { - "fieldname": "prevdoc_doctype", - "fieldtype": "Data", - "hidden": 0, - "label": "Document Type", - "no_copy": 1, - "oldfieldname": "prevdoc_doctype", - "oldfieldtype": "Data", - "permlevel": 0, - "print_hide": 1, - "print_width": "150px", - "read_only": 1, - "report_hide": 1, - "width": "150px" } ], "idx": 1, "istable": 1, - "modified": "2013-12-20 19:23:20.000000", + "modified": "2014-07-07 02:53:48.442249", "modified_by": "Administrator", "module": "Support", "name": "Maintenance Visit Purpose", - "owner": "ashwini@webnotestech.com" + "owner": "ashwini@webnotestech.com", + "permissions": [] } \ No newline at end of file From 58692fe4d1a60103de8ee44592ca087b0d70def9 Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Mon, 7 Jul 2014 12:29:43 +0530 Subject: [PATCH 306/630] sales order status bugfix, add leading / in website_image and removed send_print_in_body_and_attachment --- erpnext/patches/v4_0/split_email_settings.py | 3 +- .../doctype/sales_order/sales_order.json | 1566 ++++++++--------- .../setup/doctype/item_group/item_group.py | 4 + .../setup/page/setup_wizard/setup_wizard.py | 4 - 4 files changed, 788 insertions(+), 789 deletions(-) diff --git a/erpnext/patches/v4_0/split_email_settings.py b/erpnext/patches/v4_0/split_email_settings.py index 1b8a0c6968..dd36eef394 100644 --- a/erpnext/patches/v4_0/split_email_settings.py +++ b/erpnext/patches/v4_0/split_email_settings.py @@ -18,8 +18,7 @@ def map_outgoing_email_settings(email_settings): outgoing_email_settings = frappe.get_doc("Outgoing Email Settings") for fieldname in (("outgoing_mail_server", "mail_server"), "use_ssl", "mail_port", "mail_login", "mail_password", - "always_use_login_id_as_sender", - "auto_email_id", "send_print_in_body_and_attachment"): + "always_use_login_id_as_sender", "auto_email_id"): if isinstance(fieldname, tuple): from_fieldname, to_fieldname = fieldname diff --git a/erpnext/selling/doctype/sales_order/sales_order.json b/erpnext/selling/doctype/sales_order/sales_order.json index 2ac9d933dc..77e7887425 100644 --- a/erpnext/selling/doctype/sales_order/sales_order.json +++ b/erpnext/selling/doctype/sales_order/sales_order.json @@ -1,977 +1,977 @@ { - "allow_attach": 1, - "allow_import": 1, - "autoname": "naming_series:", - "creation": "2013-06-18 12:39:59", - "docstatus": 0, - "doctype": "DocType", - "document_type": "Transaction", + "allow_attach": 1, + "allow_import": 1, + "autoname": "naming_series:", + "creation": "2013-06-18 12:39:59", + "docstatus": 0, + "doctype": "DocType", + "document_type": "Transaction", "fields": [ { - "fieldname": "customer_section", - "fieldtype": "Section Break", - "label": "Customer", - "options": "icon-user", + "fieldname": "customer_section", + "fieldtype": "Section Break", + "label": "Customer", + "options": "icon-user", "permlevel": 0 - }, + }, { - "fieldname": "column_break0", - "fieldtype": "Column Break", - "in_filter": 0, - "oldfieldtype": "Column Break", - "permlevel": 0, - "search_index": 0, + "fieldname": "column_break0", + "fieldtype": "Column Break", + "in_filter": 0, + "oldfieldtype": "Column Break", + "permlevel": 0, + "search_index": 0, "width": "50%" - }, + }, { - "fieldname": "naming_series", - "fieldtype": "Select", - "label": "Series", - "no_copy": 1, - "oldfieldname": "naming_series", - "oldfieldtype": "Select", - "options": "SO-", - "permlevel": 0, - "print_hide": 1, + "fieldname": "naming_series", + "fieldtype": "Select", + "label": "Series", + "no_copy": 1, + "oldfieldname": "naming_series", + "oldfieldtype": "Select", + "options": "SO-", + "permlevel": 0, + "print_hide": 1, "reqd": 1 - }, + }, { - "fieldname": "customer", - "fieldtype": "Link", - "in_filter": 1, - "in_list_view": 1, - "label": "Customer", - "oldfieldname": "customer", - "oldfieldtype": "Link", - "options": "Customer", - "permlevel": 0, - "print_hide": 1, - "reqd": 1, + "fieldname": "customer", + "fieldtype": "Link", + "in_filter": 1, + "in_list_view": 1, + "label": "Customer", + "oldfieldname": "customer", + "oldfieldtype": "Link", + "options": "Customer", + "permlevel": 0, + "print_hide": 1, + "reqd": 1, "search_index": 1 - }, + }, { - "fieldname": "customer_name", - "fieldtype": "Data", - "hidden": 0, - "label": "Name", - "permlevel": 0, + "fieldname": "customer_name", + "fieldtype": "Data", + "hidden": 0, + "label": "Name", + "permlevel": 0, "read_only": 1 - }, + }, { - "fieldname": "address_display", - "fieldtype": "Small Text", - "hidden": 1, - "label": "Address", - "permlevel": 0, + "fieldname": "address_display", + "fieldtype": "Small Text", + "hidden": 1, + "label": "Address", + "permlevel": 0, "read_only": 1 - }, + }, { - "fieldname": "contact_display", - "fieldtype": "Small Text", - "hidden": 1, - "label": "Contact", - "permlevel": 0, + "fieldname": "contact_display", + "fieldtype": "Small Text", + "hidden": 1, + "label": "Contact", + "permlevel": 0, "read_only": 1 - }, + }, { - "fieldname": "contact_mobile", - "fieldtype": "Text", - "hidden": 1, - "label": "Mobile No", - "permlevel": 0, + "fieldname": "contact_mobile", + "fieldtype": "Text", + "hidden": 1, + "label": "Mobile No", + "permlevel": 0, "read_only": 1 - }, + }, { - "fieldname": "contact_email", - "fieldtype": "Text", - "hidden": 1, - "label": "Contact Email", - "permlevel": 0, - "print_hide": 1, + "fieldname": "contact_email", + "fieldtype": "Text", + "hidden": 1, + "label": "Contact Email", + "permlevel": 0, + "print_hide": 1, "read_only": 1 - }, + }, { - "default": "Sales", - "fieldname": "order_type", - "fieldtype": "Select", - "in_list_view": 1, - "label": "Order Type", - "oldfieldname": "order_type", - "oldfieldtype": "Select", - "options": "\nSales\nMaintenance\nShopping Cart", - "permlevel": 0, - "print_hide": 1, + "default": "Sales", + "fieldname": "order_type", + "fieldtype": "Select", + "in_list_view": 1, + "label": "Order Type", + "oldfieldname": "order_type", + "oldfieldtype": "Select", + "options": "\nSales\nMaintenance\nShopping Cart", + "permlevel": 0, + "print_hide": 1, "reqd": 1 - }, + }, { - "fieldname": "column_break1", - "fieldtype": "Column Break", - "oldfieldtype": "Column Break", - "permlevel": 0, + "fieldname": "column_break1", + "fieldtype": "Column Break", + "oldfieldtype": "Column Break", + "permlevel": 0, "width": "50%" - }, + }, { - "fieldname": "amended_from", - "fieldtype": "Link", - "hidden": 1, - "ignore_user_permissions": 1, - "label": "Amended From", - "no_copy": 1, - "oldfieldname": "amended_from", - "oldfieldtype": "Data", - "options": "Sales Order", - "permlevel": 0, - "print_hide": 1, - "read_only": 1, + "fieldname": "amended_from", + "fieldtype": "Link", + "hidden": 1, + "ignore_user_permissions": 1, + "label": "Amended From", + "no_copy": 1, + "oldfieldname": "amended_from", + "oldfieldtype": "Data", + "options": "Sales Order", + "permlevel": 0, + "print_hide": 1, + "read_only": 1, "width": "150px" - }, + }, { - "description": "Select the relevant company name if you have multiple companies.", - "fieldname": "company", - "fieldtype": "Link", - "in_filter": 1, - "label": "Company", - "oldfieldname": "company", - "oldfieldtype": "Link", - "options": "Company", - "permlevel": 0, - "print_hide": 1, - "reqd": 1, - "search_index": 1, + "description": "Select the relevant company name if you have multiple companies.", + "fieldname": "company", + "fieldtype": "Link", + "in_filter": 1, + "label": "Company", + "oldfieldname": "company", + "oldfieldtype": "Link", + "options": "Company", + "permlevel": 0, + "print_hide": 1, + "reqd": 1, + "search_index": 1, "width": "150px" - }, + }, { - "default": "Today", - "fieldname": "transaction_date", - "fieldtype": "Date", - "in_filter": 1, - "label": "Sales Order Date", - "no_copy": 1, - "oldfieldname": "transaction_date", - "oldfieldtype": "Date", - "permlevel": 0, - "print_hide": 0, - "reqd": 1, - "search_index": 1, + "default": "Today", + "fieldname": "transaction_date", + "fieldtype": "Date", + "in_filter": 1, + "label": "Sales Order Date", + "no_copy": 1, + "oldfieldname": "transaction_date", + "oldfieldtype": "Date", + "permlevel": 0, + "print_hide": 0, + "reqd": 1, + "search_index": 1, "width": "160px" - }, + }, { - "depends_on": "eval:doc.order_type == 'Sales'", - "fieldname": "delivery_date", - "fieldtype": "Date", - "hidden": 0, - "in_filter": 1, - "label": "Delivery Date", - "oldfieldname": "delivery_date", - "oldfieldtype": "Date", - "permlevel": 0, - "print_hide": 1, - "reqd": 0, - "search_index": 1, + "depends_on": "eval:doc.order_type == 'Sales'", + "fieldname": "delivery_date", + "fieldtype": "Date", + "hidden": 0, + "in_filter": 1, + "label": "Delivery Date", + "oldfieldname": "delivery_date", + "oldfieldtype": "Date", + "permlevel": 0, + "print_hide": 1, + "reqd": 0, + "search_index": 1, "width": "160px" - }, + }, { - "description": "Customer's Purchase Order Number", - "fieldname": "po_no", - "fieldtype": "Data", - "hidden": 0, - "label": "PO No", - "oldfieldname": "po_no", - "oldfieldtype": "Data", - "permlevel": 0, - "print_hide": 0, - "reqd": 0, + "description": "Customer's Purchase Order Number", + "fieldname": "po_no", + "fieldtype": "Data", + "hidden": 0, + "label": "PO No", + "oldfieldname": "po_no", + "oldfieldtype": "Data", + "permlevel": 0, + "print_hide": 0, + "reqd": 0, "width": "100px" - }, + }, { - "depends_on": "eval:doc.po_no", - "description": "Customer's Purchase Order Date", - "fieldname": "po_date", - "fieldtype": "Date", - "hidden": 0, - "label": "PO Date", - "oldfieldname": "po_date", - "oldfieldtype": "Date", - "permlevel": 0, - "print_hide": 0, - "reqd": 0, + "depends_on": "eval:doc.po_no", + "description": "Customer's Purchase Order Date", + "fieldname": "po_date", + "fieldtype": "Date", + "hidden": 0, + "label": "PO Date", + "oldfieldname": "po_date", + "oldfieldtype": "Date", + "permlevel": 0, + "print_hide": 0, + "reqd": 0, "width": "100px" - }, + }, { - "fieldname": "shipping_address_name", - "fieldtype": "Link", - "hidden": 1, - "in_filter": 1, - "label": "Shipping Address", - "options": "Address", - "permlevel": 0, - "print_hide": 1, + "fieldname": "shipping_address_name", + "fieldtype": "Link", + "hidden": 1, + "in_filter": 1, + "label": "Shipping Address", + "options": "Address", + "permlevel": 0, + "print_hide": 1, "read_only": 0 - }, + }, { - "fieldname": "shipping_address", - "fieldtype": "Small Text", - "hidden": 1, - "in_filter": 0, - "label": "Shipping Address", - "permlevel": 0, - "print_hide": 1, + "fieldname": "shipping_address", + "fieldtype": "Small Text", + "hidden": 1, + "in_filter": 0, + "label": "Shipping Address", + "permlevel": 0, + "print_hide": 1, "read_only": 1 - }, + }, { - "fieldname": "sec_break45", - "fieldtype": "Section Break", - "label": "Currency and Price List", - "options": "icon-tag", + "fieldname": "sec_break45", + "fieldtype": "Section Break", + "label": "Currency and Price List", + "options": "icon-tag", "permlevel": 0 - }, + }, { - "fieldname": "currency", - "fieldtype": "Link", - "label": "Currency", - "oldfieldname": "currency", - "oldfieldtype": "Select", - "options": "Currency", - "permlevel": 0, - "print_hide": 1, - "reqd": 1, + "fieldname": "currency", + "fieldtype": "Link", + "label": "Currency", + "oldfieldname": "currency", + "oldfieldtype": "Select", + "options": "Currency", + "permlevel": 0, + "print_hide": 1, + "reqd": 1, "width": "100px" - }, + }, { - "description": "Rate at which customer's currency is converted to company's base currency", - "fieldname": "conversion_rate", - "fieldtype": "Float", - "label": "Exchange Rate", - "oldfieldname": "conversion_rate", - "oldfieldtype": "Currency", - "permlevel": 0, - "print_hide": 1, - "reqd": 1, + "description": "Rate at which customer's currency is converted to company's base currency", + "fieldname": "conversion_rate", + "fieldtype": "Float", + "label": "Exchange Rate", + "oldfieldname": "conversion_rate", + "oldfieldtype": "Currency", + "permlevel": 0, + "print_hide": 1, + "reqd": 1, "width": "100px" - }, + }, { - "fieldname": "column_break2", - "fieldtype": "Column Break", - "permlevel": 0, + "fieldname": "column_break2", + "fieldtype": "Column Break", + "permlevel": 0, "width": "50%" - }, + }, { - "fieldname": "selling_price_list", - "fieldtype": "Link", - "label": "Price List", - "oldfieldname": "price_list_name", - "oldfieldtype": "Select", - "options": "Price List", - "permlevel": 0, - "print_hide": 1, - "reqd": 1, + "fieldname": "selling_price_list", + "fieldtype": "Link", + "label": "Price List", + "oldfieldname": "price_list_name", + "oldfieldtype": "Select", + "options": "Price List", + "permlevel": 0, + "print_hide": 1, + "reqd": 1, "width": "100px" - }, + }, { - "fieldname": "price_list_currency", - "fieldtype": "Link", - "label": "Price List Currency", - "options": "Currency", - "permlevel": 0, - "print_hide": 1, - "read_only": 1, + "fieldname": "price_list_currency", + "fieldtype": "Link", + "label": "Price List Currency", + "options": "Currency", + "permlevel": 0, + "print_hide": 1, + "read_only": 1, "reqd": 1 - }, + }, { - "description": "Rate at which Price list currency is converted to company's base currency", - "fieldname": "plc_conversion_rate", - "fieldtype": "Float", - "label": "Price List Exchange Rate", - "permlevel": 0, - "print_hide": 1, + "description": "Rate at which Price list currency is converted to company's base currency", + "fieldname": "plc_conversion_rate", + "fieldtype": "Float", + "label": "Price List Exchange Rate", + "permlevel": 0, + "print_hide": 1, "reqd": 1 - }, + }, { - "fieldname": "ignore_pricing_rule", - "fieldtype": "Check", - "label": "Ignore Pricing Rule", - "no_copy": 1, - "permlevel": 1, + "fieldname": "ignore_pricing_rule", + "fieldtype": "Check", + "label": "Ignore Pricing Rule", + "no_copy": 1, + "permlevel": 1, "print_hide": 1 - }, + }, { - "fieldname": "items", - "fieldtype": "Section Break", - "label": "Items", - "oldfieldtype": "Section Break", - "options": "icon-shopping-cart", + "fieldname": "items", + "fieldtype": "Section Break", + "label": "Items", + "oldfieldtype": "Section Break", + "options": "icon-shopping-cart", "permlevel": 0 - }, + }, { - "allow_on_submit": 1, - "fieldname": "sales_order_details", - "fieldtype": "Table", - "label": "Sales Order Items", - "oldfieldname": "sales_order_details", - "oldfieldtype": "Table", - "options": "Sales Order Item", - "permlevel": 0, - "print_hide": 0, + "allow_on_submit": 1, + "fieldname": "sales_order_details", + "fieldtype": "Table", + "label": "Sales Order Items", + "oldfieldname": "sales_order_details", + "oldfieldtype": "Table", + "options": "Sales Order Item", + "permlevel": 0, + "print_hide": 0, "reqd": 1 - }, + }, { - "description": "Display all the individual items delivered with the main items", - "fieldname": "packing_list", - "fieldtype": "Section Break", - "hidden": 0, - "label": "Packing List", - "oldfieldtype": "Section Break", - "options": "icon-suitcase", - "permlevel": 0, + "description": "Display all the individual items delivered with the main items", + "fieldname": "packing_list", + "fieldtype": "Section Break", + "hidden": 0, + "label": "Packing List", + "oldfieldtype": "Section Break", + "options": "icon-suitcase", + "permlevel": 0, "print_hide": 1 - }, + }, { - "fieldname": "packing_details", - "fieldtype": "Table", - "label": "Packing Details", - "oldfieldname": "packing_details", - "oldfieldtype": "Table", - "options": "Packed Item", - "permlevel": 0, - "print_hide": 1, + "fieldname": "packing_details", + "fieldtype": "Table", + "label": "Packing Details", + "oldfieldname": "packing_details", + "oldfieldtype": "Table", + "options": "Packed Item", + "permlevel": 0, + "print_hide": 1, "read_only": 1 - }, + }, { - "fieldname": "section_break_31", - "fieldtype": "Section Break", + "fieldname": "section_break_31", + "fieldtype": "Section Break", "permlevel": 0 - }, + }, { - "fieldname": "net_total_export", - "fieldtype": "Currency", - "label": "Net Total", - "options": "currency", - "permlevel": 0, + "fieldname": "net_total_export", + "fieldtype": "Currency", + "label": "Net Total", + "options": "currency", + "permlevel": 0, "read_only": 1 - }, + }, { - "fieldname": "column_break_33", - "fieldtype": "Column Break", + "fieldname": "column_break_33", + "fieldtype": "Column Break", "permlevel": 0 - }, + }, { - "fieldname": "net_total", - "fieldtype": "Currency", - "label": "Net Total (Company Currency)", - "oldfieldname": "net_total", - "oldfieldtype": "Currency", - "options": "Company:company:default_currency", - "permlevel": 0, - "print_hide": 1, - "read_only": 1, - "reqd": 0, + "fieldname": "net_total", + "fieldtype": "Currency", + "label": "Net Total (Company Currency)", + "oldfieldname": "net_total", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", + "permlevel": 0, + "print_hide": 1, + "read_only": 1, + "reqd": 0, "width": "150px" - }, + }, { - "fieldname": "taxes", - "fieldtype": "Section Break", - "label": "Taxes and Charges", - "oldfieldtype": "Section Break", - "options": "icon-money", - "permlevel": 0, + "fieldname": "taxes", + "fieldtype": "Section Break", + "label": "Taxes and Charges", + "oldfieldtype": "Section Break", + "options": "icon-money", + "permlevel": 0, "print_hide": 0 - }, + }, { - "fieldname": "taxes_and_charges", - "fieldtype": "Link", - "label": "Taxes and Charges", - "oldfieldname": "charge", - "oldfieldtype": "Link", - "options": "Sales Taxes and Charges Master", - "permlevel": 0, + "fieldname": "taxes_and_charges", + "fieldtype": "Link", + "label": "Taxes and Charges", + "oldfieldname": "charge", + "oldfieldtype": "Link", + "options": "Sales Taxes and Charges Master", + "permlevel": 0, "print_hide": 1 - }, + }, { - "fieldname": "column_break_38", - "fieldtype": "Column Break", + "fieldname": "column_break_38", + "fieldtype": "Column Break", "permlevel": 0 - }, + }, { - "fieldname": "shipping_rule", - "fieldtype": "Link", - "label": "Shipping Rule", - "oldfieldtype": "Button", - "options": "Shipping Rule", - "permlevel": 0, + "fieldname": "shipping_rule", + "fieldtype": "Link", + "label": "Shipping Rule", + "oldfieldtype": "Button", + "options": "Shipping Rule", + "permlevel": 0, "print_hide": 1 - }, + }, { - "fieldname": "section_break_40", - "fieldtype": "Section Break", + "fieldname": "section_break_40", + "fieldtype": "Section Break", "permlevel": 0 - }, + }, { - "fieldname": "other_charges", - "fieldtype": "Table", - "label": "Sales Taxes and Charges", - "oldfieldname": "other_charges", - "oldfieldtype": "Table", - "options": "Sales Taxes and Charges", + "fieldname": "other_charges", + "fieldtype": "Table", + "label": "Sales Taxes and Charges", + "oldfieldname": "other_charges", + "oldfieldtype": "Table", + "options": "Sales Taxes and Charges", "permlevel": 0 - }, + }, { - "fieldname": "other_charges_calculation", - "fieldtype": "HTML", - "label": "Taxes and Charges Calculation", - "oldfieldtype": "HTML", - "permlevel": 0, + "fieldname": "other_charges_calculation", + "fieldtype": "HTML", + "label": "Taxes and Charges Calculation", + "oldfieldtype": "HTML", + "permlevel": 0, "print_hide": 0 - }, + }, { - "fieldname": "section_break_43", - "fieldtype": "Section Break", + "fieldname": "section_break_43", + "fieldtype": "Section Break", "permlevel": 0 - }, + }, { - "fieldname": "other_charges_total_export", - "fieldtype": "Currency", - "label": "Taxes and Charges Total", - "options": "currency", - "permlevel": 0, - "print_hide": 1, + "fieldname": "other_charges_total_export", + "fieldtype": "Currency", + "label": "Taxes and Charges Total", + "options": "currency", + "permlevel": 0, + "print_hide": 1, "read_only": 1 - }, + }, { - "fieldname": "column_break_46", - "fieldtype": "Column Break", + "fieldname": "column_break_46", + "fieldtype": "Column Break", "permlevel": 0 - }, + }, { - "fieldname": "other_charges_total", - "fieldtype": "Currency", - "label": "Taxes and Charges Total (Company Currency)", - "oldfieldname": "other_charges_total", - "oldfieldtype": "Currency", - "options": "Company:company:default_currency", - "permlevel": 0, - "print_hide": 1, - "read_only": 1, + "fieldname": "other_charges_total", + "fieldtype": "Currency", + "label": "Taxes and Charges Total (Company Currency)", + "oldfieldname": "other_charges_total", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", + "permlevel": 0, + "print_hide": 1, + "read_only": 1, "width": "150px" - }, + }, { - "fieldname": "discount_amount", - "fieldtype": "Currency", - "label": "Discount Amount", - "options": "Company:company:default_currency", + "fieldname": "discount_amount", + "fieldtype": "Currency", + "label": "Discount Amount", + "options": "Company:company:default_currency", "permlevel": 0 - }, + }, { - "fieldname": "totals", - "fieldtype": "Section Break", - "label": "Totals", - "oldfieldtype": "Section Break", - "options": "icon-money", - "permlevel": 0, + "fieldname": "totals", + "fieldtype": "Section Break", + "label": "Totals", + "oldfieldtype": "Section Break", + "options": "icon-money", + "permlevel": 0, "print_hide": 1 - }, + }, { - "fieldname": "grand_total_export", - "fieldtype": "Currency", - "label": "Grand Total", - "oldfieldname": "grand_total_export", - "oldfieldtype": "Currency", - "options": "currency", - "permlevel": 0, - "print_hide": 0, - "read_only": 1, - "reqd": 0, + "fieldname": "grand_total_export", + "fieldtype": "Currency", + "label": "Grand Total", + "oldfieldname": "grand_total_export", + "oldfieldtype": "Currency", + "options": "currency", + "permlevel": 0, + "print_hide": 0, + "read_only": 1, + "reqd": 0, "width": "150px" - }, + }, { - "fieldname": "rounded_total_export", - "fieldtype": "Currency", - "label": "Rounded Total", - "oldfieldname": "rounded_total_export", - "oldfieldtype": "Currency", - "options": "currency", - "permlevel": 0, - "print_hide": 0, - "read_only": 1, + "fieldname": "rounded_total_export", + "fieldtype": "Currency", + "label": "Rounded Total", + "oldfieldname": "rounded_total_export", + "oldfieldtype": "Currency", + "options": "currency", + "permlevel": 0, + "print_hide": 0, + "read_only": 1, "width": "150px" - }, + }, { - "fieldname": "in_words_export", - "fieldtype": "Data", - "label": "In Words", - "oldfieldname": "in_words_export", - "oldfieldtype": "Data", - "permlevel": 0, - "print_hide": 0, - "read_only": 1, + "fieldname": "in_words_export", + "fieldtype": "Data", + "label": "In Words", + "oldfieldname": "in_words_export", + "oldfieldtype": "Data", + "permlevel": 0, + "print_hide": 0, + "read_only": 1, "width": "200px" - }, + }, { - "fieldname": "column_break3", - "fieldtype": "Column Break", - "oldfieldtype": "Column Break", - "permlevel": 0, - "print_hide": 1, + "fieldname": "column_break3", + "fieldtype": "Column Break", + "oldfieldtype": "Column Break", + "permlevel": 0, + "print_hide": 1, "width": "50%" - }, + }, { - "fieldname": "grand_total", - "fieldtype": "Currency", - "label": "Grand Total (Company Currency)", - "oldfieldname": "grand_total", - "oldfieldtype": "Currency", - "options": "Company:company:default_currency", - "permlevel": 0, - "print_hide": 1, - "read_only": 1, - "reqd": 0, + "fieldname": "grand_total", + "fieldtype": "Currency", + "label": "Grand Total (Company Currency)", + "oldfieldname": "grand_total", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", + "permlevel": 0, + "print_hide": 1, + "read_only": 1, + "reqd": 0, "width": "150px" - }, + }, { - "fieldname": "rounded_total", - "fieldtype": "Currency", - "label": "Rounded Total (Company Currency)", - "oldfieldname": "rounded_total", - "oldfieldtype": "Currency", - "options": "Company:company:default_currency", - "permlevel": 0, - "print_hide": 1, - "read_only": 1, + "fieldname": "rounded_total", + "fieldtype": "Currency", + "label": "Rounded Total (Company Currency)", + "oldfieldname": "rounded_total", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", + "permlevel": 0, + "print_hide": 1, + "read_only": 1, "width": "150px" - }, + }, { - "description": "In Words will be visible once you save the Sales Order.", - "fieldname": "in_words", - "fieldtype": "Data", - "label": "In Words (Company Currency)", - "oldfieldname": "in_words", - "oldfieldtype": "Data", - "permlevel": 0, - "print_hide": 1, - "read_only": 1, + "description": "In Words will be visible once you save the Sales Order.", + "fieldname": "in_words", + "fieldtype": "Data", + "label": "In Words (Company Currency)", + "oldfieldname": "in_words", + "oldfieldtype": "Data", + "permlevel": 0, + "print_hide": 1, + "read_only": 1, "width": "200px" - }, + }, { - "fieldname": "terms_section_break", - "fieldtype": "Section Break", - "label": "Terms and Conditions", - "oldfieldtype": "Section Break", - "options": "icon-legal", - "permlevel": 0, + "fieldname": "terms_section_break", + "fieldtype": "Section Break", + "label": "Terms and Conditions", + "oldfieldtype": "Section Break", + "options": "icon-legal", + "permlevel": 0, "print_hide": 0 - }, + }, { - "fieldname": "tc_name", - "fieldtype": "Link", - "label": "Terms", - "oldfieldname": "tc_name", - "oldfieldtype": "Link", - "options": "Terms and Conditions", - "permlevel": 0, - "print_hide": 1, + "fieldname": "tc_name", + "fieldtype": "Link", + "label": "Terms", + "oldfieldname": "tc_name", + "oldfieldtype": "Link", + "options": "Terms and Conditions", + "permlevel": 0, + "print_hide": 1, "search_index": 0 - }, + }, { - "fieldname": "terms", - "fieldtype": "Text Editor", - "label": "Terms and Conditions Details", - "oldfieldname": "terms", - "oldfieldtype": "Text Editor", - "permlevel": 0, + "fieldname": "terms", + "fieldtype": "Text Editor", + "label": "Terms and Conditions Details", + "oldfieldname": "terms", + "oldfieldtype": "Text Editor", + "permlevel": 0, "print_hide": 0 - }, + }, { - "depends_on": "customer", - "fieldname": "contact_info", - "fieldtype": "Section Break", - "label": "Contact Info", - "options": "icon-bullhorn", + "depends_on": "customer", + "fieldname": "contact_info", + "fieldtype": "Section Break", + "label": "Contact Info", + "options": "icon-bullhorn", "permlevel": 0 - }, + }, { - "fieldname": "col_break45", - "fieldtype": "Column Break", - "permlevel": 0, + "fieldname": "col_break45", + "fieldtype": "Column Break", + "permlevel": 0, "width": "50%" - }, + }, { - "description": "Add / Edit", - "fieldname": "territory", - "fieldtype": "Link", - "in_filter": 1, - "label": "Territory", - "options": "Territory", - "permlevel": 0, - "print_hide": 1, - "reqd": 1, + "description": "Add / Edit", + "fieldname": "territory", + "fieldtype": "Link", + "in_filter": 1, + "label": "Territory", + "options": "Territory", + "permlevel": 0, + "print_hide": 1, + "reqd": 1, "search_index": 1 - }, + }, { - "description": "Add / Edit", - "fieldname": "customer_group", - "fieldtype": "Link", - "in_filter": 1, - "label": "Customer Group", - "options": "Customer Group", - "permlevel": 0, - "print_hide": 1, - "reqd": 1, + "description": "Add / Edit", + "fieldname": "customer_group", + "fieldtype": "Link", + "in_filter": 1, + "label": "Customer Group", + "options": "Customer Group", + "permlevel": 0, + "print_hide": 1, + "reqd": 1, "search_index": 1 - }, + }, { - "fieldname": "col_break46", - "fieldtype": "Column Break", - "permlevel": 0, + "fieldname": "col_break46", + "fieldtype": "Column Break", + "permlevel": 0, "width": "50%" - }, + }, { - "fieldname": "customer_address", - "fieldtype": "Link", - "hidden": 0, - "in_filter": 1, - "label": "Customer Address", - "options": "Address", - "permlevel": 0, + "fieldname": "customer_address", + "fieldtype": "Link", + "hidden": 0, + "in_filter": 1, + "label": "Customer Address", + "options": "Address", + "permlevel": 0, "print_hide": 1 - }, + }, { - "fieldname": "contact_person", - "fieldtype": "Link", - "in_filter": 1, - "label": "Contact Person", - "options": "Contact", - "permlevel": 0, + "fieldname": "contact_person", + "fieldtype": "Link", + "in_filter": 1, + "label": "Contact Person", + "options": "Contact", + "permlevel": 0, "print_hide": 1 - }, + }, { - "fieldname": "more_info", - "fieldtype": "Section Break", - "label": "More Info", - "oldfieldtype": "Section Break", - "options": "icon-file-text", - "permlevel": 0, + "fieldname": "more_info", + "fieldtype": "Section Break", + "label": "More Info", + "oldfieldtype": "Section Break", + "options": "icon-file-text", + "permlevel": 0, "print_hide": 1 - }, + }, { - "description": "Track this Sales Order against any Project", - "fieldname": "project_name", - "fieldtype": "Link", - "in_filter": 1, - "label": "Project Name", - "oldfieldname": "project_name", - "oldfieldtype": "Link", - "options": "Project", - "permlevel": 0, + "description": "Track this Sales Order against any Project", + "fieldname": "project_name", + "fieldtype": "Link", + "in_filter": 1, + "label": "Project Name", + "oldfieldname": "project_name", + "oldfieldtype": "Link", + "options": "Project", + "permlevel": 0, "search_index": 1 - }, + }, { - "depends_on": "eval:doc.source == 'Campaign'", - "fieldname": "campaign", - "fieldtype": "Link", - "label": "Campaign", - "oldfieldname": "campaign", - "oldfieldtype": "Link", - "options": "Campaign", - "permlevel": 0, + "depends_on": "eval:doc.source == 'Campaign'", + "fieldname": "campaign", + "fieldtype": "Link", + "label": "Campaign", + "oldfieldname": "campaign", + "oldfieldtype": "Link", + "options": "Campaign", + "permlevel": 0, "print_hide": 1 - }, + }, { - "fieldname": "source", - "fieldtype": "Select", - "label": "Source", - "oldfieldname": "source", - "oldfieldtype": "Select", - "options": "\nExisting Customer\nReference\nAdvertisement\nCold Calling\nExhibition\nSupplier Reference\nMass Mailing\nCustomer's Vendor\nCampaign", - "permlevel": 0, + "fieldname": "source", + "fieldtype": "Select", + "label": "Source", + "oldfieldname": "source", + "oldfieldtype": "Select", + "options": "\nExisting Customer\nReference\nAdvertisement\nCold Calling\nExhibition\nSupplier Reference\nMass Mailing\nCustomer's Vendor\nCampaign", + "permlevel": 0, "print_hide": 1 - }, + }, { - "fieldname": "column_break4", - "fieldtype": "Column Break", - "oldfieldtype": "Column Break", - "permlevel": 0, - "print_hide": 1, + "fieldname": "column_break4", + "fieldtype": "Column Break", + "oldfieldtype": "Column Break", + "permlevel": 0, + "print_hide": 1, "width": "50%" - }, + }, { - "allow_on_submit": 1, - "fieldname": "letter_head", - "fieldtype": "Link", - "label": "Letter Head", - "oldfieldname": "letter_head", - "oldfieldtype": "Select", - "options": "Letter Head", - "permlevel": 0, + "allow_on_submit": 1, + "fieldname": "letter_head", + "fieldtype": "Link", + "label": "Letter Head", + "oldfieldname": "letter_head", + "oldfieldtype": "Select", + "options": "Letter Head", + "permlevel": 0, "print_hide": 1 - }, + }, { - "allow_on_submit": 1, - "fieldname": "select_print_heading", - "fieldtype": "Link", - "label": "Print Heading", - "no_copy": 1, - "oldfieldname": "select_print_heading", - "oldfieldtype": "Link", - "options": "Print Heading", - "permlevel": 0, - "print_hide": 1, + "allow_on_submit": 1, + "fieldname": "select_print_heading", + "fieldtype": "Link", + "label": "Print Heading", + "no_copy": 1, + "oldfieldname": "select_print_heading", + "oldfieldtype": "Link", + "options": "Print Heading", + "permlevel": 0, + "print_hide": 1, "report_hide": 1 - }, + }, { - "fieldname": "fiscal_year", - "fieldtype": "Link", - "in_filter": 1, - "label": "Fiscal Year", - "oldfieldname": "fiscal_year", - "oldfieldtype": "Select", - "options": "Fiscal Year", - "permlevel": 0, - "print_hide": 1, - "reqd": 1, - "search_index": 1, + "fieldname": "fiscal_year", + "fieldtype": "Link", + "in_filter": 1, + "label": "Fiscal Year", + "oldfieldname": "fiscal_year", + "oldfieldtype": "Select", + "options": "Fiscal Year", + "permlevel": 0, + "print_hide": 1, + "reqd": 1, + "search_index": 1, "width": "150px" - }, + }, { - "fieldname": "section_break_78", - "fieldtype": "Section Break", - "oldfieldtype": "Column Break", - "permlevel": 0, - "print_hide": 1, + "fieldname": "section_break_78", + "fieldtype": "Section Break", + "oldfieldtype": "Column Break", + "permlevel": 0, + "print_hide": 1, "width": "50%" - }, + }, { - "default": "Draft", - "fieldname": "status", - "fieldtype": "Select", - "in_filter": 1, - "in_list_view": 1, - "label": "Status", - "no_copy": 1, - "oldfieldname": "status", - "oldfieldtype": "Select", - "options": "\nDraft\nSubmitted\nStopped\nCancelled", - "permlevel": 0, - "print_hide": 1, - "read_only": 1, - "reqd": 1, - "search_index": 1, + "default": "Draft", + "fieldname": "status", + "fieldtype": "Select", + "in_filter": 1, + "in_list_view": 1, + "label": "Status", + "no_copy": 1, + "oldfieldname": "status", + "oldfieldtype": "Select", + "options": "\nDraft\nSubmitted\nStopped\nCancelled", + "permlevel": 0, + "print_hide": 1, + "read_only": 1, + "reqd": 1, + "search_index": 1, "width": "100px" - }, + }, { - "fieldname": "delivery_status", - "fieldtype": "Select", - "hidden": 1, - "label": "Delivery Status", - "no_copy": 1, - "options": "Delivered\nNot Delivered\nPartly Delivered\nClosed\nNot Applicable", - "permlevel": 0, + "fieldname": "delivery_status", + "fieldtype": "Select", + "hidden": 1, + "label": "Delivery Status", + "no_copy": 1, + "options": "Fully Delivered\nNot Delivered\nPartly Delivered\nClosed\nNot Applicable", + "permlevel": 0, "print_hide": 1 - }, + }, { - "depends_on": "eval:!doc.__islocal", - "description": "% of materials delivered against this Sales Order", - "fieldname": "per_delivered", - "fieldtype": "Percent", - "in_filter": 1, - "in_list_view": 1, - "label": "% Delivered", - "no_copy": 1, - "oldfieldname": "per_delivered", - "oldfieldtype": "Currency", - "permlevel": 0, - "print_hide": 1, - "read_only": 1, + "depends_on": "eval:!doc.__islocal", + "description": "% of materials delivered against this Sales Order", + "fieldname": "per_delivered", + "fieldtype": "Percent", + "in_filter": 1, + "in_list_view": 1, + "label": "% Delivered", + "no_copy": 1, + "oldfieldname": "per_delivered", + "oldfieldtype": "Currency", + "permlevel": 0, + "print_hide": 1, + "read_only": 1, "width": "100px" - }, + }, { - "fieldname": "column_break_81", - "fieldtype": "Column Break", + "fieldname": "column_break_81", + "fieldtype": "Column Break", "permlevel": 0 - }, + }, { - "depends_on": "eval:!doc.__islocal", - "description": "% of materials billed against this Sales Order", - "fieldname": "per_billed", - "fieldtype": "Percent", - "in_filter": 1, - "in_list_view": 1, - "label": "% Amount Billed", - "no_copy": 1, - "oldfieldname": "per_billed", - "oldfieldtype": "Currency", - "permlevel": 0, - "print_hide": 1, - "read_only": 1, + "depends_on": "eval:!doc.__islocal", + "description": "% of materials billed against this Sales Order", + "fieldname": "per_billed", + "fieldtype": "Percent", + "in_filter": 1, + "in_list_view": 1, + "label": "% Amount Billed", + "no_copy": 1, + "oldfieldname": "per_billed", + "oldfieldtype": "Currency", + "permlevel": 0, + "print_hide": 1, + "read_only": 1, "width": "100px" - }, + }, { - "fieldname": "billing_status", - "fieldtype": "Select", - "hidden": 1, - "label": "Billing Status", - "no_copy": 1, - "options": "Billed\nNot Billed\nPartly Billed\nClosed", - "permlevel": 0, + "fieldname": "billing_status", + "fieldtype": "Select", + "hidden": 1, + "label": "Billing Status", + "no_copy": 1, + "options": "Fully Billed\nNot Billed\nPartly Billed\nClosed", + "permlevel": 0, "print_hide": 1 - }, + }, { - "fieldname": "sales_team_section_break", - "fieldtype": "Section Break", - "label": "Sales Team", - "oldfieldtype": "Section Break", - "options": "icon-group", - "permlevel": 0, + "fieldname": "sales_team_section_break", + "fieldtype": "Section Break", + "label": "Sales Team", + "oldfieldtype": "Section Break", + "options": "icon-group", + "permlevel": 0, "print_hide": 1 - }, + }, { - "fieldname": "sales_partner", - "fieldtype": "Link", - "in_filter": 1, - "label": "Sales Partner", - "oldfieldname": "sales_partner", - "oldfieldtype": "Link", - "options": "Sales Partner", - "permlevel": 0, - "print_hide": 1, - "search_index": 1, + "fieldname": "sales_partner", + "fieldtype": "Link", + "in_filter": 1, + "label": "Sales Partner", + "oldfieldname": "sales_partner", + "oldfieldtype": "Link", + "options": "Sales Partner", + "permlevel": 0, + "print_hide": 1, + "search_index": 1, "width": "150px" - }, + }, { - "fieldname": "column_break7", - "fieldtype": "Column Break", - "permlevel": 0, - "print_hide": 1, + "fieldname": "column_break7", + "fieldtype": "Column Break", + "permlevel": 0, + "print_hide": 1, "width": "50%" - }, + }, { - "fieldname": "commission_rate", - "fieldtype": "Float", - "label": "Commission Rate", - "oldfieldname": "commission_rate", - "oldfieldtype": "Currency", - "permlevel": 0, - "print_hide": 1, + "fieldname": "commission_rate", + "fieldtype": "Float", + "label": "Commission Rate", + "oldfieldname": "commission_rate", + "oldfieldtype": "Currency", + "permlevel": 0, + "print_hide": 1, "width": "100px" - }, + }, { - "fieldname": "total_commission", - "fieldtype": "Currency", - "label": "Total Commission", - "oldfieldname": "total_commission", - "oldfieldtype": "Currency", - "options": "Company:company:default_currency", - "permlevel": 0, + "fieldname": "total_commission", + "fieldtype": "Currency", + "label": "Total Commission", + "oldfieldname": "total_commission", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", + "permlevel": 0, "print_hide": 1 - }, + }, { - "fieldname": "section_break1", - "fieldtype": "Section Break", - "permlevel": 0, + "fieldname": "section_break1", + "fieldtype": "Section Break", + "permlevel": 0, "print_hide": 1 - }, + }, { - "fieldname": "sales_team", - "fieldtype": "Table", - "label": "Sales Team1", - "oldfieldname": "sales_team", - "oldfieldtype": "Table", - "options": "Sales Team", - "permlevel": 0, + "fieldname": "sales_team", + "fieldtype": "Table", + "label": "Sales Team1", + "oldfieldname": "sales_team", + "oldfieldtype": "Table", + "options": "Sales Team", + "permlevel": 0, "print_hide": 1 } - ], - "icon": "icon-file-text", - "idx": 1, - "is_submittable": 1, - "issingle": 0, - "modified": "2014-06-27 07:55:52.555192", - "modified_by": "Administrator", - "module": "Selling", - "name": "Sales Order", - "owner": "Administrator", + ], + "icon": "icon-file-text", + "idx": 1, + "is_submittable": 1, + "issingle": 0, + "modified": "2014-07-04 17:16:36.889948", + "modified_by": "Administrator", + "module": "Selling", + "name": "Sales Order", + "owner": "Administrator", "permissions": [ { - "amend": 1, - "apply_user_permissions": 1, - "cancel": 1, - "create": 1, - "delete": 1, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Sales User", - "submit": 1, + "amend": 1, + "apply_user_permissions": 1, + "cancel": 1, + "create": 1, + "delete": 1, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Sales User", + "submit": 1, "write": 1 - }, + }, { - "amend": 1, - "cancel": 1, - "create": 1, - "delete": 1, - "email": 1, - "export": 1, - "import": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Sales Manager", - "set_user_permissions": 1, - "submit": 1, + "amend": 1, + "cancel": 1, + "create": 1, + "delete": 1, + "email": 1, + "export": 1, + "import": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Sales Manager", + "set_user_permissions": 1, + "submit": 1, "write": 1 - }, + }, { - "amend": 1, - "apply_user_permissions": 1, - "cancel": 1, - "create": 1, - "delete": 1, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Maintenance User", - "submit": 1, + "amend": 1, + "apply_user_permissions": 1, + "cancel": 1, + "create": 1, + "delete": 1, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Maintenance User", + "submit": 1, "write": 1 - }, + }, { - "apply_user_permissions": 1, - "cancel": 0, - "delete": 0, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, + "apply_user_permissions": 1, + "cancel": 0, + "delete": 0, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, "role": "Accounts User" - }, + }, { - "apply_user_permissions": 1, - "cancel": 0, - "delete": 0, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, + "apply_user_permissions": 1, + "cancel": 0, + "delete": 0, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, "role": "Customer" - }, + }, { - "apply_user_permissions": 1, - "permlevel": 0, - "read": 1, - "report": 1, + "apply_user_permissions": 1, + "permlevel": 0, + "read": 1, + "report": 1, "role": "Material User" - }, + }, { - "permlevel": 1, - "read": 1, - "role": "Sales Manager", + "permlevel": 1, + "read": 1, + "role": "Sales Manager", "write": 1 } - ], - "read_only_onload": 1, - "search_fields": "status,transaction_date,customer,customer_name, territory,order_type,company", - "sort_field": "modified", + ], + "read_only_onload": 1, + "search_fields": "status,transaction_date,customer,customer_name, territory,order_type,company", + "sort_field": "modified", "sort_order": "DESC" -} +} \ No newline at end of file diff --git a/erpnext/setup/doctype/item_group/item_group.py b/erpnext/setup/doctype/item_group/item_group.py index 3f6d2e5dd6..cf3442d90b 100644 --- a/erpnext/setup/doctype/item_group/item_group.py +++ b/erpnext/setup/doctype/item_group/item_group.py @@ -79,6 +79,10 @@ def get_child_groups(item_group_name): and show_in_website = 1""", {"lft": item_group.lft, "rgt": item_group.rgt}) def get_item_for_list_in_html(context): + # add missing absolute link in files + # user may forget it during upload + if context.get("website_image", "").startswith("files/"): + context["website_image"] = "/" + context["website_image"] return frappe.get_template("templates/includes/product_in_grid.html").render(context) def get_group_item_count(item_group): diff --git a/erpnext/setup/page/setup_wizard/setup_wizard.py b/erpnext/setup/page/setup_wizard/setup_wizard.py index a24f8ef7d7..ca52efb119 100644 --- a/erpnext/setup/page/setup_wizard/setup_wizard.py +++ b/erpnext/setup/page/setup_wizard/setup_wizard.py @@ -216,10 +216,6 @@ def set_defaults(args): hr_settings.emp_created_by = "Naming Series" hr_settings.save() - email_settings = frappe.get_doc("Outgoing Email Settings") - email_settings.send_print_in_body_and_attachment = 1 - email_settings.save() - def create_feed_and_todo(): """update activty feed and create todo for creation of item, customer, vendor""" from erpnext.home import make_feed From 484b0927202af460f60dc471efcca27313b92359 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Mon, 7 Jul 2014 14:02:22 +0530 Subject: [PATCH 307/630] BugFix in Purchase Order: Validate minimum order qty using Qty in Stock UOM --- erpnext/buying/doctype/purchase_order/purchase_order.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/buying/doctype/purchase_order/purchase_order.py b/erpnext/buying/doctype/purchase_order/purchase_order.py index ef3cd0672b..2109d72aa2 100644 --- a/erpnext/buying/doctype/purchase_order/purchase_order.py +++ b/erpnext/buying/doctype/purchase_order/purchase_order.py @@ -66,7 +66,7 @@ class PurchaseOrder(BuyingController): itemwise_min_order_qty = frappe._dict(frappe.db.sql("select name, min_order_qty from tabItem")) for d in self.get("po_details"): - if flt(d.qty) < flt(itemwise_min_order_qty.get(d.item_code)): + if flt(d.stock_qty) < flt(itemwise_min_order_qty.get(d.item_code)): frappe.throw(_("Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).").format(d.idx)) def get_schedule_dates(self): From 4f0a42846ceeb992d2cb8909b57342bb3c564d32 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Mon, 7 Jul 2014 15:21:18 +0530 Subject: [PATCH 308/630] Catch FiscalYearError in Re-order Item --- erpnext/stock/utils.py | 46 ++++++++++++++++++++++++++---------------- 1 file changed, 29 insertions(+), 17 deletions(-) diff --git a/erpnext/stock/utils.py b/erpnext/stock/utils.py index c724497f11..340e5511ff 100644 --- a/erpnext/stock/utils.py +++ b/erpnext/stock/utils.py @@ -7,6 +7,7 @@ import json from frappe.utils import flt, cstr, nowdate, add_days, cint from frappe.defaults import get_global_default from frappe.utils.email_lib import sendmail +from erpnext.accounts.utils import get_fiscal_year, FiscalYearError class InvalidWarehouseCompany(frappe.ValidationError): pass @@ -222,15 +223,30 @@ def reorder_item(): }) ) - create_material_request(material_requests) + if material_requests: + create_material_request(material_requests) def create_material_request(material_requests): """ Create indent on reaching reorder level """ mr_list = [] defaults = frappe.defaults.get_defaults() exceptions_list = [] - from erpnext.accounts.utils import get_fiscal_year - current_fiscal_year = get_fiscal_year(nowdate())[0] or defaults.fiscal_year + + def _log_exception(): + if frappe.local.message_log: + exceptions_list.extend(frappe.local.message_log) + frappe.local.message_log = [] + else: + exceptions_list.append(frappe.get_traceback()) + + try: + current_fiscal_year = get_fiscal_year(nowdate())[0] or defaults.fiscal_year + + except FiscalYearError: + _log_exception() + notify_errors(exceptions_list) + return + for request_type in material_requests: for company in material_requests[request_type]: try: @@ -266,11 +282,7 @@ def create_material_request(material_requests): mr_list.append(mr) except: - if frappe.local.message_log: - exceptions_list.append([] + frappe.local.message_log) - frappe.local.message_log = [] - else: - exceptions_list.append(frappe.get_traceback()) + _log_exception() if mr_list: if getattr(frappe.local, "reorder_email_notify", None) is None: @@ -307,16 +319,16 @@ def notify_errors(exceptions_list): subject = "[Important] [ERPNext] Error(s) while creating Material Requests based on Re-order Levels" msg = """Dear System Manager, - An error occured for certain Items while creating Material Requests based on Re-order level. +An error occured for certain Items while creating Material Requests based on Re-order level. - Please rectify these issues: - --- - - %s - - --- - Regards, - Administrator""" % ("\n\n".join(["\n".join(msg) for msg in exceptions_list]),) +Please rectify these issues: +--- +
+%s
+
+--- +Regards, +Administrator""" % ("\n\n".join(exceptions_list),) from frappe.utils.user import get_system_managers sendmail(get_system_managers(), subject=subject, msg=msg) From e729516af7877b6fd1f80bd0f5c2a1bf6ca5c980 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Mon, 7 Jul 2014 15:54:11 +0530 Subject: [PATCH 309/630] Minor fix --- erpnext/accounts/utils.py | 2 +- erpnext/setup/doctype/item_group/item_group.py | 1 + erpnext/setup/doctype/sales_partner/sales_partner.py | 1 + erpnext/stock/doctype/item/item.py | 2 ++ 4 files changed, 5 insertions(+), 1 deletion(-) diff --git a/erpnext/accounts/utils.py b/erpnext/accounts/utils.py index 60a755b440..bc005d7c94 100644 --- a/erpnext/accounts/utils.py +++ b/erpnext/accounts/utils.py @@ -184,7 +184,7 @@ def update_against_doc(d, jv_obj): ch = jv_obj.append("entries") ch.account = d['account'] ch.cost_center = cstr(jvd[0][0]) - ch.balance = cstr(jvd[0][1]) + ch.balance = flt(jvd[0][1]) ch.set(d['dr_or_cr'], flt(d['unadjusted_amt']) - flt(d['allocated_amt'])) ch.set(d['dr_or_cr']== 'debit' and 'credit' or 'debit', 0) ch.against_account = cstr(jvd[0][2]) diff --git a/erpnext/setup/doctype/item_group/item_group.py b/erpnext/setup/doctype/item_group/item_group.py index cf3442d90b..745345e58a 100644 --- a/erpnext/setup/doctype/item_group/item_group.py +++ b/erpnext/setup/doctype/item_group/item_group.py @@ -19,6 +19,7 @@ class ItemGroup(NestedSet, WebsiteGenerator): self.name = self.item_group_name def validate(self): + WebsiteGenerator.validate(self) if not self.parent_website_route: if frappe.db.get_value("Item Group", self.parent_item_group, "show_in_website"): self.parent_website_route = frappe.get_website_route("Item Group", diff --git a/erpnext/setup/doctype/sales_partner/sales_partner.py b/erpnext/setup/doctype/sales_partner/sales_partner.py index 296cd6aef9..0209df3302 100644 --- a/erpnext/setup/doctype/sales_partner/sales_partner.py +++ b/erpnext/setup/doctype/sales_partner/sales_partner.py @@ -14,6 +14,7 @@ class SalesPartner(WebsiteGenerator): self.name = self.partner_name def validate(self): + super(SalesPartner, self).validate() if self.partner_website and not self.partner_website.startswith("http"): self.partner_website = "http://" + self.partner_website diff --git a/erpnext/stock/doctype/item/item.py b/erpnext/stock/doctype/item/item.py index 1de9ad29be..21ed0571de 100644 --- a/erpnext/stock/doctype/item/item.py +++ b/erpnext/stock/doctype/item/item.py @@ -30,6 +30,8 @@ class Item(WebsiteGenerator): self.name = self.item_code def validate(self): + super(Item, self).validate() + if not self.stock_uom: msgprint(_("Please enter default Unit of Measure"), raise_exception=1) if self.image and not self.website_image: From 37f15ea664a4688ce3d7e237e793e7c58757ac90 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Mon, 7 Jul 2014 17:24:48 +0530 Subject: [PATCH 310/630] Translations: Indonesian, Japanese and Russian --- erpnext/translations/id.csv | 3278 +++++++++++++++++++++++++++++++++++ erpnext/translations/ja.csv | 3278 +++++++++++++++++++++++++++++++++++ erpnext/translations/ru.csv | 3278 +++++++++++++++++++++++++++++++++++ 3 files changed, 9834 insertions(+) create mode 100644 erpnext/translations/id.csv create mode 100644 erpnext/translations/ja.csv create mode 100644 erpnext/translations/ru.csv diff --git a/erpnext/translations/id.csv b/erpnext/translations/id.csv new file mode 100644 index 0000000000..f42f13a553 --- /dev/null +++ b/erpnext/translations/id.csv @@ -0,0 +1,3278 @@ + (Half Day), + and year: , +""" does not exists",Standar BOM +% Delivered,Tidak bisa meneruskan {0} +% Amount Billed,Gudang Reserved hilang di Sales Order +% Billed,Produk Disampaikan Akan Ditagih +% Completed,Faktur ada +% Delivered,Pasif +% Installed,Master Gaji Template. +% Received,Workstation +% of materials billed against this Purchase Order.,Membuka Waktu +% of materials billed against this Sales Order,Dapat disetujui oleh {0} +% of materials delivered against this Delivery Note,Filter berdasarkan pelanggan +% of materials delivered against this Sales Order,Tanggal Mulai +% of materials ordered against this Material Request,Aktual Tanggal Mulai +% of materials received against this Purchase Order,Masukkan Produksi Barang pertama +'Actual Start Date' can not be greater than 'Actual End Date',Pemasok (vendor) nama sebagaimana tercantum dalam pemasok utama +'Based On' and 'Group By' can not be same,% Terpasang +'Days Since Last Order' must be greater than or equal to zero,Pilih Bahasa Anda +'Entries' cannot be empty,Silakan tarik item dari Delivery Note +'Expected Start Date' can not be greater than 'Expected End Date',Terhadap Doctype +'From Date' is required,{0} bukan merupakan saham Barang +'From Date' must be after 'To Date',Struktur Gaji Pengurangan +'Has Serial No' can not be 'Yes' for non-stock item,Kontak utama. +'Notification Email Addresses' not specified for recurring invoice,Barang +'Profit and Loss' type account {0} not allowed in Opening Entry,Waktu Log {0} harus 'Dikirim' +'To Case No.' cannot be less than 'From Case No.',Pajak Pembelian dan Biaya Guru +'To Date' is required,Anda tidak dapat memasukkan kedua Delivery Note ada dan Faktur Penjualan No Masukkan salah satu. +'Update Stock' for Sales Invoice {0} must be set,Kirim Autoreply +* Will be calculated in the transaction.,Sumber Gudang +"1 Currency = [?] Fraction +For e.g. 1 USD = 100 Cent",Rencana kunjungan pemeliharaan. +1. To maintain the customer wise item code and to make them searchable based on their code use this option,Serial ada adalah wajib untuk Item {0} +"Add / Edit",{0} diperlukan +"Add / Edit",Dari Delivery Note +"Add / Edit",Mata Uang diperlukan untuk Daftar Harga {0} +"

Default Template

+

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

+
{{ address_line1 }}<br>
+{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}
+{{ city }}<br>
+{% if state %}{{ state }}<br>{% endif -%}
+{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}
+{{ country }}<br>
+{% if phone %}Phone: {{ phone }}<br>{% endif -%}
+{% if fax %}Fax: {{ fax }}<br>{% endif -%}
+{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
+
",Material Transfer +A Customer Group exists with same name please change the Customer name or rename the Customer Group,Kerja-in-Progress Gudang +A Customer exists with same name,Belum Menikah +A Lead with this email id should exist,Proyeksi +A Product or Service,"Jual harus diperiksa, jika Berlaku Untuk dipilih sebagai {0}" +A Supplier exists with same name,Waktu Pembuatan +A symbol for this currency. For e.g. $,Kirim sekarang +AMC Expiry Date,Sasaran +Abbr,ada +Abbreviation cannot have more than 5 characters,Tinggalkan approver harus menjadi salah satu {0} +Above Value,Untuk Menghargai +Absent,Instruksi +Acceptance Criteria,Aset saham +Accepted,Penyesuaian Stock Akun +Accepted + Rejected Qty must be equal to Received quantity for Item {0},Status Pengiriman +Accepted Quantity,Atleast satu gudang adalah wajib +Accepted Warehouse,Perihal +Account,Timbal Waktu Tanggal +Account Balance,Tinggalkan Type +Account Created: {0},Layanan Alamat +Account Details,Tutup Neraca dan Perhitungan Laba Rugi atau buku. +Account Head,Mata uang +Account Name,Kami menjual item ini +Account Type,"Kemudian Pricing Aturan disaring berdasarkan Pelanggan, Kelompok Pelanggan, Wilayah, Supplier, Supplier Type, Kampanye, Penjualan Mitra dll" +"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'",Jangan menunjukkan simbol seperti $ etc sebelah mata uang. +"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",Atleast salah satu Jual atau Beli harus dipilih +Account for the warehouse (Perpetual Inventory) will be created under this Account.,Silakan pilih awalan pertama +Account head {0} created,Upload keseimbangan saham melalui csv. +Account must be a balance sheet account,Nilai saat ini +Account with child nodes cannot be converted to ledger,Diharapkan Tanggal tidak bisa sebelum Material Request Tanggal +Account with existing transaction can not be converted to group.,Standard Jual +Account with existing transaction can not be deleted,Apakah Carry Teruskan +Account with existing transaction cannot be converted to ledger,Harap menyebutkan tidak ada kunjungan yang diperlukan +Account {0} cannot be a Group,Biarkan kosong jika dipertimbangkan untuk semua departemen +Account {0} does not belong to Company {1},Voucher Tidak ada +Account {0} does not exist,satria pasha +Account {0} has been entered more than once for fiscal year {1},Nomor registrasi PAJAK Pelanggan Anda (jika ada) atau informasi umum setiap +Account {0} is frozen,Janda +Account {0} is inactive,Nasabah ada dengan nama yang sama +Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item,Beban Klaim Ditolak Pesan +"Account: {0} can only be updated via \ + Stock Transactions",Menghentikan pengguna dari membuat Aplikasi Leave pada hari-hari berikutnya. +Accountant,"Item harus item pembelian, karena hadir dalam satu atau banyak BOMs Aktif" +Accounting,Dalam Kata-kata akan terlihat setelah Anda menyimpan Purchase Order. +"Accounting Entries can be made against leaf nodes, called",Baru +"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.",Rekonsiliasi JSON +Accounting journal entries.,Waktu Log Batch Detil +Accounts,Tidak ada dari Sent SMS +Accounts Browser,Perempat +Accounts Frozen Upto,Berulang Type +Accounts Payable,Ditagih% +Accounts Receivable,Memerintahkan Items Akan Ditagih +Accounts Settings,Akuntansi +Active,Buat Bank Voucher untuk gaji total yang dibayarkan untuk kriteria pilihan di atas +Active: Will extract emails from , +Activity,Faktur Periode Dari Tanggal +Activity Log,Nasabah Purchase Order Nomor +Activity Log:,Penjualan Browser +Activity Type,Departmen Store +Actual,Waktu Log Detail Batch +Actual Budget,Makanan +Actual Completion Date,Sabtu +Actual Date,Jumlah total tagihan yang diterima dari pemasok selama periode digest +Actual End Date,Piutang +Actual Invoice Date,misalnya PPN +Actual Posting Date,Sukses: +Actual Qty,Tahun Fiskal Tanggal Mulai dan Akhir Tahun Fiskal Tanggal tidak bisa lebih dari satu tahun terpisah. +Actual Qty (at source/target),Realisasi Qty +Actual Qty After Transaction,Pengaturan standar +Actual Qty: Quantity available in the warehouse.,Batch ada +Actual Quantity,Diperbarui Ulang Tahun Pengingat +Actual Start Date,Masukkan Gudang yang Material Permintaan akan dibangkitkan +Add,Item {0} dibatalkan +Add / Edit Taxes and Charges,Alasan pengunduran diri +Add Child,Tidak ada yang menyetujui Beban. Silakan menetapkan 'Beban Approver' Peran untuk minimal satu pengguna +Add Serial No,Standar Warehouse adalah wajib bagi saham Barang. +Add Taxes,"Untuk misalnya 2012, 2012-13" +Add Taxes and Charges,Nomor Cell +Add or Deduct,Tahun Nama +Add rows to set annual budgets on Accounts.,Material Receipt +Add to Cart,Item Pemasok Rincian +Add to calendar on this date,SO Qty +Add/Remove Recipients,BOM saat ini +Address,Syarat dan Conditions1 +Address & Contact,Membuat Slip Gaji +Address & Contacts,Mengagumkan Produk +Address Desc,Posisi untuk {0} tidak bisa kurang dari nol ({1}) +Address Details,Perbankan Investasi +Address HTML,Pemasok Kutipan Baru +Address Line 1,Jumlah Transfer +Address Line 2,Peluang Dari +Address Template,"Perusahaan, Bulan dan Tahun Anggaran adalah wajib" +Address Title,Tersedia Stock untuk Packing Produk +Address Title is mandatory.,Ini adalah kelompok pelanggan akar dan tidak dapat diedit. +Address Type,Impor Sukses! +Address master.,Quotation Pesan +Administrative Expenses,Root tidak dapat memiliki pusat biaya orang tua +Administrative Officer,Entah Target qty atau jumlah target adalah wajib. +Advance Amount,Slip Gaji Produktif +Advance amount,Menampilkan semua item individual disampaikan dengan item utama +Advances,Dikirim Pada +Advertisement,Masukkan Penerimaan Pembelian ada untuk melanjutkan +Advertising,"Stock Rekonsiliasi dapat digunakan untuk memperbarui saham pada tanggal tertentu, biasanya sesuai persediaan fisik." +Aerospace,Dari Nilai +After Sale Installations,Beban utilitas +Against,Fax +Against Account,Tambah Anak +Against Bill {0} dated {1},Menghasilkan HTML untuk memasukkan gambar yang dipilih dalam deskripsi +Against Docname,Kesalahan Stock negatif ({} 6) untuk Item {0} Gudang {1} pada {2} {3} di {4} {5} +Against Doctype,Unit / Jam +Against Document Detail No,Standar Sasaran Gudang +Against Document No,Pilih yang Anda ingin mengirim newsletter ini untuk +Against Entries,Bulan +Against Expense Account,Merek Nama +Against Income Account,Kehilangan Alasan +Against Journal Voucher,Biografi singkat untuk website dan publikasi lainnya. +Against Journal Voucher {0} does not have any unmatched {1} entry,Kondisi Tumpang Tindih ditemukan antara: +Against Purchase Invoice,Penilaian Tingkat diperlukan untuk Item {0} +Against Sales Invoice,Beku +Against Sales Order,Gudang-Wise Stock Balance +Against Voucher,Pelanggan / Lead Nama +Against Voucher Type,Gudang adalah wajib bagi saham Barang {0} berturut-turut {1} +Ageing Based On,Apakah Anda benar-benar ingin BERHENTI +Ageing Date is mandatory for opening entry,Untuk Daftar Harga +Ageing date is mandatory for opening entry,"Jika dicentang, BOM untuk item sub-assembly akan dipertimbangkan untuk mendapatkan bahan baku. Jika tidak, semua item sub-assembly akan diperlakukan sebagai bahan baku." +Agent,Berat Bersih +Aging Date,Penjualan Mitra Sasaran +Aging Date is mandatory for opening entry,Aturan harga selanjutnya disaring berdasarkan kuantitas. +Agriculture,Jika Penghasilan atau Beban +Airline,Masa Garansi (Hari) +All Addresses.,Permintaan Bahan maksimal {0} dapat dibuat untuk Item {1} terhadap Sales Order {2} +All Contact,Lelang Online +All Contacts.,Barang akan disimpan dengan nama ini dalam data base. +All Customer Contact,Alamat Baris 2 +All Customer Groups,Pesanan produksi {0} harus dibatalkan sebelum membatalkan Sales Order ini +All Day,Autoreply ketika mail baru diterima +All Employee (Active),Sync Dukungan Email +All Item Groups,Serial Number Series +All Lead (Open),Pemeliharaan Type +All Products or Services.,Silahkan pilih Kategori pertama +All Sales Partner Contact,Membeli Jumlah +All Sales Person,Waktu Log Batch +All Supplier Contact,Ukuran Sampel +All Supplier Types,Bundel item pada saat penjualan. +All Territories,Peluang Hilang +"All export related fields like currency, conversion rate, export total, export grand total etc are available in Delivery Note, POS, Quotation, Sales Invoice, Sales Order etc.",Tanggal +"All import related fields like currency, conversion rate, import total, import grand total etc are available in Purchase Receipt, Supplier Quotation, Purchase Invoice, Purchase Order etc.",Akun {0} harus bertipe 'Aset Tetap' sebagai Barang {1} adalah sebuah Aset Barang +All items have already been invoiced,Tempat Issue +All these items have already been invoiced,Karyawan Email Id +Allocate,"Item Grup ada dengan nama yang sama, ubah nama item atau mengubah nama kelompok barang" +Allocate Amount Automatically,Sinkronisasi dengan Google Drive +Allocate leaves for a period.,Masukkan alamat email +Allocate leaves for the year.,Pengaturan default untuk menjual transaksi. +Allocated Amount,Dapatkan Stok saat ini +Allocated Budget,"Untuk mengatur Tahun Anggaran ini sebagai Default, klik 'Set as Default'" +Allocated amount,Silakan pilih perusahaan pertama. +Allocated amount can not be negative,Gandakan entri. Silakan periksa Peraturan Otorisasi {0} +Allocated amount can not greater than unadusted amount,Gandakan Serial yang dimasukkan untuk Item {0} +Allow Bill of Materials,Row {0}: entry Debit tidak dapat dihubungkan dengan Faktur Penjualan +Allow Bill of Materials should be 'Yes'. Because one or many active BOMs present for this item,Dapatkan Spesifikasi Detail +Allow Children,Mendesak +Allow Dropbox Access,Client (Nasabah) +Allow Google Drive Access,Daun baru Dialokasikan (Dalam Hari) +Allow Negative Balance,Contact Person +Allow Negative Stock,Untuk Paket No +Allow Production Order,Rabu +Allow User,Serial ada Status +Allow Users,Insinyur +Allow the following users to approve Leave Applications for block days.,Pilih template dari mana Anda ingin mendapatkan Goals +Allow user to edit Price List Rate in transactions,Diterima Tanggal +Allowance Percent,Berlaku untuk Wilayah +Allowance for over-delivery / over-billing crossed for Item {0},Instalasi Catatan Barang +Allowance for over-delivery / over-billing crossed for Item {0}.,Catatan +Allowed Role to Edit Entries Before Frozen Date,"""Diharapkan Tanggal Mulai 'tidak dapat lebih besar dari' Diharapkan Tanggal End '" +Amended From,Penjualan Faktur Pesan +Amount,Dalam Kata-kata (Ekspor) akan terlihat setelah Anda menyimpan Delivery Note. +Amount (Company Currency),Tingkat Jam +Amount <=,Komputer +Amount >=,Sumber gudang adalah wajib untuk baris {0} +Amount to Bill,New BOM +An Customer exists with same name,Industri +"An Item Group exists with same name, please change the item name or rename the item group",Batch Waktu Log ini telah dibatalkan. +"An item exists with same name ({0}), please change the item group name or rename the item",Order produksi yang terpisah akan dibuat untuk setiap item barang jadi. +Analyst,Tambahkan ke kalender pada tanggal ini +Annual,Anda tidak dapat mengubah tingkat jika BOM disebutkan agianst item +Another Period Closing Entry {0} has been made after {1},Ekspor +Another Salary Structure {0} is active for employee {0}. Please make its status 'Inactive' to proceed.,Diharapkan Pengiriman Tanggal tidak bisa sebelum Purchase Order Tanggal +"Any other comments, noteworthy effort that should go in the records.",Merek +Apparel & Accessories,Aturan Otorisasi +Applicability,Sales Order Barang +Applicable For,{0} {1} terhadap Faktur {2} +Applicable Holiday List,% Dari materi yang disampaikan terhadap Pengiriman ini Note +Applicable Territory,Aset Pajak +Applicable To (Designation),"Hanya ada satu Peraturan Pengiriman Kondisi dengan nilai kosong atau 0 untuk ""To Nilai""" +Applicable To (Employee),Penjualan Person Nama +Applicable To (Role),"Bahkan jika ada beberapa Aturan Harga dengan prioritas tertinggi, kemudian mengikuti prioritas internal diterapkan:" +Applicable To (User),Mengabaikan +Applicant Name,Alamat permanen Apakah +Applicant for a Job.,Itemwise Diskon +Application of Funds (Assets),Miscelleneous +Applications for leave.,Pertanyaan Baru +Applies to Company,Gudang dan Referensi +Apply On,Sebenarnya Posting Tanggal +Appraisal,Qty Tersedia di Gudang +Appraisal Goal,"Pergi ke grup yang sesuai (biasanya Penerapan Dana> Aset Lancar> Rekening Bank dan membuat Akun baru Ledger (dengan mengklik Tambahkan Child) tipe ""Bank""" +Appraisal Goals,Perbedaan (Dr - Cr) +Appraisal Template,Dari Pemeliharaan Jadwal +Appraisal Template Goal,Dapat merujuk baris hanya jika jenis biaya adalah 'On Sebelumnya Row Jumlah' atau 'Sebelumnya Row Jumlah' +Appraisal Template Title,Tidak ada Alamat bawaan Template ditemukan. Harap membuat yang baru dari Pengaturan> Percetakan dan Branding> Template Alamat. +Appraisal {0} created for Employee {1} in the given date range,Cetak dan Alat Tulis +Apprentice,Pembelian +Approval Status,Berulang Id +Approval Status must be 'Approved' or 'Rejected',Tidak ada izin +Approved," Add / Edit " +Approver,Selesai +Approving Role,Lembar Kehadiran Bulanan +Approving Role cannot be same as role the rule is Applicable To,Dukungan Tiket +Approving User,{0} {1} tidak disampaikan +Approving User cannot be same as user the rule is Applicable To,Convert to Ledger +Are you sure you want to STOP , +Are you sure you want to UNSTOP , +Arrear Amount,Setup Anda selesai. Refreshing ... +"As Production Order can be made for this item, it must be a stock item.","Berat disebutkan, \ nSilakan menyebutkan ""Berat UOM"" terlalu" +As per Stock UOM,{0} masuk dua kali dalam Pajak Barang +"As there are existing stock transactions for this item, you can not change the values of 'Has Serial No', 'Is Stock Item' and 'Valuation Method'",Lampirkan Surat +Asset,Carry Teruskan +Assistant,Batas Pembebasan +Associate,Publik +Atleast one of the Selling or Buying must be selected,Pesanan Produksi Selesai +Atleast one warehouse is mandatory,Penerimaan Pembelian Produk +Attach Image,Dikirim +Attach Letterhead,Ubah +Attach Logo,Berlaku Untuk +Attach Your Picture,Mengelola biaya operasi +Attendance,Pemasok Barang Quotation +Attendance Date,Melawan Voucher +Attendance Details,Batch (banyak) dari Item. +Attendance From Date,Apakah POS +Attendance From Date and Attendance To Date is mandatory,Format ini digunakan jika format khusus negara tidak ditemukan +Attendance To Date,Pilih Penjualan Pesanan dari mana Anda ingin membuat Pesanan Produksi. +Attendance can not be marked for future dates,Barang UOM +Attendance for employee {0} is already marked,PL atau BS +Attendance record.,MTN Detail +Authorization Control,Tampilkan Di Website +Authorization Rule,Atas Nilai +Auto Accounting For Stock Settings,Menghilangkan Tanggal harus lebih besar dari Tanggal Bergabung +Auto Material Request,Masuk +Auto-raise Material Request if quantity goes below re-order level in a warehouse,Pengiriman Note No +Automatically compose message on submission of transactions.,Landed Biaya Wisaya +Automatically extract Job Applicants from a mail box , +Automatically extract Leads from a mail box e.g.,Newsletter telah terkirim +Automatically updated via Stock Entry of type Manufacture/Repack,Stock Analytics +Automotive,Impor +Autoreply when a new mail is received,Tingkat di mana mata uang Daftar Harga dikonversi ke mata uang dasar pelanggan +Available,"Periksa apakah Anda memerlukan faktur berulang otomatis. Setelah mengirimkan setiap faktur penjualan, bagian Berulang akan terlihat." +Available Qty at Warehouse,Walk In +Available Stock for Packing Items,Master proyek. +"Available in BOM, Delivery Note, Purchase Invoice, Production Order, Purchase Order, Purchase Receipt, Sales Invoice, Sales Order, Stock Entry, Timesheet",Pilih Gudang ... +Average Age,Sebagian Selesai +Average Commission Rate,Log Aktivitas: +Average Discount,Ponsel Nomor +Awesome Products,Upload file csv dengan dua kolom:. Nama lama dan nama baru. Max 500 baris. +Awesome Services,Tidak ada standar BOM ada untuk Item {0} +BOM Detail No,Perawatan Kesehatan +BOM Explosion Item,Acara Scheduler Gagal +BOM Item,Pendahuluan +BOM No,'Untuk Kasus No' tidak bisa kurang dari 'Dari Kasus No' +BOM No. for a Finished Good Item,Pilih periode ketika invoice akan dibuat secara otomatis +BOM Operation,Untuk membuat Akun Pajak: +BOM Operations,Pinjaman Tanpa Jaminan +BOM Replace Tool,Item {0} telah dikembalikan +BOM number is required for manufactured Item {0} in row {1},BOM yang akan diganti +BOM number not allowed for non-manufactured Item {0} in row {1},Kamis +BOM recursion: {0} cannot be parent or child of {2},"Sebuah Kelompok Pelanggan ada dengan nama yang sama, silakan mengubah nama Nasabah atau mengubah nama Grup Pelanggan" +BOM replaced,Lain Periode Pendaftaran penutupan {0} telah dibuat setelah {1} +BOM {0} for Item {1} in row {2} is inactive or not submitted,Penerimaan Pembelian Pesan +BOM {0} is not active or not submitted,Skor Total (Out of 5) +BOM {0} is not submitted or inactive BOM for Item {1},Seri Diperbarui +Backup Manager,Pemasok Gudang +Backup Right Now,Sewaan +Backups will be uploaded to,Masa Garansi (dalam hari) +Balance Qty,Pengaturan +Balance Sheet,% Bahan ditagih terhadap Purchase Order ini. +Balance Value,Serial ada {0} berada di bawah kontrak pemeliharaan upto {1} +Balance for Account {0} must always be {1},Tanggal jatuh tempo tidak bisa sebelum Tanggal Posting +Balance must be,Nomor +"Balances of Accounts of type ""Bank"" or ""Cash""",Diproduksi Kuantitas +Bank,{0} Status {1} adalah Berhenti +Bank A/C No.,Garansi / Detail AMC +Bank Account,Memimpin Waktu Hari +Bank Account No.,Privilege Cuti +Bank Accounts,Komunikasi HTML +Bank Clearance Summary,Perusahaan Baru +Bank Draft,Status pemeliharaan +Bank Name,Dari Package No +Bank Overdraft Account,"misalnya Kg, Unit, Nos, m" +Bank Reconciliation,Kirim SMS massal ke kontak Anda +Bank Reconciliation Detail,Faktur Penjualan +Bank Reconciliation Statement,Silakan pilih file csv dengan data yang valid +Bank Voucher,"Jika disable, lapangan 'Rounded Jumlah' tidak akan terlihat dalam setiap transaksi" +Bank/Cash Balance,Operasi {0} tidak hadir dalam Operasi Tabel +Banking,Mata uang ini dinonaktifkan. Aktifkan untuk digunakan dalam transaksi +Barcode,Wilayah Sasaran Variance Barang Group-Wise +Barcode {0} already used in Item {1},Minggu +Based On,Pending Items {0} diperbarui +Basic,Penutup Qty +Basic Info,Mengalokasikan daun untuk tahun ini. +Basic Information,Perjalanan +Basic Rate,Peralatan Modal +Basic Rate (Company Currency),Voucher periode penutupan +Batch,Target Penjualan Orang +Batch (lot) of an Item.,Dalam Nilai +Batch Finished Date,Pengecer +Batch ID,Tahun Penghasilan Tanggal +Batch No,Total +Batch Started Date,Peringatan: Sales Order {0} sudah ada terhadap nomor Purchase Order yang sama +Batch Time Logs for billing.,Rekan +Batch-Wise Balance History,Pernyataan Rekening +Batched for Billing,Tidak ada Izin +Better Prospects,"Account kepala di bawah Kewajiban, di mana Laba / Rugi akan dipesan" +Bill Date,Detail Resolusi +Bill No,Penghasilan / Beban +Bill No {0} already booked in Purchase Invoice {1},Masukkan item dan qty direncanakan untuk yang Anda ingin meningkatkan pesanan produksi atau download bahan baku untuk analisis. +Bill of Material,Debit Note +Bill of Material to be considered for manufacturing,Olahraga +Bill of Materials (BOM),Kredit Jumlah Yang +Billable,"Entri Akuntansi beku up to date ini, tak seorang pun bisa melakukan / memodifikasi entri kecuali peran ditentukan di bawah ini." +Billed,Anda tidak diizinkan untuk membalas tiket ini. +Billed Amount,Non Profit +Billed Amt,Dengan Operasi +Billing,'Dari Tanggal' diperlukan +Billing Address,lft +Billing Address Name,Catatan: Karena Tanggal melebihi hari-hari kredit diperbolehkan oleh {0} hari (s) +Billing Status,Aplikasi untuk cuti. +Bills raised by Suppliers.,Block Hari +Bills raised to Customers.,Ditagih Jumlah +Bin,Keterangan Pengguna akan ditambahkan ke Auto Remark +Bio,Bin +Biotechnology,Duduk diam sementara sistem anda sedang setup. Ini mungkin memerlukan beberapa saat. +Birthday,Nama Bank +Block Date,Jika tidak berlaku silahkan masukkan: NA +Block Days,Target Distribusi +Block leave applications by department.,5. Bank Reconciliation (Rekonsiliasi Bank) +Blog Post,LR ada +Blog Subscriber,Konsultasi +Blood Group,Penjualan BOM +Both Warehouse must belong to same Company,{0} adalah wajib +Box,Bills diangkat ke Pelanggan. +Branch,Harap masukkan tanggal Referensi +Brand,Tanggal mulai pemeliharaan tidak bisa sebelum tanggal pengiriman untuk Serial No {0} +Brand Name,Tanggal Berakhir +Brand master.,Penyisihan over-pengiriman / over-billing menyeberang untuk Item {0} +Brands,Rencana Produksi Produk +Breakdown,Apakah Stock Barang +Broadcasting,Grand Total +Brokerage,Pembukaan (Dr) +Budget,Items +Budget Allocated,Saldo negatif dalam Batch {0} untuk Item {1} di Gudang {2} pada {3} {4} +Budget Detail,Valid Upto +Budget Details,Reserved Kuantitas +Budget Distribution,Alamat HTML +Budget Distribution Detail,Beban +Budget Distribution Details,Jadwal pemeliharaan {0} ada terhadap {0} +Budget Variance Report,Nomor pesanan purchse diperlukan untuk Item {0} +Budget cannot be set for Group Cost Centers,Saldo Nilai +Build Report,Untuk Karyawan +Bundle items at time of sale.,Ditolak Kuantitas +Business Development Manager,Skor Earned +Buying,Situs Barang Grup +Buying & Selling,Item Batch Nos +Buying Amount,Penghasilan dipesan untuk periode digest +Buying Settings,Mengagumkan Jasa +"Buying must be checked, if Applicable For is selected as {0}",Info Transporter +C-Form,Item diperlukan +C-Form Applicable,Cash In Hand +C-Form Invoice Detail,Nama Libur +C-Form No,Upload Kehadiran +C-Form records,Pengiriman +Calculate Based On,Tidak berwenang untuk mengedit Akun beku {0} +Calculate Total Score,Beban Klaim sedang menunggu persetujuan. Hanya Approver Beban dapat memperbarui status. +Calendar Events,Paket Items +Call,Pilih Transaksi +Calls,Kirim Ke +Campaign,Tidak Cuti yang menyetujui. Silakan menetapkan Peran 'Leave Approver' untuk minimal satu pengguna +Campaign Name,'Laba Rugi' jenis account {0} tidak diperbolehkan dalam Pembukaan Entri +Campaign Name is required,Detail Timbal +Campaign Naming By,New Stock UOM +Campaign-.####,POP3 server misalnya (pop.gmail.com) +Can be approved by {0},Kutipan +"Can not filter based on Account, if grouped by Account",Apakah Anda yakin ingin unstop +"Can not filter based on Voucher No, if grouped by Voucher",Diproduksi Qty +Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',Tanggal pembukaan +Cancel Material Visit {0} before cancelling this Customer Issue,Persentase Diskon +Cancel Material Visits {0} before cancelling this Maintenance Visit,Pay Bersih (dalam kata-kata) akan terlihat setelah Anda menyimpan Slip Gaji. +Cancelled,Penerimaan Pembelian Barang Supplieds +Cancelling this Stock Reconciliation will nullify its effect.,Pengaturan +Cannot Cancel Opportunity as Quotation Exists,Biarkan Saldo Negatif +Cannot approve leave as you are not authorized to approve leaves on Block Dates,Stock Rekonsiliasi +Cannot cancel because Employee {0} is already approved for {1},Frozen Account Modifier +Cannot cancel because submitted Stock Entry {0} exists,Semua Barang Grup +Cannot carry forward {0},Jadwal pemeliharaan Barang +Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,Sehari-hari +"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.",Terjadwal +Cannot convert Cost Center to ledger as it has child nodes,Alamat Baris 1 +Cannot covert to Group because Master Type or Account Type is selected.,Gudang tidak ditemukan dalam sistem +Cannot deactive or cancle BOM as it is linked with other BOMs,Hal ini juga dapat digunakan untuk membuat entri saham membuka dan memperbaiki nilai saham. +"Cannot declare as lost, because Quotation has been made.",Karyawan {0} sedang cuti pada {1}. Tidak bisa menandai kehadiran. +Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Dibesarkan Oleh +"Cannot delete Serial No {0} in stock. First remove from stock, then delete.",Bank Account/Rekening Bank +"Cannot directly set amount. For 'Actual' charge type, use the rate field",Referensi Row # +"Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in Stock Settings",Klasik +Cannot produce more Item {0} than Sales Order quantity {1},Bill of Material untuk dipertimbangkan untuk manufaktur +Cannot refer row number greater than or equal to current row number for this Charge type,Penerimaan Pembelian Barang +Cannot return more than {0} for Item {1},Pemasok-Wise Penjualan Analytics +Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,Pay To / RECD Dari +Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for valuation. You can select only 'Total' option for previous row amount or previous row total,Pembelian Kembali +Cannot set as Lost as Sales Order is made.,Distributor +Cannot set authorization on basis of Discount for {0},Diskon harus kurang dari 100 +Capacity,Valid Nama Pengguna atau Dukungan Password. Harap memperbaiki dan coba lagi. +Capacity Units,Tinggalkan dicairkan? +Capital Account,Silahkan buat akun baru dari Bagan Akun. +Capital Equipments,Upload kop surat dan logo - Anda dapat mengedit mereka nanti. +Carry Forward,Kepala Pemasaran dan Penjualan +Carry Forwarded Leaves,Pengirim SMS Nama +Case No(s) already in use. Try from Case No {0},Pengaturan server masuk untuk email penjualan id. (Misalnya sales@example.com) +Case No. cannot be 0,Proyek Tanggal Mulai +Cash,Jenis Kelamin +Cash In Hand,Tinggalkan Saldo Sebelum Aplikasi +Cash Voucher,"Silakan pilih ""Gambar"" pertama" +Cash or Bank Account is mandatory for making payment entry," Add / Edit " +Cash/Bank Account,Jumlah Uang Muka +Casual Leave,Rekonsiliasi HTML +Cell Number,Daftar item yang membentuk paket. +Change UOM for an Item.,Inspeksi Diperlukan +Change the starting / current sequence number of an existing series.,Nilai Tukar +Channel Partner,Kredit Untuk +Charge of type 'Actual' in row {0} cannot be included in Item Rate,Akun Dibuat: {0} +Chargeable,Inang +Charity and Donations,{0} nos seri berlaku untuk Item {1} +Chart Name,Dinonaktifkan +Chart of Accounts,Singkatan Perusahaan +Chart of Cost Centers,Kirim SMS +Check how the newsletter looks in an email by sending it to your email.,Mendukung +"Check if recurring invoice, uncheck to stop recurring or put proper End Date","Setelan email untuk mengekstrak Memimpin dari id email penjualan misalnya ""sales@example.com""" +"Check if you need automatic recurring invoices. After submitting any sales invoice, Recurring section will be visible.",Di bawah AMC +Check if you want to send salary slip in mail to each employee while submitting salary slip,Upload HTML +Check this if you want to force the user to select a series before saving. There will be no default if you check this.,Apakah Layanan Barang +Check this if you want to show in website,Dari Material Permintaan +Check this to disallow fractions. (for Nos),"Untuk bergabung, sifat berikut harus sama untuk kedua item" +Check this to pull emails from your mailbox,Hiburan & Kenyamanan +Check to activate,Halaman Utama +Check to make Shipping Address,Tingkat di mana Bill Currency diubah menjadi mata uang dasar perusahaan +Check to make primary address,Berlaku Untuk Wilayah +Chemical,Account Settings +Cheque,Grup +Cheque Date,Acak +Cheque Number,Serial number {0} masuk lebih dari sekali +Child account exists for this account. You can not delete this account.,"Pilih Distribusi Anggaran, jika Anda ingin melacak berdasarkan musim." +City,Tanggal Kontrak End +City/Town,Batch Dimulai Tanggal +Claim Amount,Syarat dan Ketentuan Template +Claims for company expense.,Rencana Produksi Sales Order +Class / Percentage,Pernyataan Bank Rekonsiliasi +Classic,Bawaan Pelanggan Grup +Clear Table,Barang Untuk Industri +Clearance Date,Tidak bisa Batal Peluang sebagai Quotation Exists +Clearance Date not mentioned,Pekerjaan Selesai +Clearance date cannot be before check date in row {0},Rata-rata Diskon +Click on 'Make Sales Invoice' button to create a new Sales Invoice.,Item Serial Nos +Click on a link to get options to expand get options , +Client,Tunggal +Close Balance Sheet and book Profit or Loss.,Item {0} tidak setup untuk Serial Nos Kolom harus kosong +Closed,Tanggal Jatuh Tempo Pembayaran +Closing Account Head,Alamat Type +Closing Account {0} must be of type 'Liability',Pemasok Rincian +Closing Date,GL Entri +Closing Fiscal Year,Karyawan +Closing Qty,Masukkan 'Apakah subkontrak' sebagai Ya atau Tidak +Closing Value,Anda telah memasuki duplikat item. Harap memperbaiki dan coba lagi. +CoA Help,Permintaan Material +Code,Pemasok> Pemasok Type +Cold Calling,Untuk Gudang diperlukan sebelum Submit +Color,Tidak ada entri akuntansi untuk gudang berikut +Comma separated list of email addresses,Sembunyikan Currency Symbol +Comment,Sebelumnya +Comments,Login Id Anda +Commercial,Voucher Cukai +Commission,"misalnya ""Membangun alat untuk pembangun """ +Commission Rate,Peluang Produk +Commission Rate (%),Template istilah atau kontrak. +Commission on Sales,Mr +Commission rate cannot be greater than 100,Istilah +Communication,Berlaku Untuk (User) +Communication HTML,Content Type +Communication History,Dari Bill of Material +Communication log.,Anak Perusahaan +Communications,Stock UOM Ganti Utilitas +Company,Daftar Belanja Daftar Harga +Company (not Customer or Supplier) master.,Sales Order {0} tidak valid +Company Abbreviation,Untuk Diskusikan +Company Details,Tidak ada Status {0} Serial harus 'Tersedia' untuk Menyampaikan +Company Email,"Row {0}: Qty tidak avalable di gudang {1} pada {2} {3} \ n Tersedia Qty:. {4}, transfer Qty: {5}" +"Company Email ID not found, hence mail not sent",Item {0} bukan merupakan Barang serial +Company Info,Hutang +Company Name,Instalasi Catatan {0} telah disampaikan +Company Settings,Berlaku Untuk (Penunjukan) +Company is missing in warehouses {0},Nomor BOM diperlukan untuk diproduksi Barang {0} berturut-turut {1} +Company is required,Kriteria Pemeriksaan +Company registration numbers for your reference. Example: VAT Registration Numbers etc.,Menutup Akun {0} harus bertipe 'Kewajiban' +Company registration numbers for your reference. Tax numbers etc.,Diterima Ditolak + Qty harus sama dengan jumlah yang diterima untuk Item {0} +"Company, Month and Fiscal Year is mandatory","Pilih ""Ya"" jika item ini mewakili beberapa pekerjaan seperti pelatihan, merancang, konsultasi dll" +Compensatory Off,Untuk Gudang +Complete,Mengubah mulai / nomor urut saat ini dari seri yang ada. +Complete Setup,Tidak ada kontak dibuat +Completed,Out Qty +Completed Production Orders,Total penilaian untuk diproduksi atau dikemas ulang item (s) tidak bisa kurang dari penilaian total bahan baku +Completed Qty,Transfer +Completion Date,Beban Tanggal +Completion Status,Jadwal Tanggal +Computer,Item {0} diabaikan karena bukan barang stok +Computers,Terhadap Faktur Penjualan +Confirmation Date,Tidak ada karyawan ditemukan! +Confirmed orders from Customers.,Perbarui tanggal pembayaran bank dengan jurnal. +Consider Tax or Charge for,Set as Default +Considered as Opening Balance,Piutang Grup +Considered as an Opening Balance,Sejarah Dalam Perusahaan +Consultant,PR Detil +Consulting,Untuk Nama Karyawan +Consumable,Ditagih +Consumable Cost,Membatalkan ini Stock Rekonsiliasi akan meniadakan efeknya. +Consumable cost per hour,Harga untuk Memimpin atau Pelanggan. +Consumed Qty,Pengiriman Note {0} tidak disampaikan +Consumer Products,"Makanan, Minuman dan Tembakau" +Contact,Jumlah sanksi +Contact Control,Pesanan Pembelian Trends +Contact Desc,Alamat email Anda +Contact Details,Entri terhadap +Contact Email,Nama Distribusi Anggaran +Contact HTML,Selesai +Contact Info,Gudang {0} tidak ada +Contact Mobile No,Perangkat keras +Contact Name,Template Default Address tidak bisa dihapus +Contact No.,Pengaturan POS +Contact Person,Barang-bijaksana Pembelian Register +Contact Type,Tambahkan Pajak dan Biaya +Contact master.,"Silakan pilih Barang di mana ""Apakah Stock Item"" adalah ""Tidak"" dan ""Apakah Penjualan Item"" adalah ""Ya"" dan tidak ada Penjualan BOM lainnya" +Contacts,kapasitas +Content,"Pilih ""Ya"" jika item ini digunakan untuk tujuan internal perusahaan Anda." +Content Type,Nilai atau Qty +Contra Voucher,Dijadwalkan +Contract,Kriteria Penerimaan +Contract End Date,Alamat Pelanggan Dan Kontak +Contract End Date must be greater than Date of Joining,Sebenarnya Faktur Tanggal +Contribution (%),Kualifikasi pendidikan +Contribution to Net Total,Purchase Order Barang Disediakan +Conversion Factor,"misalnya Bank, Kas, Kartu Kredit" +Conversion Factor is required,Doc Type +Conversion factor cannot be in fractions,Terhadap Voucher Type +Conversion factor for default Unit of Measure must be 1 in row {0},Masters +Conversion rate cannot be 0 or 1,Paket Item detail +Convert into Recurring Invoice,Email Terkirim? +Convert to Group,Komunikasi +Convert to Ledger,Thread HTML +Converted,Silakan pilih nilai untuk {0} quotation_to {1} +Copy From Item Group,Gudang tidak dapat dihapus sebagai entri stok buku ada untuk gudang ini. +Cosmetics,Apakah Anda benar-benar ingin menghentikan pesanan produksi: +Cost Center,Private Equity +Cost Center Details,Menunggu +Cost Center Name,Pribadi +Cost Center is required for 'Profit and Loss' account {0},Bioteknologi +Cost Center is required in row {0} in Taxes table for type {1},Pembayaran gaji untuk bulan {0} dan tahun {1} +Cost Center with existing transactions can not be converted to group,Penutup Tahun Anggaran +Cost Center with existing transactions can not be converted to ledger,Bill ada {0} sudah memesan di Purchase Invoice {1} +Cost Center {0} does not belong to Company {1},Material Transfer +Cost of Goods Sold,Default Jual Biaya Pusat +Costing,Dealer (Pelaku) +Country,Pay Net +Country Name,Header +Country wise default Address Templates,Serial No Layanan Kontrak kadaluarsa +"Country, Timezone and Currency",Kontrak +Create Bank Voucher for the total salary paid for the above selected criteria,Pengguna Keterangan adalah wajib +Create Customer,tes +Create Material Requests,Terretory +Create New,Jumlah yang luar biasa +Create Opportunity,Tidak ada catatan ditemukan +Create Production Orders,Dengan masuknya penutupan periode +Create Quotation,Tahun keuangan Tanggal Mulai +Create Receiver List,Kalender Acara +Create Salary Slip,Mohon masukkan untuk Item {0} +Create Stock Ledger Entries when you submit a Sales Invoice,Dapatkan Saham dan Tingkat +"Create and manage daily, weekly and monthly email digests.",Tahun keuangan Anda berakhir pada +Create rules to restrict transactions based on values.,Kontribusi terhadap Net Jumlah +Created By,Stock Proyeksi Jumlah +Creates salary slip for above mentioned criteria.,Cerukan Bank Rekening +Creation Date,Daftar Series Transaksi ini +Creation Document No,Nasabah Item Code +Creation Document Type,Impor Log +Creation Time,Silakan set nilai default {0} di Perusahaan {0} +Credentials,Bursa Ledger entri +Credit,Santai Cuti +Credit Amt,Qty Untuk Industri +Credit Card,Jumlah Pajak dan Biaya +Credit Card Voucher,Catatan: {0} +Credit Controller,Situs Gudang +Credit Days,POP3 Mail Server +Credit Limit,Deduction1 +Credit Note,"Set Nilai Default seperti Perusahaan, Mata Uang, Tahun Anggaran Current, dll" +Credit To,Tidak ada karyawan yang ditemukan +Currency,Aturan Pengiriman Kondisi +Currency Exchange,Tanggal akhir periode faktur saat ini +Currency Name,Kualitas Inspeksi diperlukan untuk Item {0} +Currency Settings,Stock UoM +Currency and Price List,Toko +Currency exchange rate master.,Tidak Authroized sejak {0} melebihi batas +Current Address,Frappe.io Portal +Current Address Is,Jumlah Total Dialokasikan tidak dapat lebih besar dari jumlah yang tak tertandingi +Current Assets,Tinggalkan Block List Diizinkan +Current BOM,Liburan +Current BOM and New BOM can not be same,"Tidak dapat menyaring berdasarkan Account, jika dikelompokkan berdasarkan Rekening" +Current Fiscal Year,Tinggalkan Alokasi +Current Liabilities,Rincian Beban Klaim +Current Stock,{0} {1} tidak dalam Tahun Anggaran +Current Stock UOM,Terhadap +Current Value,Masukkan Item Code untuk mendapatkan bets tidak +Custom,Sebuah Lead dengan id email ini harus ada +Custom Autoreply Message,Ulang Tahun Karyawan +Custom Message,"Seperti Orde Produksi dapat dibuat untuk item ini, itu harus menjadi barang saham." +Customer,All Contacts. +Customer (Receivable) Account,Toko bahan makanan +Customer / Item Name,Pengiriman Dokumen Tidak +Customer / Lead Address,Disukai Alamat Penagihan +Customer / Lead Name,Pemohon untuk pekerjaan. +Customer > Customer Group > Territory,Layanan +Customer Account Head,C-Form Faktur Detil +Customer Acquisition and Loyalty,Hubungi Nomor +Customer Address,Jumlah Pengalaman +Customer Addresses And Contacts,Grup +Customer Code,Alokasikan Jumlah otomatis +Customer Codes,Pemasok Part Number +Customer Details,Beban Kepala +Customer Feedback,Voucher Cash +Customer Group,"Rule harga dibuat untuk menimpa Daftar Harga / mendefinisikan persentase diskon, berdasarkan beberapa kriteria." +Customer Group / Customer,Kantor Sewa +Customer Group Name,Utama +Customer Intro,Stock Penuaan +Customer Issue,Simpan web 900px ramah (w) oleh 100px (h) +Customer Issue against Serial No.,Berlaku Untuk (Karyawan) +Customer Name,Membuat Struktur Gaji +Customer Naming By,Aturan untuk menerapkan harga dan diskon. +Customer Service,Bercerai +Customer database.,Debit Untuk +Customer is required,Silahkan pilih {0} pertama +Customer master.,Workstation Nama +Customer required for 'Customerwise Discount',Level +Customer {0} does not belong to project {1},Jumlah Tagihan (Pajak exculsive) +Customer {0} does not exist,New Stock UOM diperlukan +Customer's Item Code,Setelah Sale Instalasi +Customer's Purchase Order Date,Persentase Diskon dapat diterapkan baik terhadap Daftar Harga atau untuk semua List Price. +Customer's Purchase Order No,"Periksa apakah berulang faktur, hapus centang untuk menghentikan berulang atau menempatkan tepat Tanggal Akhir" +Customer's Purchase Order Number,Daftar Harga Nama +Customer's Vendor,Pengiriman Jumlah +Customers Not Buying Since Long Time,Mayor / Opsional Subjek +Customerwise Discount,Gudang tidak dapat diubah untuk Serial Number +Customize,Berat kotor paket. Berat + kemasan biasanya net berat bahan. (Untuk mencetak) +Customize the Notification,"Untuk kenyamanan pelanggan, kode ini dapat digunakan dalam format cetak seperti Faktur dan Pengiriman Catatan" +Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,Row {0}: Akun tidak sesuai dengan \ \ n Purchase Invoice Kredit Untuk account +DN Detail,Sales Order Diperlukan +Daily,Penjualan Mitra Komisi +Daily Time Log Summary,Pemeliharaan +Database Folder ID,Itemwise Rekomendasi Reorder Tingkat +Database of potential customers.,Syarat dan Ketentuan +Date,Sebagian Disampaikan +Date Format,Total Penghasilan +Date Of Retirement,Quotation {0} bukan dari jenis {1} +Date Of Retirement must be greater than Date of Joining,Buat Laporan +Date is repeated,Penamaan Pelanggan Dengan +Date of Birth,Landed Biaya Penerimaan Pembelian +Date of Issue,Nama Kelompok Pelanggan +Date of Joining,Dijadwalkan Tanggal +Date of Joining must be greater than Date of Birth,Tinggalkan Type Nama +Date on which lorry started from supplier warehouse,Data proyek-bijaksana tidak tersedia untuk Quotation +Date on which lorry started from your warehouse,Waktu di mana bahan yang diterima +Dates,misalnya 5 +Days Since Last Order,Stock Queue (FIFO) +Days for which Holidays are blocked for this department.,Laba Kotor (%) +Dealer,% Dari materi yang disampaikan terhadap Sales Order ini +Debit,Apakah Masuk Membuka +Debit Amt,Referensi Nama +Debit Note,Nama dan Deskripsi +Debit To,Jumlah Cuti Hari +Debit and Credit not equal for this voucher. Difference is {0}.,Transaksi +Deduct,Selamat Datang di ERPNext. Selama beberapa menit berikutnya kami akan membantu Anda setup account ERPNext Anda. Cobalah dan mengisi sebanyak mungkin informasi sebagai Anda memiliki bahkan jika dibutuhkan sedikit lebih lama. Ini akan menghemat banyak waktu. Selamat! +Deduction,Serial ada {0} tidak ada +Deduction Type,Semua Hari +Deduction1,Menghasilkan Jadwal +Deductions,"Ada komentar lain, upaya penting yang harus pergi dalam catatan." +Default,HR Manager +Default Account,Purchase Invoice {0} sudah disampaikan +Default Address Template cannot be deleted,Permintaan Detil Material ada +Default BOM,Sesuaikan teks pengantar yang berlangsung sebagai bagian dari email itu. Setiap transaksi memiliki teks pengantar yang terpisah. +Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,Barang pembaruan Selesai +Default Bank Account,Sumber dan target gudang tidak bisa sama untuk baris {0} +Default Buying Cost Center,Nama Karyawan +Default Buying Price List,Jumlah yang dialokasikan tidak bisa lebih besar dari jumlah unadusted +Default Cash Account,Membuat Maintenance Visit +Default Company,Unit / Shift +Default Currency,Milestones +Default Customer Group,Silahkan menulis sesuatu dalam subjek dan pesan! +Default Expense Account,Piutang akun / Hutang akan diidentifikasi berdasarkan bidang Guru Type +Default Income Account,Timbal Nama +Default Item Group,"Masukkan id email dipisahkan dengan koma, invoice akan dikirimkan secara otomatis pada tanggal tertentu" +Default Price List,Penuaan saat ini adalah wajib untuk membuka entri +Default Purchase Account in which cost of the item will be debited.,Keluar +Default Selling Cost Center,Reserved Gudang diperlukan untuk stok Barang {0} berturut-turut {1} +Default Settings,Item {0} telah dimasukkan beberapa kali terhadap operasi yang sama +Default Source Warehouse,Dapatkan item dari BOM +Default Stock UOM,Televisi +Default Supplier,Bulanan +Default Supplier Type,Bahan yang dibutuhkan (Meledak) +Default Target Warehouse,Standar Perusahaan +Default Territory,Silakan tentukan mata uang di Perusahaan +Default Unit of Measure,Pembaruan Series +"Default Unit of Measure can not be changed directly because you have already made some transaction(s) with another UOM. To change default UOM, use 'UOM Replace Utility' tool under Stock module.",Item {0} harus Layanan Barang +Default Valuation Method,"Membuat dan mengelola harian, mingguan dan bulanan mencerna email." +Default Warehouse,POP3 Mail Settings +Default Warehouse is mandatory for stock Item.,Pemberitahuan Alamat Email +Default settings for accounting transactions.,Quotation Trends +Default settings for buying transactions.,"

default Template \ n

Menggunakan Jinja template dan semua bidang Address (termasuk Custom Fields jika ada) akan tersedia \ n

  {{}} address_line1 
\ n {% jika% address_line2} {{}} address_line2
{% endif - \ n%} {{kota}}
\ n {% jika negara%} {{negara}}
{% endif -%} \ n {% jika pincode%} PIN: {{} kode PIN }
{% endif -%} \ n {{negara}}
\ n {% jika telepon%} Telepon: {{ponsel}}
{% endif - \%} n { % jika faks%} Fax: {{}} fax
{% endif -%} \ n {% jika email_id%} Email: {{}} email_id
{% endif - \ n%} < / code> " +Default settings for selling transactions.,Pilih Distribusi Anggaran untuk merata mendistribusikan target di bulan. +Default settings for stock transactions.,Dukungan Analtyics +Defense,Ada lebih dari libur hari kerja bulan ini. +"Define Budget for this Cost Center. To set budget action, see
Company Master",Terhadap Entri +Delete,Barang Jadi +Delete {0} {1}?,"Tinggalkan dapat disetujui oleh pengguna dengan Role, ""Tinggalkan Approver""" +Delivered,"Jika ditentukan, mengirim newsletter menggunakan alamat email ini" +Delivered Items To Be Billed,Parent Situs Route +Delivered Qty,Senin +Delivered Serial No {0} cannot be deleted,Biaya Pusat diperlukan berturut-turut {0} dalam tabel Pajak untuk jenis {1} +Delivery Date,Item {0} sudah dimasukkan beberapa kali dengan deskripsi atau tanggal yang sama +Delivery Details,Untuk Gudang +Delivery Document No,Berat Bersih dari setiap Item +Delivery Document Type,% Dari bahan yang diterima terhadap Purchase Order ini +Delivery Note,Multiple Item harga. +Delivery Note Item,Pembaruan Landed Cost +Delivery Note Items,Manage Group Pelanggan Pohon. +Delivery Note Message,Transaksi Modal +Delivery Note No,'Hari Sejak Orde terakhir' harus lebih besar dari atau sama dengan nol +Delivery Note Required,Umum +Delivery Note Trends,Item {0} harus Penjualan atau Jasa Barang di {1} +Delivery Note {0} is not submitted,Item Code adalah wajib karena Item tidak secara otomatis nomor +Delivery Note {0} must not be submitted,Toko +Delivery Notes {0} must be cancelled before cancelling this Sales Order,Pohon rekening finanial. +Delivery Status,Detail Penjualan +Delivery Time,Rekening +Delivery To,Email Id +Department,Qty to Order +Department Stores,Penerima +Depends on LWP,View Ledger +Depreciation,Nama Kampanye +Description,Catatan Pengiriman Baru +Description HTML,Sabun & Deterjen +Designation,Jumlah Total Kata +Designer,Harga +Detailed Breakup of the totals,Biaya Landed berhasil diperbarui +Details,Berikutnya Tanggal +Difference (Dr - Cr),Pengiriman Note Pesan +Difference Account,Metode Penilaian +"Difference Account must be a 'Liability' type account, since this Stock Reconciliation is an Opening Entry",Penawaran Tanggal +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.,Untuk referensi saja. +Direct Expenses,Terhadap Rekening +Direct Income,Tanggal dimana faktur berikutnya akan dihasilkan. Hal ini dihasilkan di submit. \ N +Disable,Detail Proyek +Disable Rounded Total,Daftar harga Master. +Disabled,Agen +Discount %,Email berikutnya akan dikirim pada: +Discount %,Newsletter Status +Discount (%),Ini adalah kelompok barang akar dan tidak dapat diedit. +Discount Amount,Faktur Penjualan {0} harus dibatalkan sebelum membatalkan Sales Order ini +"Discount Fields will be available in Purchase Order, Purchase Receipt, Purchase Invoice",Daftar beberapa pemasok Anda. Mereka bisa menjadi organisasi atau individu. +Discount Percentage,Diharapkan Tanggal Penyelesaian tidak bisa kurang dari Tanggal Mulai Proyek +Discount Percentage can be applied either against a Price List or for all Price List.,Row {0}: Qty adalah wajib +Discount must be less than 100,"Untuk mencakup pajak berturut-turut {0} di tingkat Barang, pajak dalam baris {1} juga harus disertakan" +Discount(%),Mendarat Penerimaan Biaya Pembelian +Dispatch,Anda dapat memperbarui baik Quantity atau Tingkat Penilaian atau keduanya. +Display all the individual items delivered with the main items,Pratayang +Distribute transport overhead across items.,Pajak dan Biaya Perhitungan +Distribution,Item Grup +Distribution Id,Pilih nama perusahaan yang bersangkutan jika Anda memiliki beberapa perusahaan. +Distribution Name,Serial ada {0} tidak dalam stok +Distributor,Terpenuhi +Divorced,Dapatkan Item Dari Penjualan Pesanan +Do Not Contact,Informasi Kontak +Do not show any symbol like $ etc next to currencies.,Template Alamat +Do really want to unstop production order: , +Do you really want to STOP , +Do you really want to STOP this Material Request?,Prevdoc Doctype +Do you really want to Submit all Salary Slip for month {0} and year {1},Pesanan Produksi +Do you really want to UNSTOP , +Do you really want to UNSTOP this Material Request?,Item {0} tidak aktif atau akhir hidup telah tercapai +Do you really want to stop production order: , +Doc Name,Row # {0}: Silakan tentukan Serial ada untuk Item {1} +Doc Type,Aktiva Tetap +Document Description,Diskon (%) +Document Type,Tingkat Dasar +Documents,"Masukkan parameter url statis di sini (Misalnya pengirim = ERPNext, username = ERPNext, password = 1234 dll)" +Domain,Item-wise Daftar Penjualan +Don't send Employee Birthday Reminders,Masukkan penunjukan Kontak ini +Download Materials Required,Peran yang diperbolehkan untuk mengirimkan transaksi yang melebihi batas kredit yang ditetapkan. +Download Reconcilation Data,Berikutnya Hubungi Tanggal +Download Template,Point of Sale +Download a report containing all raw materials with their latest inventory status,Warna +"Download the Template, fill appropriate data and attach the modified file.",Gol Appraisal Template +"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",Faktor coversion UOM diperlukan untuk UOM: {0} di Item: {1} +Draft,C-Form Berlaku +Dropbox,iklan +Dropbox Access Allowed,Entah debit atau jumlah kredit diperlukan untuk {0} +Dropbox Access Key,Membuat Perbedaan Entri +Dropbox Access Secret,Diharapkan Pengiriman Tanggal tidak bisa sebelum Sales Order Tanggal +Due Date,Pengaturan Jobs Email +Due Date cannot be after {0},Peluang Tanggal +Due Date cannot be before Posting Date,Komunikasi Baru +Duplicate Entry. Please check Authorization Rule {0},"Catatan: Backup dan file tidak dihapus dari Dropbox, Anda harus menghapusnya secara manual." +Duplicate Serial No entered for Item {0},Dibayar Jumlah +Duplicate entry,"Tabel berikut akan menunjukkan nilai jika item sub - kontrak. Nilai-nilai ini akan diambil dari master ""Bill of Material"" sub - kontrak item." +Duplicate row {0} with same {1},Pemeliharaan Kunjungan {0} harus dibatalkan sebelum membatalkan Sales Order ini +Duties and Taxes,Profil Job +ERPNext Setup,Daftar Harga Mata uang tidak dipilih +Earliest,Biarkan Bill of Material harus 'Ya'. Karena satu atau banyak BOMs aktif hadir untuk item ini +Earnest Money,Rekening harus menjadi akun neraca +Earning,Sales Order {0} tidak disampaikan +Earning & Deduction,Gaji perpisahan berdasarkan Produktif dan Pengurangan. +Earning Type,Kontroler Kredit +Earning1,Dari Penerimaan Pembelian +Edit,Mailing massa +Education,Detail lainnya +Educational Qualification,Jumlah Poin +Educational Qualification Details,Triwulanan +Eg. smsgateway.com/api/send_sms.cgi,File Folder ID +Either debit or credit amount is required for {0},Biaya Consumable +Either target qty or target amount is mandatory,Isu +Either target qty or target amount is mandatory.,Stock Entri +Electrical,Silakan pilih Mengisi Tipe pertama +Electricity Cost,Beban Rekening wajib +Electricity cost per hour,"Memilih ""Ya"" akan memungkinkan Anda untuk membuat Order Produksi untuk item ini." +Electronics,{0} sekarang default Tahun Anggaran. Silahkan refresh browser Anda untuk perubahan untuk mengambil efek. +Email,Waktu di mana barang dikirim dari gudang +Email Digest,Tanggal Akhir Tahun +Email Digest Settings,Asisten +Email Digest: , +Email Id,Upload Backup ke Google Drive +"Email Id where a job applicant will email e.g. ""jobs@example.com""",Bio +Email Notifications,Periksa ini untuk melarang fraksi. (Untuk Nos) +Email Sent?,Tanggal Bergabung harus lebih besar dari Tanggal Lahir +"Email id must be unique, already exists for {0}",Jumlah Debit +Email ids separated by commas.,Tambahkan Pajak +"Email settings to extract Leads from sales email id e.g. ""sales@example.com""",Stock Frozen Upto +Emergency Contact,Anda tidak bisa masuk voucher saat ini di 'Melawan Journal Voucher' kolom +Emergency Contact Details,Masukkan pesan sebelum mengirim +Emergency Phone,Gross Margin% +Employee,Kampanye-.# # # # +Employee Birthday,Konsep +Employee Details,Klaim untuk biaya perusahaan. +Employee Education,Silakan set Cash standar atau rekening Bank Mode Pembayaran {0} +Employee External Work History,Silakan pilih dari hari mingguan +Employee Information,Anda adalah Approver Beban untuk catatan ini. Silakan Update 'Status' dan Simpan +Employee Internal Work History,Biaya +Employee Internal Work Historys,Rincian Biaya +Employee Leave Approver,Penjualan BOM Bantuan +Employee Leave Balance,The Approver Cuti pertama dalam daftar akan ditetapkan sebagai default Tinggalkan Approver +Employee Name,Semua Addresses. +Employee Number,"Tentukan Anggaran Biaya Pusat ini. Untuk mengatur aksi anggaran, lihat Perusahaan Master " +Employee Records to be created by,{0} {1} harus diserahkan +Employee Settings,Tunggakan +Employee Type,Incoming +"Employee designation (e.g. CEO, Director etc.).",Prospek yang lebih baik +Employee master.,Penilaian kinerja. +Employee record is created using selected field. , +Employee records.,UOM Detail Konversi +Employee relieved on {0} must be set as 'Left',Tampilkan slide ini di bagian atas halaman +Employee {0} has already applied for {1} between {2} and {3},Tingkat di mana pajak ini diterapkan +Employee {0} is not active or does not exist,Dapatkan Entries Relevan +Employee {0} was on leave on {1}. Cannot mark attendance.,Disampaikan% +Employees Email Id,Akar Type +Employment Details,Penerbitan +Employment Type,Tidak dapat kembali lebih dari {0} untuk Item {1} +Enable / disable currencies.,Gudang-bijaksana Barang Reorder +Enabled,Jumlah (Perusahaan Mata Uang) +Encashment Date,Fitur Pengaturan +End Date,Pelanggan / Item Nama +End Date can not be less than Start Date,Jumlah poin untuk semua tujuan harus 100. Ini adalah {0} +End date of current invoice's period,Terbaru +End of Life,Mendistribusikan overhead transportasi di seluruh item. +Energy,Barang Wise Detil Pajak +Engineer,Rekening Bank No +Enter Verification Code,Enquiry Produk +Enter campaign name if the source of lead is campaign.,Sumber Dana (Kewajiban) +Enter department to which this Contact belongs,Kedua Gudang harus milik Perusahaan yang sama +Enter designation of this Contact,Beban lain-lain +"Enter email id separated by commas, invoice will be mailed automatically on particular date",Waktu Log Batch {0} harus 'Dikirim' +Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,"Update dialokasikan jumlah dalam tabel di atas dan kemudian klik ""Alokasikan"" tombol" +Enter name of campaign if source of enquiry is campaign,"Profil pekerjaan, kualifikasi yang dibutuhkan dll" +"Enter static url parameters here (Eg. sender=ERPNext, username=ERPNext, password=1234 etc.)",Tidak diberikan deskripsi +Enter the company name under which Account Head will be created for this Supplier,Penjualan dan Pembelian +Enter url parameter for message,Penerapan Dana (Aset) +Enter url parameter for receiver nos,Pengalaman Kerja Sebelumnya +Entertainment & Leisure,Pembuatan Dokumen Type +Entertainment Expenses,Biaya Listrik +Entries,Pemasok Type induk. +Entries against,Pengiriman Barang Note +Entries are not allowed against this Fiscal Year if the year is closed.,Landed Biaya Produk +Entries before {0} are frozen,Kasus ada (s) sudah digunakan. Coba dari Case ada {0} +Equity,Ini adalah account root dan tidak dapat diedit. +Error: {0} > {1},Tidak bisa membatalkan karena Karyawan {0} sudah disetujui untuk {1} +Estimated Material Cost,Tinggalkan Aplikasi +"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Daftar produk atau jasa yang Anda membeli atau menjual. Pastikan untuk memeriksa Grup Barang, Satuan Ukur dan properti lainnya ketika Anda mulai." +Everyone can read,Project Tracking Stock bijaksana +"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.",Jenis Dokumen +Exchange Rate,"Memilih ""Ya"" akan memungkinkan item ini untuk mencari di Sales Order, Delivery Note" +Excise Page Number,Jumlah Jam +Excise Voucher,Disampaikan Qty +Execution,{0} bukan milik Perusahaan {1} +Executive Search,Pajak dan Biaya +Exemption Limit,Aturan Harga +Exhibition,Tidak dapat menghasilkan lebih Barang {0} daripada kuantitas Sales Order {1} +Existing Customer,Info Statutory dan informasi umum lainnya tentang Pemasok Anda +Exit,Sebesar Bill +Exit Interview Details,Total Biaya Operasional +Expected,"Tidak dapat mengubah mata uang default perusahaan, karena ada transaksi yang ada. Transaksi harus dibatalkan untuk mengubah mata uang default." +Expected Completion Date can not be less than Project Start Date,Dialokasikan Jumlah +Expected Date cannot be before Material Request Date,Kena PPN +Expected Delivery Date,Kehadiran Dari Tanggal +Expected Delivery Date cannot be before Purchase Order Date,Karyawan Tinggalkan Approver +Expected Delivery Date cannot be before Sales Order Date,Penuaan Tanggal adalah wajib untuk membuka entri +Expected End Date,Database pelanggan potensial. +Expected Start Date,Batas Kredit +Expense,Distribusi +Expense / Difference account ({0}) must be a 'Profit or Loss' account,Item Grup tidak disebutkan dalam master barang untuk item {0} +Expense Account,Dfault +Expense Account is mandatory,Mengurangi Produktif untuk Tinggalkan Tanpa Bayar (LWP) +Expense Claim,Orang penjualan Anda yang akan menghubungi pelanggan di masa depan +Expense Claim Approved,Diskon% +Expense Claim Approved Message,Tidak diizinkan untuk memperbarui entri yang lebih tua dari {0} +Expense Claim Detail,Peralatan Kantor +Expense Claim Details,Dari Tanggal +Expense Claim Rejected,"Barang, Garansi, AMC (Tahunan Kontrak Pemeliharaan) detail akan otomatis diambil ketika Serial Number dipilih." +Expense Claim Rejected Message,Sasaran Detil +Expense Claim Type,Jumlah weightage ditugaskan harus 100%. Ini adalah {0} +Expense Claim has been approved.,Target gudang di baris {0} harus sama dengan Orde Produksi +Expense Claim has been rejected.,Potensi peluang untuk menjual. +Expense Claim is pending approval. Only the Expense Approver can update status.,Penjualan Saluran +Expense Date,Persentase total yang dialokasikan untuk tim penjualan harus 100 +Expense Details,Alamat Detail +Expense Head,"Unduh Template, isi data yang tepat dan melampirkan file dimodifikasi." +Expense account is mandatory for item {0},Quotation Items +Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Buku Pembantu +Expenses,"Lihat ""Rate Of Material Berbasis"" dalam Biaya Bagian" +Expenses Booked,Info Dasar +Expenses Included In Valuation,Quotation Tanggal +Expenses booked for the digest period,Buat Slip Gaji +Expiry Date,Furniture dan Fixture +Exports,Barang atau Gudang untuk baris {0} tidak cocok Material Permintaan +External,Rounded Jumlah (Perusahaan Mata Uang) +Extract Emails,Rincian Anggaran +FCFS Rate,Induk Website Halaman +Failed: , +Family Background,Silahkan lakukan validasi Email Pribadi +Fax,Tingkat konversi tidak bisa 0 atau 1 +Features Setup,Ditagih +Feed,Perangkat lunak +Feed Type,Voucher # +Feedback,Catatan Pengguna +Female,Pengguna dengan peran ini diperbolehkan untuk mengatur account beku dan membuat / memodifikasi entri akuntansi terhadap rekening beku +Fetch exploded BOM (including sub-assemblies),Jumlah yang tak tertandingi +"Field available in Delivery Note, Quotation, Sales Invoice, Sales Order",Pesanan terbuka Produksi +Files Folder ID,Transaksi tidak diperbolehkan berhenti melawan Orde Produksi {0} +Fill the form and save it,Standar +Filter based on customer,Kami membeli item ini +Filter based on item,Atur Ulang Filter +Financial / accounting year.,Anggaran Detil +Financial Analytics,Pesanan produksi di Progress +Financial Services,Informasi Gaji +Financial Year End Date,Moving Average Tingkat +Financial Year Start Date,Analis +Finished Goods,Item Code +First Name,Aturan untuk menghitung jumlah pengiriman untuk penjualan +First Responded On,Detil UOM Konversi +Fiscal Year,Tidak Berlaku +Fiscal Year Start Date and Fiscal Year End Date are already set in Fiscal Year {0},Rincian pembelian +Fiscal Year Start Date and Fiscal Year End Date cannot be more than a year apart.,Apakah Membuka +Fiscal Year Start Date should not be greater than Fiscal Year End Date,Appraisal Template +Fixed Asset,Salah atau Nonaktif BOM {0} untuk Item {1} pada baris {2} +Fixed Assets,Silakan pilih jenis charge pertama +Follow via Email,Jumlah Pajak dan Biaya (Perusahaan Mata Uang) +"Following table will show values if items are sub - contracted. These values will be fetched from the master of ""Bill of Materials"" of sub - contracted items.",Guru Type +Food,Bahasa +"Food, Beverage & Tobacco",Dalam Kata-kata akan terlihat setelah Anda menyimpan Penerimaan Pembelian. +For Company,Hanya node daun yang diperbolehkan dalam transaksi +For Employee,Item {0} harus stok Barang +For Employee Name,Tambah atau Dikurangi +For Price List,Account: {0} hanya dapat diperbarui melalui \ \ Transaksi Bursa n +For Production,Tahun +For Reference Only.,Penilaian +For Sales Invoice,Biaya Center dengan transaksi yang ada tidak dapat dikonversi ke buku +For Server Side Print Formats,Permintaan Jenis Bahan +For Supplier,Status Persetujuan +For Warehouse,Pilih Perusahaan ... +For Warehouse is required before Submit,'Sebenarnya Tanggal Mulai' tidak dapat lebih besar dari 'Aktual Tanggal End' +"For e.g. 2012, 2012-13",Alamat Penj +For reference,Sepenuhnya Selesai +For reference only.,Mengubah UOM untuk Item. +"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes",Contoh +Fraction,Inventarisasi +Fraction Units,Penilaian {0} diciptakan untuk Karyawan {1} dalam rentang tanggal tertentu +Freeze Stock Entries,"Item ada dengan nama yang sama ({0}), silakan mengubah nama kelompok barang atau mengubah nama item" +Freeze Stocks Older Than [Days],Alamat Pengiriman +Freight and Forwarding Charges,Kerja +Friday,Secara otomatis mengekstrak Memimpin dari kotak surat misalnya +From,Tinggalkan Control Panel +From Bill of Materials,Item {0} tidak Pembelian Barang +From Company,Retail & Grosir +From Currency,Bill of Material +From Currency and To Currency cannot be same,Tanggal Lahir +From Customer,User Specific +From Customer Issue,Varians Anggaran Laporan +From Date,Print Format Style +From Date must be before To Date,Melawan Bill {0} tanggal {1} +From Delivery Note,Pemasok Referensi +From Employee,Daftar beberapa pelanggan Anda. Mereka bisa menjadi organisasi atau individu. +From Lead,Cabang master organisasi. +From Maintenance Schedule,Proyek Milestone +From Material Request,Pengajuan cuti telah ditolak. +From Opportunity,Silakan pilih Daftar Harga +From Package No.,Gandakan entri +From Purchase Order,Penulisan Proposal +From Purchase Receipt,Operasi Tidak ada +From Quotation,Cuti Karyawan Balance +From Sales Order,Jumlah Jam (Diharapkan) +From Supplier Quotation,Max Hari Cuti Diizinkan +From Time,Penyisihan Persen +From Value,Item-wise Penjualan Sejarah +From and To dates required,Jumlah kata +From value must be less than to value in row {0},Surat Kepala +Frozen,Penjualan Kembali +Frozen Accounts Modifier,Item Code tidak dapat diubah untuk Serial Number +Fulfilled,Penjualan Analytics +Full Name,Rincian Kerja +Full-time,Tinggalkan Block List Tanggal +Fully Billed,Masa haid +Fully Completed,C-Form catatan +Fully Delivered,Isi formulir dan menyimpannya +Furniture and Fixture,Jadwal pemeliharaan {0} harus dibatalkan sebelum membatalkan Sales Order ini +Further accounts can be made under Groups but entries can be made against Ledger,Status {0} {1} sekarang {2} +"Further accounts can be made under Groups, but entries can be made against Ledger",Silakan pilih Carry Teruskan jika Anda juga ingin menyertakan keseimbangan fiskal tahun sebelumnya daun tahun fiskal ini +Further nodes can be only created under 'Group' type nodes,Daun untuk jenis {0} sudah dialokasikan untuk Karyawan {1} Tahun Anggaran {0} +GL Entry,Terlama +Gantt Chart,Kontak +Gantt chart of all tasks.,Tanggal Jatuh Tempo +Gender,Rincian Tim Penjualan +General,Memerintahkan Kuantitas +General Ledger,Item Lanjutan +Generate Description HTML,Akun Sementara (Aset) +Generate Material Requests (MRP) and Production Orders.,Format Tanggal +Generate Salary Slips,Item Barcode +Generate Schedule,Dimiliki +Generates HTML to include selected image in the description,Sumber +Get Advances Paid,Syarat dan Ketentuan Konten +Get Advances Received,Intro Pelanggan +Get Against Entries,Komisi Penjualan +Get Current Stock,Nama Item +Get Items,Jurnal akuntansi. +Get Items From Sales Orders,Kerja-in-Progress Gudang diperlukan sebelum Submit +Get Items from BOM,Sejarah Komunikasi +Get Last Purchase Rate,Mengalokasikan daun untuk suatu periode. +Get Outstanding Invoices,Detail Maintenance +Get Relevant Entries,Tidak bisa membatalkan karena disampaikan Stock entri {0} ada +Get Sales Orders,Piutang +Get Specification Details,Investasi +Get Stock and Rate,"Tersedia dalam BOM, Pengiriman Catatan, Purchase Invoice, Pesanan Produksi, Purchase Order, Penerimaan Pembelian, Faktur Penjualan, Sales Order, Stock Masuk, Timesheet" +Get Template,Jumlah Bersih +Get Terms and Conditions,Situs Barang Grup +Get Weekly Off Dates,BOM {0} tidak disampaikan atau tidak aktif BOM untuk Item {1} +"Get valuation rate and available stock at source/target warehouse on mentioned posting date-time. If serialized item, please press this button after entering serial nos.",New UOM TIDAK harus dari jenis Whole Number +Global Defaults,Jumlah Pajak Barang +Global POS Setting {0} already created for company {1},Operasi Deskripsi +Global Settings,Target gudang adalah wajib untuk baris {0} +"Go to the appropriate group (usually Application of Funds > Current Assets > Bank Accounts and create a new Account Ledger (by clicking on Add Child) of type ""Bank""",Tambah / Edit Pajak dan Biaya +"Go to the appropriate group (usually Source of Funds > Current Liabilities > Taxes and Duties and create a new Account Ledger (by clicking on Add Child) of type ""Tax"" and do mention the Tax rate.",Untuk melacak item dalam penjualan dan dokumen pembelian berdasarkan nos serial mereka. Hal ini juga dapat digunakan untuk melacak rincian garansi produk. +Goal,Realisasi Tanggal Penyelesaian +Goals,BOM {0} tidak aktif atau tidak disampaikan +Goods received from Suppliers.,Jum'at +Google Drive,Pilih Produk +Google Drive Access Allowed,Detail Pembelian / Industri +Government,Info Pendaftaran +Graduate,Komentar +Grand Total,Stock rekonsiliasi data +Grand Total (Company Currency),SO No +"Grid """,Perencanaan +Grocery,Sertakan Entri Berdamai +Gross Margin %,Laki-laki +Gross Margin Value,Receiver List kosong. Silakan membuat Receiver Daftar +Gross Pay,Pengiriman Note {0} tidak boleh disampaikan +Gross Pay + Arrear Amount +Encashment Amount - Total Deduction,Tidak ada Barang dengan Serial No {0} +Gross Profit,Group by Akun +Gross Profit (%),Biaya Pusat Detail +Gross Weight,Pembayaran dilakukan selama periode digest +Gross Weight UOM,Buat Pesanan Produksi +Group,Nasabah Purchase Order Tanggal +Group by Account,Jumlah <= +Group by Voucher,Jumlah Total Alokasi +Group or Ledger,Item {0} bukan merupakan saham Barang +Groups,Masukkan Menyetujui Peran atau Menyetujui Pengguna +HR Manager,Implementasi Mitra +HR Settings,Tidak ada yang meminta +HTML / Banner that will show on the top of product list.,"Tentukan daftar Territories, yang, Daftar Harga ini berlaku" +Half Day,Tanda tangan yang akan ditambahkan pada akhir setiap email +Half Yearly,Dikonversi +Half-yearly,Produsen Part Number +Happy Birthday!,Berat Bersih UOM +Hardware,Elektronik +Has Batch No,Masukkan rekening kelompok orangtua untuk account warehouse +Has Child Node,Faktur Penjualan Produk +Has Serial No,Daftar Harga {0} dinonaktifkan +Head of Marketing and Sales,Silahkan Perbarui Pengaturan SMS +Header,Status Perkawinan +Health Care,Dukungan Analytics +Health Concerns,Skor harus kurang dari atau sama dengan 5 +Health Details,{0} adalah alamat email yang tidak valid dalam 'Pemberitahuan Alamat Email' +Held On,Item Tax1 +Help HTML,Pembayaran untuk Faktur Alat Matching +"Help: To link to another record in the system, use ""#Form/Note/[Note Name]"" as the Link URL. (don't use ""http://"")",Masukkan nos ponsel yang valid +"Here you can maintain family details like name and occupation of parent, spouse and children",Serial Barang {0} tidak dapat diperbarui \ \ n menggunakan Stock Rekonsiliasi +"Here you can maintain height, weight, allergies, medical concerns etc",Terhadap Beban Akun +Hide Currency Symbol,"Wajib jika Stock Item ""Yes"". Juga gudang standar di mana kuantitas milik diatur dari Sales Order." +High,Packing List +History In Company,"Jika dicentang, total ada. dari Hari Kerja akan mencakup libur, dan ini akan mengurangi nilai Gaji Per Hari" +Hold,Tanggal instalasi tidak bisa sebelum tanggal pengiriman untuk Item {0} +Holiday,Baru Serial ada tidak dapat memiliki Gudang. Gudang harus diatur oleh Bursa Masuk atau Penerimaan Pembelian +Holiday List,Entri sebelum {0} dibekukan +Holiday List Name,Melacak Pengiriman ini Catatan terhadap Proyek apapun +Holiday master.,Tabah +Holidays,Faktur Tanggal +Home,Pemilik +Host,Pajak Penghasilan +"Host, Email and Password required if emails are to be pulled",Tahun Keuangan Akhir Tanggal +Hour,Penilaian Gol +Hour Rate,Menilai +Hour Rate Labour,Anggaran Dialokasikan +Hours,Izin Tanggal +How Pricing Rule is applied?,BOM Operasi +How frequently?,AMC Tanggal Berakhir +"How should this currency be formatted? If not set, will use system defaults",Tambahkan Serial No +Human Resources,Status diperbarui untuk {0} +Identification of the package for the delivery (for print),Item-wise Daftar Harga Tingkat +If Income or Expense,Hubungi Type +If Monthly Budget Exceeded,Silakan periksa 'Apakah Muka' terhadap Rekening {0} jika ini adalah sebuah entri muka. +"If Sale BOM is defined, the actual BOM of the Pack is displayed as table. Available in Delivery Note and Sales Order",Re-Order Tingkat +"If Supplier Part Number exists for given Item, it gets stored here",Instalasi Waktu +If Yearly Budget Exceeded,Pengiriman Note Diperlukan +"If checked, BOM for sub-assembly items will be considered for getting raw materials. Otherwise, all sub-assembly items will be treated as a raw material.",Masukkan Perusahaan valid Email +"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Pilih ""Ya"" untuk sub - kontraktor item" +"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount","Unduh Template, isi data yang tepat dan melampirkan file dimodifikasi. \ NSemua tanggal dan kombinasi karyawan dalam jangka waktu yang dipilih akan datang dalam template, dengan catatan kehadiran yang ada" +If different than customer address,Permanent Alamat +"If disable, 'Rounded Total' field will not be visible in any transaction",Jenis Pekerjaan +"If enabled, the system will post accounting entries for inventory automatically.",Bills diajukan oleh Pemasok. +If more than one package of the same type (for print),Farmasi +"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.",Citra Tampilan +"If no change in either Quantity or Valuation Rate, leave the cell blank.",Wilayah Nama +If not applicable please enter: NA,Row # {0}: qty Memerintahkan tidak bisa kurang dari minimum qty pesanan item (didefinisikan dalam master barang). +"If not checked, the list will have to be added to each Department where it has to be applied.",Induk Pelanggan Grup +"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.",Batch Waktu Log ini telah ditagih. +"If specified, send the newsletter using this email address",Entri Stock ada terhadap gudang {0} tidak dapat menetapkan kembali atau memodifikasi 'Guru Nama' +"If the account is frozen, entries are allowed to restricted users.",Wilayah Induk +"If this Account represents a Customer, Supplier or Employee, set it here.",Hubungan +"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.",Ref SQ +If you follow Quality Inspection. Enables Item QA Required and QA No in Purchase Receipt,"Daun harus dialokasikan dalam kelipatan 0,5" +If you have Sales Team and Sale Partners (Channel Partners) they can be tagged and maintain their contribution in the sales activity,Aktual Qty (di sumber / target) +"If you have created a standard template in Purchase Taxes and Charges Master, select one and click on the button below.",Alasan +"If you have created a standard template in Sales Taxes and Charges Master, select one and click on the button below.",Mengurangi +"If you have long print formats, this feature can be used to split the page to be printed on multiple pages with all headers and footers on each page",Pemasok Akun Kepala +If you involve in manufacturing activity. Enables Item 'Is Manufactured',Item {0} tidak ada dalam sistem atau telah berakhir +Ignore,Perusahaan Email +Ignore Pricing Rule,Silakan membuat pelanggan dari Lead {0} +Ignored: , +Image,Tidak ada saldo cuti cukup bagi Leave Type {0} +Image View,Sales Order No +Implementation Partner,Beban pos +Import Attendance,Guru Nama +Import Failed!,Masukkan order penjualan pada tabel di atas +Import Log,Dukungan Tiket Baru +Import Successful!,Pemasok Type / Pemasok +Imports,Waktu Pengiriman +In Hours,Pengaturan untuk modul HR +In Process,Approver +In Qty,Tingkat di mana Pelanggan Mata Uang dikonversi ke mata uang dasar pelanggan +In Value,Tanggal truk mulai dari pemasok gudang +In Words,Wilayah standar +In Words (Company Currency),Gudang diperlukan untuk stok Barang {0} +In Words (Export) will be visible once you save the Delivery Note.,Item {0} dengan Serial No {1} sudah diinstal +In Words will be visible once you save the Delivery Note.,"Pengaturan untuk mengekstrak Pelamar Kerja dari misalnya mailbox ""jobs@example.com""" +In Words will be visible once you save the Purchase Invoice.,Produk Konsumen +In Words will be visible once you save the Purchase Order.,Musiman untuk menetapkan anggaran. +In Words will be visible once you save the Purchase Receipt.,Tidak Pemasok Akun ditemukan. Akun pemasok diidentifikasi berdasarkan nilai 'Guru Type' dalam catatan akun. +In Words will be visible once you save the Quotation.,Apakah subkontrak +In Words will be visible once you save the Sales Invoice.,"Memerintahkan Qty: Jumlah memerintahkan untuk pembelian, tetapi tidak diterima." +In Words will be visible once you save the Sales Order.,Akun +Incentives,Dapatkan Produk +Include Reconciled Entries,Jumlah Kredit +Include holidays in Total no. of Working Days,Mail Server tidak valid. Harap memperbaiki dan coba lagi. +Income,Membeli Diskon +Income / Expense,Sejumlah +Income Account,Alasan untuk kehilangan +Income Booked,Biarkan Bill of Material +Income Tax,Garansi / Status AMC +Income Year to Date,Tanggal truk mulai dari gudang Anda +Income booked for the digest period,"Jika Anda memiliki format cetak yang panjang, fitur ini dapat digunakan untuk membagi halaman yang akan dicetak pada beberapa halaman dengan semua header dan footer pada setiap halaman" +Incoming,Nos +Incoming Rate,Harga Barang +Incoming quality inspection.,Apakah benar-benar ingin unstop pesanan produksi: +Incorrect or Inactive BOM {0} for Item {1} at row {2},Total Biaya +Indicates that the package is a part of this delivery (Only Draft),"Saldo rekening sudah Kredit, Anda tidak diizinkan untuk mengatur 'Balance Harus' sebagai 'Debit'" +Indirect Expenses,Akan diperbarui saat ditagih. +Indirect Income,Blog Subscriber +Individual,Website Description +Industry,Pemasok Faktur ada +Industry Type,Tidak dapat ditetapkan sebagai Hilang sebagai Sales Order dibuat. +Inspected By,"Untuk tidak berlaku Rule Harga dalam transaksi tertentu, semua Aturan Harga yang berlaku harus dinonaktifkan." +Inspection Criteria,Latar Belakang Keluarga +Inspection Required,Menyediakan +Inspection Type,Tidak ada Pesanan Produksi dibuat +Installation Date,Kunjungi laporan untuk panggilan pemeliharaan. +Installation Note,[Daerah +Installation Note Item,Email Digest Pengaturan +Installation Note {0} has already been submitted,Pengiriman Note +Installation Status,Bekerja In Progress +Installation Time,No Item dengan Barcode {0} +Installation date cannot be before delivery date for Item {0},Nama Halaman +Installation record for a Serial No.,Tingkat Stock +Installed Qty,Mengatur awalan untuk penomoran seri pada transaksi Anda +Instructions,Bank +Integrate incoming support emails to Support Ticket,Tingkat Pembelian Terakhir +Interested,Penyisihan over-pengiriman / over-billing menyeberang untuk Item {0}. +Intern,"Sub-currency. Untuk misalnya ""Cent """ +Internal,Sasaran Qty +Internet Publishing,Lainnya +Introduction,Rincian Pekerjaan +Invalid Barcode or Serial No,Hari Kredit +Invalid Mail Server. Please rectify and try again.,Batal Bahan Visit {0} sebelum membatalkan ini Issue Pelanggan +Invalid Master Name,Closing Date +Invalid User Name or Support Password. Please rectify and try again.,Download Template +Invalid quantity specified for item {0}. Quantity should be greater than 0.,Efek dan Deposit +Inventory,Bank A / C No +Inventory & Support,Anggaran belanja +Investment Banking,Pelanggan / Lead Alamat +Investments,Standar Rekening Kas +Invoice Date,Faktur Penjualan {0} telah disampaikan +Invoice Details,"Tampilkan ""In Stock"" atau ""Tidak di Bursa"" didasarkan pada stok yang tersedia di gudang ini." +Invoice No,Biaya tidak langsung +Invoice Period From Date,'Pemberitahuan Email Addresses' tidak ditentukan untuk berulang faktur +Invoice Period From and Invoice Period To dates mandatory for recurring invoice,Diminta Untuk +Invoice Period To Date,Berikutnya Contact By +Invoiced Amount (Exculsive Tax),Pemasok Quotation +Is Active,Semua Kontak +Is Advance,Rekening Kas / Bank +Is Cancelled,Ekstrak Email +Is Carry Forward,Standar rekening Bank / Cash akan secara otomatis diperbarui di POS Invoice saat mode ini dipilih. +Is Default,Buku besar +Is Encash,Ponsel Tidak ada +Is Fixed Asset Item,Packing Slip Items +Is LWP,Karyawan Kerja internal Sejarah +Is Opening,Atas Penghasilan +Is Opening Entry,Hari (s) yang Anda lamar untuk cuti adalah liburan. Anda tidak perlu mengajukan cuti. +Is POS,"Contoh:. ABCD # # # # # \ nJika seri diatur dan Serial yang tidak disebutkan dalam transaksi, maka nomor urut otomatis akan dibuat berdasarkan seri ini. Jika Anda selalu ingin secara eksplisit menyebutkan Serial Nos untuk item ini. biarkan kosong ini." +Is Primary Contact,Penjualan team1 +Is Purchase Item,Anggaran Dialokasikan +Is Sales Item,Industri / Repack +Is Service Item,Nama +Is Stock Item,Biaya Center dengan transaksi yang ada tidak dapat dikonversi ke grup +Is Sub Contracted Item,Menulis Off Berbasis On +Is Subcontracted,Hanya Tinggalkan Aplikasi status 'Disetujui' dapat diajukan +Is this Tax included in Basic Rate?,tautan halaman situs web +Issue,Permintaan Material {0} dibatalkan atau dihentikan +Issue Date,Tambah / Hapus Penerima +Issue Details,Type Partai Induk +Issued Items Against Production Order,General Ledger +It can also be used to create opening stock entries and to fix stock value.,Tingkat di mana mata uang Daftar Harga dikonversi ke mata uang dasar perusahaan +Item,List Liburan +Item Advanced,Dari Mata dan Mata Uang Untuk tidak bisa sama +Item Barcode,Berdasarkan +Item Batch Nos,Periksa ini jika Anda ingin menunjukkan di website +Item Code,Mohon TIDAK membuat Account (Buku Pembantu) untuk Pelanggan dan Pemasok. Mereka diciptakan langsung dari Nasabah / Pemasok master. +Item Code > Item Group > Brand,Ditagih Amt +Item Code and Warehouse should already exist.,Memiliki Anak Node +Item Code cannot be changed for Serial No.,Master barang. +Item Code is mandatory because Item is not automatically numbered,Akun {0} tidak dapat Kelompok a +Item Code required at Row No {0},Disampaikan +Item Customer Detail,Jumlah Bersih (Perusahaan Mata Uang) +Item Description,Terpasang Qty +Item Desription,Berlaku Libur +Item Details,Qty +Item Group,Nasabah Purchase Order No +Item Group Name,Kesalahan: {0}> {1} +Item Group Tree,Masukkan Piutang / Hutang group in master perusahaan +Item Group not mentioned in item master for item {0},Kredit maksimum yang diijinkan adalah {0} hari setelah tanggal postingan +Item Groups in Details,Label +Item Image (if not slideshow),Liburan +Item Name,Logo dan Surat Kepala +Item Naming By,Ambil rekonsiliasi data +Item Price,Seberapa sering? +Item Prices,Calling Dingin +Item Quality Inspection Parameter,Reserved Qty +Item Reorder,Quotation Barang +Item Serial No,Min Order Qty +Item Serial Nos,Account root tidak bisa dihapus +Item Shortage Report,Informasi Dasar +Item Supplier,Aerospace +Item Supplier Details,Jenis Pohon +Item Tax,Anda tidak diizinkan untuk menetapkan nilai Beku +Item Tax Amount,"Jenis pekerjaan (permanen, kontrak, magang dll)." +Item Tax Rate,Untuk mengaktifkan Point of Sale fitur +Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Ya +Item Tax1,Item: {0} tidak ditemukan dalam sistem +Item To Manufacture,Pengaturan SMS +Item UOM,Tanggal Posting +Item Website Specification,Satuan +Item Website Specifications,Nilai Membuka +Item Wise Tax Detail,Pemberitahuan Kontrol +Item Wise Tax Detail , +Item is required,Gudang {0} bukan milik perusahaan {1} +Item is updated,Pemeliharaan Waktu +Item master.,Silahkan klik 'Menghasilkan Jadwal' untuk mengambil Serial yang ditambahkan untuk Item {0} +"Item must be a purchase item, as it is present in one or many Active BOMs",Membuat Entri Pembayaran +Item or Warehouse for row {0} does not match Material Request,Memungkinkan pengguna berikut untuk menyetujui Leave Aplikasi untuk blok hari. +Item table can not be blank,Pengguna +Item to be manufactured or repacked,Plot +Item valuation updated,Klik 'Buat Sales Invoice' tombol untuk membuat Faktur Penjualan baru. +Item will be saved by this name in the data base.,Tinggalkan Pencairan Jumlah +Item {0} appears multiple times in Price List {1},Permintaan Material yang Pemasok Kutipan tidak diciptakan +Item {0} does not exist,Realisasi Tanggal Akhir +Item {0} does not exist in the system or has expired,Membuat Pembelian Penerimaan +Item {0} does not exist in {1} {2},Untuk Referensi Only. +Item {0} has already been returned,Laporan berkala +Item {0} has been entered multiple times against same operation,Tidak Pernah +Item {0} has been entered multiple times with same description or date,Tugas +Item {0} has been entered multiple times with same description or date or warehouse,Faktor UOM Konversi diperlukan berturut-turut {0} +Item {0} has been entered twice,Dari Sales Order +Item {0} has reached its end of life on {1},Izin +Item {0} ignored since it is not a stock item,Item Code dan Gudang harus sudah ada. +Item {0} is cancelled,Biaya dipesan untuk periode digest +Item {0} is not Purchase Item,Rgt +Item {0} is not a serialized Item,Parameter Statis +Item {0} is not a stock Item,Komponen gaji. +Item {0} is not active or end of life has been reached,Ada kesalahan. +Item {0} is not setup for Serial Nos. Check Item master,Kota +Item {0} is not setup for Serial Nos. Column must be blank,Jenis +Item {0} must be Sales Item,Akuisisi Pelanggan dan Loyalitas +Item {0} must be Sales or Service Item in {1},Item {0} telah dimasukkan dua kali +Item {0} must be Service Item,Izinkan Pengguna +Item {0} must be a Purchase Item,Disampaikan% +Item {0} must be a Sales Item,Nama Kontak +Item {0} must be a Service Item.,Overhead +Item {0} must be a Sub-contracted Item,Packing slip (s) dibatalkan +Item {0} must be a stock Item,Semua Produk atau Jasa. +Item {0} must be manufactured or sub-contracted,Masukkan mata uang default di Perusahaan Guru +Item {0} not found,Re-order Tingkat +Item {0} with Serial No {1} is already installed,Segarkan +Item {0} with same description entered twice,Issue pelanggan terhadap Serial Number +"Item, Warranty, AMC (Annual Maintenance Contract) details will be automatically fetched when Serial Number is selected.",Newsletter tidak diperbolehkan untuk pengguna Percobaan +Item-wise Price List Rate,Pemegang Saham Dana +Item-wise Purchase History,Pengiriman Dokumen Type +Item-wise Purchase Register,Ada slip gaji yang ditemukan untuk bulan: +Item-wise Sales History,Dukungan Pengaturan Email +Item-wise Sales Register,Komentar +"Item: {0} managed batch-wise, can not be reconciled using \ + Stock Reconciliation, instead use Stock Entry",Tanggal dibuat +Item: {0} not found in the system,Izinkan Dropbox Access +Items,Menyetujui Peran +Items To Be Requested,Pengaturan Sudah Selesai!! +Items required,Merek +"Items to be requested which are ""Out of Stock"" considering all warehouses based on projected qty and minimum order qty",Spesifikasi +Items which do not exist in Item master can also be entered on customer's request,Penjualan New Orders +Itemwise Discount,Pesanan produksi {0} harus diserahkan +Itemwise Recommended Reorder Level,Darurat Kontak +Job Applicant,Faktur Periode Dari dan Faktur Period Untuk tanggal wajib untuk berulang faktur +Job Opening,Earning & Pengurangan +Job Profile,Sales Order {0} dihentikan +Job Title,Jumlah Pengurangan +"Job profile, qualifications required etc.",SO Pending Qty +Jobs Email Settings,Tugas +Journal Entries,Dari Timbal +Journal Entry,Biarkan kosong jika dipertimbangkan untuk semua cabang +Journal Voucher,Contra Voucher +Journal Voucher Detail,Dianggap sebagai Saldo Pembukaan +Journal Voucher Detail No,Gudang Ditolak +Journal Voucher {0} does not have account {1} or already matched,Pakan Type +Journal Vouchers {0} are un-linked,Rata-rata Usia +Keep a track of communication related to this enquiry which will help for future reference.,Master merek. +Keep it web friendly 900px (w) by 100px (h),Dianggap sebagai Membuka Balance +Key Performance Area,Item {0} harus Item Sub-kontrak +Key Responsibility Area,Tetap Diperbarui +Kg,"Dapatkan tingkat penilaian dan stok yang tersedia di sumber / target gudang di postingan disebutkan tanggal-waktu. Jika serial barang, silahkan tekan tombol ini setelah memasuki nos serial." +LR Date,Jadwal Detail +LR No,Pengaturan server masuk untuk email dukungan id. (Misalnya support@example.com) +Label,Gudang {0} tidak dapat dihapus sebagai kuantitas ada untuk Item {1} +Landed Cost Item,Listrik +Landed Cost Items,Segmen Pasar +Landed Cost Purchase Receipt,Pengaturan default untuk membeli transaksi. +Landed Cost Purchase Receipts,Bahan baku tidak bisa sama dengan Butir utama +Landed Cost Wizard,Stock UOM +Landed Cost updated successfully,Laju Bahan Berbasis On +Language,Account untuk gudang (Inventaris Perpetual) akan dibuat di bawah Rekening ini. +Last Name,Jumlah Komisi +Last Purchase Rate,Penghasilan Tengah +Latest,Mengesahkan +Lead,Sales Order Trends +Lead Details,Harian Waktu Log Summary +Lead Id,Dari Pemasok Quotation +Lead Name,Negara bijaksana Alamat bawaan Template +Lead Owner,Tanggal +Lead Source,Pengaturan saham +Lead Status,Karyawan {0} tidak aktif atau tidak ada +Lead Time Date,Mode Pembayaran +Lead Time Days,Tersesat +Lead Time days is number of days by which this item is expected in your warehouse. This days is fetched in Material Request when you select this item.,Jumlah tunggakan +Lead Type,Ref Kode +Lead must be set if Opportunity is made from Lead,Penjualan Induk Orang +Leave Allocation,Beban Klaim Disetujui +Leave Allocation Tool,Masukkan detil item +Leave Application,Nama Pemohon +Leave Approver,Penjualan Faktur ada +Leave Approvers,Menulis Off Biaya Pusat +Leave Balance Before Application,Peneliti +Leave Block List,Tahun keuangan Anda dimulai pada +Leave Block List Allow,Diskon (%) +Leave Block List Allowed,Setup Wizard +Leave Block List Date,Guru Nama adalah wajib jika jenis account adalah Gudang +Leave Block List Dates,Menit +Leave Block List Name,Jika berbeda dari alamat pelanggan +Leave Blocked,Satuan Ukur {0} telah dimasukkan lebih dari sekali dalam Faktor Konversi Tabel +Leave Control Panel,Memimpin Baru +Leave Encashed?,Pengangkutan dan Forwarding Biaya +Leave Encashment Amount,Pajak dan pemotongan gaji lainnya. +Leave Type,Valid Dari +Leave Type Name,Analytics keuangan +Leave Without Pay,Kampanye Penamaan Dengan +Leave application has been approved.,Unstop Material Permintaan +Leave application has been rejected.,Dari Pelanggan +Leave approver must be one of {0},Modifikasi Jumlah +Leave blank if considered for all branches,Quotation {0} dibatalkan +Leave blank if considered for all departments,Rencana Qty +Leave blank if considered for all designations,"misalnya ""MC """ +Leave blank if considered for all employee types,Harap tambahkan beban rincian voucher +"Leave can be approved by users with Role, ""Leave Approver""",Silakan pengaturan grafik Anda account sebelum Anda mulai Entries Akuntansi +Leave of type {0} cannot be longer than {1},Series adalah wajib +Leaves Allocated Successfully for {0},Pilih negara asal Anda dan memeriksa zona waktu dan mata uang. +Leaves for type {0} already allocated for Employee {1} for Fiscal Year {0},Pelanggan Umpan +Leaves must be allocated in multiples of 0.5,Konfirmasi Tanggal +Ledger,Apakah LWP +Ledgers,Catatan: Barang {0} masuk beberapa kali +Left,Pengaturan HR +Legal,Item diperbarui +Legal Expenses,Standar Rekening Bank +Letter Head,Dapatkan Syarat dan Ketentuan +Letter Heads for print templates.,Tanggal clearance tidak bisa sebelum tanggal check-in baris {0} +Level,Material Permintaan Barang +Lft,BOM No untuk jadi baik Barang +Liability,Tinggalkan Approver +List a few of your customers. They could be organizations or individuals.,Buat aturan untuk membatasi transaksi berdasarkan nilai-nilai. +List a few of your suppliers. They could be organizations or individuals.,Tinggalkan Block List Tanggal +List items that form the package.,Kampanye +List this Item in multiple groups on the website.,Masukkan Planned Qty untuk Item {0} pada baris {1} +"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.",Silahkan pilih Tahun Anggaran +"List your tax heads (e.g. VAT, Excise; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.",Skor (0-5) +Loading...,Pengguna dengan peran ini diperbolehkan untuk membuat / memodifikasi entri akuntansi sebelum tanggal beku +Loans (Liabilities),Masukkan Biaya Pusat +Loans and Advances (Assets),Packing Slip +Local,Landed Biaya Barang +Login,Hilang Kurs mata uang Tarif untuk {0} +Login with your new User ID,Peluang Type +Logo,Pengaturan Perusahaan +Logo and Letter Heads,Ketentuan kontrak standar untuk Penjualan atau Pembelian. +Lost,Dapatkan Uang Muka Diterima +Lost Reason,Bill Tanggal +Low,Musik +Lower Income,Proyek +MTN Details,Aktual +Main,Pesanan Pembelian Diperlukan +Main Reports,Kendaraan Dispatch Tanggal +Maintain Same Rate Throughout Sales Cycle,Kredit (Kewajiban) +Maintain same rate throughout purchase cycle,Reqd By Date +Maintenance,Tambahkan +Maintenance Date,Daftar Harga tidak dipilih +Maintenance Details,Nama Mata Uang +Maintenance Schedule,Pilih Tahun Anggaran ... +Maintenance Schedule Detail,Status Penagihan +Maintenance Schedule Item,Jumlah negatif tidak diperbolehkan +Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',"Rule harga pertama dipilih berdasarkan 'Terapkan On' lapangan, yang dapat Barang, Barang Grup atau Merek." +Maintenance Schedule {0} exists against {0},Gudang hanya dapat diubah melalui Bursa Masuk / Delivery Note / Penerimaan Pembelian +Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Diterima Kuantitas +Maintenance Schedules,Produk Diterima Akan Ditagih +Maintenance Status,Perbarui Izin Tanggal +Maintenance Time,Masa Pembayaran Berdasarkan Faktur Tanggal +Maintenance Type,Beban Klaim +Maintenance Visit,Tanggal posting dan posting waktu adalah wajib +Maintenance Visit Purpose,LR Tanggal +Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Jumlah Total Tagihan +Maintenance start date can not be before delivery date for Serial No {0},"Email Id di mana pelamar pekerjaan akan mengirimkan email misalnya ""jobs@example.com""" +Major/Optional Subjects,Jurnal Entri +Make , +Make Accounting Entry For Every Stock Movement,Doc Nama +Make Bank Voucher,Apakah Penjualan Barang +Make Credit Note,"Jika Anda telah membuat template standar dalam Pajak Pembelian dan Guru Beban, pilih salah satu dan klik tombol di bawah." +Make Debit Note,Voucher Jenis dan Tanggal +Make Delivery,Penerimaan Pembelian Barang Disediakan +Make Difference Entry,Barang yang diterima dari pemasok. +Make Excise Invoice,old_parent +Make Installation Note,"Jika account beku, entri yang diizinkan untuk pengguna terbatas." +Make Invoice,Standar Akun +Make Maint. Schedule,Konversikan ke Grup +Make Maint. Visit,Nomor registrasi perusahaan untuk referensi Anda. Nomor pajak dll +Make Maintenance Visit,Darurat Telepon +Make Packing Slip,Penjelasan +Make Payment Entry,Tidak dapat mengkonversi Biaya Center untuk buku karena memiliki node anak +Make Purchase Invoice,Master Holiday. +Make Purchase Order,Biaya Pusat +Make Purchase Receipt,Part-time +Make Salary Slip,Purchase Order +Make Salary Structure,Tidak dapat deactive atau cancle BOM seperti yang dihubungkan dengan BOMs lain +Make Sales Invoice,"Memilih ""Ya"" akan memungkinkan item ini muncul di Purchase Order, Penerimaan Pembelian." +Make Sales Order,Berat Kotor +Make Supplier Quotation,Fixed Asset +Male,Tarif Pajak Barang +Manage Customer Group Tree.,Tertutup +Manage Sales Partners.,Setengah Tahunan +Manage Sales Person Tree.,Permintaan Bahan Baru +Manage Territory Tree.,Menghilangkan Tanggal +Manage cost of operations,Sampai saat ini tidak dapat sebelumnya dari tanggal +Management,Silakan pilih file csv +Manager,Nomor Cek +"Mandatory if Stock Item is ""Yes"". Also the default warehouse where reserved quantity is set from Sales Order.",Blok Tanggal +Manufacture against Sales Order,Untuk Perusahaan +Manufacture/Repack,Faktur Penjualan Trends +Manufactured Qty,Tidak Tersedia +Manufactured quantity will be updated in this warehouse,Tidak ada Rekening Nasabah ditemukan. +Manufactured quantity {0} cannot be greater than planned quanitity {1} in Production Order {2},"""Tidak ada" +Manufacturer,"Daftar kepala pajak Anda (misalnya PPN, Cukai, mereka harus memiliki nama yang unik) dan tingkat standar mereka. Ini akan membuat template standar, yang dapat Anda edit dan menambahkannya kemudian." +Manufacturer Part Number,Anda bisa mengirimkan ini Stock Rekonsiliasi. +Manufacturing,Penuaan Tanggal adalah wajib untuk membuka entri +Manufacturing Quantity,Untuk Tanggal +Manufacturing Quantity is mandatory,Pajak Pembelian dan Biaya +Margin,BOM diganti +Marital Status,Detail Kesehatan +Market Segment,Biaya +Marketing,Sesuaikan +Marketing Expenses,Identifikasi paket untuk pengiriman (untuk mencetak) +Married,Anda dapat memasukkan jumlah minimum dari item ini yang akan dipesan. +Mass Mailing,Nama Distribusi +Master Name,Perusahaan (tidak Pelanggan atau Pemasok) Master. +Master Name is mandatory if account type is Warehouse,Produk Diminta Akan Ditransfer +Master Type,simbol +Masters,Pilih Waktu Log dan Kirim untuk membuat Faktur Penjualan baru. +Match non-linked Invoices and Payments.,"Tentukan daftar Territories, yang, Aturan Pengiriman ini berlaku" +Material Issue,Permintaan Produk Bahan +Material Receipt,Kota / Kota +Material Request,Re-order Qty +Material Request Detail No,Keperluan +Material Request For Warehouse,Tidak Aktif +Material Request Item,Currency Default +Material Request Items,Transportasi +Material Request No,Periksa ini jika Anda ingin memaksa pengguna untuk memilih seri sebelum menyimpan. Tidak akan ada default jika Anda memeriksa ini. +Material Request Type,Sesuaikan Pemberitahuan +Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Kualifikasi Pendidikan Detail +Material Request used to make this Stock Entry,Pemasok Type +Material Request {0} is cancelled or stopped,Mengisi tipe 'sebenarnya' berturut-turut {0} tidak dapat dimasukkan dalam Butir Tingkat +Material Requests for which Supplier Quotations are not created,Bill ada +Material Requests {0} created,Nama Akun +Material Requirement,Pembaruan Biaya +Material Transfer,"Reserved Qty: Jumlah memerintahkan untuk dijual, tapi tidak disampaikan." +Materials,Jarak +Materials Required (Exploded),Kontak +Max 5 characters,HTML / Banner yang akan muncul di bagian atas daftar produk. +Max Days Leave Allowed,Anda dapat mengatur default Rekening Bank di induk Perusahaan +Max Discount (%),Biaya Pusat baru +Max Qty,Jumlah Karakter +Max discount allowed for item: {0} is {1}%,Tidak bisa memilih jenis biaya sebagai 'Pada Row Sebelumnya Jumlah' atau 'On Sebelumnya Row Jumlah' untuk penilaian. Anda dapat memilih hanya 'Jumlah' pilihan untuk jumlah baris sebelumnya atau total baris sebelumnya +Maximum allowed credit is {0} days after posting date,Aset Temporary +Maximum {0} rows allowed,Mitra Type +Maxiumm discount for Item {0} is {1}%,PPN +Medical,Jumlah barang yang diperoleh setelah manufaktur / repacking dari mengingat jumlah bahan baku +Medium,Tahun Ditutup +"Merging is only possible if following properties are same in both records. Group or Ledger, Root Type, Company",Gaji +Message,Hari Sejak Orde terakhir +Message Parameter,Struktur Gaji lain {0} aktif untuk karyawan {0}. Silakan membuat status 'aktif' untuk melanjutkan. +Message Sent,Aset Lancar +Message updated,Silakan pilih jenis dokumen pertama +Messages,Balance Qty +Messages greater than 160 characters will be split into multiple messages,pemerintahan +Middle Income,Selamat Datang di ERPNext. Silahkan pilih bahasa Anda untuk memulai Setup Wizard. +Milestone,Biaya Operasi +Milestone Date,Item Kekurangan Laporan +Milestones,Komentar +Milestones will be added as Events in the Calendar,Tidak dapat mengkonversi ke Grup karena Guru Ketik atau Rekening Type dipilih. +Min Order Qty,Pesan lebih dari 160 karakter akan dipecah menjadi beberapa pesan +Min Qty,Pengguna harus selalu pilih +Min Qty can not be greater than Max Qty,Judul untuk mencetak template misalnya Proforma Invoice. +Minimum Order Qty,Berat UOM +Minute,Jumlah Debit harus sama dengan total kredit. Perbedaannya adalah {0} +Misc Details,Manufaktur Kuantitas adalah wajib +Miscellaneous Expenses,Nama Pengguna +Miscelleneous,Pilih Pesanan Penjualan +Mobile No,Pengaturan Karyawan +Mobile No.,"Tentukan operasi, biaya operasi dan memberikan Operation unik ada pada operasi Anda." +Mode of Payment,"Saldo Rekening jenis ""Bank"" atau ""Cash""" +Modern,Selesai% +Modified Amount,Produktif Type +Monday,Komisi Rate (%) +Month,Auto-meningkatkan Permintaan Material jika kuantitas berjalan di bawah tingkat re-order di gudang +Monthly,New Stock UOM harus berbeda dari UOM saham saat ini +Monthly Attendance Sheet,Catatan: Sistem tidak akan memeriksa over-pengiriman dan over-booking untuk Item {0} kuantitas atau jumlah 0 +Monthly Earning & Deduction,"Karena ada transaksi saham yang ada untuk item ini, Anda tidak dapat mengubah nilai-nilai 'Memiliki Serial No', 'Apakah Stock Barang' dan 'Metode Penilaian'" +Monthly Salary Register,% Bahan ditagih terhadap Sales Order ini +Monthly salary statement.,Pilih Merek ... +More Details,Rename Alat +More Info,Kuantitas Diproduksi akan diperbarui di gudang ini +Motion Picture & Video,Ditolak Serial No +Moving Average,Lain-lain +Moving Average Rate,Pabrikan +Mr,Ms +Ms,% Jumlah Ditagih +Multiple Item prices.,Pengaturan Payroll +"Multiple Price Rule exists with same criteria, please resolve \ + conflict by assigning priority. Price Rules: {0}",Jumlah total tagihan dikirim ke pelanggan selama periode digest +Music,Sebuah Produk atau Jasa +Must be Whole Number,Ini akan digunakan untuk menetapkan aturan dalam modul HR +Name,Catatan: Tidak ada saldo cuti cukup bagi Leave Type {0} +Name and Description,Tahunan +Name and Employee ID,Reserved gudang diperlukan untuk item saham {0} +"Name of new Account. Note: Please don't create accounts for Customers and Suppliers, they are created automatically from the Customer and Supplier master",Akun Penghasilan +Name of person or organization that this address belongs to.,Tanggal Bergabung +Name of the Budget Distribution,"Beberapa Aturan Harga ada dengan kriteria yang sama, silahkan menyelesaikan \ \ n konflik dengan menetapkan prioritas. Aturan Harga: {0}" +Naming Series,Nama dan ID Karyawan +Negative Quantity is not allowed,Valuation +Negative Stock Error ({6}) for Item {0} in Warehouse {1} on {2} {3} in {4} {5},Manager Project +Negative Valuation Rate is not allowed,Dasar +Negative balance in Batch {0} for Item {1} at Warehouse {2} on {3} {4},Min Qty tidak dapat lebih besar dari Max Qty +Net Pay,Akun {0} tidak ada +Net Pay (in words) will be visible once you save the Salary Slip.,Detil Voucher ada +Net Total,Entri New Stock +Net Total (Company Currency),Kosmetik +Net Weight,Pajak Kategori tidak bisa 'Penilaian' atau 'Penilaian dan Total' karena semua item item non-saham +Net Weight UOM,kas +Net Weight of each Item,Disampaikan Serial ada {0} tidak dapat dihapus +Net pay cannot be negative,Secara otomatis mengekstrak Pelamar Kerja dari kotak surat +Never,Detail Darurat Kontak +New , +New Account,Orang penjualan Anda akan mendapatkan pengingat pada tanggal ini untuk menghubungi pelanggan +New Account Name,"Pergi ke grup yang sesuai (biasanya Sumber Dana> Kewajiban Lancar> Pajak dan Bea dan membuat Akun baru Ledger (dengan mengklik Tambahkan Child) tipe ""Pajak"" dan jangan menyebutkan tingkat pajak." +New BOM,Silakan tentukan Perusahaan untuk melanjutkan +New Communications,Induk Barang Grup +New Company,Status Instalasi +New Cost Center,Silakan tentukan ID Row berlaku untuk {0} berturut-turut {1} +New Cost Center Name,Lft +New Delivery Notes,Kode Pelanggan +New Enquiries,Group by Voucher +New Leads,Gudang Diterima +New Leave Application,Akun dengan node anak tidak dapat dikonversi ke buku +New Leaves Allocated,Journal Voucher Detil +New Leaves Allocated (In Days),Penerimaan Pembelian {0} tidak disampaikan +New Material Requests,Daftar Harga Rate (Perusahaan Mata Uang) +New Projects,Pembelian +New Purchase Orders,Barang-barang yang tidak ada dalam Butir utama juga dapat dimasukkan pada permintaan pelanggan +New Purchase Receipts,Beban standar Akun +New Quotations,Rangkai Salindia +New Sales Orders,Untuk mengaktifkan Point of Sale Tampilan +New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Ikuti via Email +New Stock Entries,Bahan baku yang dibutuhkan dikeluarkan ke pemasok untuk memproduksi sub - item yang dikontrak. +New Stock UOM,Apakah Muka +New Stock UOM is required,Waktu Log +New Stock UOM must be different from current stock UOM,Membuat Sales Invoice +New Supplier Quotations,Entri Stock sudah diciptakan untuk Orde Produksi +New Support Tickets,Kewajiban +New UOM must NOT be of type Whole Number,Kuantitas untuk Item {0} harus kurang dari {1} +New Workplace,Pajak dan Biaya Jumlah +Newsletter,Tinggalkan Nama Block List +Newsletter Content,Partner Website +Newsletter Status,Item {0} dengan deskripsi yang sama dimasukkan dua kali +Newsletter has already been sent,Reserved Gudang di Sales Order / Barang Jadi Gudang +Newsletters is not allowed for Trial users,Penjualan +"Newsletters to contacts, leads.",Sewa Biaya +Newspaper Publishers,Pasang Gambar Anda +Next,Apakah menjual +Next Contact By,Tinggalkan Block List +Next Contact Date,"Country, Timezone dan Mata Uang" +Next Date,Pending SO Items Untuk Pembelian Permintaan +Next email will be sent on:,Hitung Total Skor +No,Kirim Email +No Customer Accounts found.,Batch Selesai Tanggal +No Customer or Supplier Accounts found,Batch ID +No Expense Approvers. Please assign 'Expense Approver' Role to atleast one user,Cocokkan Faktur non-linked dan Pembayaran. +No Item with Barcode {0},Daftar Harga Tukar +No Item with Serial No {0},Saldo Rekening +No Items to pack,Silakan set tombol akses Google Drive di {0} +No Leave Approvers. Please assign 'Leave Approver' Role to atleast one user,Tinggalkan Tanpa Bayar +No Permission,Tetapkan +No Production Orders created,Proyek & Sistem +No Supplier Accounts found. Supplier Accounts are identified based on 'Master Type' value in account record.,"Di sini Anda dapat mempertahankan tinggi, berat, alergi, masalah medis dll" +No accounting entries for the following warehouses,"Row {0}: Untuk mengatur {1} periodisitas, perbedaan antara dari dan sampai saat ini \ \ n harus lebih besar dari atau sama dengan {2}" +No addresses created,Jenis Pembayaran +No contacts created,Misalnya. smsgateway.com / api / send_sms.cgi +No default Address Template found. Please create a new one from Setup > Printing and Branding > Address Template.,Info Perusahaan +No default BOM exists for Item {0},Serial Tidak Detail +No description given,Berhenti berlangganan +No employee found,Item Grup dalam Rincian +No employee found!,Pada Sebelumnya Row Jumlah +No of Requested SMS,Silahkan pengaturan seri penomoran untuk Kehadiran melalui Pengaturan> Penomoran Series +No of Sent SMS,Diskon Maxiumm untuk Item {0} adalah {1}% +No of Visits,Weightage +No permission,Tim Penjualan +No record found,UOM berbeda untuk item akan menyebabkan salah (Total) Nilai Berat Bersih. Pastikan Berat Bersih dari setiap item di UOM sama. +No salary slip found for month: , +Non Profit,Ot +Nos,Syarat dan Ketentuan Detail +Not Active,Tidak Ditagih +Not Applicable,Bulanan Pendapatan & Pengurangan +Not Available,Jadwal pemeliharaan +Not Billed,ERPNext Pengaturan +Not Delivered,Beban Administrasi +Not Set,Membuat Bank Voucher +Not allowed to update entries older than {0},Kartu Kredit +Not authorized to edit frozen Account {0},Terapkan On +Not authroized since {0} exceeds limits,Pengaturan situs web +Not permitted,Untuk Produksi +Note,Silahkan pilih kode barang +Note User,Pemeliharaan Tanggal +"Note: Backups and files are not deleted from Dropbox, you will have to delete them manually.",Total Biaya Bahan Baku +"Note: Backups and files are not deleted from Google Drive, you will have to delete them manually.",Beban Langsung +Note: Due Date exceeds the allowed credit days by {0} day(s),"Diskon Fields akan tersedia dalam Purchase Order, Penerimaan Pembelian, Purchase Invoice" +Note: Email will not be sent to disabled users,Semua Grup Pelanggan +Note: Item {0} entered multiple times,Nomor BOM tidak diperbolehkan untuk non-manufaktur Barang {0} berturut-turut {1} +Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,Bank Voucher +Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Sasaran On +Note: There is not enough leave balance for Leave Type {0},[Select] +Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Detil Distribusi Anggaran +Note: {0},"Di sini Anda dapat mempertahankan rincian keluarga seperti nama dan pekerjaan orang tua, pasangan dan anak-anak" +Notes,Peraturan Pengiriman Label +Notes:,Menguasai nilai tukar mata uang. +Nothing to request,Pemasok utama. +Notice (days),Diaktifkan +Notification Control,Pesanan Pembelian Baru +Notification Email Address,Ini adalah situs contoh auto-dihasilkan dari ERPNext +Notify by Email on creation of automatic Material Request,Kehadiran bagi karyawan {0} sudah ditandai +Number Format,Catatan: Entry Pembayaran tidak akan dibuat karena 'Cash atau Rekening Bank tidak ditentukan +Offer Date,Biaya Nama Pusat +Office,FCFS Tingkat +Office Equipments,"Barang yang akan diminta yang ""Out of Stock"" mengingat semua gudang berdasarkan qty diproyeksikan dan minimum order qty" +Office Maintenance Expenses,Barang-bijaksana Riwayat Pembelian +Office Rent,Tempat Kerja Baru +Old Parent,Item {0} harus diproduksi atau sub-kontrak +On Net Total,Catatan pengiriman {0} harus dibatalkan sebelum membatalkan Sales Order ini +On Previous Row Amount,Serial ada {0} kuantitas {1} tidak dapat pecahan +On Previous Row Total,Masukkan Kode Verifikasi +Online Auctions,Download laporan yang berisi semua bahan baku dengan status persediaan terbaru mereka +Only Leave Applications with status 'Approved' can be submitted,Karyawan Eksternal Riwayat Pekerjaan +"Only Serial Nos with status ""Available"" can be delivered.",Laporan standar +Only leaf nodes are allowed in transaction,Penjualan Pajak dan Biaya +Only the selected Leave Approver can submit this Leave Application,Gudang Detil +Open,Pertama Menanggapi On +Open Production Orders,Piutang +Open Tickets,Nama perusahaan Anda yang Anda sedang mengatur sistem ini. +Opening (Cr),{0} '{1}' tidak dalam Tahun Anggaran {2} +Opening (Dr),Karyawan internal Kerja historys +Opening Date,Keterangan Pengguna +Opening Entry,Packing Detail +Opening Qty,Mengkonversi menjadi Faktur Berulang +Opening Time,Beban Klaim telah ditolak. +Opening Value,Dari Perusahaan +Opening for a Job.,Tampilkan Website +Operating Cost,Out Nilai +Operation Description,Kelompok Pelanggan / Pelanggan +Operation No,Pajak dan Biaya Ditambahkan +Operation Time (mins),Jadwal pemeliharaan +Operation {0} is repeated in Operations Table,Jabatan +Operation {0} not present in Operations Table,Per Saham UOM +Operations,Appraisal Template Judul +Opportunity,Row {0}: Tanggal awal harus sebelum Tanggal Akhir +Opportunity Date,Penilaian Goal +Opportunity From,"Hari bulan yang auto faktur akan dihasilkan misalnya 05, 28 dll" +Opportunity Item,Id yang unik untuk melacak semua tagihan berulang. Hal ini dihasilkan di submit. +Opportunity Items,"Rencana Qty: Kuantitas, yang, Orde Produksi telah dibangkitkan, tetapi tertunda akan diproduksi." +Opportunity Lost,Detail Pengiriman +Opportunity Type,Silakan membuat Struktur Gaji untuk karyawan {0} +Optional. This setting will be used to filter in various transactions.,Penyesuaian Stock +Order Type,"Pengguna Sistem (login) ID. Jika diset, itu akan menjadi default untuk semua bentuk HR." +Order Type must be one of {0},Standar Satuan Ukur +Ordered,Pending Ulasan +Ordered Items To Be Billed,BOM ada +Ordered Items To Be Delivered,BOM rekursi: {0} tidak dapat orang tua atau anak dari {2} +Ordered Qty,misalnya. Nomor Cek +"Ordered Qty: Quantity ordered for purchase, but not received.",Status pesanan produksi adalah {0} +Ordered Quantity,Pernyataan gaji bulanan. +Orders released for production.,Faktor konversi tidak dapat di fraksi +Organization Name,Debet +Organization Profile,Penerimaan Pembelian +Organization branch master.,Voucher yang tidak valid +Organization unit (department) master.,Nama Item Grup +Original Amount,Penuaan Berdasarkan +Other,Nama Depan +Other Details,Stock Balance +Others,BOM Operasi +Out Qty,Material Requirement +Out Value,Sepenuhnya Disampaikan +Out of AMC,Amal dan Sumbangan +Out of Warranty,Daftar Harga harus berlaku untuk Membeli atau Jual +Outgoing,Row # +Outstanding Amount,Stok saat ini UOM +Outstanding for {0} cannot be less than zero ({1}),Silakan tentukan Perusahaan +Overhead,untuk +Overheads,Target Gudang +Overlapping conditions found between:,Aktivitas +Overview,Faktor konversi untuk Unit default Ukur harus 1 berturut-turut {0} +Owned,Tingkat di mana mata uang pemasok dikonversi ke mata uang dasar perusahaan +Owner,Diharapkan Tanggal Mulai +PL or BS,Id email dipisahkan dengan koma. +PO Date,Under Graduate +PO No,Operasi +POP3 Mail Server,periode +POP3 Mail Settings,Pelanggan {0} bukan milik proyek {1} +POP3 mail server (e.g. pop.gmail.com),Maksimum {0} baris diperbolehkan +POP3 server e.g. (pop.gmail.com),Catatan: +POS Setting,Debit dan Kredit tidak sama untuk voucher ini. Perbedaan adalah {0}. +POS Setting required to make POS Entry,Masukkan Barang pertama +POS Setting {0} already created for user: {1} and company {2},Daun Dialokasikan Berhasil untuk {0} +POS View,Produksi +PR Detail,Tidak ada Kunjungan +Package Item Details,Struktur Gaji +Package Items,"Bidang yang tersedia di Delivery Note, Quotation, Faktur Penjualan, Sales Order" +Package Weight Details,Akun orang tua tidak bisa menjadi buku besar +Packed Item,Masukkan 'Diharapkan Pengiriman Tanggal' +Packed quantity must equal quantity for Item {0} in row {1},"Semua bidang impor terkait seperti mata uang, tingkat konversi, jumlah impor, impor besar jumlah dll tersedia dalam Penerimaan Pembelian, Supplier Quotation, Purchase Invoice, Purchase Order dll" +Packing Details,Tren pengiriman Note +Packing List,Email Kontak +Packing Slip,Memegang +Packing Slip Item,Realisasi Kuantitas +Packing Slip Items,Menghasilkan Permintaan Material (MRP) dan Pesanan Produksi. +Packing Slip(s) cancelled,Milestones Proyek +Page Break,{0} {1} status unstopped +Page Name,Posting Blog +Paid Amount,Nomor Paspor +Paid amount + Write Off Amount can not be greater than Grand Total,Harga Pokok Penjualan +Pair,Inspeksi Kualitas Reading +Parameter,Untuk referensi +Parent Account,Silakan tentukan +Parent Cost Center,Periksa untuk memastikan Alamat Pengiriman +Parent Customer Group,Untuk Menghasilkan +Parent Detail docname,Anda tidak dapat kredit dan mendebit rekening yang sama pada waktu yang sama +Parent Item,Penjualan Kembali +Parent Item Group,Memungkinkan pengguna untuk mengedit Daftar Harga Tingkat dalam transaksi +Parent Item {0} must be not Stock Item and must be a Sales Item,Mentransfer Bahan Baku +Parent Party Type,Masukkan menghilangkan date. +Parent Sales Person,Item Description +Parent Territory,Nilai Proyek +Parent Website Page,Dari nilai harus kurang dari nilai berturut-turut {0} +Parent Website Route,Pending Jumlah +Parent account can not be a ledger,Agar Berhenti tidak dapat dibatalkan. Unstop untuk membatalkan. +Parent account does not exist,Menyiapkan ... +Parenttype,Dukungan Sandi +Part-time,Tanggal Pengiriman +Partially Completed,Baris duplikat {0} dengan sama {1} +Partly Billed,File Sumber +Partly Delivered,Istirahat Of The World +Partner Target Detail,Akan diperbarui bila batched. +Partner Type,Grup atau Ledger +Partner's Website,Penjual Nasabah +Party,Membuat Packing Slip +Party Type,Sales Order yang diperlukan untuk Item {0} +Party Type Name,Cek Tanggal +Passive,Sumber standar Gudang +Passport Number,Hapus {0} {1}? +Password,Tujuan +Pay To / Recd From,Menyetujui Peran tidak bisa sama dengan peran aturan yang Berlaku Untuk +Payable,Jumlah Daun Dialokasikan +Payables,Cancelled +Payables Group,Pengaturan Lengkap +Payment Days,Parenttype +Payment Due Date,Farmasi +Payment Period Based On Invoice Date,Percobaan +Payment Type,Penjualan Ekstra +Payment of salary for the month {0} and year {1},Komputer +Payment to Invoice Matching Tool,Apakah Anda benar-benar ingin unstop +Payment to Invoice Matching Tool Detail,Nama Proyek +Payments,Salam +Payments Made,"Diminta Qty: Jumlah yang diminta untuk pembelian, tetapi tidak memerintahkan." +Payments Received,Pembukaan Job +Payments made during the digest period,Jumlah Total Disahkan +Payments received during the digest period,Pemasok Nama +Payroll Settings,Menulis Off Voucher +Pending,"Grid """ +Pending Amount,Item {0} harus Pembelian Barang +Pending Items {0} updated,Timbal Id +Pending Review,Makan varg +Pending SO Items For Purchase Request,Ref +Pension Funds,Contoh: Hari Berikutnya Pengiriman +Percent Complete,Sales Order +Percentage Allocation,SMS Gateway URL +Percentage Allocation should be equal to 100%,Notifikasi Email +Percentage variation in quantity to be allowed while receiving or delivering this item.,Jadwal pemeliharaan Detil +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.,Resolusi +Performance appraisal.,Komunikasi +Period,Aktif: Akan mengambil email dari +Period Closing Voucher,Rekening Nasabah Kepala +Periodicity,Paket Berat Detail +Permanent Address,Item Serial No +Permanent Address Is,Daun baru Dialokasikan +Permission,Untuk Sales Invoice +Personal,Referensi # {0} tanggal {1} +Personal Details,Silakan tentukan Currency Default di Perusahaan Guru dan Default global +Personal Email,"misalnya ""My Company LLC """ +Pharmaceutical,Persen Lengkap +Pharmaceuticals,Kampanye penjualan. +Phone,Silakan Singkatan atau Nama pendek dengan benar karena akan ditambahkan sebagai Suffix kepada semua Kepala Akun. +Phone No,Anda dapat memasukkan setiap tanggal secara manual +Piecework,Sekretaris +Pincode,Pengaturan global +Place of Issue,Alamat saat ini +Plan for maintenance visits.,Business Development Manager +Planned Qty,BOM Detil ada +"Planned Qty: Quantity, for which, Production Order has been raised, but is pending to be manufactured.","Email id harus unik, sudah ada untuk {0}" +Planned Quantity,Secara otomatis menulis pesan pada pengajuan transaksi. +Planning,Tinggalkan Alokasi Alat +Plant,Pesan Terkirim +Plant and Machinery,Pilih Project ... +Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,Abaikan Aturan Harga +Please Update SMS Settings,Memerintahkan Qty +Please add expense voucher details,Jenis kegiatan untuk Waktu Sheets +Please check 'Is Advance' against Account {0} if this is an advance entry.,Total +Please click on 'Generate Schedule',Gudang Ditolak adalah wajib terhadap barang regected +Please click on 'Generate Schedule' to fetch Serial No added for Item {0},{0} tidak valid Tinggalkan Approver. Menghapus row # {1}. +Please click on 'Generate Schedule' to get schedule,Faktor konversi +Please create Customer from Lead {0},"Item: {0} dikelola batch-bijaksana, tidak dapat didamaikan dengan menggunakan \ \ n Stock Rekonsiliasi, sebagai gantinya menggunakan Stock Entri" +Please create Salary Structure for employee {0},Instalasi Tanggal +Please create new account from Chart of Accounts.,Modus Gaji +Please do NOT create Account (Ledgers) for Customers and Suppliers. They are created directly from the Customer / Supplier masters.,Silahkan masukkan nama perusahaan pertama +Please enter 'Expected Delivery Date',Kuantitas Diproduksi {0} tidak dapat lebih besar dari yang direncanakan quanitity {1} dalam Orde Produksi {2} +Please enter 'Is Subcontracted' as Yes or No,{0} {1} telah disampaikan +Please enter 'Repeat on Day of Month' field value,Beban Klaim telah disetujui. +Please enter Account Receivable/Payable group in company master,Dari Purchase Order +Please enter Approving Role or Approving User,Kutipan yang diterima dari pemasok. +Please enter BOM for Item {0} at row {1},Diterima dan Diterima +Please enter Company,Jumlah Total Untuk Bayar +Please enter Cost Center,Akuntan +Please enter Delivery Note No or Sales Invoice No to proceed,Buat Daftar Penerima +Please enter Employee Id of this sales parson,Silahkan pilih nama Incharge Orang +Please enter Expense Account,Tidak Disampaikan +Please enter Item Code to get batch no,Kualitas +Please enter Item Code.,CoA Bantuan +Please enter Item first,Jumlah> = +Please enter Maintaince Details first,Selasa +Please enter Master Name once the account is created.,Item {0} tidak setup untuk Serial Nos Periksa Barang induk +Please enter Planned Qty for Item {0} at row {1},Hukum +Please enter Production Item first,Jam +Please enter Purchase Receipt No to proceed,Laba Struktur Gaji +Please enter Reference date,Manajemen +Please enter Warehouse for which Material Request will be raised,"Jika Rule 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, itu akan diambil di lapangan 'Tingkat', daripada bidang 'Daftar Harga Tingkat'." +Please enter Write Off Account,BOM Ledakan Barang +Please enter atleast 1 invoice in the table,Memuat... +Please enter company first,Jenis Party Nama +Please enter company name first,Dibuat Oleh +Please enter default Unit of Measure,Kontak Detail +Please enter default currency in Company Master,Pelanggan yang dibutuhkan untuk 'Customerwise Diskon' +Please enter email address,Masukkan Item Code. +Please enter item details,Log Aktivitas +Please enter message before sending,Penjualan Orang Sasaran Variance Barang Group-Wise +Please enter parent account group for warehouse account,Purchase Order Items +Please enter parent cost center,Kuantitas tidak bisa menjadi fraksi berturut-turut {0} +Please enter quantity for Item {0},Gantt Bagan +Please enter relieving date.,Permintaan bahan yang digunakan untuk membuat Masuk Bursa ini +Please enter sales order in the above table,Buat Permintaan Material +Please enter valid Company Email,Logo +Please enter valid Email Id,Memerintahkan Items Akan Disampaikan +Please enter valid Personal Email,Cetak Pos +Please enter valid mobile nos,Surat Kepala untuk mencetak template. +Please install dropbox python module,Dokumen Deskripsi +Please mention no of visits required,Peluang Barang +Please pull items from Delivery Note,Pembelian Pesanan yang diberikan kepada Pemasok. +Please save the Newsletter before sending,Mitra Sasaran Detil +Please save the document before generating maintenance schedule,Transfer +Please select Account first,Masukkan Write Off Akun +Please select Bank Account,Gagal: +Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Membuat Instalasi Note +Please select Category first,Kirim ke Ketik +Please select Charge Type first,Sertakan liburan di total no. dari Hari Kerja +Please select Fiscal Year,Tidak ada dari Diminta SMS +Please select Group or Ledger value,{0} bukan id email yang valid +Please select Incharge Person's name,Reseller +"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Sales BOM",Akun Sementara (Kewajiban) +Please select Price List,Row # {0}: +Please select Start Date and End Date for Item {0},Komisi +Please select a csv file,Dimana operasi manufaktur dilakukan. +Please select a valid csv file with data,Pasang Logo +Please select a value for {0} quotation_to {1},Referensi Tanggal +"Please select an ""Image"" first",Grand Total (Perusahaan Mata Uang) +Please select charge type first,Jumlah Hari Kerja Dalam Bulan +Please select company first.,Hari Waktu Timbal adalah jumlah hari dimana item ini diharapkan di gudang Anda. Hari ini diambil di Material Request ketika Anda memilih item ini. +Please select item code,Nama UOM +Please select month and year,Company Name +Please select prefix first,Anda harus mengalokasikan jumlah sebelum mendamaikan +Please select the document type first,Minimum Order Qty +Please select weekly off day,Email Digest: +Please select {0},Proyeksi Jumlah +Please select {0} first,Dari AMC +Please set Dropbox access keys in your site config,Uji Email Id +Please set Google Drive access keys in {0},Produk Diminta Akan Memerintahkan +Please set default Cash or Bank account in Mode of Payment {0},Tugas dan Pajak +Please set default value {0} in Company {0},Standar Gudang +Please set {0},Diperlukan Qty +Please setup Employee Naming System in Human Resource > HR Settings,Dari Quotation +Please setup numbering series for Attendance via Setup > Numbering Series,Biarkan Anak-anak +Please setup your chart of accounts before you start Accounting Entries,Pemasok Intro +Please specify,Penagihan +Please specify Company,Rata-rata Komisi Tingkat +Please specify Company to proceed,Rincian pelanggan +Please specify Default Currency in Company Master and Global Defaults,Pesan +Please specify a,Masukkan nama kampanye jika sumber penyelidikan adalah kampanye +Please specify a valid 'From Case No.',"Catatan: Backup dan file tidak dihapus dari Google Drive, Anda harus menghapusnya secara manual." +Please specify a valid Row ID for {0} in row {1},Permintaan Material ada +Please specify either Quantity or Valuation Rate or both,Instalasi Note +Please submit to update Leave Balance.,Mitra Channel +Plot,Rekonsiliasi data +Plot By,Tinggalkan Diblokir +Point of Sale,Kelompok darah +Point-of-Sale Setting,Unit Kapasitas +Post Graduate,Entries Journal +Postal,Parameter pesan +Postal Expenses,Nomor Referensi +Posting Date,Eksekusi +Posting Time,Rekonsiliasi Bank Detil +Posting date and posting time is mandatory,Berikutnya +Posting timestamp must be after {0},Lead +Potential opportunities for selling.,Set Status sebagai Tersedia +Preferred Billing Address,Customerwise Diskon +Preferred Shipping Address,Pengaturan server masuk untuk pekerjaan email id. (Misalnya jobs@example.com) +Prefix,Item Code> Barang Grup> Merek +Present,Batu +Prevdoc DocType,Aturan Harga Bantuan +Prevdoc Doctype,Purchase Invoice Barang +Preview,Jumlah yang sebenarnya: Kuantitas yang tersedia di gudang. +Previous,Daftar Harga Tingkat +Previous Work Experience,C-Form +Price,Realisasi Anggaran +Price / Discount,Apa gunanya? +Price List," Add / Edit " +Price List Currency,"Bantuan: Untuk link ke catatan lain dalam sistem, gunakan ""# Form / Note / [Catatan Nama]"" sebagai link URL. (Tidak menggunakan ""http://"")" +Price List Currency not selected,Consumable +Price List Exchange Rate,Jumlah pajak Setelah Diskon Jumlah +Price List Name,Kerusakan +Price List Rate,Kontak Kontrol +Price List Rate (Company Currency),Posting timestamp harus setelah {0} +Price List master.,Menyimpan melacak komunikasi yang berkaitan dengan penyelidikan ini yang akan membantu untuk referensi di masa mendatang. +Price List must be applicable for Buying or Selling,Energi +Price List not selected,Pelanggan Issue +Price List {0} is disabled,Kelompok Pelanggan +Price or Discount,Semua Territories +Pricing Rule,Impor Gagal! +Pricing Rule Help,Modal Ventura +"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.",{0} {1} terhadap Bill {2} tanggal {3} +"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.",Trial Balance +Pricing Rules are further filtered based on quantity.,Barang Kualitas Parameter Inspeksi +Print Format Style,Alamat Pelanggan +Print Heading,Hanya dipilih Cuti Approver dapat mengirimkan Aplikasi Cuti ini +Print Without Amount,Kegiatan proyek / tugas. +Print and Stationary,Anggaran tidak dapat ditetapkan untuk Biaya Pusat Grup +Printing and Branding,Jumlah Total Diklaim +Priority,Dijadwalkan untuk mengirim ke {0} penerima +Private Equity,Pengaturan Penjualan Email +Privilege Leave,Gaji Manajer +Probation,Pembelian Analytics +Process Payroll,Rincian Distribusi Anggaran +Produced,Silakan tentukan +Produced Quantity,Wilayah / Pelanggan +Product Enquiry,{0} dibuat +Production,Manufaktur +Production Order,Rate (Perusahaan Mata Uang) +Production Order status is {0},Nilai saham +Production Order {0} must be cancelled before cancelling this Sales Order,Informasi Karyawan +Production Order {0} must be submitted,Serial ada +Production Orders,Biarkan kosong jika dipertimbangkan untuk semua sebutan +Production Orders in Progress,Quotation Untuk +Production Plan Item,Serial ada {0} masih dalam garansi upto {1} +Production Plan Items,tujuan +Production Plan Sales Order,Medis +Production Plan Sales Orders,Sepenuhnya Ditagih +Production Planning Tool,Sales Order Tanggal +Products,Barang yang dibutuhkan +"Products will be sorted by weight-age in default searches. More the weight-age, higher the product will appear in the list.",Nama Negara +Profit and Loss,Induk tua +Project,Journal Voucher {0} tidak memiliki akun {1} atau sudah cocok +Project Costing,Gudang yang hilang dalam Purchase Order +Project Details,Diabaikan: +Project Manager,Harga / Diskon +Project Milestone,Surat Pengunduran Diri Tanggal +Project Milestones,Re-Order Qty +Project Name,Menulis Off Jumlah Outstanding +Project Start Date,Set as Hilang +Project Type,{0} tidak Nomor Batch berlaku untuk Item {1} +Project Value,Membaca 10 +Project activity / task.,Telepon +Project master.,Stock tidak dapat diperbarui terhadap Delivery Note {0} +Project will get saved and will be searchable with project name given,Standar Pemasok Type +Project wise Stock Tracking,New Account Name +Project-wise data is not available for Quotation,Nama nasabah +Projected,Kontrak tambahan +Projected Qty,Serial ada {0} telah diterima +Projects,Slip Gaji Pengurangan +Projects & System,"Ketika salah satu transaksi yang diperiksa ""Dikirim"", email pop-up secara otomatis dibuka untuk mengirim email ke terkait ""Kontak"" dalam transaksi itu, dengan transaksi sebagai lampiran. Pengguna mungkin atau mungkin tidak mengirim email." +Prompt for Email on Submission of,Beban Klaim Detil +Proposal Writing,Apakah Pajak ini termasuk dalam Basic Rate? +Provide email id registered in company,Standar Membeli Daftar Harga +Public,Beban Legal +Published on website at: {0},Item Code dibutuhkan pada Row ada {0} +Publishing,Akun dengan transaksi yang ada tidak dapat dikonversi ke buku +Pull sales orders (pending to deliver) based on the above criteria,Secara otomatis diperbarui melalui Bursa Masuknya jenis Industri / Repack +Purchase,Daftar Harga +Purchase / Manufacture Details,Diperiksa Oleh +Purchase Analytics,Pada Sebelumnya Row Jumlah +Purchase Common,Laba Rugi +Purchase Details,Kontak Mobile No +Purchase Discounts,Jumlah berturut-turut {0} ({1}) harus sama dengan jumlah yang diproduksi {2} +Purchase Invoice,Log komunikasi. +Purchase Invoice Advance,Menyerahkan semua slip gaji kriteria pilihan di atas +Purchase Invoice Advances,Impor Kehadiran +Purchase Invoice Item,Penjualan Orang +Purchase Invoice Trends,Menghasilkan Gaji Slips +Purchase Invoice {0} is already submitted,Tanaman dan Mesin +Purchase Order,Akun {0} tidak aktif +Purchase Order Date,Penjualan Mitra +Purchase Order Item,Bahan Baku Disediakan +Purchase Order Item No,{0} tidak dapat negatif +Purchase Order Item Supplied,Pengguna {0} dinonaktifkan +Purchase Order Items,Detail Issue +Purchase Order Items Supplied,Menunjukkan bahwa paket tersebut merupakan bagian dari pengiriman ini (Hanya Draft) +Purchase Order Items To Be Billed,Max Qty +Purchase Order Items To Be Received,Cadangan dan Surplus +Purchase Order Message," Add / Edit " +Purchase Order Required,Pemasok Penamaan Dengan +Purchase Order Trends,Silakan pilih Rekening Bank +Purchase Order number required for Item {0},"Jika tidak diperiksa, daftar harus ditambahkan ke setiap departemen di mana itu harus diterapkan." +Purchase Order {0} is 'Stopped',Pertimbangkan Pajak atau Biaya untuk +Purchase Order {0} is not submitted,{0}Para{/0}{1}me{/1}{0}ter{/0} +Purchase Orders given to Suppliers.,Status +Purchase Receipt,Perancang +Purchase Receipt Item,Halaman Istirahat +Purchase Receipt Item Supplied,"Produk akan diurutkan menurut beratnya usia dalam pencarian default. Lebih berat usia, tinggi produk akan muncul dalam daftar." +Purchase Receipt Item Supplieds,Proyek +Purchase Receipt Items,Kg +Purchase Receipt Message,Untuk Server Side Format Cetak +Purchase Receipt No,Penerbit Koran +Purchase Receipt Required,Prioritas +Purchase Receipt Trends,Kustom Autoreply Pesan +Purchase Receipt number required for Item {0},Laporan Utama +Purchase Receipt {0} is not submitted,Penjualan Mitra Nama +Purchase Register,Detail Exit Interview +Purchase Return,Daftar Barang ini dalam beberapa kelompok di website. +Purchase Returned,Masukkan Maintaince Detail pertama +Purchase Taxes and Charges,Buka Tiket +Purchase Taxes and Charges Master,Catatan kehadiran. +Purchse Order number required for Item {0},Pemeliharaan Visit +Purpose,Nonaktifkan +Purpose must be one of {0},Silahkan klik 'Menghasilkan Jadwal' +QA Inspection,Semua barang-barang tersebut telah ditagih +Qty,Dengan berbagi +Qty Consumed Per Unit,Pengiriman Note Items +Qty To Manufacture,Efek & Bursa Komoditi +Qty as per Stock UOM,'To Date' diperlukan +Qty to Deliver,Purchase Order Pesan +Qty to Order,Aset +Qty to Receive,Setengah tahun sekali +Qty to Transfer,Backup Right Now +Qualification,Tidak bisa memilih jenis biaya sebagai 'Pada Row Sebelumnya Jumlah' atau 'On Sebelumnya Row Jumlah' untuk baris pertama +Quality,Request for Information +Quality Inspection,Membuat Entri Akuntansi Untuk Setiap Gerakan Stock +Quality Inspection Parameters,Silakan tentukan baik Quantity atau Tingkat Penilaian atau keduanya +Quality Inspection Reading,Template yang salah: Tidak dapat menemukan baris kepala. +Quality Inspection Readings,Jenis Beban Klaim. +Quality Inspection required for Item {0},Membuat Slip gaji untuk kriteria yang disebutkan di atas. +Quality Management,Berlaku untuk Perusahaan +Quantity,"Unit pengukuran item ini (misalnya Kg, Unit, No, Pair)." +Quantity Requested for Purchase,Nama Organisasi +Quantity and Rate,Jumlah yang dibayarkan + Write Off Jumlah tidak dapat lebih besar dari Grand Total +Quantity and Warehouse,Rename Log +Quantity cannot be a fraction in row {0},Milestone Tanggal +Quantity for Item {0} must be less than {1},Tanggal Penyelesaian +Quantity in row {0} ({1}) must be same as manufactured quantity {2},Sales Invoice Uang Muka +Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Tanggal Berakhir +Quantity required for Item {0} in row {1},Beban Akun +Quarter,Pembelian Umum +Quarterly,Type Partai +Quick Help,Penjualan +Quotation,Penjualan Pajak dan Biaya Guru +Quotation Date,Alamat Judul adalah wajib. +Quotation Item,Uji Newsletter +Quotation Items,Buat Maint. Kunjungan +Quotation Lost Reason,Sub Assemblies +Quotation Message,Reserved +Quotation To,Atas +Quotation Trends,Penjualan BOM Barang +Quotation {0} is cancelled,Motion Picture & Video +Quotation {0} not of type {1},Unstop +Quotations received from Suppliers.,Tahun Passing +Quotes to Leads or Customers.,Gaji bersih yang belum dapat negatif +Raise Material Request when stock reaches re-order level,Jika Anggaran Bulanan Melebihi +Raised By,Absen +Raised By (Email),Periksa untuk memastikan alamat utama +Random,Debit Amt +Range,Sebuah Pemasok ada dengan nama yang sama +Rate,Piutang / Hutang +Rate , +Rate (%),Selamat Datang +Rate (Company Currency),Disetujui +Rate Of Materials Based On,Full-time +Rate and Amount,Penyiaran +Rate at which Customer Currency is converted to customer's base currency,SO Tanggal +Rate at which Price list currency is converted to company's base currency,Diperlukan Tanggal +Rate at which Price list currency is converted to customer's base currency,Penghasilan Memesan +Rate at which customer's currency is converted to company's base currency,Google Drive +Rate at which supplier's currency is converted to company's base currency,Nama Belakang +Rate at which this tax is applied,Dapatkan Template +Raw Material,Berhenti! +Raw Material Item Code,{0} adalah wajib. Mungkin record Kurs Mata Uang tidak diciptakan untuk {1} ke {2}. +Raw Materials Supplied,"Maaf, Serial Nos tidak dapat digabungkan" +Raw Materials Supplied Cost,Permintaan Material {0} dibuat +Raw material cannot be same as main Item,Waktu dan Anggaran +Re-Order Level,Masukkan departemen yang kontak ini milik +Re-Order Qty,Slip Gaji +Re-order,Docuements +Re-order Level,Jenis proyek +Re-order Qty,Terhadap Journal Voucher {0} tidak memiliki tertandingi {1} entri +Read,Pembayaran Dibuat +Reading 1,Membaca 6 +Reading 10,Purchase Order Item No +Reading 2,Membaca 3 +Reading 3,Membaca 1 +Reading 4,Membaca 5 +Reading 5,'Berdasarkan' dan 'Group By' tidak bisa sama +Reading 6,Membaca 7 +Reading 7,Membaca 4 +Reading 8,Membaca 9 +Reading 9,Kirim Slip Gaji +Real Estate,Row {0}: Akun tidak sesuai dengan \ \ n Faktur Penjualan Debit Untuk account +Reason,Dropbox Access Key +Reason for Leaving,Membeli Pengaturan +Reason for Resignation,'Dari Tanggal' harus setelah 'To Date' +Reason for losing,Diubah Dari +Recd Quantity,Membuat Pemasok Quotation +Receivable,"Pilih ""Ya"" jika Anda mempertahankan stok item dalam persediaan Anda." +Receivable / Payable account will be identified based on the field Master Type,Inspeksi Type +Receivables,Permintaan Type +Receivables / Payables,Kelola Wilayah Pohon. +Receivables Group,Pengguna Pertama: Anda +Received Date,Untuk melacak instalasi atau commissioning kerja terkait setelah penjualan +Received Items To Be Billed,Tanggal pembaruan clearance Entries Journal ditandai sebagai 'Bank Voucher' +Received Qty,Periksa ini untuk menarik email dari kotak surat Anda +Received and Accepted,Nota Kredit +Receiver List,Sekolah / Universitas +Receiver List is empty. Please create Receiver List,Territory Manager +Receiver Parameter,Pesan diperbarui +Recipients,Masukkan pusat biaya orang tua +Reconcile,Pilih nama perusahaan pertama. +Reconciliation Data,Half Day +Reconciliation HTML,Nomor Format +Reconciliation JSON,Untuk Mata +Record item movement.,"Tuan, Email dan Password diperlukan jika email yang ditarik" +Recurring Id,bahan materi +Recurring Invoice,Pengaturan POS diperlukan untuk membuat POS Entri +Recurring Type,Panggilan +Reduce Deduction for Leave Without Pay (LWP),Masukkan Perusahaan +Reduce Earning for Leave Without Pay (LWP),* Akan dihitung dalam transaksi. +Ref,Dalam Kata-kata akan terlihat setelah Anda menyimpan Sales Order. +Ref Code,Jika Anda mengikuti Inspeksi Kualitas. Memungkinkan Barang QA Diperlukan dan QA ada di Penerimaan Pembelian +Ref SQ,Carry Leaves Diteruskan +Reference,Mendamaikan +Reference #{0} dated {1},Pengajuan cuti telah disetujui. +Reference Date,Harus Nomor Utuh +Reference Name,{0} {1} status 'Berhenti' +Reference No & Reference Date is required for {0},"Untuk menetapkan masalah ini, gunakan ""Assign"" tombol di sidebar." +Reference No is mandatory if you entered Reference Date,Modern +Reference Number,Database Supplier. +Reference Row #,Penilaian dan Total +Refresh,Purchase Order Items Disediakan +Registration Details,Hitung Berbasis On +Registration Info,"Saldo rekening sudah di Debit, Anda tidak diizinkan untuk mengatur 'Balance Harus' sebagai 'Kredit'" +Rejected,Terselesaikan Dengan +Rejected Quantity,PO No +Rejected Serial No,Persentase Alokasi harus sama dengan 100% +Rejected Warehouse,"Untuk membuat Kepala Rekening bawah perusahaan yang berbeda, pilih perusahaan dan menyimpan pelanggan." +Rejected Warehouse is mandatory against regected item,Apakah Anda yakin ingin BERHENTI +Relation,Mengatur Tipe Akun membantu dalam memilih Akun ini dalam transaksi. +Relieving Date,Dapatkan Terakhir Purchase Rate +Relieving Date must be greater than Date of Joining,Sales Order Items +Remark,Jumlah tidak boleh nol +Remarks,Item {0} harus Layanan Barang. +Rename,Hapus +Rename Log,Bekukan Saham Lama Dari [Hari] +Rename Tool,Kekhawatiran Kesehatan +Rent Cost,Serial Nos Diperlukan untuk Serial Barang {0} +Rent per hour,Eksternal +Rented,Agriculture +Repeat on Day of Month,Induk Barang +Replace,Harga atau Diskon +Replace Item / BOM in all BOMs,Pengaturan default untuk transaksi saham. +Replied,Penghasilan Langsung +Report Date,Untuk melacak barang dalam penjualan dan pembelian dokumen dengan bets nos
Preferred Industri: Kimia etc +Report Type,BOM {0} untuk Item {1} berturut-turut {2} tidak aktif atau tidak disampaikan +Report Type is mandatory,Balance harus +Reports to,Jumlah Cukai Halaman +Reqd By Date,Gantt chart dari semua tugas. +Request Type,Kuantitas +Request for Information,Spesifikasi Detail +Request for purchase.,Kas atau Rekening Bank wajib untuk membuat entri pembayaran +Requested,Beban akun / Difference ({0}) harus akun 'Laba atau Rugi' +Requested For,Jenis dokumen untuk mengubah nama. +Requested Items To Be Ordered,Penjualan Orang-bijaksana Rangkuman Transaksi +Requested Items To Be Transferred,Pengaturan POS global {0} sudah dibuat untuk perusahaan {1} +Requested Qty,The BOM baru setelah penggantian +"Requested Qty: Quantity requested for purchase, but not ordered.",Apakah Dibatalkan +Requests for items.,Sewa per jam +Required By,Alamat Penagihan Nama +Required Date,dan tahun: +Required Qty,Pemasaran +Required only for sample item.,Nomor registrasi perusahaan untuk referensi Anda. Contoh: Pendaftaran PPN Nomor dll +Required raw materials issued to the supplier for producing a sub - contracted item.,Silahkan pengaturan Penamaan Sistem Karyawan di Sumber Daya Manusia> Pengaturan SDM +Research,Faktur Berulang +Research & Development,Catatan +Researcher,"Tidak ada pelanggan, atau pemasok Akun ditemukan" +Reseller,Pengaturan Series +Reserved,Unstop Purchase Order +Reserved Qty,Ulangi pada Hari Bulan +"Reserved Qty: Quantity ordered for sale, but not delivered.",Kuantitas Diminta Pembelian +Reserved Quantity,Beban atau Selisih akun adalah wajib untuk Item {0} karena dampak keseluruhan nilai saham +Reserved Warehouse,SMS Center +Reserved Warehouse in Sales Order / Finished Goods Warehouse,Jam Tingkat Buruh +Reserved Warehouse is missing in Sales Order,"Semua bidang ekspor terkait seperti mata uang, tingkat konversi, jumlah ekspor, total ekspor dll besar tersedia dalam Pengiriman Catatan, POS, Quotation, Faktur Penjualan, Sales Order dll" +Reserved Warehouse required for stock Item {0} in row {1},Operasi {0} diulangi dalam Operasi Tabel +Reserved warehouse required for stock item {0},Tarik pesanan penjualan (pending untuk memberikan) berdasarkan kriteria di atas +Reserves and Surplus,Dropbox Access Diizinkan +Reset Filters,Puntung +Resignation Letter Date,Pengiklanan +Resolution,Induk Detil docname +Resolution Date,{0} harus kurang dari atau sama dengan {1} +Resolution Details,"Jika dua atau lebih Aturan Harga yang ditemukan berdasarkan kondisi di atas, Prioritas diterapkan. Prioritas adalah angka antara 0 sampai 20, sementara nilai default adalah nol (kosong). Jumlah yang lebih tinggi berarti akan didahulukan jika ada beberapa Aturan Harga dengan kondisi yang sama." +Resolved By,Account Frozen Upto +Rest Of The World,Komersial +Retail,Bagaimana Rule Harga diterapkan? +Retail & Wholesale,Beban Klaim Disetujui Pesan +Retailer,"Item yang mewakili Paket tersebut. Barang ini harus ""Apakah Stock Item"" sebagai ""Tidak"" dan ""Apakah Penjualan Item"" sebagai ""Ya""" +Review Date,Jika Anggaran Tahunan Melebihi +Rgt,Pemeriksaan mutu yang masuk. +Role Allowed to edit frozen stock,Bagikan +Role that is allowed to submit transactions that exceed credit limits set.,Departemen +Root Type,Masukkan nama perusahaan di mana Akun Kepala akan dibuat untuk Pemasok ini +Root Type is mandatory,Isi Halaman +Root account can not be deleted,Tanggal akhir tidak boleh kurang dari Tanggal Mulai +Root cannot be edited.,Judul +Root cannot have a parent cost center,Happy Birthday! +Rounded Off,Parameter Inspeksi Kualitas +Rounded Total,{0} {1} telah dimodifikasi. Silahkan refresh. +Rounded Total (Company Currency),Kuantitas tidak valid untuk item {0}. Jumlah harus lebih besar dari 0. +Row # , +Row # {0}: , +Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,Standar Pembelian Akun di mana biaya tersebut akan didebet. +Row #{0}: Please specify Serial No for Item {1},Izin Tanggal tidak disebutkan +"Row {0}: Account does not match with \ + Purchase Invoice Credit To account",Buat Bursa Ledger Entries ketika Anda mengirimkan Faktur Penjualan +"Row {0}: Account does not match with \ + Sales Invoice Debit To account",Bawaan Stock UOM +Row {0}: Credit entry can not be linked with a Purchase Invoice,Apakah Pembelian Barang +Row {0}: Debit entry can not be linked with a Sales Invoice,Perusahaan +Row {0}: Qty is mandatory,Periksa untuk mengaktifkan +"Row {0}: Qty not avalable in warehouse {1} on {2} {3}. + Available Qty: {4}, Transfer Qty: {5}",Proyek akan diselamatkan dan akan dicari dengan nama proyek yang diberikan +"Row {0}: To set {1} periodicity, difference between from and to date \ + must be greater than or equal to {2}",Transaksi Tanggal +Row {0}:Start Date must be before End Date,Dropbox Access Rahasia +Rules for adding shipping costs.,Weightage (%) +Rules for applying pricing and discount.,Masukkan Pengiriman Note ada atau Faktur Penjualan Tidak untuk melanjutkan +Rules to calculate shipping amount for a sale,Pada Jam +S.O. No.,Pesanan Pembelian {0} 'Berhenti' +SMS Center,Garansi Tanggal Berakhir +SMS Gateway URL,Pesanan Type harus menjadi salah satu {0} +SMS Log,Dikonsumsi Qty +SMS Parameter,Bacaan Inspeksi Kualitas +SMS Sender Name,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. +SMS Settings,Aktif +SO Date,Milestones akan ditambahkan sebagai Acara di Kalender +SO Pending Qty,Semua Jenis Pemasok +SO Qty,Pengirim Nama +Salary,Penamaan Series +Salary Information,Kata sandi +Salary Manager,Detail Invoice +Salary Mode,Pertahanan +Salary Slip,Biaya listrik per jam +Salary Slip Deduction,Hari yang Holidays diblokir untuk departemen ini. +Salary Slip Earning,Disukai Alamat Pengiriman +Salary Slip of employee {0} already created for this month,Pajak Jumlah (Perusahaan Mata Uang) +Salary Structure,Melacak Pesanan Penjualan ini terhadap Proyek apapun +Salary Structure Deduction,Pesanan Produksi +Salary Structure Earning,Deskripsi +Salary Structure Earnings,tidak diperbolehkan. +Salary breakup based on Earning and Deduction.,Margin Nilai Gross +Salary components.,Earning +Salary template master.,PO Tanggal +Sales,Dalam Kata-kata (Perusahaan Mata Uang) +Sales Analytics,{0} Serial Number diperlukan untuk Item {0}. Hanya {0} disediakan. +Sales BOM,Lain-lain Detail +Sales BOM Help,Dalam Kata-kata akan terlihat setelah Anda menyimpan Quotation tersebut. +Sales BOM Item,Mengurangi Pengurangan untuk Tinggalkan Tanpa Bayar (LWP) +Sales BOM Items,Jika lebih dari satu paket dari jenis yang sama (untuk mencetak) +Sales Browser,Dapatkan Posisi Faktur +Sales Details,Menyetujui Pengguna +Sales Discounts,Tanggal Of Pensiun +Sales Email Settings,Semua Penjualan Orang +Sales Expenses,"Rekening lebih lanjut dapat dibuat di bawah Grup, namun entri dapat dilakukan terhadap Ledger" +Sales Extras,Posting Waktu +Sales Funnel,"Jika Pemasok Part Number ada untuk keterberian Barang, hal itu akan disimpan di sini" +Sales Invoice,Diproduksi +Sales Invoice Advance,"Jika diaktifkan, sistem akan posting entri akuntansi untuk persediaan otomatis." +Sales Invoice Item,Sasaran Detail +Sales Invoice Items,Menetapkan anggaran Group-bijaksana Barang di Wilayah ini. Anda juga bisa memasukkan musiman dengan menetapkan Distribusi. +Sales Invoice Message,Struktur Gaji Produktif +Sales Invoice No,Jumlah Total +Sales Invoice Trends,Buat Quotation +Sales Invoice {0} has already been submitted,Tidak ada yang mengedit. +Sales Invoice {0} must be cancelled before cancelling this Sales Order,Berhenti Ulang Tahun Pengingat +Sales Order,Gross Pay + + Pencairan tunggakan Jumlah Jumlah - Total Pengurangan +Sales Order Date,Cuti Sakit +Sales Order Item,Menulis Off Akun +Sales Order Items,Pilih Penerimaan Pembelian +Sales Order Message,Kasus No tidak bisa 0 +Sales Order No,Biarkan kosong jika dipertimbangkan untuk semua jenis karyawan +Sales Order Required,"Jika Anda telah membuat template standar dalam Penjualan Pajak dan Biaya Guru, pilih salah satu dan klik tombol di bawah." +Sales Order Trends,Semua item telah ditagih +Sales Order required for Item {0},Point-of-Sale Pengaturan +Sales Order {0} is not submitted,Penciptaan Dokumen Tidak +Sales Order {0} is not valid,Nama Guru tidak valid +Sales Order {0} is stopped,Ubah nama +Sales Partner,"Memilih ""Ya"" akan memungkinkan Anda untuk membuat Bill of Material yang menunjukkan bahan baku dan biaya operasional yang dikeluarkan untuk memproduksi item ini." +Sales Partner Name,Beban Klaim Type +Sales Partner Target,Jenis Kegiatan +Sales Partners Commission,Status harus menjadi salah satu {0} +Sales Person,Domain +Sales Person Name,Dapatkan Uang Muka Dibayar +Sales Person Target Variance Item Group-Wise,Tahun Anggaran Tanggal Mulai dan Akhir Tahun Fiskal Tanggal sudah ditetapkan pada Tahun Anggaran {0} +Sales Person Targets,Key Responsibility area +Sales Person-wise Transaction Summary,Ini adalah orang penjualan akar dan tidak dapat diedit. +Sales Register,Pajak Barang +Sales Return,Tidak bisa mengurangi ketika kategori adalah untuk 'Penilaian' atau 'Penilaian dan Total' +Sales Returned,Pihak +Sales Taxes and Charges,Semua Timbal (Open) +Sales Taxes and Charges Master,Menulis Off Jumlah <= +Sales Team,Serial ada {0} dibuat +Sales Team Details,Layanan Pelanggan +Sales Team1,Prevdoc DocType +Sales and Purchase,Ulasan Tanggal +Sales campaigns.,Kehadiran To Date +Salutation,"Jika tidak ada perubahan baik Quantity atau Tingkat Penilaian, biarkan kosong sel." +Sample Size,Persentase Alokasi +Sanctioned Amount,Max 5 karakter +Saturday,Peringatan: Tinggalkan aplikasi berisi tanggal blok berikut +Schedule,Semua Penjualan Partner Kontak +Schedule Date,Pohon Item Grup. +Schedule Details,Alat Perencanaan Produksi +Scheduled,Aturan Pengiriman Kondisi +Scheduled Date,Akun Pendapatan standar +Scheduled to send to {0},Entah sasaran qty atau jumlah target wajib +Scheduled to send to {0} recipients,Apakah Kontak Utama +Scheduler Failed Events,Tujuan harus menjadi salah satu {0} +School/University,Tinggalkan Aplikasi Baru +Score (0-5),Jual Beli & +Score Earned,Masukkan 'Ulangi pada Hari Bulan' nilai bidang +Score must be less than or equal to 5,Beban Pemasaran +Scrap %,% Bahan memerintahkan terhadap Permintaan Material ini +Seasonality for setting budgets.,Pajak dan Biaya Ditambahkan (Perusahaan Mata Uang) +Secretary,Perusahaan penerbangan +Secured Loans,Akun baru +Securities & Commodity Exchanges,POP3 server mail (misalnya pop.gmail.com) +Securities and Deposits,Masukkan parameter url untuk penerima nos +"See ""Rate Of Materials Based On"" in Costing Section",Item {0} telah mencapai akhir hidupnya pada {1} +"Select ""Yes"" for sub - contracting items",Kirim ke daftar ini +"Select ""Yes"" if this item is used for some internal purpose in your company.",Harap menyimpan dokumen sebelum menghasilkan jadwal pemeliharaan +"Select ""Yes"" if this item represents some work like training, designing, consulting etc.",Entri +"Select ""Yes"" if you are maintaining stock of this item in your Inventory.",Masukkan minimal 1 faktur dalam tabel +"Select ""Yes"" if you supply raw materials to your supplier to manufacture this item.",Periode Faktur To Date +Select Brand...,Tanggal diulang +Select Budget Distribution to unevenly distribute targets across months.,Tergantung pada LWP +"Select Budget Distribution, if you want to track based on seasonality.",Gudang +Select Company...,Untuk Pemasok +Select DocType,Akhir Kehidupan +Select Fiscal Year...,Timbal Type +Select Items,Tampilkan slideshow di bagian atas halaman +Select Project...,Dalam Proses +Select Purchase Receipts,Unit Fraksi +Select Sales Orders,Alamat +Select Sales Orders from which you want to create Production Orders.,Standar List Harga +Select Time Logs and Submit to create a new Sales Invoice.,{0} diperlukan +Select Transaction,"Newsletter ke kontak, memimpin." +Select Warehouse...,Tingkat Dasar (Perusahaan Mata Uang) +Select Your Language,Menjawab +Select account head of the bank where cheque was deposited.,Dana pensiun +Select company name first.,Tahunan +Select template from which you want to get the Goals,Rounded Jumlah +Select the Employee for whom you are creating the Appraisal.,Aturan untuk menambahkan biaya pengiriman. +Select the period when the invoice will be generated automatically,Kurs Mata Uang +Select the relevant company name if you have multiple companies,Jadwal pemeliharaan tidak dihasilkan untuk semua item. Silahkan klik 'Menghasilkan Jadwal' +Select the relevant company name if you have multiple companies.,Jumlah yang dialokasikan tidak dapat negatif +Select who you want to send this newsletter to,{0} limit kredit {0} menyeberangi +Select your home country and check the timezone and currency.,Dalam Kata-kata akan terlihat setelah Anda menyimpan Faktur Penjualan. +"Selecting ""Yes"" will allow this item to appear in Purchase Order , Purchase Receipt.",BOM Ganti Alat +"Selecting ""Yes"" will allow this item to figure in Sales Order, Delivery Note",Penjualan Diskon +"Selecting ""Yes"" will allow you to create Bill of Material showing raw material and operational costs incurred to manufacture this item.",Wilayah +"Selecting ""Yes"" will allow you to make a Production Order for this item.",Jangan mengirim Karyawan Ulang Tahun Pengingat +"Selecting ""Yes"" will give a unique identity to each entity of this item which can be viewed in the Serial No master.",Nomor Transporter truk +Selling,Barang Pelanggan Detil +Selling Settings,Hutang +"Selling must be checked, if Applicable For is selected as {0}",Apakah default +Send,Rekening pengeluaran adalah wajib untuk item {0} +Send Autoreply,Tahun Produk Terhadap Orde Produksi +Send Email,Jadwal +Send From,Rate (%) +Send Notifications To,Voucher ID +Send Now,Diperbarui +Send SMS,Silakan pilih bulan dan tahun +Send To,Menyetujui Pengguna tidak bisa sama dengan pengguna aturan yang Berlaku Untuk +Send To Type,Tidak dapat mengatur otorisasi atas dasar Diskon untuk {0} +Send mass SMS to your contacts,Apakah Fixed Asset Barang +Send to this list,Rencana Produksi Barang +Sender Name,"Tidak bisa overbill untuk Item {0} berturut-turut {0} lebih dari {1}. Untuk memungkinkan mark up, atur di Bursa Settings" +Sent On,Menutup Akun Kepala +Separate production order will be created for each finished good item.,Menilai +Serial No,Tanaman +Serial No / Batch,Standar Biaya Membeli Pusat +Serial No Details,Pinjaman Aman +Serial No Service Contract Expiry,Deskripsi HTML +Serial No Status,Beban Klaim Ditolak +Serial No Warranty Expiry,Tidak dapat menyetujui cuti karena Anda tidak berwenang untuk menyetujui daun di Blok Dates +Serial No is mandatory for Item {0},Silakan set tombol akses Dropbox di situs config Anda +Serial No {0} created,Referensi ada adalah wajib jika Anda memasukkan Referensi Tanggal +Serial No {0} does not belong to Delivery Note {1},Bahan Baku +Serial No {0} does not belong to Item {1},Perempuan +Serial No {0} does not belong to Warehouse {1},Terhadap Dokumen Tidak +Serial No {0} does not exist,Jam +Serial No {0} has already been received,Tahun Fiskal +Serial No {0} is under maintenance contract upto {1},Catatan: Email tidak akan dikirim ke pengguna cacat +Serial No {0} is under warranty upto {1},Row {0}: entry Kredit tidak dapat dihubungkan dengan Faktur Pembelian +Serial No {0} not in stock,"Nama Akun baru. Catatan: Tolong jangan membuat account untuk Pelanggan dan Pemasok, mereka dibuat secara otomatis dari Nasabah dan Pemasok utama" +Serial No {0} quantity {1} cannot be a fraction,Perbedaan Akun +Serial No {0} status must be 'Available' to Deliver,Pengiriman +Serial Nos Required for Serialized Item {0},Item Desription +Serial Number Series,Gambar +Serial number {0} entered more than once,Tanggal dimana berulang faktur akan berhenti +"Serialized Item {0} cannot be updated \ + using Stock Reconciliation",Membagi Pengiriman Catatan ke dalam paket. +Series,Membaca 2 +Series List for this Transaction,Sedang +Series Updated,Izinkan Google Drive Access +Series Updated Successfully,Rekening Induk +Series is mandatory,Batched untuk Billing +Series {0} already used in {1},Dalam Kata +Service,Silahkan klik 'Menghasilkan Jadwal' untuk mendapatkan jadwal +Service Address,Status Timbal +Services,Pembayaran Diterima +Set,Pengguna pertama akan menjadi System Manager (Anda dapat mengubah nanti). +"Set Default Values like Company, Currency, Current Fiscal Year, etc.",rgt +Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,Tinggalkan Block List Izinkan +Set Status as Available,Tahun Anggaran saat ini +Set as Default,Diskon% +Set as Lost,Membuka Entri +Set prefix for numbering series on your transactions,Kewajiban saham +Set targets Item Group-wise for this Sales Person.,Layanan Pelanggan +Setting Account Type helps in selecting this Account in transactions.,Menulis Off Jumlah +Setting this Address Template as default as there is no other default,Jual Pengaturan +Setting up...,Masukkan BOM untuk Item {0} pada baris {1} +Settings,Permintaan Material Untuk Gudang +Settings for HR Module,"Standar Satuan Ukur tidak dapat diubah secara langsung karena Anda telah membuat beberapa transaksi (s) dengan UOM lain. Untuk mengubah UOM default, gunakan 'UOM Ganti Utilitas' alat di bawah modul Stock." +"Settings to extract Job Applicants from a mailbox e.g. ""jobs@example.com""",Melawan Docname +Setup,Semua Pemasok Kontak +Setup Already Complete!!,DN Detil +Setup Complete,Semua Karyawan (Active) +Setup SMS gateway settings,Permintaan dukungan dari pelanggan. +Setup Series,Pelanggan (Piutang) Rekening +Setup Wizard,Jumlah Penagihan Tahun ini: +Setup incoming server for jobs email id. (e.g. jobs@example.com),Bagan Nama +Setup incoming server for sales email id. (e.g. sales@example.com),Journal Voucher Detil ada +Setup incoming server for support email id. (e.g. support@example.com),Memperingatkan +Share,Penjualan BOM Items +Share With,Penghasilan tidak langsung +Shareholders Funds,"Tidak dapat menyaring berdasarkan Voucher Tidak, jika dikelompokkan berdasarkan Voucher" +Shipments to customers.,Dari Karyawan +Shipping,"Jika Sale BOM didefinisikan, BOM sebenarnya Pack ditampilkan sebagai tabel. Tersedia dalam Pengiriman Note dan Sales Order" +Shipping Account,Berlaku Untuk (Peran) +Shipping Address,Material Issue +Shipping Amount,Kimia +Shipping Rule,Tentukan Daftar Harga yang berlaku untuk Wilayah +Shipping Rule Condition,Items Akan Diminta +Shipping Rule Conditions,Unduh Bahan yang dibutuhkan +Shipping Rule Label,Detail Pendaftaran +Shop,Produk +Shopping Cart,"
Add / Edit " +Short biography for website and other publications.,BOM Lancar dan New BOM tidak bisa sama +"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",Rencana Produksi Pesanan Penjualan +"Show / Hide features like Serial Nos, POS etc.",Mulai +Show In Website,Dijadwalkan untuk mengirim ke {0} +Show a slideshow at the top of the page,"Perbedaan Akun harus rekening jenis 'Kewajiban', karena ini Stock Rekonsiliasi adalah sebuah entri Opening" +Show in Website,Telekomunikasi +Show this slideshow at the top of the page,Kepala akun {0} dibuat +Sick Leave,Hari Pembayaran +Signature,Kualifikasi +Signature to be appended at the end of every email,Transporter Nama +Single,Alat-alat +Single unit of an Item.,"Untuk melacak nama merek di berikut dokumen Delivery Note, Peluang, Permintaan Bahan, Barang, Purchase Order, Voucher Pembelian, Pembeli Penerimaan, Quotation, Faktur Penjualan, Penjualan BOM, Sales Order, Serial No" +Sit tight while your system is being setup. This may take a few moments.,Detail Karyawan +Slideshow,Alamat saat ini adalah +Soap & Detergent,Operasi Waktu (menit) +Software,Rate dan Jumlah +Software Developer,Mengintegrasikan email dukungan yang masuk untuk Mendukung Tiket +"Sorry, Serial Nos cannot be merged",Default global +"Sorry, companies cannot be merged",Tidak dapat merujuk nomor baris yang lebih besar dari atau sama dengan nomor baris saat ini untuk jenis Biaya ini +Source,Kirim +Source File,Pembelian Register +Source Warehouse,Membuat Debit Note +Source and target warehouse cannot be same for row {0},Filter berdasarkan pada item +Source of Funds (Liabilities),Saham UOM updatd untuk Item {0} +Source warehouse is mandatory for row {0},Gudang Nama +Spartan,Membuka Qty +"Special Characters except ""-"" and ""/"" not allowed in naming series",Waktu tersisa +Specification Details,Freeze Entries Stock +Specifications,Bantuan Cepat +"Specify a list of Territories, for which, this Price List is valid","Untuk menambahkan node anak, mengeksplorasi pohon dan klik pada node di mana Anda ingin menambahkan lebih banyak node." +"Specify a list of Territories, for which, this Shipping Rule is valid",Qty untuk Menerima +"Specify a list of Territories, for which, this Taxes Master is valid",Dari Mata +"Specify the operations, operating cost and give a unique Operation no to your operations.",Tanggal Laporan +Split Delivery Note into packages.,Item {0} tidak ada di {1} {2} +Sports,Node lebih lanjut dapat hanya dibuat di bawah tipe node 'Grup' +Standard,Karyawan {0} telah diterapkan untuk {1} antara {2} dan {3} +Standard Buying,Komisi Tingkat +Standard Reports,{0} adalah wajib untuk Item {1} +Standard Selling,Voucher Type +Standard contract terms for Sales or Purchase.,Fetch meledak BOM (termasuk sub-rakitan) +Start,Kirim Pemberitahuan Untuk +Start Date,"""Apakah ada Serial 'tidak bisa' Ya 'untuk item non-saham" +Start date of current invoice's period,Diskon Max diperbolehkan untuk item: {0} {1}% +Start date should be less than end date for Item {0},Resolusi Tanggal +State,Jenis Laporan +Statement of Account,Anda harus Simpan formulir sebelum melanjutkan +Static Parameters,Id Distribusi +Status,Jumlah Diskon +Status must be one of {0},Target Set Barang Group-bijaksana untuk Penjualan Orang ini. +Status of {0} {1} is now {2},Dimana item disimpan. +Status updated to {0},Abbr +Statutory info and other general information about your Supplier,"Tidak bisa langsung menetapkan jumlah. Untuk 'sebenarnya' jenis biaya, menggunakan kolom tingkat" +Stay Updated,Bank Draft +Stock,Pembayaran yang diterima selama periode digest +Stock Adjustment,Pembelian Faktur Muka +Stock Adjustment Account,Permintaan untuk item. +Stock Ageing,POS View +Stock Analytics,Slip Gaji karyawan {0} sudah diciptakan untuk bulan ini +Stock Assets,Batch Sisa log untuk penagihan. +Stock Balance,Purchase Order Barang +Stock Entries already created for Production Order , +Stock Entry,Stock Masuk Detil +Stock Entry Detail,Pelanggan> Grup Pelanggan> Wilayah +Stock Expenses,Klaim Jumlah +Stock Frozen Upto,Pembaruan Series Number +Stock Ledger,Pajak dan Biaya Dikurangi (Perusahaan Mata Uang) +Stock Ledger Entry,Tabel barang tidak boleh kosong +Stock Ledger entries balances updated,Packing Slip Barang +Stock Level,Manajer +Stock Liabilities,Bantuan HTML +Stock Projected Qty,Deduksi +Stock Queue (FIFO),Pelanggan Anda +Stock Received But Not Billed,Penerimaan Pembelian ada +Stock Reconcilation Data,Key Bidang Kinerja +Stock Reconcilation Template,Tingkat komisi tidak dapat lebih besar dari 100 +Stock Reconciliation,Silahkan pilih {0} +"Stock Reconciliation can be used to update the stock on a particular date, usually as per physical inventory.",Tersedia +Stock Settings,Custom Pesan +Stock UOM,Kode Pelanggan +Stock UOM Replace Utility,Konsultan +Stock UOM updatd for Item {0},"Entri Akuntansi dapat dilakukan terhadap node daun, yang disebut" +Stock Uom,User ID tidak ditetapkan untuk Karyawan {0} +Stock Value,Apakah Anda benar-benar ingin BERHENTI Permintaan Bahan ini? +Stock Value Difference,Terhadap Dokumen Detil ada +Stock balances updated,Apakah Anda benar-benar ingin Menyerahkan semua Slip Gaji untuk bulan {0} dan tahun {1} +Stock cannot be updated against Delivery Note {0},Kontribusi (%) +Stock entries exist against warehouse {0} cannot re-assign or modify 'Master Name',C-Form ada +Stop,Laporan untuk +Stop Birthday Reminders,Dalam Kata-kata akan terlihat setelah Anda menyimpan Delivery Note. +Stop Material Request,Sistem +Stop users from making Leave Applications on following days.,Realisasi Qty Setelah Transaksi +Stop!,Memiliki Batch ada +Stopped,Pasangkan +Stopped order cannot be cancelled. Unstop to cancel.,Item {0} tidak ada +Stores,Sebagian Ditagih +Stub,Item Price +Sub Assemblies,Template untuk penilaian kinerja. +"Sub-currency. For e.g. ""Cent""",Membaca +Subcontract,Piutang +Subject,Masukkan Satuan default Ukur +Submit Salary Slip,Seri +Submit all salary slips for the above selected criteria,Pelanggan Tidak Membeli Sejak Long Time +Submit this Production Order for further processing.,Untuk membuat Rekening Bank: +Submitted,Kehadiran tidak dapat ditandai untuk tanggal di masa depan +Subsidiary,Profil Organisasi +Successful: , +Successfully allocated,Item Reorder +Suggestions,Tinggalkan jenis {0} tidak boleh lebih dari {1} +Sunday,Keuangan / akuntansi tahun. +Supplier,Penghasilan +Supplier (Payable) Account,Perbarui +Supplier (vendor) name as entered in supplier master,Kehadiran Dari Tanggal dan Kehadiran To Date adalah wajib +Supplier > Supplier Type,Mengelola Penjualan Partners. +Supplier Account Head,Kewajiban Lancar +Supplier Address,BOM Barang +Supplier Addresses and Contacts,Keterangan +Supplier Details,Perbankan +Supplier Intro,Referensi +Supplier Invoice Date,Serial No Garansi kadaluarsa +Supplier Invoice No,Masukkan Id Karyawan pendeta penjualan ini +Supplier Name,Item penilaian diperbarui +Supplier Naming By,Beban Dipesan +Supplier Part Number,Stok saat ini +Supplier Quotation,'Update Stock' untuk Sales Invoice {0} harus diatur +Supplier Quotation Item,Kompensasi Off +Supplier Reference,Peran Diizinkan untuk mengedit saham beku +Supplier Type,% Diterima +Supplier Type / Supplier,Nomor Penerimaan Pembelian diperlukan untuk Item {0} +Supplier Type master.,ID Pemakai +Supplier Warehouse,Akun dengan transaksi yang ada tidak dapat dikonversi ke grup. +Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Periksa apakah Anda ingin mengirim Slip gaji mail ke setiap karyawan saat mengirimkan Slip gaji +Supplier database.,Buat Pelanggan +Supplier master.,Beban Hiburan +Supplier warehouse where you have issued raw materials for sub - contracting,Pohon Pusat Biaya finanial. +Supplier-Wise Sales Analytics,Aktif +Support,Masukkan Nama Guru setelah account dibuat. +Support Analtyics,Serial ada {0} bukan milik Gudang {1} +Support Analytics,Inventarisasi & Dukungan +Support Email,Faktur Penjualan Barang +Support Email Settings,siska_chute34@yahoo.com +Support Password,Hutang Grup +Support Ticket,Pelanggan diwajibkan +Support queries from customers.,Kesempatan +Symbol,Weekly Off +Sync Support Mails,Laba Kotor +Sync with Dropbox,"Membeli harus diperiksa, jika Berlaku Untuk dipilih sebagai {0}" +Sync with Google Drive,Anda mungkin perlu memperbarui: {0} +System,Distribusi anggaran +System Settings,Buka +"System User (login) ID. If set, it will become default for all HR forms.",Barang Dikemas +Target Amount,Dari dan Untuk tanggal yang Anda inginkan +Target Detail,Tanggal Kontrak Akhir harus lebih besar dari Tanggal Bergabung +Target Details,Terhadap Akun Penghasilan +Target Details1,Permintaan pembelian. +Target Distribution,Pada Bersih Jumlah +Target On,Direncanakan Kuantitas +Target Qty,Seri Diperbarui Berhasil +Target Warehouse,Berhenti +Target warehouse in row {0} must be same as Production Order,Akun {0} telah dimasukkan lebih dari sekali untuk tahun fiskal {1} +Target warehouse is mandatory for row {0},Peringatan: Material Diminta Qty kurang dari Minimum Order Qty +Task,"Penggabungan hanya mungkin jika sifat berikut sama di kedua catatan. Grup atau Ledger, Akar Type, Perusahaan" +Task Details,Salin Dari Barang Grup +Tasks,Berdasarkan Jaminan +Tax,Tarif Pajak +Tax Amount After Discount Amount,Hutang +Tax Assets,Penyusutan +Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,Pratinjau +Tax Rate,Industri melawan Sales Order +Tax and other salary deductions.,Membuat Purchase Invoice +"Tax detail table fetched from item master as a string and stored in this field. +Used for Taxes and Charges",Template pajak untuk membeli transaksi. +Tax template for buying transactions.,Kode +Tax template for selling transactions.,Ramah +Taxable,Diminta Qty +Taxes and Charges,Setiap orang dapat membaca +Taxes and Charges Added,Beban Penjualan +Taxes and Charges Added (Company Currency),Detail Term +Taxes and Charges Calculation,Stock +Taxes and Charges Deducted,Diperlukan hanya untuk item sampel. +Taxes and Charges Deducted (Company Currency),Dari Pelanggan Issue +Taxes and Charges Total,Beban Telepon +Taxes and Charges Total (Company Currency),Internal +Technology,Item Grup Pohon +Telecommunications,Anda adalah Leave Approver untuk catatan ini. Silakan Update 'Status' dan Simpan +Telephone Expenses,Pendidikan Karyawan +Television,"Jika beberapa Aturan Harga terus menang, pengguna akan diminta untuk mengatur Prioritas manual untuk menyelesaikan konflik." +Template,Membuka untuk Job. +Template for performance appraisals.,Semua Kontak Pelanggan +Template of terms or contract.,Chart of Account +Temporary Accounts (Assets),Nilai +Temporary Accounts (Liabilities),Jika Anda memiliki Tim Penjualan dan Penjualan Mitra (Mitra Channel) mereka dapat ditandai dan mempertahankan kontribusi mereka dalam aktivitas penjualan +Temporary Assets,Moving Average +Temporary Liabilities,Berat bersih paket ini. (Dihitung secara otomatis sebagai jumlah berat bersih item) +Term Details,Pilih nama perusahaan yang bersangkutan jika Anda memiliki beberapa perusahaan +Terms,Pengendalian Otorisasi +Terms and Conditions,Pembukaan (Cr) +Terms and Conditions Content,Tidak diijinkan +Terms and Conditions Details,Produk atau Jasa +Terms and Conditions Template,Ditolak +Terms and Conditions1,Membuat Sales Order +Terretory,Pajak dan Biaya Jumlah (Perusahaan Mata Uang) +Territory,Faktor konversi diperlukan +Territory / Customer,Barcode valid atau Serial No +Territory Manager,Project Costing +Territory Name,Contact Info +Territory Target Variance Item Group-Wise,Diminta +Territory Targets,Dukungan Email +Test,Pengaturan Mata Uang +Test Email Id,Pencarian eksekutif +Test the Newsletter,Rincian Kehadiran +The BOM which will be replaced,Layanan +The First User: You,Izinkan Pesanan Produksi +"The Item that represents the Package. This Item must have ""Is Stock Item"" as ""No"" and ""Is Sales Item"" as ""Yes""",Pemeliharaan Visit Tujuan +The Organization,Tidak ada item untuk berkemas +"The account head under Liability, in which Profit/Loss will be booked",Dalam Qty +"The date on which next invoice will be generated. It is generated on submit. +",Seri {0} sudah digunakan dalam {1} +The date on which recurring invoice will be stop,Kode PIN +"The day of the month on which auto invoice will be generated e.g. 05, 28 etc ", +The day(s) on which you are applying for leave are holiday. You need not apply for leave.,Izin Bank Summary +The first Leave Approver in the list will be set as the default Leave Approver,Root tidak dapat diedit. +The first user will become the System Manager (you can change that later).,Tingkat di mana mata uang pelanggan dikonversi ke mata uang dasar perusahaan +The gross weight of the package. Usually net weight + packaging material weight. (for print),Stock rekonsiliasi Template +The name of your company for which you are setting up this system.,Jika Anda terlibat dalam aktivitas manufaktur. Memungkinkan Barang 'Apakah Diproduksi' +The net weight of this package. (calculated automatically as sum of net weight of items),Kehadiran +The new BOM after replacement,Koma daftar alamat email dipisahkan +The rate at which Bill Currency is converted into company's base currency,Tinggi +The unique id for tracking all recurring invoices. It is generated on submit.,Email Pribadi +"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.",Pecahan +There are more holidays than working days this month.,Tanggal Pembuatan +"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",Item {0} tidak ditemukan +There is not enough leave balance for Leave Type {0},Baru Nama Biaya Pusat +There is nothing to edit.,Purchase Order Tanggal +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.,Catatan instalasi untuk No Serial +There were errors.,"Penunjukan Karyawan (misalnya CEO, Direktur dll)." +This Currency is disabled. Enable to use in transactions,Uang Muka Pembelian Faktur +This Leave Application is pending approval. Only the Leave Apporver can update status.,Terhenti +This Time Log Batch has been billed.,Jelas Table +This Time Log Batch has been cancelled.,Periksa bagaimana newsletter terlihat dalam email dengan mengirimkannya ke email Anda. +This Time Log conflicts with {0},Masukkan perusahaan pertama +This format is used if country specific format is not found,"Ketika disampaikan, sistem menciptakan entri perbedaan untuk mengatur saham yang diberikan dan penilaian pada tanggal ini." +This is a root account and cannot be edited.,Percetakan dan Branding +This is a root customer group and cannot be edited.,Serial ada {0} bukan milik Pengiriman Note {1} +This is a root item group and cannot be edited.,Dapatkan Terhadap Entri +This is a root sales person and cannot be edited.,Berat Kotor UOM +This is a root territory and cannot be edited.,Tren Penerimaan Pembelian +This is an example website auto-generated from ERPNext,Max Diskon (%) +This is the number of the last created transaction with this prefix,Izinkan Bursa Negatif +This will be used for setting rule in HR module,Peringatan: Sistem tidak akan memeriksa overbilling karena jumlahnya untuk Item {0} pada {1} adalah nol +Thread HTML,Harap kirimkan untuk memperbarui Leave Balance. +Thursday,Silahkan pilih Grup atau Ledger nilai +Time Log,{0} harus memiliki peran 'Leave Approver' +Time Log Batch,Terhadap Sales Order +Time Log Batch Detail,Ini adalah jumlah transaksi yang diciptakan terakhir dengan awalan ini +Time Log Batch Details,Pilih kepala rekening bank mana cek diendapkan. +Time Log Batch {0} must be 'Submitted',Daftar Belanja +Time Log for tasks.,Pembelian Faktur Trends +Time Log {0} must be 'Submitted',"Tidak dapat menghapus Serial ada {0} di saham. Pertama menghapus dari saham, kemudian hapus." +Time Zone,Pengiriman Untuk +Time Zones,Induk Barang {0} harus tidak Stock Barang dan harus Item Penjualan +Time and Budget,Alamat Judul +Time at which items were delivered from warehouse,Dibesarkan Oleh (Email) +Time at which materials were received,Gross Bayar +Title,Scrap% +Titles for print templates e.g. Proforma Invoice.,Individu +To,Pencairan Tanggal +To Currency,Target Wilayah +To Date,Membuat Purchase Order +To Date should be same as From Date for Half Day leave,Akan diperbarui setelah Faktur Penjualan yang Dikirim. +To Discuss,"Tampilkan / Sembunyikan fitur seperti Serial Nos, POS dll" +To Do List,Magang +To Package No.,Mengelola Penjualan Orang Pohon. +To Produce,Biaya Pusat {0} bukan milik Perusahaan {1} +To Time,Kirim Dari +To Value,Journal Voucher +To Warehouse,Serial ada {0} bukan milik Barang {1} +"To add child nodes, explore tree and click on the node under which you want to add more nodes.",Qty per Saham UOM +"To assign this issue, use the ""Assign"" button in the sidebar.",Pengurangan +To create a Bank Account:,Tipe Karyawan +To create a Tax Account:,Kuantitas yang dibutuhkan untuk Item {0} berturut-turut {1} +"To create an Account Head under a different company, select the company and save customer.",Masukkan parameter url untuk pesan +To date cannot be before from date,Real Estate +To enable Point of Sale features,Tinggalkan yang menyetujui +To enable Point of Sale view,Margin +To get Item Group in details table,Tanggal faktur periode saat ini mulai +"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",Dapatkan Weekly Off Tanggal +"To merge, following properties must be same for both items",Tidak dapat mengubah Tahun Anggaran Tanggal Mulai dan Tanggal Akhir Tahun Anggaran setelah Tahun Anggaran disimpan. +"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.",Satuan Ukur +"To set this Fiscal Year as Default, click on 'Set as Default'",Barcode {0} sudah digunakan dalam Butir {1} +To track any installation or commissioning related work after sales,Realisasi Tanggal +"To track brand name in the following documents Delivery Note, Opportunity, Material Request, Item, Purchase Order, Purchase Voucher, Purchaser Receipt, Quotation, Sales Invoice, Sales BOM, Sales Order, Serial No",Batch-Wise Balance Sejarah +To track item in sales and purchase documents based on their serial nos. This is can also used to track warranty details of the product.,Pengiriman ke pelanggan. +To track items in sales and purchase documents with batch nos
Preferred Industry: Chemicals etc,Kelas / Persentase +To track items using barcode. You will be able to enter items in Delivery Note and Sales Invoice by scanning barcode of item.,Catatan karyawan. +Tools,Apakah Sub Kontrak Barang +Total,Tambahkan baris untuk mengatur anggaran tahunan Accounts. +Total Advance,Recd Kuantitas +Total Allocated Amount,Earning1 +Total Allocated Amount can not be greater than unmatched amount,Neraca +Total Amount,Diharapkan Tanggal Akhir +Total Amount To Pay,Tingkat yang masuk +Total Amount in Words,Timbal Owner +Total Billing This Year: , +Total Characters,Dari Waktu +Total Claimed Amount,Disesuaikan +Total Commission,SMS Log +Total Cost,Detail Lebih +Total Credit,Pekerjaan yg dibayar menurut hasil yg dikerjakan +Total Debit,Sebuah Pelanggan ada dengan nama yang sama +Total Debit must be equal to Total Credit. The difference is {0},Ganti Barang / BOM di semua BOMs +Total Deduction,Breakup rinci dari total +Total Earning,Pembayaran untuk Faktur Matching Alat Detil +Total Experience,Alasan Meninggalkan +Total Hours,"Hanya Serial Nos status ""Available"" dapat disampaikan." +Total Hours (Expected),Pengaturan POS {0} sudah diciptakan untuk pengguna: {1} dan perusahaan {2} +Total Invoiced Amount,barcode +Total Leave Days,1.5. Untuk menjaga pelanggan bijaksana kode barang dan membuat mereka dicari berdasarkan penggunaan kode mereka pilihan ini +Total Leaves Allocated,Akan dihitung secara otomatis ketika Anda memasukkan rincian +Total Message(s),Penelitian & Pengembangan +Total Operating Cost,`Freeze Saham Lama Dari` harus lebih kecil dari% d hari. +Total Points,Akun anak ada untuk akun ini. Anda tidak dapat menghapus akun ini. +Total Raw Material Cost,Panggilan +Total Sanctioned Amount,Pilih DocType +Total Score (Out of 5),Barang Gambar (jika tidak slideshow) +Total Tax (Company Currency),Jenis Laporan adalah wajib +Total Taxes and Charges,Jumlah Karyawan +Total Taxes and Charges (Company Currency),Rendah +Total Working Days In The Month,Uang Earnest +Total allocated percentage for sales team should be 100,Item Situs Spesifikasi +Total amount of invoices received from suppliers during the digest period,Membuat Pengiriman +Total amount of invoices sent to the customer during the digest period,Tahun Anggaran Tanggal Mulai tidak boleh lebih besar dari Fiscal Year End Tanggal +Total cannot be zero,Penerbitan Internet +Total in words,Sinkron dengan Dropbox +Total points for all goals should be 100. It is {0},Tanggal Issue +Total valuation for manufactured or repacked item(s) can not be less than total valuation of raw materials,Masukkan Beban Akun +Total weightage assigned should be 100%. It is {0},Pengguna {0} sudah ditugaskan untuk Karyawan {1} +Totals,Pengurangan Type +Track Leads by Industry Type.,Penghasilan rendah +Track this Delivery Note against any Project,Gaji Bulanan Daftar +Track this Sales Order against any Project,Pos +Transaction,Kredit dan Uang Muka (Aset) +Transaction Date,Pemasok Faktur Tanggal +Transaction not allowed against stopped Production Order {0},Kirim Produksi ini Order untuk diproses lebih lanjut. +Transfer,Pesanan dirilis untuk produksi. +Transfer Material,Nilai saham Perbedaan +Transfer Raw Materials,Klik link untuk mendapatkan opsi untuk memperluas pilihan get +Transferred Qty,Buat New +Transportation,Default Item Grup +Transporter Info,Teknologi +Transporter Name,{0} {1}: Biaya Pusat adalah wajib untuk Item {2} +Transporter lorry number,Beban saham +Travel,Diharapkan +Travel Expenses,Propinsi +Tree Type,Alamat & Kontak +Tree of Item Groups.,Template Pajak menjual transaksi. +Tree of finanial Cost Centers.,Barang Wise Detil Pajak +Tree of finanial accounts.,Unit tunggal Item. +Trial Balance,Penutup Nilai +Tuesday,Pesanan Type +Type,Menjaga Tingkat Sama Sepanjang Siklus Penjualan +Type of document to rename.,"Perusahaan Email ID tidak ditemukan, maka surat tidak terkirim" +"Type of leaves like casual, sick etc.",Alamat Kontak +Types of Expense Claim.,Nama dari orang atau organisasi yang alamat ini milik. +Types of activities for Time Sheets,Pagu Awal +"Types of employment (permanent, contract, intern etc.).",Kantor +UOM Conversion Detail,Saran +UOM Conversion Details,Telepon yang +UOM Conversion Factor,Akun {0} beku +UOM Conversion factor is required in row {0},Mengatur Template Alamat ini sebagai default karena tidak ada standar lainnya +UOM Name,Item Situs Spesifikasi +UOM coversion factor required for UOM: {0} in Item: {1},Nama Pengguna atau Dukungan Sandi hilang. Silakan masuk dan coba lagi. +Under AMC,Journal Voucher {0} yang un-linked +Under Graduate,Organisasi +Under Warranty,Nama Lengkap +Unit,"Jika Akun ini merupakan Pelanggan, Pemasok atau Karyawan, mengaturnya di sini." +Unit of Measure,1 Currency = [?] Fraksi \ nUntuk misalnya 1 USD = 100 Cent +Unit of Measure {0} has been entered more than once in Conversion Factor Table,Selesai Qty +"Unit of measurement of this item (e.g. Kg, Unit, No, Pair).",Pajak dan Biaya Dikurangi +Units/Hour,Login dengan User ID baru Anda +Units/Shifts,Rincian Tugas +Unmatched Amount,Akun Kepala +Unpaid,Pasang Gambar +Unscheduled,"Pilih ""Ya"" jika Anda memasok bahan baku ke pemasok Anda untuk memproduksi item ini." +Unsecured Loans,Referensi ada & Referensi Tanggal diperlukan untuk {0} +Unstop,Biaya Bahan Baku Disediakan +Unstop Material Request,Melawan Journal Voucher +Unstop Purchase Order,Data Pribadi +Unsubscribed,Email Digest +Update,Backup akan di-upload ke +Update Clearance Date,Pengaturan gerbang Pengaturan SMS +Update Cost,Waktu Log untuk tugas-tugas. +Update Finished Goods,Quotation Kehilangan Alasan +Update Landed Cost,Karyawan lega pada {0} harus ditetapkan sebagai 'Kiri' +Update Series,Perusahaan hilang di gudang {0} +Update Series Number,{0} anggaran untuk Akun {1} terhadap Biaya Pusat {2} akan melebihi oleh {3} +Update Stock,Master Karyawan. +"Update allocated amount in the above table and then click ""Allocate"" button",Wilayah yang berlaku +Update bank payment dates with journals.,Bahan Baku Item Code +Update clearance date of Journal Entries marked as 'Bank Vouchers',Bagan Pusat Biaya +Updated,Silahkan menulis sesuatu +Updated Birthday Reminders,Rekaman Karyawan yang akan dibuat oleh +Upload Attendance,Catatan: Biaya Pusat ini adalah Group. Tidak bisa membuat entri akuntansi terhadap kelompok-kelompok. +Upload Backups to Dropbox,"Jenis daun seperti kasual, dll sakit" +Upload Backups to Google Drive,Tingkat Penilaian +Upload HTML,Out of Garansi +Upload a .csv file with two columns: the old name and the new name. Max 500 rows.,Sales Order Pesan +Upload attendance from a .csv file,Gudang. +Upload stock balance via csv.,Software Developer +Upload your letter head and logo - you can edit them later.,Ada kesalahan. Salah satu alasan yang mungkin bisa jadi Anda belum menyimpan formulir. Silahkan hubungi support@erpnext.com jika masalah terus berlanjut. +Upper Income,Jumlah dan Tingkat +Urgent,Silakan pilih Akun pertama +Use Multi-Level BOM,Biaya Perjalanan +Use SSL,Pendidikan +User,Add to Cart +User ID,Kutipan Baru +User ID not set for Employee {0},Status Penyelesaian +User Name,Sebuah simbol untuk mata uang ini. Untuk misalnya $ +User Name or Support Password missing. Please enter and try again.,Anda dapat memulai dengan memilih frekuensi backup dan memberikan akses untuk sinkronisasi +User Remark,Pemasok Gudang wajib untuk Pembelian Penerimaan sub-kontrak +User Remark will be added to Auto Remark,"Tidak dapat mendeklarasikan sebagai hilang, karena Quotation telah dibuat." +User Remarks is mandatory,Cetak Tanpa Jumlah +User Specific,Master pelanggan. +User must always select,Biaya Pusat diperlukan untuk akun 'Laba Rugi' {0} +User {0} is already assigned to Employee {1},Saldo Rekening {0} harus selalu {1} +User {0} is disabled,Membaca 8 +Username,Jasa Keuangan +Users with this role are allowed to create / modify accounting entry before frozen date,Pilih Karyawan untuk siapa Anda menciptakan Appraisal. +Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Ini Waktu Log bertentangan dengan {0} +Utilities,Uang Muka +Utility Expenses,(Half Day) +Valid For Territories,Sasaran Details1 +Valid From,Voucher Kartu Kredit +Valid Upto,Angkat Permintaan Bahan ketika saham mencapai tingkat re-order +Valid for Territories,Item {0} sudah dimasukkan beberapa kali dengan deskripsi atau tanggal atau gudang yang sama +Validate,Eceran +Valuation,Nomor Purchase Order yang diperlukan untuk Item {0} +Valuation Method,Bank / Cash Balance +Valuation Rate,Masukkan nama kampanye jika sumber timbal adalah kampanye. +Valuation Rate required for Item {0},Hasilkan Deskripsi HTML +Valuation and Total,Buat Maint. Jadwal +Value,Total Pesan (s) +Value or Qty,Bursa Ledger +Vehicle Dispatch Date,Penerimaan Pembelian Diperlukan +Vehicle No,Gunakan Multi-Level BOM +Venture Capital,Jumlah muka +Verified By,Diperlukan Oleh +View Ledger,Tidak Diatur +View Now,Detail Perusahaan +Visit report for maintenance call.,Batal Kunjungan Material {0} sebelum membatalkan ini Maintenance Visit +Voucher #,Saldo saham diperbarui +Voucher Detail No,Lihat Sekarang +Voucher ID,Bill of Material (BOM) +Voucher No,Perkiraan Biaya Material +Voucher No is not valid,Silahkan lakukan validasi Email Id +Voucher Type,Singkatan tidak dapat memiliki lebih dari 5 karakter +Voucher Type and Date,Item yang akan diproduksi atau dikemas ulang +Walk In,Upload Backup ke Dropbox +Warehouse,Pameran +Warehouse Contact Info,Menyediakan email id yang terdaftar di perusahaan +Warehouse Detail,Rincian Account +Warehouse Name,Sumber Daya Manusia +Warehouse and Reference,Untuk Waktu +Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Pemasok +Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Pelanggan yang sudah ada +Warehouse cannot be changed for Serial No.,Purchase Order {0} tidak disampaikan +Warehouse is mandatory for stock Item {0} in row {1},Pengaturan Sistem +Warehouse is missing in Purchase Order,Zona Waktu +Warehouse not found in the system,Memberitahu melalui Email pada penciptaan Permintaan Bahan otomatis +Warehouse required for stock Item {0},Gudang Info Kontak +Warehouse where you are maintaining stock of rejected items,Cabang +Warehouse {0} can not be deleted as quantity exists for Item {1},Kotak +Warehouse {0} does not belong to company {1},Receiver Parameter +Warehouse {0} does not exist,Kehadiran Tanggal +Warehouse-Wise Stock Balance,Aturan Pengiriman +Warehouse-wise Item Reorder,Hubungi HTML +Warehouses,QA Inspeksi +Warehouses.,Ditampilkan di website di: {0} +Warn,Perusahaan diwajibkan +Warning: Leave application contains following block dates,Parent Biaya Pusat +Warning: Material Requested Qty is less than Minimum Order Qty,Akun dengan transaksi yang ada tidak dapat dihapus +Warning: Sales Order {0} already exists against same Purchase Order number,UOM Faktor Konversi +Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Diterima Qty +Warranty / AMC Details,Biaya konsumsi per jam +Warranty / AMC Status,Insentif +Warranty Expiry Date,Jumlah +Warranty Period (Days),Dibebankan +Warranty Period (in days),Target Jumlah +We buy this Item,Dan +We sell this Item,Akar Type adalah wajib +Website,Serial No / Batch +Website Description,Pemasok gudang di mana Anda telah mengeluarkan bahan baku untuk sub - kontraktor +Website Item Group,Perdagangan perantara +Website Item Groups,"Tentukan daftar Territories, yang, ini Pajak Guru berlaku" +Website Settings,Tidak ada alamat dibuat +Website Warehouse,Surat kepercayaan +Wednesday,Receiver Daftar +Weekly,Penerapan +Weekly Off,Rounded Off +Weight UOM,Berhenti Material Permintaan +"Weight is mentioned,\nPlease mention ""Weight UOM"" too", +Weightage,Purchase Invoice +Weightage (%),Variasi persentase kuantitas yang diizinkan saat menerima atau memberikan item ini. +Welcome,Penuaan Tanggal +Welcome to ERPNext. Over the next few minutes we will help you setup your ERPNext account. Try and fill in as much information as you have even if it takes a bit longer. It will save you a lot of time later. Good Luck!,Entri tidak diperbolehkan melawan Tahun Anggaran ini jika tahun ditutup. +Welcome to ERPNext. Please select your language to begin the Setup Wizard.,Mempertahankan tingkat yang sama sepanjang siklus pembelian +What does it do?,Item Pemasok +"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.",Gudang Reserved +"When submitted, the system creates difference entries to set the given stock and valuation on this date.",Unit Organisasi (kawasan) menguasai. +Where items are stored.,Pengaturan default untuk transaksi akuntansi. +Where manufacturing operations are carried out.,Sumber utama +Widowed,Min Qty +Will be calculated automatically when you enter the details,Item Penamaan Dengan +Will be updated after Sales Invoice is Submitted.,Anda tidak diizinkan untuk menambah atau memperbarui entri sebelum {0} +Will be updated when batched.,Berhasil dialokasikan +Will be updated when billed.,2. Payment (Pembayaran) +Wire Transfer,Proyek Baru +With Operations,Silakan pilih Tanggal Mulai dan Tanggal Akhir untuk Item {0} +With period closing entry,Tahun Tanggal Mulai +Work Details,Tanda Tangan +Work Done,Stock Diterima Tapi Tidak Ditagih +Work In Progress,Re-order +Work-in-Progress Warehouse,Ditransfer Qty +Work-in-Progress Warehouse is required before Submit,Diterima +Working,Account Pengiriman +Workstation,Manajemen Kualitas +Workstation Name,Nama Kampanye diperlukan +Write Off Account,Mengganti +Write Off Amount,Rinci tabel pajak diambil dari master barang sebagai string dan disimpan dalam bidang ini. \ NDigunakan Pajak dan Biaya +Write Off Amount <=,Cek +Write Off Based On,Auto Material Permintaan +Write Off Cost Center,Tingkat Penilaian negatif tidak diperbolehkan +Write Off Outstanding Amount,Buat Peluang +Write Off Voucher,Dapatkan Pesanan Penjualan +Wrong Template: Unable to find head row.,Gerakan barang Rekam. +Year,Status Persetujuan harus 'Disetujui' atau 'Ditolak' +Year Closed,Gudang +Year End Date,Diizinkan Peran ke Sunting Entri Sebelum Frozen Tanggal +Year Name,Notice (hari) +Year Start Date,Dropbox +Year of Passing,Dikemas kuantitas harus sama kuantitas untuk Item {0} berturut-turut {1} +Yearly,Standard Membeli +Yes,Pasca Sarjana +You are not authorized to add or update entries before {0},Auto Akuntansi Untuk Stock Pengaturan +You are not authorized to set Frozen value,Gudang di mana Anda mempertahankan stok item ditolak +You are the Expense Approver for this record. Please Update the 'Status' and Save,Rekening Bank +You are the Leave Approver for this record. Please Update the 'Status' and Save,Info Selengkapnya +You can enter any date manually,Dari +You can enter the minimum quantity of this item to be ordered.,Mata Uang dan Daftar Harga +You can not assign itself as parent account,Bursa Ledger entri saldo diperbarui +You can not change rate if BOM mentioned agianst any item,Petugas Administrasi +You can not enter both Delivery Note No and Sales Invoice No. Please enter any one.,Apakah Anda benar-benar ingin unstop Permintaan Bahan ini? +You can not enter current voucher in 'Against Journal Voucher' column,Kuantitas dan Gudang +You can set Default Bank Account in Company master,Untuk mendapatkan Barang Group di tabel rincian +You can start by selecting backup frequency and granting access for sync,Dari Peluang +You can submit this Stock Reconciliation.,Upload kehadiran dari file csv. +You can update either Quantity or Valuation Rate or both.,Alamat Penagihan +You cannot credit and debit same account at the same time,Backup Manager +You have entered duplicate items. Please rectify and try again.,Beban Pemeliharaan Kantor +You may need to update: {0},Metode standar Penilaian +You must Save the form before proceeding,Inspeksi Kualitas +You must allocate amount before reconcile,Modal +Your Customer's TAX registration numbers (if applicable) or any general information,Daftar Harga Mata uang +Your Customers,Item {0} muncul beberapa kali dalam Daftar Harga {1} +Your Login Id,Catatan karyawan dibuat menggunakan bidang yang dipilih. +Your Products or Services,Pakaian & Aksesoris +Your Suppliers,Daftar Penjualan +Your email address,Negara +Your financial year begins on,Ini adalah wilayah akar dan tidak dapat diedit. +Your financial year ends on,Pemasok Alamat +Your sales person who will contact the customer in future,Penelitian +Your sales person will get a reminder on this date to contact the customer,Alamat utama. +Your setup is complete. Refreshing...,Dukungan email id Anda - harus email yang valid - ini adalah di mana email akan datang! +Your support email id - must be a valid email - this is where your emails will come!,Anda tidak dapat menetapkan dirinya sebagai rekening induk +[Select],Pemohon Job +`Freeze Stocks Older Than` should be smaller than %d days.,Plot By +and,"Maaf, perusahaan tidak dapat digabungkan" +are not allowed.,Silakan set {0} +assigned by,Item Pajak Row {0} harus memiliki akun Pajak jenis atau Penghasilan atau Beban atau Dibebankan +"e.g. ""Build tools for builders""","Karakter khusus kecuali ""-"" dan ""/"" tidak diperbolehkan dalam penamaan seri" +"e.g. ""MC""",Qty untuk Menyampaikan +"e.g. ""My Company LLC""",Awalan +e.g. 5,"Memilih ""Ya"" akan memberikan identitas unik untuk setiap entitas dari produk ini yang dapat dilihat dalam Serial No guru." +"e.g. Bank, Cash, Credit Card",Pemasok Anda +"e.g. Kg, Unit, Nos, m",Penerimaan Pembelian Baru +e.g. VAT,Qty Dikonsumsi Per Unit +eg. Cheque Number,Standar Pemasok +example: Next Day Shipping,Ulang tahun +lft,Untuk melacak item menggunakan barcode. Anda akan dapat memasukkan item dalam Pengiriman Note dan Faktur Penjualan dengan memindai barcode barang. +old_parent,Dari Tanggal harus sebelum To Date +rgt,Purchase Order Items Akan Diterima +website page link,Silakan instal modul python dropbox +{0} '{1}' not in Fiscal Year {2},Situs Web +{0} Credit limit {0} crossed,Membuat Cukai Faktur +{0} Serial Numbers required for Item {0}. Only {0} provided.,Item {0} harus Penjualan Barang +{0} budget for Account {1} against Cost Center {2} will exceed by {3},Tanggal mulai harus kurang dari tanggal akhir untuk Item {0} +{0} can not be negative,Database Folder ID +{0} created,Akun {0} bukan milik Perusahaan {1} +{0} does not belong to Company {1},Nonaktifkan Rounded Jumlah +{0} entered twice in Item Tax,Rekening lebih lanjut dapat dibuat di bawah Grup tetapi entri dapat dilakukan terhadap Ledger +{0} is an invalid email address in 'Notification Email Address',Tanggal jatuh tempo tidak boleh setelah {0} +{0} is mandatory,Membuat Nota Kredit +{0} is mandatory for Item {1},"Jika dicentang, jumlah pajak akan dianggap sebagai sudah termasuk dalam Jumlah Tingkat Cetak / Print" +{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,Gunakan SSL +{0} is not a stock Item,Mingguan +{0} is not a valid Batch Number for Item {1},Akun orang tua tidak ada +{0} is not a valid Leave Approver. Removing row #{1}.,Tanggal Of Pensiun harus lebih besar dari Tanggal Bergabung +{0} is not a valid email id,Jangan Hubungi +{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,Untuk tanggal harus sama dengan Dari Tanggal untuk cuti Half Day +{0} is required,Aktifkan Keranjang Belanja +{0} must be a Purchased or Sub-Contracted Item in row {1},Prompt untuk Email pada Penyampaian +{0} must be less than or equal to {1},To Do List +{0} must have role 'Leave Approver',Proses Payroll +{0} valid serial nos for Item {1},Melacak Memimpin menurut Industri Type. +{0} {1} against Bill {2} dated {3},"Bagaimana seharusnya mata uang ini akan diformat? Jika tidak diatur, akan menggunakan default sistem" +{0} {1} against Invoice {2},Perbarui Stock +{0} {1} has already been submitted,Pelanggan {0} tidak ada +{0} {1} has been modified. Please refresh.,Silakan tentukan valid 'Dari Kasus No' +{0} {1} is not submitted,Harap menyimpan Newsletter sebelum mengirim +{0} {1} must be submitted,Pesan +{0} {1} not in any Fiscal Year,Izinkan Pengguna +{0} {1} status is 'Stopped',Terhadap Purchase Invoice +{0} {1} status is Stopped,Dalam Kata-kata akan terlihat setelah Anda menyimpan Faktur Pembelian. +{0} {1} status is Unstopped,Item detail +{0} {1}: Cost Center is mandatory for Item {2},{0} harus dibeli atau Sub-Kontrak Barang berturut-turut {1} diff --git a/erpnext/translations/ja.csv b/erpnext/translations/ja.csv new file mode 100644 index 0000000000..e486f4c520 --- /dev/null +++ b/erpnext/translations/ja.csv @@ -0,0 +1,3278 @@ + (Half Day), + and year: , +""" does not exists",デフォルトのBOM +% Delivered,繰越はできません{0} +% Amount Billed,予約済みの倉庫は、受注にありません +% Billed,課金対象とされて配達された商品 +% Completed,納品書番号 +% Delivered,パッシブ +% Installed,給与テンプレートマスター。 +% Received,ワークステーション +% of materials billed against this Purchase Order.,開館時間 +% of materials billed against this Sales Order,{0}によって承認することができます +% of materials delivered against this Delivery Note,顧客に基づいてフィルタ +% of materials delivered against this Sales Order,この受注に対する納入材料の% +% of materials ordered against this Material Request,実際の開始日 +% of materials received against this Purchase Order,最初の生産品目を入力してください +'Actual Start Date' can not be greater than 'Actual End Date',サプライヤ·マスターに入力された供給者(ベンダ)名 +'Based On' and 'Group By' can not be same,%インストール +'Days Since Last Order' must be greater than or equal to zero,あなたの言語を選択 +'Entries' cannot be empty,納品書からアイテムを抜いてください +'Expected Start Date' can not be greater than 'Expected End Date',「期待される開始日」は、「終了予定日」より大きくすることはできません +'From Date' is required,「日付から 'が必要です +'From Date' must be after 'To Date',給与体系控除 +'Has Serial No' can not be 'Yes' for non-stock item,'シリア​​ル番号'を有する非在庫項目の「はい」にすることはできません +'Notification Email Addresses' not specified for recurring invoice,項目 +'Profit and Loss' type account {0} not allowed in Opening Entry,「損益」タイプアカウント{0}エントリの開口部に許可されていません +'To Case No.' cannot be less than 'From Case No.',「事件番号へ ' 「事件番号から 'より小さくすることはできません +'To Date' is required,あなたは、両方の納品書を入力することはできませんし、納品書番号は、任意の1を入​​力してください。 +'Update Stock' for Sales Invoice {0} must be set,納品書のための「更新在庫 '{0}を設定する必要があります +* Will be calculated in the transaction.,ソース倉庫 +"1 Currency = [?] Fraction +For e.g. 1 USD = 100 Cent",メンテナンスの訪問を計画します。 +1. To maintain the customer wise item code and to make them searchable based on their code use this option,シリアルNOアイテム{0}のために必須です +"
Add / Edit","もし、ごhref=""#Sales Browser/Customer Group"">追加/編集" +"Add / Edit",納品書から +"Add / Edit","もし、ごhref=""#Sales Browser/Territory"">追加/編集" +"

Default Template

+

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

+
{{ address_line1 }}<br>
+{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}
+{{ city }}<br>
+{% if state %}{{ state }}<br>{% endif -%}
+{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}
+{{ country }}<br>
+{% if phone %}Phone: {{ phone }}<br>{% endif -%}
+{% if fax %}Fax: {{ fax }}<br>{% endif -%}
+{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
+
","

デフォルトのテンプレート \ N

もし、ごhref=""http://jinja.pocoo.org/docs/templates/"">神社テンプレートを使用し、(を含むアドレスのすべての分野カスタムフィールド)がある場合は、利用できるようになります。 N

 {{address_line1}}検索\ N {%address_line2%の場合} {{address_line2}}検索{%endifの\ - %} \ N {{都市}}検索\ N {%であれば、状態%} {{状態}}検索{%endifの - PINコードの%} PIN場合は、%} \ N {%{{PINコード} }検索{%endifの - %} \ N {{国}}検索\ N {%であれば、電話%}電話:{{電話}}検索{%endifの - %} \ N { %であればフ​​ァクス%}ファックス:{{ファクス}}検索{%endifの - %} \ N {%email_id%}メールの場合:{{email_id}}検索{%endifの - %} \ N < / code>を"
+A Customer Group exists with same name please change the Customer name or rename the Customer Group,作業中の倉庫
+A Customer exists with same name,結婚してる
+A Lead with this email id should exist,投影された
+A Product or Service,製品またはサービス
+A Supplier exists with same name,サプライヤーは、同じ名前で存在
+A symbol for this currency. For e.g. $,今すぐ送信
+AMC Expiry Date,AMCの有効期限日
+Abbr,現在
+Abbreviation cannot have more than 5 characters,{0}のいずれかである必要があり、承認者を残す
+Above Value,値に
+Absent,説明書
+Acceptance Criteria,合否基準
+Accepted,ストック調整勘定
+Accepted + Rejected Qty must be equal to Received quantity for Item {0},一般に認められた+拒否数量、アイテムの受信量と等しくなければなりません{0}
+Accepted Quantity,少なくとも1倉庫は必須です
+Accepted Warehouse,一般に認められた倉庫
+Account,リードタイム日
+Account Balance,タイプを残す
+Account Created: {0},サービスアドレス
+Account Details,貸借対照表と帳簿上の利益または損失を閉じる。
+Account Head,アカウントヘッド
+Account Name,我々は、このアイテムを売る
+Account Type,その後、価格設定ルールは、お客様に基づいてフィルタリングされ、顧客グループ、地域、サプライヤー、サプライヤータイプ、キャンペーン、販売パートナーなど
+"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'",次の通貨に$などのような任意のシンボルを表示しません。
+"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",販売または購入の少なくともいずれかを選択する必要があります
+Account for the warehouse (Perpetual Inventory) will be created under this Account.,最初の接頭辞を選択してください
+Account head {0} created,アカウントヘッド{0}を作成
+Account must be a balance sheet account,現在値
+Account with child nodes cannot be converted to ledger,予定日は材質依頼日の前にすることはできません
+Account with existing transaction can not be converted to group.,標準販売
+Account with existing transaction can not be deleted,繰越されている
+Account with existing transaction cannot be converted to ledger,言及してください、必要な訪問なし
+Account {0} cannot be a Group,すべての部門のために考慮した場合は空白のままにし
+Account {0} does not belong to Company {1},バウチャーはありません
+Account {0} does not exist,ユーザー名
+Account {0} has been entered more than once for fiscal year {1},顧客の税務登録番号(該当する場合)、または任意の一般的な情報
+Account {0} is frozen,アカウント{0}凍結されている
+Account {0} is inactive,お客様は、同じ名前で存在
+Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item,経費請求拒否されたメッセージ
+"Account: {0} can only be updated via \
+					Stock Transactions",アカウント:{0}は\ \ N株式取引を介して更新することができます
+Accountant,それが1または多くのアクティブ部品表に存在しているようにアイテムが、購入アイテムでなければなりません
+Accounting,あなたが発注を保存するとすれば見えるようになります。
+"Accounting Entries can be made against leaf nodes, called",目新しい
+"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.",和解のJSON
+Accounting journal entries.,時間ログのバッチの詳細
+Accounts,送信されたSMSなし
+Accounts Browser,四半期
+Accounts Frozen Upto,定期的なタイプ
+Accounts Payable,%銘打た
+Accounts Receivable,受け取りアカウント
+Accounts Settings,課金
+Active,アクティブ
+Active: Will extract emails from ,
+Activity,日送り状期間
+Activity Log,顧客の購入注文番号
+Activity Log:,セールスブラウザ
+Activity Type,デパート
+Actual,実際
+Actual Budget,食べ物
+Actual Completion Date,実際の完了日
+Actual Date,ダイジェスト期間中に取引先から受け取った請求書の合計額
+Actual End Date,実際の終了日
+Actual Invoice Date,例えば付加価値税(VAT)
+Actual Posting Date,成功:
+Actual Qty,実際の数量
+Actual Qty (at source/target),実際の数量(ソース/ターゲットで)
+Actual Qty After Transaction,トランザクションの後、実際の数量
+Actual Qty: Quantity available in the warehouse.,バッチ番号
+Actual Quantity,更新された誕生日リマインダー
+Actual Start Date,素材のリクエストが発生する対象の倉庫を入力してください
+Add,アイテム{0}キャンセルされる
+Add / Edit Taxes and Charges,辞任の理由
+Add Child,出費を承認しない。少なくとも1ユーザーに「経費承認者の役割を割り当ててください
+Add Serial No,デフォルトの倉庫在庫アイテムは必須です。
+Add Taxes,例えば2012年の場合、2012から13
+Add Taxes and Charges,細胞の数
+Add or Deduct,年間の名前
+Add rows to set annual budgets on Accounts.,アカウントの年間予算を設定するための行を追加します。
+Add to Cart,アイテムサプライヤーの詳細
+Add to calendar on this date,SO数量
+Add/Remove Recipients,追加/受信者の削除
+Address,ご利用条件1
+Address & Contact,給与伝票を作る
+Address & Contacts,素晴らしい製品
+Address Desc,抜群の{0}ゼロ({1})より小さくすることはできませんのために
+Address Details,住所の詳細
+Address HTML,新規サプライヤの名言
+Address Line 1,転送する数量
+Address Line 2,機会から
+Address Template,会社、月と年度は必須です
+Address Title,アドレスタイトル
+Address Title is mandatory.,これは、ルートの顧客グループであり、編集できません。
+Address Type,正常なインポート!
+Address master.,住所マスター。
+Administrative Expenses,ルートは、親コストセンターを持つことはできません
+Administrative Officer,ターゲット数量や目標量のいずれかが必須です。
+Advance Amount,給与スリップご獲得
+Advance amount,主な項目で提供されているすべての個々の項目を表示する
+Advances,上に送信
+Advertisement,続行し、購入時の領収書は、Noを入力してください
+Advertising,広告
+Aerospace,値から
+After Sale Installations,光熱費
+Against,ファックス
+Against Account,子供を追加
+Against Bill {0} dated {1},ビル·{0}に対して{1}日付け
+Against Docname,{4} {5} {2} {3}上の倉庫{1}の項目{0}のための負のストックError({6})
+Against Doctype,文書型に対する
+Against Document Detail No,デフォルトのターゲット·ウェアハウス
+Against Document No,ドキュメントNoに対する
+Against Entries,月
+Against Expense Account,ブランド名
+Against Income Account,失われた理由
+Against Journal Voucher,ウェブサイトや他の出版物のための短い伝記。
+Against Journal Voucher {0} does not have any unmatched {1} entry,の間に見られるオーバーラップ条件:
+Against Purchase Invoice,アイテム{0}に必要な評価レート
+Against Sales Invoice,凍結
+Against Sales Order,倉庫·ワイズ証券残高
+Against Voucher,顧客/鉛名
+Against Voucher Type,倉庫在庫アイテムは必須です{0}行{1}
+Ageing Based On,あなたは本当に中止しますか
+Ageing Date is mandatory for opening entry,高齢化日付は、開口部エントリの必須です
+Ageing date is mandatory for opening entry,チェックすると、サブアセンブリ項目のBOMは、原料を得るために考慮されます。そうでなければ、全てのサブアセンブリ項目は、原料として扱われる。
+Agent,正味重量
+Aging Date,販売パートナー目標
+Aging Date is mandatory for opening entry,日エージングエン​​トリを開くための必須です
+Agriculture,もし収益又は費用
+Airline,保証期間(日数)
+All Addresses.,最大の材料のリクエストは{0}商品{1}に対して行うことができる受注{2}
+All Contact,オンラインオークション
+All Contacts.,アイテムは、データベースにこの名前で保存されます。
+All Customer Contact,住所 2行目
+All Customer Groups,すべての顧客グループ
+All Day,新しいメールが受信される自動返信
+All Employee (Active),同期のサポートメール
+All Item Groups,シリアル番号のシリーズ
+All Lead (Open),メンテナンスタイプ
+All Products or Services.,最初のカテゴリを選択してください。
+All Sales Partner Contact,すべての販売パートナー企業との接触
+All Sales Person,時間ログバッチ
+All Supplier Contact,サンプルサイズ
+All Supplier Types,販売時にアイテムをバンドル。
+All Territories,すべての地域
+"All export related fields like currency, conversion rate, export total, export grand total etc are available in Delivery Note, POS, Quotation, Sales Invoice, Sales Order etc.",日付
+"All import related fields like currency, conversion rate, import total, import grand total etc are available in Purchase Receipt, Supplier Quotation, Purchase Invoice, Purchase Order etc.",アカウント項目{1}として{0}型でなければなりません '固定資産は、「資産項目である
+All items have already been invoiced,発行場所
+All these items have already been invoiced,すべてのこれらの項目は、すでに請求されています
+Allocate,項目グループが同じ名前で存在しますが、項目名を変更したり、項目のグループの名前を変更してください
+Allocate Amount Automatically,Googleのドライブと同期
+Allocate leaves for a period.,メールアドレスを入力してください
+Allocate leaves for the year.,トランザクションを販売するためのデフォルト設定。
+Allocated Amount,配分された金額
+Allocated Budget,割当予算
+Allocated amount,最初の会社を選択してください。
+Allocated amount can not be negative,重複記入認可ルールを確認してください{0}
+Allocated amount can not greater than unadusted amount,重複したシリアル番号は、項目に入力された{0}
+Allow Bill of Materials,行{0}:デビットエントリは、納品書とリンクすることはできません
+Allow Bill of Materials should be 'Yes'. Because one or many active BOMs present for this item,仕様の詳細を取得
+Allow Children,緊急
+Allow Dropbox Access,顧客
+Allow Google Drive Access,(日数)が割り当て新しい葉
+Allow Negative Balance,担当者
+Allow Negative Stock,番号をパッケージ化する
+Allow Production Order,水曜日
+Allow User,シリアルNOステータスません
+Allow Users,許可するユーザー
+Allow the following users to approve Leave Applications for block days.,あなたは目標を取得する元となるテンプレートを選択し
+Allow user to edit Price List Rate in transactions,受信日
+Allowance Percent,手当の割合
+Allowance for over-delivery / over-billing crossed for Item {0},引当金は、過剰配信/過課金にアイテムの交差した{0}
+Allowance for over-delivery / over-billing crossed for Item {0}.,備考
+Allowed Role to Edit Entries Before Frozen Date,冷凍日より前のエントリを編集することが許可されている役割
+Amended From,売上請求書メッセージ
+Amount,あなたは納品書を保存するとワード(エクスポート)に表示されます。
+Amount (Company Currency),時間率
+Amount <=,コンピュータ
+Amount >=,ソース·ウェアハウスは、行{0}のために必須です
+Amount to Bill,新しい部品表
+An Customer exists with same name,業種
+"An Item Group exists with same name, please change the item name or rename the item group",今回はログバッチはキャンセルされました。
+"An item exists with same name ({0}), please change the item group name or rename the item",独立した製造指図は、各完成品のアイテムのために作成されます。
+Analyst,この日付にカレンダーに追加
+Annual,BOMが任意の項目agianst述べた場合は、レートを変更することはできません
+Another Period Closing Entry {0} has been made after {1},輸出
+Another Salary Structure {0} is active for employee {0}. Please make its status 'Inactive' to proceed.,出産予定日は発注日より前にすることはできません
+"Any other comments, noteworthy effort that should go in the records.",ブランド
+Apparel & Accessories,許可規則
+Applicability,適用可能性
+Applicable For,{0} {1}請求書に対して{2}
+Applicable Holiday List,この納品書に対して納入材料の%
+Applicable Territory,該当する地域
+Applicable To (Designation),"唯一の ""値を"" 0または空白値で1送料ルール条件がある場合もあります"
+Applicable To (Employee),営業担当者名
+Applicable To (Role),最も高い優先度を持つ複数の価格設定ルールがあっても、次の内部優先順位が適用されます。
+Applicable To (User),無視
+Applicant Name,永久アドレスは
+Applicant for a Job.,Itemwise割引
+Application of Funds (Assets),Miscelleneous
+Applications for leave.,新しいお問い合わせ
+Applies to Company,倉庫およびリファレンス
+Apply On,実際の転記日付
+Appraisal,倉庫での在庫は注文
+Appraisal Goal,適切なグループ(ファンドの通常はアプリケーション>流動資産>銀行口座に移動して、子の追加をクリックして、新しいアカウント元帳を(作成)タイプの「銀行」
+Appraisal Goals,違い(DR - CR)
+Appraisal Template,鑑定テンプレート
+Appraisal Template Goal,または '前の行の合計' '前の行の量に「充電式である場合にのみ、行を参照することができます
+Appraisal Template Title,デフォルトのアドレステンプレートが見つかりませんでした。[設定]> [印刷とブランディング>アドレステンプレートから新しいものを作成してください。
+Appraisal {0} created for Employee {1} in the given date range,評価{0} {1}指定された日付範囲内に従業員のために作成
+Apprentice,徒弟
+Approval Status,承認状況
+Approval Status must be 'Approved' or 'Rejected',権限がありませんん
+Approved,"もし、ごhref=""#Sales Browser/Customer Group"">追加/編集"
+Approver,完了
+Approving Role,毎月の出席シート
+Approving Role cannot be same as role the rule is Applicable To,サポートチケット
+Approving User,承認ユーザー
+Approving User cannot be same as user the rule is Applicable To,元帳に変換
+Are you sure you want to STOP ,
+Are you sure you want to UNSTOP ,
+Arrear Amount,あなたのセットアップは完了です。さわやかな...
+"As Production Order can be made for this item, it must be a stock item.","重量が記載され、\しりも ""重量UOM」を言及"
+As per Stock UOM,{0}商品税回入力
+"As there are existing stock transactions for this item, you can not change the values of 'Has Serial No', 'Is Stock Item' and 'Valuation Method'",レターヘッドを取り付け
+Asset,繰り越す
+Assistant,助教授
+Associate,共同経営
+Atleast one of the Selling or Buying must be selected,完成した製造指図
+Atleast one warehouse is mandatory,購入時の領収書項目
+Attach Image,画像を添付し
+Attach Letterhead,編集
+Attach Logo,に適用可能
+Attach Your Picture,運用コストを管理
+Attendance,サプライヤの見積明細
+Attendance Date,バウチャーに対する
+Attendance Details,出席の詳細
+Attendance From Date,POSです
+Attendance From Date and Attendance To Date is mandatory,国特定のフォーマットが見つからない場合は、この形式が使用され
+Attendance To Date,あなたが製造指図を作成するから販売受注を選択します。
+Attendance can not be marked for future dates,出席は将来の日付にマークを付けることはできません
+Attendance for employee {0} is already marked,PLやBS
+Attendance record.,出席記録。
+Authorization Control,ウェブサイトでのショー
+Authorization Rule,値を上回る
+Auto Accounting For Stock Settings,在庫設定の自動会計
+Auto Material Request,ログイン
+Auto-raise Material Request if quantity goes below re-order level in a warehouse,納品書はありません
+Automatically compose message on submission of transactions.,上陸したコストウィザード
+Automatically extract Job Applicants from a mail box ,
+Automatically extract Leads from a mail box e.g.,メールボックスなどからのリード線を自動的に抽出
+Automatically updated via Stock Entry of type Manufacture/Repack,自動的に型製造/詰め替えの証券エントリーを介して更新
+Automotive,輸入
+Autoreply when a new mail is received,価格表の通貨は、顧客の基本通貨に換算される速度
+Available,利用できる
+Available Qty at Warehouse,中に入る
+Available Stock for Packing Items,アイテムのパッキングに使用でき証券
+"Available in BOM, Delivery Note, Purchase Invoice, Production Order, Purchase Order, Purchase Receipt, Sales Invoice, Sales Order, Stock Entry, Timesheet",倉庫を選択...
+Average Age,平均年齢
+Average Commission Rate,アクティビティログ:
+Average Discount,携帯番号
+Awesome Products,古い名前と新しい名前:2つの列を持つCSVファイルをアップロードします。最大500行。
+Awesome Services,素晴らしいサービス
+BOM Detail No,健康管理
+BOM Explosion Item,スケジューラ失敗したイベント
+BOM Item,序論
+BOM No,部品表はありません
+BOM No. for a Finished Good Item,請求書が自動的に生成されます期間を選択
+BOM Operation,税アカウントを作成するには:
+BOM Operations,無担保ローン
+BOM Replace Tool,アイテムは、{0}はすでに戻っている
+BOM number is required for manufactured Item {0} in row {1},置き換えられるのBOM
+BOM number not allowed for non-manufactured Item {0} in row {1},木曜日
+BOM recursion: {0} cannot be parent or child of {2},顧客グループが同じ名前で存在顧客名を変更するか、顧客グループの名前を変更してください
+BOM replaced,{0} {1}の後に行われた別の期間の決算仕訳
+BOM {0} for Item {1} in row {2} is inactive or not submitted,購入時の領収書のメッセージ
+BOM {0} is not active or not submitted,総得点(5点満点)
+BOM {0} is not submitted or inactive BOM for Item {1},シリーズ更新
+Backup Manager,サプライヤーの倉庫
+Backup Right Now,賃貸
+Backups will be uploaded to,(日数)保証期間
+Balance Qty,セットアップ
+Balance Sheet,この発注に対する請求材料の%。
+Balance Value,バランス値
+Balance for Account {0} must always be {1},期日日付を投稿する前にすることはできません
+Balance must be,残高がある必要があります
+"Balances of Accounts of type ""Bank"" or ""Cash""",生産数量
+Bank,{0} {1}の状態を停止させる
+Bank A/C No.,保証書/ AMCの詳細
+Bank Account,銀行口座
+Bank Account No.,銀行口座番号
+Bank Accounts,銀行口座
+Bank Clearance Summary,銀行のクリアランスのまとめ
+Bank Draft,銀行為替手形
+Bank Name,銀行名
+Bank Overdraft Account,例えばキロ、ユニット、NOS、M
+Bank Reconciliation,連絡先に大量のSMSを送信
+Bank Reconciliation Detail,売上送り状
+Bank Reconciliation Statement,データが有効なCSVファイルを選択してください
+Bank Voucher,銀行バウチャー
+Bank/Cash Balance,運転操作、表中の{0}は存在しない
+Banking,この通貨は無効になっています。トランザクションで使用することを可能にする
+Barcode,バーコード
+Barcode {0} already used in Item {1},バーコード{0}済みアイテムに使用される{1}
+Based On,保留中のアイテム{0}に更新
+Basic,数量を閉じる
+Basic Info,今年の葉を割り当てる。
+Basic Information,トラベル
+Basic Rate,資本設備
+Basic Rate (Company Currency),期間閉会バウチャー
+Batch,バッチ
+Batch (lot) of an Item.,アイテムのバッチ(ロット)。
+Batch Finished Date,小売店
+Batch ID,日付の所得年度
+Batch No,合計
+Batch Started Date,バッチは日付を開始
+Batch Time Logs for billing.,請求のためのバッチタイムログ。
+Batch-Wise Balance History,計算書
+Batched for Billing,権限がありませんん
+Better Prospects,利益/損失が計上されている責任の下でアカウントヘッド、
+Bill Date,解像度の詳細
+Bill No,ビルはありません
+Bill No {0} already booked in Purchase Invoice {1},ビル·いいえ{0}はすでに購入の請求書に計上{1}
+Bill of Material,借方票
+Bill of Material to be considered for manufacturing,スポーツ
+Bill of Materials (BOM),クレジットアマウント
+Billable,この日付までに凍結会計エントリは、誰もが行うことができない/下の指定されたロールを除き、エントリを修正します。
+Billed,課金
+Billed Amount,非営利
+Billed Amt,操作で
+Billing,請求
+Billing Address,請求先住所
+Billing Address Name,注意:期日は{0}日(S)で許可されているクレジット日数を超えている
+Billing Status,休暇のためのアプリケーション。
+Bills raised by Suppliers.,ブロック日数
+Bills raised to Customers.,請求金額
+Bin,ユーザー備考オート備考に追加されます
+Bio,ビン
+Biotechnology,バイオテクノロジー
+Birthday,誕生日
+Block Date,そうでない場合、該当入力してください:NA
+Block Days,ターゲット配信
+Block leave applications by department.,銀行和解
+Blog Post,ノーLR
+Blog Subscriber,コンサルティング
+Blood Group,販売BOM
+Both Warehouse must belong to same Company,両方の倉庫は同じ会社に属している必要があります
+Box,お客様に上げ法案。
+Branch,基準日を入力してください
+Brand,メンテナンスの開始日は、シリアル番号の配信日より前にすることはできません{0}
+Brand Name,有効期限
+Brand master.,ブランドのマスター。
+Brands,生産計画項目
+Breakdown,取り寄せ商品です
+Broadcasting,総額
+Brokerage,証券仲介
+Budget,項目
+Budget Allocated,倉庫にある項目{1}のためのバッチでマイナス​​残高{0} {2} {3} {4}に
+Budget Detail,予算の詳細
+Budget Details,予約済み数量
+Budget Distribution,住所のHTML
+Budget Distribution Detail,予算配分の詳細
+Budget Distribution Details,メンテナンススケジュールは{0} {0}に対して存在している
+Budget Variance Report,予算差異レポート
+Budget cannot be set for Group Cost Centers,予算はグループ原価センタの設定はできません
+Build Report,従業員の
+Bundle items at time of sale.,拒否された数量
+Business Development Manager,得点獲得
+Buying,買収
+Buying & Selling,アイテム一括NOS
+Buying Amount,金額を購入
+Buying Settings,[設定]を購入
+"Buying must be checked, if Applicable For is selected as {0}",ポーター情報
+C-Form,アイテムが必要です
+C-Form Applicable,手持ちの現金
+C-Form Invoice Detail,休日リストの名前
+C-Form No,C-フォームはありません
+C-Form records,C型の記録
+Calculate Based On,凍結されたアカウントを編集する権限がありません{0}
+Calculate Total Score,経費請求は承認待ちです。唯一の経費承認者は、ステータスを更新することができます。
+Calendar Events,カレンダーのイベント
+Call,取引を選択
+Calls,へ送る
+Campaign,いいえ休暇承認者はありません。少なくとも1ユーザーに「休暇承認者の役割を割り当ててください
+Campaign Name,キャンペーン名
+Campaign Name is required,鉛の詳細
+Campaign Naming By,新入荷UOM
+Campaign-.####,POP3サーバーなど(pop.gmail.com)
+Can be approved by {0},見積
+"Can not filter based on Account, if grouped by Account",あなたが栓を抜くしてもよろしいですか
+"Can not filter based on Voucher No, if grouped by Voucher",製造された数量
+Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',日付を開く
+Cancel Material Visit {0} before cancelling this Customer Issue,この顧客の問題をキャンセルする前の材料の訪問{0}をキャンセル
+Cancel Material Visits {0} before cancelling this Maintenance Visit,このメンテナンス訪問をキャンセルする前の材料の訪問{0}をキャンセル
+Cancelled,購入時の領収書の項目Supplieds
+Cancelling this Stock Reconciliation will nullify its effect.,設定
+Cannot Cancel Opportunity as Quotation Exists,マイナス残高を許可する
+Cannot approve leave as you are not authorized to approve leaves on Block Dates,株式調整
+Cannot cancel because Employee {0} is already approved for {1},凍結されたアカウントの修飾子
+Cannot cancel because submitted Stock Entry {0} exists,すべての項目グループ
+Cannot carry forward {0},メンテナンススケジュールアイテム
+Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,毎日
+"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.",予定外の
+Cannot convert Cost Center to ledger as it has child nodes,住所 1行目
+Cannot covert to Group because Master Type or Account Type is selected.,倉庫システムには見られない
+Cannot deactive or cancle BOM as it is linked with other BOMs,それは、他の部品表とリンクされているように、BOMを非アクティブかcancleすることはできません
+"Cannot declare as lost, because Quotation has been made.",従業員は{0} {1}に休職していた。出席をマークすることはできません。
+Cannot deduct when category is for 'Valuation' or 'Valuation and Total',が提起した
+"Cannot delete Serial No {0} in stock. First remove from stock, then delete.",在庫が{0}シリアル番号を削除することはできません。最初に削除して、在庫から削除します。
+"Cannot directly set amount. For 'Actual' charge type, use the rate field",参照行番号
+"Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in Stock Settings",クラシック
+Cannot produce more Item {0} than Sales Order quantity {1},製造業のために考慮すべき部品表
+Cannot refer row number greater than or equal to current row number for this Charge type,購入時の領収書項目
+Cannot return more than {0} for Item {1},{0}商品{1}以上のものを返すことはできません
+Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,から/ RECDに支払う
+Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for valuation. You can select only 'Total' option for previous row amount or previous row total,購入のリターン
+Cannot set as Lost as Sales Order is made.,販売代理店
+Cannot set authorization on basis of Discount for {0},割引は100未満でなければなりません
+Capacity,無効なユーザー名またはサポートパスワード。修正してから、もう一度やり直してください。
+Capacity Units,現金化を残しましょう​​!
+Capital Account,勘定科目表から新しいアカウントを作成してください。
+Capital Equipments,お手紙の頭とロゴをアップロード - あなたはそれらを後で編集することができます。
+Carry Forward,マーケティングおよび販売部長
+Carry Forwarded Leaves,SMSの送信者名
+Case No(s) already in use. Try from Case No {0},販売電子メールIDのセットアップ受信サーバ。 (例えばsales@example.com)
+Case No. cannot be 0,プロジェクト開始日
+Cash,性別
+Cash In Hand,適用前に残高を残す
+Cash Voucher,最初の「イメージ」を選択してください
+Cash or Bank Account is mandatory for making payment entry,"もし、ごhref=""#Sales Browser/Item Group"">追加/編集"
+Cash/Bank Account,総アドバンス
+Casual Leave,臨時休暇
+Cell Number,パッケージを形成するリスト項目。
+Change UOM for an Item.,検査に必要な
+Change the starting / current sequence number of an existing series.,為替レート
+Channel Partner,信用へ
+Charge of type 'Actual' in row {0} cannot be included in Item Rate,アカウント作成:{0}
+Chargeable,ホスト
+Charity and Donations,アイテム{1} {0}の有効なシリアル番号
+Chart Name,無効
+Chart of Accounts,会社の略
+Chart of Cost Centers,SMSを送信
+Check how the newsletter looks in an email by sending it to your email.,サポート
+"Check if recurring invoice, uncheck to stop recurring or put proper End Date",請求書を定期的かどうかをチェックし、定期的な停止または適切な終了日を入れてチェックを外し
+"Check if you need automatic recurring invoices. After submitting any sales invoice, Recurring section will be visible.",自動定期的な請求書を必要とするかどうかを確認します。いずれの売上請求書を提出した後、定期的なセクションは表示されます。
+Check if you want to send salary slip in mail to each employee while submitting salary slip,HTMLをアップロードする
+Check this if you want to force the user to select a series before saving. There will be no default if you check this.,サービスアイテムです
+Check this if you want to show in website,素材要求から
+Check this to disallow fractions. (for Nos),マージするには、次のプロパティが両方の項目で同じである必要があります
+Check this to pull emails from your mailbox,エンターテインメント&レジャー
+Check to activate,ホーム
+Check to make Shipping Address,配送先住所を確認してください
+Check to make primary address,領土に対して有効
+Chemical,設定のアカウント
+Cheque,グループ
+Cheque Date,ランダム(Random)
+Cheque Number,シリアル番号は{0}が複数回入力された
+Child account exists for this account. You can not delete this account.,子アカウントは、このアカウントの存在しています。このアカウントを削除することはできません。
+City,契約終了日
+City/Town,市町村
+Claim Amount,利用規約テンプレート
+Claims for company expense.,会社の経費のために主張している。
+Class / Percentage,銀行和解声明
+Classic,デフォルトの顧客グループ
+Clear Table,製造するのにアイテム
+Clearance Date,引用が存在する限り機会をキャンセルすることはできません
+Clearance Date not mentioned,作業が完了
+Clearance date cannot be before check date in row {0},平均割引
+Click on 'Make Sales Invoice' button to create a new Sales Invoice.,アイテムのシリアル番号
+Click on a link to get options to expand get options ,
+Client,シングル
+Close Balance Sheet and book Profit or Loss.,アイテム{0}シリアル番号列の設定は空白にする必要がありますはありません
+Closed,支払期日
+Closing Account Head,アドレスの種類
+Closing Account {0} must be of type 'Liability',サプライヤーの詳細
+Closing Date,GLエントリー
+Closing Fiscal Year,正社員
+Closing Qty,入力してくださいは、YesまたはNoとして「下請けは '
+Closing Value,あなたは、重複する項目を入力しました。修正してから、もう一度やり直してください。
+CoA Help,材料のリクエスト
+Code,サプライヤー>サプライヤタイプ
+Cold Calling,倉庫が必要とされるために前に提出する
+Color,次の倉庫にはアカウンティングエントリません
+Comma separated list of email addresses,通貨記号を隠す
+Comment,前
+Comments,ログインID
+Commercial,物品税バウチャー
+Commission,"例えば ​​""「ビルダーのためのツールを構築"
+Commission Rate,機会アイテム
+Commission Rate (%),用語や契約のテンプレート。
+Commission on Sales,氏
+Commission rate cannot be greater than 100,用語
+Communication,(ユーザー)に適用
+Communication HTML,通信のHTML
+Communication History,部品表から
+Communication log.,子会社
+Communications,株式UOMユーティリティを交換してください
+Company,会社
+Company (not Customer or Supplier) master.,受注{0}は有効ではありません
+Company Abbreviation,議論するために
+Company Details,会社の詳細情報
+Company Email,行{0}:数量は倉庫にavalableいない{1}に{2} {3} \ N個の利用可能な数量:{4}、数量を転送:{5}
+"Company Email ID not found, hence mail not sent",アイテムは、{0}直列化された項目ではありません
+Company Info,支払勘定
+Company Name,インストレーションノート{0}はすでに送信されました
+Company Settings,(指定)に適用
+Company is missing in warehouses {0},部品表番号は{1}の行で製造アイテム{0}に必要です
+Company is required,検査基準
+Company registration numbers for your reference. Example: VAT Registration Numbers etc.,アカウント{0}を閉じると、タイプ '責任'でなければなりません
+Company registration numbers for your reference. Tax numbers etc.,あなたの参照のための会社の登録番号。税番号など
+"Company, Month and Fiscal Year is mandatory",この商品は等のコンサルティング、トレーニング、設計、のようないくつかの作業を表す場合は「はい」を選択
+Compensatory Off,倉庫に
+Complete,既存のシリーズの開始/現在のシーケンス番号を変更します。
+Complete Setup,NO接点は作成されません
+Completed,数量アウト
+Completed Production Orders,製造又は再包装の商品の総評価額は、原料の合計評価額より小さくすることはできません
+Completed Qty,電信送金
+Completion Date,経費日付
+Completion Status,配達希望日
+Computer,コンピュータ
+Computers,納品書に対する
+Confirmation Date,いいえ、従業員が見つかりませんでした!
+Confirmed orders from Customers.,雑誌で銀行の支払日を更新します。
+Consider Tax or Charge for,デフォルトとして設定
+Considered as Opening Balance,債権グループ
+Considered as an Opening Balance,会社での歴史
+Consultant,PRの詳細
+Consulting,従業員名用
+Consumable,課金
+Consumable Cost,このストック調整をキャンセルすると、その効果を無効にします。
+Consumable cost per hour,リードや顧客に引用している。
+Consumed Qty,納品書{0}送信されません
+Consumer Products,食品、飲料&タバコ
+Contact,認可額
+Contact Control,受注動向を購入
+Contact Desc,メール アドレス
+Contact Details,連絡先の詳細
+Contact Email,連絡先のメール
+Contact HTML,完了
+Contact Info,倉庫{0}は存在しません
+Contact Mobile No,お問い合わせモバイルノー
+Contact Name,デフォルトのアドレステンプレートを削除することはできません
+Contact No.,POSの設定
+Contact Person,項目ごとの購入登録
+Contact Type,税金、料金を追加する
+Contact master.,連絡先マスター。
+Contacts,容量
+Content,この項目があなたの会社にいくつかの内部目的のために使用されている場合は、「はい」を選択します。
+Content Type,コンテンツの種類
+Contra Voucher,スケジュール設定済み
+Contract,契約書
+Contract End Date,顧客の住所と連絡先
+Contract End Date must be greater than Date of Joining,実際の請求日
+Contribution (%),寄与度(%)
+Contribution to Net Total,注文書アイテム付属
+Conversion Factor,例えば銀行、現金払い、クレジットカード払い
+Conversion Factor is required,ドキュメントタイプ
+Conversion factor cannot be in fractions,バウチャー型に対する
+Conversion factor for default Unit of Measure must be 1 in row {0},管理
+Conversion rate cannot be 0 or 1,パッケージアイテムの詳細
+Convert into Recurring Invoice,メール送信済み?
+Convert to Group,コミュニケーション
+Convert to Ledger,スレッドのHTML
+Converted,{1} {0} quotation_toの値を選択してください
+Copy From Item Group,株式元帳エントリはこの倉庫のために存在する倉庫を削除することはできません。
+Cosmetics,あなたは本当に製造指図を中止しますか。
+Cost Center,未公開株式
+Cost Center Details,未処理
+Cost Center Name,パーソナル
+Cost Center is required for 'Profit and Loss' account {0},コストセンターは、「損益」アカウントに必要とされる{0}
+Cost Center is required in row {0} in Taxes table for type {1},コストセンターは、タイプ{1}のための税金表の行{0}が必要である
+Cost Center with existing transactions can not be converted to group,閉会年度
+Cost Center with existing transactions can not be converted to ledger,既存の取引にコストセンターでは元帳に変換することはできません
+Cost Center {0} does not belong to Company {1},転写材
+Cost of Goods Sold,売上原価
+Costing,原価計算
+Country,NETペイ
+Country Name,ヘッダー
+Country wise default Address Templates,シリアルNOサービス契約の有効期限
+"Country, Timezone and Currency",国、タイムゾーンと通貨
+Create Bank Voucher for the total salary paid for the above selected criteria,上で選択した基準に支払わ総給与のために銀行券を作成
+Create Customer,テスト
+Create Material Requests,素材の要求を作成
+Create New,残高
+Create Opportunity,見つからレコードません
+Create Production Orders,期間閉鎖エントリで
+Create Quotation,会計年度の開始日
+Create Receiver List,レシーバー·リストを作成します。
+Create Salary Slip,数量を入力してください{0}
+Create Stock Ledger Entries when you submit a Sales Invoice,株式とレートを取得
+"Create and manage daily, weekly and monthly email digests.",あなたの会計年度は、日に終了
+Create rules to restrict transactions based on values.,合計額への貢献
+Created By,在庫数量を予測
+Creates salary slip for above mentioned criteria.,銀行当座貸越口座
+Creation Date,このトランザクションのシリーズ一覧
+Creation Document No,お客様の商品コード
+Creation Document Type,インポートログ
+Creation Time,作成時間
+Credentials,株式元帳エントリー
+Credit,クレジット
+Credit Amt,製造するの数量
+Credit Card,合計税および充満
+Credit Card Voucher,注:{0}
+Credit Controller,ウェブサイトの倉庫
+Credit Days,POP3メールサーバ
+Credit Limit,Deduction1
+Credit Note,会社、通貨、今期、などのように設定されたデフォルトの値
+Credit To,見つかりません従業員
+Currency,通貨
+Currency Exchange,現在の請求書の期間の終了日
+Currency Name,アイテム{0}に必要な品質検査
+Currency Settings,株式UOM
+Currency and Price List,店
+Currency exchange rate master.,{0}の限界を超えているのでauthroizedはない
+Current Address,Frappe.ioポータル
+Current Address Is,総配分される金額は、比類のない量を超えることはできません
+Current Assets,ブロックリスト可のままに
+Current BOM,現在の部品表
+Current BOM and New BOM can not be same,アカウント別にグループ化されている場合、アカウントに基づいてフィルタリングすることはできません
+Current Fiscal Year,割り当てを残す
+Current Liabilities,流動負債
+Current Stock,{0} {1}ないどれ年度中
+Current Stock UOM,に対して
+Current Value,何バッチを取得するために商品コードを入力をして下さい
+Custom,このメールIDを持つ鉛は存在している必要があります
+Custom Autoreply Message,従業員の誕生日
+Custom Message,製造指図はこの項目のために作られているように、それは株式項目でなければなりません。
+Customer,すべての連絡先。
+Customer (Receivable) Account,食料品
+Customer / Item Name,顧客/商品名
+Customer / Lead Address,顧客/先頭アドレス
+Customer / Lead Name,仕事のための申請者。
+Customer > Customer Group > Territory,サービス
+Customer Account Head,C-フォーム請求書の詳細
+Customer Acquisition and Loyalty,お問い合わせ番号
+Customer Address,顧客の住所
+Customer Addresses And Contacts,コミュニティ
+Customer Code,自動的に金額を割り当てる
+Customer Codes,サプライヤ部品番号
+Customer Details,経費ヘッド
+Customer Feedback,金券
+Customer Group,価格設定ルールは、いくつかの基準に基づいて、値引きの割合を定義/価格表を上書きさせる。
+Customer Group / Customer,事務所賃貸料
+Customer Group Name,メイン
+Customer Intro,顧客イントロ
+Customer Issue,100pxにすることで、Webに優しい900px(W)それを維持する(H)
+Customer Issue against Serial No.,(従業員)に適用
+Customer Name,顧客番号
+Customer Naming By,することにより、顧客の命名
+Customer Service,離婚した
+Customer database.,デビットへ
+Customer is required,最初の{0}を選択してください
+Customer master.,ワークステーション名
+Customer required for 'Customerwise Discount',レベル
+Customer {0} does not belong to project {1},顧客は、{0} {1}をプロジェクトに属していません
+Customer {0} does not exist,新入荷UOMが必要です
+Customer's Item Code,販売のインストール後に
+Customer's Purchase Order Date,割引率は、価格表に対して、またはすべての価格リストのいずれかを適用することができます。
+Customer's Purchase Order No,顧客の購入注文番号
+Customer's Purchase Order Number,価格リスト名
+Customer's Vendor,出荷量
+Customers Not Buying Since Long Time,大手/オプション科目
+Customerwise Discount,Customerwise割引
+Customize,パッケージの総重量。正味重量+梱包材重量は通常。 (印刷用)
+Customize the Notification,顧客の便宜のために、これらのコードは、インボイスおよび配信ノーツ等の印刷形式で使用することができる
+Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,行{0}:アカウントは考慮するために、\ \ N購入インボイスクレジットと一致していません
+DN Detail,DNの詳細
+Daily,販売パートナー委員会
+Daily Time Log Summary,メンテナンス
+Database Folder ID,Itemwiseは再注文レベルを推奨
+Database of potential customers.,利用規約
+Date,部分的に配信
+Date Format,合計のご獲得
+Date Of Retirement,{0}ではないタイプの引用符{1}
+Date Of Retirement must be greater than Date of Joining,レポートを作成
+Date is repeated,日付が繰り返され、
+Date of Birth,生年月日
+Date of Issue,顧客グループ名
+Date of Joining,スケジュール日付
+Date of Joining must be greater than Date of Birth,タイプ名を残す
+Date on which lorry started from supplier warehouse,貨物自動車サプライヤーとの倉庫から開始された日
+Date on which lorry started from your warehouse,材料は受信された時刻
+Dates,例えば5
+Days Since Last Order,時代からラストオーダー
+Days for which Holidays are blocked for this department.,売上総利益(%)
+Dealer,ディーラー
+Debit,デビット
+Debit Amt,参照名
+Debit Note,名前と説明
+Debit To,総休暇日数
+Debit and Credit not equal for this voucher. Difference is {0}.,取引
+Deduct,差し引く
+Deduction,シリアルNO {0}は存在しません
+Deduction Type,一日中
+Deduction1,スケジュールを生成
+Deductions,他のコメントは、記録に行く必要があり注目に値する努力。
+Default,人事マネージャー
+Default Account,購入請求書{0}はすでに提出されている
+Default Address Template cannot be deleted,材料の要求の詳細はありません
+Default BOM,そのメールの一部として行くの入門テキストをカスタマイズします。各トランザクションは、別々の入門テキストを持っています。
+Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,完成品を更新
+Default Bank Account,デフォルトの銀行口座
+Default Buying Cost Center,社員名
+Default Buying Price List,配分された金額unadusted量よりも多くすることはできません
+Default Cash Account,メンテナンス訪問する
+Default Company,単位/シフト
+Default Currency,マイルストーン
+Default Customer Group,デフォルトの顧客グループ
+Default Expense Account,売掛金/買掛金勘定は、フィールドマスタタイプに基づいて識別されます
+Default Income Account,リード名
+Default Item Group,カンマで区切られた電子メールIDを入力して、請求書が特定の日に自動的に郵送されます
+Default Price List,日付が高齢化すると、エントリを開くための必須です
+Default Purchase Account in which cost of the item will be debited.,終了
+Default Selling Cost Center,デフォルトの販売コストセンター
+Default Settings,デフォルト設定
+Default Source Warehouse,部品表から項目を取得
+Default Stock UOM,テレビ
+Default Supplier,月次
+Default Supplier Type,必要な材料(分解図)
+Default Target Warehouse,デフォルトの会社
+Default Territory,デフォルトの地域
+Default Unit of Measure,アップデートシリーズ
+"Default Unit of Measure can not be changed directly because you have already made some transaction(s) with another UOM. To change default UOM, use 'UOM Replace Utility' tool under Stock module.",すでに別のUOMで一部のトランザクション(複数可)を行っているため、デフォルトの単位を直接変更することはできません。デフォルトのUOMを変更するには、銃床モジュールの下の「UOMユーティリティを交換してください」ツールを使用します。
+Default Valuation Method,作成して、毎日、毎週、毎月の電子メールダイジェストを管理します。
+Default Warehouse,デフォルトの倉庫
+Default Warehouse is mandatory for stock Item.,通知電子メールアドレス
+Default settings for accounting transactions.,引用動向
+Default settings for buying transactions.,トランザクションを購入するためのデフォルト設定。
+Default settings for selling transactions.,偏在ヶ月間でターゲットを配布するために予算配分を選択します。
+Default settings for stock transactions.,株式取引のデフォルト設定。
+Defense,今月営業日以上の休日があります。
+"Define Budget for this Cost Center. To set budget action, see Company Master",エントリに対して
+Delete,完成品
+Delete {0} {1}?,去るロールを持つユーザーによって承認されることができる、「承認者のまま」
+Delivered,配送
+Delivered Items To Be Billed,親サイトルート
+Delivered Qty,月曜日
+Delivered Serial No {0} cannot be deleted,納入シリアル番号は{0}を削除することはできません
+Delivery Date,アイテム{0}同じ説明や日付で複数回入力されました
+Delivery Details,配達の詳細
+Delivery Document No,配達ドキュメントNo
+Delivery Document Type,材料の%は、この発注書に対して受信
+Delivery Note,複数のアイテムの価格。
+Delivery Note Item,納品書アイテム
+Delivery Note Items,顧客グループツリーを管理します。
+Delivery Note Message,資本勘定
+Delivery Note No,「ラストオーダーからの日数」はゼロ以上でなければならない
+Delivery Note Required,納品書が必要な
+Delivery Note Trends,アイテムは、{0} {1}での販売またはサービスアイテムである必要があります
+Delivery Note {0} is not submitted,アイテムは自動的に番号が付けされていないため、商品コードは必須です
+Delivery Note {0} must not be submitted,ストア
+Delivery Notes {0} must be cancelled before cancelling this Sales Order,finanialアカウントの木。
+Delivery Status,配信状態
+Delivery Time,アカウント
+Delivery To,EメールのId
+Department,数量は受注
+Department Stores,受信者
+Depends on LWP,ビュー元帳
+Depreciation,減価償却費
+Description,新しい納品書
+Description HTML,石鹸&洗剤
+Designation,言葉での合計金額
+Designer,価格
+Detailed Breakup of the totals,合計の詳細な分裂
+Details,詳細
+Difference (Dr - Cr),納品書のメッセージ
+Difference Account,評価方法
+"Difference Account must be a 'Liability' type account, since this Stock Reconciliation is an Opening Entry",オファー日
+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.,参考値。
+Direct Expenses,アカウントに対して
+Direct Income,次の請求書が生成された日付。これは、送信してください。\ nの上に生成される
+Disable,プロジェクトの詳細
+Disable Rounded Total,丸い合計を無効
+Disabled,エージェント
+Discount  %,次の電子メールは上に送信されます。
+Discount %,ニュースレターの状況
+Discount (%),これは、ルート·アイテム·グループであり、編集することはできません。
+Discount Amount,売上高は、請求書{0}、この受注をキャンセルする前にキャンセルしなければならない
+"Discount Fields will be available in Purchase Order, Purchase Receipt, Purchase Invoice",サプライヤーの数を一覧表示します。彼らは、組織や個人である可能性があります。
+Discount Percentage,割引率
+Discount Percentage can be applied either against a Price List or for all Price List.,行{0}:数量は必​​須です
+Discount must be less than 100,税金を含めるには、行に{0}商品相場では、行{1}内税も含まれている必要があります
+Discount(%),割引(%)
+Dispatch,ディスパッチ
+Display all the individual items delivered with the main items,プレビュー
+Distribute transport overhead across items.,税金、料金の計算
+Distribution,分布
+Distribution Id,あなたが複数の会社を持っているときは、関係する会社名を選択します。
+Distribution Name,{0}在庫切れのシリアル番号
+Distributor,満たさ
+Divorced,販売注文から項目を取得
+Do Not Contact,連絡先情報
+Do not show any symbol like $ etc next to currencies.,アドレステンプレート
+Do really want to unstop production order: ,
+Do you really want to STOP ,
+Do you really want to STOP this Material Request?,Prevdoc文書型
+Do you really want to Submit all Salary Slip for month {0} and year {1},製造指図書
+Do you really want to UNSTOP ,
+Do you really want to UNSTOP this Material Request?,アイテム{0}アクティブでないか、人生の最後に到達しました
+Do you really want to stop production order: ,
+Doc Name,行番号は{0}:アイテムのシリアル番号を指定してください{1}
+Doc Type,固定資産
+Document Description,割引(%)
+Document Type,基本料金
+Documents,文書
+Domain,アイテムごとの販売登録
+Don't send Employee Birthday Reminders,この連絡の指定を入力してください
+Download Materials Required,設定与信限度額を超えた取引を提出し許可されているロール。
+Download Reconcilation Data,Reconcilationデータをダウンロード
+Download Template,POSシステム
+Download a report containing all raw materials with their latest inventory status,色
+"Download the Template, fill appropriate data and attach the modified file.",鑑定テンプレートゴール
+"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",UOMに必要なUOM coversion率:アイテム{0}:{1}
+Draft,適用C-フォーム
+Dropbox,アドバタイズメント
+Dropbox Access Allowed,デビットカードまたはクレジットのどちらかが要求される{0}
+Dropbox Access Key,Dropboxのアクセスキー
+Dropbox Access Secret,Dropboxのアクセスの秘密
+Due Date,期日
+Due Date cannot be after {0},機会日
+Due Date cannot be before Posting Date,新しい通信
+Duplicate Entry. Please check Authorization Rule {0},注:バックアップとファイルがDropboxのから削除されません、それらを手動で削除する必要があります。
+Duplicate Serial No entered for Item {0},支払金額
+Duplicate entry,情報を複製
+Duplicate row {0} with same {1},重複する行{0}と同じ{1}
+Duties and Taxes,仕事のプロフィール
+ERPNext Setup,価格表の通貨が選択されていない
+Earliest,部品表には「はい」でなければならないようにします。1そのためか、この項目の存在する多くの積極的な部品表
+Earnest Money,アカウントは、貸借対照表勘定である必要があります
+Earning,受注{0}送信されません
+Earning & Deduction,ご獲得および控除に基づいて給与崩壊。
+Earning Type,クレジットコントローラ
+Earning1,購入時の領収書から
+Edit,大量郵送
+Education,その他の詳細
+Educational Qualification,学歴
+Educational Qualification Details,4半期ごと
+Eg. smsgateway.com/api/send_sms.cgi,ファイルフォルダのID
+Either debit or credit amount is required for {0},消耗品費
+Either target qty or target amount is mandatory,出版
+Either target qty or target amount is mandatory.,株式エントリー
+Electrical,電気
+Electricity Cost,交際費は必須です
+Electricity cost per hour,「はい」を選択すると、この項目の製造指図を行うことができます。
+Electronics,家電
+Email,アイテムが倉庫から納入された時刻
+Email Digest,電子メールダイジェスト
+Email Digest Settings,電子メールダイジェストの設定
+Email Digest: ,
+Email Id,Googleのドライブへのバックアップをアップロードする
+"Email Id where a job applicant will email e.g. ""jobs@example.com""",自己紹介
+Email Notifications,画分を許可しないように、これをチェックしてください。 (NOS用)
+Email Sent?,参加日は誕生日よりも大きくなければならない
+"Email id must be unique, already exists for {0}",合計デビット
+Email ids separated by commas.,税金を追加
+"Email settings to extract Leads from sales email id e.g. ""sales@example.com""",販売電子メールIDからのリード線を抽出するための電子メール設定など「sales@example.com」
+Emergency Contact,あなたは 'に対するジャーナルバウチャー」の欄に、現在の伝票を入力することはできません
+Emergency Contact Details,緊急連絡先の詳細
+Emergency Phone,粗利益%
+Employee,キャンペーン。####
+Employee Birthday,ドラフト
+Employee Details,社員詳細
+Employee Education,お支払い方法{0}にデフォルトの現金や銀行口座を設定してください
+Employee External Work History,毎週休み選択してください
+Employee Information,社員情報
+Employee Internal Work History,従業員内部作業歴史
+Employee Internal Work Historys,従業員内部作業Historys
+Employee Leave Approver,販売BOMのヘルプ
+Employee Leave Balance,リストの最初の脱退承認者は、デフォルトのままに承認者として設定されます
+Employee Name,すべてのアドレス。
+Employee Number,"この原価センタの予算を定義します。予算のアクションを設定するには、会社マスター"
+Employee Records to be created by,{0} {1}は、提出しなければならない
+Employee Settings,従業員の設定
+Employee Type,着信
+"Employee designation (e.g. CEO, Director etc.).",より良い展望
+Employee master.,業績評価。
+Employee record is created using selected field. ,
+Employee records.,従業員レコード。
+Employee relieved on {0} must be set as 'Left',{0}にホッと従業員が「左」として設定する必要があります
+Employee {0} has already applied for {1} between {2} and {3},この税金が適用されるレート
+Employee {0} is not active or does not exist,関連するエントリを取得
+Employee {0} was on leave on {1}. Cannot mark attendance.,%配信
+Employees Email Id,従業員の電子メールID
+Employment Details,公開
+Employment Type,雇用の種類
+Enable / disable currencies.,倉庫ワイズアイテムの並べ替え
+Enabled,金額(会社通貨)
+Encashment Date,特長のセットアップ
+End Date,終了日
+End Date can not be less than Start Date,すべての目標の合計ポイントは100にする必要があります。それは{0}
+End date of current invoice's period,新着
+End of Life,項目間でのトランスポートのオーバーヘッドを配布します。
+Energy,アイテムワイズ税の詳細
+Engineer,エンジニア
+Enter Verification Code,製品のお問い合わせ
+Enter campaign name if the source of lead is campaign.,資金源(負債)
+Enter department to which this Contact belongs,この連絡が所属する部署を入力してください
+Enter designation of this Contact,雑費
+"Enter email id separated by commas, invoice will be mailed automatically on particular date",時間ログバッチは{0} '提出'でなければなりません
+Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,あなたが製造指図を上げたり、分析のための原材料をダウンロードするための項目と計画された数量を入力してください。
+Enter name of campaign if source of enquiry is campaign,必要なジョブプロファイル、資格など
+"Enter static url parameters here (Eg. sender=ERPNext, username=ERPNext, password=1234 etc.)",ここで、静的なURLパラメータを入力します(例:送信者= ERPNext、ユーザ名= ERPNext、パスワード= 1234など)
+Enter the company name under which Account Head will be created for this Supplier,頭を占めるの下に会社名を入力し、このサプライヤーのために作成されます
+Enter url parameter for message,ファンドのアプリケーション(資産)
+Enter url parameter for receiver nos,以前の職歴
+Entertainment & Leisure,作成ドキュメントの種類
+Entertainment Expenses,発電コスト
+Entries,サプライヤータイプマスター。
+Entries against,エントリに対して
+Entries are not allowed against this Fiscal Year if the year is closed.,年が閉じている場合のエントリは、この年度に対して許可されていません。
+Entries before {0} are frozen,既に使用されているケースはありません(S)。ケースはありませんから、お試しください{0}
+Equity,これは、ルートアカウントで、編集することはできません。
+Error: {0} > {1},従業員{0}はすでに{1}のために承認されているため、キャンセルすることはできません
+Estimated Material Cost,アプリケーションを終了
+"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:",あなたが購入または売却する製品やサービスの一覧を表示します。あなたが起動したときに項目グループ、測定およびその他のプロパティの単位を確認してください。
+Everyone can read,プロジェクトごとの株価の追跡
+"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.",伝票タイプ
+Exchange Rate,「はい」を選択すると、この商品は受注、納品書に把握できるようになります
+Excise Page Number,総時間数
+Excise Voucher,納入数量
+Execution,実行
+Executive Search,税および充満
+Exemption Limit,免除の制限
+Exhibition,より多くのアイテムを生成することはできません{0}より受注数量{1}
+Existing Customer,法定の情報とあなたのサプライヤーに関するその他の一般情報
+Exit,請求書に金額
+Exit Interview Details,運営費全体
+Expected,既存のトランザクションが存在するため、同社のデフォルトの通貨を変更することはできません。トランザクションは、デフォルトの通貨を変更するにはキャンセルする必要があります。
+Expected Completion Date can not be less than Project Start Date,終了予定日は、プロジェクト開始日より小さくすることはできません
+Expected Date cannot be before Material Request Date,課税
+Expected Delivery Date,日出席
+Expected Delivery Date cannot be before Purchase Order Date,従業員休暇承認者
+Expected Delivery Date cannot be before Sales Order Date,出産予定日は受注日より前にすることはできません
+Expected End Date,潜在的な顧客のデータベース。
+Expected Start Date,支払いの上限
+Expense,経費
+Expense / Difference account ({0}) must be a 'Profit or Loss' account,費用/差異勘定({0})の利益または損失のアカウントである必要があります
+Expense Account,初期値
+Expense Account is mandatory,無給休暇獲得削減(LWP)
+Expense Claim,将来的に顧客に連絡しますあなたの販売員
+Expense Claim Approved,安%
+Expense Claim Approved Message,{0}よりも古いエントリを更新することはできません
+Expense Claim Detail,OA機器
+Expense Claim Details,経費請求の詳細
+Expense Claim Rejected,シリアル番号を選択したときにアイテム、保証書、AMC(年間メンテナンス契約)の詳細が自動的にフェッチされます。
+Expense Claim Rejected Message,ターゲットの詳細
+Expense Claim Type,割り当てられた合計weightageは100%でなければならない。それは{0}
+Expense Claim has been approved.,行のターゲット·ウェアハウスは、{0}製造指図と同じでなければなりません
+Expense Claim has been rejected.,販売するための潜在的な機会。
+Expense Claim is pending approval. Only the Expense Approver can update status.,セールスファンネル
+Expense Date,営業チームの総割り当てられた割合は100でなければなりません
+Expense Details,経費の詳細
+Expense Head,テンプレートをダウンロードして適切なデータを記入し、変更したファイルを添付してください。
+Expense account is mandatory for item {0},交際費は、アイテムには必須である{0}
+Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,元帳
+Expenses,経費
+Expenses Booked,基本情報
+Expenses Included In Valuation,引用日
+Expenses booked for the digest period,給与伝票を作成する
+Expiry Date,家具やフィクスチャ
+Exports,行のアイテムや倉庫は{0}素材要求と一致していません
+External,丸みを帯びた合計(会社通貨)
+Extract Emails,予算の詳細
+FCFS Rate,親ウェブサイトのページ
+Failed: ,
+Family Background,有効な個人メールアドレスを入力してください
+Fax,変換率は0か1にすることはできません
+Features Setup,請求可能
+Feed,ソフトウェア
+Feed Type,バウチャー#
+Feedback,(注)ユーザ
+Female,このロールを持つユーザーは、凍結されたアカウントを設定し、作成/冷凍アカウントに対するアカウンティングエントリを修正することが許される
+Fetch exploded BOM (including sub-assemblies),(サブアセンブリを含む)の分解図、BOMをフェッチ
+"Field available in Delivery Note, Quotation, Sales Invoice, Sales Order",納品書、見積書、納品書、受注で利用可能なフィールド
+Files Folder ID,トランザクションが停止製造指図に対して許可されていません{0}
+Fill the form and save it,スタンダード
+Filter based on customer,我々は、この商品を購入
+Filter based on item,項目に基づいてフィルタ
+Financial / accounting year.,の財務/会計年度。
+Financial Analytics,進行中の製造指図
+Financial Services,給与情報
+Financial Year End Date,移動平均レート
+Financial Year Start Date,アナリスト
+Finished Goods,商品コード
+First Name,お名前(名)
+First Responded On,UOMコンバージョンの詳細
+Fiscal Year,特になし
+Fiscal Year Start Date and Fiscal Year End Date are already set in Fiscal Year {0},当連結会計年度の開始日と会計年度終了日は、すでに会計年度に設定されている{0}
+Fiscal Year Start Date and Fiscal Year End Date cannot be more than a year apart.,当連結会計年度の開始日と会計年度終了日は離れて年を超えることはできません。
+Fiscal Year Start Date should not be greater than Fiscal Year End Date,当連結会計年度の開始日が会計年度終了日を超えてはならない
+Fixed Asset,誤った、または非アクティブのBOM {0}商品{1}行目の{2}
+Fixed Assets,第一の電荷の種類を選択してください
+Follow via Email,電子メール経由でたどる
+"Following table will show values if items are sub - contracted. These values will be fetched from the master of ""Bill of Materials"" of sub - contracted items.",契約した - 項目がサブである場合は、テーブルに続いて、値が表示されます。これらの値は、サブの「部品表」のマスターからフェッチされます - 項目を縮小した。
+Food,言語
+"Food, Beverage & Tobacco",あなたが購入時の領収書を保存するとすれば見えるようになります。
+For Company,唯一のリーフノードは、トランザクションで許可されてい
+For Employee,アイテムは、{0}の在庫項目でなければなりません
+For Employee Name,追加または控除
+For Price List,価格表のための
+For Production,年
+For Reference Only.,評価
+For Sales Invoice,納品書のため
+For Server Side Print Formats,材料要求タイプ
+For Supplier,サプライヤーのため
+For Warehouse,倉庫用
+For Warehouse is required before Submit,「実際の開始日」は、「実際の終了日」より大きくすることはできません
+"For e.g. 2012, 2012-13",お得!住所
+For reference,参考のため
+For reference only.,アイテムのUOMを変更します。
+"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes",テンプレート
+Fraction,在庫
+Fraction Units,分数単位
+Freeze Stock Entries,項目は({0})は、項目のグループ名を変更したり、項目の名前を変更してください同じ名前で存在
+Freeze Stocks Older Than [Days],発送先
+Freight and Forwarding Charges,{0}{/0} {1}就労{/1}
+Friday,金曜日
+From,はじまり
+From Bill of Materials,アイテム{0}アイテムを購入されていません
+From Company,小売&卸売業
+From Currency,部品表
+From Currency and To Currency cannot be same,通貨から通貨へ同じにすることはできません
+From Customer,ユーザー固有
+From Customer Issue,お客様の問題から
+From Date,日
+From Date must be before To Date,日付から日付の前でなければなりません
+From Delivery Note,サプライヤリファレンス
+From Employee,あなたの顧客のいくつかを一覧表示します。彼らは、組織や個人である可能性があります。
+From Lead,組織支店マスター。
+From Maintenance Schedule,メンテナンススケジュールから
+From Material Request,休暇申請は拒否されました。
+From Opportunity,価格表を選択してください
+From Package No.,パッケージ番号から
+From Purchase Order,提案の作成
+From Purchase Receipt,操作はありません
+From Quotation,従業員の脱退バランス
+From Sales Order,合計時間(予定)
+From Supplier Quotation,最大日数休暇可
+From Time,時から
+From Value,アイテムごとの販売履歴
+From and To dates required,言葉の総
+From value must be less than to value in row {0},レターヘッド
+Frozen,販売に戻る
+Frozen Accounts Modifier,商品コードは、車台番号を変更することはできません
+Fulfilled,販売分析
+Full Name,作業内容
+Full-time,フルタイム
+Fully Billed,完全銘打た
+Fully Completed,完全に完了
+Fully Delivered,フォームに入力して保存します
+Furniture and Fixture,メンテナンススケジュールは、{0}、この受注をキャンセルする前にキャンセルしなければならない
+Further accounts can be made under Groups but entries can be made against Ledger,{0} {1}今の状態{2}
+"Further accounts can be made under Groups, but entries can be made against Ledger",あなたも前連結会計年度の残高は今年度に残し含める場合繰り越す選択してください
+Further nodes can be only created under 'Group' type nodes,葉タイプの{0}はすでに従業員のために割り当てられた{1}年度の{0}
+GL Entry,最古の
+Gantt Chart,連絡先
+Gantt chart of all tasks.,すべてのタスクのガントチャート。
+Gender,セールスチームの詳細
+General,一般的情報
+General Ledger,総勘定元帳
+Generate Description HTML,一時的なアカウント(資産)
+Generate Material Requests (MRP) and Production Orders.,日付の表示形式
+Generate Salary Slips,アイテムバーコード
+Generate Schedule,所有
+Generates HTML to include selected image in the description,説明で選択した画像が含まれるようにHTMLを生成
+Get Advances Paid,利用規約コンテンツ
+Get Advances Received,進歩は受信ゲット
+Get Against Entries,販売委員会
+Get Current Stock,現在の株式を取得
+Get Items,会計仕訳。
+Get Items From Sales Orders,作業中の倉庫を提出する前に必要です
+Get Items from BOM,通信履歴
+Get Last Purchase Rate,期間葉を割り当てる。
+Get Outstanding Invoices,メンテナンスの詳細
+Get Relevant Entries,提出した株式のエントリは{0}が存在するため、キャンセルすることはできません
+Get Sales Orders,債権
+Get Specification Details,インベストメンツ
+Get Stock and Rate,部品表、納品書、請求書購入、製造指図、発注、購入時の領収書、納品書、受注、証券エントリー、タイムシートで利用可能
+Get Template,正味合計
+Get Terms and Conditions,ウェブサイトの項目グループ
+Get Weekly Off Dates,BOMは{0}商品{1}のために提出または非アクティブのBOMされていません
+"Get valuation rate and available stock at source/target warehouse on mentioned posting date-time. If serialized item, please press this button after entering serial nos.",新しいUOMは、タイプ全体数であってはなりません
+Global Defaults,項目税額
+Global POS Setting {0} already created for company {1},操作説明
+Global Settings,ターゲット·ウェアハウスは、行{0}のために必須です
+"Go to the appropriate group (usually Application of Funds > Current Assets > Bank Accounts and create a new Account Ledger (by clicking on Add Child) of type ""Bank""",追加/編集税金、料金
+"Go to the appropriate group (usually Source of Funds > Current Liabilities > Taxes and Duties and create a new Account Ledger (by clicking on Add Child) of type ""Tax"" and do mention the Tax rate.",販売中のアイテムを追跡し、そのシリアル番号に基づいてドキュメントを購入する。これはまた、製品の保証の詳細を追跡するために使用されることができる。
+Goal,目標
+Goals,BOMは{0}アクティブか提出していないではありません
+Goods received from Suppliers.,商品はサプライヤーから受け取った。
+Google Drive,項目を選択
+Google Drive Access Allowed,購入/製造の詳細
+Government,登録情報
+Graduate,解説
+Grand Total,株式Reconcilationデータ
+Grand Total (Company Currency),SO号
+"Grid """,計画
+Grocery,調整済みのエントリを含める
+Gross Margin %,男性
+Gross Margin Value,レシーバリストは空です。レシーバー·リストを作成してください
+Gross Pay,納品書{0}提出しなければいけません
+Gross Pay + Arrear Amount +Encashment Amount - Total Deduction,シリアル番号{0}に項目なし
+Gross Profit,勘定によるグループ
+Gross Profit (%),センターの詳細を要し
+Gross Weight,ダイジェスト期間中に支払い
+Gross Weight UOM,製造指図を作成します。
+Group,顧客の購入受注日
+Group by Account,額<=
+Group by Voucher,総配分される金額
+Group or Ledger,アイテムは、{0}の在庫項目ではありません
+Groups,役割の承認またはユーザーの承認入力してください
+HR Manager,インプリメンテーション·パートナー
+HR Settings,要求するものがありません
+HTML / Banner that will show on the top of product list.,そのため、この価格表が有効で、領土のリストを指定
+Half Day,署名はすべての電子メールの末尾に追加される
+Half Yearly,変更
+Half-yearly,メーカー品番
+Happy Birthday!,純重量UOM
+Hardware,size
+Has Batch No,倉庫アカウントの親勘定グループを入力してください
+Has Child Node,子ノードを持って
+Has Serial No,価格表{0}無効になっています
+Head of Marketing and Sales,SMSの設定を更新してください
+Header,配偶者の有無
+Health Care,サポート解析
+Health Concerns,スコアが5以下である必要があります
+Health Details,{0} 'は通知電子メールアドレス」で無効なメールアドレスです
+Held On,アイテムTAX1
+Help HTML,マッチングツールの請求書への支払い
+"Help: To link to another record in the system, use ""#Form/Note/[Note Name]"" as the Link URL. (don't use ""http://"")",有効なモバイルNOSを入力してください
+"Here you can maintain family details like name and occupation of parent, spouse and children",シリアル化されたアイテムは、{0}株式調整を使用しての\ \ nを更新することはできません
+"Here you can maintain height, weight, allergies, medical concerns etc",費用勘定に対する
+Hide Currency Symbol,取り寄せ商品は、「はい」の場合は必須。また、予約済みの数量は受注から設定されたデフォルトの倉庫。
+High,高
+History In Company,チェックした場合、全NO。営業日·祝日を含みますが、これは給与一日あたりの値を小さくします
+Hold,インストール日は、アイテムの配信日より前にすることはできません{0}
+Holiday,休日
+Holiday List,{0}の前にエントリが凍結されている
+Holiday List Name,任意のプロジェクトに対してこの納品書を追跡
+Holiday master.,スパルタの
+Holidays,請求書の日付
+Home,所有者
+Host,所得税
+"Host, Email and Password required if emails are to be pulled",会計年度終了日
+Hour,鑑定の目標
+Hour Rate,評価する
+Hour Rate Labour,時間レート労働
+Hours,クリアランス日
+How Pricing Rule is applied?,部品表の操作
+How frequently?,どのくらいの頻度?
+"How should this currency be formatted? If not set, will use system defaults",シリアル番号を追加します。
+Human Resources,{0}に更新された状態
+Identification of the package for the delivery (for print),アイテムごとの価格表レート
+If Income or Expense,接触式
+If Monthly Budget Exceeded,毎月の予​​算を超えた場合
+"If Sale BOM is defined, the actual BOM of the Pack is displayed as table. Available in Delivery Note and Sales Order",販売BOMが定義されている場合は、パックの実際の部品表を表として表示されます。納品書や受注で利用可能
+"If Supplier Part Number exists for given Item, it gets stored here",設置時間
+If Yearly Budget Exceeded,年間予算は超過した場合
+"If checked, BOM for sub-assembly items will be considered for getting raw materials. Otherwise, all sub-assembly items will be treated as a raw material.",有効な企業メールアドレスを入力してください
+"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day",サブ用に「はい」を選択 - 項目を契約
+"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount",テンプレートをダウンロードして適切なデータを記入し、変更したファイルを添付してください。\ n全ての日付と、選択した期間中の従業員の組み合わせは、既存の出席記録と、テンプレートに来る
+If different than customer address,本籍地
+"If disable, 'Rounded Total' field will not be visible in any transaction",無効にすると、「丸い合計」欄は、すべてのトランザクションに表示されません
+"If enabled, the system will post accounting entries for inventory automatically.",サプライヤーが提起した請求書。
+If more than one package of the same type (for print),薬剤
+"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.",画像を見る
+"If no change in either Quantity or Valuation Rate, leave the cell blank.",地域名
+If not applicable please enter: NA,行番号{0}:順序付き数量(品目マスタで定義された)項目の最小発注数量を下回ることはできません。
+"If not checked, the list will have to be added to each Department where it has to be applied.",親カスタマー·グループ
+"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.",今回はログ一括請求されています。
+"If specified, send the newsletter using this email address",指定された場合は、このメールアドレスを使用してニュースレターを送信
+"If the account is frozen, entries are allowed to restricted users.",親テリトリー
+"If this Account represents a Customer, Supplier or Employee, set it here.",リレーション
+"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.",REF SQ
+If you follow Quality Inspection. Enables Item QA Required and QA No in Purchase Receipt,葉は0.5の倍数で割り当てられなければならない
+If you have Sales Team and Sale Partners (Channel Partners)  they can be tagged and maintain their contribution in the sales activity,あなたは営業チームと販売パートナー(チャネルパートナー)がある場合、それらはタグ付けされ、営業活動での貢献度を維持することができます
+"If you have created a standard template in Purchase Taxes and Charges Master, select one and click on the button below.",ご購入の税金、料金マスタの標準テンプレートを作成した場合は、いずれかを選択し、下のボタンをクリックしてください。
+"If you have created a standard template in Sales Taxes and Charges Master, select one and click on the button below.",あなたがセールス税金、料金マスタの標準テンプレートを作成した場合は、いずれかを選択し、下のボタンをクリックしてください。
+"If you have long print formats, this feature can be used to split the page to be printed on multiple pages with all headers and footers on each page",あなたは、長いプリント·フォーマットを使用している場合、この機能は、各ページのすべてのヘッダーとフッターに複数のページに印刷されるページを分割するために使用することができます
+If you involve in manufacturing activity. Enables Item 'Is Manufactured',アイテムは、{0}システムに存在しないか、有効期限が切れています
+Ignore,会社の電子メール
+Ignore Pricing Rule,価格設定ルールを無視
+Ignored: ,
+Image,休暇タイプ{0}のための十分な休暇残高はありません
+Image View,販売注文番号
+Implementation Partner,郵便経費
+Import Attendance,マスターネーム
+Import Failed!,インポートが失敗しました!
+Import Log,新しいサポートチケット
+Import Successful!,サプライヤータイプ/サプライヤー
+Imports,配達時間
+In Hours,時間内
+In Process,承認者
+In Qty,顧客通貨が顧客の基本通貨に換算される速度
+In Value,[値
+In Words,デフォルトの地域
+In Words (Company Currency),ストックアイテム{0}に必要な倉庫
+In Words (Export) will be visible once you save the Delivery Note.,アイテム{0}シリアル番号と{1}はすでにインストールされています
+In Words will be visible once you save the Delivery Note.,メールボックスの例:「jobs@example.com」から求職者を抽出するための設定
+In Words will be visible once you save the Purchase Invoice.,消費者製品
+In Words will be visible once you save the Purchase Order.,予算を設定するための季節。
+In Words will be visible once you save the Purchase Receipt.,いいえサプライヤーアカウント見つかりませんでした。サプライヤーアカウントはアカウント·レコードに「マスタータイプ」の値に基づいて識別されます。
+In Words will be visible once you save the Quotation.,下請けされる
+In Words will be visible once you save the Sales Invoice.,数量を注文:数量は、購入のために注文したが、受け取っていない。
+In Words will be visible once you save the Sales Order.,アカウント
+Incentives,アイテムを取得
+Include Reconciled Entries,総功績
+Include holidays in Total no. of Working Days,なし合計で休日を含めます。営業日
+Income,割引を購入
+Income / Expense,収益/費用
+Income Account,負けた理由
+Income Booked,部品表を許容
+Income Tax,保証/ AMCステータス
+Income Year to Date,大型トラックがあなたの倉庫から開始された日
+Income booked for the digest period,ダイジェスト期間の予約の収入
+Incoming,NOS
+Incoming Rate,アイテム価格
+Incoming quality inspection.,本当に製造指図を栓を抜くようにしたいです。
+Incorrect or Inactive BOM {0} for Item {1} at row {2},総費用
+Indicates that the package is a part of this delivery (Only Draft),口座残高がすでにクレジットで、あなたが設定することはできません」デビット」としてのバランスをマスト '
+Indirect Expenses,請求時に更新されます。
+Indirect Income,ブログ購読者
+Individual,ウェブサイトの説明
+Industry,サプライヤの請求書はありません
+Industry Type,受注が行われたとして失わように設定することはできません。
+Inspected By,特定のトランザクションに価格設定ルールを適用しないように、適用されるすべての価格設定ルールを無効にする必要があります。
+Inspection Criteria,家族の背景
+Inspection Required,割り当て
+Inspection Type,作成しない製造指図しない
+Installation Date,設置日
+Installation Note,インストール上の注意
+Installation Note Item,インストール注項目
+Installation Note {0} has already been submitted,納品書
+Installation Status,インストールの状態
+Installation Time,バーコード{0}に項目なし
+Installation date cannot be before delivery date for Item {0},ページ名
+Installation record for a Serial No.,在庫水準
+Installed Qty,あなたの取引に一連の番号の接頭辞を設定する
+Instructions,銀行
+Integrate incoming support emails to Support Ticket,チケットをサポートするため、着信のサポートメールを統合する
+Interested,過配達/過課金のための引当金は、アイテム{0}のために渡った。
+Intern,"サブの通貨。例えば、 ""のためのセント """
+Internal,内部
+Internet Publishing,他
+Introduction,雇用の詳細
+Invalid Barcode or Serial No,クレジット日数
+Invalid Mail Server. Please rectify and try again.,無効なメールサーバ。修正してから、もう一度やり直してください。
+Invalid Master Name,締切日
+Invalid User Name or Support Password. Please rectify and try again.,テンプレートのダウンロード
+Invalid quantity specified for item {0}. Quantity should be greater than 0.,有価証券及び預金
+Inventory,銀行のA / C番号
+Inventory & Support,予算
+Investment Banking,投資銀行事業
+Investments,デフォルトの現金勘定
+Invoice Date,売上請求書{0}はすでに送信されました
+Invoice Details,請求書の詳細
+Invoice No,間接経費
+Invoice Period From Date,請求書を定期的に指定されていない「通知の電子メールアドレス '
+Invoice Period From and Invoice Period To dates mandatory for recurring invoice,のために要求
+Invoice Period To Date,次の接触によって
+Invoiced Amount (Exculsive Tax),請求された金額(Exculsive税)
+Is Active,すべてのお問い合わせ
+Is Advance,現金/銀行口座
+Is Cancelled,電子メールを抽出します
+Is Carry Forward,このモードを選択した場合、デフォルトのバンク/キャッシュ·アカウントが自動的にPOS請求書で更新されます。
+Is Default,デフォルトは
+Is Encash,現金化は、
+Is Fixed Asset Item,梱包伝票項目
+Is LWP,LWPはある
+Is Opening,開口部である
+Is Opening Entry,エントリーを開いている
+Is POS,例:ABCD#####\ nもしシリーズが設定され、シリアル番号は、取引に記載されていないと、自動シリアル番号は、このシリーズをベースに作成されます。あなたは常に明示的にこの項目のシリアル番号を言及したいと思います。この空白のままにします。
+Is Primary Contact,販売チーム1
+Is Purchase Item,割当予算
+Is Sales Item,製造/詰め直す
+Is Service Item,名前
+Is Stock Item,既存の取引にコストセンターでは、グループに変換することはできません
+Is Sub Contracted Item,ベースオンを償却
+Is Subcontracted,のみ提出することができる「承認」ステータスを使用したアプリケーションのままに
+Is this Tax included in Basic Rate?,ウェブサイトのページリンク
+Issue,材料の要求{0}キャンセルまたは停止されている
+Issue Date,認証日
+Issue Details,親パーティーの種類
+Issued Items Against Production Order,製造指図に対して発行されたアイテム
+It can also be used to create opening stock entries and to fix stock value.,また、期首在庫のエントリを作成するために、株式価値を固定するために使用することができます。
+Item,休日のリスト
+Item Advanced,アイテム詳細設定
+Item Barcode,に基づく
+Item Batch Nos,あなたのウェブサイトに表示する場合は、これをチェックする
+Item Code,お客様のアカウント(元帳)を作成しないでください。これらは、顧客/仕入先マスターから直接作成されます。
+Item Code > Item Group > Brand,勘定書を出さアマウント
+Item Code and Warehouse should already exist.,商品コードと倉庫はすでに存在している必要があります。
+Item Code cannot be changed for Serial No.,品目マスター。
+Item Code is mandatory because Item is not automatically numbered,アカウントは{0}グループにすることはできません
+Item Code required at Row No {0},配送
+Item Customer Detail,合計額(会社通貨)
+Item Description,インストール済み数量
+Item Desription,該当する休日リスト
+Item Details,数量
+Item Group,項目グループ
+Item Group Name,エラー:{0}> {1}
+Item Group Tree,会社マスタに売掛金/買掛金グループを入力してください
+Item Group not mentioned in item master for item {0},項目の項目マスタに記載されていない項目グループ{0}
+Item Groups in Details,ラベル
+Item Image (if not slideshow),休日
+Item Name,項目名
+Item Naming By,項目指定することで
+Item Price,商品の価格
+Item Prices,売り込み電話
+Item Quality Inspection Parameter,項目品質検査パラメータ
+Item Reorder,アイテムの並べ替え
+Item Serial No,最小発注数量
+Item Serial Nos,rootアカウントを削除することはできません
+Item Shortage Report,基本情報
+Item Supplier,航空宇宙
+Item Supplier Details,ツリー型
+Item Tax,あなたは冷凍値を設定する権限がありません
+Item Tax Amount,雇用の種類(永続的、契約、インターンなど)。
+Item Tax Rate,販売の機能のポイントを有効にするには
+Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,はい
+Item Tax1,アイテム:{0}システムには見られない
+Item To Manufacture,SMSの設定
+Item UOM,アイテムUOM
+Item Website Specification,ユニット
+Item Website Specifications,オープニング値
+Item Wise Tax Detail,通知制御
+Item Wise Tax Detail ,
+Item is required,倉庫には{0}に属していない会社{1}
+Item is updated,メンテナンス時間
+Item master.,シリアル番号を取得するために 'を生成スケジュール」をクリックしてくださいアイテム{0}のために追加
+"Item must be a purchase item, as it is present in one or many Active BOMs",支払いエントリを作成します
+Item or Warehouse for row {0} does not match Material Request,次のユーザーがブロック日間休暇アプリケーションを承認することができます。
+Item table can not be blank,ユーザー
+Item to be manufactured or repacked,あら
+Item valuation updated,新しい売上請求書を作成するために「納品書を確認」ボタンをクリックしてください。
+Item will be saved by this name in the data base.,現金化金額を残す
+Item {0} appears multiple times in Price List {1},アイテムは、{0}価格表{1}で複数回表示されます
+Item {0} does not exist,アイテム{0}は存在しません
+Item {0} does not exist in the system or has expired,購入時の領収書を作る
+Item {0} does not exist in {1} {2},参考値。
+Item {0} has already been returned,Newsletter:ニュースレター
+Item {0} has been entered multiple times against same operation,アイテム{0}に対して同様の操作を複数回入力されている
+Item {0} has been entered multiple times with same description or date,タスク
+Item {0} has been entered multiple times with same description or date or warehouse,アイテム{0}同じ説明または日付や倉庫で複数回入力されました
+Item {0} has been entered twice,受注から
+Item {0} has reached its end of life on {1},アイテムは、{0} {1}に耐用年数の終わりに達しました
+Item {0} ignored since it is not a stock item,それは、株式項目ではないので、項目{0}は無視
+Item {0} is cancelled,ダイジェスト期間の予約費用
+Item {0} is not Purchase Item,RGT
+Item {0} is not a serialized Item,静的パラメータ
+Item {0} is not a stock Item,給与コンポーネント。
+Item {0} is not active or end of life has been reached,エラーが発生しました。
+Item {0} is not setup for Serial Nos. Check Item master,市区町村
+Item {0} is not setup for Serial Nos. Column must be blank,データ型
+Item {0} must be Sales Item,顧客獲得とロイヤルティ
+Item {0} must be Sales or Service Item in {1},アイテム{0}回入力されました
+Item {0} must be Service Item,アイテムは、{0}サービスアイテムである必要があります
+Item {0} must be a Purchase Item,%配信
+Item {0} must be a Sales Item,担当者名
+Item {0} must be a Service Item.,オーバーヘッド
+Item {0} must be a Sub-contracted Item,パッキングスリップ(S)をキャンセル
+Item {0} must be a stock Item,すべての製品またはサービスを提供しています。
+Item {0} must be manufactured or sub-contracted,会社マスターにデフォルトの通貨を入力してください
+Item {0} not found,再注文レベル
+Item {0} with Serial No {1} is already installed,リフレッシュ
+Item {0} with same description entered twice,シリアル番号に対する顧客の問題
+"Item, Warranty, AMC (Annual Maintenance Contract) details will be automatically fetched when Serial Number is selected.",ニュースレターは、トライアルユーザは許可されていません
+Item-wise Price List Rate,株主のファンド
+Item-wise Purchase History,出荷伝票タイプ
+Item-wise Purchase Register,今月が見つかりませ給与伝票ん。
+Item-wise Sales History,サポートメール設定
+Item-wise Sales Register,コメント
+"Item: {0} managed batch-wise, can not be reconciled using \
+					Stock Reconciliation, instead use Stock Entry",アイテム:{0}はバッチ式で管理され、\ \ N株式調整を使用して一致させることができません、代わりに株式のエントリを使用
+Item: {0} not found in the system,Dropboxのアクセスを許可
+Items,承認役割
+Items To Be Requested,要求する項目
+Items required,ブランド
+"Items to be requested which are ""Out of Stock"" considering all warehouses based on projected qty and minimum order qty",仕様
+Items which do not exist in Item master can also be entered on customer's request,新しい販売注文
+Itemwise Discount,製造指図{0}に提出しなければならない
+Itemwise Recommended Reorder Level,緊急連絡
+Job Applicant,請求書を定期的に必須の日付へと請求期間からの請求書の期間
+Job Opening,収益&控除
+Job Profile,受注は{0}を停止する
+Job Title,職業名
+"Job profile, qualifications required etc.",SO保留数量
+Jobs Email Settings,ジョブズのメール設定
+Journal Entries,鉛を
+Journal Entry,すべての支店のために考慮した場合は空白のままにし
+Journal Voucher,コントラバウチャー
+Journal Voucher Detail,開始残高として考え
+Journal Voucher Detail No,拒否された倉庫
+Journal Voucher {0} does not have account {1} or already matched,フィードタイプ
+Journal Vouchers {0} are un-linked,ジャーナルバウチャー{0}アンリンクされている
+Keep a track of communication related to this enquiry which will help for future reference.,今後の参考のために役立つ、この問い合わせに関連する通信を追跡する。
+Keep it web friendly 900px (w) by 100px (h),開始残高として考え
+Key Performance Area,アイテムは、{0}下請け項目でなければなりません
+Key Responsibility Area,重要な責務エリア
+Kg,上記の転記日付·時刻に、ソース/ターゲット·ウェアハウスでの評価率と利用可能な株式を取得します。アイテムをシリアル化した場合は、シリアル番号を入力した後、このボタンを押してください。
+LR Date,スケジュールの詳細
+LR No,サポート電子メールIDのセットアップ受信サーバ。 (例えばsupport@example.com)
+Label,量はアイテムのために存在する倉庫{0}を削除することはできません{1}
+Landed Cost Item,上陸したコスト項目
+Landed Cost Items,コストアイテムを上陸させた
+Landed Cost Purchase Receipt,コスト購入時の領収書を上陸させた
+Landed Cost Purchase Receipts,コスト購入レシートを上陸させた
+Landed Cost Wizard,株式UOM
+Landed Cost updated successfully,コストが正常に更新上陸
+Language,倉庫(パーペチュアルインベントリー)のアカウントは、このアカウントの下に作成されます。
+Last Name,総委員会
+Last Purchase Rate,最後の購入料金
+Latest,検証
+Lead,受注動向
+Lead Details,毎日のタイムログの概要
+Lead Id,サプライヤー見積から
+Lead Name,国ごとのデフォルトのアドレス·テンプレート
+Lead Owner,日付
+Lead Source,ストック設定
+Lead Status,従業員{0}ア​​クティブでないか、存在しません
+Lead Time Date,支払方法
+Lead Time Days,リードタイム日数
+Lead Time days is number of days by which this item is expected in your warehouse. This days is fetched in Material Request when you select this item.,滞納額
+Lead Type,REFコード
+Lead must be set if Opportunity is made from Lead,親セールスパーソン
+Leave Allocation,経費請求を承認
+Leave Allocation Tool,アイテムの詳細を入力してください
+Leave Application,出願人名
+Leave Approver,売上請求書はありません
+Leave Approvers,コストセンターを償却
+Leave Balance Before Application,研究者
+Leave Block List,あなたの会計年度は、から始まり
+Leave Block List Allow,許可ブロック·リストを残す
+Leave Block List Allowed,セットアップ ウィザード
+Leave Block List Date,アカウントの種類が倉庫であれば、マスター名は必須です。
+Leave Block List Dates,禁止一覧日付を指定しない
+Leave Block List Name,顧客の住所と異なる場合
+Leave Blocked,測定単位は、{0}は複数の変換係数表で複数回に入ってきた
+Leave Control Panel,[コントロールパネル]を残す
+Leave Encashed?,貨物および転送料金
+Leave Encashment Amount,税金やその他の給与の控除。
+Leave Type,から有効
+Leave Type Name,財務分析
+Leave Without Pay,キャンペーンの命名により、
+Leave application has been approved.,栓を抜く素材リクエスト
+Leave application has been rejected.,顧客から
+Leave approver must be one of {0},修正された金額
+Leave blank if considered for all branches,引用{0}キャンセルされる
+Leave blank if considered for all departments,計画数量
+Leave blank if considered for all designations,"例えば ​​""MC」"
+Leave blank if considered for all employee types,経費伝票の詳細を追加してください
+"Leave can be approved by users with Role, ""Leave Approver""",あなたが会計のエントリーを開始する前に、セットアップアカウントのグラフをしてください
+Leave of type {0} cannot be longer than {1},シリーズは必須です
+Leaves Allocated Successfully for {0},自分の国を選択して、タイムゾーン、通貨をご確認ください。
+Leaves for type {0} already allocated for Employee {1} for Fiscal Year {0},顧客フィードバック
+Leaves must be allocated in multiples of 0.5,確定日
+Ledger,元帳
+Ledgers,注:項目{0}複数回入力
+Left,人事の設定
+Legal,項目が更新されます
+Legal Expenses,訴訟費用
+Letter Head,利用規約を取得
+Letter Heads for print templates.,クリアランス日付は行のチェック日付より前にすることはできません{0}
+Level,材料商品のリクエスト
+Lft,完成品アイテムのBOM番号
+Liability,承認者を残す
+List a few of your customers. They could be organizations or individuals.,値に基づいて取引を制限するルールを作成します。
+List a few of your suppliers. They could be organizations or individuals.,ブロックリスト日付を残す
+List items that form the package.,キャンペーン
+List this Item in multiple groups on the website.,アイテムに予定数量を入力してください{0}行{1}
+"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 your tax heads (e.g. VAT, Excise; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.",スコア(0-5)
+Loading...,このロールを持つユーザーは、凍結された日付より前に変更/会計のエントリを作成するために許可されている
+Loans (Liabilities),コストセンターを入力してください
+Loans and Advances (Assets),送付状
+Local,ローカル
+Login,ログイン
+Login with your new User ID,新しいユーザーIDでログイン
+Logo,会社の設定
+Logo and Letter Heads,ロゴとレターヘッド
+Lost,失われた
+Lost Reason,ビル日
+Low,低
+Lower Income,プロジェクト
+MTN Details,MTNの詳細
+Main,受注に必要な購入
+Main Reports,配車日
+Maintain Same Rate Throughout Sales Cycle,ローン(負債)
+Maintain same rate throughout purchase cycle,購入サイクル全体で同じ速度を維持
+Maintenance,追加メニュー
+Maintenance Date,価格表を選択しない
+Maintenance Details,通貨名
+Maintenance Schedule,年度選択...
+Maintenance Schedule Detail,課金状況
+Maintenance Schedule Item,負の量は許可されていません
+Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',価格設定ルールは最初の項目、項目グループやブランドできるフィールドが 'on適用」に基づいて選択される。
+Maintenance Schedule {0} exists against {0},倉庫には在庫のみエントリー/納品書/購入時の領収書を介して変更することができます
+Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,受け入れ数量
+Maintenance Schedules,課金対象とされて届いた商品
+Maintenance Status,メンテナンスステータス
+Maintenance Time,請求書の日付に基づいて支払期間
+Maintenance Type,経費請求
+Maintenance Visit,保守のための訪問
+Maintenance Visit Purpose,LR日
+Maintenance Visit {0} must be cancelled before cancelling this Sales Order,メンテナンス訪問は{0}、この受注をキャンセルする前にキャンセルしなければならない
+Maintenance start date can not be before delivery date for Serial No {0},求職者は、メールでお知らせいたします電子メールIDなど「job​​s@example.com」
+Major/Optional Subjects,仕訳
+Make ,
+Make Accounting Entry For Every Stock Movement,DOC名
+Make Bank Voucher,販売アイテムです
+Make Credit Note,クレジットメモしておきます
+Make Debit Note,バウチャーの種類と日付
+Make Delivery,購入時の領収書アイテム付属
+Make Difference Entry,違いエントリを作成
+Make Excise Invoice,消費税​​請求書を作る
+Make Installation Note,アカウントが凍結されている場合、エントリが制限されたユーザーに許可されています。
+Make Invoice,デフォルトのアカウント
+Make Maint. Schedule,グループへの変換
+Make Maint. Visit,楽天市場を作る。訪問
+Make Maintenance Visit,緊急電話
+Make Packing Slip,梱包リストを確認
+Make Payment Entry,それが子ノードを持っているように元帳にコストセンターを変換することはできません
+Make Purchase Invoice,休日のマスター。
+Make Purchase Order,コストセンター
+Make Purchase Receipt,パートタイム
+Make Salary Slip,注文書番号
+Make Salary Structure,給与体系を作る
+Make Sales Invoice,「はい」を選択すると、この商品は発注、購入時の領収書に表示することができます。
+Make Sales Order,総重量
+Make Supplier Quotation,固定資産
+Male,アイテム税率
+Manage Customer Group Tree.,クローズ
+Manage Sales Partners.,半年ごとの
+Manage Sales Person Tree.,新素材のリクエスト
+Manage Territory Tree.,日付を緩和
+Manage cost of operations,これまでに日からの前にすることはできません
+Management,csvファイルを選択してください
+Manager,小切手番号
+"Mandatory if Stock Item is ""Yes"". Also the default warehouse where reserved quantity is set from Sales Order.",ブロック日付
+Manufacture against Sales Order,会社のために
+Manufacture/Repack,納品書の動向
+Manufactured Qty,利用不可
+Manufactured quantity will be updated in this warehouse,現在、アカウントはありませんでした。
+Manufactured quantity {0} cannot be greater than planned quanitity {1} in Production Order {2},"""が存在しません"
+Manufacturer,(例:付加価値税、消費税、彼らはユニークな名前が必要です)あなたの税金の頭をリストし、それらの標準的な料金を。これは、編集して、より後で追加することができ、標準的なテンプレートを作成します。
+Manufacturer Part Number,あなたは、この株式調整を提出することができます。
+Manufacturing,製造 / 生産
+Manufacturing Quantity,現在まで
+Manufacturing Quantity is mandatory,税および充満を購入
+Margin,BOM置き換え
+Marital Status,健康の詳細
+Market Segment,市場区分
+Marketing,カスタマイズ
+Marketing Expenses,(印刷用)の配信用のパッケージの同定
+Married,あなたが注文するには、このアイテムの最小量を入力することができます。
+Mass Mailing,ディストリビューション名
+Master Name,会社(ないお客様、またはサプライヤ)のマスター。
+Master Name is mandatory if account type is Warehouse,転送される要求されたアイテム
+Master Type,マスタタイプ
+Masters,タイムログを選択し、新しい売上請求書を作成し提出してください。
+Match non-linked Invoices and Payments.,そのため、この配送ルールが有効で、領土のリストを指定
+Material Issue,材料の要求事項
+Material Receipt,素材領収書
+Material Request,再注文購入
+Material Request Detail No,便利なオプション
+Material Request For Warehouse,アクティブでない
+Material Request Item,デフォルトの通貨
+Material Request Items,輸送
+Material Request No,あなたが保存する前に、一連の選択をユーザに強制したい場合は、これを確認してください。これをチェックするとデフォルトはありません。
+Material Request Type,通知をカスタマイズする
+Material Request of maximum {0} can be made for Item {1} against Sales Order {2},学歴の詳細
+Material Request used to make this Stock Entry,サプライヤータイプ
+Material Request {0} is cancelled or stopped,「実際の」型の電荷が行に{0}商品料金に含めることはできません
+Material Requests for which Supplier Quotations are not created,サプライヤーの名言が作成されていないための材料を要求
+Material Requests {0} created,アカウント名
+Material Requirement,更新費用
+Material Transfer,物質移動
+Materials,マテリアル
+Materials Required (Exploded),お問い合わせ
+Max 5 characters,製品リストの一番上に表示されるHTML /バナー。
+Max Days Leave Allowed,あなたは、会社のマスターにデフォルト銀行口座を設定することができます
+Max Discount (%),新しいコストセンター
+Max Qty,最大数量
+Max discount allowed for item: {0} is {1}%,価値評価のための「前の行トータルの 'または'前の行量オン」などの電荷の種類を選択することはできません。あなたが前の行量や前の行の合計のための唯一の「合計」オプションを選択することができます
+Maximum allowed credit is {0} days after posting date,最大許容クレジットは、日付を掲示した後に{0}日です
+Maximum {0} rows allowed,パートナーの種類
+Maxiumm discount for Item {0} is {1}%,税金
+Medical,メディカル
+Medium,年間休館
+"Merging is only possible if following properties are same in both records. Group or Ledger, Root Type, Company",次のプロパティは、両方のレコードに同じであれば、マージのみ可能です。グループや元帳、ルートタイプ、会社
+Message,メッセージ
+Message Parameter,別の給与体系は、{0}の従業員のためにアクティブになっている{​​0}。その状態「非アクティブ」は続行してください。
+Message Sent,流動資産
+Message updated,最初のドキュメントの種類を選択してください
+Messages,バランス数量
+Messages greater than 160 characters will be split into multiple messages,政府
+Middle Income,中所得
+Milestone,運営費
+Milestone Date,アイテム不足通知
+Milestones,発言
+Milestones will be added as Events in the Calendar,マスタタイプまたはアカウントタイプが選択されているため、グループにひそかすることはできません。
+Min Order Qty,160文字を超えるメッセージは複数のメッセージに分割されます
+Min Qty,最小数量
+Min Qty can not be greater than Max Qty,印刷テンプレートのタイトルは、プロフォーマインボイスを例えば。
+Minimum Order Qty,重さUOM
+Minute,分
+Misc Details,製造数量は必須です
+Miscellaneous Expenses,ユーザ名
+Miscelleneous,セールス受注を選択
+Mobile No,モバイルノー
+Mobile No.,操作、運転コストを指定しないと、あなたの業務に固有のオペレーション·ノーを与える。
+Mode of Payment,タイプ「銀行」の口座の残高または「現金」
+Modern,% 完了
+Modified Amount,収益タイプ
+Monday,手数料率(%)
+Month,オートレイズの素材要求量が倉庫にリオーダーレベル以下になった場合
+Monthly,新入荷UOMは現在の在庫とは異なる必要がありUOM
+Monthly Attendance Sheet,注:システムは、アイテムの配信や過予約チェックしません{0}数量または量が0であるように
+Monthly Earning & Deduction,既存の株式取引はこの項目のために存在するので、あなたは 'はシリアル番号」の値を変更することはできませんし、「評価方法」「ストックアイテムです'
+Monthly Salary Register,この受注に対して請求される材料の%
+Monthly salary statement.,毎月の給与計算書。
+More Details,ツールの名前を変更
+More Info,製造された量は、この倉庫に更新されます
+Motion Picture & Video,拒否されたシリアル番号
+Moving Average,移動平均
+Moving Average Rate,製造業
+Mr,ミリ秒
+Ms,銘打た%金額
+Multiple Item prices.,給与計算の設定
+"Multiple Price Rule exists with same criteria, please resolve \
+			conflict by assigning priority. Price Rules: {0}",複数の価格ルールは同じ基準で存在し、優先順位を割り当てることでの\ \ nの競合を解決してください。価格ルール:{0}
+Music,音楽
+Must be Whole Number,これは、HRモジュールでルールを設定するために使用される
+Name,注:休暇タイプのための十分な休暇残高はありません{0}
+Name and Description,毎年恒例の
+Name and Employee ID,名前と従業員ID
+"Name of new Account. Note: Please don't create accounts for Customers and Suppliers, they are created automatically from the Customer and Supplier master",収益勘定
+Name of person or organization that this address belongs to.,参加日
+Name of the Budget Distribution,予算配分の名前
+Naming Series,シリーズの命名
+Negative Quantity is not allowed,評価
+Negative Stock Error ({6}) for Item {0} in Warehouse {1} on {2} {3} in {4} {5},プロジェクトマネージャ
+Negative Valuation Rate is not allowed,基本
+Negative balance in Batch {0} for Item {1} at Warehouse {2} on {3} {4},最小個数は最大個数を超えることはできません
+Net Pay,アカウント{0}は存在しません
+Net Pay (in words) will be visible once you save the Salary Slip.,あなたは給与伝票を保存すると(つまり)純ペイ·表示されます。
+Net Total,新入荷のエントリー
+Net Total (Company Currency),化粧品
+Net Weight,税区分は、すべての項目として「評価」や「評価と合計 'にすることはできません非在庫項目です
+Net Weight UOM,現金
+Net Weight of each Item,各項目の正味重量
+Net pay cannot be negative,自動的にメールボックスから求職者を抽出し、
+Never,使用しない
+New ,
+New Account,新しいアカウント
+New Account Name,適切なグループファンド>流動負債>税金や関税の(通常はソースに移動して、子の追加をクリックして、新しいアカウント元帳を(作成)タイプ「税」の税率に言及しております。
+New BOM,続行する会社を指定してください
+New Communications,親項目グループ
+New Company,新会社
+New Cost Center,{0} {1}の行のための有効な行番号を指定してください
+New Cost Center Name,LFT
+New Delivery Notes,顧客コード
+New Enquiries,バウチャーによるグループ
+New Leads,新規リード
+New Leave Application,子ノードを持つアカウントは、元帳に変換することはできません
+New Leaves Allocated,ジャーナルバウチャー詳細
+New Leaves Allocated (In Days),購入時の領収書{0}送信されません
+New Material Requests,価格表のレート(会社通貨)
+New Projects,購入する
+New Purchase Orders,品目マスタに存在しない項目は、顧客の要望に応じて入力することができます
+New Purchase Receipts,デフォルトの費用勘定
+New Quotations,スライドショー
+New Sales Orders,販売表示のポイントを有効にするには
+New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,新しいシリアル番号は、倉庫を持つことができません。倉庫在庫入力や購入時の領収書で設定する必要があります
+New Stock Entries,契約したアイテム - サブを製造するための供給者に発行され、必要な原材料。
+New Stock UOM,進歩である
+New Stock UOM is required,タイムログ
+New Stock UOM must be different from current stock UOM,納品書を作る
+New Supplier Quotations,株式のエントリーはすでに製造指図のために作成
+New Support Tickets,負債
+New UOM must NOT be of type Whole Number,数量のため{0}より小さくなければなりません{1}
+New Workplace,税金、料金の合計
+Newsletter,ブロックリスト名を残す
+Newsletter Content,パートナーのウェブサイト
+Newsletter Status,アイテム{0}同じ説明で二回入力した
+Newsletter has already been sent,ニュースレターは、すでに送信されました
+Newsletters is not allowed for Trial users,セールス
+"Newsletters to contacts, leads.",家賃コスト
+Newspaper Publishers,あなたの写真を添付し
+Next,次
+Next Contact By,ブロックリストを残す
+Next Contact Date,次連絡日
+Next Date,次の日
+Next email will be sent on:,合計スコアを計算
+No,いいえ
+No Customer Accounts found.,バッチ終了日
+No Customer or Supplier Accounts found,バッチID
+No Expense Approvers. Please assign 'Expense Approver' Role to atleast one user,非連動請求書や支払いにマッチ。
+No Item with Barcode {0},価格表為替レート
+No Item with Serial No {0},アカウント残高
+No Items to pack,{0}にGoogleドライブのアクセスキーを設定してください
+No Leave Approvers. Please assign 'Leave Approver' Role to atleast one user,無給休暇
+No Permission,セット
+No Production Orders created,プロジェクト&システム
+No Supplier Accounts found. Supplier Accounts are identified based on 'Master Type' value in account record.,ここでは、身長、体重、アレルギー、医療問題などを維持することができます
+No accounting entries for the following warehouses,行{0}:{1}の周期は、\ \ nからと日付の間の差がより大きいか等しくなければなりません設定するには、{2}
+No addresses created,お支払い方法の種類
+No contacts created,例えば。 smsgateway.com / API / send_sms.cgi
+No default Address Template found. Please create a new one from Setup > Printing and Branding > Address Template.,会社情報
+No default BOM exists for Item {0},デフォルトのBOMが存在しないアイテムのため{0}
+No description given,与えられた説明がありません
+No employee found,詳細に項目グループ
+No employee found!,前の行の量に
+No of Requested SMS,[設定]> [ナンバリングシリーズによる出席をお願い致しセットアップ採番シリーズ
+No of Sent SMS,アイテムのMaxiumm割引は{0} {1}%です
+No of Visits,Weightage
+No permission,営業チーム
+No record found,項目ごとに異なる​​UOMが間違って(合計)正味重量値につながる。各項目の正味重量が同じUOMになっていることを確認してください。
+No salary slip found for month: ,
+Non Profit,自動車
+Nos,ご利用条件の詳細
+Not Active,銘打たれない
+Not Applicable,毎月のご獲得&控除
+Not Available,保守計画
+Not Billed,ERPNextセットアップ
+Not Delivered,一般管理費
+Not Set,銀行バウチャーを作る
+Not allowed to update entries older than {0},クレジットカード
+Not authorized to edit frozen Account {0},[適用
+Not authroized since {0} exceeds limits,Webサイト設定
+Not permitted,生産のための
+Note,商品コードを選択してください。
+Note User,メンテナンス日
+"Note: Backups and files are not deleted from Dropbox, you will have to delete them manually.",総原料コスト
+"Note: Backups and files are not deleted from Google Drive, you will have to delete them manually.",直接経費
+Note: Due Date exceeds the allowed credit days by {0} day(s),割引フィールドが発注、購入時の領収書、請求書購入に利用できるようになります
+Note: Email will not be sent to disabled users,注意:電子メールは無効になってユーザーに送信されることはありません
+Note: Item {0} entered multiple times,非製造されたアイテムのために許可されていない部品表番号は{0}行{1}
+Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,注:「現金または銀行口座 'が指定されていないため、お支払いエントリが作成されません
+Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,ターゲット上の
+Note: There is not enough leave balance for Leave Type {0},[SELECT]
+Note: This Cost Center is a Group. Cannot make accounting entries against groups.,注:この原価センタグループです。グループに対する会計上のエントリを作成することはできません。
+Note: {0},ここでは、親、配偶者や子供の名前と職業のような家族の詳細を維持することができる
+Notes,出荷ルールラベル
+Notes:,為替レートのマスター。
+Nothing to request,サプライヤーマスター。
+Notice (days),有効
+Notification Control,新しい発注書
+Notification Email Address,これはERPNextから自動生成されたサンプル·サイトです
+Notify by Email on creation of automatic Material Request,従業員の出席は{0}はすでにマークされている
+Number Format,数の書式
+Offer Date,コストセンター名
+Office,FCFSレート
+Office Equipments,「在庫切れ」で要求される項目は、投影された個数と最小注文数量に基づいてすべての倉庫を考慮
+Office Maintenance Expenses,項目ごとの購入履歴
+Office Rent,新しい職場
+Old Parent,項目は{0}に製造されなければならないか、下請
+On Net Total,納品書{0}は、この受注をキャンセルする前にキャンセルしなければならない
+On Previous Row Amount,シリアルNO {0}量{1}の割合にすることはできません
+On Previous Row Total,確認コードを入力してください
+Online Auctions,最新の在庫状況とのすべての原料を含むレポートをダウンロード
+Only Leave Applications with status 'Approved' can be submitted,従業外部仕事の歴史
+"Only Serial Nos with status ""Available"" can be delivered.",標準レポート
+Only leaf nodes are allowed in transaction,営業税および充満
+Only the selected Leave Approver can submit this Leave Application,倉庫の詳細
+Open,最初に奏効
+Open Production Orders,オープン製造指図
+Open Tickets,このシステムを設定しているために、あなたの会社の名前。
+Opening (Cr),{0} '{1}'ではない年度中の{2}
+Opening (Dr),開口部(DR)
+Opening Date,ユーザー備考
+Opening Entry,梱包の詳細
+Opening Qty,経常請求書に変換
+Opening Time,経費請求が拒否されました。
+Opening Value,会社から
+Opening for a Job.,ウェブサイトでのショー
+Operating Cost,タイムアウト値
+Operation Description,顧客グループ/顧客
+Operation No,追加された税金、料金
+Operation Time (mins),メンテナンススケジュール
+Operation {0} is repeated in Operations Table,操作は{0}操作表で繰り返される
+Operation {0} not present in Operations Table,証券UOMに従って
+Operations,鑑定テンプレートタイトル
+Opportunity,チャンス
+Opportunity Date,鑑定ゴール
+Opportunity From,自動請求書が05、28などなど、生成される月の日付
+Opportunity Item,すべての定期的な請求書を追跡するための固有のID。これは、送信時に生成されます。
+Opportunity Items,計画数量:数量は、そのために、製造指図が提起されているが、製造することが保留されています。
+Opportunity Lost,機会損失
+Opportunity Type,機会の種類
+Optional. This setting will be used to filter in various transactions.,ストック調整
+Order Type,システムユーザー(ログイン)IDを指定します。設定すると、すべてのHRフォームのデフォルトになります。
+Order Type must be one of {0},デフォルトの単位
+Ordered,レビュー待ち
+Ordered Items To Be Billed,課金対象とされて注文した商品
+Ordered Items To Be Delivered,部品表再帰:{0} {2}の親または子にすることはできません
+Ordered Qty,例えば。小切手番号
+"Ordered Qty: Quantity ordered for purchase, but not received.",製造指図のステータスは{0}
+Ordered Quantity,注文数量
+Orders released for production.,換算係数は、画分にすることはできません
+Organization Name,組織名
+Organization Profile,購入時の領収書
+Organization branch master.,バウチャーはありませんが有効ではありません
+Organization unit (department) master.,項目群名
+Original Amount,に基づくエイジング
+Other,その他
+Other Details,株式残高
+Others,部品表の操作
+Out Qty,材料要件
+Out Value,完全に配信
+Out of AMC,チャリティーや寄付
+Out of Warranty,価格表には、売買に適用さでなければなりません
+Outgoing,行番号
+Outstanding Amount,現在の在庫UOM
+Outstanding for {0} cannot be less than zero ({1}),会社を指定してください
+Overhead,おわり
+Overheads,ターゲット·ウェアハウス
+Overlapping conditions found between:,アクティビティ
+Overview,デフォルトの単位の換算係数は、行の1でなければなりません{0}
+Owned,サプライヤの通貨は、会社の基本通貨に換算される速度
+Owner,予想される開始日
+PL or BS,電子メールIDは、カンマで区切られた。
+PO Date,大学院の下で
+PO No,オペレーション
+POP3 Mail Server,期間
+POP3 Mail Settings,POP3メール設定
+POP3 mail server (e.g. pop.gmail.com),許可された最大{0}行
+POP3 server e.g. (pop.gmail.com),注:
+POS Setting,デビットとこのバウチャーのための等しくないクレジット。違いは、{0}です。
+POS Setting required to make POS Entry,最初の項目を入力してください
+POS Setting {0} already created for user: {1} and company {2},{0}のために正常に割り当てられた葉
+POS View,POS見る
+PR Detail,訪問なし
+Package Item Details,給与構造
+Package Items,パッケージアイテム
+Package Weight Details,パッケージの重量の詳細
+Packed Item,「出産予定日」を入力してください
+Packed quantity must equal quantity for Item {0} in row {1},通貨、変換レート、輸入総輸入総計などのようなすべてのインポートに関連するフィールドは、購入時の領収書、サプライヤー見積、購入請求書、発注書などでご利用いただけます
+Packing Details,納品書の動向
+Packing List,パッキングリスト
+Packing Slip,保留
+Packing Slip Item,実際の数量
+Packing Slip Items,素材要求(MRP)と製造指図を生成します。
+Packing Slip(s) cancelled,プロジェクトのマイルストーン
+Page Break,{0} {1}ステータスが塞がです
+Page Name,ブログの投稿
+Paid Amount,パスポート番号
+Paid amount + Write Off Amount can not be greater than Grand Total,支払った金額+金額を償却総計を超えることはできません
+Pair,品質検査読書
+Parameter,パラメータ
+Parent Account,親勘定
+Parent Cost Center,親コストセンター
+Parent Customer Group,生産する
+Parent Detail docname,あなたが同時に同じアカウントをクレジットカードやデビットすることはできません
+Parent Item,親アイテム
+Parent Item Group,ユーザーがトランザクションに価格表レートを編集することができます
+Parent Item {0} must be not Stock Item and must be a Sales Item,原料を移す
+Parent Party Type,日付を緩和入力してください。
+Parent Sales Person,アイテム   説明
+Parent Territory,プロジェクトの価値
+Parent Website Page,値から行の値以下でなければなりません{0}
+Parent Website Route,保留中の金額
+Parent account can not be a ledger,親アカウントは元帳にすることはできません
+Parent account does not exist,セットアップ...
+Parenttype,サポートパスワード
+Part-time,納期
+Partially Completed,部分的に完了
+Partly Billed,ソースファイル
+Partly Delivered,世界のその他の地域
+Partner Target Detail,パートナーターゲットの詳細
+Partner Type,グループまたは元帳
+Partner's Website,顧客のベンダー
+Party,パーティー
+Party Type,アイテム{0}に必要な販売注文
+Party Type Name,小切手日
+Passive,デフォルトのソース·ウェアハウス
+Passport Number,{0} {1}を削除しますか?
+Password,目的
+Pay To / Recd From,役割を承認すると、ルールが適用されるロールと同じにすることはできません
+Payable,支払うべき
+Payables,キャンセル済み
+Payables Group,完全セットアップ
+Payment Days,Parenttype
+Payment Due Date,医薬品
+Payment Period Based On Invoice Date,保護観察
+Payment Type,販売エクストラ
+Payment of salary for the month {0} and year {1},月の給与の支払{0}年{1}
+Payment to Invoice Matching Tool,あなたは本当に栓を抜くようにしたいです
+Payment to Invoice Matching Tool Detail,プロジェクト名
+Payments,挨拶
+Payments Made,要求された数量:数量を注文購入のために要求されますが、ではない。
+Payments Received,就職口
+Payments made during the digest period,総認可額
+Payments received during the digest period,サプライヤー名
+Payroll Settings,バウチャーを償却
+Pending,"グリッド """
+Pending Amount,アイテムは、{0}購買アイテムでなければなりません
+Pending Items {0} updated,鉛のId
+Pending Review,フィード
+Pending SO Items For Purchase Request,購入の要求のために保留中のSOアイテム
+Pension Funds,年金基金
+Percent Complete,受注
+Percentage Allocation,SMSゲートウェイのURL
+Percentage Allocation should be equal to 100%,メール通知
+Percentage variation in quantity to be allowed while receiving or delivering this item.,メンテナンススケジュールの詳細
+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.,解像度(Resolution)
+Performance appraisal.,コミュニケーション
+Period,アクティブ:からのメールを抽出します
+Period Closing Voucher,顧客アカウントヘッド
+Periodicity,周期性
+Permanent Address,アイテムシリアル番号
+Permanent Address Is,割り当てられた新しい葉
+Permission,権限
+Personal,リファレンス#{0} {1}日付け
+Personal Details,個人情報
+Personal Email,"例えば ​​""私の会社LLC """
+Pharmaceutical,進捗率
+Pharmaceuticals,販売キャンペーン。
+Phone,電話
+Phone No,電話番号
+Piecework,秘書
+Pincode,全般設定
+Place of Issue,現住所
+Plan for maintenance visits.,ビジネス開発マネージャー
+Planned Qty,部品表の詳細はありません
+"Planned Qty: Quantity, for which, Production Order has been raised, but is pending to be manufactured.",電子メールIDは一意である必要があり、すでに{0}のために存在し
+Planned Quantity,自動的に取引の提出にメッセージを作成します。
+Planning,割り当てツールを残す
+Plant,送信されたメッセージ
+Plant and Machinery,プロジェクト]を選択します...
+Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,それは、すべてのアカウントヘッドに接尾辞として追加されるように適切に略語や短縮名を入力してください。
+Please Update SMS Settings,数量命じ
+Please add expense voucher details,タイムシートのための活動の種類
+Please check 'Is Advance' against Account {0} if this is an advance entry.,チェックしてください、これは事前エントリーの場合はアカウントに対して{0} '進歩である」。
+Please click on 'Generate Schedule',拒否された倉庫はregected項目に対して必須です
+Please click on 'Generate Schedule' to fetch Serial No added for Item {0},{0}は有効な休暇承認者ではありません。削除行#{1}。
+Please click on 'Generate Schedule' to get schedule,換算係数
+Please create Customer from Lead {0},リードから顧客を作成してください{0}
+Please create Salary Structure for employee {0},従業員の給与構造を作成してください{0}
+Please create new account from Chart of Accounts.,給与モード
+Please do NOT create Account (Ledgers) for Customers and Suppliers. They are created directly from the Customer / Supplier masters.,最初の会社名を入力してください
+Please enter 'Expected Delivery Date',製造された量は{0}製造指図{2}で計画quanitity {1}より大きくすることはできません
+Please enter 'Is Subcontracted' as Yes or No,{0} {1}は、すでに送信されました
+Please enter 'Repeat on Day of Month' field value,経費請求が承認されています。
+Please enter Account Receivable/Payable group in company master,発注から
+Please enter Approving Role or Approving User,引用文は、サプライヤーから受け取った。
+Please enter BOM for Item {0} at row {1},受け入れられまし
+Please enter Company,支払総額
+Please enter Cost Center,会計士
+Please enter Delivery Note No or Sales Invoice No to proceed,続行する納品書Noまたは納品書いいえ]を入力してください
+Please enter Employee Id of this sales parson,Incharge人の名前を選択してください
+Please enter Expense Account,配信されない
+Please enter Item Code to get batch no,品質
+Please enter Item Code.,CoAのヘルプ
+Please enter Item first,金額> =
+Please enter Maintaince Details first,火曜日
+Please enter Master Name once the account is created.,アイテム{0}のシリアル番号のチェック項目マスタの設定ではありません
+Please enter Planned Qty for Item {0} at row {1},免責事項
+Please enter Production Item first,時間
+Please enter Purchase Receipt No to proceed,給与体系の利益
+Please enter Reference date,マネジメント
+Please enter Warehouse for which Material Request will be raised,選択した価格設定ルールが「価格」のために作られている場合は、価格表が上書きされます。価格設定ルールの価格は最終的な価格なので、これ以上の割引が適用されるべきではない。そのため、受注、発注書などのような取引では、むしろ「価格表レート」フィールドよりも、「レート」フィールドにフェッチされる。
+Please enter Write Off Account,BOM爆発アイテム
+Please enter atleast 1 invoice in the table,読み込んでいます...
+Please enter company first,パーティのタイプ名
+Please enter company name first,によって作成された
+Please enter default Unit of Measure,デフォルトの単位を入力してください
+Please enter default currency in Company Master,「Customerwise割引」に必要な顧客
+Please enter email address,商品コードを入力してください。
+Please enter item details,活動記録
+Please enter message before sending,送信する前にメッセージを入力してください
+Please enter parent account group for warehouse account,注文書アイテム
+Please enter parent cost center,数量行の割合にすることはできません{0}
+Please enter quantity for Item {0},ガントチャート
+Please enter relieving date.,このストックエントリを作成するために使用される材料·リクエスト
+Please enter sales order in the above table,上記の表に受注伝票を入力してください
+Please enter valid Company Email,ロゴ
+Please enter valid Email Id,配信されるように注文した商品
+Please enter valid Personal Email,印刷見出し
+Please enter valid mobile nos,印刷テンプレートの手紙ヘッド。
+Please install dropbox python module,文書記述
+Please mention no of visits required,機会アイテム
+Please pull items from Delivery Note,サプライヤーに与えられた受注を購入します。
+Please save the Newsletter before sending,送信する前に、ニュースレターを保存してください
+Please save the document before generating maintenance schedule,交換
+Please select Account first,アカウントを償却入力してください
+Please select Bank Account,失敗しました:
+Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,インストレーションノートを作る
+Please select Category first,タイプに送る
+Please select Charge Type first,充電タイプを最初に選択してください
+Please select Fiscal Year,要求されたSMSなし
+Please select Group or Ledger value,{0}は有効な電子メールIDはありません
+Please select Incharge Person's name,再販業者
+"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Sales BOM",「ストックアイテムです」「いいえ」であり、「販売項目である「「はい」であり、他の販売BOMが存在しない項目を選択してください。
+Please select Price List,行番号{0}:
+Please select Start Date and End Date for Item {0},委員会
+Please select a csv file,製造作業が行われる場所。
+Please select a valid csv file with data,ロゴを添付
+Please select a value for {0} quotation_to {1},基準日
+"Please select an ""Image"" first",総合計(会社通貨)
+Please select charge type first,月の総労働日数
+Please select company first.,リードタイム日数こちらの商品は倉庫に予想されることで日数です。この項目を選択すると、この日は、素材要求でフェッチされます。
+Please select item code,UOM名前
+Please select month and year,(会社名)
+Please select prefix first,あなたはRECONCILE前に量を割り当てる必要があります
+Please select the document type first,最小注文数量
+Please select weekly off day,Eメールダイジェスト:
+Please select {0},投影数量
+Please select {0} first,AMCのうち
+Please set Dropbox access keys in your site config,テスト電子メールID
+Please set Google Drive access keys in {0},発注する要求されたアイテム
+Please set default Cash or Bank account in Mode of Payment {0},関税と税金
+Please set default value {0} in Company {0},デフォルト値を設定してください{0}会社での{0}
+Please set {0},必要な数量
+Please setup Employee Naming System in Human Resource > HR Settings,見積りから
+Please setup numbering series for Attendance via Setup > Numbering Series,子どもたちに許可します
+Please setup your chart of accounts before you start Accounting Entries,サプライヤーイントロ
+Please specify,記入してしてください。
+Please specify Company,平均手数料率
+Please specify Company to proceed,顧客の詳細
+Please specify Default Currency in Company Master and Global Defaults,会社マスタおよびグローバル既定でデフォルト通貨を指定してください
+Please specify a,問い合わせ元は、キャンペーンの場合はキャンペーンの名前を入力してください
+Please specify a valid 'From Case No.',注:バックアップとファイルは、Googleドライブから削除されていない、それらを手動で削除する必要があります。
+Please specify a valid Row ID for {0} in row {1},材料の要求はありません
+Please specify either Quantity or Valuation Rate or both,数量または評価レートのいずれか、または両方を指定してください
+Please submit to update Leave Balance.,チャネルパートナー
+Plot,和解データ
+Plot By,去るブロックされた
+Point of Sale,血液型
+Point-of-Sale Setting,キャパシティー·ユニット
+Post Graduate,仕訳
+Postal,メッセージパラメータ
+Postal Expenses,参照番号
+Posting Date,転記日付
+Posting Time,銀行和解の詳細
+Posting date and posting time is mandatory,転記日付と投稿時間は必須です
+Posting timestamp must be after {0},販売促進
+Potential opportunities for selling.,利用可能としてセットされた状態
+Preferred Billing Address,好適な請求先住所
+Preferred Shipping Address,ジョブの電子メールIDの設定受信メールサーバ。 (例えばjobs@example.com)
+Prefix,商品コード>アイテムグループ>ブランド
+Present,マイルストーン
+Prevdoc DocType,価格設定ルールヘルプ
+Prevdoc Doctype,購入の請求書項目
+Preview,実際の個数:倉庫内の利用可能な数量。
+Previous,価格表のレート
+Previous Work Experience,C-フォーム
+Price,実際の予算
+Price / Discount,機能
+Price List,価格リスト
+Price List Currency,"ヘルプ:システム内の別のレコードにリンクするには、「#フォーム/備考/ [名前をメモ]「リンクのURLとして使用します。 (「http:// ""を使用しないでください)"
+Price List Currency not selected,消耗品
+Price List Exchange Rate,割引額の後税額
+Price List Name,内訳
+Price List Rate,接触制御
+Price List Rate (Company Currency),投稿のタイムスタンプは、{0}の後でなければなりません
+Price List master.,価格表マスター。
+Price List must be applicable for Buying or Selling,エネルギー
+Price List not selected,顧客の問題
+Price List {0} is disabled,顧客グループ
+Price or Discount,価格または割引
+Pricing Rule,価格設定ルール
+Pricing Rule Help,ベンチャーキャピタル
+"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.",{0} {1}法案に反対{2} {3}日付け
+"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.",試算表
+Pricing Rules are further filtered based on quantity.,価格設定ルールはさらなる量に基づいてフィルタリングされます。
+Print Format Style,印刷書式スタイル
+Print Heading,のみ選択した休暇承認者は、この申出書を提出することができます
+Print Without Amount,額なしで印刷
+Print and Stationary,印刷と固定
+Printing and Branding,合計請求額
+Priority,{0}の受信者に送信するようにスケジュール
+Private Equity,販売メール設定
+Privilege Leave,特権休暇
+Probation,購入の解析
+Process Payroll,予算配分の詳細
+Produced,指定してください
+Produced Quantity,領土/顧客
+Product Enquiry,{0}を作成
+Production,制作
+Production Order,レート(会社通貨)
+Production Order status is {0},株式価値
+Production Order {0} must be cancelled before cancelling this Sales Order,製造指図{0}は、この受注をキャンセルする前にキャンセルしなければならない
+Production Order {0} must be submitted,シリアル番号
+Production Orders,すべての指定のために考慮した場合は空白のままにし
+Production Orders in Progress,引用へ
+Production Plan Item,シリアルNOは{0} {1}件まで保証期間内である
+Production Plan Items,ゴール数
+Production Plan Sales Order,生産計画受注
+Production Plan Sales Orders,生産計画受注
+Production Planning Tool,受注日
+Products,必要な項目
+"Products will be sorted by weight-age in default searches. More the weight-age, higher the product will appear in the list.",国名
+Profit and Loss,古い親
+Project,ジャーナルバウチャーは{0}アカウントを持っていない{1}、またはすでに一致
+Project Costing,倉庫は、注文書にありません
+Project Details,無視された:
+Project Manager,価格/割引
+Project Milestone,プロジェクトマイルストーン
+Project Milestones,再注文購入
+Project Name,発行残高を償却
+Project Start Date,ロストとして設定
+Project Type,{0}商品に対して有効なバッチ番号ではありません{1}
+Project Value,10を読んで
+Project activity / task.,プロジェクト活動/タスク。
+Project master.,プロジェクトのマスター。
+Project will get saved and will be searchable with project name given,デフォルトのサプライヤタイプ
+Project wise Stock Tracking,新しいアカウント名
+Project-wise data is not available for Quotation,プロジェクトごとのデータは、引用符は使用できません
+Projected,下請け
+Projected Qty,シリアルNOは{0}はすでに受信されている
+Projects,給与スリップ控除
+Projects & System,チェックしたトランザクションのいずれかが「提出」された場合、電子メールポップアップが自動的に添付ファイルとしてトランザクションと、そのトランザクションに関連する「お問い合わせ」にメールを送信するためにオープンしました。ユーザーは、または電子メールを送信しない場合があります。
+Prompt for Email on Submission of,経費請求の詳細
+Proposal Writing,この税金は基本料金に含まれています?
+Provide email id registered in company,デフォルトの購入価格表
+Public,一般公開
+Published on website at: {0},行はありません{0}で必要項目コード
+Publishing,既存のトランザクションを持つアカウントは、元帳に変換することはできません
+Pull sales orders (pending to deliver) based on the above criteria,上記の基準に基づいて(提供するために保留中の)受注を引く
+Purchase,価格リスト
+Purchase / Manufacture Details,によって検査
+Purchase Analytics,前の行の合計に
+Purchase Common,損益
+Purchase Details,購入の詳細
+Purchase Discounts,行の数量{0}({1})で製造量{2}と同じでなければなりません
+Purchase Invoice,通信ログ。
+Purchase Invoice Advance,上で選択した基準について、すべての給与伝票を提出
+Purchase Invoice Advances,輸入出席
+Purchase Invoice Item,営業担当
+Purchase Invoice Trends,給与スリップを発生させる
+Purchase Invoice {0} is already submitted,設備や機械
+Purchase Order,アカウント{0}が非アクティブである
+Purchase Order Date,販売パートナー
+Purchase Order Item,付属の原材料
+Purchase Order Item No,{0}負にすることはできません
+Purchase Order Item Supplied,ユーザー{0}無効になっています
+Purchase Order Items,課題の詳細
+Purchase Order Items Supplied,パッケージには、この配信の一部であることを示し(のみ案)
+Purchase Order Items To Be Billed,課金対象とされ、注文書項目
+Purchase Order Items To Be Received,準備金および剰余金
+Purchase Order Message,"もし、ごhref=""#Sales Browser/Territory"">追加/編集"
+Purchase Order Required,サプライヤの指定することで
+Purchase Order Trends,銀行口座を選択してください
+Purchase Order number required for Item {0},チェックされていない場合、リストはそれが適用されなければならないそれぞれのカテゴリーに添加されなければならない。
+Purchase Order {0} is 'Stopped',税金や料金を検討
+Purchase Order {0} is not submitted,注文書{0}送信されません
+Purchase Orders given to Suppliers.,ステータス
+Purchase Receipt,デザイナー
+Purchase Receipt Item,改ページ
+Purchase Receipt Item Supplied,製品には、デフォルトの検索で体重、年齢でソートされます。体重、年齢、より高い製品がリ​​ストに表示されます。
+Purchase Receipt Item Supplieds,プロジェクトについて
+Purchase Receipt Items,KG
+Purchase Receipt Message,サーバー側の印刷形式の場合
+Purchase Receipt No,新聞出版
+Purchase Receipt Required,優先度
+Purchase Receipt Trends,カスタム自動返信メッセージ
+Purchase Receipt number required for Item {0},メインレポート
+Purchase Receipt {0} is not submitted,販売パートナー名
+Purchase Register,出口インタビューの詳細
+Purchase Return,ウェブサイト上の複数のグループでこのアイテムを一覧表示します。
+Purchase Returned,Maintaince詳細最初を入力してください
+Purchase Taxes and Charges,オープンチケット
+Purchase Taxes and Charges Master,購入の税金、料金マスター
+Purchse Order number required for Item {0},アイテム{0}に必要なPurchse注文番号
+Purpose,設定なし
+Purpose must be one of {0},'を生成スケジュール」をクリックしてください
+QA Inspection,QA検査
+Qty,と共有する
+Qty Consumed Per Unit,納品書アイテム
+Qty To Manufacture,証券·商品取引所
+Qty as per Stock UOM,「これまでの 'が必要です
+Qty to Deliver,発注書のメッセージ
+Qty to Order,アセット
+Qty to Receive,半年ごとの
+Qty to Transfer,バックアップ·ライト·ナウ
+Qualification,最初の行のために「前の行量オン」または「前の行トータル」などの電荷の種類を選択することはできません
+Quality,情報の要求
+Quality Inspection,すべての株式の動きの会計処理のエントリを作成
+Quality Inspection Parameters,品質検査パラメータ
+Quality Inspection Reading,間違ったテンプレート:ヘッド列が見つかりません。
+Quality Inspection Readings,経費請求の種類。
+Quality Inspection required for Item {0},上記の基準の給与伝票を作成します。
+Quality Management,会社に適用されます
+Quantity,このアイテムの測定単位(例えばキロ、ユニット、いや、ペア)。
+Quantity Requested for Purchase,購入のために発注
+Quantity and Rate,数量とレート
+Quantity and Warehouse,ログの名前を変更
+Quantity cannot be a fraction in row {0},マイルストーン日付
+Quantity for Item {0} must be less than {1},完了日
+Quantity in row {0} ({1}) must be same as manufactured quantity {2},納品書アドバンス
+Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,原材料の与えられた量から再梱包/製造後に得られたアイテムの数量
+Quantity required for Item {0} in row {1},経費勘定
+Quarter,共通の購入
+Quarterly,パーティーの種類
+Quick Help,販売
+Quotation,営業税および充満マスター
+Quotation Date,アドレスタイトルは必須です。
+Quotation Item,見積明細
+Quotation Items,引用アイテム
+Quotation Lost Reason,サブアセンブリ
+Quotation Message,引用メッセージ
+Quotation To,オーバーヘッド
+Quotation Trends,販売BOM明細
+Quotation {0} is cancelled,映画&ビデオ
+Quotation {0} not of type {1},栓を抜く
+Quotations received from Suppliers.,渡すの年
+Quotes to Leads or Customers.,正味賃金は負にすることはできません
+Raise Material Request when stock reaches re-order level,在庫が再注文レベルに達したときに素材要求を上げる
+Raised By,ない
+Raised By (Email),プライマリアドレスを確認してください
+Random,デビットアマウント
+Range,射程
+Rate,債権/債務
+Rate ,
+Rate (%),ようこそ
+Rate (Company Currency),承認
+Rate Of Materials Based On,材料ベースでの割合
+Rate and Amount,放送
+Rate at which Customer Currency is converted to customer's base currency,SO日付
+Rate at which Price list currency is converted to company's base currency,価格表の通貨は、会社の基本通貨に換算される速度
+Rate at which Price list currency is converted to customer's base currency,収入のご予約
+Rate at which customer's currency is converted to company's base currency,Googleのドライブ
+Rate at which supplier's currency is converted to company's base currency,お名前(姓)
+Rate at which this tax is applied,テンプレートを取得
+Raw Material,止めて!
+Raw Material Item Code,{0}は必須です。多分両替レコードは{1} {2}へのために作成されていません。
+Raw Materials Supplied,申し訳ありませんが、シリアル番号をマージすることはできません
+Raw Materials Supplied Cost,材料の要求{0}を作成
+Raw material cannot be same as main Item,原料は、メインアイテムと同じにすることはできません
+Re-Order Level,再注文レベル
+Re-Order Qty,給料スリップ
+Re-order,リオーダー
+Re-order Level,プロジェクト・タイプ
+Re-order Qty,ジャーナルバウチャーに対して{0}は、比類のない{1}のエントリがありません
+Read,支払い
+Reading 1,6を読んだ
+Reading 10,発注書の項目はありません
+Reading 2,3を読んで
+Reading 3,1を読んだ
+Reading 4,5を読んで
+Reading 5,「に基づく」と「グループ化」は同じにすることはできません
+Reading 6,7を読んで
+Reading 7,4を読んで
+Reading 8,9を読んで
+Reading 9,給与伝票を提出
+Real Estate,行{0}:アカウントはアカウントに\ \ N納品書デビットと一致していません
+Reason,理由
+Reason for Leaving,残すための理由
+Reason for Resignation,'日から'日には 'の後でなければなりません
+Reason for losing,から改正
+Recd Quantity,サプライヤ見積をする
+Receivable,あなたがインベントリにこのアイテムのストックを維持する場合は、「はい」を選択します。
+Receivable / Payable account will be identified based on the field Master Type,検査タイプ
+Receivables,問い合わせ内容
+Receivables / Payables,地域の木を管理します。
+Receivables Group,まずユーザー:あなた
+Received Date,販売後のインストールや試運転に関連する作業を追跡するために、
+Received Items To Be Billed,「銀行券」としてマークされて仕訳の逃げ日を更新
+Received Qty,あなたのメールボックスからメールをプルするために、これをチェックする
+Received and Accepted,負担額通知書
+Receiver List,学校/大学
+Receiver List is empty. Please create Receiver List,テリトリーマネージャー
+Receiver Parameter,メッセージが更新
+Recipients,親コストセンターを入力してください
+Reconcile,最初の会社名を選択します。
+Reconciliation Data,半日
+Reconciliation HTML,和解のHTML
+Reconciliation JSON,通貨に
+Record item movement.,メールが引っ張られるのであれば必要なホスト、メールとパスワード
+Recurring Id,経常イド
+Recurring Invoice,POSのエントリを作成するために必要なPOSの設定
+Recurring Type,通話
+Reduce Deduction for Leave Without Pay (LWP),会社を入力してください
+Reduce Earning for Leave Without Pay (LWP),*トランザクションで計算されます。
+Ref,あなたが受注を保存するとすれば見えるようになります。
+Ref Code,あなたが品質検査に従ってください。いいえ、購入時の領収書の項目のQA必須およびQAを可能にしていません
+Ref SQ,転送された葉を運ぶ
+Reference,調和させる
+Reference #{0} dated {1},休暇申請は承認されました。
+Reference Date,整数でなければなりません
+Reference Name,{0} {1}ステータスが「停止」されている
+Reference No & Reference Date is required for {0},この問題を割り当てるには、サイドバーの「割り当て」ボタンを使用します。
+Reference No is mandatory if you entered Reference Date,モダン
+Reference Number,サプライヤのデータベース。
+Reference Row #,評価と総合
+Refresh,付属の注文書アイテム
+Registration Details,ベース上での計算
+Registration Info,すでにデビットでの口座残高、あなたは次のように「クレジット」のバランスでなければなりません 'を設定することはできません
+Rejected,によって解決
+Rejected Quantity,POはありません
+Rejected Serial No,割合の割り当ては100パーセントに等しくなければならない
+Rejected Warehouse,別の会社の下でアカウントヘッドを作成するには、会社を選択して、顧客を保存します。
+Rejected Warehouse is mandatory against regected item,あなたがSTOPしてもよろしいですか
+Relation,アカウントの種類を設定すると、トランザクションで、このアカウントを選択するのに役立ちます。
+Relieving Date,最後の購入料金を得る
+Relieving Date must be greater than Date of Joining,日付を緩和することは参加の日付より大きくなければなりません
+Remark,合計はゼロにすることはできません
+Remarks,アイテムは、{0}サービス項目でなければなりません。
+Rename,削除
+Rename Log,[日]より古い株式を凍結する
+Rename Tool,健康への懸念
+Rent Cost,直列化されたアイテムのシリアル番号が必要です{0}
+Rent per hour,外部
+Rented,農業
+Repeat on Day of Month,月の日を繰り返し
+Replace,上書き
+Replace Item / BOM in all BOMs,すべてのBOMでアイテム/部品表を交換してください
+Replied,直接の利益
+Report Date,売上高のアイテムを追跡し、バッチ番号検索優先産業との文書を購入するには化学薬品など
+Report Type,BOMは{0}商品{1}の行に{2}が提出され、非アクティブであるかどう
+Report Type is mandatory,レポートタイプは必須です
+Reports to,物品税ページ番号
+Reqd By Date,日数でREQD
+Request Type,数量
+Request for Information,仕様の詳細
+Request for purchase.,現金または銀行口座は、支払いのエントリを作成するための必須です
+Requested,リクエスト済み
+Requested For,名前を変更するドキュメントのタイプ。
+Requested Items To Be Ordered,営業担当者ごとの取引概要
+Requested Items To Be Transferred,グローバルPOSの設定{0}はすでに用に作成した会社{1}
+Requested Qty,交換後の部品表
+"Requested Qty: Quantity requested for purchase, but not ordered.",キャンセルされる
+Requests for items.,毎時借りる
+Required By,請求先住所の名前
+Required Date,必要な日付
+Required Qty,マーケティング
+Required only for sample item.,あなたの参照のための会社の登録番号。例:付加価値税登録番号など
+Required raw materials issued to the supplier for producing a sub - contracted item.,人事でのシステムの命名してください、セットアップ社員>人事設定
+Research,定期的な請求書
+Research & Development,注釈
+Researcher,顧客やサプライヤアカウント見つからないん
+Reseller,セットアップシリーズ
+Reserved,予約済
+Reserved Qty,予約された数量
+"Reserved Qty: Quantity ordered for sale, but not delivered.",予約された数量:数量販売のために注文したが、配信されません。
+Reserved Quantity,費用又は差異勘定は影響としてアイテム{0}全体の株式価値は必須です
+Reserved Warehouse,SMSセンター
+Reserved Warehouse in Sales Order / Finished Goods Warehouse,受注/完成品倉庫内に確保倉庫
+Reserved Warehouse is missing in Sales Order,通貨、変換レート、輸出の合計、輸出総計などのようなすべての輸出関連分野は、納品書、POS、見積書、納品書、受注などでご利用いただけます
+Reserved Warehouse required for stock Item {0} in row {1},ストックアイテムのために予約された必要な倉庫{0}行{1}
+Reserved warehouse required for stock item {0},在庫品目{0}のために予約された必要な倉庫
+Reserves and Surplus,Dropboxのアクセス許可
+Reset Filters,検索条件をリセット
+Resignation Letter Date,辞表日
+Resolution,親ディテールDOCNAME
+Resolution Date,決議日
+Resolution Details,二つ以上の価格設定ルールは、上記の条件に基づいて発見された場合、優先順位が適用される。デフォルト値はゼロ(空白)の間の優先順位は0から20までの数値である。数値が高いほど、同じ条件で複数の価格設定ルールが存在する場合、それが優先されることを意味します。
+Resolved By,冷凍点で最大を占める
+Rest Of The World,商用版
+Retail,どのように価格設定ルールが適用されている?
+Retail & Wholesale,経費請求を承認メッセージ
+Retailer,"パッケージを表す項目。この項目は「はい」と「いいえ」のような「ストックアイテムです」と「販売項目である ""持っている必要があります"
+Review Date,レビュー日
+Rgt,着信品質検査。
+Role Allowed to edit frozen stock,シェア
+Role that is allowed to submit transactions that exceed credit limits set.,部門
+Root Type,ルート型
+Root Type is mandatory,目次
+Root account can not be deleted,終了日は開始日より小さくすることはできません
+Root cannot be edited.,タイトル
+Root cannot have a parent cost center,お誕生日おめでとう!
+Rounded Off,四捨五入
+Rounded Total,{0} {1}が変更されている。更新してください。
+Rounded Total (Company Currency),項目に指定された無効な量{0}。数量が0よりも大きくなければなりません。
+Row # ,
+Row # {0}: ,
+Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,項目の費用が引き落とされますれるデフォルトの仕入勘定。
+Row #{0}: Please specify Serial No for Item {1},クリアランス日付言及していない
+"Row {0}: Account does not match with \
+						Purchase Invoice Credit To account",あなたは納品書を提出する際に証券勘定元帳のエントリを作成します。
+"Row {0}: Account does not match with \
+						Sales Invoice Debit To account",デフォルト株式UOM
+Row {0}: Credit entry can not be linked with a Purchase Invoice,購買アイテムです
+Row {0}: Debit entry can not be linked with a Sales Invoice,会社
+Row {0}: Qty is mandatory,アクティブにするためにチェックする
+"Row {0}: Qty not avalable in warehouse {1} on {2} {3}.
+					Available Qty: {4}, Transfer Qty: {5}",プロジェクトが保存されてしまいますし、特定のプロジェクト名で検索可能になります
+"Row {0}: To set {1} periodicity, difference between from and to date \
+						must be greater than or equal to {2}",取引日
+Row {0}:Start Date must be before End Date,行{0}:開始日は終了日より前でなければなりません
+Rules for adding shipping costs.,Weightage(%)
+Rules for applying pricing and discount.,価格設定と割引を適用するためのルール。
+Rules to calculate shipping amount for a sale,販売のために出荷量を計算するためのルール
+S.O. No.,{0} '停止'されて購入する
+SMS Center,保証有効期限
+SMS Gateway URL,注文タイプ{0}のいずれかである必要があります
+SMS Log,消費された数量
+SMS Parameter,品質検査読み
+SMS Sender Name,あなたは量に対してよりを受信または提供するために許可されている割合が注文しました。次に例を示します。100台を注文した場合。とあなたの手当は、あなたが110台の受信を許可された後、10%であった。
+SMS Settings,アクティブである
+SO Date,マイルストーンは、カレンダーにイベントとして追加されます
+SO Pending Qty,すべてのサプライヤーの種類
+SO Qty,送信者名
+Salary,給与
+Salary Information,パスワード
+Salary Manager,給与マネージャー
+Salary Mode,防衛
+Salary Slip,時間あたりの電気代
+Salary Slip Deduction,休日はこの部門のためにブロックされている日。
+Salary Slip Earning,好まれた出荷住所
+Salary Slip of employee {0} already created for this month,従業員の給与スリップは{0}はすでに今月の作成
+Salary Structure,任意のプロジェクトに対して、この受注を追跡
+Salary Structure Deduction,製造指図
+Salary Structure Earning,説明
+Salary Structure Earnings,許可されていません。
+Salary breakup based on Earning and Deduction.,グロスマージン値
+Salary components.,収益
+Salary template master.,発注日
+Sales,言葉(会社通貨)での
+Sales Analytics,{0}商品に必要なシリアル番号{0}。唯一の{0}提供。
+Sales BOM,その他の詳細
+Sales BOM Help,あなたが引用を保存するとすれば見えるようになります。
+Sales BOM Item,無給休暇のため控除を減らす(LWP)
+Sales BOM Items,もし(印刷用)、同じタイプの複数のパッケージ
+Sales Browser,未払いの請求を取得
+Sales Details,売上明細
+Sales Discounts,退職日
+Sales Email Settings,すべての営業担当者
+Sales Expenses,さらにアカウントがグループの下で行うことができますが、エントリは総勘定に対して行うことができます
+Sales Extras,投稿時間
+Sales Funnel,サプライヤー型番が与えられたアイテムのために存在している場合は、ここに格納される
+Sales Invoice,生産
+Sales Invoice Advance,有効にすると、システムは自動的にインベントリのアカウンティングエントリを掲載する予定です。
+Sales Invoice Item,ターゲットの詳細
+Sales Invoice Items,販売請求書明細
+Sales Invoice Message,給与体系のご獲得
+Sales Invoice No,合計金額
+Sales Invoice Trends,見積を登録
+Sales Invoice {0} has already been submitted,編集するものは何もありません。
+Sales Invoice {0} must be cancelled before cancelling this Sales Order,誕生日リマインダを停止
+Sales Order,給与総額+滞納額+現金化金額 - 合計控除
+Sales Order Date,病気休暇
+Sales Order Item,受注明細
+Sales Order Items,受注アイテム
+Sales Order Message,ケース番号は0にすることはできません
+Sales Order No,すべての従業員のタイプのために考慮した場合は空白のままにし
+Sales Order Required,受注必須
+Sales Order Trends,すべての項目は、すでに請求されています
+Sales Order required for Item {0},販売時点情報管理の設定
+Sales Order {0} is not submitted,作成ドキュメントNo
+Sales Order {0} is not valid,無効なマスターネーム
+Sales Order {0} is stopped,名前を変更
+Sales Partner,「はい」を選択すると、原料と、このアイテムを製造するために発生した運用コストを示す部品表を作成することができます。
+Sales Partner Name,経費請求タイプ
+Sales Partner Target,活動の型
+Sales Partners Commission,状態は{0}のいずれかである必要があります
+Sales Person,ドメイン
+Sales Person Name,進歩は報酬を得る
+Sales Person Target Variance Item Group-Wise,営業担当者ターゲット分散項目のグループごとの
+Sales Person Targets,営業担当者の目標
+Sales Person-wise Transaction Summary,これは、ルートの販売員であり、編集できません。
+Sales Register,項目税
+Sales Return,カテゴリーは「評価」や「評価と合計 'のときに控除することができません
+Sales Returned,売上高は返さ
+Sales Taxes and Charges,すべての鉛(オープン)
+Sales Taxes and Charges Master,金額を償却<=
+Sales Team,シリアルNO {0}を作成
+Sales Team Details,カスタマー
+Sales Team1,Prevdoc文書型
+Sales and Purchase,売買
+Sales campaigns.,日への出席
+Salutation,数量または評価レートのどちらかに変化がない場合は、セルを空白のままにします。
+Sample Size,パーセンテージの割り当て
+Sanctioned Amount,最大5文字
+Saturday,土曜日 (午前中のみ)
+Schedule,スケジュール・
+Schedule Date,品目グループのツリー。
+Schedule Details,生産計画ツール
+Scheduled,送料ルール条件
+Scheduled Date,デフォルトの所得収支
+Scheduled to send to {0},ターゲット数量や目標量のいずれかが必須です
+Scheduled to send to {0} recipients,メイン連絡先です
+Scheduler Failed Events,目的は、{0}のいずれかである必要があります
+School/University,新しい休業申出
+Score (0-5),購買&販売
+Score Earned,フィールド値「月の日にリピート」を入力してください
+Score must be less than or equal to 5,マーケティング費用
+Scrap %,この素材のリクエストに対して命じた材料の%
+Seasonality for setting budgets.,追加された税金、料金(会社通貨)
+Secretary,航空会社
+Secured Loans,担保ローン
+Securities & Commodity Exchanges,POP3メールサーバー(例:pop.gmail.com)
+Securities and Deposits,受信機NOSのURLパラメータを入力してください
+"See ""Rate Of Materials Based On"" in Costing Section",セクション原価計算の「に基づいて材料の比率」を参照してください。
+"Select ""Yes"" for sub - contracting items",このリストに送る
+"Select ""Yes"" if this item is used for some internal purpose in your company.",保守スケジュールを生成する前に、ドキュメントを保存してください
+"Select ""Yes"" if this item represents some work like training, designing, consulting etc.",エントリー
+"Select ""Yes"" if you are maintaining stock of this item in your Inventory.",表に少なくとも1請求書を入力してください
+"Select ""Yes"" if you supply raw materials to your supplier to manufacture this item.",日付請求書の期間
+Select Brand...,ブランドを選択...
+Select Budget Distribution to unevenly distribute targets across months.,LWPに依存
+"Select Budget Distribution, if you want to track based on seasonality.",あなたは季節性に基づいて追跡する場合、予算配分を選択します。
+Select Company...,会社を選択...
+Select DocType,人生の終わり
+Select Fiscal Year...,リードタイプ
+Select Items,ページの上部にスライドショーを表示する
+Select Project...,処理中
+Select Purchase Receipts,購入の領収書を選択する
+Select Sales Orders,しょざいt
+Select Sales Orders from which you want to create Production Orders.,デフォルトの価格表
+Select Time Logs and Submit to create a new Sales Invoice.,{0}が必要である
+Select Transaction,連絡先へのニュースレター、つながる。
+Select Warehouse...,基本速度(会社通貨)
+Select Your Language,答え
+Select account head of the bank where cheque was deposited.,チェックが堆積された銀行の口座ヘッドを選択します。
+Select company name first.,毎年
+Select template from which you want to get the Goals,丸みを帯びた合計
+Select the Employee for whom you are creating the Appraisal.,郵送料を追加するためのルール。
+Select the period when the invoice will be generated automatically,為替
+Select the relevant company name if you have multiple companies,メンテナンススケジュールは、すべての項目のために生成されていません。'を生成スケジュール」をクリックしてください
+Select the relevant company name if you have multiple companies.,割り当てられた量は負にすることはできません
+Select who you want to send this newsletter to,あなたは、このニュースレターを送りたい人を選択
+Select your home country and check the timezone and currency.,あなたは納品書を保存するとすれば見えるようになります。
+"Selecting ""Yes"" will allow this item to appear in Purchase Order , Purchase Receipt.",BOMはツールを交換してください
+"Selecting ""Yes"" will allow this item to figure in Sales Order, Delivery Note",売上割引
+"Selecting ""Yes"" will allow you to create Bill of Material showing raw material and operational costs incurred to manufacture this item.",地域
+"Selecting ""Yes"" will allow you to make a Production Order for this item.",従業員の誕生日リマインダを送信しないでください
+"Selecting ""Yes"" will give a unique identity to each entity of this item which can be viewed in the Serial No master.",輸送貨物自動車数
+Selling,項目顧客詳細
+Selling Settings,[設定]を販売
+"Selling must be checked, if Applicable For is selected as {0}",適用のためには次のように選択された場合、販売は、チェックする必要があります{0}
+Send,送信
+Send Autoreply,自動返信を送信
+Send Email,メールを送信
+Send From,率(%)
+Send Notifications To,バウチャー番号
+Send Now,更新しました。
+Send SMS,月と年を選択してください。
+Send To,ユーザーを承認すると、ルールが適用されるユーザーと同じにすることはできません
+Send To Type,{0}の割引に基づいて認可を設定することはできません
+Send mass SMS to your contacts,固定資産項目である
+Send to this list,生産計画項目
+Sender Name,{1}より{0}の行の{0}以上のアイテムのために払い過ぎることはできません。過大請求を可能にするために、ストック設定で設定してください
+Sent On,決算ヘッド
+Separate production order will be created for each finished good item.,評価する
+Serial No,プラント
+Serial No / Batch,デフォルトの購入のコストセンター
+Serial No Details,シリアル番号の詳細
+Serial No Service Contract Expiry,説明HTMLの
+Serial No Status,経費請求が拒否
+Serial No Warranty Expiry,あなたがブロックした日時に葉を承認する権限がありませんように休暇を承認することはできません
+Serial No is mandatory for Item {0},あなたのサイトの設定でDropboxのアクセスキーを設定してください
+Serial No {0} created,あなたは基準日を入力した場合の基準はありませんが必須です
+Serial No {0} does not belong to Delivery Note {1},原料
+Serial No {0} does not belong to Item {1},女性
+Serial No {0} does not belong to Warehouse {1},シリアルNO {0}倉庫に属していません{1}
+Serial No {0} does not exist,時
+Serial No {0} has already been received,年度
+Serial No {0} is under maintenance contract upto {1},シリアルNOは{0} {1}件まで保守契約下にある
+Serial No {0} is under warranty upto {1},行{0}:クレジットエントリは、購入の請求書にリンクすることはできません
+Serial No {0} not in stock,新しいアカウントの名前。注:お客様のアカウントを作成しないでください、それらは顧客とサプライヤマスタから自動的に作成され
+Serial No {0} quantity {1} cannot be a fraction,差異勘定
+Serial No {0} status must be 'Available' to Deliver,シリアルNO {0}ステータスが配信する「利用可能」でなければなりません
+Serial Nos Required for Serialized Item {0},アイテムDesription
+Serial Number Series,イメージ
+Serial number {0} entered more than once,定期的な請求書を停止される日
+"Serialized Item {0} cannot be updated \
+					using Stock Reconciliation",パッケージに納品書を分割します。
+Series,2を読んだ
+Series List for this Transaction,ふつう
+Series Updated,Googleドライブのアクセスを許可
+Series Updated Successfully,シリーズは、正常に更新され
+Series is mandatory,請求のバッチ処理
+Series {0} already used in {1},の言葉で
+Service,スケジュールを得るために 'を生成スケジュール」をクリックしてください
+Service Address,リードステータス
+Services,受信支払い
+Set,最初のユーザーはシステムマネージャ(あなたがそれを後で変更できます)となります。
+"Set Default Values like Company, Currency, Current Fiscal Year, etc.",RGT
+Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,この領土に項目グループごとの予算を設定します。また、ディストリビューションを設定することで、季節を含めることができます。
+Set Status as Available,現会計年度
+Set as Default,安%
+Set as Lost,エントリーを開く
+Set prefix for numbering series on your transactions,ストック負債
+Set targets Item Group-wise for this Sales Person.,顧客サービス
+Setting Account Type helps in selecting this Account in transactions.,額を償却
+Setting this Address Template as default as there is no other default,他にデフォルトがないので、デフォルトとしてこのアドレステンプレートの設定
+Setting up...,アイテムのBOMを入力してください{0}行{1}
+Settings,倉庫のための材料を要求
+Settings for HR Module,人事モジュールの設定
+"Settings to extract Job Applicants from a mailbox e.g. ""jobs@example.com""",DOCNAMEに対する
+Setup,すべてのサプライヤーとの接触
+Setup Already Complete!!,セットアップがすでに完了して!
+Setup Complete,すべての従業員(アクティブ)
+Setup SMS gateway settings,セットアップSMSゲートウェイの設定
+Setup Series,顧客(債権)のアカウント
+Setup Wizard,今年課金合計:
+Setup incoming server for jobs email id. (e.g. jobs@example.com),チャート名
+Setup incoming server for sales email id. (e.g. sales@example.com),ジャーナルクーポンの詳細はありません
+Setup incoming server for support email id. (e.g. support@example.com),警告する
+Share,販売BOM明細
+Share With,間接所得
+Shareholders Funds,バウチャーに基づいてフィルタリングすることはできませんいいえ、クーポンごとにグループ化された場合
+Shipments to customers.,社員から
+Shipping,配送
+Shipping Account,(役割)に適用
+Shipping Address,重要な争点
+Shipping Amount,Chemica
+Shipping Rule,出荷ルール
+Shipping Rule Condition,送料ルール条件
+Shipping Rule Conditions,必要なものをダウンロード
+Shipping Rule Label,登録の詳細
+Shop,商品
+Shopping Cart,カート
+Short biography for website and other publications.,現在のBOMと新BOMは同じにすることはできません
+"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",この倉庫で利用可能な株式に基づいて「在庫切れ」「在庫あり」の表示または。
+"Show / Hide features like Serial Nos, POS etc.",開始
+Show In Website,{0}に送信するようにスケジュール
+Show a slideshow at the top of the page,このストック調整がオープニング·エントリであるため、差異勘定は、「責任」タイプのアカウントである必要があります
+Show in Website,電気通信
+Show this slideshow at the top of the page,ページの上部に、このスライドショーを表示する
+Sick Leave,支払い日
+Signature,資格
+Signature to be appended at the end of every email,トランスポーター名前
+Single,ツール
+Single unit of an Item.,下記の書類の納品書、機会、素材の要求、アイテム、発注、購買伝票、購入者の領収書、見積書、納品書、販売BOM、受注、シリアル番号でのブランド名を追跡​​するには
+Sit tight while your system is being setup. This may take a few moments.,システムがセットアップされている間、じっと。これはしばらく時間がかかる場合があります。
+Slideshow,現在のアドレスは
+Soap & Detergent,操作時間(分)
+Software,率と量
+Software Developer,ソフトウェア開発者
+"Sorry, Serial Nos cannot be merged",グローバルデフォルト
+"Sorry, companies cannot be merged",この充電式のために以上現在の行数と同じ行番号を参照することはできません
+Source,ソース
+Source File,登録を購入
+Source Warehouse,デビットメモしておきます
+Source and target warehouse cannot be same for row {0},ソースとターゲット·ウェアハウスは、行ごとに同じにすることはできません{0}
+Source of Funds (Liabilities),アイテムのストックUOMのupdatd {0}
+Source warehouse is mandatory for row {0},倉庫名
+Spartan,数量を開く
+"Special Characters except ""-"" and ""/"" not allowed in naming series",左
+Specification Details,フリーズ証券のエントリー
+Specifications,簡潔なヘルプ
+"Specify a list of Territories, for which, this Price List is valid",子ノードを追加するには、ツリーを探索し、より多くのノードを追加する下のノードをクリックします。
+"Specify a list of Territories, for which, this Shipping Rule is valid",受信する数量
+"Specify a list of Territories, for which, this Taxes Master is valid",通貨から
+"Specify the operations, operating cost and give a unique Operation no to your operations.",報告日
+Split Delivery Note into packages.,アイテムは、{0} {1} {2}内に存在しません
+Sports,さらにノードは、「グループ」タイプのノードの下に作成することができます
+Standard,従業員は{0}はすでに{1} {2}と{3}の間を申請している
+Standard Buying,手数料率
+Standard Reports,{0}商品には必須である{1}
+Standard Selling,バウチャータイプ
+Standard contract terms for Sales or Purchase.,販売または購入のための標準的な契約条件。
+Start,に通知を送信する
+Start Date,開始日
+Start date of current invoice's period,項目の許可最大割引:{0}が{1}%
+Start date should be less than end date for Item {0},開始日は項目の終了日未満でなければなりません{0}
+State,レポート タイプ
+Statement of Account,先に進む前に、フォームを保存する必要があります
+Static Parameters,配布ID
+Status,割引額
+Status must be one of {0},この営業担当者のための目標項目のグループごとのセット。
+Status of {0} {1} is now {2},項目が保存される場所。
+Status updated to {0},略称
+Statutory info and other general information about your Supplier,直接金額を設定することはできません。「実際の」充電式の場合は、レートフィールドを使用する
+Stay Updated,更新滞在
+Stock,支払いは、ダイジェスト期間に受信
+Stock Adjustment,購入インボイスアドバンス
+Stock Adjustment Account,項目の要求。
+Stock Ageing,株式高齢化
+Stock Analytics,株価分析
+Stock Assets,株式資産
+Stock Balance,注文書アイテム
+Stock Entries already created for Production Order ,
+Stock Entry,ストックエントリーの詳細
+Stock Entry Detail,顧客>顧客グループ>テリトリー
+Stock Expenses,請求額
+Stock Frozen Upto,株式冷凍点で最大
+Stock Ledger,株式元帳
+Stock Ledger Entry,アイテムテーブルは空白にすることはできません
+Stock Ledger entries balances updated,梱包伝票項目
+Stock Level,マネージャー
+Stock Liabilities,HTMLヘルプ
+Stock Projected Qty,控除
+Stock Queue (FIFO),株式キュー(FIFO)
+Stock Received But Not Billed,購入時の領収書はありません
+Stock Reconcilation Data,キー·パフォーマンス·エリア
+Stock Reconcilation Template,手数料率は、100を超えることはできません
+Stock Reconciliation,{0}を選択してください
+"Stock Reconciliation can be used to update the stock on a particular date, usually as per physical inventory.",在庫調整は、通常、物理的な棚卸の通り、特定の日に在庫を更新するために使用することができる。
+Stock Settings,カスタムメッセージ
+Stock UOM,顧客コード
+Stock UOM Replace Utility,コンサルタント
+Stock UOM updatd for Item {0},会計エントリと呼ばれる、リーフノードに対して行うことができる
+Stock Uom,ユーザーID従業員に設定されていない{0}
+Stock Value,あなたは本当に、この素​​材の要求を中止しますか?
+Stock Value Difference,ドキュメントの詳細に対して何
+Stock balances updated,あなたは本当に{0}年{1}の月のすべての給与伝票を登録しますか
+Stock cannot be updated against Delivery Note {0},株価は納品書に対して更新することはできません{0}
+Stock entries exist against warehouse {0} cannot re-assign or modify 'Master Name',ストックエントリは{0} 'のマスター名を「再割り当てまたは変更することはできませんハウスに対して存在
+Stop,レポートへ
+Stop Birthday Reminders,あなたは納品書を保存するとすれば見えるようになります。
+Stop Material Request,システム
+Stop users from making Leave Applications on following days.,次の日に休暇アプリケーションを作るからユーザーを停止します。
+Stop!,バッチ番号があります
+Stopped,ペア設定する
+Stopped order cannot be cancelled. Unstop to cancel.,停止順序はキャンセルできません。キャンセルするには栓を抜く。
+Stores,部分的に銘打た
+Stub,スタブ
+Sub Assemblies,業績評価のためのテンプレート。
+"Sub-currency. For e.g. ""Cent""",Read(読み取り)
+Subcontract,債権
+Subject,テーマ
+Submit Salary Slip,シリーズ
+Submit all salary slips for the above selected criteria,お客様は以前から買っていない
+Submit this Production Order for further processing.,銀行口座を作成するには:
+Submitted,提出
+Subsidiary,組織プロファイル
+Successful: ,
+Successfully allocated,成功裏に割り当てられた
+Suggestions,タイプの休暇は、{0}よりも長くすることはできません{1}
+Sunday,日曜日
+Supplier,収入
+Supplier (Payable) Account,更新
+Supplier (vendor) name as entered in supplier master,日付日付と出席からの出席は必須です
+Supplier > Supplier Type,セールスパートナーを管理します。
+Supplier Account Head,サプライヤーアカウントヘッド
+Supplier Address,BOM明細
+Supplier Addresses and Contacts,注釈
+Supplier Details,銀行
+Supplier Intro,リファレンス
+Supplier Invoice Date,シリアルNO保証期限ません
+Supplier Invoice No,この販売牧師の従業員IDを入力してください
+Supplier Name,項目の評価が更新
+Supplier Naming By,ご予約の費用
+Supplier Part Number,現在庫
+Supplier Quotation,サプライヤー見積
+Supplier Quotation Item,代償オフ
+Supplier Reference,役割は、凍結ストックの編集を許可
+Supplier Type,%受信
+Supplier Type / Supplier,アイテム{0}に必要な購入時の領収書番号
+Supplier Type master.,ユーザ ID
+Supplier Warehouse,既存のトランザクションを持つアカウントをグループに変換することはできません。
+Supplier Warehouse mandatory for sub-contracted Purchase Receipt,あなたが給料スリップを提出しながら、各従業員へのメール給与伝票を送信するかどうかを確認してください
+Supplier database.,顧客を作成
+Supplier master.,交際費
+Supplier warehouse where you have issued raw materials for sub - contracting,finanialコストセンターのツリー。
+Supplier-Wise Sales Analytics,サプライヤー·ワイズセールス解析
+Support,アカウントが作成されると、マスターの名前を入力してください。
+Support Analtyics,サポートAnaltyics
+Support Analytics,インベントリ&サポート
+Support Email,売上請求書項目
+Support Email Settings,Eメール
+Support Password,買掛金グループ
+Support Ticket,顧客が必要となります
+Support queries from customers.,顧客からの問い合わせをサポートしています。
+Symbol,シンボル
+Sync Support Mails,売上総利益
+Sync with Dropbox,適用のためには次のように選択されている場合の購入は、チェックする必要があります{0}
+Sync with Google Drive,あなたが更新する必要があります:{0}
+System,予算配分
+System Settings,位置打开
+"System User (login) ID. If set, it will become default for all HR forms.",ランチアイテム
+Target  Amount,から、必要な日数に
+Target Detail,契約終了日は、参加の日よりも大きくなければならない
+Target Details,所得収支に対する
+Target Details1,購入のために要求します。
+Target Distribution,合計額に
+Target On,計画数
+Target Qty,目標数量
+Target Warehouse,停止
+Target warehouse in row {0} must be same as Production Order,アカウント{0}は会計年度の{1}を複数回入力されました
+Target warehouse is mandatory for row {0},警告:数量要求された素材は、最小注文数量に満たない
+Task,タスク
+Task Details,項目グループからコピーする
+Tasks,保証期間中
+Tax,税率
+Tax Amount After Discount Amount,買掛金
+Tax Assets,税金資産
+Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,はじめに
+Tax Rate,受注に対して製造
+Tax and other salary deductions.,購入請求書を作る
+"Tax detail table fetched from item master as a string and stored in this field.
+Used for Taxes and Charges",トランザクションを購入するための税のテンプレート。
+Tax template for buying transactions.,コード
+Tax template for selling transactions.,発信
+Taxable,要求された数量
+Taxes and Charges,誰もが読むことができます
+Taxes and Charges Added,販売費
+Taxes and Charges Added (Company Currency),長期的な詳細
+Taxes and Charges Calculation,株式
+Taxes and Charges Deducted,唯一のサンプルアイテムに必要です。
+Taxes and Charges Deducted (Company Currency),控除税および充満(会社通貨)
+Taxes and Charges Total,電話経費
+Taxes and Charges Total (Company Currency),税金、料金合計(会社通貨)
+Technology,項目グループツリー
+Telecommunications,あなたは、このレコードに向けて出発承認者である。「ステータス」を更新し、保存してください
+Telephone Expenses,社員教育
+Television,複数の価格設定ルールが優先し続けた場合、ユーザーは、競合を解決するために、手動で優先度を設定するように求められます。
+Template,仕事のための開口部。
+Template for performance appraisals.,すべての顧客との接触
+Template of terms or contract.,勘定コード表
+Temporary Accounts (Assets),値
+Temporary Accounts (Liabilities),一時的なアカウント(負債)
+Temporary Assets,一時的な資産
+Temporary Liabilities,このパッケージの正味重量。 (項目の正味重量の合計として自動的に計算)
+Term Details,あなたが複数の会社を持っているときは、関係する会社名を選択
+Terms,認可制御
+Terms and Conditions,開口部(Cr)の
+Terms and Conditions Content,許可されていません
+Terms and Conditions Details,あなたの製品またはサービス
+Terms and Conditions Template,着信拒否
+Terms and Conditions1,受注を作る
+Terretory,Terretory
+Territory,変換係数が必要とされる
+Territory / Customer,無効なバーコードまたはシリアル番号
+Territory Manager,プロジェクト原価計算
+Territory Name,お問い合わせお得!
+Territory Target Variance Item Group-Wise,領土ターゲット分散項目のグループごとの
+Territory Targets,サポートメール
+Test,通貨の設定
+Test Email Id,エグゼクティブサーチ
+Test the Newsletter,ニュースレターをテスト
+The BOM which will be replaced,サービス
+The First User: You,許可する製造指図
+"The Item that represents the Package. This Item must have ""Is Stock Item"" as ""No"" and ""Is Sales Item"" as ""Yes""",メンテナンス訪問目的
+The Organization,パックするアイテムはありません
+"The account head under Liability, in which Profit/Loss will be booked",数量中
+"The date on which next invoice will be generated. It is generated on submit.
+",シリーズは、{0}はすでに{1}で使用
+The date on which recurring invoice will be stop,PINコード
+"The day of the month on which auto invoice will be generated e.g. 05, 28 etc ",
+The day(s) on which you are applying for leave are holiday. You need not apply for leave.,あなたが休暇を申請している日(S)は休日です。あなたは休暇を申請する必要はありません。
+The first Leave Approver in the list will be set as the default Leave Approver,ルートを編集することはできません。
+The first user will become the System Manager (you can change that later).,お客様の通貨は、会社の基本通貨に換算される速度
+The gross weight of the package. Usually net weight + packaging material weight. (for print),株式Reconcilationテンプレート
+The name of your company for which you are setting up this system.,あなたは製造活動に関与した場合。アイテムは「製造されている」ことができます
+The net weight of this package. (calculated automatically as sum of net weight of items),出席
+The new BOM after replacement,コンマは、電子メールアドレスのリストを区切り
+The rate at which Bill Currency is converted into company's base currency,ビル·通貨は、会社の基本通貨に換算される速度
+The unique id for tracking all recurring invoices. It is generated on submit.,個人的な電子メール
+"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.",分数
+There are more holidays than working days this month.,作成日
+"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",アイテム{0}が見つかりません
+There is not enough leave balance for Leave Type {0},新しいコストセンター名
+There is nothing to edit.,発注日
+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.,シリアル番号のインストールの記録
+There were errors.,従業員の名称(例:最高経営責任者(CEO)、取締役など)。
+This Currency is disabled. Enable to use in transactions,購入の請求書進歩
+This Leave Application is pending approval. Only the Leave Apporver can update status.,停止
+This Time Log Batch has been billed.,クリア表
+This Time Log Batch has been cancelled.,ニュースレターは、あなたの電子メールに送信することによって、電子メールにどのように見えるかを確認してください。
+This Time Log conflicts with {0},最初の会社を入力してください
+This format is used if country specific format is not found,提出すると、システムは、この日に与えられた株式および評価を設定するために、差分のエントリが作成されます。
+This is a root account and cannot be edited.,印刷とブランディング
+This is a root customer group and cannot be edited.,シリアルNO {0}納品書に属していません{1}
+This is a root item group and cannot be edited.,エントリに対して取得
+This is a root sales person and cannot be edited.,総重量UOM
+This is a root territory and cannot be edited.,購入時の領収書の動向
+This is an example website auto-generated from ERPNext,最大割引(%)
+This is the number of the last created transaction with this prefix,負の株式を許可する
+This will be used for setting rule in HR module,警告:システムは、{0} {1}が0の内のアイテムの量が過大請求をチェックしません
+Thread HTML,休暇残高を更新するために提出してください。
+Thursday,グループまたは元帳の値を選択してください
+Time Log,{0}ロール '休暇承認者」を持っている必要があります
+Time Log Batch,受注に対する
+Time Log Batch Detail,これは、この接頭辞を持つ最後に作成したトランザクションの数です。
+Time Log Batch Details,時間ログバッチの詳細
+Time Log Batch {0} must be 'Submitted',カート
+Time Log for tasks.,請求書の動向を購入
+Time Log {0} must be 'Submitted',時間ログは{0} '提出'でなければなりません
+Time Zone,への配信
+Time Zones,親項目{0}取り寄せ商品であってはならないこと及び販売項目でなければなりません
+Time and Budget,時間と予算
+Time at which items were delivered from warehouse,(電子メール)が提起した
+Time at which materials were received,給与総額
+Title,スクラップ%
+Titles for print templates e.g. Proforma Invoice.,個人
+To,現金化日
+To Currency,領土ターゲット
+To Date,発注書を作成する
+To Date should be same as From Date for Half Day leave,これまでの半日休暇のための日と同じである必要があります
+To Discuss,などのシリアル番号、POSなどの表示/非表示機能
+To Do List,To Doリストを
+To Package No.,セールスパーソンツリーを管理します。
+To Produce,コストセンター{0}に属していない会社{1}
+To Time,から送信する
+To Value,ジャーナルバウチャー
+To Warehouse,シリアルNO {0}項目に属さない{1}
+"To add child nodes, explore tree and click on the node under which you want to add more nodes.",証券UOMに従って数量
+"To assign this issue, use the ""Assign"" button in the sidebar.",控除
+To create a Bank Account:,社員タイプ
+To create a Tax Account:,行のアイテム{0}のために必要な量{1}
+"To create an Account Head under a different company, select the company and save customer.",メッセージのURLパラメータを入力してください
+To date cannot be before from date,不動産
+To enable Point of Sale features,承認者を残す
+To enable Point of Sale view,マージン
+To get Item Group in details table,現在の請求書の期間の開始日
+"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",日付週刊降りる
+"To merge, following properties must be same for both items",年度開始日と会計年度が保存されると決算日を変更することはできません。
+"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.",数量単位
+"To set this Fiscal Year as Default, click on 'Set as Default'",[既定値としてこの事業年度に設定するには、「デフォルトに設定」をクリックしてください
+To track any installation or commissioning related work after sales,実際の日付
+"To track brand name in the following documents Delivery Note, Opportunity, Material Request, Item, Purchase Order, Purchase Voucher, Purchaser Receipt, Quotation, Sales Invoice, Sales BOM, Sales Order, Serial No",バッチ式バランス歴史
+To track item in sales and purchase documents based on their serial nos. This is can also used to track warranty details of the product.,顧客への出荷。
+To track items in sales and purchase documents with batch nos
Preferred Industry: Chemicals etc,クラス/パーセンテージ +To track items using barcode. You will be able to enter items in Delivery Note and Sales Invoice by scanning barcode of item.,バーコードを使用してアイテムを追跡します。あなたはアイテムのバーコードをスキャンして納品書や売上請求書の項目を入力することができます。 +Tools,サブ契約項目です +Total,合計 +Total Advance,RECD数量 +Total Allocated Amount,Earning1 +Total Allocated Amount can not be greater than unmatched amount,バランスシート +Total Amount,予想される終了日 +Total Amount To Pay,着信レート +Total Amount in Words,リード所有者 +Total Billing This Year: , +Total Characters,総キャラクター +Total Claimed Amount,カスタム +Total Commission,SMSログ +Total Cost,{1}詳細 +Total Credit,出来高仕事 +Total Debit,お客様は、同じ名前で存在 +Total Debit must be equal to Total Credit. The difference is {0},合計デビットは総功績に等しくなければなりません。違いは、{0} +Total Deduction,合計控除 +Total Earning,マッチングツールの詳細を請求書への支払い +Total Experience,総経験 +Total Hours,「利用可能な」状態とシリアル番号のみを配信することができます。 +Total Hours (Expected),POSの設定{0}はすでにユーザのために作成しました:{1}と会社{2} +Total Invoiced Amount,合計請求された金額 +Total Leave Days,1 顧客ごとの商品コードを維持するために、それらのコード使用このオプションに基づいてそれらを検索可能に +Total Leaves Allocated,割り当てられた全葉 +Total Message(s),研究開発 +Total Operating Cost,`%d個の日数よりも小さくすべきであるより古い`フリーズ株式。 +Total Points,合計ポイント +Total Raw Material Cost,呼び出します +Total Sanctioned Amount,のDocTypeを選択 +Total Score (Out of 5),アイテム画像(スライドショーされていない場合) +Total Tax (Company Currency),合計税(企業通貨) +Total Taxes and Charges,社員番号 +Total Taxes and Charges (Company Currency),合計税および充満(会社通貨) +Total Working Days In The Month,手付金 +Total allocated percentage for sales team should be 100,項目ウェブサイトの仕様 +Total amount of invoices received from suppliers during the digest period,配達をする +Total amount of invoices sent to the customer during the digest period,ダイジェスト期間中に顧客に送られた請求書の合計額 +Total cannot be zero,インターネット出版 +Total in words,Dropboxのと同期 +Total points for all goals should be 100. It is {0},発行日 +Total valuation for manufactured or repacked item(s) can not be less than total valuation of raw materials,費用勘定をご入力ください。 +Total weightage assigned should be 100%. It is {0},ユーザー{0}はすでに従業員に割り当てられている{1} +Totals,控除の種類 +Track Leads by Industry Type.,低所得 +Track this Delivery Note against any Project,月給登録 +Track this Sales Order against any Project,郵便 +Transaction,貸付金(資産) +Transaction Date,サプライヤの請求日 +Transaction not allowed against stopped Production Order {0},さらに処理するために、この製造指図書を提出。 +Transfer,生産のためにリリース受注。 +Transfer Material,ストック値の差 +Transfer Raw Materials,GETオプションを展開するためのオプションを取得するためのリンクをクリックしてください +Transferred Qty,新規作成 +Transportation,デフォルトのアイテムグループ +Transporter Info,テクノロジー +Transporter Name,{0} {1}:コストセンターではアイテムのために必須である{2} +Transporter lorry number,株式経費 +Travel,必要です +Travel Expenses,都道府県 +Tree Type,住所と連絡先 +Tree of Item Groups.,トランザクションを販売するための税のテンプレート。 +Tree of finanial Cost Centers.,アイテムワイズ税の詳細 +Tree of finanial accounts.,アイテムの単一のユニット。 +Trial Balance,終値 +Tuesday,順序型 +Type,販売サイクル全体で同じ速度を維持 +Type of document to rename.,会社の電子メールIDが見つからない、したがって送信されませんメール +"Type of leaves like casual, sick etc.",住所·お問い合わせ +Types of Expense Claim.,このアドレスが所属する個人または組織の名前。 +Types of activities for Time Sheets,元の金額 +"Types of employment (permanent, contract, intern etc.).",オフィス +UOM Conversion Detail,示唆 +UOM Conversion Details,UOMコンバージョンの詳細 +UOM Conversion Factor,UOM換算係数 +UOM Conversion factor is required in row {0},UOM換算係数は、行に必要とされる{0} +UOM Name,項目ウェブサイトの仕様 +UOM coversion factor required for UOM: {0} in Item: {1},ユーザー名またはサポートパスワード欠落している。入力してから、もう一度やり直してください。 +Under AMC,AMCの下で +Under Graduate,組織 +Under Warranty,氏名 +Unit,このアカウントは顧客、サプラ​​イヤーや従業員を表している場合は、ここで設定します。 +Unit of Measure,1通貨= [?]分数の\フォーム記入の例えば1ドル= 100セント +Unit of Measure {0} has been entered more than once in Conversion Factor Table,完成した数量 +"Unit of measurement of this item (e.g. Kg, Unit, No, Pair).",控除税および充満 +Units/Hour,単位/時間 +Units/Shifts,タスクの詳細 +Unmatched Amount,比類のない金額 +Unpaid,未払い +Unscheduled,この項目を製造するためにあなたの供給者に原料を供給した場合、「はい」を選択します。 +Unsecured Loans,リファレンスノー·基準日は、{0}に必要です +Unstop,原材料供給コスト +Unstop Material Request,ジャーナルバウチャーに対する +Unstop Purchase Order,栓を抜く発注 +Unsubscribed,購読解除 +Update,バックアップはにアップロードされます +Update Clearance Date,アップデートクリアランス日 +Update Cost,タスクの時間ログインします。 +Update Finished Goods,引用ロスト理由 +Update Landed Cost,更新はコストを上陸させた +Update Series,当社は、倉庫にありません{0} +Update Series Number,アップデートシリーズ番号 +Update Stock,従業員マスタ。 +"Update allocated amount in the above table and then click ""Allocate"" button",アップデート上記の表に金額を割り当てられた後、「割り当て」ボタンをクリックしてください +Update bank payment dates with journals.,原料商品コード +Update clearance date of Journal Entries marked as 'Bank Vouchers',コストセンターのチャート +Updated,更新しました。 +Updated Birthday Reminders,によって作成される従業員レコード +Upload Attendance,出席をアップロードする +Upload Backups to Dropbox,カジュアル、病気などのような葉の種類 +Upload Backups to Google Drive,評価レート +Upload HTML,保証期間が切れて +Upload a .csv file with two columns: the old name and the new name. Max 500 rows.,販売オーダーメッセージ +Upload attendance from a .csv file,倉庫。 +Upload stock balance via csv.,CSV経由での在庫残高をアップロードします。 +Upload your letter head and logo - you can edit them later.,エラーが発生しました。一つの可能​​性の高い原因は、フォームを保存していないことが考えられます。問題が解決しない場合はsupport@erpnext.comにお問い合わせください。 +Upper Income,アッパー所得 +Urgent,最初のアカウントを選択してください。 +Use Multi-Level BOM,旅費 +Use SSL,教育 +User,カートに入れる +User ID,新しい名言 +User ID not set for Employee {0},完了状況 +User Name,この通貨のシンボル。例えば$のための +User Name or Support Password missing. Please enter and try again.,あなたは、バックアップの頻度を選択し、同期のためのアクセス権を付与することから始めることができます +User Remark,下請け購入時の領収書のための必須の供給業者の倉庫 +User Remark will be added to Auto Remark,失われたように引用がなされているので、宣言することはできません。 +User Remarks is mandatory,ユーザーは必須です備考 +User Specific,顧客マスター。 +User must always select,ユーザーは常に選択する必要があります +User {0} is already assigned to Employee {1},アカウントの残高は{0}は常に{1}でなければなりません +User {0} is disabled,8を読んだ +Username,金融サービス +Users with this role are allowed to create / modify accounting entry before frozen date,あなたが鑑定を作成している誰のために従業員を選択します。 +Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,今回はログは{0}と競合 +Utilities,前払 +Utility Expenses,(半日) +Valid For Territories,ターゲットDetails1 +Valid From,クレジットカードのバウチャー +Valid Upto,有効な点で最大 +Valid for Territories,準州の有効な +Validate,小売 +Valuation,アイテム{0}に必要な発注数 +Valuation Method,銀行/キャッシュバランス +Valuation Rate,鉛の発生源は、キャンペーンの場合はキャンペーン名を入力してください。 +Valuation Rate required for Item {0},説明HTMLを生成 +Valuation and Total,楽天市場を作る。スケジュール・ +Value,総メッセージ(S) +Value or Qty,値または数量 +Vehicle Dispatch Date,購入時の領収書が必要な +Vehicle No,マルチレベルのBOMを使用 +Venture Capital,進角量 +Verified By,が必要とする +View Ledger,設定されていません +View Now,今すぐ見る +Visit report for maintenance call.,メンテナンスコールのレポートをご覧ください。 +Voucher #,株式の残高が更新 +Voucher Detail No,バウチャーの詳細はありません +Voucher ID,部品表(BOM) +Voucher No,推定材料費 +Voucher No is not valid,有効な電子メールIDを入力してください +Voucher Type,略語は、5つ以上の文字を使用することはできません +Voucher Type and Date,製造または再包装する項目 +Walk In,Dropboxのへのバックアップをアップロードする +Warehouse,展示会 +Warehouse Contact Info,同社に登録された電子メールIDを提供 +Warehouse Detail,アカウント詳細 +Warehouse Name,人事 +Warehouse and Reference,時間に +Warehouse can not be deleted as stock ledger entry exists for this warehouse.,サプライヤー +Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,既存の顧客 +Warehouse cannot be changed for Serial No.,倉庫は、車台番号を変更することはできません +Warehouse is mandatory for stock Item {0} in row {1},システム設定 +Warehouse is missing in Purchase Order,タイムゾーン +Warehouse not found in the system,自動材料要求の作成時にメールで通知して +Warehouse required for stock Item {0},倉庫に連絡しなさい +Warehouse where you are maintaining stock of rejected items,ブランチ (branch) +Warehouse {0} can not be deleted as quantity exists for Item {1},ボックス +Warehouse {0} does not belong to company {1},受信機のパラメータ +Warehouse {0} does not exist,出席日 +Warehouse-Wise Stock Balance,出荷ルール +Warehouse-wise Item Reorder,お問い合わせのHTML +Warehouses,倉庫 +Warehouses.,のウェブサイト上で公開:{0} +Warn,当社は必要とされている +Warning: Leave application contains following block dates,警告:アプリケーションは以下のブロック日付が含まれたままに +Warning: Material Requested Qty is less than Minimum Order Qty,既存のトランザクションを持つアカウントを削除することはできません +Warning: Sales Order {0} already exists against same Purchase Order number,警告:受注{0}はすでに同じ発注番号に対して存在 +Warning: System will not check overbilling since amount for Item {0} in {1} is zero,数量を受け取った +Warranty / AMC Details,時間あたりの消耗品のコスト +Warranty / AMC Status,インセンティブ +Warranty Expiry Date,金額 +Warranty Period (Days),充電 +Warranty Period (in days),目標量 +We buy this Item,そして友人たち! +We sell this Item,ルート型は必須です +Website,シリアル番号/バッチ +Website Description,あなたは、サブの原料を発行している供給業者の倉庫 - 請負 +Website Item Group,ウェブサイトの項目グループ +Website Item Groups,そのため、これはマスターが有効である税金、領土のリストを指定 +Website Settings,作成されないアドレスません +Website Warehouse,Credentials +Wednesday,レシーバー·リスト +Weekly,毎週 +Weekly Off,毎週オフ +Weight UOM,素材要求を停止します +"Weight is mentioned,\nPlease mention ""Weight UOM"" too", +Weightage,仕入送り状 +Weightage (%),このアイテムを受け取ったり提供しながら、許可される量の割合の変化。 +Welcome,高齢化日付 +Welcome to ERPNext. Over the next few minutes we will help you setup your ERPNext account. Try and fill in as much information as you have even if it takes a bit longer. It will save you a lot of time later. Good Luck!,ERPNextへようこそ。次の数分間にわたって、私たちはあなたのセットアップあなたERPNextアカウントを助ける。試してみて、あなたはそれは少し時間がかかる場合でも、持っているできるだけ多くの情報を記入。それは後にあなたに多くの時間を節約します。グッドラック! +Welcome to ERPNext. Please select your language to begin the Setup Wizard.,ERPNextへようこそ。セットアップウィザードを開始するためにあなたの言語を選択してください。 +What does it do?,アイテムサプライヤー +"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.",予約済み倉庫 +"When submitted, the system creates difference entries to set the given stock and valuation on this date.",組織単位(部門)のマスター。 +Where items are stored.,会計処理のデフォルト設定。 +Where manufacturing operations are carried out.,リードソース +Widowed,夫と死別した +Will be calculated automatically when you enter the details,[詳細]を入力すると自動的に計算されます +Will be updated after Sales Invoice is Submitted.,納品書が送信された後に更新されます。 +Will be updated when batched.,バッチ処理時に更新されます。 +Will be updated when billed.,支払い +Wire Transfer,新しいプロジェクト +With Operations,アイテム{0}の開始日と終了日を選択してください +With period closing entry,年間の開始日 +Work Details,署名 +Work Done,株式受信したが銘打たれていません +Work In Progress,進行中の作業 +Work-in-Progress Warehouse,転送数量 +Work-in-Progress Warehouse is required before Submit,承認済 +Working,出荷アカウント +Workstation,品質管理 +Workstation Name,キャンペーン名が必要です +Write Off Account,アカウントを償却 +Write Off Amount,文字列として品目マスタからフェッチされ、このフィールドに格納されている税の詳細テーブル。\税金、料金のためにN usedは +Write Off Amount <=,小切手 +Write Off Based On,オート素材リクエスト +Write Off Cost Center,負の評価レートは、許可されていません +Write Off Outstanding Amount,きっかけを作る +Write Off Voucher,販売注文を取得 +Wrong Template: Unable to find head row.,レコード項目の移動。 +Year,承認ステータスは「承認」または「拒否」されなければならない +Year Closed,倉庫 +Year End Date,決算日 +Year Name,お知らせ(日) +Year Start Date,Dropbox +Year of Passing,{0}行{1}ランチ量はアイテムの量と等しくなければなりません +Yearly,標準購入 +Yes,大学院 +You are not authorized to add or update entries before {0},あなたは前にエントリを追加または更新する権限がありません{0} +You are not authorized to set Frozen value,あなたが拒否されたアイテムのストックを維持している倉庫 +You are the Expense Approver for this record. Please Update the 'Status' and Save,あなたは、このレコードの経費承認者である。「ステータス」を更新し、保存してください +You are the Leave Approver for this record. Please Update the 'Status' and Save,詳細情報 +You can enter any date manually,手動で任意の日付を入力することができます +You can enter the minimum quantity of this item to be ordered.,通貨と価格表 +You can not assign itself as parent account,株式元帳が更新残高エントリ +You can not change rate if BOM mentioned agianst any item,行政官 +You can not enter both Delivery Note No and Sales Invoice No. Please enter any one.,本当にこの素材リクエスト栓を抜くようにしたいですか? +You can not enter current voucher in 'Against Journal Voucher' column,数量や倉庫 +You can set Default Bank Account in Company master,詳細テーブルで項目グループを取得するには +You can start by selecting backup frequency and granting access for sync,オポチュニティから +You can submit this Stock Reconciliation.,csvファイルからの出席をアップロードする +You can update either Quantity or Valuation Rate or both.,あなたは、数量または評価レートのいずれか、または両方を更新することができます。 +You cannot credit and debit same account at the same time,バックアップマネージャ +You have entered duplicate items. Please rectify and try again.,オフィスの維持費 +You may need to update: {0},デフォルトの評価方法 +You must Save the form before proceeding,品質検査 +You must allocate amount before reconcile,Equity +Your Customer's TAX registration numbers (if applicable) or any general information,価格表の通貨 +Your Customers,あなたの顧客 +Your Login Id,従業員レコードが選択されたフィールドを使用して作成されます。 +Your Products or Services,アパレル&アクセサリー +Your Suppliers,販売登録 +Your email address,国 +Your financial year begins on,これは、ルートの領土であり、編集できません。 +Your financial year ends on,サプライヤー住所 +Your sales person who will contact the customer in future,学術研究 +Your sales person will get a reminder on this date to contact the customer,あなたの営業担当者は、顧客に連絡することをこの日にリマインダが表示されます +Your setup is complete. Refreshing...,あなたのサポートの電子メールIDは、 - 有効な電子メールである必要があります - あなたの電子メールが来る場所です! +Your support email id - must be a valid email - this is where your emails will come!,あなたが親勘定としての地位を割り当てることはできません +[Select],求職者 +`Freeze Stocks Older Than` should be smaller than %d days.,して、プロット +and,申し訳ありませんが、企業はマージできません +are not allowed.,{0}を設定してください +assigned by,アイテム税務行は{0}型の税や収益または費用や課金のアカウントが必要です +"e.g. ""Build tools for builders""",を除く特殊文字「 - 」や「/」シリーズの命名では使用できません +"e.g. ""MC""",お届けする数量 +"e.g. ""My Company LLC""",接頭辞 +e.g. 5,「はい」を選択すると、シリアル番号のマスターで表示することができます。このアイテムの各エンティティに一意のIDを提供します。 +"e.g. Bank, Cash, Credit Card",サプライヤー +"e.g. Kg, Unit, Nos, m",新規購入の領収書 +e.g. VAT,購入単位あたりに消費 +eg. Cheque Number,デフォルトのサプライヤ +example: Next Day Shipping,例:翌日発送 +lft,LFT +old_parent,old_parent +rgt,受信可能にするためのアイテムを購入する +website page link,のDropbox Pythonモジュールをインストールしてください +{0} '{1}' not in Fiscal Year {2},ウェブサイト +{0} Credit limit {0} crossed,{0}与信限度{0}交差 +{0} Serial Numbers required for Item {0}. Only {0} provided.,アイテム{0}販売項目でなければなりません +{0} budget for Account {1} against Cost Center {2} will exceed by {3},{0}コストセンターに対するアカウントの予算{1}が{2} {3}で超えてしまう +{0} can not be negative,データベースフォルダID +{0} created,アカウントは{0}会社に所属していない{1} +{0} does not belong to Company {1},{0}会社に所属していない{1} +{0} entered twice in Item Tax,さらにアカウントがグループの下で行うことができますが、エントリは総勘定に対して行うことができます +{0} is an invalid email address in 'Notification Email Address',期日後にすることはできません{0} +{0} is mandatory,{0}は必須です +{0} is mandatory for Item {1},チェックすると、既に印刷速度/印刷量が含まれるように、税額が考慮されます +{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,SSLを使用する +{0} is not a stock Item,{0}の在庫項目ではありません +{0} is not a valid Batch Number for Item {1},親アカウントは存在しません +{0} is not a valid Leave Approver. Removing row #{1}.,退職日は、接合の日付より大きくなければなりません +{0} is not a valid email id,接触していない +{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0}、デフォルト年度です。変更を有効にするためにブラウザを更新してください。 +{0} is required,{0}が必要である +{0} must be a Purchased or Sub-Contracted Item in row {1},の提出上の電子メールのプロンプト +{0} must be less than or equal to {1},{0}以下に等しくなければなりません{1} +{0} must have role 'Leave Approver',プロセスの給与 +{0} valid serial nos for Item {1},トラックは、産業の種類によってリード。 +{0} {1} against Bill {2} dated {3},どのようにこの通貨は、フォーマットする必要があります?設定されていない場合は、システムデフォルトを使用します +{0} {1} against Invoice {2},株式を更新 +{0} {1} has already been submitted,顧客は、{0}が存在しません +{0} {1} has been modified. Please refresh.,「事件番号から 'は有効を指定してください +{0} {1} is not submitted,{0} {1}は送信されません +{0} {1} must be submitted,メッセージ +{0} {1} not in any Fiscal Year,ユーザに許可 +{0} {1} status is 'Stopped',購入の請求書に対する +{0} {1} status is Stopped,ご購入の請求書を保存するとすれば見えるようになります。 +{0} {1} status is Unstopped,アイテムの詳細 +{0} {1}: Cost Center is mandatory for Item {2},{0}行{1}で購入または下請項目でなければなりません diff --git a/erpnext/translations/ru.csv b/erpnext/translations/ru.csv new file mode 100644 index 0000000000..78b4b0aecb --- /dev/null +++ b/erpnext/translations/ru.csv @@ -0,0 +1,3278 @@ + (Half Day), + and year: , +""" does not exists",По умолчанию BOM +% Delivered,Не можете переносить {0} +% Amount Billed,Зарезервировано Склад в заказ клиента отсутствует +% Billed,Поставленные товары быть выставлен счет +% Completed,Счет-фактура Нет +% Delivered,Пассивный +% Installed,Шаблоном Зарплата. +% Received,Рабочая станция +% of materials billed against this Purchase Order.,Открытие Время +% of materials billed against this Sales Order,Может быть одобрено {0} +% of materials delivered against this Delivery Note,Фильтр на основе клиента +% of materials delivered against this Sales Order,Дата начала +% of materials ordered against this Material Request,Фактическое начало Дата +% of materials received against this Purchase Order,"Пожалуйста, введите выпуска изделия сначала" +'Actual Start Date' can not be greater than 'Actual End Date',"Поставщик (продавец) имя, как вступил в мастер поставщиком" +'Based On' and 'Group By' can not be same,% Установленная +'Days Since Last Order' must be greater than or equal to zero,Выбор языка +'Entries' cannot be empty,Пожалуйста вытяните элементов из накладной +'Expected Start Date' can not be greater than 'Expected End Date',Против Doctype +'From Date' is required,{0} не является акционерным Пункт +'From Date' must be after 'To Date',Зарплата Структура Вычет +'Has Serial No' can not be 'Yes' for non-stock item,Связаться с мастером. +'Notification Email Addresses' not specified for recurring invoice,Элемент +'Profit and Loss' type account {0} not allowed in Opening Entry,Время входа {0} должен быть 'Представленные' +'To Case No.' cannot be less than 'From Case No.',Покупка Налоги и сборы Мастер +'To Date' is required,"не Вы не можете войти как Delivery Note Нет и Расходная накладная номер Пожалуйста, введите любой." +'Update Stock' for Sales Invoice {0} must be set,Отправить автоответчике +* Will be calculated in the transaction.,Источник Склад +"1 Currency = [?] Fraction +For e.g. 1 USD = 100 Cent",Запланируйте для посещения технического обслуживания. +1. To maintain the customer wise item code and to make them searchable based on their code use this option,Серийный номер является обязательным для п. {0} +"
Add / Edit",{0} требуется +"Add / Edit",Из накладной +"Add / Edit",Валюта необходима для Прейскурантом {0} +"

Default Template

+

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

+
{{ address_line1 }}<br>
+{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}
+{{ city }}<br>
+{% if state %}{{ state }}<br>{% endif -%}
+{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}
+{{ country }}<br>
+{% if phone %}Phone: {{ phone }}<br>{% endif -%}
+{% if fax %}Fax: {{ fax }}<br>{% endif -%}
+{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
+
",О передаче материала +A Customer Group exists with same name please change the Customer name or rename the Customer Group,Работа-в-Прогресс Склад +A Customer exists with same name,Замужем +A Lead with this email id should exist,Проектированный +A Product or Service,"Продажа должна быть проверена, если выбран Применимо для как {0}" +A Supplier exists with same name,Времени создания +A symbol for this currency. For e.g. $,Отправить Сейчас +AMC Expiry Date,Цель +Abbr,Настоящее. +Abbreviation cannot have more than 5 characters,Оставьте утверждающий должен быть одним из {0} +Above Value,Произвести оценку +Absent,Инструкции +Acceptance Criteria,Фондовые активы +Accepted,Фото со Регулировка счета +Accepted + Rejected Qty must be equal to Received quantity for Item {0},Статус доставки +Accepted Quantity,По крайней мере один склад является обязательным +Accepted Warehouse,Тема +Account,Время выполнения Дата +Account Balance,Оставьте Тип +Account Created: {0},Адрес сервисного центра +Account Details,Закрыть баланс и книга прибыли или убытка. +Account Head,Валюта +Account Name,Мы продаем этот товар +Account Type,"Тогда ценообразование Правила отфильтровываются на основе Заказчика, Группа клиентов, Территория, поставщиков, Тип Поставщик, Кампания, Партнеры по сбыту и т.д." +"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'",Не показывать любой символ вроде $ и т.д. рядом с валютами. +"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",По крайней мере один из продажи или покупки должен быть выбран +Account for the warehouse (Perpetual Inventory) will be created under this Account.,"Пожалуйста, выберите префикс первым" +Account head {0} created,Добавить складских остатков с помощью CSV. +Account must be a balance sheet account,Текущая стоимость +Account with child nodes cannot be converted to ledger,Ожидаемая дата не может быть до Материал Дата заказа +Account with existing transaction can not be converted to group.,Стандартный Продажа +Account with existing transaction can not be deleted,Является ли переносить +Account with existing transaction cannot be converted to ledger,"Пожалуйста, укажите кол-во посещений, необходимых" +Account {0} cannot be a Group,"Оставьте пустым, если рассматривать для всех отделов" +Account {0} does not belong to Company {1},Ваучер +Account {0} does not exist,Имя Пользователя +Account {0} has been entered more than once for fiscal year {1},Регистрационные номера Налог вашего клиента (если применимо) или любой общая информация +Account {0} is frozen,Овдовевший +Account {0} is inactive,Существует клиентов с одноименным названием +Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item,Расходов претензии Отклонен Сообщение +"Account: {0} can only be updated via \ + Stock Transactions",Остановить пользователям вносить Leave приложений на последующие дни. +Accountant,"Деталь должен быть пункт покупки, так как он присутствует в одном или нескольких активных спецификаций" +Accounting,По словам будет виден только вы сохраните заказ на поставку. +"Accounting Entries can be made against leaf nodes, called",Новый +"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.",Примирение JSON +Accounting journal entries.,Время входа Пакетная Подробно +Accounts,Нет отправленных SMS +Accounts Browser,квартал +Accounts Frozen Upto,Периодическое Тип +Accounts Payable,% Объявленный +Accounts Receivable,"Заказал пунктов, которые будут Объявленный" +Accounts Settings,Пользователи +Active,Создание банка Ваучер на общую зарплату заплатили за вышеуказанных выбранным критериям +Active: Will extract emails from , +Activity,Счет Период С даты +Activity Log,Количество Заказ клиента +Activity Log:,Браузер по продажам +Activity Type,Универмаги +Actual,Время Log Пакетные Подробнее +Actual Budget,Еда +Actual Completion Date,Суббота +Actual Date,"Общая сумма счетов-фактур, полученных от поставщиков в период дайджест" +Actual End Date,Дебиторская задолженность +Actual Invoice Date,"например, НДС" +Actual Posting Date,Успешная: +Actual Qty,Финансовый год Дата начала и финансовый год Дата окончания не может быть больше года друг от друга. +Actual Qty (at source/target),Фактический Кол-во +Actual Qty After Transaction,Настройки по умолчанию +Actual Qty: Quantity available in the warehouse.,№ партии +Actual Quantity,Обновлен День рождения Напоминания +Actual Start Date,"Пожалуйста, введите Склад для которых Материал Запрос будет поднят" +Add,Пункт {0} отменяется +Add / Edit Taxes and Charges,Причиной отставки +Add Child,"Нет Расходные утверждающих. Пожалуйста, назначить ""расходов утверждающего"" роли для по крайней мере одного пользователя" +Add Serial No,По умолчанию Склад является обязательным для складе Пункт. +Add Taxes,"Для, например 2012, 2012-13" +Add Taxes and Charges,Количество сотовых +Add or Deduct,Год Имя +Add rows to set annual budgets on Accounts.,Материал Поступление +Add to Cart,Пункт Подробная информация о поставщике +Add to calendar on this date,ТАК Кол-во +Add/Remove Recipients,Текущий BOM +Address,Сроки и условиях1 +Address & Contact,Сделать Зарплата Слип +Address & Contacts,Потрясающие Продукты +Address Desc,Выдающийся для {0} не может быть меньше нуля ({1}) +Address Details,Инвестиционно-банковская деятельность +Address HTML,Новые Котировки Поставщик +Address Line 1,Кол-во для передачи +Address Line 2,Возможность От +Address Template,"Компания, месяц и финансовый год является обязательным" +Address Title,Доступные Stock для упаковки товаров +Address Title is mandatory.,Это корневая группа клиентов и не могут быть изменены. +Address Type,Импорт успешным! +Address master.,Цитата Сообщение +Administrative Expenses,Корневая не может иметь родителей МВЗ +Administrative Officer,Либо целевой Количество или целевое количество является обязательным. +Advance Amount,Зарплата скольжения Заработок +Advance amount,"Показать все отдельные элементы, поставляемые с основных пунктов" +Advances,Направлено на +Advertisement,"Пожалуйста, введите ТОВАРНЫЙ ЧЕК Нет, чтобы продолжить" +Advertising,"Фото со Примирение может быть использован для обновления запасов на определенную дату, как правило, в соответствии с физической инвентаризации." +Aerospace,От стоимости +After Sale Installations,Коммунальные расходы +Against,Факс: +Against Account,Добавить дочерний +Against Bill {0} dated {1},Формирует HTML включить выбранное изображение в описании +Against Docname,Отрицательный Ошибка со ({6}) по пункту {0} в Склад {1} на {2} {3} в {4} {5} +Against Doctype,Единицы / час +Against Document Detail No,Цель по умолчанию Склад +Against Document No,"Выберите, кем вы хотите отправить этот бюллетень" +Against Entries,Mесяц +Against Expense Account,Бренд +Against Income Account,Забыли Причина +Against Journal Voucher,Краткая биография для веб-сайта и других изданий. +Against Journal Voucher {0} does not have any unmatched {1} entry,Перекрытие условия найдено между: +Against Purchase Invoice,Оценка Оцените требуется для Пункт {0} +Against Sales Invoice,замороженные +Against Sales Order,Склад-Мудрый со Баланс +Against Voucher,Заказчик / Ведущий Имя +Against Voucher Type,Склад является обязательным для складе Пункт {0} в строке {1} +Ageing Based On,"Вы действительно хотите, чтобы остановить" +Ageing Date is mandatory for opening entry,Для Прейскурантом +Ageing date is mandatory for opening entry,"Если отмечено, спецификации для суб-монтажными деталями будут рассмотрены для получения сырья. В противном случае, все элементы В сборе будет рассматриваться в качестве сырья." +Agent,Вес нетто +Aging Date,Партнеры по сбыту целям +Aging Date is mandatory for opening entry,Цены Правила дополнительно фильтруются на основе количества. +Agriculture,Если доходов или расходов +Airline,Гарантийный срок (дней) +All Addresses.,Материал Запрос максимума {0} могут быть сделаны для Пункт {1} против Заказ на продажу {2} +All Contact,Аукционы в Интернете +All Contacts.,Пункт будет сохранен под этим именем в базе данных. +All Customer Contact,Адрес (2-я строка) +All Customer Groups,Производственный заказ {0} должно быть отменено до отмены этого заказ клиента +All Day,Autoreply при получении новой почты +All Employee (Active),Синхронизация Поддержка письма +All Item Groups,Серийный Номер серии +All Lead (Open),Тип обслуживание +All Products or Services.,"Пожалуйста, выберите категорию первый" +All Sales Partner Contact,Покупка Сумма +All Sales Person,Время входа Пакетный +All Supplier Contact,Размер выборки +All Supplier Types,Bundle детали на момент продажи. +All Territories,Возможность Забыли +"All export related fields like currency, conversion rate, export total, export grand total etc are available in Delivery Note, POS, Quotation, Sales Invoice, Sales Order etc.",Финики +"All import related fields like currency, conversion rate, import total, import grand total etc are available in Purchase Receipt, Supplier Quotation, Purchase Invoice, Purchase Order etc.","Счет {0} должен быть типа ""Fixed Asset"", как товара {1} является активом Пункт" +All items have already been invoiced,Место выдачи +All these items have already been invoiced,Сотрудники Email ID +Allocate,"Пункт Группа существует с тем же именем, пожалуйста, измените имя элемента или переименовать группу товаров" +Allocate Amount Automatically,Синхронизация с Google Drive +Allocate leaves for a period.,"Пожалуйста, введите адрес электронной почты," +Allocate leaves for the year.,Настройки по умолчанию для продажи сделок. +Allocated Amount,Получить Наличие на складе +Allocated Budget,"Для установки в этом финансовом году, как по умолчанию, нажмите на кнопку ""Установить по умолчанию""" +Allocated amount,"Пожалуйста, выберите компанию в первую очередь." +Allocated amount can not be negative,"Копия записи. Пожалуйста, проверьте Авторизация Правило {0}" +Allocated amount can not greater than unadusted amount,Дубликат Серийный номер вводится для Пункт {0} +Allow Bill of Materials,Ряд {0}: Дебет запись не может быть связан с продаж счета-фактуры +Allow Bill of Materials should be 'Yes'. Because one or many active BOMs present for this item,Получить спецификации подробно +Allow Children,Важно +Allow Dropbox Access,Клиент +Allow Google Drive Access,Новые листья Выделенные (в днях) +Allow Negative Balance,Контактное Лицо +Allow Negative Stock,Для пакета № +Allow Production Order,Среда +Allow User,не Серийный Нет Положение +Allow Users,Инженер +Allow the following users to approve Leave Applications for block days.,"Выберите шаблон, из которого вы хотите получить Целей" +Allow user to edit Price List Rate in transactions,Поступило Дата +Allowance Percent,Действительно для территорий +Allowance for over-delivery / over-billing crossed for Item {0},Установка Примечание Пункт +Allowance for over-delivery / over-billing crossed for Item {0}.,Заметье +Allowed Role to Edit Entries Before Frozen Date,"""Ожидаемый Дата начала 'не может быть больше, чем"" Ожидаемый Дата окончания'" +Amended From,Счет по продажам Написать письмо +Amount,В Слов (Экспорт) будут видны только вы сохраните накладной. +Amount (Company Currency),Часовой разряд +Amount <=,Компьютеры +Amount >=,Источник склад является обязательным для ряда {0} +Amount to Bill,Новый BOM +An Customer exists with same name,Промышленность +"An Item Group exists with same name, please change the item name or rename the item group",Это Пакетная Время Лог был отменен. +"An item exists with same name ({0}), please change the item group name or rename the item",Отдельный производственный заказ будет создан для каждого готового хорошего пункта. +Analyst,Добавить в календарь в этот день +Annual,"Вы не можете изменить скорость, если спецификации упоминается agianst любого элемента" +Another Period Closing Entry {0} has been made after {1},! Экспорт +Another Salary Structure {0} is active for employee {0}. Please make its status 'Inactive' to proceed.,Ожидаемая дата поставки не может быть до заказа на Дата +"Any other comments, noteworthy effort that should go in the records.",Бренд +Apparel & Accessories,Авторизация Правило +Applicability,Заказ на продажу товара +Applicable For,{0} {1} против Invoice {2} +Applicable Holiday List,"% Материалов, вынесенных против этой накладной" +Applicable Territory,Налоговые активы +Applicable To (Designation),"Там может быть только один Правило Начальные с 0 или пустое значение для ""To Размер""" +Applicable To (Employee),Человек по продажам Имя +Applicable To (Role),"Даже если есть несколько правил ценообразования с наивысшим приоритетом, то следующие внутренние приоритеты применяются:" +Applicable To (User),Игнорировать +Applicant Name,Постоянный адрес Является +Applicant for a Job.,Itemwise Скидка +Application of Funds (Assets),Miscelleneous +Applications for leave.,Новые запросы +Applies to Company,Склад и справочники +Apply On,Фактический Дата проводки +Appraisal,Доступен Кол-во на склад +Appraisal Goal,"Перейти к соответствующей группе (обычно использования средств> оборотных средств> Банковские счета и создать новый лицевой счет (нажав на Добавить дочерний) типа ""банк""" +Appraisal Goals,Отличия (д-р - Cr) +Appraisal Template,С графиком технического обслуживания +Appraisal Template Goal,"Можете обратиться строку, только если тип заряда «О Предыдущая сумма Row» или «Предыдущая Row Всего""" +Appraisal Template Title,"Нет умолчанию Адрес шаблона не найдено. Пожалуйста, создайте новый из Setup> Печать и брендинга> Адресная шаблон." +Appraisal {0} created for Employee {1} in the given date range,Печать и стационарное +Apprentice,Покупка +Approval Status,Периодическое Id +Approval Status must be 'Approved' or 'Rejected',Нет доступа +Approved," Добавить / Изменить " +Approver,Завершено +Approving Role,Ежемесячная посещаемость Лист +Approving Role cannot be same as role the rule is Applicable To,Техподдержки +Approving User,{0} {1} не представлено +Approving User cannot be same as user the rule is Applicable To,Преобразовать в Леджер +Are you sure you want to STOP , +Are you sure you want to UNSTOP , +Arrear Amount,Установка завершена. Обновление... +"As Production Order can be made for this item, it must be a stock item.","Вес упоминается, \ nПожалуйста упомянуть ""Вес UOM"" слишком" +As per Stock UOM,{0} вводится дважды в пункт налоге +"As there are existing stock transactions for this item, you can not change the values of 'Has Serial No', 'Is Stock Item' and 'Valuation Method'",Прикрепите бланке +Asset,Переносить +Assistant,Освобождение Предел +Associate,Публичный +Atleast one of the Selling or Buying must be selected,Завершенные Производственные заказы +Atleast one warehouse is mandatory,Покупка чеков товары +Attach Image,Представленный +Attach Letterhead,Изменить +Attach Logo,Применимо для +Attach Your Picture,Управление стоимость операций +Attendance,Поставщик Цитата Пункт +Attendance Date,Против ваучером +Attendance Details,Пакетная (много) элемента. +Attendance From Date,Является POS +Attendance From Date and Attendance To Date is mandatory,"Этот формат используется, если конкретный формат страна не найден" +Attendance To Date,Выберите Заказы из которого вы хотите создать производственных заказов. +Attendance can not be marked for future dates,Пункт Единица измерения +Attendance for employee {0} is already marked,PL или BS +Attendance record.,MTN Подробнее +Authorization Control,Показать В веб-сайте +Authorization Rule,Выше стоимости +Auto Accounting For Stock Settings,Освобождение Дата должна быть больше даты присоединения +Auto Material Request,Войти +Auto-raise Material Request if quantity goes below re-order level in a warehouse,Доставка Примечание Нет +Automatically compose message on submission of transactions.,Посадка Мастер Стоимость +Automatically extract Job Applicants from a mail box , +Automatically extract Leads from a mail box e.g.,Информационный бюллетень уже был отправлен +Automatically updated via Stock Entry of type Manufacture/Repack,Акции Аналитика +Automotive,Импорт +Autoreply when a new mail is received,"Скорость, с которой Прайс-лист валюта конвертируется в базовой валюте клиента" +Available,"Узнать, нужен автоматические повторяющихся счетов. После представления любого счет продаж, Периодическое раздел будет виден." +Available Qty at Warehouse,Прогулка в +Available Stock for Packing Items,Мастер проекта. +"Available in BOM, Delivery Note, Purchase Invoice, Production Order, Purchase Order, Purchase Receipt, Sales Invoice, Sales Order, Stock Entry, Timesheet",Выберите Warehouse ... +Average Age,Частично Завершено +Average Commission Rate,Журнал активности: +Average Discount,Мобильный номер +Awesome Products,Загрузить файл CSV с двумя колонками. Старое название и новое имя. Макс 500 строк. +Awesome Services,Нет умолчанию спецификации не существует Пункт {0} +BOM Detail No,Здравоохранение +BOM Explosion Item,Планировщик Неудачные События +BOM Item,Введение +BOM No,"""Для делу № ' не может быть меньше, чем «От делу № '" +BOM No. for a Finished Good Item,"Выберите период, когда счет-фактура будет сгенерирован автоматически" +BOM Operation,Для создания налогового учета: +BOM Operations,Необеспеченных кредитов +BOM Replace Tool,Пункт {0} уже вернулся +BOM number is required for manufactured Item {0} in row {1},"В спецификации, которые будут заменены" +BOM number not allowed for non-manufactured Item {0} in row {1},Четверг +BOM recursion: {0} cannot be parent or child of {2},"Группа клиентов существует с тем же именем, пожалуйста изменить имя клиентов или переименовать группу клиентов" +BOM replaced,Другой Период Окончание Вступление {0} был сделан после {1} +BOM {0} for Item {1} in row {2} is inactive or not submitted,Покупка Получение Сообщение +BOM {0} is not active or not submitted,Всего рейтинг (из 5) +BOM {0} is not submitted or inactive BOM for Item {1},Серия Обновлено +Backup Manager,Поставщик Склад +Backup Right Now,Арендованный +Backups will be uploaded to,Гарантийный срок (в днях) +Balance Qty,Настройка +Balance Sheet,% Материалов выставлено против этого заказа на поставку. +Balance Value,Серийный номер {0} находится под контрактом на техническое обслуживание ДО {1} +Balance for Account {0} must always be {1},"Впритык не может быть, прежде чем отправлять Дата" +Balance must be,Нет +"Balances of Accounts of type ""Bank"" or ""Cash""",Добытое количество +Bank,{0} {1} положение остановлен +Bank A/C No.,Гарантия / АМК Подробнее +Bank Account,Время выполнения дни +Bank Account No.,Привилегированный Оставить +Bank Accounts,Связь HTML +Bank Clearance Summary,Новая компания +Bank Draft,Техническое обслуживание Статус +Bank Name,Из пакета № +Bank Overdraft Account,"например кг, единицы, Нос, м" +Bank Reconciliation,Отправить массовый SMS в список контактов +Bank Reconciliation Detail,Счет по продажам +Bank Reconciliation Statement,"Пожалуйста, выберите правильный файл CSV с данными" +Bank Voucher,"Если отключить, 'закругленными Всего' поле не будет виден в любой сделке" +Bank/Cash Balance,Операция {0} нет в Operations таблице +Banking,Это валют отключена. Включить для использования в операции +Barcode,Территория Целевая Разница Пункт Группа Мудрого +Barcode {0} already used in Item {1},Воскресенье +Based On,Нерешенные вопросы {0} обновляется +Basic,Закрытие Кол-во +Basic Info,Выделите листья в течение года. +Basic Information,Путешествия +Basic Rate,Капитальные оборудование +Basic Rate (Company Currency),Период Окончание Ваучер +Batch,Менеджера по продажам Цели +Batch (lot) of an Item.,В поле Значение +Batch Finished Date,Розничный торговец +Batch ID,Доход С начала года +Batch No,Всего: +Batch Started Date,Предупреждение: Заказ на продажу {0} уже существует в отношении числа же заказа на +Batch Time Logs for billing.,Помощник +Batch-Wise Balance History,Выписка по счету +Batched for Billing,Отсутствует разрешение +Better Prospects,"Счет голову под ответственности, в котором Прибыль / убыток будут забронированы" +Bill Date,Разрешение Подробнее +Bill No,Доходы / расходы +Bill No {0} already booked in Purchase Invoice {1},"Введите предметы и плановый Количество, для которых необходимо повысить производственные заказы или скачать сырье для анализа." +Bill of Material,Дебет-нота +Bill of Material to be considered for manufacturing,Спорт +Bill of Materials (BOM),Кредитная Amt +Billable,"Бухгалтерская запись заморожены до этой даты, никто не может сделать / изменить запись, кроме роли, указанной ниже." +Billed,Вы не можете отвечать на этот билет. +Billed Amount,Разное +Billed Amt,С операций +Billing,"""С даты 'требуется" +Billing Address,LFT +Billing Address Name,Примечание: В связи Дата превышает разрешенный кредит дня на {0} день (дни) +Billing Status,Заявки на отпуск. +Bills raised by Suppliers.,Блок дня +Bills raised to Customers.,Объявленный Количество +Bin,Примечание Пользователь будет добавлен в Auto замечания +Bio,Bin +Biotechnology,"Сиди, пока система в настоящее время установки. Это может занять несколько секунд." +Birthday,Название банка +Block Date,Если не применяется введите: Н.А. +Block Days,Целевая Распределение +Block leave applications by department.,Банк примирения +Blog Post,LR Нет +Blog Subscriber,Консалтинг +Blood Group,BOM продаж +Both Warehouse must belong to same Company,{0} является обязательным +Box,"Законопроекты, поднятые для клиентов." +Branch,"Пожалуйста, введите дату Ссылка" +Brand,Техническое обслуживание дата не может быть до даты доставки для Serial No {0} +Brand Name,Срок годности: +Brand master.,Учет по-доставки / Over-биллинга скрещенными за Пункт {0} +Brands,Производственный план товары +Breakdown,Является фонда Пункт +Broadcasting,Общий итог +Brokerage,Открытие (д-р) +Budget,Элементы +Budget Allocated,Отрицательное сальдо в пакетном {0} для Пункт {1} в Хранилище {2} на {3} {4} +Budget Detail,Действительно До +Budget Details,Зарезервировано Количество +Budget Distribution,Адрес HTML +Budget Distribution Detail,Расходы +Budget Distribution Details,График обслуживания {0} существует против {0} +Budget Variance Report,Число Purchse Заказать требуется для Пункт {0} +Budget cannot be set for Group Cost Centers,Валюта баланса +Build Report,Требуются +Bundle items at time of sale.,Отклонен Количество +Business Development Manager,Оценка Заработано +Buying,Сайт Пункт Группа +Buying & Selling,Пункт Пакетное Нос +Buying Amount,Доход заказали за период дайджест +Buying Settings,Потрясающие услуги +"Buying must be checked, if Applicable For is selected as {0}",Transporter информация +C-Form,Пункт требуется +C-Form Applicable,Наличность кассовая +C-Form Invoice Detail,Имя Список праздников +C-Form No,Добавить посещаемости +C-Form records,Отправка +Calculate Based On,Не разрешается редактировать замороженный счет {0} +Calculate Total Score,Расходов претензии ожидает одобрения. Только расходов утверждающий можете обновить статус. +Calendar Events,Пакет товары +Call,Выберите сделка +Calls,Отправить +Campaign,"Нет Leave утверждающих. Пожалуйста назначить роль ""оставить утверждающий ', чтобы по крайней мере одного пользователя" +Campaign Name,"""Прибыль и убытки"" тип счета {0} не допускаются в Открытие запись" +Campaign Name is required,Содержание +Campaign Naming By,Новый фонда UOM +Campaign-.####,"POP3-сервер, например, (pop.gmail.com)" +Can be approved by {0},Расценки +"Can not filter based on Account, if grouped by Account","Вы уверены, что хотите Unstop" +"Can not filter based on Voucher No, if grouped by Voucher",Изготовлено Кол-во +Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',Открытие Дата +Cancel Material Visit {0} before cancelling this Customer Issue,Скидка в процентах +Cancel Material Visits {0} before cancelling this Maintenance Visit,"Чистая Платное (прописью) будут видны, как только вы сохраните Зарплата Слип." +Cancelled,Покупка получения элемента Supplieds +Cancelling this Stock Reconciliation will nullify its effect.,Настройки +Cannot Cancel Opportunity as Quotation Exists,Разрешить отрицательное сальдо +Cannot approve leave as you are not authorized to approve leaves on Block Dates,Фото со Примирение +Cannot cancel because Employee {0} is already approved for {1},Замороженные счета Модификатор +Cannot cancel because submitted Stock Entry {0} exists,Все Группы товаров +Cannot carry forward {0},График обслуживания товара +Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,Ежедневно +"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.",Незапланированный +Cannot convert Cost Center to ledger as it has child nodes,Адрес (1-я строка) +Cannot covert to Group because Master Type or Account Type is selected.,Склад не найден в системе +Cannot deactive or cancle BOM as it is linked with other BOMs,Он также может быть использован для создания начальный запас записи и исправить стоимость акций. +"Cannot declare as lost, because Quotation has been made.",Сотрудник {0} был в отпусках по {1}. Невозможно отметить посещаемость. +Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Поднятый По +"Cannot delete Serial No {0} in stock. First remove from stock, then delete.",Банковский счет +"Cannot directly set amount. For 'Actual' charge type, use the rate field",Ссылка Row # +"Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in Stock Settings",Классические +Cannot produce more Item {0} than Sales Order quantity {1},"Билл материала, который будет рассматриваться на производстве" +Cannot refer row number greater than or equal to current row number for this Charge type,Покупка Получение товара +Cannot return more than {0} for Item {1},Поставщик-Wise продаж Аналитика +Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,Pay To / RECD С +Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for valuation. You can select only 'Total' option for previous row amount or previous row total,Покупка Вернуться +Cannot set as Lost as Sales Order is made.,Дистрибьютор +Cannot set authorization on basis of Discount for {0},Скидка должна быть меньше 100 +Capacity,"Неверное имя пользователя или поддержки Пароль. Пожалуйста, исправить и попробовать еще раз." +Capacity Units,Оставьте инкассированы? +Capital Account,"Пожалуйста, создайте новую учетную запись с Планом счетов бухгалтерского учета." +Capital Equipments,Загрузить письмо голову и логотип - вы можете редактировать их позже. +Carry Forward,Начальник отдела маркетинга и продаж +Carry Forwarded Leaves,SMS Отправитель Имя +Case No(s) already in use. Try from Case No {0},Настройка сервера входящей для продажи электронный идентификатор. (Например sales@example.com) +Case No. cannot be 0,Дата начала проекта +Cash,Пол +Cash In Hand,Оставьте баланс перед нанесением +Cash Voucher,"Пожалуйста, выберите ""Image"" первым" +Cash or Bank Account is mandatory for making payment entry," Добавить / Изменить " +Cash/Bank Account,Всего Advance +Casual Leave,Примирение HTML +Cell Number,"Список предметов, которые формируют пакет." +Change UOM for an Item.,Инспекция Обязательные +Change the starting / current sequence number of an existing series.,Курс обмена +Channel Partner,Кредитная Для +Charge of type 'Actual' in row {0} cannot be included in Item Rate,Учетная запись создана: {0} +Chargeable,Хост +Charity and Donations,{0} действительные серийные NOS для Пункт {1} +Chart Name,Отключено +Chart of Accounts,Аббревиатура компании +Chart of Cost Centers,Отправить SMS +Check how the newsletter looks in an email by sending it to your email.,Самолет поддержки +"Check if recurring invoice, uncheck to stop recurring or put proper End Date","Настройки электронной почты для извлечения ведет от продаж электронный идентификатор, например, ""sales@example.com""" +"Check if you need automatic recurring invoices. After submitting any sales invoice, Recurring section will be visible.",Под КУА +Check if you want to send salary slip in mail to each employee while submitting salary slip,Загрузить HTML +Check this if you want to force the user to select a series before saving. There will be no default if you check this.,Является Service Элемент +Check this if you want to show in website,Из материалов запрос +Check this to disallow fractions. (for Nos),"Чтобы объединить, следующие свойства должны быть одинаковыми для обоих пунктов" +Check this to pull emails from your mailbox,Развлечения и досуг +Check to activate,Главная +Check to make Shipping Address,"Скорость, с которой Билл валюта конвертируется в базовую валюту компании" +Check to make primary address,Действительно для территорий +Chemical,Счета Настройки +Cheque,Группы +Cheque Date,В случайном порядке +Cheque Number,Серийный номер {0} вошли более одного раза +Child account exists for this account. You can not delete this account.,"Выберите бюджета Distribution, если вы хотите, чтобы отслеживать на основе сезонности." +City,Конец контракта Дата +City/Town,Пакетная работы Дата +Claim Amount,Условия шаблона +Claims for company expense.,Производственный план по продажам Заказать +Class / Percentage,Заявление Банк примирения +Classic,По умолчанию Группа клиентов +Clear Table,Элемент Производство +Clearance Date,"Не можете Отменить возможностей, как Существует цитаты" +Clearance Date not mentioned,Сделано +Clearance date cannot be before check date in row {0},Средний Скидка +Click on 'Make Sales Invoice' button to create a new Sales Invoice.,Пункт Серийный Нос +Click on a link to get options to expand get options , +Client,1 +Close Balance Sheet and book Profit or Loss.,Пункт {0} не установка для серийные номера колонке должно быть пустым +Closed,Дата платежа +Closing Account Head,Тип адреса +Closing Account {0} must be of type 'Liability',Подробная информация о поставщике +Closing Date,GL Вступление +Closing Fiscal Year,Сотрудник +Closing Qty,"Пожалуйста, введите 'Является субподряду "", как Да или Нет" +Closing Value,"Вы ввели повторяющихся элементов. Пожалуйста, исправить и попробовать еще раз." +CoA Help,Материал Запрос +Code,Поставщик> Поставщик Тип +Cold Calling,Для требуется Склад перед Отправить +Color,Нет учетной записи для следующих складов +Comma separated list of email addresses,Скрыть Символа Валюты +Comment,Предыдущая +Comments,Ваш Логин ID +Commercial,Акцизный Ваучер +Commission,"например ""Построить инструменты для строителей """ +Commission Rate,Возможности товары +Commission Rate (%),Шаблон терминов или договором. +Commission on Sales,Г-н +Commission rate cannot be greater than 100,Термины +Communication,Применимо к (Пользователь) +Communication HTML,Тип контента +Communication History,Из спецификации материалов +Communication log.,Филиал +Communications,Фото со UOM Заменить Utility +Company,Корзина Прайс-лист +Company (not Customer or Supplier) master.,Заказ на продажу {0} не является допустимым +Company Abbreviation,Для Обсудить +Company Details,"Серийный номер {0} состояние должно быть ""имеющиеся"" для доставки" +Company Email,"Ряд {0}: Кол-во не Имеющийся на складе {1} на {2} {3} \ п Доступен Кол-во:. {4}, трансфер Количество: {5}" +"Company Email ID not found, hence mail not sent",Пункт {0} не сериализованным Пункт +Company Info,Кредиторская задолженность +Company Name,Установка Примечание {0} уже представлен +Company Settings,Применимо к (Обозначение) +Company is missing in warehouses {0},BOM номер необходим для выпускаемой Пункт {0} в строке {1} +Company is required,Осмотр Критерии +Company registration numbers for your reference. Example: VAT Registration Numbers etc.,"Закрытие счета {0} должен быть типа ""ответственности""" +Company registration numbers for your reference. Tax numbers etc.,Принято + Отклоненные Кол-во должно быть равно полученного количества по пункту {0} +"Company, Month and Fiscal Year is mandatory","Выберите ""Да"", если этот элемент представляет определенную работу, как обучение, проектирование, консалтинг и т.д." +Compensatory Off,Для Склад +Complete,Изменение начального / текущий порядковый номер существующей серии. +Complete Setup,"Нет контактов, созданные" +Completed,Из Кол-во +Completed Production Orders,"Всего оценка для выпускаемой или перепакованы пункт (ы) не может быть меньше, чем общая оценка сырья" +Completed Qty,Банковский перевод +Completion Date,Дата расхода +Completion Status,Расписание Дата +Computer,"Пункт {0} игнорируется, так как это не складские позиции" +Computers,Против продаж счета-фактуры +Confirmation Date,Ни один сотрудник не найден! +Confirmed orders from Customers.,Обновление банк платежные даты с журналов. +Consider Tax or Charge for,Установить по умолчанию +Considered as Opening Balance,Дебиторская задолженность Группы +Considered as an Opening Balance,История В компании +Consultant,PR Подробно +Consulting,В поле Имя Сотрудника +Consumable,Объявленный +Consumable Cost,Отмена этого со примирения аннулирует свое действие. +Consumable cost per hour,Котировки в снабжении или клиентов. +Consumed Qty,Доставка Примечание {0} не представлено +Consumer Products,"Продукты питания, напитки и табак" +Contact,Санкционированный Количество +Contact Control,Заказ на покупку Тенденции +Contact Desc,Ваш адрес электронной почты +Contact Details,Записи против +Contact Email,Название Распределение бюджета +Contact HTML,Готово +Contact Info,Склад {0} не существует +Contact Mobile No,Оборудование +Contact Name,Адрес по умолчанию шаблона не может быть удален +Contact No.,POS Настройка +Contact Person,Пункт мудрый Покупка Зарегистрироваться +Contact Type,Добавить налогов и сборов +Contact master.,"Пожалуйста, выберите пункт, где ""это со Пункт"" является ""Нет"" и ""является продажа товара"" ""да"" и нет никакой другой Продажи BOM" +Contacts,Объём +Content,"Выберите ""Да"", если этот элемент используется для какой-то внутренней цели в вашей компании." +Content Type,Значение или Кол-во +Contra Voucher,Запланированно +Contract,Критерии приемлемости +Contract End Date,Адреса клиентов и Контакты +Contract End Date must be greater than Date of Joining,Фактическая стоимость Дата +Contribution (%),Образовательный ценз +Contribution to Net Total,Заказ товара Поставляется +Conversion Factor,"например банк, наличные, кредитная карта" +Conversion Factor is required,Тип документа +Conversion factor cannot be in fractions,Против Сертификаты Тип +Conversion factor for default Unit of Measure must be 1 in row {0},Эффективно используем APM в высшей лиге +Conversion rate cannot be 0 or 1,Пакет Детальная информация о товаре +Convert into Recurring Invoice,Отправки сообщения? +Convert to Group,Общение +Convert to Ledger,Тема HTML +Converted,"Пожалуйста, выберите значение для {0} quotation_to {1}" +Copy From Item Group,Склад не может быть удален как существует запись складе книга для этого склада. +Cosmetics,"Вы действительно хотите, чтобы остановить производственный заказ:" +Cost Center,Private Equity +Cost Center Details,В ожидании +Cost Center Name,Личное +Cost Center is required for 'Profit and Loss' account {0},Биотехнологии +Cost Center is required in row {0} in Taxes table for type {1},Выплата заработной платы за месяц {0} и год {1} +Cost Center with existing transactions can not be converted to group,Закрытие финансового года +Cost Center with existing transactions can not be converted to ledger,Билл Нет {0} уже заказали в счете-фактуре {1} +Cost Center {0} does not belong to Company {1},О передаче материала +Cost of Goods Sold,По умолчанию Продажа Стоимость центр +Costing,Дилер +Country,Чистая Платное +Country Name,Шапка +Country wise default Address Templates,Серийный номер Сервисный контракт Срок +"Country, Timezone and Currency",Контракт +Create Bank Voucher for the total salary paid for the above selected criteria,Пользователь Замечания является обязательным +Create Customer,Тест +Create Material Requests,Terretory +Create New,Непогашенная сумма +Create Opportunity,Не запись не найдено +Create Production Orders,С вступлением закрытия периода +Create Quotation,Финансовый год Дата начала +Create Receiver List,Календарь +Create Salary Slip,"Пожалуйста, введите количество для Пункт {0}" +Create Stock Ledger Entries when you submit a Sales Invoice,Получить складе и Оценить +"Create and manage daily, weekly and monthly email digests.",Ваш финансовый год заканчивается +Create rules to restrict transactions based on values.,Вклад в Net Всего +Created By,Фото со Прогнозируемый Количество +Creates salary slip for above mentioned criteria.,Банк Овердрафт счета +Creation Date,Список Серия для этого сделки +Creation Document No,Клиентам Код товара +Creation Document Type,Импорт Вход +Creation Time,"Пожалуйста, установите значение по умолчанию {0} в компании {0}" +Credentials,Фото со Ledger Entry +Credit,Повседневная Оставить +Credit Amt,Кол-во для производства +Credit Card,Всего Налоги и сборы +Credit Card Voucher,Примечание: {0} +Credit Controller,Сайт Склад +Credit Days,Почты POP3 Сервер +Credit Limit,Deduction1 +Credit Note,"Установить значения по умолчанию, как Болгарии, Валюта, текущий финансовый год и т.д." +Credit To,Не работник не найдено +Currency,Правило Начальные +Currency Exchange,Дата и время окончания периода текущего счета-фактуры в +Currency Name,"Контроль качества, необходимые для Пункт {0}" +Currency Settings,Фото со UoM +Currency and Price List,Магазин +Currency exchange rate master.,Не Authroized с {0} превышает пределы +Current Address,Frappe.io Портал +Current Address Is,"Всего Выделенная сумма не может быть больше, чем непревзойденной сумму" +Current Assets,Оставьте Черный список животных +Current BOM,Праздник +Current BOM and New BOM can not be same,"Не можете фильтровать на основе счета, если сгруппированы по Счет" +Current Fiscal Year,Оставьте Распределение +Current Liabilities,Расходов претензий Подробнее +Current Stock,{0} {1} не в любом финансовом году +Current Stock UOM,Против +Current Value,"Пожалуйста, введите Код товара, чтобы получить партию не" +Custom,Ведущий с этим электронный идентификатор должен существовать +Custom Autoreply Message,Сотрудник День рождения +Custom Message,"Как Производственный заказ можно сделать по этой статье, он должен быть запас пункт." +Customer,Все контакты. +Customer (Receivable) Account,Продуктовый +Customer / Item Name,Доставка документов Нет +Customer / Lead Address,Популярные Адрес для выставления счета +Customer / Lead Name,Заявитель на работу. +Customer > Customer Group > Territory,Услуги +Customer Account Head,C-образный Счет Подробно +Customer Acquisition and Loyalty,Контактный номер +Customer Address,Суммарный опыт +Customer Addresses And Contacts,Группа +Customer Code,Выделите Количество Автоматически +Customer Codes,Поставщик Номер детали +Customer Details,Расходов Глава +Customer Feedback,Кассовый чек +Customer Group,"Цены Правило состоит перезаписать Прайс-лист / определить скидка процент, на основе некоторых критериев." +Customer Group / Customer,Аренда площади для офиса +Customer Group Name,Основные +Customer Intro,Фото Старение +Customer Issue,Держите его веб дружелюбны 900px (ш) на 100px (ч) +Customer Issue against Serial No.,Применимо к (Сотрудник) +Customer Name,Сделать Зарплата Структура +Customer Naming By,Правила применения цен и скидки. +Customer Service,Разведенный +Customer database.,Дебет Для +Customer is required,"Пожалуйста, выберите {0} первый" +Customer master.,Имя рабочей станции +Customer required for 'Customerwise Discount',Уровень +Customer {0} does not belong to project {1},Сумма по счетам (Exculsive стоимость) +Customer {0} does not exist,Новый фонда Единица измерения требуется +Customer's Item Code,После продажи установок +Customer's Purchase Order Date,Скидка в процентах можно применять либо против прайс-листа или для всех прайс-листа. +Customer's Purchase Order No,"Убедитесь в том, повторяющихся счет, снимите, чтобы остановить повторяющиеся или поставить правильное Дата окончания" +Customer's Purchase Order Number,Цена Имя +Customer's Vendor,Доставка Количество +Customers Not Buying Since Long Time,Основные / факультативных предметов +Customerwise Discount,Склад не может быть изменен для серийный номер +Customize,Общий вес пакета. Обычно вес нетто + упаковочный материал вес. (Для печати) +Customize the Notification,"Для удобства клиентов, эти коды могут быть использованы в печатных форматов, таких как счета-фактуры и накладных" +Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,Ряд {0}: Счет не соответствует с \ \ п в счете-фактуре в плюс на счет +DN Detail,Заказ на продажу Требуемые +Daily,Партнеры по сбыту Комиссия +Daily Time Log Summary,Обслуживание +Database Folder ID,Itemwise Рекомендуем изменить порядок Уровень +Database of potential customers.,Правила и условия +Date,Небольшая Поставляются +Date Format,Всего Заработок +Date Of Retirement,Цитата {0} не типа {1} +Date Of Retirement must be greater than Date of Joining,Построить Сообщить +Date is repeated,Именование клиентов По +Date of Birth,Посадка стоимости покупки Квитанция +Date of Issue,Группа Имя клиента +Date of Joining,Запланированная дата +Date of Joining must be greater than Date of Birth,Оставьте Тип Название +Date on which lorry started from supplier warehouse,Проект мудрый данные не доступны для коммерческого предложения +Date on which lorry started from your warehouse,"Момент, в который были получены материалы" +Dates,"например, 5" +Days Since Last Order,Фото со Очередь (FIFO) +Days for which Holidays are blocked for this department.,Валовая прибыль (%) +Dealer,"% Материалов, вынесенных против этого заказа клиента" +Debit,Открывает запись +Debit Amt,Ссылка Имя +Debit Note,Название и описание +Debit To,Всего Оставить дней +Debit and Credit not equal for this voucher. Difference is {0}.,Транзакция +Deduct,"Добро пожаловать в ERPNext. В течение следующих нескольких минут мы поможем вам настроить ваш аккаунт ERPNext. Попробуйте и заполнить столько информации, сколько у вас есть даже если это займет немного больше времени. Это сэкономит вам много времени спустя. Удачи Вам!" +Deduction,Серийный номер {0} не существует +Deduction Type,Весь день +Deduction1,Создать расписание +Deductions,"Любые другие комментарии, отметить усилия, которые должны пойти в записях." +Default,Менеджер по подбору кадров +Default Account,Покупка Счет {0} уже подано +Default Address Template cannot be deleted,Материал: Запрос подробной Нет +Default BOM,"Настроить вводный текст, который идет в составе этой электронной почте. Каждая транзакция имеет отдельный вводный текст." +Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,Обновление Готовые изделия +Default Bank Account,Источник и цель склад не может быть одинаковым для ряда {0} +Default Buying Cost Center,Имя сотрудника +Default Buying Price List,Выделенные количество не может превышать unadusted сумму +Default Cash Account,Сделать ОБСЛУЖИВАНИЕ Посетите +Default Company,Единиц / Сдвиги +Default Currency,Основные этапы +Default Customer Group,"Пожалуйста, напишите что-нибудь в тему и текст сообщения!" +Default Expense Account,Дебиторская задолженность / оплачивается счет будет идентифицирован на основе поля Master Тип +Default Income Account,Ведущий Имя +Default Item Group,"Введите электронный идентификатор разделенных запятыми, счет будет автоматически отправлен на определенную дату" +Default Price List,Дата Старение является обязательным для открытия запись +Default Purchase Account in which cost of the item will be debited.,Выход +Default Selling Cost Center,Зарезервировано Склад требуется для складе Пункт {0} в строке {1} +Default Settings,Пункт {0} был введен несколько раз по сравнению с аналогичным работы +Default Source Warehouse,Получить элементов из спецификации +Default Stock UOM,Телевидение +Default Supplier,Ежемесячно +Default Supplier Type,Необходимые материалы (в разобранном) +Default Target Warehouse,По умолчанию компании +Default Territory,"Пожалуйста, сформулируйте валюту в компании" +Default Unit of Measure,Серия обновление +"Default Unit of Measure can not be changed directly because you have already made some transaction(s) with another UOM. To change default UOM, use 'UOM Replace Utility' tool under Stock module.",Пункт {0} должно быть Service Элемент +Default Valuation Method,"Создание и управление ежедневные, еженедельные и ежемесячные дайджесты новостей." +Default Warehouse,Настройки почты POP3 +Default Warehouse is mandatory for stock Item.,Уведомление E-mail адрес +Default settings for accounting transactions.,Котировочные тенденции +Default settings for buying transactions.,"

умолчанию шаблона \ п

Использует Jinja шаблонов и все поля Адрес (включая Настраиваемые поля, если таковые имеются) будут доступны \ н

  {{address_line1}} 
\ п {%, если address_line2%} {{address_line2}}
{% ENDIF - %} \ п {{город}} инструменты \ п {%, если состояние%} {{состояние}} инструменты {% ENDIF -%} \ п {%, если пин-код%} PIN: {{пин-код} } {инструменты% ENDIF -%} \ п {{страна}} инструменты \ п {%, если телефон%} Телефон: {{телефон}} инструменты {% ENDIF -%} \ п { %, если факс%} Факс: {{факс}} инструменты {% ENDIF -%} \ п {%, если email_id%} Email: {{email_id}} инструменты {% ENDIF -%} \ п < / код> " +Default settings for selling transactions.,Выберите бюджета Распределение чтобы неравномерно распределить цели через месяцев. +Default settings for stock transactions.,Поддержка Analtyics +Defense,"Есть больше праздников, чем рабочих дней в этом месяце." +"Define Budget for this Cost Center. To set budget action, see
Company Master",Против записей +Delete,Готовая продукция +Delete {0} {1}?,"Оставьте может быть утвержден пользователей с роли, ""Оставьте утверждающего""" +Delivered,"Если указано, отправить бюллетень с помощью этого адреса электронной почты" +Delivered Items To Be Billed,Родитель Сайт Маршрут +Delivered Qty,Понедельник +Delivered Serial No {0} cannot be deleted,МВЗ требуется в строке {0} в виде налогов таблицы для типа {1} +Delivery Date,Пункт {0} был введен несколько раз с таким же описанием или по дате +Delivery Details,Для Склад +Delivery Document No,Вес нетто каждого пункта +Delivery Document Type,% Полученных материалов против данного Заказа +Delivery Note,Несколько цены товара. +Delivery Note Item,Обновление посадку стоимость +Delivery Note Items,Управление групповой клиентов дерево. +Delivery Note Message,Счет операций с капиталом +Delivery Note No,"""Дни с последнего Порядке так должно быть больше или равно нулю" +Delivery Note Required,Основное +Delivery Note Trends,Пункт {0} должно быть продажи или в пункте СЕРВИС {1} +Delivery Note {0} is not submitted,"Код товара является обязательным, поскольку Деталь не автоматически нумеруются" +Delivery Note {0} must not be submitted,Магазины +Delivery Notes {0} must be cancelled before cancelling this Sales Order,Дерево finanial счетов. +Delivery Status,Продажи Подробности +Delivery Time,Учётные записи +Delivery To,E-mail Id +Department,Кол-во в заказ +Department Stores,Получатели +Depends on LWP,Посмотреть Леджер +Depreciation,Название кампании +Description,Новые Облигации Доставка +Description HTML,Мыло и моющих средств +Designation,Общая сумма в словах +Designer,Цена +Detailed Breakup of the totals,Посадка Стоимость успешно обновлены +Details,Следующая Дата +Difference (Dr - Cr),Доставка Примечание сообщение +Difference Account,Метод оценки +"Difference Account must be a 'Liability' type account, since this Stock Reconciliation is an Opening Entry",Предложение Дата +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.,Для справки только. +Direct Expenses,Против Счет +Direct Income,"Дата, на которую будет сгенерирован следующий счет-фактура. Он создается на представить. \ П" +Disable,Детали проекта +Disable Rounded Total,Мастер Прайс-лист. +Disabled,Агент +Discount %,Следующая будет отправлено письмо на: +Discount %,Рассылка Статус +Discount (%),Это корень группу товаров и не могут быть изменены. +Discount Amount,Счет Продажи {0} должно быть отменено до отмены этого заказ клиента +"Discount Fields will be available in Purchase Order, Purchase Receipt, Purchase Invoice",Перечислите несколько ваших поставщиков. Они могут быть организации или частные лица. +Discount Percentage,"Ожидаемый срок завершения не может быть меньше, чем Дата начала проекта" +Discount Percentage can be applied either against a Price List or for all Price List.,Ряд {0}: Кол-во является обязательным +Discount must be less than 100,"Для учета налога в строке {0} в размере Item, налоги в строках должны быть также включены {1}" +Discount(%),Посадка стоимости покупки расписок +Dispatch,Вы можете обновить либо Количество или оценка Оценить или обоих. +Display all the individual items delivered with the main items,Просмотр +Distribute transport overhead across items.,Налоги и сборы Расчет +Distribution,Пункт Группа +Distribution Id,"Выберите соответствующий название компании, если у вас есть несколько компаний." +Distribution Name,Серийный номер {0} не в наличии +Distributor,выполненных +Divorced,Получить элементов из заказов клиента +Do Not Contact,Контактная информация +Do not show any symbol like $ etc next to currencies.,Адрес шаблона +Do really want to unstop production order: , +Do you really want to STOP , +Do you really want to STOP this Material Request?,Prevdoc Doctype +Do you really want to Submit all Salary Slip for month {0} and year {1},Производственный заказ +Do you really want to UNSTOP , +Do you really want to UNSTOP this Material Request?,Пункт {0} не является активным или конец жизни был достигнут +Do you really want to stop production order: , +Doc Name,"Ряд # {0}: Пожалуйста, сформулируйте Серийный номер для Пункт {1}" +Doc Type,Капитальные активы +Document Description,Скидка (%) +Document Type,Базовая ставка +Documents,"Введите статические параметры адрес здесь (Например отправитель = ERPNext, имя пользователя = ERPNext, пароль = 1234 и т.д.)" +Domain,Пункт мудрый Продажи Зарегистрироваться +Don't send Employee Birthday Reminders,Введите обозначение этому контактному +Download Materials Required,"Роль, которая имеет право на представление операции, превышающие лимиты кредитования, установленные." +Download Reconcilation Data,Следующая контакты +Download Template,Точки продаж +Download a report containing all raw materials with their latest inventory status,Цвет +"Download the Template, fill appropriate data and attach the modified file.",Оценка шаблона Гол +"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",Единица измерения фактором Конверсия требуется для UOM: {0} в пункте: {1} +Draft,C-образный Применимо +Dropbox,Реклама +Dropbox Access Allowed,Либо дебетовая или кредитная сумма необходима для {0} +Dropbox Access Key,Сделать Разница запись +Dropbox Access Secret,Ожидаемая дата поставки не может быть до даты заказа на продажу +Due Date,Настройки Вакансии Email +Due Date cannot be after {0},Возможность Дата +Due Date cannot be before Posting Date,Новые Коммуникации +Duplicate Entry. Please check Authorization Rule {0},"Примечание: Резервные копии и файлы не удаляются из Dropbox, вам придется удалить их вручную." +Duplicate Serial No entered for Item {0},Выплаченная сумма +Duplicate entry,"После таблицу покажет значения, если элементы являются суб - контракт. Эти значения будут получены от мастера ""Спецификация"" суб - контракт предметы." +Duplicate row {0} with same {1},Техническое обслуживание Посетить {0} должно быть отменено до отмены этого заказ клиента +Duties and Taxes,Профиль работы +ERPNext Setup,Прайс-лист Обмен не выбран +Earliest,"Разрешить Ведомость материалов должно быть ""Да"". Потому что один или много активных спецификаций представляют для этого элемента" +Earnest Money,Счет должен быть балансовый счет +Earning,Заказ на продажу {0} не представлено +Earning & Deduction,Зарплата распада на основе Заработок и дедукции. +Earning Type,Кредитная контроллер +Earning1,От купли получении +Edit,Рассылок +Education,Другие детали +Educational Qualification,Всего очков +Educational Qualification Details,Ежеквартально +Eg. smsgateway.com/api/send_sms.cgi,Папка с файлами ID +Either debit or credit amount is required for {0},Расходные Стоимость +Either target qty or target amount is mandatory,Проблема +Either target qty or target amount is mandatory.,Фото Вступление +Electrical,"Пожалуйста, выберите Charge Тип первый" +Electricity Cost,Расходов счета является обязательным +Electricity cost per hour,"Выбор ""Да"" позволит вам сделать производственного заказа для данного элемента." +Electronics,"{0} теперь используется по умолчанию финансовый год. Пожалуйста, обновите страницу в браузере, чтобы изменения вступили в силу." +Email,"Момент, в который предметы были доставлены со склада" +Email Digest,Год Дата окончания +Email Digest Settings,Помощник +Email Digest: , +Email Id,Добавить резервных копий в Google Drive +"Email Id where a job applicant will email e.g. ""jobs@example.com""",Ваша Биография +Email Notifications,"Проверьте это, чтобы запретить фракции. (Для №)" +Email Sent?,Дата Присоединение должно быть больше Дата рождения +"Email id must be unique, already exists for {0}",Всего Дебет +Email ids separated by commas.,Добавить Налоги +"Email settings to extract Leads from sales email id e.g. ""sales@example.com""",Фото Замороженные До +Emergency Contact,"Вы не можете ввести текущий ваучер в ""Против Journal ваучер 'колонке" +Emergency Contact Details,"Пожалуйста, введите сообщение перед отправкой" +Emergency Phone,Валовая маржа% +Employee,Кампания-.# # # # +Employee Birthday,Новый +Employee Details,Претензии по счет компании. +Employee Education,"Пожалуйста, установите Cash умолчанию или банковский счет в режим оплаты {0}" +Employee External Work History,"Пожалуйста, выберите в неделю выходной" +Employee Information,Вы расходов утверждающий для этой записи. Пожалуйста Обновите 'Status' и сохранить +Employee Internal Work History,Стоимость +Employee Internal Work Historys,Детали расходов Детали +Employee Leave Approver,BOM Продажи Помощь +Employee Leave Balance,Оставить утверждающий в списке будет установлен по умолчанию Оставить утверждающего +Employee Name,Все Адреса. +Employee Number,"Определите бюджет для этого МВЗ. Чтобы установить бюджета действие см. Компания Мастер " +Employee Records to be created by,{0} {1} должны быть представлены +Employee Settings,Неоплачено +Employee Type,Входящий +"Employee designation (e.g. CEO, Director etc.).",Лучшие перспективы +Employee master.,Служебная аттестация. +Employee record is created using selected field. , +Employee records.,Единица измерения Детали преобразования +Employee relieved on {0} must be set as 'Left',Показать этот слайд-шоу в верхней части страницы +Employee {0} has already applied for {1} between {2} and {3},"Скорость, с которой этот налог применяется" +Employee {0} is not active or does not exist,Получить соответствующие записи +Employee {0} was on leave on {1}. Cannot mark attendance.,% При поставке +Employees Email Id,Корневая Тип +Employment Details,Публикация +Employment Type,Не можете вернуть более {0} для Пункт {1} +Enable / disable currencies.,Склад-мудрый Пункт Переупоряд +Enabled,Сумма (Компания Валюта) +Encashment Date,Особенности установки +End Date,Заказчик / Название товара +End Date can not be less than Start Date,Общее количество очков для всех целей должна быть 100. Это {0} +End date of current invoice's period,Последние +End of Life,Распределить транспортной накладных расходов по статьям. +Energy,Пункт Мудрый Налоговый Подробно +Engineer,Счет № +Enter Verification Code,Product Enquiry +Enter campaign name if the source of lead is campaign.,Источник финансирования (обязательства) +Enter department to which this Contact belongs,Оба Склад должен принадлежать той же компании +Enter designation of this Contact,Прочие расходы +"Enter email id separated by commas, invoice will be mailed automatically on particular date",Время входа Пакетная {0} должен быть 'Представленные' +Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,"Обновление выделено сумму в таблице выше, а затем нажмите кнопку ""Выделить""" +Enter name of campaign if source of enquiry is campaign,"Профиль работы, квалификация, необходимые т.д." +"Enter static url parameters here (Eg. sender=ERPNext, username=ERPNext, password=1234 etc.)",Не введено описание +Enter the company name under which Account Head will be created for this Supplier,Купли-продажи +Enter url parameter for message,Применение средств (активов) +Enter url parameter for receiver nos,Предыдущий опыт работы +Entertainment & Leisure,Тип документа Создание +Entertainment Expenses,Стоимость электроэнергии +Entries,Тип Поставщик мастер. +Entries against,Доставка Примечание Пункт +Entries are not allowed against this Fiscal Year if the year is closed.,Посадка затрат +Entries before {0} are frozen,Случай Нет (ы) уже используется. Попробуйте из дела № {0} +Equity,Это корень счета и не могут быть изменены. +Error: {0} > {1},"Нельзя отменить, потому что сотрудников {0} уже одобрен для {1}" +Estimated Material Cost,Оставить заявку +"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Перечислите ваши продукты или услуги, которые вы покупаете или продаете. Убедитесь в том, чтобы проверить позицию Group, единицу измерения и других свойств при запуске." +Everyone can read,Проект мудрый слежения со +"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.",Тип документа +Exchange Rate,"Выбор ""Да"" позволит этот пункт, чтобы понять в заказ клиента, накладной" +Excise Page Number,Общее количество часов +Excise Voucher,Поставляется Кол-во +Execution,{0} не принадлежит компании {1} +Executive Search,Налоги и сборы +Exemption Limit,Цены Правило +Exhibition,"Не можете производить больше элемент {0}, чем количество продаж Заказать {1}" +Existing Customer,Уставный информации и другие общие сведения о вашем Поставщик +Exit,"Сумма, Биллу" +Exit Interview Details,Общие эксплуатационные расходы +Expected,"Невозможно изменить Базовая валюта компании, потому что есть существующие операции. Сделки должны быть отменены, чтобы поменять валюту." +Expected Completion Date can not be less than Project Start Date,Ассигнованная сумма +Expected Date cannot be before Material Request Date,Облагаемый налогом +Expected Delivery Date,Посещаемость С Дата +Expected Delivery Date cannot be before Purchase Order Date,Сотрудник Оставить утверждающий +Expected Delivery Date cannot be before Sales Order Date,Старение Дата является обязательным для открытия запись +Expected End Date,База данных потенциальных клиентов. +Expected Start Date,{0}{/0} {1}Кредитный лимит {/1} +Expense,Распределение +Expense / Difference account ({0}) must be a 'Profit or Loss' account,Пункт Группа не упоминается в мастера пункт по пункту {0} +Expense Account,По умолчанию +Expense Account is mandatory,Уменьшите Набор для отпуска без сохранения (LWP) +Expense Claim,"Ваш продавец, который свяжется с клиентом в будущем" +Expense Claim Approved,Скидка% +Expense Claim Approved Message,"Не допускается, чтобы обновить записи старше {0}" +Expense Claim Detail,Оборудование офиса +Expense Claim Details,С Даты +Expense Claim Rejected,"Пункт, Гарантия, AMC (Ежегодное обслуживание контракта) подробная информация будет автоматически извлекаются при выборе Серийный номер." +Expense Claim Rejected Message,Цель Подробности +Expense Claim Type,Всего Weightage назначен должна быть 100%. Это {0} +Expense Claim has been approved.,"Целевая склад в строке {0} должно быть таким же, как производственного заказа" +Expense Claim has been rejected.,Потенциальные возможности для продажи. +Expense Claim is pending approval. Only the Expense Approver can update status.,Воронка продаж +Expense Date,Всего выделено процент для отдела продаж должен быть 100 +Expense Details,Адрес +Expense Head,"Скачать шаблон, заполнить соответствующие данные и приложить измененный файл." +Expense account is mandatory for item {0},Котировочные товары +Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Регистры +Expenses,"См. ""Оценить материалов на основе"" в калькуляции раздел" +Expenses Booked,Введение +Expenses Included In Valuation,Значение Дата +Expenses booked for the digest period,Создание Зарплата Слип +Expiry Date,Мебель и приспособления +Exports,Пункт или Склад для строки {0} не соответствует запросу материал +External,Округлые Всего (Компания Валюта) +Extract Emails,Бюджет Подробнее +FCFS Rate,Родитель Сайт Страница +Failed: , +Family Background,"Пожалуйста, введите действительный Личная на e-mail" +Fax,Коэффициент конверсии не может быть 0 или 1 +Features Setup,Платежные +Feed,Программное обеспечение +Feed Type,Ваучер # +Feedback,Примечание Пользователь +Female,Пользователи с этой ролью могут устанавливать замороженных счетов и создания / изменения бухгалтерских проводок против замороженных счетов +Fetch exploded BOM (including sub-assemblies),Непревзойденная Количество +"Field available in Delivery Note, Quotation, Sales Invoice, Sales Order",Открыть Производственные заказы +Files Folder ID,Сделка не допускается в отношении остановил производство ордена {0} +Fill the form and save it,Стандартный +Filter based on customer,Мы Купить этот товар +Filter based on item,Сбросить фильтры +Financial / accounting year.,Бюджет Подробно +Financial Analytics,Производственные заказы в Прогресс +Financial Services,Информация о зарплате +Financial Year End Date,Moving Average Rate +Financial Year Start Date,Аналитик +Finished Goods,Код элемента +First Name,Правила для расчета количества груза для продажи +First Responded On,Единица измерения Преобразование Подробно +Fiscal Year,Не применяется +Fiscal Year Start Date and Fiscal Year End Date are already set in Fiscal Year {0},Покупка Подробности +Fiscal Year Start Date and Fiscal Year End Date cannot be more than a year apart.,Открывает +Fiscal Year Start Date should not be greater than Fiscal Year End Date,Оценка шаблона +Fixed Asset,Неправильное или Неактивный BOM {0} для Пункт {1} в строке {2} +Fixed Assets,"Пожалуйста, выберите тип заряда первым" +Follow via Email,Всего Налоги и сборы (Компания Валюты) +"Following table will show values if items are sub - contracted. These values will be fetched from the master of ""Bill of Materials"" of sub - contracted items.",Мастер Тип +Food,Язык +"Food, Beverage & Tobacco",По словам будет виден только вы сохраните ТОВАРНЫЙ ЧЕК. +For Company,Только листовые узлы допускаются в сделке +For Employee,Пункт {0} должен быть запас товара +For Employee Name,Добавить или вычесть +For Price List,Счета: {0} может быть обновлен только через \ \ п Биржевые операции +For Production,Года +For Reference Only.,Оценка +For Sales Invoice,МВЗ с существующими сделок не могут быть преобразованы в книге +For Server Side Print Formats,Материал Тип запроса +For Supplier,Статус утверждения +For Warehouse,Выберите компанию ... +For Warehouse is required before Submit,"""Фактическое начало Дата"" не может быть больше, чем «Актуальные Дата окончания '" +"For e.g. 2012, 2012-13",Адрес по убыванию +For reference,Полностью завершен +For reference only.,Изменение UOM для элемента. +"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes",Шаблон +Fraction,Инвентаризация +Fraction Units,Оценка {0} создан Требуются {1} в указанный диапазон дат +Freeze Stock Entries,"Элемент существует с тем же именем ({0}), пожалуйста, измените название группы или переименовать пункт" +Freeze Stocks Older Than [Days],Адрес доставки +Freight and Forwarding Charges,На рабо +Friday,"Автоматическое извлечение ведет от почтового ящика, например," +From,Оставьте панели управления +From Bill of Materials,Пункт {0} не Приобретите товар +From Company,Розничная и оптовая торговля +From Currency,Спецификация материала +From Currency and To Currency cannot be same,Дата рождения +From Customer,Удельный Пользователь +From Customer Issue,Бюджет Разница Сообщить +From Date,Формат печати Стиль +From Date must be before To Date,Против Билл {0} от {1} +From Delivery Note,Поставщик Ссылка +From Employee,Перечислите несколько ваших клиентов. Они могут быть организации или частные лица. +From Lead,Организация филиал мастер. +From Maintenance Schedule,Проект Milestone +From Material Request,Оставить заявление было отклонено. +From Opportunity,"Пожалуйста, выберите прайс-лист" +From Package No.,Дублировать запись +From Purchase Order,Предложение Написание +From Purchase Receipt,Операция Нет +From Quotation,Сотрудник Оставить Баланс +From Sales Order,Общее количество часов (ожидаемый) +From Supplier Quotation,Максимальное количество дней отпуска разрешены +From Time,Резерв Процент +From Value,Пункт мудрый История продаж +From and To dates required,Всего в словах +From value must be less than to value in row {0},Бланк +Frozen,Продажи Вернуться +Frozen Accounts Modifier,Код товара не может быть изменен для серийный номер +Fulfilled,Продажи Аналитика +Full Name,Рабочие Подробнее +Full-time,Оставьте черных списков Даты +Fully Billed,Периодичность +Fully Completed,С-форма записи +Fully Delivered,Заполните форму и сохранить его +Furniture and Fixture,График обслуживания {0} должно быть отменено до отмены этого заказ клиента +Further accounts can be made under Groups but entries can be made against Ledger,Статус {0} {1} теперь {2} +"Further accounts can be made under Groups, but entries can be made against Ledger","Пожалуйста, выберите переносить, если вы также хотите включить баланс предыдущего финансового года оставляет в этом финансовом году" +Further nodes can be only created under 'Group' type nodes,Листья для типа {0} уже выделено Требуются {1} для финансового года {0} +GL Entry,Старейшие +Gantt Chart,Контакты +Gantt chart of all tasks.,Дата исполнения +Gender,Отдел продаж Подробнее +General,Заказанное количество +General Ledger,Пункт Расширенный +Generate Description HTML,Временные счета (активы) +Generate Material Requests (MRP) and Production Orders.,Формат даты +Generate Salary Slips,Пункт Штрих +Generate Schedule,Присвоено +Generates HTML to include selected image in the description,Источник +Get Advances Paid,Условия Содержимое +Get Advances Received,Введение клиентов +Get Against Entries,Комиссия по продажам +Get Current Stock,Название элемента +Get Items,Бухгалтерские Journal. +Get Items From Sales Orders,Работа-в-Прогресс Склад требуется перед Отправить +Get Items from BOM,История Связь +Get Last Purchase Rate,Выделите листья на определенный срок. +Get Outstanding Invoices,Техническое обслуживание Детали +Get Relevant Entries,"Нельзя отменить, потому что представляется со Вступление {0} существует" +Get Sales Orders,Дебиторская задолженность +Get Specification Details,Инвестиции +Get Stock and Rate,"Доступный в спецификации, накладной, счете-фактуре, производственного заказа, заказа на поставку, покупка получение, счет-фактура, заказ клиента, фондовой въезда, расписания" +Get Template,Чистая Всего +Get Terms and Conditions,Сайт Группы товаров +Get Weekly Off Dates,BOM {0} не представлено или неактивным спецификации по пункту {1} +"Get valuation rate and available stock at source/target warehouse on mentioned posting date-time. If serialized item, please press this button after entering serial nos.",Новый UOM НЕ должен иметь тип целого числа +Global Defaults,Пункт Сумма налога +Global POS Setting {0} already created for company {1},Операция Описание +Global Settings,Целевая склад является обязательным для ряда {0} +"Go to the appropriate group (usually Application of Funds > Current Assets > Bank Accounts and create a new Account Ledger (by clicking on Add Child) of type ""Bank""",Добавить / Изменить Налоги и сборы +"Go to the appropriate group (usually Source of Funds > Current Liabilities > Taxes and Duties and create a new Account Ledger (by clicking on Add Child) of type ""Tax"" and do mention the Tax rate.",Чтобы отслеживать пункт в купли-продажи документов по их серийных NOS. Это также может использоваться для отслеживания гарантийные детали продукта. +Goal,Фактический Дата завершения +Goals,BOM {0} не является активным или не представили +Goods received from Suppliers.,Пятница +Google Drive,Выберите товары +Google Drive Access Allowed,Покупка / Производство Подробнее +Government,Информация о регистрации +Graduate,Комментарии +Grand Total,Фото со приведению данных +Grand Total (Company Currency),КО № +"Grid """,Планирование +Grocery,Включите примириться Записи +Gross Margin %,Муж +Gross Margin Value,"Приемник Список пуст. Пожалуйста, создайте приемник Список" +Gross Pay,Доставка Примечание {0} не должны быть представлены +Gross Pay + Arrear Amount +Encashment Amount - Total Deduction,Нет товара с серийным № {0} +Gross Profit,Группа по Счет +Gross Profit (%),Центр затрат домена +Gross Weight,Платежи в период дайджест +Gross Weight UOM,Создание производственных заказов +Group,Клиентам Дата Заказ +Group by Account,Сумма <= +Group by Voucher,Всего Выделенная сумма +Group or Ledger,Пункт {0} не является акционерным Пункт +Groups,"Пожалуйста, введите утверждении роли или утверждении Пользователь" +HR Manager,Реализация Партнер +HR Settings,Ничего просить +HTML / Banner that will show on the top of product list.,"Укажите список территорий, для которых, это прайс-лист действителен" +Half Day,"Подпись, которая будет добавлена ​​в конце каждого письма" +Half Yearly,Переделанный +Half-yearly,Производитель Номер +Happy Birthday!,Вес нетто единица измерения +Hardware,Электроника +Has Batch No,"Пожалуйста, введите родительскую группу счета для складского учета" +Has Child Node,Счет-фактура по продажам товары +Has Serial No,Прайс-лист {0} отключена +Head of Marketing and Sales,Обновите SMS Настройки +Header,Семейное положение +Health Care,Поддержка Аналитика +Health Concerns,Оценка должна быть меньше или равна 5 +Health Details,"{0} является недопустимым адрес электронной почты в ""Notification адрес электронной почты""" +Held On,Пункт НАЛ1 +Help HTML,Оплата счета-фактуры Matching Tool +"Help: To link to another record in the system, use ""#Form/Note/[Note Name]"" as the Link URL. (don't use ""http://"")",Введите действительные мобильных NOS +"Here you can maintain family details like name and occupation of parent, spouse and children","Серийный Пункт {0} не может быть обновлен \ \ п, используя Stock примирения" +"Here you can maintain height, weight, allergies, medical concerns etc",Против Expense Счет +Hide Currency Symbol,"Обязательно, если со Пункт «Да». Также склад по умолчанию, где защищены количество установлено от заказа клиента." +High,Комплект поставки +History In Company,"Если флажок установлен, все время не. рабочих дней будет включать в себя праздники, и это приведет к снижению стоимости Зарплата в день" +Hold,Дата установки не может быть до даты доставки для Пункт {0} +Holiday,Новый Серийный номер не может быть Склад. Склад должен быть установлен на фондовой Вступил или приобрести получении +Holiday List,Записи до {0} заморожены +Holiday List Name,Подписка на Delivery Note против любого проекта +Holiday master.,Спартанский +Holidays,Дата выставления счета +Home,Владелец +Host,Подоходный налог +"Host, Email and Password required if emails are to be pulled",Финансовый год Дата окончания +Hour,Оценочные голов +Hour Rate,Оценить +Hour Rate Labour,Выделенные Бюджет +Hours,Клиренс Дата +How Pricing Rule is applied?,BOM Операция +How frequently?,КУА срок действия +"How should this currency be formatted? If not set, will use system defaults",Добавить серийный номер +Human Resources,Статус обновлен до {0} +Identification of the package for the delivery (for print),Пункт мудрый Прайс-лист Оценить +If Income or Expense,Тип контакта +If Monthly Budget Exceeded,"Пожалуйста, проверьте ""Есть Advance"" против Счет {0}, если это заранее запись." +"If Sale BOM is defined, the actual BOM of the Pack is displayed as table. Available in Delivery Note and Sales Order",Изменить порядок Уровень +"If Supplier Part Number exists for given Item, it gets stored here",Время монтажа +If Yearly Budget Exceeded,Доставка Примечание необходимое +"If checked, BOM for sub-assembly items will be considered for getting raw materials. Otherwise, all sub-assembly items will be treated as a raw material.","Пожалуйста, введите действительный Компания Email" +"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Выберите ""Да"" для суб - заражения предметы" +"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount","Скачать шаблон, заполнить соответствующие данные и приложить измененный файл. \ NВсе дату и сочетание работник в выбранный период придет в шаблоне, с существующими рекорды посещаемости" +If different than customer address,Постоянный адрес +"If disable, 'Rounded Total' field will not be visible in any transaction",Вид занятости +"If enabled, the system will post accounting entries for inventory automatically.","Законопроекты, поднятые поставщиков." +If more than one package of the same type (for print),Фармацевтический +"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.",Просмотр изображения +"If no change in either Quantity or Valuation Rate, leave the cell blank.",Территория Имя +If not applicable please enter: NA,Ряд # {0}: Заказал Количество может не менее минимального Кол порядка элемента (определяется в мастер пункт). +"If not checked, the list will have to be added to each Department where it has to be applied.",Родительский клиент Группа +"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.",Это Пакетная Время Лог был объявлен. +"If specified, send the newsletter using this email address","Акции записи существуют в отношении склада {0} не может повторно назначить или изменить ""Master Имя '" +"If the account is frozen, entries are allowed to restricted users.",Родитель Территория +"If this Account represents a Customer, Supplier or Employee, set it here.",Relation +"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.",Ссылка SQ +If you follow Quality Inspection. Enables Item QA Required and QA No in Purchase Receipt,"Листья должны быть выделены несколько 0,5" +If you have Sales Team and Sale Partners (Channel Partners) they can be tagged and maintain their contribution in the sales activity,Фактический Кол-во (в источнике / цели) +"If you have created a standard template in Purchase Taxes and Charges Master, select one and click on the button below.",Возвращаемое значение +"If you have created a standard template in Sales Taxes and Charges Master, select one and click on the button below.",Вычеты € +"If you have long print formats, this feature can be used to split the page to be printed on multiple pages with all headers and footers on each page",Поставщик аккаунт руководитель +If you involve in manufacturing activity. Enables Item 'Is Manufactured',"Пункт {0} не существует в системе, или истек" +Ignore,Адрес эл. почты +Ignore Pricing Rule,"Пожалуйста, создайте Клиента от свинца {0}" +Ignored: , +Image,Существует не хватает отпуск баланс для отпуске Тип {0} +Image View,Заказ на продажу Нет +Implementation Partner,Почтовые расходы +Import Attendance,Мастер Имя +Import Failed!,"Пожалуйста, введите заказ клиента в таблице выше" +Import Log,Новые билеты Поддержка +Import Successful!,Тип Поставщик / Поставщик +Imports,Срок поставки +In Hours,Настройки для модуля HR +In Process,Утверждаю +In Qty,"Скорость, с которой Заказчик валют преобразуется в базовой валюте клиента" +In Value,"Дата, в которую грузовик начал с поставщиком склад" +In Words,По умолчанию Территория +In Words (Company Currency),Склад требуется для складе Пункт {0} +In Words (Export) will be visible once you save the Delivery Note.,Пункт {0} с серийным № уже установлена ​​{1} +In Words will be visible once you save the Delivery Note.,"Настройки для извлечения Работа Кандидаты от почтового ящика, например ""jobs@example.com""" +In Words will be visible once you save the Purchase Invoice.,Потребительские товары +In Words will be visible once you save the Purchase Order.,Сезонность для установления бюджетов. +In Words will be visible once you save the Purchase Receipt.,"Не найдено ни Поставщик счета. Поставщик счета определяются на основе стоимости ""Мастер Type 'в счет записи." +In Words will be visible once you save the Quotation.,Является субподряду +In Words will be visible once you save the Sales Invoice.,"Заказал Количество: Количество заказал для покупки, но не получил." +In Words will be visible once you save the Sales Order.,Аккаунт +Incentives,Получить товары +Include Reconciled Entries,Всего очков +Include holidays in Total no. of Working Days,"Неверный Сервер Почта. Пожалуйста, исправить и попробовать еще раз." +Income,Покупка Скидки +Income / Expense,Парти +Income Account,Причина потери +Income Booked,Разрешить Ведомость материалов +Income Tax,Гарантия / АМК Статус +Income Year to Date,"Дата, в которую грузовик начал с вашего склада" +Income booked for the digest period,"Если у вас длинные форматы печати, эта функция может быть использована для разрезки страницу, которая будет напечатана на нескольких страниц со всеми верхние и нижние колонтитулы на каждой странице" +Incoming,кол-во +Incoming Rate,Предмет цены +Incoming quality inspection.,Есть ли действительно хотите откупоривать производственный заказ: +Incorrect or Inactive BOM {0} for Item {1} at row {2},Общая стоимость +Indicates that the package is a part of this delivery (Only Draft),"Баланс счета уже в кредит, вы не можете установить ""баланс должен быть 'как' Debit '" +Indirect Expenses,Будет обновляться при счет. +Indirect Income,Блог абонента +Individual,Описание +Industry,Поставщик Счет Нет +Industry Type,"Невозможно установить, как Остаться в живых, как заказ клиента производится." +Inspected By,"Чтобы не применяются Цены правило в конкретной сделки, все применимые правила ценообразования должны быть отключены." +Inspection Criteria,Семья Фон +Inspection Required,Выделять +Inspection Type,"Нет Производственные заказы, созданные" +Installation Date,Посетите отчет за призыв обслуживания. +Installation Note,Локальные +Installation Note Item,Email Дайджест Настройки +Installation Note {0} has already been submitted,· Отметки о доставке +Installation Status,Работа продолжается +Installation Time,Нет товара со штрих-кодом {0} +Installation date cannot be before delivery date for Item {0},Имя страницы +Installation record for a Serial No.,Уровень запасов +Installed Qty,Установить префикс для нумерации серии на ваших сделок +Instructions,Банк: +Integrate incoming support emails to Support Ticket,Последний Покупка Оценить +Interested,Резерв на более-доставки / над-биллинга скрещенными за Пункт {0}. +Intern,"Суб-валюты. Для например ""Цент """ +Internal,Целевая Кол-во +Internet Publishing,Другое +Introduction,Подробности по трудоустройству +Invalid Barcode or Serial No,Кредитные дней +Invalid Mail Server. Please rectify and try again.,Отменить Материал Посетить {0} до отмены этого вопроса клиентов +Invalid Master Name,Дата закрытия +Invalid User Name or Support Password. Please rectify and try again.,Скачать шаблон +Invalid quantity specified for item {0}. Quantity should be greater than 0.,Ценные бумаги и депозиты +Inventory,Bank A / С № +Inventory & Support,Бюджет +Investment Banking,Заказчик / Ведущий Адрес +Investments,По умолчанию денежного счета +Invoice Date,Счет Продажи {0} уже представлен +Invoice Details,"Показать ""На складе"" или ""нет на складе"", основанный на складе имеющейся в этом складе." +Invoice No,Косвенные расходы +Invoice Period From Date,"'Notification Адреса электронной почты', не предназначенных для повторяющихся счет" +Invoice Period From and Invoice Period To dates mandatory for recurring invoice,Запрашиваемая Для +Invoice Period To Date,Следующая Контактные По +Invoiced Amount (Exculsive Tax),Поставщик цитаты +Is Active,Все Связаться +Is Advance,Счет Наличный / Банк +Is Cancelled,Извлечь почты +Is Carry Forward,По умолчанию Счет в банке / Наличные будут автоматически обновляться в POS фактуре когда выбран этот режим. +Is Default,Регистр +Is Encash,Мобильная Нет +Is Fixed Asset Item,Упаковочный лист товары +Is LWP,Сотрудник внутреннего Работа История +Is Opening,Верхний Доход +Is Opening Entry,"День (дни), на котором вы подаете заявление на отпуск, отпуск. Вам не нужно обратиться за разрешением." +Is POS,"Пример:. ABCD # # # # # \ nЕсли серии установлен и Серийный номер не упоминается в сделках, то автоматическая серийный номер будет создана на основе этой серии. Если вы всегда хотите явно упомянуть серийный Нос для этого элемента. оставьте поле пустым." +Is Primary Contact,Команда1 продаж +Is Purchase Item,"Бюджет, выделенный" +Is Sales Item,Производство / Repack +Is Service Item,Имя +Is Stock Item,МВЗ с существующими сделок не могут быть преобразованы в группе +Is Sub Contracted Item,Списание на основе +Is Subcontracted,"Только Оставьте приложений с статуса ""Одобрено"" могут быть представлены" +Is this Tax included in Basic Rate?,сайт ссылку +Issue,Материал Запрос {0} отменяется или остановлен +Issue Date,Добавить / Удалить получателей +Issue Details,Родитель партия Тип +Issued Items Against Production Order,Бухгалтерская книга +It can also be used to create opening stock entries and to fix stock value.,"Скорость, с которой Прайс-лист валюта конвертируется в базовую валюту компании" +Item,Список праздников +Item Advanced,"Из валюты и В валюту не может быть таким же," +Item Barcode,На основе +Item Batch Nos,"Проверьте это, если вы хотите показать в веб-сайт" +Item Code,"Пожалуйста, не создавайте аккаунт (бухгалтерские книги) для заказчиков и поставщиков. Они создаются непосредственно от клиентов / поставщиков мастеров." +Item Code > Item Group > Brand,Объявленный Amt +Item Code and Warehouse should already exist.,Имеет дочерний узел +Item Code cannot be changed for Serial No.,Мастер Пункт. +Item Code is mandatory because Item is not automatically numbered,Счет {0} не может быть группа +Item Code required at Row No {0},Доставлено +Item Customer Detail,Чистая Всего (Компания Валюта) +Item Description,Установленная Кол-во +Item Desription,Применимо Список праздников +Item Details,Кол-во +Item Group,Клиентам Заказ Нет +Item Group Name,Ошибка: {0}> {1} +Item Group Tree,"Пожалуйста, введите Дебиторская задолженность / кредиторская задолженность группы в мастера компании" +Item Group not mentioned in item master for item {0},Максимально допустимое кредит {0} дней после размещения дату +Item Groups in Details,Имя поля +Item Image (if not slideshow),Праздники +Item Name,Логотип и бланки +Item Naming By,Скачать приведению данных +Item Price,Как часто? +Item Prices,Холодная Вызов +Item Quality Inspection Parameter,Защищены Кол-во +Item Reorder,Цитата Пункт +Item Serial No,Минимальный заказ Кол-во +Item Serial Nos,Корневая учетная запись не может быть удалена +Item Shortage Report,Основная информация +Item Supplier,Авиационно-космический +Item Supplier Details,Дерево Тип +Item Tax,"Вы не авторизованы, чтобы установить Frozen значение" +Item Tax Amount,"Виды занятости (постоянная, контракт, стажер и т.д.)." +Item Tax Rate,Чтобы включить Точки продаж особенности +Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Да +Item Tax1,Пункт: {0} не найден в системе +Item To Manufacture,Настройки SMS +Item UOM,Дата публикации +Item Website Specification,Единицы измерений +Item Website Specifications,Открытие Значение +Item Wise Tax Detail,Контроль Уведомление +Item Wise Tax Detail , +Item is required,Склад {0} не принадлежит компания {1} +Item is updated,Техническое обслуживание Время +Item master.,"Пожалуйста, нажмите на кнопку ""Generate Расписание"", чтобы принести Серийный номер добавлен для Пункт {0}" +"Item must be a purchase item, as it is present in one or many Active BOMs",Произвести оплату запись +Item or Warehouse for row {0} does not match Material Request,Разрешить следующие пользователи утвердить Leave приложений для блочных дней. +Item table can not be blank,Пользователь +Item to be manufactured or repacked,Сюжет +Item valuation updated,"Нажмите на кнопку ""Создать Расходная накладная», чтобы создать новый счет-фактуру." +Item will be saved by this name in the data base.,Оставьте Инкассация Количество +Item {0} appears multiple times in Price List {1},"Материал Запросы, для которых Поставщик Котировки не создаются" +Item {0} does not exist,Фактический Дата окончания +Item {0} does not exist in the system or has expired,Сделать ТОВАРНЫЙ ЧЕК +Item {0} does not exist in {1} {2},Для справки. +Item {0} has already been returned,Рассылка новостей +Item {0} has been entered multiple times against same operation,Никогда +Item {0} has been entered multiple times with same description or date,Задачи +Item {0} has been entered multiple times with same description or date or warehouse,Фактор Единица измерения преобразования требуется в строке {0} +Item {0} has been entered twice,От заказа клиента +Item {0} has reached its end of life on {1},Разрешение +Item {0} ignored since it is not a stock item,"Код товара и Склад, должна уже существовать." +Item {0} is cancelled,Расходы забронированы на период дайджест +Item {0} is not Purchase Item,Полк +Item {0} is not a serialized Item,Статические параметры +Item {0} is not a stock Item,Зарплата компоненты. +Item {0} is not active or end of life has been reached,Были ошибки. +Item {0} is not setup for Serial Nos. Check Item master,Город +Item {0} is not setup for Serial Nos. Column must be blank,Тип +Item {0} must be Sales Item,Приобретение и лояльности клиентов +Item {0} must be Sales or Service Item in {1},Пункт {0} был введен в два раза +Item {0} must be Service Item,Разрешить пользователям +Item {0} must be a Purchase Item,% При поставке +Item {0} must be a Sales Item,Имя Контакта +Item {0} must be a Service Item.,Непроизводительные затраты +Item {0} must be a Sub-contracted Item,Упаковочный лист (ы) отменяется +Item {0} must be a stock Item,Все продукты или услуги. +Item {0} must be manufactured or sub-contracted,"Пожалуйста, введите валюту по умолчанию в компании Master" +Item {0} not found,Уровень изменить порядок +Item {0} with Serial No {1} is already installed,Обновить +Item {0} with same description entered twice,Выпуск клиентов против серийный номер +"Item, Warranty, AMC (Annual Maintenance Contract) details will be automatically fetched when Serial Number is selected.","Бюллетени не допускается, за Trial пользователей" +Item-wise Price List Rate,Акционеры фонды +Item-wise Purchase History,Тип доставки документов +Item-wise Purchase Register,Нет скольжения зарплата нашли за месяц: +Item-wise Sales History,Поддержка Настройки электронной почты +Item-wise Sales Register,Комментарий +"Item: {0} managed batch-wise, can not be reconciled using \ + Stock Reconciliation, instead use Stock Entry",Дата выдачи +Item: {0} not found in the system,Разрешить Dropbox Access +Items,Утверждении Роль +Items To Be Requested,Настройка Уже завершена!! +Items required,Бренды +"Items to be requested which are ""Out of Stock"" considering all warehouses based on projected qty and minimum order qty",Спецификации +Items which do not exist in Item master can also be entered on customer's request,Новые заказы на продажу +Itemwise Discount,Производственный заказ {0} должны быть представлены +Itemwise Recommended Reorder Level,Экстренная связь +Job Applicant,Счет Период С и счет-фактура Период до даты обязательных для повторяющихся счет +Job Opening,Заработок & Вычет +Job Profile,Заказ на продажу {0} остановлен +Job Title,Всего Вычет +"Job profile, qualifications required etc.",ТАК В ожидании Кол-во +Jobs Email Settings,Задача +Journal Entries,От Ведущий +Journal Entry,"Оставьте пустым, если считать для всех отраслей" +Journal Voucher,Contra Ваучер +Journal Voucher Detail,Рассматривается как баланс открытия +Journal Voucher Detail No,Отклонен Склад +Journal Voucher {0} does not have account {1} or already matched,Тип подачи +Journal Vouchers {0} are un-linked,Средний возраст +Keep a track of communication related to this enquiry which will help for future reference.,Бренд мастер. +Keep it web friendly 900px (w) by 100px (h),Рассматривается как начальное сальдо +Key Performance Area,Пункт {0} должен быть Субдоговорная Пункт +Key Responsibility Area,Будьте в курсе +Kg,"Получить скорость оценки и доступных запасов на источник / целевой склад на упомянутой Дата публикации времени. Если по частям деталь, пожалуйста нажмите эту кнопку после ввода серийных NOS." +LR Date,Расписание Подробнее +LR No,Настройка сервера входящей для поддержки электронный идентификатор. (Например support@example.com) +Label,Склад {0} не может быть удален как существует количество для Пункт {1} +Landed Cost Item,Электрический +Landed Cost Items,Сегмент рынка +Landed Cost Purchase Receipt,Настройки по умолчанию для покупки сделок. +Landed Cost Purchase Receipts,"Сырье не может быть такой же, как главный пункт" +Landed Cost Wizard,Фото со UOM +Landed Cost updated successfully,Оценить материалов на основе +Language,Счет для склада (непрерывной инвентаризации) будут созданы под этой учетной записью. +Last Name,Всего комиссия +Last Purchase Rate,Средним уровнем доходов +Latest,Подтвердить +Lead,Продажи Заказать Тенденции +Lead Details,Дневной Резюме Время Лог +Lead Id,От поставщика цитаты +Lead Name,Шаблоны Страна мудрый адрес по умолчанию +Lead Owner,Дата +Lead Source,Акции Настройки +Lead Status,Сотрудник {0} не активен или не существует +Lead Time Date,Способ платежа +Lead Time Days,Поражений +Lead Time days is number of days by which this item is expected in your warehouse. This days is fetched in Material Request when you select this item.,Просроченной задолженности Сумма +Lead Type,Код +Lead must be set if Opportunity is made from Lead,Лицо Родительские продаж +Leave Allocation,Расходов претензии Утверждено +Leave Allocation Tool,"Пожалуйста, введите детали деталя" +Leave Application,Имя заявителя +Leave Approver,Счет Продажи Нет +Leave Approvers,Списание МВЗ +Leave Balance Before Application,Научный сотрудник +Leave Block List,Ваш финансовый год начинается +Leave Block List Allow,Скидка (%) +Leave Block List Allowed,Мастер установки +Leave Block List Date,"Мастер Имя является обязательным, если тип счета Склад" +Leave Block List Dates,Минут +Leave Block List Name,Если отличается от адреса клиента +Leave Blocked,Единица измерения {0} был введен более чем один раз в таблицу преобразования Factor +Leave Control Panel,Новые снабжении +Leave Encashed?,Грузовые и экспедиторские Сборы +Leave Encashment Amount,Налоговые и иные отчисления заработной платы. +Leave Type,Действует с +Leave Type Name,Финансовая аналитика +Leave Without Pay,Кампания Именование По +Leave application has been approved.,Unstop Материал Запрос +Leave application has been rejected.,От клиентов +Leave approver must be one of {0},Изменено количество +Leave blank if considered for all branches,Цитата {0} отменяется +Leave blank if considered for all departments,Планируемые Кол-во +Leave blank if considered for all designations,"например ""MC """ +Leave blank if considered for all employee types,"Пожалуйста, добавьте расходов Детали ваучеров" +"Leave can be approved by users with Role, ""Leave Approver""","Пожалуйста, установите свой план счетов, прежде чем начать бухгалтерских проводок" +Leave of type {0} cannot be longer than {1},Серия является обязательным +Leaves Allocated Successfully for {0},Выберите вашу страну и проверьте часовой пояс и валюту. +Leaves for type {0} already allocated for Employee {1} for Fiscal Year {0},Обратная связь с клиентами +Leaves must be allocated in multiples of 0.5,Дата подтверждения +Ledger,Является LWP +Ledgers,Примечание: Пункт {0} вошли несколько раз +Left,Настройки HR +Legal,Пункт обновляется +Legal Expenses,По умолчанию Банковский счет +Letter Head,Получить Правила и условия +Letter Heads for print templates.,Дата просвет не может быть до даты регистрации в строке {0} +Level,Материал Запрос товара +Lft,BOM номер для готового изделия Пункт +Liability,Оставьте утверждающего +List a few of your customers. They could be organizations or individuals.,Создание правил для ограничения операций на основе значений. +List a few of your suppliers. They could be organizations or individuals.,Оставьте Блок-лист Дата +List items that form the package.,Кампания +List this Item in multiple groups on the website.,"Пожалуйста, введите Запланированное Количество по пункту {0} в строке {1}" +"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 your tax heads (e.g. VAT, Excise; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.",Оценка (0-5) +Loading...,Пользователи с этой ролью могут создавать / изменять записи бухгалтерского учета перед замороженной даты +Loans (Liabilities),"Пожалуйста, введите МВЗ" +Loans and Advances (Assets),Упаковочный лист +Local,Посадка Статьи затрат +Login,Отсутствует валютный курс для {0} +Login with your new User ID,Возможность Тип +Logo,Настройки компании +Logo and Letter Heads,Стандартные условия договора для продажи или покупки. +Lost,Получить авансы полученные +Lost Reason,Дата оплаты +Low,Музыка +Lower Income,Проекты +MTN Details,Фактически +Main,"Покупка порядке, предусмотренном" +Main Reports,Автомобиль Отправка Дата +Maintain Same Rate Throughout Sales Cycle,Кредиты (обязательства) +Maintain same rate throughout purchase cycle,Логика включения по дате +Maintenance,Добавить +Maintenance Date,Прайс-лист не выбран +Maintenance Details,Название валюты +Maintenance Schedule,Выберите финансовый год ... +Maintenance Schedule Detail,Статус Биллинг +Maintenance Schedule Item,Отрицательный Количество не допускается +Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',"Цены Правило сначала выбирается на основе ""Применить На"" поле, которое может быть Пункт, Пункт Группа или Марка." +Maintenance Schedule {0} exists against {0},Склад может быть изменен только с помощью со входа / накладной / Покупка получении +Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Принято Количество +Maintenance Schedules,Полученные товары быть выставлен счет +Maintenance Status,Обновление просвет Дата +Maintenance Time,Оплата период на основе Накладная Дата +Maintenance Type,Расходов претензии +Maintenance Visit,Дата публикации и размещения время является обязательным +Maintenance Visit Purpose,LR Дата +Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Всего Сумма по счетам +Maintenance start date can not be before delivery date for Serial No {0},"E-mail Id, где соискатель вышлем например ""jobs@example.com""" +Major/Optional Subjects,Запись в дневнике +Make , +Make Accounting Entry For Every Stock Movement,Док Имя +Make Bank Voucher,Является продаж товара +Make Credit Note,"Если вы создали стандартный шаблон в Покупка налогам и сборам Master, выберите один и нажмите на кнопку ниже." +Make Debit Note,Ваучер Тип и дата +Make Delivery,Покупка Получение товара Поставляется +Make Difference Entry,"Товары, полученные от поставщиков." +Make Excise Invoice,old_parent +Make Installation Note,"Если счет замораживается, записи разрешается ограниченных пользователей." +Make Invoice,По умолчанию учетная запись +Make Maint. Schedule,Преобразовать в группе +Make Maint. Visit,Регистрационные номера компании для вашей справки. Налоговые числа и т.д. +Make Maintenance Visit,В случае чрезвычайных ситуаций +Make Packing Slip,Детали +Make Payment Entry,"Невозможно преобразовать МВЗ в книге, как это имеет дочерние узлы" +Make Purchase Invoice,Мастер отдыха. +Make Purchase Order,Центр учета затрат +Make Purchase Receipt,Неполная занятость +Make Salary Slip,Заказ на покупку +Make Salary Structure,Не можете деактивировать или CANCLE BOM поскольку она связана с другими спецификациями +Make Sales Invoice,"Выбор ""Да"" позволит этот пункт появится в заказе на, покупка получении." +Make Sales Order,Вес брутто +Make Supplier Quotation,Исправлена ​​активами +Male,Пункт Налоговая ставка +Manage Customer Group Tree.,Закрыт +Manage Sales Partners.,Половина года +Manage Sales Person Tree.,Новые запросы Материал +Manage Territory Tree.,Освобождение Дата +Manage cost of operations,На сегодняшний день не может быть раньше от даты +Management,Выберите файл CSV +Manager,Чек Количество +"Mandatory if Stock Item is ""Yes"". Also the default warehouse where reserved quantity is set from Sales Order.",Блок Дата +Manufacture against Sales Order,За компанию +Manufacture/Repack,Расходная накладная тенденции +Manufactured Qty,Не доступен +Manufactured quantity will be updated in this warehouse,Не найдено ни Средства клиентов. +Manufactured quantity {0} cannot be greater than planned quanitity {1} in Production Order {2},"""Не существует" +Manufacturer,"Перечислите ваши налоговые головы (например, НДС, акциз, они должны иметь уникальные имена) и их стандартных ставок. Это создаст стандартный шаблон, который можно редактировать и добавлять позже." +Manufacturer Part Number,Вы можете представить эту Stock примирения. +Manufacturing,Старение Дата является обязательным для открытия запись +Manufacturing Quantity,Чтобы Дата +Manufacturing Quantity is mandatory,Покупка Налоги и сборы +Margin,BOM заменить +Marital Status,Подробности Здоровье +Market Segment,Расходы +Marketing,Выполнять по индивидуальному заказу +Marketing Expenses,Идентификация пакета на поставку (для печати) +Married,Вы можете ввести минимальное количество этого пункта заказывается. +Mass Mailing,Распределение Имя +Master Name,Компания (не клиента или поставщика) хозяин. +Master Name is mandatory if account type is Warehouse,Требуемые товары должны быть переданы +Master Type,Символ +Masters,Выберите Журналы время и предоставить для создания нового счета-фактуры. +Match non-linked Invoices and Payments.,"Укажите список территорий, на которые это правило пересылки действует" +Material Issue,Материал Запрос товары +Material Receipt,Город / +Material Request,Re порядка Кол-во +Material Request Detail No,Инженерное оборудование +Material Request For Warehouse,Не активность +Material Request Item,Базовая валюта +Material Request Items,Транспортные расходы +Material Request No,"Проверьте это, если вы хотите, чтобы заставить пользователя выбрать серию перед сохранением. Там не будет по умолчанию, если вы проверить это." +Material Request Type,Настроить уведомления +Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Образовательный ценз Подробнее +Material Request used to make this Stock Entry,Тип Поставщик +Material Request {0} is cancelled or stopped,Начисление типа «Актуальные 'в строке {0} не могут быть включены в пункт Оценить +Material Requests for which Supplier Quotations are not created,Билл Нет +Material Requests {0} created,Имя счета +Material Requirement,Обновление Стоимость +Material Transfer,"Защищены Кол-во: Количество приказал на продажу, но не поставлены." +Materials,Диапазон +Materials Required (Exploded),Контакты +Max 5 characters,HTML / Баннер который будет отображаться на верхней части списка товаров. +Max Days Leave Allowed,Вы можете установить по умолчанию банковский счет в мастер компании +Max Discount (%),Новый Центр Стоимость +Max Qty,Персонажей +Max discount allowed for item: {0} is {1}%,"Невозможно выбрать тип заряда, как «О предыдущего ряда Сумма» или «О предыдущего ряда Всего"" для оценки. Вы можете выбрать только опцию ""Всего"" за предыдущий количества строк или предыдущей общей строки" +Maximum allowed credit is {0} days after posting date,Временные Активы +Maximum {0} rows allowed,Тип Партнер +Maxiumm discount for Item {0} is {1}%,Налог +Medical,Количество пункта получены после изготовления / переупаковка от заданных величин сырья +Medium,Год закрыт +"Merging is only possible if following properties are same in both records. Group or Ledger, Root Type, Company",Зарплата +Message,Дни с последнего Заказать +Message Parameter,"Другой Зарплата Структура {0} активна для работника {0}. Пожалуйста, убедитесь, свой статус ""неактивного"", чтобы продолжить." +Message Sent,Оборотные активы +Message updated,"Пожалуйста, выберите тип документа сначала" +Messages,Баланс Кол-во +Messages greater than 160 characters will be split into multiple messages,Правительство +Middle Income,"Добро пожаловать в ERPNext. Пожалуйста, выберите язык, чтобы запустить мастер установки." +Milestone,Эксплуатационные затраты +Milestone Date,Пункт Нехватка Сообщить +Milestones,Примечание +Milestones will be added as Events in the Calendar,"Не можете скрытые в группу, потому что выбран Мастер Введите или счета Тип." +Min Order Qty,"Сообщения больше, чем 160 символов будет разделен на несколько сообщений" +Min Qty,Пользователь всегда должен выбрать +Min Qty can not be greater than Max Qty,"Титулы для шаблонов печати, например, счет-проформа." +Minimum Order Qty,Вес Единица измерения +Minute,"Всего Дебет должна быть равна общей выработке. Разница в том, {0}" +Misc Details,Производство Количество является обязательным +Miscellaneous Expenses,Имя пользователя +Miscelleneous,Выберите заказы на продажу +Mobile No,Настройки работникам +Mobile No.,"не Укажите операции, эксплуатационные расходы и дать уникальную операцию не в вашей деятельности." +Mode of Payment,Остатки на счетах типа «Банк» или «Денежные средства» +Modern,% Завершено +Modified Amount,Набор Тип +Monday,Комиссия ставка (%) +Month,"Авто-рейз Материал Запрос, если количество идет ниже уровня повторного заказа на складе" +Monthly,Новый фонда единица измерения должна отличаться от текущей фондовой UOM +Monthly Attendance Sheet,Примечание: Система не будет проверять по-доставки и избыточного бронирования по пункту {0} как количестве 0 +Monthly Earning & Deduction,"Как есть существующие биржевые операции для данного элемента, вы не можете изменить значения 'Имеет Серийный номер »,« Является фонда Пункт ""и"" Оценка Метод """ +Monthly Salary Register,% Материалов выставленных против этого заказа клиента +Monthly salary statement.,Выберите бренд ... +More Details,Переименование файлов +More Info,Изготовлено количество будет обновляться в этом склад +Motion Picture & Video,Отклонен Серийный номер +Moving Average,Другое +Moving Average Rate,Производитель +Mr,Госпожа +Ms,% Сумма счета +Multiple Item prices.,Настройки по заработной плате +"Multiple Price Rule exists with same criteria, please resolve \ + conflict by assigning priority. Price Rules: {0}","Общая сумма счетов, отправленных заказчику в период дайджест" +Music,Продукт или сервис +Must be Whole Number,Эта информация будет использоваться для установки правило в модуле HR +Name,Примечание: Существует не хватает отпуск баланс для отпуске Тип {0} +Name and Description,За год +Name and Employee ID,Зарезервировано склад требуются для готового элемента {0} +"Name of new Account. Note: Please don't create accounts for Customers and Suppliers, they are created automatically from the Customer and Supplier master",Счет Доходы +Name of person or organization that this address belongs to.,Дата вступления +Name of the Budget Distribution,"Несколько Цена Правило существует с тем же критериям, пожалуйста, решить \ \ п конфликт путем присвоения приоритет. Цена Правила: {0}" +Naming Series,Имя и Код сотрудника +Negative Quantity is not allowed,Оценка +Negative Stock Error ({6}) for Item {0} in Warehouse {1} on {2} {3} in {4} {5},Руководитель проекта +Negative Valuation Rate is not allowed,Базовый +Negative balance in Batch {0} for Item {1} at Warehouse {2} on {3} {4},"Мин Кол-во не может быть больше, чем Max Кол-во" +Net Pay,Счет {0} не существует +Net Pay (in words) will be visible once you save the Salary Slip.,Ваучер Подробно Нет +Net Total,Новый акций Записи +Net Total (Company Currency),Косметика +Net Weight,"Налоговый Категория не может быть ""Оценка"" или ""Оценка и Всего», как все детали, нет в наличии" +Net Weight UOM,Наличные +Net Weight of each Item,Поставляется Серийный номер {0} не может быть удален +Net pay cannot be negative,Автоматическое извлечение претендентов на рабочие места из почтового ящика +Never,Аварийный Контактные данные +New , +New Account,"Ваш продавец получит напоминание в этот день, чтобы связаться с клиентом" +New Account Name,"Перейти к соответствующей группе (обычно источником средств> Краткосрочные обязательства> налогам и сборам и создать новый аккаунт Леджер (нажав на Добавить дочерний) типа ""Налоговый"" и не говоря уже о налоговой ставки." +New BOM,"Пожалуйста, сформулируйте Компания приступить" +New Communications,Родитель Пункт Группа +New Company,Состояние установки +New Cost Center,Укажите правильный Row ID для {0} в строке {1} +New Cost Center Name,Lft +New Delivery Notes,Код клиента +New Enquiries,Группа по ваучером +New Leads,Принято Склад +New Leave Application,Счет с дочерних узлов не могут быть преобразованы в книге +New Leaves Allocated,Журнал Ваучер Подробно +New Leaves Allocated (In Days),Покупка Получение {0} не представлено +New Material Requests,Прайс-лист Тариф (Компания Валюта) +New Projects,Купить +New Purchase Orders,"Предметы, которые не существуют в мастера товар, также может быть введен по требованию заказчика" +New Purchase Receipts,По умолчанию расходов счета +New Quotations,Слайд-шоу +New Sales Orders,Чтобы включить Точки продаж зрения +New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Следуйте по электронной почте +New Stock Entries,"Обязательные сырье, выпущенные к поставщику для получения суб - контракт пункт." +New Stock UOM,Является Advance +New Stock UOM is required,Журнал учета времени +New Stock UOM must be different from current stock UOM,Сделать Расходная накладная +New Supplier Quotations,Акции Записи уже создан для производственного заказа +New Support Tickets,Ответственность сторон +New UOM must NOT be of type Whole Number,Количество по пункту {0} должно быть меньше {1} +New Workplace,Налоги и сборы Всего +Newsletter,Оставьте Имя Блок-лист +Newsletter Content,Сайт партнера +Newsletter Status,Пункт {0} с таким же описанием введен дважды +Newsletter has already been sent,Зарезервировано Склад в заказ клиента / склад готовой продукции +Newsletters is not allowed for Trial users,Скидки +"Newsletters to contacts, leads.",Стоимость аренды +Newspaper Publishers,Прикрепите свою фотографию +Next,Является Обналичивание +Next Contact By,Оставьте список есть +Next Contact Date,"Страна, Временной пояс и валют" +Next Date,В ожидании SO предметы для покупки запрос +Next email will be sent on:,Рассчитать общее количество баллов +No,Отправить на e-mail +No Customer Accounts found.,Пакетная Готовые Дата +No Customer or Supplier Accounts found,ID Пакета +No Expense Approvers. Please assign 'Expense Approver' Role to atleast one user,"Подходим, не связанных Счета и платежи." +No Item with Barcode {0},Прайс-лист валютный курс +No Item with Serial No {0},Остаток на счете +No Items to pack,"Пожалуйста, установите ключи доступа Google Drive, в {0}" +No Leave Approvers. Please assign 'Leave Approver' Role to atleast one user,Отпуск без сохранения содержания +No Permission,Задать +No Production Orders created,Проекты и система +No Supplier Accounts found. Supplier Accounts are identified based on 'Master Type' value in account record.,"Здесь вы можете поддерживать рост, вес, аллергии, медицинские проблемы и т.д." +No accounting entries for the following warehouses,"Строка {0}: Чтобы установить {1} периодичность, разница между от и до настоящего времени \ \ N должно быть больше или равно {2}" +No addresses created,Вид оплаты +No contacts created,Например. smsgateway.com / API / send_sms.cgi +No default Address Template found. Please create a new one from Setup > Printing and Branding > Address Template.,Информация о компании +No default BOM exists for Item {0},Серийный Нет Информация +No description given,Отписанный +No employee found,Группы товаров в деталях +No employee found!,На предыдущей балансовой Row +No of Requested SMS,"Пожалуйста, установите нумерация серии для Посещаемость через Настройка> нумерации серии" +No of Sent SMS,Maxiumm скидка на Пункт {0} {1}% +No of Visits,Weightage +No permission,Отдел продаж +No record found,"Различные Единица измерения для элементов приведет к некорректному (Всего) значение массы нетто. Убедитесь, что вес нетто каждого элемента находится в том же UOM." +No salary slip found for month: , +Non Profit,Автомобилестроение +Nos,Условия Подробности +Not Active,Не Объявленный +Not Applicable,Ежемесячный Заработок & Вычет +Not Available,График регламентных работ +Not Billed,ERPNext установки +Not Delivered,Административные затраты +Not Set,Сделать банк ваучер +Not allowed to update entries older than {0},Кредитная карта +Not authorized to edit frozen Account {0},Нанесите на +Not authroized since {0} exceeds limits,Настройки сайта +Not permitted,Для производства +Note,"Пожалуйста, выберите элемент кода" +Note User,Техническое обслуживание Дата +"Note: Backups and files are not deleted from Dropbox, you will have to delete them manually.",Общая стоимость Сырье +"Note: Backups and files are not deleted from Google Drive, you will have to delete them manually.",Прямые расходы +Note: Due Date exceeds the allowed credit days by {0} day(s),"Скидка Поля будут доступны в заказе на, покупка получение, в счете-фактуре" +Note: Email will not be sent to disabled users,Все Группы клиентов +Note: Item {0} entered multiple times,Число спецификации не допускается для не-выпускаемой Пункт {0} в строке {1} +Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,Банк Ваучер +Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Целевая На +Note: There is not enough leave balance for Leave Type {0},[Выберите] +Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Деталь Распределение бюджета +Note: {0},"Здесь Вы можете сохранить семейные подробности, как имя и оккупации родитель, супруг и детей" +Notes,Правило ярлыке +Notes:,Мастер Валютный курс. +Nothing to request,Мастер Поставщик. +Notice (days),Включено +Notification Control,Новые Заказы +Notification Email Address,Это пример сайт автоматически сгенерированный из ERPNext +Notify by Email on creation of automatic Material Request,Посещаемость за работника {0} уже отмечен +Number Format,"Примечание: Оплата Вступление не будет создана, так как ""Наличные или Банковский счет"" не был указан" +Offer Date,Название учетного отдела +Office,FCFS Оценить +Office Equipments,"Пункты, запрашиваемые которые ""Нет на месте"" с учетом всех складов на основе прогнозируемого Кол-во и Минимальное количество заказа" +Office Maintenance Expenses,Пункт мудрый История покупок +Office Rent,Новый Место работы +Old Parent,Пункт {0} должен быть изготовлен или субподрядчиков +On Net Total,Примечания Доставка {0} должно быть отменено до отмены этого заказ клиента +On Previous Row Amount,Серийный номер {0} количество {1} не может быть фракция +On Previous Row Total,Введите код +Online Auctions,"Скачать доклад, содержащий все сырье с их последней инвентаризации статус" +Only Leave Applications with status 'Approved' can be submitted,Сотрудник Внешний Работа История +"Only Serial Nos with status ""Available"" can be delivered.",Стандартные отчеты +Only leaf nodes are allowed in transaction,Продажи Налоги и сборы +Only the selected Leave Approver can submit this Leave Application,Склад Подробно +Open,Впервые Ответил на +Open Production Orders,Кредит +Open Tickets,"Название вашей компании, для которой вы настраиваете эту систему." +Opening (Cr),{0} '{1}' не в финансовом году {2} +Opening (Dr),Сотрудник внутреннего Работа Historys +Opening Date,Примечание Пользователь +Opening Entry,Детали упаковки +Opening Qty,Преобразование в повторяющихся Счет +Opening Time,Расходов претензии были отклонены. +Opening Value,От компании +Opening for a Job.,Показать в веб-сайт +Operating Cost,Выходное значение +Operation Description,Группа клиентов / клиентов +Operation No,Налоги и сборы Добавил +Operation Time (mins),Режимы технического обслуживания +Operation {0} is repeated in Operations Table,Должность +Operation {0} not present in Operations Table,По фондовой UOM +Operations,Оценка шаблона Название +Opportunity,Ряд {0}: Дата начала должна быть раньше даты окончания +Opportunity Date,Оценка Гол +Opportunity From,"День месяца, на котором авто-фактура будет генерироваться например 05, 28 и т.д." +Opportunity Item,Уникальный идентификатор для отслеживания все повторяющиеся счетов-фактур. Он создается на представить. +Opportunity Items,"Планируемые Кол-во: Кол-во, для которых, производственного заказа был поднят, но находится на рассмотрении, которые будут изготовлены." +Opportunity Lost,План поставки +Opportunity Type,"Пожалуйста, создайте Зарплата Структура для работника {0}" +Optional. This setting will be used to filter in various transactions.,Фото со Регулировка +Order Type,"Система Пользователь (Войти) ID. Если установлено, то это станет по умолчанию для всех форм HR." +Order Type must be one of {0},По умолчанию Единица измерения +Ordered,В ожидании отзыв +Ordered Items To Be Billed,BOM Нет +Ordered Items To Be Delivered,BOM рекурсия: {0} не может быть родитель или ребенок {2} +Ordered Qty,например. Чек Количество +"Ordered Qty: Quantity ordered for purchase, but not received.",Статус производственного заказа {0} +Ordered Quantity,Ежемесячная выписка зарплата. +Orders released for production.,Коэффициент пересчета не может быть в долях +Organization Name,Дебет +Organization Profile,Покупка Получение +Organization branch master.,Ваучер Нет не действует +Organization unit (department) master.,Пункт Название группы +Original Amount,"Проблемам старения, на основе" +Other,Имя +Other Details,Фото со Баланс +Others,BOM Операции +Out Qty,Потребности в материалах +Out Value,Полностью Поставляются +Out of AMC,Благотворительность и пожертвования +Out of Warranty,Прайс-лист должен быть применим для покупки или продажи +Outgoing,Ряд # +Outstanding Amount,Наличие на складе Единица измерения +Outstanding for {0} cannot be less than zero ({1}),"Пожалуйста, сформулируйте Компания" +Overhead,До +Overheads,Целевая Склад +Overlapping conditions found between:,Деятельность +Overview,Коэффициент пересчета для дефолтного Единица измерения должна быть 1 в строке {0} +Owned,"Скорость, с которой валюта продукция превращается в базовой валюте компании" +Owner,Ожидаемая дата начала +PL or BS,Email идентификаторы через запятую. +PO Date,Под Выпускник +PO No,Эксплуатация +POP3 Mail Server,Период обновления +POP3 Mail Settings,Клиент {0} не принадлежит к проекту {1} +POP3 mail server (e.g. pop.gmail.com),Максимальные {0} строк разрешено +POP3 server e.g. (pop.gmail.com),Примечание: +POS Setting,"Дебет и Кредит не равны для этого ваучера. Разница в том, {0}." +POS Setting required to make POS Entry,"Пожалуйста, введите пункт первый" +POS Setting {0} already created for user: {1} and company {2},Листья Выделенные Успешно для {0} +POS View,Производство +PR Detail,Нет посещений +Package Item Details,Зарплата Структура +Package Items,"Поле доступно в накладной, цитаты, счет-фактура, заказ клиента" +Package Weight Details,Родитель счета не может быть книга +Packed Item,"Пожалуйста, введите 'ожидаемой даты поставки """ +Packed quantity must equal quantity for Item {0} in row {1},"Все импорта смежных областях, как валюты, обменный курс, общий объем импорта, импорт общего итога и т.д. доступны в ТОВАРНЫЙ ЧЕК, поставщиков цитаты, счета-фактуры Заказа т.д." +Packing Details,Доставка Примечание тенденции +Packing List,Эл. адрес +Packing Slip,режим временного удержания вызова +Packing Slip Item,Фактический Количество +Packing Slip Items,Создать запросы Материал (ППМ) и производственных заказов. +Packing Slip(s) cancelled,Основные этапы проекта +Page Break,{0} {1} статус отверзутся +Page Name,Сообщение блога +Paid Amount,Номер паспорта +Paid amount + Write Off Amount can not be greater than Grand Total,Себестоимость проданного товара +Pair,Контроль качества Чтение +Parameter,Для справки +Parent Account,"Пожалуйста, сформулируйте" +Parent Cost Center,"Убедитесь, адрес доставки" +Parent Customer Group,Чтобы продукты +Parent Detail docname,Вы не можете кредитные и дебетовые же учетную запись в то же время +Parent Item,Продажи Вернулся +Parent Item Group,Разрешить пользователю редактировать Прайс-лист Оценить в сделках +Parent Item {0} must be not Stock Item and must be a Sales Item,Трансфер сырье +Parent Party Type,"Пожалуйста, введите даты снятия." +Parent Sales Person,Описание позиции +Parent Territory,Значение проекта +Parent Website Page,"От значение должно быть меньше, чем значение в строке {0}" +Parent Website Route,В ожидании Сумма +Parent account can not be a ledger,Остановился заказ не может быть отменен. Unstop отменить. +Parent account does not exist,Настройка ... +Parenttype,Поддержка Пароль +Part-time,Дата поставки +Partially Completed,Дубликат строка {0} с же {1} +Partly Billed,Исходный файл +Partly Delivered,Остальной мир +Partner Target Detail,Будет обновляться при пакетном. +Partner Type,Группа или Леджер +Partner's Website,Производитель Клиентам +Party,Сделать упаковочный лист +Party Type,Заказать продаж требуется для Пункт {0} +Party Type Name,Чек Дата +Passive,По умолчанию Источник Склад +Passport Number,Удалить {0} {1}? +Password,Цели +Pay To / Recd From,"Утверждении роль не может быть такой же, как роль правило применимо к" +Payable,Всего Листья Выделенные +Payables,Отменено +Payables Group,Завершение установки +Payment Days,ParentType +Payment Due Date,Фармацевтика +Payment Period Based On Invoice Date,Испытательный срок +Payment Type,Продажи Дополнительно +Payment of salary for the month {0} and year {1},Компьютер +Payment to Invoice Matching Tool,"Вы действительно хотите, чтобы Unstop" +Payment to Invoice Matching Tool Detail,Название проекта +Payments,Приветствие +Payments Made,"Запрашиваемые Кол-во: Количество просил для покупки, но не заказали." +Payments Received,Работа Открытие +Payments made during the digest period,Всего Санкционированный Количество +Payments received during the digest period,Наименование поставщика +Payroll Settings,Списание ваучер +Pending,"Сетка """ +Pending Amount,Пункт {0} должен быть Покупка товара +Pending Items {0} updated,Ведущий Id +Pending Review,Кормить +Pending SO Items For Purchase Request,N +Pension Funds,пример: Следующий день доставка +Percent Complete,Заказ на продажу +Percentage Allocation,SMS Gateway URL +Percentage Allocation should be equal to 100%,Уведомления электронной почты +Percentage variation in quantity to be allowed while receiving or delivering this item.,График обслуживания Подробно +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.,Разрешение +Performance appraisal.,Связь +Period,Активность: Будет извлекать сообщения из +Period Closing Voucher,Клиент аккаунт начальник +Periodicity,Вес упаковки Подробнее +Permanent Address,Пункт Серийный номер +Permanent Address Is,Новые листья Выделенные +Permission,Для продаж счета-фактуры +Personal,Ссылка # {0} от {1} +Personal Details,"Пожалуйста, сформулируйте Базовая валюта в компании Мастер и общие настройки по умолчанию" +Personal Email,"например ""Моя компания ООО """ +Pharmaceutical,Процент выполнения +Pharmaceuticals,Кампании по продажам. +Phone,"Пожалуйста, введите Аббревиатура или короткое имя правильно, как он будет добавлен в качестве суффикса для всех учетных записей глав." +Phone No,Вы можете ввести любую дату вручную +Piecework,СЕКРЕТАРЬ +Pincode,Общие настройки +Place of Issue,Текущий адрес +Plan for maintenance visits.,Менеджер по развитию бизнеса +Planned Qty,BOM Подробно Нет +"Planned Qty: Quantity, for which, Production Order has been raised, but is pending to be manufactured.","Удостоверение личности электронной почты должен быть уникальным, уже существует для {0}" +Planned Quantity,Автоматически создавать сообщение о подаче сделок. +Planning,Оставьте Allocation Tool +Plant,Сообщение отправлено +Plant and Machinery,Выберите проект ... +Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,Игнорировать Цены Правило +Please Update SMS Settings,Заказал Кол-во +Please add expense voucher details,Виды деятельности для Время листов +Please check 'Is Advance' against Account {0} if this is an advance entry.,Общая сумма +Please click on 'Generate Schedule',Отклонен Склад является обязательным против regected пункта +Please click on 'Generate Schedule' to fetch Serial No added for Item {0},{0} не является допустимым Оставить утверждающий. Удаление строки # {1}. +Please click on 'Generate Schedule' to get schedule,Коэффициент преобразования +Please create Customer from Lead {0},"Пункт: {0} удалось порционно, не могут быть согласованы с помощью \ \ н со примирения, вместо этого используйте складе запись" +Please create Salary Structure for employee {0},Дата установки +Please create new account from Chart of Accounts.,Режим Зарплата +Please do NOT create Account (Ledgers) for Customers and Suppliers. They are created directly from the Customer / Supplier masters.,"Пожалуйста, введите название компании сначала" +Please enter 'Expected Delivery Date',"Изготовлено количество {0} не может быть больше, чем планировалось Колличество {1} в производственного заказа {2}" +Please enter 'Is Subcontracted' as Yes or No,{0} {1} уже представлен +Please enter 'Repeat on Day of Month' field value,Расходов претензии была одобрена. +Please enter Account Receivable/Payable group in company master,От Заказа +Please enter Approving Role or Approving User,Котировки полученных от поставщиков. +Please enter BOM for Item {0} at row {1},Получил и принял +Please enter Company,Общая сумма платить +Please enter Cost Center,Бухгалтер +Please enter Delivery Note No or Sales Invoice No to proceed,Создание приемника Список +Please enter Employee Id of this sales parson,"Пожалуйста, выберите имя InCharge Лица" +Please enter Expense Account,Не Поставляются +Please enter Item Code to get batch no,Качество +Please enter Item Code.,КоА Помощь +Please enter Item first,Количество> = +Please enter Maintaince Details first,Вторник +Please enter Master Name once the account is created.,Пункт {0} не установка для мастера серийные номера Проверить товара +Please enter Planned Qty for Item {0} at row {1},Легальный +Please enter Production Item first,Часов +Please enter Purchase Receipt No to proceed,Прибыль Зарплата Структура +Please enter Reference date,Управление +Please enter Warehouse for which Material Request will be raised,"Если выбран Цены Правило сделан для «цена», он перепишет прейскурантах. Цены Правило цена окончательная цена, поэтому не далее скидка не должны применяться. Таким образом, в сделках, как заказ клиента, заказ и т.д., это будут получены в области 'Rate', а не поле ""Прайс-лист Rate '." +Please enter Write Off Account,BOM Взрыв Пункт +Please enter atleast 1 invoice in the table,Загрузка... +Please enter company first,Партия Тип Название +Please enter company name first,Созданный +Please enter default Unit of Measure,Контактная информация +Please enter default currency in Company Master,"Клиент требуется для ""Customerwise Скидка""" +Please enter email address,"Пожалуйста, введите Код товара." +Please enter item details,Журнал активности +Please enter message before sending,Лицо продаж Целевая Разница Пункт Группа Мудрого +Please enter parent account group for warehouse account,Покупка Заказ позиции +Please enter parent cost center,Количество не может быть фракция в строке {0} +Please enter quantity for Item {0},Диаграмма Ганта +Please enter relieving date.,"Материал Запрос используется, чтобы сделать эту Stock запись" +Please enter sales order in the above table,Создать запросы Материал +Please enter valid Company Email,Логотип +Please enter valid Email Id,Заказал детали быть поставленным +Please enter valid Personal Email,Распечатать Заголовок +Please enter valid mobile nos,Письмо главы для шаблонов печати. +Please install dropbox python module,Документ Описание +Please mention no of visits required,Возможность Пункт +Please pull items from Delivery Note,"Заказы, выданные поставщикам." +Please save the Newsletter before sending,Партнер Целевая Подробно +Please save the document before generating maintenance schedule,Переложить +Please select Account first,"Пожалуйста, введите списать счет" +Please select Bank Account,Не удалось: +Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Сделать Установка Примечание +Please select Category first,Отправить Введите +Please select Charge Type first,Включите праздники в общей сложности не. рабочих дней +Please select Fiscal Year,Нет запрашиваемых SMS +Please select Group or Ledger value,{0} не является допустимым ID E-mail +Please select Incharge Person's name,Торговый посредник ы (Торговые Торговый посредник и) +"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Sales BOM",Временные счета (обязательства) +Please select Price List,Ряд # {0}: +Please select Start Date and End Date for Item {0},Комиссионный сбор +Please select a csv file,Где производственные операции осуществляются. +Please select a valid csv file with data,Прикрепите логотип +Please select a value for {0} quotation_to {1},Ссылка Дата +"Please select an ""Image"" first",Общий итог (Компания Валюта) +Please select charge type first,Всего рабочих дней в месяце +Please select company first.,"Время выполнения дни количество дней, по которым этот пункт, как ожидается на вашем складе. Этот дней выбирается в Склад запрос, когда вы выберите этот пункт." +Please select item code,Имя единица измерения +Please select month and year,Название компании +Please select prefix first,Вы должны выделить сумму до примирить +Please select the document type first,Минимальное количество заказа +Please select weekly off day,E-mail Дайджест: +Please select {0},Прогнозируемый Количество +Please select {0} first,Из КУА +Please set Dropbox access keys in your site config,Тест электронный идентификатор +Please set Google Drive access keys in {0},Требуемые товары заказываются +Please set default Cash or Bank account in Mode of Payment {0},Пошлины и налоги +Please set default value {0} in Company {0},По умолчанию Склад +Please set {0},Обязательные Кол-во +Please setup Employee Naming System in Human Resource > HR Settings,Из цитаты +Please setup numbering series for Attendance via Setup > Numbering Series,Разрешайте детям +Please setup your chart of accounts before you start Accounting Entries,Поставщик Введение +Please specify,Выставление счетов +Please specify Company,Средний Комиссия курс +Please specify Company to proceed,Данные клиента +Please specify Default Currency in Company Master and Global Defaults,Сообщение +Please specify a,"Введите имя кампании, если источником исследования является кампания" +Please specify a valid 'From Case No.',"Примечание: Резервные копии и файлы не удаляются из Google Drive, вам придется удалить их вручную." +Please specify a valid Row ID for {0} in row {1},Материал Запрос Нет +Please specify either Quantity or Valuation Rate or both,Установка Примечание +Please submit to update Leave Balance.,Channel ДУrtner +Plot,Данные Примирение +Plot By,Оставьте Заблокированные +Point of Sale,Группа крови +Point-of-Sale Setting,Вместимость Единицы +Post Graduate,Записи в журнале +Postal,Сообщение Параметр +Postal Expenses,Номер для ссылок +Posting Date,Реализация +Posting Time,Банк примирения Подробно +Posting date and posting time is mandatory,Следующая +Posting timestamp must be after {0},Ответст +Potential opportunities for selling.,Установите Статус как Доступно +Preferred Billing Address,Customerwise Скидка +Preferred Shipping Address,Настройка сервера входящей подрабатывать электронный идентификатор. (Например jobs@example.com) +Prefix,Код товара> Товар Группа> Бренд +Present,Веха +Prevdoc DocType,Цены Правило Помощь +Prevdoc Doctype,Покупка Счет Пункт +Preview,Фактический Кол-во: Есть в наличии на складе. +Previous,Прайс-лист Оценить +Previous Work Experience,C-образный +Price,Фактический бюджет +Price / Discount,Что оно делает? +Price List," Добавить / Изменить " +Price List Currency,"Помощь: Чтобы связать с другой записью в системе, используйте ""# формуляр / Примечание / [Примечание Имя]"", как ссылка URL. (Не используйте ""http://"")" +Price List Currency not selected,Потребляемый +Price List Exchange Rate,Сумма налога После скидка сумма +Price List Name,Разбивка +Price List Rate,Связаться управления +Price List Rate (Company Currency),Средняя отметка должна быть после {0} +Price List master.,"Постоянно отслеживать коммуникации, связанные на этот запрос, который поможет в будущем." +Price List must be applicable for Buying or Selling,Энергоэффективность +Price List not selected,Выпуск клиентов +Price List {0} is disabled,Группа клиентов +Price or Discount,Все Территории +Pricing Rule,Импорт удалось! +Pricing Rule Help,Венчурный капитал. +"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.",{0} {1} против Билла {2} от {3} +"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.",Пробный баланс +Pricing Rules are further filtered based on quantity.,Пункт Контроль качества Параметр +Print Format Style,Клиент Адрес +Print Heading,Только выбранный Оставить утверждающий мог представить этот Оставить заявку +Print Without Amount,Проектная деятельность / задачей. +Print and Stationary,Бюджет не может быть установлено для группы МВЗ +Printing and Branding,Всего заявленной суммы +Priority,Планируется отправить {0} получателей +Private Equity,Настройки по продажам Email +Privilege Leave,Зарплата менеджера +Probation,Покупка Аналитика +Process Payroll,Распределение бюджета Подробности +Produced,"Пожалуйста, сформулируйте" +Produced Quantity,Область / клиентов +Product Enquiry,{0} создан +Production,Производство +Production Order,Тариф (Компания Валюта) +Production Order status is {0},Стоимость акций +Production Order {0} must be cancelled before cancelling this Sales Order,Сотрудник Информация +Production Order {0} must be submitted,Серийный номер +Production Orders,"Оставьте пустым, если рассматривать для всех обозначений" +Production Orders in Progress,Цитата Для +Production Plan Item,Серийный номер {0} находится на гарантии ДО {1} +Production Plan Items,Цели +Production Plan Sales Order,Медицинский +Production Plan Sales Orders,Полностью Объявленный +Production Planning Tool,Продажи Порядок Дата +Products,"Элементы, необходимые" +"Products will be sorted by weight-age in default searches. More the weight-age, higher the product will appear in the list.",Название страны +Profit and Loss,Старый родительский +Project,Журнал Ваучер {0} не имеет учетной записи {1} или уже согласованы +Project Costing,Склад в заказе на пропавших без вести +Project Details,Игнорируется: +Project Manager,Цена / Скидка +Project Milestone,Отставка Письмо Дата +Project Milestones,Re-Количество заказа +Project Name,Списание суммы задолженности +Project Start Date,Установить как Остаться в живых +Project Type,{0} не является допустимым номер партии по пункту {1} +Project Value,Чтение 10 +Project activity / task.,Телефон +Project master.,Фото не могут быть обновлены против накладной {0} +Project will get saved and will be searchable with project name given,По умолчанию Тип Поставщик +Project wise Stock Tracking,Новый Имя счета +Project-wise data is not available for Quotation,Наименование заказчика +Projected,Субподряд +Projected Qty,Серийный номер {0} уже получил +Projects,Зарплата скольжения Вычет +Projects & System,"Когда любой из проверенных операций ""Представленные"", по электронной почте всплывающее автоматически открывается, чтобы отправить письмо в соответствующий «Контакт» в этой транзакции, с транзакцией в качестве вложения. Пользователь может или не может отправить по электронной почте." +Prompt for Email on Submission of,Расходов претензии Подробно +Proposal Writing,Этот налог Входит ли в базовой ставки? +Provide email id registered in company,По умолчанию Покупка Прайс-лист +Public,Судебные издержки +Published on website at: {0},Код товара требуется на Row Нет {0} +Publishing,Счет с существующей сделки не могут быть преобразованы в книге +Pull sales orders (pending to deliver) based on the above criteria,Автоматически обновляется через фондовой позиции типа Производство / Repack +Purchase,Прайс-лист +Purchase / Manufacture Details,Проверено +Purchase Analytics,На предыдущей строки Всего +Purchase Common,Прибыль и убытки +Purchase Details,Связаться Мобильный Нет +Purchase Discounts,"Количество в строке {0} ({1}) должна быть такой же, как изготавливается количество {2}" +Purchase Invoice,Журнал соединений. +Purchase Invoice Advance,Представьте все промахи зарплаты для указанных выше выбранным критериям +Purchase Invoice Advances,Импорт Посещаемость +Purchase Invoice Item,Человек по продажам +Purchase Invoice Trends,Создать зарплат Slips +Purchase Invoice {0} is already submitted,Сооружения и оборудование +Purchase Order,Счет {0} неактивен +Purchase Order Date,Партнер по продажам +Purchase Order Item,Давальческого сырья +Purchase Order Item No,{0} не может быть отрицательным +Purchase Order Item Supplied,Пользователь {0} отключена +Purchase Order Items,Подробности выпуск +Purchase Order Items Supplied,"Указывает, что пакет является частью этой поставки (только проект)" +Purchase Order Items To Be Billed,Макс Кол-во +Purchase Order Items To Be Received,Запасы и Излишки +Purchase Order Message," Добавить / Изменить " +Purchase Order Required,Поставщик Именование По +Purchase Order Trends,"Пожалуйста, выберите банковский счет" +Purchase Order number required for Item {0},"Если не установлен, то список нужно будет добавлен в каждом департаменте, где он должен быть применен." +Purchase Order {0} is 'Stopped',Рассмотрим налога или сбора для +Purchase Order {0} is not submitted,Параметр +Purchase Orders given to Suppliers.,Статус +Purchase Receipt,Дизайнер +Purchase Receipt Item,Перерыв +Purchase Receipt Item Supplied,"Продукты будут отсортированы по весу возраста в поисках по умолчанию. Более вес-возраст, выше продукт появится в списке." +Purchase Receipt Item Supplieds,Адаптация +Purchase Receipt Items,кг +Purchase Receipt Message,Для стороне сервера форматов печати +Purchase Receipt No,Газетных издателей +Purchase Receipt Required,Приоритет +Purchase Receipt Trends,Пользовательские Autoreply Сообщение +Purchase Receipt number required for Item {0},Основные доклады +Purchase Receipt {0} is not submitted,Партнер по продажам Имя +Purchase Register,Выход Интервью Подробности +Purchase Return,Перечислите этот пункт в нескольких группах на веб-сайте. +Purchase Returned,"Пожалуйста, введите Maintaince Подробности" +Purchase Taxes and Charges,Открытые Билеты +Purchase Taxes and Charges Master,Информация о посещаемости. +Purchse Order number required for Item {0},Техническое обслуживание Посетить +Purpose,Отключить +Purpose must be one of {0},"Пожалуйста, нажмите на кнопку ""Generate Расписание""" +QA Inspection,Все эти предметы уже выставлен счет +Qty,Поделись с +Qty Consumed Per Unit,Доставка Примечание Элементы +Qty To Manufacture,Ценные бумаги и товарных бирж +Qty as per Stock UOM,'To Date' требуется +Qty to Deliver,Заказ на сообщение +Qty to Order,Актив +Qty to Receive,Раз в полгода +Qty to Transfer,Резервное копирование прямо сейчас +Qualification,"Невозможно выбрать тип заряда, как «О предыдущего ряда Сумма» или «О предыдущего ряда Всего 'для первой строки" +Quality,Запрос на предоставление информации +Quality Inspection,Сделать учета запись для каждого фондовой Движения +Quality Inspection Parameters,"Пожалуйста, сформулируйте либо Количество или оценка Оценить или оба" +Quality Inspection Reading,Неправильный Шаблон: Не удается найти голову строку. +Quality Inspection Readings,Виды Expense претензии. +Quality Inspection required for Item {0},Создает ведомость расчета зарплаты за вышеуказанные критерии. +Quality Management,Относится к компании +Quantity,"Единица измерения этого пункта (например, кг, за штуку, нет, Pair)." +Quantity Requested for Purchase,Название организации +Quantity and Rate,"Платные сумма + списания сумма не может быть больше, чем общий итог" +Quantity and Warehouse,Переименовать Входить +Quantity cannot be a fraction in row {0},Дата реализации +Quantity for Item {0} must be less than {1},Дата завершения +Quantity in row {0} ({1}) must be same as manufactured quantity {2},Расходная накладная Advance +Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Дата окончания +Quantity required for Item {0} in row {1},Расходов счета +Quarter,Покупка Common +Quarterly,Партия Тип +Quick Help,Продажа +Quotation,Продажи Налоги и сборы Мастер +Quotation Date,Адрес Название является обязательным. +Quotation Item,Проверьте бюллетень +Quotation Items,Сделать Maint. Посетите нас по адресу +Quotation Lost Reason,Sub сборки +Quotation Message,Сохранено +Quotation To,Накладные расходы +Quotation Trends,BOM продаж товара +Quotation {0} is cancelled,Кинофильм & Видео +Quotation {0} not of type {1},Откупоривать +Quotations received from Suppliers.,Год Passing +Quotes to Leads or Customers.,Чистая зарплата не может быть отрицательным +Raise Material Request when stock reaches re-order level,Если Месячный бюджет Превышен +Raised By,Рассеянность +Raised By (Email),"Проверьте, чтобы основной адрес" +Random,Дебет Amt +Range,Поставщик существует с одноименным названием +Rate,Кредиторской / дебиторской задолженности +Rate , +Rate (%),Добро пожаловать! +Rate (Company Currency),Утверждено +Rate Of Materials Based On,Полный рабочий день +Rate and Amount,Вещание +Rate at which Customer Currency is converted to customer's base currency,SO Дата +Rate at which Price list currency is converted to company's base currency,Требуется Дата +Rate at which Price list currency is converted to customer's base currency,Доход Заказанный +Rate at which customer's currency is converted to company's base currency,Google Drive +Rate at which supplier's currency is converted to company's base currency,Фамилия +Rate at which this tax is applied,Получить шаблон +Raw Material,Стоп! +Raw Material Item Code,"{0} является обязательным. Может быть, Обмен валюты запись не создана для {1} по {2}." +Raw Materials Supplied,"К сожалению, Серийный Нос не могут быть объединены" +Raw Materials Supplied Cost,Запросы Материал {0} создан +Raw material cannot be same as main Item,Время и бюджет +Re-Order Level,"Введите отдел, к которому принадлежит этого контакт" +Re-Order Qty,Зарплата скольжения +Re-order,Документация +Re-order Level,Тип проекта +Re-order Qty,Против Journal ваучером {0} не имеет непревзойденную {1} запись +Read,"Выплаты, производимые" +Reading 1,Чтение 6 +Reading 10,Заказ товара Нет +Reading 2,Чтение 3 +Reading 3,Чтение 1 +Reading 4,Чтение 5 +Reading 5,"""На основе"" и ""Группировка по"" не может быть таким же," +Reading 6,Чтение 7 +Reading 7,Чтение 4 +Reading 8,Чтение 9 +Reading 9,Представьте Зарплата Слип +Real Estate,Ряд {0}: Счет не соответствует с \ \ п Расходная накладная дебету счета +Reason,Dropbox Ключ доступа +Reason for Leaving,Покупка Настройки +Reason for Resignation,"""С даты 'должно быть после' To Date '" +Reason for losing,Измененный С +Recd Quantity,Сделать Поставщик цитаты +Receivable,"Выберите ""Да"", если вы поддерживаете запас этого пункта в вашем инвентаре." +Receivable / Payable account will be identified based on the field Master Type,Инспекция Тип +Receivables,Тип запроса +Receivables / Payables,Управление Территория дерево. +Receivables Group,Первый пользователя: Вы +Received Date,Чтобы отслеживать любые установки или ввода соответствующей работы после продаж +Received Items To Be Billed,"Дата обновления оформление Записей в журнале отмечается как «Банк Ваучеры""" +Received Qty,"Проверьте это, чтобы вытащить письма из почтового ящика" +Received and Accepted,Кредит-нота +Receiver List,Школа / университет +Receiver List is empty. Please create Receiver List,Territory Manager +Receiver Parameter,Сообщение обновляется +Recipients,"Пожалуйста, введите МВЗ родительский" +Reconcile,Выберите название компании в первую очередь. +Reconciliation Data,Полдня +Reconciliation HTML,Number Формат +Reconciliation JSON,В валюту +Record item movement.,"Хост, E-mail и пароль требуется, если электронные письма потянуться" +Recurring Id,Материалы +Recurring Invoice,POS Настройка требуется сделать POS запись +Recurring Type,Вызовы +Reduce Deduction for Leave Without Pay (LWP),"Пожалуйста, введите Компания" +Reduce Earning for Leave Without Pay (LWP),* Будет рассчитана в сделке. +Ref,По словам будет виден только вы сохраните заказ клиента. +Ref Code,Если вы будете следовать осмотра качества. Разрешает Item требуется и QA QA Нет в ТОВАРНЫЙ ЧЕК +Ref SQ,Carry направляются листья +Reference,Согласовать +Reference #{0} dated {1},Оставить заявка была одобрена. +Reference Date,Должно быть Целое число +Reference Name,"{0} {1} статус ""Остановлен""" +Reference No & Reference Date is required for {0},"Чтобы назначить эту проблему, используйте кнопку ""Назначить"" в боковой панели." +Reference No is mandatory if you entered Reference Date,"модные," +Reference Number,Поставщик базы данных. +Reference Row #,Оценка и Всего +Refresh,Покупка Заказ позиции Поставляется +Registration Details,Рассчитать на основе +Registration Info,"Баланс счета уже в дебет, вы не можете установить ""баланс должен быть 'как' Кредит»" +Rejected,Решили По +Rejected Quantity,Номер заказа на поставку +Rejected Serial No,Процент Распределение должно быть равно 100% +Rejected Warehouse,"Чтобы зарегистрироваться голову под другую компанию, выбрать компанию и сохранить клиента." +Rejected Warehouse is mandatory against regected item,"Вы уверены, что хотите остановить" +Relation,Установка Тип аккаунта помогает в выборе этого счет в сделках. +Relieving Date,Получить последнюю покупку Оценить +Relieving Date must be greater than Date of Joining,Продажи Заказ позиции +Remark,Всего не может быть нулевым +Remarks,Пункт {0} должен быть Service Элемент. +Rename,Удалить +Rename Log,"Морозильники Акции старше, чем [дней]" +Rename Tool,Проблемы Здоровья +Rent Cost,Серийный Нос Требуется для сериализованный элемент {0} +Rent per hour,Внешний GPS с RS232 +Rented,Сельское хозяйство +Repeat on Day of Month,Родитель Пункт +Replace,Цена или Скидка +Replace Item / BOM in all BOMs,Настройки по умолчанию для биржевых операций. +Replied,Прямая прибыль +Report Date,Для отслеживания элементов в покупки и продажи документы с пакетной н.у.к
Популярные промышленности: Химическая и т.д. +Report Type,BOM {0} для Пункт {1} в строке {2} неактивен или не представили +Report Type is mandatory,Баланс должен быть +Reports to,Количество Акцизный Страница +Reqd By Date,Диаграмма Ганта всех задач. +Request Type,Количество +Request for Information,Спецификация Подробности +Request for purchase.,Наличными или банковский счет является обязательным для внесения записи платежей +Requested,"Расходов / Разница счет ({0}) должен быть ""прибыль или убыток» счета" +Requested For,"Вид документа, переименовать." +Requested Items To Be Ordered,Человек мудрый продаж Общая информация по сделкам +Requested Items To Be Transferred,Global Setting POS {0} уже создан для компании {1} +Requested Qty,Новая спецификация после замены +"Requested Qty: Quantity requested for purchase, but not ordered.",Является Отмененные +Requests for items.,Аренда в час +Required By,Адрес для выставления счета Имя +Required Date,и год: +Required Qty,Маркетинг +Required only for sample item.,Регистрационные номера компании для вашей справки. Пример: НДС регистрационные номера и т.д. +Required raw materials issued to the supplier for producing a sub - contracted item.,"Пожалуйста, установите Сотрудник система именования в Human Resource> Настройки HR" +Research,Периодическое Счет +Research & Development,Примечания +Researcher,Не найдено ни одного клиента или поставщика счета +Reseller,Серия установки +Reserved,Unstop Заказ +Reserved Qty,Повторите с Днем Ежемесячно +"Reserved Qty: Quantity ordered for sale, but not delivered.",Количество Потребовал для покупки +Reserved Quantity,"Расходов или Разница счета является обязательным для п. {0}, поскольку это влияет общая стоимость акции" +Reserved Warehouse,SMS центр +Reserved Warehouse in Sales Order / Finished Goods Warehouse,Час Оценить труда +Reserved Warehouse is missing in Sales Order,"Все экспорт смежных областях, как валюты, обменный курс, экспорт Количество, экспорт общего итога и т.д. доступны в накладной, POS, цитаты, счет-фактура, заказ клиента и т.д." +Reserved Warehouse required for stock Item {0} in row {1},Операция {0} повторяется в Operations таблице +Reserved warehouse required for stock item {0},"Потяните заказы на продажу (в ожидании, чтобы доставить) на основе вышеуказанных критериев" +Reserves and Surplus,Dropbox доступ разрешен +Reset Filters,Огрызок +Resignation Letter Date,Реклама +Resolution,Родитель Деталь DOCNAME +Resolution Date,{0} должно быть меньше или равно {1} +Resolution Details,"Если два или более Ценообразование Правила найдены на основе указанных выше условиях, приоритет применяется. Приоритет представляет собой число от 0 до 20 в то время как значение по умолчанию равно нулю (пусто). Большее число означает, что он будет иметь приоритет, если есть несколько правил ценообразования с одинаковых условиях." +Resolved By,Счета заморожены До +Rest Of The World,Коммерческий сектор +Retail,Как Ценообразование Правило применяется? +Retail & Wholesale,Расходов претензии Утверждено Сообщение +Retailer,"Пункт, который представляет пакет. Этот элемент, должно быть, ""Является фонда Пункт"" а ""Нет"" и ""является продажа товара"", как ""Да""" +Review Date,Если Годовой бюджет превысили +Rgt,Входной контроль качества. +Role Allowed to edit frozen stock,Поделиться +Role that is allowed to submit transactions that exceed credit limits set.,Отдел +Root Type,"Введите название компании, под какой учетной Руководитель будут созданы для этого поставщика" +Root Type is mandatory,Содержимое +Root account can not be deleted,"Дата окончания не может быть меньше, чем Дата начала" +Root cannot be edited.,Как к вам обращаться? +Root cannot have a parent cost center,С Днем Рождения! +Rounded Off,Параметры Контроль качества +Rounded Total,{0} {1} был изменен. Обновите. +Rounded Total (Company Currency),"Неверный количество, указанное для элемента {0}. Количество должно быть больше 0." +Row # , +Row # {0}: , +Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,"По умолчанию Покупка аккаунт, в котором будет списана стоимость объекта." +Row #{0}: Please specify Serial No for Item {1},Клиренс Дата не упоминается +"Row {0}: Account does not match with \ + Purchase Invoice Credit To account",Создание изображения Ledger Записи при отправке Расходная накладная +"Row {0}: Account does not match with \ + Sales Invoice Debit To account",По умолчанию со UOM +Row {0}: Credit entry can not be linked with a Purchase Invoice,Является Покупка товара +Row {0}: Debit entry can not be linked with a Sales Invoice,Компания +Row {0}: Qty is mandatory,"Проверьте, чтобы активировать" +"Row {0}: Qty not avalable in warehouse {1} on {2} {3}. + Available Qty: {4}, Transfer Qty: {5}",Проект будет спастись и будут доступны для поиска с именем проекта дается +"Row {0}: To set {1} periodicity, difference between from and to date \ + must be greater than or equal to {2}",Сделка Дата +Row {0}:Start Date must be before End Date,Dropbox Доступ Секрет +Rules for adding shipping costs.,Weightage (%) +Rules for applying pricing and discount.,"Пожалуйста, введите накладную Нет или счет-фактура Нет, чтобы продолжить" +Rules to calculate shipping amount for a sale,В часы +S.O. No.,"Заказ на {0} 'Остановлена ​​""" +SMS Center,Гарантия срок действия +SMS Gateway URL,Тип заказа должен быть одним из {0} +SMS Log,Потребляемая Кол-во +SMS Parameter,Контроль качества чтения +SMS Sender Name,"Процент вы имеете право принимать или сдавать более против заказанного количества. Например: Если Вы заказали 100 единиц. и ваш Пособие 10%, то вы имеете право на получение 110 единиц." +SMS Settings,Активен +SO Date,Вехи будет добавлен в качестве событий в календаре +SO Pending Qty,Все типы Поставщик +SO Qty,Имя отправителя +Salary,Именование Series +Salary Information,Пароль +Salary Manager,Счет-фактура Подробнее +Salary Mode,Оборона +Salary Slip,Стоимость электроэнергии в час +Salary Slip Deduction,"Дни, для которых Праздники заблокированные для этого отдела." +Salary Slip Earning,Популярные Адрес доставки +Salary Slip of employee {0} already created for this month,Общая сумма налога (Компания Валюта) +Salary Structure,Подписка на заказ клиента против любого проекта +Salary Structure Deduction,Производственные заказы +Salary Structure Earning,Описание +Salary Structure Earnings,не допускаются. +Salary breakup based on Earning and Deduction.,Валовая маржа Значение +Salary components.,Зарабатывание +Salary template master.,PO Дата +Sales,В Слов (Компания валюте) +Sales Analytics,"{0} Серийные номера, необходимые для Пункт {0}. Только {0} предусмотрено." +Sales BOM,Разное Подробности +Sales BOM Help,По словам будет виден только вы сохраните цитаты. +Sales BOM Item,Уменьшите вычет для отпуска без сохранения (LWP) +Sales BOM Items,Если более чем один пакет того же типа (для печати) +Sales Browser,Получить неоплаченных счетов-фактур +Sales Details,Утверждении Пользователь +Sales Discounts,Дата выбытия +Sales Email Settings,Все Менеджер по продажам +Sales Expenses,"Дальнейшие счета могут быть сделаны в соответствии с группами, но Вы можете быть предъявлен Леджер" +Sales Extras,Средняя Время +Sales Funnel,"Если существует Количество Поставщик Часть для данного элемента, он получает хранится здесь" +Sales Invoice,Произведено +Sales Invoice Advance,"Если включен, то система будет отправлять бухгалтерских проводок для инвентаризации автоматически." +Sales Invoice Item,Целевая Подробнее +Sales Invoice Items,"Установите группу товаров стрелке бюджеты на этой территории. Вы можете также включить сезонность, установив распределение." +Sales Invoice Message,Зарплата Структура Заработок +Sales Invoice No,Общая сумма +Sales Invoice Trends,Создание цитаты +Sales Invoice {0} has already been submitted,"Там нет ничего, чтобы изменить." +Sales Invoice {0} must be cancelled before cancelling this Sales Order,Стоп День рождения Напоминания +Sales Order,Валовой Платное + просроченной задолженности суммы + Инкассация Сумма - Всего Вычет +Sales Order Date,Отпуск по болезни +Sales Order Item,Списание счет +Sales Order Items,Выберите Покупка расписок +Sales Order Message,Дело № не может быть 0 +Sales Order No,"Оставьте пустым, если считать для всех типов сотрудников" +Sales Order Required,"Если вы создали стандартный шаблон в продажах налогам и сборам Master, выберите один и нажмите на кнопку ниже." +Sales Order Trends,Все детали уже выставлен счет +Sales Order required for Item {0},Точка-оф-продажи Настройка +Sales Order {0} is not submitted,Создание документа Нет +Sales Order {0} is not valid,Неверный Мастер Имя +Sales Order {0} is stopped,Переименовать +Sales Partner,"Выбор ""Да"" позволит вам создать ведомость материалов показывая сырья и эксплуатационные расходы, понесенные на производство этого пункта." +Sales Partner Name,Расходов претензии Тип +Sales Partner Target,Тип активности +Sales Partners Commission,Статус должен быть одним из {0} +Sales Person,Домен +Sales Person Name,Получить авансы выданные +Sales Person Target Variance Item Group-Wise,Финансовый год Дата начала и финансовый год Дата окончания уже установлены в финансовый год {0} +Sales Person Targets,Ключ Ответственность Площадь +Sales Person-wise Transaction Summary,Это корень продавец и не могут быть изменены. +Sales Register,Пункт Налоговый +Sales Return,"Не можете вычесть, когда категория для ""Оценка"" или ""Оценка и Всего""" +Sales Returned,Сторона +Sales Taxes and Charges,Все Свинец (Открыть) +Sales Taxes and Charges Master,Списание Сумма <= +Sales Team,Серийный номер {0} создан +Sales Team Details,Клиент +Sales Team1,Prevdoc DocType +Sales and Purchase,Дата пересмотра +Sales campaigns.,Посещаемость To Date +Salutation,"Если никаких изменений в любом количестве или оценочной Оценить, не оставляйте ячейку пустой." +Sample Size,Процент Распределение +Sanctioned Amount,Макс 5 символов +Saturday,Предупреждение: Оставьте приложение содержит следующие даты блок +Schedule,Все Партнеры по сбыту Связаться +Schedule Date,Дерево товарные группы. +Schedule Details,Планирование производства инструмента +Scheduled,Правило Доставка Условия +Scheduled Date,По умолчанию Счет Доходы +Scheduled to send to {0},Либо целевой Количество или целевое количество является обязательным +Scheduled to send to {0} recipients,Является Основной контакт +Scheduler Failed Events,Цель должна быть одна из {0} +School/University,Новый Оставить заявку +Score (0-5),Покупка и продажа +Score Earned,"Пожалуйста, введите 'Repeat на день месяца' значения поля" +Score must be less than or equal to 5,Маркетинговые расходы +Scrap %,% От заказанных материалов против этого материала запрос +Seasonality for setting budgets.,Налоги и сборы Добавил (Компания Валюта) +Secretary,Авиалиния +Secured Loans,Новая учетная запись +Securities & Commodity Exchanges,POP3 почтовый сервер (например pop.gmail.com) +Securities and Deposits,Введите параметр URL для приемника NOS +"See ""Rate Of Materials Based On"" in Costing Section",Пункт {0} достигла своей жизни на {1} +"Select ""Yes"" for sub - contracting items",Отправить в этот список +"Select ""Yes"" if this item is used for some internal purpose in your company.","Пожалуйста, сохраните документ перед генерацией график технического обслуживания" +"Select ""Yes"" if this item represents some work like training, designing, consulting etc.",Записи +"Select ""Yes"" if you are maintaining stock of this item in your Inventory.","Пожалуйста, введите не менее чем 1-фактуру в таблице" +"Select ""Yes"" if you supply raw materials to your supplier to manufacture this item.",Счет период до текущей даты +Select Brand...,Дата повторяется +Select Budget Distribution to unevenly distribute targets across months.,Зависит от LWP +"Select Budget Distribution, if you want to track based on seasonality.",Склады +Select Company...,Для поставщиков +Select DocType,Конец срока службы +Select Fiscal Year...,Ведущий Тип +Select Items,Показ слайдов в верхней части страницы +Select Project...,В процессе +Select Purchase Receipts,Фракция Единицы +Select Sales Orders,Адрес +Select Sales Orders from which you want to create Production Orders.,По умолчанию Прайс-лист +Select Time Logs and Submit to create a new Sales Invoice.,{0} требуется +Select Transaction,"Бюллетени для контактов, приводит." +Select Warehouse...,Basic Rate (Компания Валюта) +Select Your Language,Ответил +Select account head of the bank where cheque was deposited.,Пенсионные фонды +Select company name first.,Ежегодно +Select template from which you want to get the Goals,Округлые Всего +Select the Employee for whom you are creating the Appraisal.,Правила для добавления стоимости доставки. +Select the period when the invoice will be generated automatically,Курс обмена валюты +Select the relevant company name if you have multiple companies,"График обслуживания не генерируется для всех элементов. Пожалуйста, нажмите на кнопку ""Generate Расписание""" +Select the relevant company name if you have multiple companies.,Выделенные сумма не может быть отрицательным +Select who you want to send this newsletter to,{0} Кредитный лимит {0} пересек +Select your home country and check the timezone and currency.,По словам будет виден только вы сохраните Расходная накладная. +"Selecting ""Yes"" will allow this item to appear in Purchase Order , Purchase Receipt.",BOM Заменить Tool +"Selecting ""Yes"" will allow this item to figure in Sales Order, Delivery Note",Продажи Купоны +"Selecting ""Yes"" will allow you to create Bill of Material showing raw material and operational costs incurred to manufacture this item.",Территория +"Selecting ""Yes"" will allow you to make a Production Order for this item.",Не отправляйте Employee рождения Напоминания +"Selecting ""Yes"" will give a unique identity to each entity of this item which can be viewed in the Serial No master.",Число Transporter грузовик +Selling,Пункт Детальное клиентов +Selling Settings,К оплате +"Selling must be checked, if Applicable For is selected as {0}",Является умолчанию +Send,Расходов счета является обязательным для пункта {0} +Send Autoreply,Выпущенные товары против производственного заказа +Send Email,Расписание +Send From,Ставка (%) +Send Notifications To,Ваучер ID +Send Now,Обновлено +Send SMS,"Пожалуйста, выберите месяц и год" +Send To,"Утверждении покупатель не может быть такой же, как пользователь правило применимо к" +Send To Type,Не удается установить разрешение на основе Скидка для {0} +Send mass SMS to your contacts,Является основного средства дня Пункт +Send to this list,Производственный план Пункт +Sender Name,"Не можете overbill по пункту {0} в строке {0} более {1}. Чтобы разрешить overbilling, пожалуйста, установите на фондовых Настройки" +Sent On,Закрытие счета руководитель +Separate production order will be created for each finished good item.,Оценить +Serial No,Завод +Serial No / Batch,По умолчанию Покупка МВЗ +Serial No Details,Обеспеченные кредиты +Serial No Service Contract Expiry,Описание HTML +Serial No Status,Расходов претензии Отклонен +Serial No Warranty Expiry,"Не можете одобрить отпуск, пока вы не уполномочен утверждать листья на блоке Даты" +Serial No is mandatory for Item {0},"Пожалуйста, установите ключи доступа Dropbox на своем сайте конфигурации" +Serial No {0} created,"Ссылка № является обязательным, если вы ввели Исходной дате" +Serial No {0} does not belong to Delivery Note {1},Спецификации сырья +Serial No {0} does not belong to Item {1},Жен +Serial No {0} does not belong to Warehouse {1},Против Документ № +Serial No {0} does not exist,Час +Serial No {0} has already been received,Отчетный год +Serial No {0} is under maintenance contract upto {1},Примечание: E-mail не будет отправлен пользователей с ограниченными возможностями +Serial No {0} is under warranty upto {1},Ряд {0}: Кредитная запись не может быть связан с товарным чеком +Serial No {0} not in stock,"Имя нового счета. Примечание: Пожалуйста, не создавать учетные записи для клиентов и поставщиков, они создаются автоматически от Заказчика и поставщика оригиналов" +Serial No {0} quantity {1} cannot be a fraction,Счет разницы +Serial No {0} status must be 'Available' to Deliver,Доставка +Serial Nos Required for Serialized Item {0},Пункт Desription +Serial Number Series,Изображение +Serial number {0} entered more than once,"Дата, на которую повторяющихся счет будет остановить" +"Serialized Item {0} cannot be updated \ + using Stock Reconciliation",Сплит Delivery Note в пакеты. +Series,Чтение 2 +Series List for this Transaction,Средние булки +Series Updated,Разрешить доступ Google Drive +Series Updated Successfully,Родитель счета +Series is mandatory,Batched для биллинга +Series {0} already used in {1},Прописью +Service,"Пожалуйста, нажмите на кнопку ""Generate Расписание"", чтобы получить график" +Service Address,Ведущий Статус +Services,"Платежи, полученные" +Set,Первый пользователь станет System Manager (вы можете изменить это позже). +"Set Default Values like Company, Currency, Current Fiscal Year, etc.",полк +Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,Оставьте Черный список Разрешить +Set Status as Available,Текущий финансовый год +Set as Default,Скидка% +Set as Lost,Открытие запись +Set prefix for numbering series on your transactions,Акции Обязательства +Set targets Item Group-wise for this Sales Person.,Обслуживание Клиентов +Setting Account Type helps in selecting this Account in transactions.,Списание Количество +Setting this Address Template as default as there is no other default,Продажа Настройки +Setting up...,"Пожалуйста, введите BOM по пункту {0} в строке {1}" +Settings,Материал Запрос Склад +Settings for HR Module,"По умолчанию Единица измерения не могут быть изменены непосредственно, потому что вы уже сделали некоторые сделки (сделок) с другим UOM. Чтобы изменить стандартную UOM, использовать 'Единица измерения Заменить Utility' инструмент под фондовой модуля." +"Settings to extract Job Applicants from a mailbox e.g. ""jobs@example.com""",Против DOCNAME +Setup,Все поставщиком Связаться +Setup Already Complete!!,DN Деталь +Setup Complete,Все Сотрудник (Активный) +Setup SMS gateway settings,Поддержка запросов от клиентов. +Setup Series,Заказчик (задолженность) счета +Setup Wizard,Всего счетов в этом году: +Setup incoming server for jobs email id. (e.g. jobs@example.com),График Имя +Setup incoming server for sales email id. (e.g. sales@example.com),Журнал Ваучер Подробно Нет +Setup incoming server for support email id. (e.g. support@example.com),Warn +Share,BOM продаж товары +Share With,Косвенная прибыль +Shareholders Funds,"Не можете фильтровать на основе ваучером Нет, если сгруппированы по ваучером" +Shipments to customers.,От работника +Shipping,"Если Продажа спецификации определяется, фактическое BOM стаи отображается в виде таблицы. Доступный в накладной и заказ клиента" +Shipping Account,Применимо к (Роль) +Shipping Address,Материал выпуск +Shipping Amount,Химический +Shipping Rule,"Пожалуйста, сформулируйте прайс-лист, который действителен для территории" +Shipping Rule Condition,"Предметы, будет предложено" +Shipping Rule Conditions,Скачать Необходимые материалы +Shipping Rule Label,Регистрационные данные +Shop,Продукты +Shopping Cart,"
Добавить / Изменить " +Short biography for website and other publications.,"Текущий спецификации и Нью-BOM не может быть таким же," +"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",Производственный план Заказы +"Show / Hide features like Serial Nos, POS etc.",Начать +Show In Website,Планируется отправить {0} +Show a slideshow at the top of the page,"Разница счета должна быть учетной записью типа ""Ответственность"", так как это со Примирение Открытие Вступление" +Show in Website,Телекоммуникации +Show this slideshow at the top of the page,Глава счета {0} создан +Sick Leave,Платежные дней +Signature,Квалификаци +Signature to be appended at the end of every email,Transporter Имя +Single,Инструментарий +Single unit of an Item.,"Для отслеживания бренд в следующих документах накладной, редкая возможность, Material запрос, Пункт, Заказа, ЧЕКОМ, Покупателя получения, цитаты, счет-фактура, в продаже спецификации, заказ клиента, серийный номер" +Sit tight while your system is being setup. This may take a few moments.,Сотрудник Подробнее +Slideshow,Текущий адрес +Soap & Detergent,Время работы (мин) +Software,Ставку и сумму +Software Developer,Интеграция входящих поддержки письма на техподдержки +"Sorry, Serial Nos cannot be merged",Глобальные умолчанию +"Sorry, companies cannot be merged","Не можете обратиться номер строки, превышающую или равную текущему номеру строки для этого типа зарядки" +Source,Отправить +Source File,Покупка Становиться на учет +Source Warehouse,Сделать Debit Примечание +Source and target warehouse cannot be same for row {0},Фильтр на основе пункта +Source of Funds (Liabilities),Фото со UOM updatd по пункту {0} +Source warehouse is mandatory for row {0},Склад Имя +Spartan,Открытие Кол-во +"Special Characters except ""-"" and ""/"" not allowed in naming series",Слева +Specification Details,Замораживание акций Записи +Specifications,Быстрая помощь +"Specify a list of Territories, for which, this Price List is valid","Чтобы добавить дочерние узлы, изучить дерево и нажмите на узле, при которых вы хотите добавить больше узлов." +"Specify a list of Territories, for which, this Shipping Rule is valid",Кол-во на получение +"Specify a list of Territories, for which, this Taxes Master is valid",Из валюты +"Specify the operations, operating cost and give a unique Operation no to your operations.",Дата наблюдений +Split Delivery Note into packages.,Пункт {0} не существует в {1} {2} +Sports,Дальнейшие узлы могут быть созданы только под узлами типа «Группа» +Standard,Сотрудник {0} уже подало заявку на {1} между {2} и {3} +Standard Buying,Комиссия +Standard Reports,{0} является обязательным для п. {1} +Standard Selling,Ваучер Тип +Standard contract terms for Sales or Purchase.,Fetch разобранном BOM (в том числе узлов) +Start,Отправлять уведомления +Start Date,"'Имеет Серийный номер' не может быть ""Да"" для не-фондовой пункта" +Start date of current invoice's period,Макс скидка позволило пункта: {0} {1}% +Start date should be less than end date for Item {0},Разрешение Дата +State,Тип отчета +Statement of Account,"Вы должны Сохраните форму, прежде чем приступить" +Static Parameters,Распределение Id +Status,Сумма скидки +Status must be one of {0},Установить целевые Пункт Группа стрелке для этого менеджера по продажам. +Status of {0} {1} is now {2},Где элементы хранятся. +Status updated to {0},Сокр +Statutory info and other general information about your Supplier,"Не можете непосредственно установить сумму. Для «Актуальные 'типа заряда, используйте поле скорости" +Stay Updated,"Тратта, выставленная банком на другой банк" +Stock,"Платежи, полученные в период дайджест" +Stock Adjustment,Счета-фактуры Advance +Stock Adjustment Account,Запросы на предметы. +Stock Ageing,POS Посмотреть +Stock Analytics,Зарплата скольжения работника {0} уже создано за этот месяц +Stock Assets,Пакетные Журналы Время для выставления счетов. +Stock Balance,Заказ товара +Stock Entries already created for Production Order , +Stock Entry,Фото Вступление Подробно +Stock Entry Detail,Клиент> Группа клиентов> Территория +Stock Expenses,Сумма претензии +Stock Frozen Upto,Обновление Номер серии +Stock Ledger,"Налоги, которые вычитаются (Компания Валюта)" +Stock Ledger Entry,Пункт таблице не может быть пустым +Stock Ledger entries balances updated,Упаковочный лист Пункт +Stock Level,Менеджер +Stock Liabilities,Помощь HTML +Stock Projected Qty,Вычет +Stock Queue (FIFO),Ваши клиенты +Stock Received But Not Billed,Покупка Получение Нет +Stock Reconcilation Data,Ключ Площадь Производительность +Stock Reconcilation Template,"Скорость Комиссия не может быть больше, чем 100" +Stock Reconciliation,"Пожалуйста, выберите {0}" +"Stock Reconciliation can be used to update the stock on a particular date, usually as per physical inventory.",Доступно +Stock Settings,Текст сообщения +Stock UOM,Коды покупателей +Stock UOM Replace Utility,Консультант +Stock UOM updatd for Item {0},"Бухгалтерские записи могут быть сделаны против конечных узлов, называется" +Stock Uom,ID пользователя не установлен Требуются {0} +Stock Value,"Вы действительно хотите, чтобы остановить эту запросу материал?" +Stock Value Difference,Против деталях документа Нет +Stock balances updated,"Вы действительно хотите, чтобы представить все Зарплата Слип для месяца {0} и год {1}" +Stock cannot be updated against Delivery Note {0},Вклад (%) +Stock entries exist against warehouse {0} cannot re-assign or modify 'Master Name',C-образный Нет +Stop,Доклады +Stop Birthday Reminders,По словам будет виден только вы сохраните накладной. +Stop Material Request,Система +Stop users from making Leave Applications on following days.,Фактический Кол После проведения операции +Stop!,"Имеет, серия №" +Stopped,Носите +Stopped order cannot be cancelled. Unstop to cancel.,Пункт {0} не существует +Stores,Небольшая Объявленный +Stub,Пункт Цена +Sub Assemblies,Шаблон для аттестации. +"Sub-currency. For e.g. ""Cent""",Читать +Subcontract,Дебиторская задолженность +Subject,"Пожалуйста, введите умолчанию единицу измерения" +Submit Salary Slip,Серии значений +Submit all salary slips for the above selected criteria,Клиенты не покупать так как долгое время +Submit this Production Order for further processing.,Для создания банковского счета: +Submitted,Посещаемость не могут быть отмечены для будущих дат +Subsidiary,Профиль организации +Successful: , +Successfully allocated,Пункт Переупоряд +Suggestions,"Оставить типа {0} не может быть больше, чем {1}" +Sunday,Финансовый / отчетного года. +Supplier,Доход +Supplier (Payable) Account,Обновить +Supplier (vendor) name as entered in supplier master,Посещаемость С Дата и посещаемости на сегодняшний день является обязательным +Supplier > Supplier Type,Управление партнеры по сбыту. +Supplier Account Head,Текущие обязательства +Supplier Address,Позиции спецификации +Supplier Addresses and Contacts,Примечания +Supplier Details,Банковское дело +Supplier Intro,Ссылка на +Supplier Invoice Date,не Серийный Нет Гарантия Срок +Supplier Invoice No,"Пожалуйста, введите код сотрудника этого продаж пастора" +Supplier Name,Пункт оценка обновляются +Supplier Naming By,Расходы Заказанный +Supplier Part Number,Наличие на складе +Supplier Quotation,"""Обновление со 'для Расходная накладная {0} должен быть установлен" +Supplier Quotation Item,Компенсационные Выкл +Supplier Reference,Роль разрешено редактировать Замороженный исходный +Supplier Type,% В редакцию +Supplier Type / Supplier,"Покупка Получение число, необходимое для Пункт {0}" +Supplier Type master.,ID Пользователя +Supplier Warehouse,Счет с существующей сделки не могут быть преобразованы в группы. +Supplier Warehouse mandatory for sub-contracted Purchase Receipt,"Проверьте, если вы хотите отправить ведомость расчета зарплаты в почте каждому сотруднику при подаче ведомость расчета зарплаты" +Supplier database.,Создание клиентов +Supplier master.,Представительские расходы +Supplier warehouse where you have issued raw materials for sub - contracting,Дерево finanial центры Стоимость. +Supplier-Wise Sales Analytics,Активен +Support,"Пожалуйста, введите Master Имя только учетная запись будет создана." +Support Analtyics,Серийный номер {0} не принадлежит Склад {1} +Support Analytics,Инвентаризация и поддержка +Support Email,Счет продаж товара +Support Email Settings,E-mail +Support Password,Кредиторская задолженность группы +Support Ticket,Требуется клиентов +Support queries from customers.,Возможность +Symbol,Еженедельный Выкл +Sync Support Mails,Валовая прибыль +Sync with Dropbox,"Покупка должна быть проверена, если выбран Применимо для как {0}" +Sync with Google Drive,"Возможно, вам придется обновить: {0}" +System,Распределение бюджета +System Settings,Открыть +"System User (login) ID. If set, it will become default for all HR forms.",Упакованные Пункт +Target Amount,"От и До даты, необходимых" +Target Detail,"Конец контракта Дата должна быть больше, чем дата вступления" +Target Details,Против ДОХОДОВ +Target Details1,Запрос на покупку. +Target Distribution,On Net Всего +Target On,Планируемый Количество +Target Qty,Серия Обновлено Успешно +Target Warehouse,Стоп +Target warehouse in row {0} must be same as Production Order,Счет {0} был введен более чем один раз в течение финансового года {1} +Target warehouse is mandatory for row {0},Внимание: Материал просил Кол меньше Минимальное количество заказа +Task,"Слияние возможно только при следующие свойства одинаковы в обоих записей. Группа или Леджер, корень Тип, Компания" +Task Details,Скопируйте Из группы товаров +Tasks,Под гарантии +Tax,Размер налога +Tax Amount After Discount Amount,Ежемесячные счета по кредиторской задолженности +Tax Assets,Амортизация +Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,Обзор +Tax Rate,Производство против заказ клиента +Tax and other salary deductions.,Сделать счете-фактуре +"Tax detail table fetched from item master as a string and stored in this field. +Used for Taxes and Charges",Налоговый шаблон для покупки сделок. +Tax template for buying transactions.,Код +Tax template for selling transactions.,Исходящий +Taxable,Запрашиваемые Кол-во +Taxes and Charges,Каждый может читать +Taxes and Charges Added,Расходы на продажи +Taxes and Charges Added (Company Currency),Срочные Подробнее +Taxes and Charges Calculation,Акции +Taxes and Charges Deducted,Требуется только для образца пункта. +Taxes and Charges Deducted (Company Currency),Из выпуска Пользовательское +Taxes and Charges Total,Телефон Расходы +Taxes and Charges Total (Company Currency),Внутренний GPS без антенны или с внешней антенной +Technology,Пункт Group Tree +Telecommunications,Вы Оставить утверждающий для этой записи. Пожалуйста Обновите 'Status' и сохранить +Telephone Expenses,Сотрудник Образование +Television,"Если несколько правил ценообразования продолжают преобладать, пользователям предлагается установить приоритет вручную разрешить конфликт." +Template,Открытие на работу. +Template for performance appraisals.,Все клиентов Связаться +Template of terms or contract.,План счетов +Temporary Accounts (Assets),Значение +Temporary Accounts (Liabilities),"Если у вас есть отдел продаж и продажа партнеры (Channel Partners), они могут быть помечены и поддерживать их вклад в сбытовой деятельности" +Temporary Assets,Скользящее среднее +Temporary Liabilities,Чистый вес этого пакета. (Автоматический расчет суммы чистой вес деталей) +Term Details,"Выберите соответствующий название компании, если у вас есть несколько компаний" +Terms,Авторизация управления +Terms and Conditions,Открытие (Cr) +Terms and Conditions Content,Не допускается +Terms and Conditions Details,Ваши продукты или услуги +Terms and Conditions Template,Отклоненные +Terms and Conditions1,Сделать заказ клиента +Terretory,Налоги и сборы Всего (Компания Валюта) +Territory,Коэффициент преобразования требуется +Territory / Customer,Неверный код или Серийный номер +Territory Manager,Проект стоимостью +Territory Name,Связаться Описание изделия +Territory Target Variance Item Group-Wise,Запрошено +Territory Targets,Поддержка по электронной почте +Test,Валюты Настройки +Test Email Id,Executive Search +Test the Newsletter,Посещаемость Подробнее +The BOM which will be replaced,Услуга +The First User: You,Разрешить производственного заказа +"The Item that represents the Package. This Item must have ""Is Stock Item"" as ""No"" and ""Is Sales Item"" as ""Yes""",Техническое обслуживание Посетить Цель +The Organization,Нет объектов для вьючных +"The account head under Liability, in which Profit/Loss will be booked",В Кол-во +"The date on which next invoice will be generated. It is generated on submit. +",Серия {0} уже используется в {1} +The date on which recurring invoice will be stop,Pincode +"The day of the month on which auto invoice will be generated e.g. 05, 28 etc ", +The day(s) on which you are applying for leave are holiday. You need not apply for leave.,Банк просвет Основная +The first Leave Approver in the list will be set as the default Leave Approver,Корневая не могут быть изменены. +The first user will become the System Manager (you can change that later).,"Скорость, с которой валюта клиента превращается в базовой валюте компании" +The gross weight of the package. Usually net weight + packaging material weight. (for print),Фото со приведению шаблона +The name of your company for which you are setting up this system.,Если вы привлечь в производственной деятельности. Включает элемент 'производится' +The net weight of this package. (calculated automatically as sum of net weight of items),Посещаемость +The new BOM after replacement,Разделенный запятыми список адресов электронной почты +The rate at which Bill Currency is converted into company's base currency,Высокая +The unique id for tracking all recurring invoices. It is generated on submit.,Личная E-mail +"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.",Доля +There are more holidays than working days this month.,Дата создания +"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",Пункт {0} не найден +There is not enough leave balance for Leave Type {0},Новый Центр Стоимость Имя +There is nothing to edit.,Покупка Порядок Дата +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.,Установка рекорд для серийный номер +There were errors.,"Сотрудник обозначение (например, генеральный директор, директор и т.д.)." +This Currency is disabled. Enable to use in transactions,Счета-фактуры Авансы +This Leave Application is pending approval. Only the Leave Apporver can update status.,Стоп +This Time Log Batch has been billed.,Ясно Таблица +This Time Log Batch has been cancelled.,"Проверьте, как бюллетень выглядит по электронной почте, отправив его по электронной почте." +This Time Log conflicts with {0},"Пожалуйста, введите компанию первой" +This format is used if country specific format is not found,"Когда представляется, система создает разница записи установить данную запас и оценки в этот день." +This is a root account and cannot be edited.,Печать и брендинг +This is a root customer group and cannot be edited.,Серийный номер {0} не принадлежит накладной {1} +This is a root item group and cannot be edited.,Получить Против записей +This is a root sales person and cannot be edited.,Вес брутто Единица измерения +This is a root territory and cannot be edited.,Покупка чеков тенденции +This is an example website auto-generated from ERPNext,Макс Скидка (%) +This is the number of the last created transaction with this prefix,Разрешить негативных складе +This will be used for setting rule in HR module,Внимание: Система не будет проверять overbilling с суммы по пункту {0} в {1} равна нулю +Thread HTML,"Пожалуйста, отправьте обновить Leave баланса." +Thursday,"Пожалуйста, выберите Group или Ledger значение" +Time Log,"{0} должен иметь роль ""Оставить утверждающего '" +Time Log Batch,Против заказ клиента +Time Log Batch Detail,Это число последнего созданного сделки с этим префиксом +Time Log Batch Details,"Выберите учетную запись глава банка, в котором проверка была размещена." +Time Log Batch {0} must be 'Submitted',Корзина +Time Log for tasks.,Счета-фактуры Тенденции +Time Log {0} must be 'Submitted',"Не удается удалить серийный номер {0} в наличии. Сначала снимите со склада, а затем удалить." +Time Zone,Доставка Для +Time Zones,Родитель Пункт {0} должен быть не со Пункт и должен быть Продажи товара +Time and Budget,Адрес Название +Time at which items were delivered from warehouse,Поднятый силу (Email) +Time at which materials were received,Зарплата до вычетов +Title,Лом% +Titles for print templates e.g. Proforma Invoice.,Индивидуальная +To,Инкассация Дата +To Currency,Территория Цели +To Date,Сделать Заказ +To Date should be same as From Date for Half Day leave,Будет обновлена ​​после Расходная накладная представляется. +To Discuss,"Показать / скрыть функции, такие как последовательный Нос, POS и т.д." +To Do List,Ученик +To Package No.,Управление менеджера по продажам дерево. +To Produce,МВЗ {0} не принадлежит компании {1} +To Time,Отправить От +To Value,Журнал Ваучер +To Warehouse,Серийный номер {0} не принадлежит Пункт {1} +"To add child nodes, explore tree and click on the node under which you want to add more nodes.",Кол-во в соответствии со UOM +"To assign this issue, use the ""Assign"" button in the sidebar.",Отчисления +To create a Bank Account:,Сотрудник Тип +To create a Tax Account:,Кол-во для Пункт {0} в строке {1} +"To create an Account Head under a different company, select the company and save customer.",Введите параметр URL для сообщения +To date cannot be before from date,Недвижимость +To enable Point of Sale features,Оставьте Утверждающие +To enable Point of Sale view,Разница +To get Item Group in details table,Дату периода текущего счета-фактуры начнем +"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",Получить Weekly Выкл Даты +"To merge, following properties must be same for both items",Невозможно изменить финансовый год Дата начала и финансовый год Дата окончания сразу финансовый год будет сохранен. +"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.",Единица Измерения +"To set this Fiscal Year as Default, click on 'Set as Default'",Штрих {0} уже используется в пункте {1} +To track any installation or commissioning related work after sales,Фактическая дата +"To track brand name in the following documents Delivery Note, Opportunity, Material Request, Item, Purchase Order, Purchase Voucher, Purchaser Receipt, Quotation, Sales Invoice, Sales BOM, Sales Order, Serial No",Порционно Баланс История +To track item in sales and purchase documents based on their serial nos. This is can also used to track warranty details of the product.,Поставки клиентам. +To track items in sales and purchase documents with batch nos
Preferred Industry: Chemicals etc,Класс / в процентах +To track items using barcode. You will be able to enter items in Delivery Note and Sales Invoice by scanning barcode of item.,Сотрудник записей. +Tools,Подразделяется по контракту дня Пункт +Total,"Добавьте строки, чтобы установить годовые бюджеты на счетах." +Total Advance,RECD Количество +Total Allocated Amount,Earning1 +Total Allocated Amount can not be greater than unmatched amount,Балансовый отчет +Total Amount,Ожидаемая дата завершения +Total Amount To Pay,Входящий Оценить +Total Amount in Words,Ведущий Владелец +Total Billing This Year: , +Total Characters,От времени +Total Claimed Amount,Пользовательский +Total Commission,SMS Log +Total Cost,Больше параметров +Total Credit,Сдельная работа +Total Debit,Существует клиентов с одноименным названием +Total Debit must be equal to Total Credit. The difference is {0},Заменить пункт / BOM во всех спецификациях +Total Deduction,Подробное Распад итогам +Total Earning,Оплата счета-фактуры Matching Подробности Tool +Total Experience,Причина увольнения +Total Hours,"Только Серийный Нос со статусом ""В наличии"" может быть доставлено." +Total Hours (Expected),POS Установка {0} уже создали для пользователя: {1} и компания {2} +Total Invoiced Amount,Штрих +Total Leave Days,1 Для поддержания клиентов мудрый пункт код и сделать их доступными для поиска в зависимости от их кода использовать эту опцию +Total Leaves Allocated,Будет рассчитываться автоматически при вводе детали +Total Message(s),Научно-исследовательские и опытно-конструкторские работы +Total Operating Cost,`Мораторий Акции старше` должен быть меньше% D дней. +Total Points,Детский учетная запись существует для этой учетной записи. Вы не можете удалить этот аккаунт. +Total Raw Material Cost,Вызов +Total Sanctioned Amount,Выберите DocType +Total Score (Out of 5),Пункт изображения (если не слайд-шоу) +Total Tax (Company Currency),Тип отчета является обязательным +Total Taxes and Charges,Общее число сотрудников +Total Taxes and Charges (Company Currency),Низкая +Total Working Days In The Month,Задаток +Total allocated percentage for sales team should be 100,Пункт Сайт Спецификация +Total amount of invoices received from suppliers during the digest period,Произвести поставку +Total amount of invoices sent to the customer during the digest period,"Финансовый год Дата начала не должен быть больше, чем финансовый год Дата окончания" +Total cannot be zero,Интернет издания +Total in words,Синхронизация с Dropbox +Total points for all goals should be 100. It is {0},Дата выдачи +Total valuation for manufactured or repacked item(s) can not be less than total valuation of raw materials,"Пожалуйста, введите Expense счет" +Total weightage assigned should be 100%. It is {0},Пользователь {0} уже назначен Employee {1} +Totals,Вычет Тип +Track Leads by Industry Type.,Нижняя Доход +Track this Delivery Note against any Project,Заработная плата Зарегистрироваться +Track this Sales Order against any Project,Почтовый +Transaction,Кредиты и авансы (активы) +Transaction Date,Поставщик Дата выставления счета +Transaction not allowed against stopped Production Order {0},Отправить эту производственного заказа для дальнейшей обработки. +Transfer,"Заказы, выпущенные для производства." +Transfer Material,Фото Значение Разница +Transfer Raw Materials,"Нажмите на ссылку, чтобы получить варианты расширения возможностей получить" +Transferred Qty,Создать новый +Transportation,По умолчанию Пункт Группа +Transporter Info,Технология +Transporter Name,{0} {1}: МВЗ является обязательным для п. {2} +Transporter lorry number,Акции Расходы +Travel,Ожидаемые +Travel Expenses,Статус +Tree Type,Адрес и контакты +Tree of Item Groups.,Налоговый шаблон для продажи сделок. +Tree of finanial Cost Centers.,Пункт Мудрый Налоговый Подробно +Tree of finanial accounts.,Одно устройство элемента. +Trial Balance,Значение закрытия +Tuesday,Тип заказа +Type,Поддержание же скоростью протяжении цикла продаж +Type of document to rename.,"Компании e-mail ID не найден, следовательно, Почта не отправляется" +"Type of leaves like casual, sick etc.",Адрес & Контактная +Types of Expense Claim.,"Имя лица или организации, что этот адрес принадлежит." +Types of activities for Time Sheets,Первоначальная сумма +"Types of employment (permanent, contract, intern etc.).",Офиса +UOM Conversion Detail,намеки +UOM Conversion Details,Телефон Нет +UOM Conversion Factor,Счет {0} заморожен +UOM Conversion factor is required in row {0},"Установка этого Адрес шаблон по умолчанию, поскольку нет никакого другого умолчанию" +UOM Name,Пункт сайта Технические +UOM coversion factor required for UOM: {0} in Item: {1},"Имя или поддержки Пароль пропавшими без вести. Пожалуйста, введите и повторите попытку." +Under AMC,Журнал Ваучеры {0} являются не-связаны +Under Graduate,Организация +Under Warranty,Полное имя +Unit,"Если это счет представляет собой клиентов, поставщиков или работник, установите его здесь." +Unit of Measure,1 Валюта = [?] Фракция \ Nfor например 1 USD = 100 центов +Unit of Measure {0} has been entered more than once in Conversion Factor Table,Завершено Кол-во +"Unit of measurement of this item (e.g. Kg, Unit, No, Pair).","Налоги, которые вычитаются" +Units/Hour,Войти с вашим новым ID пользователя +Units/Shifts,Задача Сведения +Unmatched Amount,Счет руководитель +Unpaid,Прикрепите изображение +Unscheduled,"Выберите ""Да"", если вы поставляют сырье для вашего поставщика на производство этого пункта." +Unsecured Loans,Ссылка № & Ссылка Дата необходим для {0} +Unstop,Сырье Поставляется Стоимость +Unstop Material Request,Против Journal ваучером +Unstop Purchase Order,Личные Данные +Unsubscribed,E-mail Дайджест +Update,Резервные копии будут размещены на +Update Clearance Date,Настройки Настройка SMS Gateway +Update Cost,Время входа для задач. +Update Finished Goods,Цитата Забыли Причина +Update Landed Cost,"Сотрудник освобожден от {0} должен быть установлен как ""левые""" +Update Series,Компания на складах отсутствует {0} +Update Series Number,{0} бюджет на счет {1} против МВЗ {2} будет превышать {3} +Update Stock,Мастер сотрудников. +"Update allocated amount in the above table and then click ""Allocate"" button",Применимо Территория +Update bank payment dates with journals.,Сырье Код товара +Update clearance date of Journal Entries marked as 'Bank Vouchers',План МВЗ +Updated,"Пожалуйста, напишите что-нибудь" +Updated Birthday Reminders,Сотрудник отчеты должны быть созданные +Upload Attendance,Примечание: Эта МВЗ является Группа. Невозможно сделать бухгалтерские проводки против групп. +Upload Backups to Dropbox,"Тип листьев, как случайный, больным и т.д." +Upload Backups to Google Drive,Оценка Оцените +Upload HTML,По истечении гарантийного срока +Upload a .csv file with two columns: the old name and the new name. Max 500 rows.,Заказ на продажу Сообщение +Upload attendance from a .csv file,Склады. +Upload stock balance via csv.,Разработчик Программного обеспечения +Upload your letter head and logo - you can edit them later.,"Был ошибка. Один вероятной причиной может быть то, что вы не сохранили форму. Пожалуйста, свяжитесь с support@erpnext.com если проблема не устранена." +Upper Income,Количество и курс +Urgent,"Пожалуйста, выберите счет первой" +Use Multi-Level BOM,Командировочные Pасходы +Use SSL,Образование +User,Добавить в корзину +User ID,Новые Котировки +User ID not set for Employee {0},Статус завершения +User Name,"Символ для этой валюты. Для например, $" +User Name or Support Password missing. Please enter and try again.,Вы можете начать с выбора частоты резервного копирования и предоставления доступа для синхронизации +User Remark,Поставщик Склад обязательным для субподрядчиком ТОВАРНЫЙ ЧЕК +User Remark will be added to Auto Remark,"Не можете объявить как потерял, потому что цитаты было сделано." +User Remarks is mandatory,Распечатать Без сумма +User Specific,Мастер клиентов. +User must always select,Стоимость Центр необходим для 'о прибылях и убытках »счета {0} +User {0} is already assigned to Employee {1},Весы для счета {0} должен быть всегда {1} +User {0} is disabled,Чтение 8 +Username,Финансовые услуги +Users with this role are allowed to create / modify accounting entry before frozen date,"Выберите Employee, для которых вы создаете оценки." +Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Это время входа в противоречии с {0} +Utilities,Авансы +Utility Expenses,(Полдня) +Valid For Territories,Целевая Details1 +Valid From,Ваучер Кредитная карта +Valid Upto,Поднимите Материал запрос когда шток достигает уровня переупорядочиваем +Valid for Territories,Пункт {0} был введен несколько раз с таким же описанием или по дате или склад +Validate,Розничная торговля +Valuation,Число Заказ требуется для Пункт {0} +Valuation Method,Банк / Остатки денежных средств +Valuation Rate,"Введите название кампании, если источником свинца является кампания." +Valuation Rate required for Item {0},Генерация Описание HTML +Valuation and Total,Сделать Maint. Расписание +Value,Всего сообщений (ы) +Value or Qty,Книга учета акций +Vehicle Dispatch Date,Покупка Получение необходимое +Vehicle No,Использование Multi-Level BOM +Venture Capital,Предварительная сумма +Verified By,Требуется По +View Ledger,Не указано +View Now,Данные предприятия +Visit report for maintenance call.,Отменить Материал просмотров {0} до отмены этого обслуживания визит +Voucher #,Акции остатки обновляются +Voucher Detail No,Просмотр сейчас +Voucher ID,Ведомость материалов (BOM) +Voucher No,Расчетное Материал Стоимость +Voucher No is not valid,"Пожалуйста, введите действительный адрес электронной почты Id" +Voucher Type,Аббревиатура не может иметь более 5 символов +Voucher Type and Date,Пункт должен быть изготовлен или перепакован +Walk In,Добавить резервных копий на Dropbox +Warehouse,Показательный +Warehouse Contact Info,Обеспечить электронный идентификатор зарегистрирован в компании +Warehouse Detail,Детали аккаунта +Warehouse Name,Работа с персоналом +Warehouse and Reference,Чтобы время +Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Поставщик +Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Существующий клиент +Warehouse cannot be changed for Serial No.,Заказ на {0} не представлено +Warehouse is mandatory for stock Item {0} in row {1},Настройки системы +Warehouse is missing in Purchase Order,Часовые пояса +Warehouse not found in the system,Сообщите по электронной почте по созданию автоматической запрос материалов +Warehouse required for stock Item {0},Склад Контактная информация +Warehouse where you are maintaining stock of rejected items,Ветвь: +Warehouse {0} can not be deleted as quantity exists for Item {1},Рамка +Warehouse {0} does not belong to company {1},Приемник Параметр +Warehouse {0} does not exist,Посещаемость Дата +Warehouse-Wise Stock Balance,Правило Доставка +Warehouse-wise Item Reorder,Связаться с HTML +Warehouses,Инспекция контроля качества +Warehouses.,Опубликовано на веб-сайте по адресу: {0} +Warn,Укажите компанию +Warning: Leave application contains following block dates,Родитель МВЗ +Warning: Material Requested Qty is less than Minimum Order Qty,Счет с существующей сделки не могут быть удалены +Warning: Sales Order {0} already exists against same Purchase Order number,Коэффициент пересчета единица измерения +Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Поступило Кол-во +Warranty / AMC Details,Расходные Стоимость в час +Warranty / AMC Status,Стимулы +Warranty Expiry Date,Количество +Warranty Period (Days),Ответственный +Warranty Period (in days),Целевая сумма +We buy this Item,и +We sell this Item,Корневая Тип является обязательным +Website,Серийный номер / Пакетный +Website Description,"Поставщик склад, где вы оформили сырье для суб - заказчик" +Website Item Group,Посредничество +Website Item Groups,"Укажите список территорий, для которых, это Налоги Мастер действует" +Website Settings,"Нет адреса, созданные" +Website Warehouse,Сведения о профессиональной квалификации +Wednesday,Приемник Список +Weekly,Применение +Weekly Off,Округляется +Weight UOM,Стоп Материал Запрос +"Weight is mentioned,\nPlease mention ""Weight UOM"" too", +Weightage,Покупка Счет +Weightage (%),"Изменение в процентах в количестве, чтобы иметь возможность во время приема или доставки этот пункт." +Welcome,Старение Дата +Welcome to ERPNext. Over the next few minutes we will help you setup your ERPNext account. Try and fill in as much information as you have even if it takes a bit longer. It will save you a lot of time later. Good Luck!,"Записи не допускаются против этого финансовый год, если год закрыт." +Welcome to ERPNext. Please select your language to begin the Setup Wizard.,Поддержание же скоростью в течение покупке цикла +What does it do?,Пункт Поставщик +"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.",Зарезервировано Склад +"When submitted, the system creates difference entries to set the given stock and valuation on this date.",Название подразделения (департамент) хозяин. +Where items are stored.,Настройки по умолчанию для бухгалтерских операций. +Where manufacturing operations are carried out.,Ведущий Источник +Widowed,Мин Кол-во +Will be calculated automatically when you enter the details,Пункт Именование По +Will be updated after Sales Invoice is Submitted.,"Вы не авторизованы, чтобы добавить или обновить записи до {0}" +Will be updated when batched.,Успешно выделено +Will be updated when billed.,Оплата +Wire Transfer,Новые проекты +With Operations,"Пожалуйста, выберите дату начала и дату окончания Пункт {0}" +With period closing entry,Год Дата начала +Work Details,{0}{/0}{1}{/1}{2}Подпись{/2} +Work Done,"Фото со получен, но не Объявленный" +Work In Progress,Re порядка +Work-in-Progress Warehouse,Переведен Кол-во +Work-in-Progress Warehouse is required before Submit,Принято +Working,Доставка счета +Workstation,Управление качеством +Workstation Name,Название кампании требуется +Write Off Account,Заменить +Write Off Amount,Налоговый деталь таблице извлекаются из мастер пункт в виде строки и хранятся в этой области. \ Nused по налогам и сборам +Write Off Amount <=,Чек +Write Off Based On,Авто Материал Запрос +Write Off Cost Center,Отрицательный Оценка курс не допускается +Write Off Outstanding Amount,Создание Возможность +Write Off Voucher,Получить заказов клиента +Wrong Template: Unable to find head row.,Движение Запись пункт. +Year,"Состояние утверждения должны быть ""Одобрено"" или ""Отклонено""" +Year Closed,Склад +Year End Date,Разрешено Роль в редактировать записи Перед Frozen Дата +Year Name,Уведомление (дней) +Year Start Date,Dropbox +Year of Passing,Упакованные количество должно равняться количество для Пункт {0} в строке {1} +Yearly,Стандартный Покупка +Yes,Послевузовском +You are not authorized to add or update entries before {0},Авто Учет акций Настройки +You are not authorized to set Frozen value,"Склад, где вы работаете запас отклоненных элементов" +You are the Expense Approver for this record. Please Update the 'Status' and Save,Банковские счета +You are the Leave Approver for this record. Please Update the 'Status' and Save,Подробнее +You can enter any date manually,От +You can enter the minimum quantity of this item to be ordered.,Валюта и прайс-лист +You can not assign itself as parent account,Фото со Леджер записей остатки обновляются +You can not change rate if BOM mentioned agianst any item,Администратор +You can not enter both Delivery Note No and Sales Invoice No. Please enter any one.,"Вы действительно хотите, чтобы Unstop этот материал запрос?" +You can not enter current voucher in 'Against Journal Voucher' column,Количество и Склад +You can set Default Bank Account in Company master,Чтобы получить группу товаров в детали таблице +You can start by selecting backup frequency and granting access for sync,Из возможностей +You can submit this Stock Reconciliation.,Добавить посещаемость от. Файл CSV +You can update either Quantity or Valuation Rate or both.,Адрес для выставления счетов +You cannot credit and debit same account at the same time,Backup Manager +You have entered duplicate items. Please rectify and try again.,Офис эксплуатационные расходы +You may need to update: {0},Метод по умолчанию Оценка +You must Save the form before proceeding,Контроль качества +You must allocate amount before reconcile,Ценные бумаги +Your Customer's TAX registration numbers (if applicable) or any general information,Прайс-лист валют +Your Customers,Пункт {0} несколько раз появляется в прайс-лист {1} +Your Login Id,Сотрудник запись создана при помощи выбранного поля. +Your Products or Services,Одежда и аксессуары +Your Suppliers,Продажи Зарегистрироваться +Your email address,Страна +Your financial year begins on,Это корень территории и не могут быть изменены. +Your financial year ends on,Поставщик Адрес +Your sales person who will contact the customer in future,Исследования +Your sales person will get a reminder on this date to contact the customer,Адрес мастер. +Your setup is complete. Refreshing...,Ваша поддержка электронный идентификатор - должен быть действительный адрес электронной почты - это где ваши письма придет! +Your support email id - must be a valid email - this is where your emails will come!,Вы не можете назначить себя как родительским счетом +[Select],Соискатель работы +`Freeze Stocks Older Than` should be smaller than %d days.,Участок По +and,"К сожалению, компании не могут быть объединены" +are not allowed.,"Пожалуйста, установите {0}" +assigned by,Пункт Налоговый ряд {0} должен иметь учетную запись типа налога или доходов или расходов или платная +"e.g. ""Build tools for builders""","Специальные символы, кроме ""-"" и ""/"" не допускается в серию называя" +"e.g. ""MC""",Кол-во для доставки +"e.g. ""My Company LLC""",Префикс +e.g. 5,"Выбор ""Да"" даст уникальную идентичность для каждого субъекта этого пункта, который можно рассматривать в серийный номер мастера." +"e.g. Bank, Cash, Credit Card",Ваши Поставщики +"e.g. Kg, Unit, Nos, m",Новые поступления Покупка +e.g. VAT,Кол-во Потребляемая на единицу +eg. Cheque Number,По умолчанию Поставщик +example: Next Day Shipping,Дата рождения +lft,"Чтобы отслеживать предметы, используя штрих-код. Вы сможете ввести элементы в накладной и счет-фактуру путем сканирования штрих-кода товара." +old_parent,"С даты должны быть, прежде чем к дате" +rgt,"Покупка Заказ позиции, которые будут получены" +website page link,"Пожалуйста, установите модуль питона Dropbox" +{0} '{1}' not in Fiscal Year {2},Сайт +{0} Credit limit {0} crossed,Сделать акцизного счет-фактура +{0} Serial Numbers required for Item {0}. Only {0} provided.,Пункт {0} должно быть продажи товара +{0} budget for Account {1} against Cost Center {2} will exceed by {3},Дата начала должна быть меньше даты окончания для Пункт {0} +{0} can not be negative,База данных Папка ID +{0} created,Счет {0} не принадлежит компании {1} +{0} does not belong to Company {1},Отключение закругленными Итого +{0} entered twice in Item Tax,"Дальнейшие счета могут быть сделаны в соответствии с группами, но записи могут быть сделаны против Леджер" +{0} is an invalid email address in 'Notification Email Address',Впритык не может быть после {0} +{0} is mandatory,Сделать кредит-нота +{0} is mandatory for Item {1},"Если флажок установлен, сумма налога будет считаться уже включены в Печать Оценить / Количество печати" +{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,Использовать SSL +{0} is not a stock Item,Еженедельно +{0} is not a valid Batch Number for Item {1},Родитель счета не существует +{0} is not a valid Leave Approver. Removing row #{1}.,Дата выхода на пенсию должен быть больше даты присоединения +{0} is not a valid email id,Не обращайтесь +{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,"Чтобы Дата должна быть такой же, как С даты в течение половины дня отпуска" +{0} is required,Включить Корзина +{0} must be a Purchased or Sub-Contracted Item in row {1},Запрашивать Email по подаче +{0} must be less than or equal to {1},Задачи +{0} must have role 'Leave Approver',Процесс расчета заработной платы +{0} valid serial nos for Item {1},Трек Ведет по Отрасль Тип. +{0} {1} against Bill {2} dated {3},"Как это должно валюта быть отформатирован? Если не установлен, будет использовать системные значения по умолчанию" +{0} {1} against Invoice {2},Обновление стока +{0} {1} has already been submitted,Клиент {0} не существует +{0} {1} has been modified. Please refresh.,"Пожалуйста, сформулируйте действительный 'От делу №'" +{0} {1} is not submitted,"Пожалуйста, сохраните бюллетень перед отправкой" +{0} {1} must be submitted,Сообщения +{0} {1} not in any Fiscal Year,Разрешить пользователю +{0} {1} status is 'Stopped',Против счете-фактуре +{0} {1} status is Stopped,По словам будет виден только вы сохраните счета покупки. +{0} {1} status is Unstopped,Детальная информация о товаре +{0} {1}: Cost Center is mandatory for Item {2},{0} должен быть куплены или субподрядчиком Пункт в строке {1} From bc408d8d0b929f88ab40ccdb3564a7776fb30d9f Mon Sep 17 00:00:00 2001 From: nabinhait Date: Mon, 7 Jul 2014 16:51:52 +0530 Subject: [PATCH 311/630] Run trigger of company field on onload function, even if company exists --- erpnext/public/js/transaction.js | 7 ++++++- 1 file changed, 6 insertions(+), 1 deletion(-) diff --git a/erpnext/public/js/transaction.js b/erpnext/public/js/transaction.js index a4b1abbb6a..3c99ced701 100644 --- a/erpnext/public/js/transaction.js +++ b/erpnext/public/js/transaction.js @@ -20,13 +20,18 @@ erpnext.TransactionController = erpnext.stock.StockController.extend({ currency: currency, price_list_currency: currency, status: "Draft", - company: frappe.defaults.get_user_default("company"), fiscal_year: frappe.defaults.get_user_default("fiscal_year"), is_subcontracted: "No", }, function(fieldname, value) { if(me.frm.fields_dict[fieldname] && !me.frm.doc[fieldname]) me.frm.set_value(fieldname, value); }); + + if(!this.frm.doc.company) { + this.frm.set_value("company", frappe.defaults.get_user_default("company")); + } else { + cur_frm.script_manager.trigger("company"); + } } if(this.other_fname) { From 2c0c66e7560821d41baa250c31f456f118e522dc Mon Sep 17 00:00:00 2001 From: nabinhait Date: Mon, 7 Jul 2014 17:56:11 +0530 Subject: [PATCH 312/630] Update delivery and billing status in SO --- erpnext/patches.txt | 1 + .../fix_delivery_and_billing_status_for_draft_so.py | 12 ++++++++++++ erpnext/selling/doctype/sales_order/sales_order.json | 6 +++--- 3 files changed, 16 insertions(+), 3 deletions(-) create mode 100644 erpnext/patches/v4_1/fix_delivery_and_billing_status_for_draft_so.py diff --git a/erpnext/patches.txt b/erpnext/patches.txt index 53ab7b5e93..1c2112d7b8 100644 --- a/erpnext/patches.txt +++ b/erpnext/patches.txt @@ -67,3 +67,4 @@ erpnext.patches.v4_0.set_naming_series_property_setter erpnext.patches.v4_1.set_outgoing_email_footer erpnext.patches.v4_1.fix_jv_remarks erpnext.patches.v4_1.fix_sales_order_delivered_status +erpnext.patches.v4_1.fix_delivery_and_billing_status_for_draft_so \ No newline at end of file diff --git a/erpnext/patches/v4_1/fix_delivery_and_billing_status_for_draft_so.py b/erpnext/patches/v4_1/fix_delivery_and_billing_status_for_draft_so.py new file mode 100644 index 0000000000..85e2e4c06a --- /dev/null +++ b/erpnext/patches/v4_1/fix_delivery_and_billing_status_for_draft_so.py @@ -0,0 +1,12 @@ +# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors +# License: GNU General Public License v3. See license.txt + +from __future__ import unicode_literals +import frappe + +def execute(): + frappe.db.sql("""update `tabSales Order` set delivery_status = 'Not Delivered' + where delivery_status = 'Delivered' and ifnull(per_delivered, 0) = 0""") + + frappe.db.sql("""update `tabSales Order` set billing_status = 'Not Billed' + where billing_status = 'Billed' and ifnull(per_billed, 0) = 0""") \ No newline at end of file diff --git a/erpnext/selling/doctype/sales_order/sales_order.json b/erpnext/selling/doctype/sales_order/sales_order.json index 77e7887425..ebe1d84eda 100644 --- a/erpnext/selling/doctype/sales_order/sales_order.json +++ b/erpnext/selling/doctype/sales_order/sales_order.json @@ -762,7 +762,7 @@ "hidden": 1, "label": "Delivery Status", "no_copy": 1, - "options": "Fully Delivered\nNot Delivered\nPartly Delivered\nClosed\nNot Applicable", + "options": "Not Delivered\nFully Delivered\nPartly Delivered\nClosed\nNot Applicable", "permlevel": 0, "print_hide": 1 }, @@ -809,7 +809,7 @@ "hidden": 1, "label": "Billing Status", "no_copy": 1, - "options": "Fully Billed\nNot Billed\nPartly Billed\nClosed", + "options": "Not Billed\nFully Billed\nPartly Billed\nClosed", "permlevel": 0, "print_hide": 1 }, @@ -883,7 +883,7 @@ "idx": 1, "is_submittable": 1, "issingle": 0, - "modified": "2014-07-04 17:16:36.889948", + "modified": "2014-07-07 17:47:40.089520", "modified_by": "Administrator", "module": "Selling", "name": "Sales Order", From 6c40079139e714ff145e0a4adff8c3a537172ef5 Mon Sep 17 00:00:00 2001 From: nabinhait Date: Mon, 7 Jul 2014 18:02:53 +0530 Subject: [PATCH 313/630] Update delivery and billing status in SO --- .../v4_1/fix_delivery_and_billing_status_for_draft_so.py | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/erpnext/patches/v4_1/fix_delivery_and_billing_status_for_draft_so.py b/erpnext/patches/v4_1/fix_delivery_and_billing_status_for_draft_so.py index 85e2e4c06a..8d38338e04 100644 --- a/erpnext/patches/v4_1/fix_delivery_and_billing_status_for_draft_so.py +++ b/erpnext/patches/v4_1/fix_delivery_and_billing_status_for_draft_so.py @@ -6,7 +6,7 @@ import frappe def execute(): frappe.db.sql("""update `tabSales Order` set delivery_status = 'Not Delivered' - where delivery_status = 'Delivered' and ifnull(per_delivered, 0) = 0""") + where delivery_status = 'Delivered' and ifnull(per_delivered, 0) = 0 and docstatus = 0""") frappe.db.sql("""update `tabSales Order` set billing_status = 'Not Billed' - where billing_status = 'Billed' and ifnull(per_billed, 0) = 0""") \ No newline at end of file + where billing_status = 'Billed' and ifnull(per_billed, 0) = 0 and docstatus = 0""") \ No newline at end of file From cf6d31cefc68e30cc935c6040cfec5f81d106be9 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Mon, 7 Jul 2014 18:45:46 +0530 Subject: [PATCH 314/630] Sales Order: Fixed test case --- erpnext/selling/doctype/sales_order/test_sales_order.py | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/erpnext/selling/doctype/sales_order/test_sales_order.py b/erpnext/selling/doctype/sales_order/test_sales_order.py index 4296944924..bae0f28379 100644 --- a/erpnext/selling/doctype/sales_order/test_sales_order.py +++ b/erpnext/selling/doctype/sales_order/test_sales_order.py @@ -284,7 +284,7 @@ class TestSalesOrder(unittest.TestCase): so.get("sales_order_details")[0].warehouse, 20.0) def test_warehouse_user(self): - frappe.permissions.add_user_permission("Warehouse", "_Test Warehouse 1 - _TC1", "test@example.com") + frappe.permissions.add_user_permission("Warehouse", "_Test Warehouse 1 - _TC", "test@example.com") frappe.permissions.add_user_permission("Warehouse", "_Test Warehouse 2 - _TC1", "test2@example.com") frappe.permissions.add_user_permission("Company", "_Test Company 1", "test2@example.com") @@ -308,7 +308,7 @@ class TestSalesOrder(unittest.TestCase): frappe.set_user("test2@example.com") so.insert() - frappe.permissions.remove_user_permission("Warehouse", "_Test Warehouse 1 - _TC1", "test@example.com") + frappe.permissions.remove_user_permission("Warehouse", "_Test Warehouse 1 - _TC", "test@example.com") frappe.permissions.remove_user_permission("Warehouse", "_Test Warehouse 2 - _TC1", "test2@example.com") frappe.permissions.remove_user_permission("Company", "_Test Company 1", "test2@example.com") From 89b5e3e2eafb7b3a34e1b0605c4486a0e87f3206 Mon Sep 17 00:00:00 2001 From: nabinhait Date: Tue, 8 Jul 2014 16:00:25 +0530 Subject: [PATCH 315/630] Set discount zero while fetching price list rate --- .../stock/doctype/item_price/item_price.json | 22 +++++++++---------- erpnext/stock/get_item_details.py | 1 + 2 files changed, 12 insertions(+), 11 deletions(-) diff --git a/erpnext/stock/doctype/item_price/item_price.json b/erpnext/stock/doctype/item_price/item_price.json index 6b50349dc2..e3535b1519 100644 --- a/erpnext/stock/doctype/item_price/item_price.json +++ b/erpnext/stock/doctype/item_price/item_price.json @@ -1,7 +1,7 @@ { "allow_import": 1, "autoname": "RFD/.#####", - "creation": "2013-05-02 16:29:48.000000", + "creation": "2013-05-02 16:29:48", "description": "Multiple Item prices.", "docstatus": 0, "doctype": "DocType", @@ -72,6 +72,15 @@ "reqd": 1, "search_index": 0 }, + { + "fieldname": "currency", + "fieldtype": "Link", + "hidden": 0, + "label": "Currency", + "options": "Currency", + "permlevel": 0, + "read_only": 1 + }, { "fieldname": "col_br_1", "fieldtype": "Column Break", @@ -90,22 +99,13 @@ "label": "Item Description", "permlevel": 0, "read_only": 1 - }, - { - "fieldname": "currency", - "fieldtype": "Link", - "hidden": 1, - "label": "Currency", - "options": "Currency", - "permlevel": 0, - "read_only": 1 } ], "icon": "icon-flag", "idx": 1, "in_create": 0, "istable": 0, - "modified": "2014-02-10 17:27:32.000000", + "modified": "2014-07-08 15:38:23.653034", "modified_by": "Administrator", "module": "Stock", "name": "Item Price", diff --git a/erpnext/stock/get_item_details.py b/erpnext/stock/get_item_details.py index ca9dd2bbe2..f9a1d9fa1a 100644 --- a/erpnext/stock/get_item_details.py +++ b/erpnext/stock/get_item_details.py @@ -323,6 +323,7 @@ def apply_price_list_on_item(args): item_details = frappe._dict() item_doc = frappe.get_doc("Item", args.item_code) get_price_list_rate(args, item_doc, item_details) + item_details.discount_percentage = 0.0 item_details.update(get_pricing_rule_for_item(args)) return item_details From f31221d0d33cf186e7a7015ccb7de9ae66947067 Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Wed, 9 Jul 2014 09:13:00 +0530 Subject: [PATCH 316/630] Changed `raise Exception` to `frappe.throw` --- .../accounts/doctype/sales_invoice/sales_invoice.py | 11 +++++------ 1 file changed, 5 insertions(+), 6 deletions(-) diff --git a/erpnext/accounts/doctype/sales_invoice/sales_invoice.py b/erpnext/accounts/doctype/sales_invoice/sales_invoice.py index 834865bcd6..5e29487b50 100644 --- a/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +++ b/erpnext/accounts/doctype/sales_invoice/sales_invoice.py @@ -339,8 +339,8 @@ class SalesInvoice(SellingController): def validate_pos(self): if not self.cash_bank_account and flt(self.paid_amount): - msgprint(_("Cash or Bank Account is mandatory for making payment entry")) - raise Exception + frappe.throw(_("Cash or Bank Account is mandatory for making payment entry")) + if flt(self.paid_amount) + flt(self.write_off_amount) \ - flt(self.grand_total) > 1/(10**(self.precision("grand_total") + 1)): frappe.throw(_("""Paid amount + Write Off Amount can not be greater than Grand Total""")) @@ -431,9 +431,8 @@ class SalesInvoice(SellingController): submitted = frappe.db.sql("""select name from `tabSales Order` where docstatus = 1 and name = %s""", d.sales_order) if not submitted: - msgprint(_("Sales Order {0} is not submitted").format(d.sales_order)) - raise Exception - + frappe.throw(_("Sales Order {0} is not submitted").format(d.sales_order)) + if d.delivery_note: submitted = frappe.db.sql("""select name from `tabDelivery Note` where docstatus = 1 and name = %s""", d.delivery_note) @@ -682,7 +681,7 @@ def manage_recurring_invoices(next_date=None, commit=True): if exception_list: exception_message = "\n\n".join([cstr(d) for d in exception_list]) - raise Exception, exception_message + frappe.throw(exception_message) def make_new_invoice(ref_wrapper, posting_date): from erpnext.accounts.utils import get_fiscal_year From 3f606b6c640c6c5195660572252a6439e44d6867 Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Wed, 9 Jul 2014 09:27:02 +0530 Subject: [PATCH 317/630] Update project.py --- erpnext/projects/doctype/project/project.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/projects/doctype/project/project.py b/erpnext/projects/doctype/project/project.py index bce9c52688..4a14c55c3a 100644 --- a/erpnext/projects/doctype/project/project.py +++ b/erpnext/projects/doctype/project/project.py @@ -55,7 +55,7 @@ class Project(Document): "event_type": "Private", "ref_type": self.doctype, "ref_name": self.name - }).insert() + }).insert(ignore_permissions=True) def on_trash(self): delete_events(self.doctype, self.name) From 5eea6f1b6d7332a88bc40ba53e7a1183a8f67321 Mon Sep 17 00:00:00 2001 From: nabinhait Date: Wed, 9 Jul 2014 11:08:59 +0530 Subject: [PATCH 318/630] Account validated in general ledger report. Fixed #1912 --- erpnext/accounts/report/general_ledger/general_ledger.py | 2 ++ 1 file changed, 2 insertions(+) diff --git a/erpnext/accounts/report/general_ledger/general_ledger.py b/erpnext/accounts/report/general_ledger/general_ledger.py index 0fa7e446fe..dd8052835e 100644 --- a/erpnext/accounts/report/general_ledger/general_ledger.py +++ b/erpnext/accounts/report/general_ledger/general_ledger.py @@ -63,6 +63,8 @@ def get_gl_entries(filters): def get_conditions(filters): conditions = [] if filters.get("account"): + if not frappe.db.exists("Account", filters["account"]): + frappe.throw(_("Account {0} is not valid").format(filters["account"])) lft, rgt = frappe.db.get_value("Account", filters["account"], ["lft", "rgt"]) conditions.append("""account in (select name from tabAccount where lft>=%s and rgt<=%s and docstatus<2)""" % (lft, rgt)) From 8adb21121691a1d8d772c7e150b7539025487f5b Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Wed, 9 Jul 2014 11:09:33 +0530 Subject: [PATCH 319/630] Fixed patch: erpnext/patches/v4_1/fix_delivery_and_billing_status.py --- erpnext/patches.txt | 2 +- ...for_draft_so.py => fix_delivery_and_billing_status.py} | 8 ++++---- 2 files changed, 5 insertions(+), 5 deletions(-) rename erpnext/patches/v4_1/{fix_delivery_and_billing_status_for_draft_so.py => fix_delivery_and_billing_status.py} (80%) diff --git a/erpnext/patches.txt b/erpnext/patches.txt index 1c2112d7b8..b7fc5e7768 100644 --- a/erpnext/patches.txt +++ b/erpnext/patches.txt @@ -67,4 +67,4 @@ erpnext.patches.v4_0.set_naming_series_property_setter erpnext.patches.v4_1.set_outgoing_email_footer erpnext.patches.v4_1.fix_jv_remarks erpnext.patches.v4_1.fix_sales_order_delivered_status -erpnext.patches.v4_1.fix_delivery_and_billing_status_for_draft_so \ No newline at end of file +erpnext.patches.v4_1.fix_delivery_and_billing_status diff --git a/erpnext/patches/v4_1/fix_delivery_and_billing_status_for_draft_so.py b/erpnext/patches/v4_1/fix_delivery_and_billing_status.py similarity index 80% rename from erpnext/patches/v4_1/fix_delivery_and_billing_status_for_draft_so.py rename to erpnext/patches/v4_1/fix_delivery_and_billing_status.py index 8d38338e04..2dbc825085 100644 --- a/erpnext/patches/v4_1/fix_delivery_and_billing_status_for_draft_so.py +++ b/erpnext/patches/v4_1/fix_delivery_and_billing_status.py @@ -5,8 +5,8 @@ from __future__ import unicode_literals import frappe def execute(): - frappe.db.sql("""update `tabSales Order` set delivery_status = 'Not Delivered' - where delivery_status = 'Delivered' and ifnull(per_delivered, 0) = 0 and docstatus = 0""") + frappe.db.sql("""update `tabSales Order` set delivery_status = 'Not Delivered' + where delivery_status = 'Delivered' and ifnull(per_delivered, 0) = 0 and ifnull(docstatus, 0) in (0, 1)""") - frappe.db.sql("""update `tabSales Order` set billing_status = 'Not Billed' - where billing_status = 'Billed' and ifnull(per_billed, 0) = 0 and docstatus = 0""") \ No newline at end of file + frappe.db.sql("""update `tabSales Order` set billing_status = 'Not Billed' + where billing_status = 'Billed' and ifnull(per_billed, 0) = 0 and ifnull(docstatus, 0) in (0, 1)""") From 5e0de79c0db47aacb0fb374abc6550cb8f5e66c8 Mon Sep 17 00:00:00 2001 From: nabinhait Date: Wed, 9 Jul 2014 11:08:59 +0530 Subject: [PATCH 320/630] Account validated in general ledger report. Fixed #1912 --- erpnext/accounts/report/general_ledger/general_ledger.py | 2 ++ 1 file changed, 2 insertions(+) diff --git a/erpnext/accounts/report/general_ledger/general_ledger.py b/erpnext/accounts/report/general_ledger/general_ledger.py index 0fa7e446fe..dd8052835e 100644 --- a/erpnext/accounts/report/general_ledger/general_ledger.py +++ b/erpnext/accounts/report/general_ledger/general_ledger.py @@ -63,6 +63,8 @@ def get_gl_entries(filters): def get_conditions(filters): conditions = [] if filters.get("account"): + if not frappe.db.exists("Account", filters["account"]): + frappe.throw(_("Account {0} is not valid").format(filters["account"])) lft, rgt = frappe.db.get_value("Account", filters["account"], ["lft", "rgt"]) conditions.append("""account in (select name from tabAccount where lft>=%s and rgt<=%s and docstatus<2)""" % (lft, rgt)) From fcfa42d9927343c31a62d3b9f8c2620b9ad48fe1 Mon Sep 17 00:00:00 2001 From: nabinhait Date: Wed, 9 Jul 2014 11:31:11 +0530 Subject: [PATCH 321/630] Minor fixes #1917 --- erpnext/accounts/doctype/pricing_rule/pricing_rule.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/accounts/doctype/pricing_rule/pricing_rule.py b/erpnext/accounts/doctype/pricing_rule/pricing_rule.py index 9141697a77..9a3b3121f4 100644 --- a/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +++ b/erpnext/accounts/doctype/pricing_rule/pricing_rule.py @@ -183,7 +183,7 @@ def get_pricing_rules(args): group_condition = _get_tree_conditions(parenttype) if group_condition: conditions += " and " + group_condition - + if not args.price_list: args.price_list = None conditions += " and ifnull(for_price_list, '') in (%(price_list)s, '')" if args.get("transaction_date"): From 8e4fcca2169078931db6fede3d3265d10e5865ea Mon Sep 17 00:00:00 2001 From: nabinhait Date: Wed, 9 Jul 2014 12:50:50 +0530 Subject: [PATCH 322/630] Get query fixes in address in contact listing. Fixes #1911 --- erpnext/buying/doctype/supplier/supplier.js | 6 ++++-- erpnext/selling/doctype/customer/customer.js | 6 ++++-- erpnext/setup/doctype/sales_partner/sales_partner.js | 6 ++++-- 3 files changed, 12 insertions(+), 6 deletions(-) diff --git a/erpnext/buying/doctype/supplier/supplier.js b/erpnext/buying/doctype/supplier/supplier.js index 99d0e4e9f5..c2b29a4a17 100644 --- a/erpnext/buying/doctype/supplier/supplier.js +++ b/erpnext/buying/doctype/supplier/supplier.js @@ -69,7 +69,8 @@ cur_frm.cscript.make_address = function() { page_length: 5, new_doctype: "Address", get_query: function() { - return "select name, address_type, address_line1, address_line2, city, state, country, pincode, fax, email_id, phone, is_primary_address, is_shipping_address from tabAddress where supplier='"+cur_frm.docname+"' and docstatus != 2 order by is_primary_address desc" + return "select name, address_type, address_line1, address_line2, city, state, country, pincode, fax, email_id, phone, is_primary_address, is_shipping_address from tabAddress where supplier='" + + cur_frm.doc.name.replace("'", "\\'") + "' and docstatus != 2 order by is_primary_address desc" }, as_dict: 1, no_results_message: __('No addresses created'), @@ -87,7 +88,8 @@ cur_frm.cscript.make_contact = function() { page_length: 5, new_doctype: "Contact", get_query: function() { - return "select name, first_name, last_name, email_id, phone, mobile_no, department, designation, is_primary_contact from tabContact where supplier='"+cur_frm.docname+"' and docstatus != 2 order by is_primary_contact desc" + return "select name, first_name, last_name, email_id, phone, mobile_no, department, designation, is_primary_contact from tabContact where supplier='" + + cur_frm.doc.name.replace("'", "\\'") + "' and docstatus != 2 order by is_primary_contact desc" }, as_dict: 1, no_results_message: __('No contacts created'), diff --git a/erpnext/selling/doctype/customer/customer.js b/erpnext/selling/doctype/customer/customer.js index e8407581d1..9a4a356d17 100644 --- a/erpnext/selling/doctype/customer/customer.js +++ b/erpnext/selling/doctype/customer/customer.js @@ -86,7 +86,8 @@ cur_frm.cscript.make_address = function() { page_length: 5, new_doctype: "Address", get_query: function() { - return "select name, address_type, address_line1, address_line2, city, state, country, pincode, fax, email_id, phone, is_primary_address, is_shipping_address from tabAddress where customer='"+cur_frm.docname+"' and docstatus != 2 order by is_primary_address desc" + return "select name, address_type, address_line1, address_line2, city, state, country, pincode, fax, email_id, phone, is_primary_address, is_shipping_address from tabAddress where customer='" + + cur_frm.doc.name.replace("'", "\\'") + "' and docstatus != 2 order by is_primary_address desc" }, as_dict: 1, no_results_message: __('No addresses created'), @@ -104,7 +105,8 @@ cur_frm.cscript.make_contact = function() { page_length: 5, new_doctype: "Contact", get_query: function() { - return "select name, first_name, last_name, email_id, phone, mobile_no, department, designation, is_primary_contact from tabContact where customer='"+cur_frm.docname+"' and docstatus != 2 order by is_primary_contact desc" + return "select name, first_name, last_name, email_id, phone, mobile_no, department, designation, is_primary_contact from tabContact where customer='" + + cur_frm.doc.name.replace("'", "\\'") + "' and docstatus != 2 order by is_primary_contact desc" }, as_dict: 1, no_results_message: __('No contacts created'), diff --git a/erpnext/setup/doctype/sales_partner/sales_partner.js b/erpnext/setup/doctype/sales_partner/sales_partner.js index 02af9f7276..64c4e2106c 100644 --- a/erpnext/setup/doctype/sales_partner/sales_partner.js +++ b/erpnext/setup/doctype/sales_partner/sales_partner.js @@ -41,7 +41,8 @@ cur_frm.cscript.make_address = function() { frappe.set_route("Form", "Address", address.name); }, get_query: function() { - return "select name, address_type, address_line1, address_line2, city, state, country, pincode, fax, email_id, phone, is_primary_address, is_shipping_address from tabAddress where sales_partner='"+cur_frm.docname+"' and docstatus != 2 order by is_primary_address desc" + return "select name, address_type, address_line1, address_line2, city, state, country, pincode, fax, email_id, phone, is_primary_address, is_shipping_address from tabAddress where sales_partner='" + + cur_frm.doc.name.replace("'", "\\'") + "' and docstatus != 2 order by is_primary_address desc" }, as_dict: 1, no_results_message: __('No addresses created'), @@ -64,7 +65,8 @@ cur_frm.cscript.make_contact = function() { frappe.set_route("Form", "Contact", contact.name); }, get_query: function() { - return "select name, first_name, last_name, email_id, phone, mobile_no, department, designation, is_primary_contact from tabContact where sales_partner='"+cur_frm.docname+"' and docstatus != 2 order by is_primary_contact desc" + return "select name, first_name, last_name, email_id, phone, mobile_no, department, designation, is_primary_contact from tabContact where sales_partner='" + + cur_frm.doc.name.replace("'", "\\'") + "' and docstatus != 2 order by is_primary_contact desc" }, as_dict: 1, no_results_message: __('No contacts created'), From 7e848b19240f472535884b79d0d6a373f388533c Mon Sep 17 00:00:00 2001 From: nabinhait Date: Wed, 9 Jul 2014 12:54:56 +0530 Subject: [PATCH 323/630] Title mandatory in Note. Fixes #1913 --- erpnext/utilities/doctype/note/note.json | 5 +++-- 1 file changed, 3 insertions(+), 2 deletions(-) diff --git a/erpnext/utilities/doctype/note/note.json b/erpnext/utilities/doctype/note/note.json index 2ee6d9ad4f..6cf756c3aa 100644 --- a/erpnext/utilities/doctype/note/note.json +++ b/erpnext/utilities/doctype/note/note.json @@ -12,7 +12,8 @@ "in_list_view": 1, "label": "Title", "permlevel": 0, - "print_hide": 1 + "print_hide": 1, + "reqd": 1 }, { "description": "Help: To link to another record in the system, use \"#Form/Note/[Note Name]\" as the Link URL. (don't use \"http://\")", @@ -48,7 +49,7 @@ ], "icon": "icon-file-text", "idx": 1, - "modified": "2014-05-27 03:49:13.934698", + "modified": "2014-07-09 12:54:11.897597", "modified_by": "Administrator", "module": "Utilities", "name": "Note", From 0c3bb75fd9dbe38ca687bbf71000fcbc326b9411 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Wed, 9 Jul 2014 12:59:56 +0530 Subject: [PATCH 324/630] Added error_report_email in hooks --- erpnext/hooks.py | 2 ++ 1 file changed, 2 insertions(+) diff --git a/erpnext/hooks.py b/erpnext/hooks.py index 1dde6386d2..df15916f7a 100644 --- a/erpnext/hooks.py +++ b/erpnext/hooks.py @@ -7,6 +7,8 @@ app_icon = "icon-th" app_color = "#e74c3c" app_version = __version__ +error_report_email = "support@erpnext.com" + app_include_js = "assets/js/erpnext.min.js" app_include_css = "assets/css/erpnext.css" web_include_js = "assets/js/erpnext-web.min.js" From 48d3b54e02ccdaf0fe18736a9cd1de4c577e8fb5 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Wed, 9 Jul 2014 13:15:03 +0530 Subject: [PATCH 325/630] Fixes in queries --- erpnext/controllers/queries.py | 100 ++++++++++++++++++++------------- 1 file changed, 62 insertions(+), 38 deletions(-) diff --git a/erpnext/controllers/queries.py b/erpnext/controllers/queries.py index 16d27d47fc..2650c66ac2 100644 --- a/erpnext/controllers/queries.py +++ b/erpnext/controllers/queries.py @@ -32,34 +32,46 @@ def employee_query(doctype, txt, searchfield, start, page_len, filters): return frappe.db.sql("""select name, employee_name from `tabEmployee` where status = 'Active' and docstatus < 2 - and (%(key)s like "%(txt)s" - or employee_name like "%(txt)s") - %(mcond)s + and ({key} like %(txt)s + or employee_name like %(txt)s) + {mcond} order by - if(locate("%(_txt)s", name), locate("%(_txt)s", name), 99999), - if(locate("%(_txt)s", employee_name), locate("%(_txt)s", employee_name), 99999), + if(locate(%(_txt)s, name), locate(%(_txt)s, name), 99999), + if(locate(%(_txt)s, employee_name), locate(%(_txt)s, employee_name), 99999), name, employee_name - limit %(start)s, %(page_len)s""" % {'key': searchfield, 'txt': "%%%s%%" % txt, - '_txt': txt.replace("%", ""), - 'mcond':get_match_cond(doctype), 'start': start, 'page_len': page_len}) + limit %(start)s, %(page_len)s""".format(**{ + 'key': searchfield, + 'mcond': get_match_cond(doctype) + }), { + 'txt': "%%%s%%" % txt, + '_txt': txt.replace("%", ""), + 'start': start, + 'page_len': page_len + }) # searches for leads which are not converted def lead_query(doctype, txt, searchfield, start, page_len, filters): return frappe.db.sql("""select name, lead_name, company_name from `tabLead` where docstatus < 2 and ifnull(status, '') != 'Converted' - and (%(key)s like "%(txt)s" - or lead_name like "%(txt)s" - or company_name like "%(txt)s") - %(mcond)s + and ({key} like %(txt)s + or lead_name like %(txt)s + or company_name like %(txt)s) + {mcond} order by - if(locate("%(_txt)s", name), locate("%(_txt)s", name), 99999), - if(locate("%(_txt)s", lead_name), locate("%(_txt)s", lead_name), 99999), - if(locate("%(_txt)s", company_name), locate("%(_txt)s", company_name), 99999), + if(locate(%(_txt)s, name), locate(%(_txt)s, name), 99999), + if(locate(%(_txt)s, lead_name), locate(%(_txt)s, lead_name), 99999), + if(locate(%(_txt)s, company_name), locate(%(_txt)s, company_name), 99999), name, lead_name - limit %(start)s, %(page_len)s""" % {'key': searchfield, 'txt': "%%%s%%" % txt, - '_txt': txt.replace("%", ""), - 'mcond':get_match_cond(doctype), 'start': start, 'page_len': page_len}) + limit %(start)s, %(page_len)s""".format(**{ + 'key': searchfield, + 'mcond':get_match_cond(doctype) + }), { + 'txt': "%%%s%%" % txt, + '_txt': txt.replace("%", ""), + 'start': start, + 'page_len': page_len + }) # searches for customer def customer_query(doctype, txt, searchfield, start, page_len, filters): @@ -72,19 +84,25 @@ def customer_query(doctype, txt, searchfield, start, page_len, filters): fields = ", ".join(fields) - return frappe.db.sql("""select %(field)s from `tabCustomer` + return frappe.db.sql("""select {fields} from `tabCustomer` where docstatus < 2 - and (%(key)s like "%(txt)s" - or customer_name like "%(txt)s") - %(mcond)s + and ({key} like %(txt)s + or customer_name like %(txt)s) + {mcond} order by - if(locate("%(_txt)s", name), locate("%(_txt)s", name), 99999), - if(locate("%(_txt)s", customer_name), locate("%(_txt)s", customer_name), 99999), + if(locate(%(_txt)s, name), locate(%(_txt)s, name), 99999), + if(locate(%(_txt)s, customer_name), locate(%(_txt)s, customer_name), 99999), name, customer_name - limit %(start)s, %(page_len)s""" % {'field': fields,'key': searchfield, - 'txt': "%%%s%%" % txt, '_txt': txt.replace("%", ""), - 'mcond':get_match_cond(doctype), - 'start': start, 'page_len': page_len}) + limit %(start)s, %(page_len)s""".format(**{ + "fields": fields, + "key": searchfield, + "mcond": get_match_cond(doctype) + }), { + 'txt': "%%%s%%" % txt, + '_txt': txt.replace("%", ""), + 'start': start, + 'page_len': page_len + }) # searches for supplier def supplier_query(doctype, txt, searchfield, start, page_len, filters): @@ -95,19 +113,25 @@ def supplier_query(doctype, txt, searchfield, start, page_len, filters): fields = ["name", "supplier_name", "supplier_type"] fields = ", ".join(fields) - return frappe.db.sql("""select %(field)s from `tabSupplier` + return frappe.db.sql("""select {field} from `tabSupplier` where docstatus < 2 - and (%(key)s like "%(txt)s" - or supplier_name like "%(txt)s") - %(mcond)s + and ({key} like %(txt)s + or supplier_name like %(txt)s) + {mcond} order by - if(locate("%(_txt)s", name), locate("%(_txt)s", name), 99999), - if(locate("%(_txt)s", supplier_name), locate("%(_txt)s", supplier_name), 99999), + if(locate(%(_txt)s, name), locate(%(_txt)s, name), 99999), + if(locate(%(_txt)s, supplier_name), locate(%(_txt)s, supplier_name), 99999), name, supplier_name - limit %(start)s, %(page_len)s """ % {'field': fields,'key': searchfield, - 'txt': "%%%s%%" % txt, '_txt': txt.replace("%", ""), - 'mcond':get_match_cond(doctype), 'start': start, - 'page_len': page_len}) + limit %(start)s, %(page_len)s """.format(**{ + 'field': fields, + 'key': searchfield, + 'mcond':get_match_cond(doctype) + }), { + 'txt': "%%%s%%" % txt, + '_txt': txt.replace("%", ""), + 'start': start, + 'page_len': page_len + }) def tax_account_query(doctype, txt, searchfield, start, page_len, filters): tax_accounts = frappe.db.sql("""select name, parent_account from tabAccount From a96cf5b96b691e7d4efa325e3014375b42f6e1b5 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Thu, 10 Jul 2014 12:16:39 +0530 Subject: [PATCH 326/630] Print Hide other charges calculation --- erpnext/selling/doctype/sales_order/sales_order.json | 4 ++-- erpnext/stock/doctype/delivery_note/delivery_note.json | 3 ++- 2 files changed, 4 insertions(+), 3 deletions(-) diff --git a/erpnext/selling/doctype/sales_order/sales_order.json b/erpnext/selling/doctype/sales_order/sales_order.json index ebe1d84eda..bb5211312c 100644 --- a/erpnext/selling/doctype/sales_order/sales_order.json +++ b/erpnext/selling/doctype/sales_order/sales_order.json @@ -420,7 +420,7 @@ "label": "Taxes and Charges Calculation", "oldfieldtype": "HTML", "permlevel": 0, - "print_hide": 0 + "print_hide": 1 }, { "fieldname": "section_break_43", @@ -883,7 +883,7 @@ "idx": 1, "is_submittable": 1, "issingle": 0, - "modified": "2014-07-07 17:47:40.089520", + "modified": "2014-07-10 02:43:45.504009", "modified_by": "Administrator", "module": "Selling", "name": "Sales Order", diff --git a/erpnext/stock/doctype/delivery_note/delivery_note.json b/erpnext/stock/doctype/delivery_note/delivery_note.json index f1dc5a390e..9b43a71934 100644 --- a/erpnext/stock/doctype/delivery_note/delivery_note.json +++ b/erpnext/stock/doctype/delivery_note/delivery_note.json @@ -427,6 +427,7 @@ "label": "Taxes and Charges Calculation", "oldfieldtype": "HTML", "permlevel": 0, + "print_hide": 1, "read_only": 0 }, { @@ -1008,7 +1009,7 @@ "idx": 1, "in_create": 0, "is_submittable": 1, - "modified": "2014-06-23 07:55:47.859869", + "modified": "2014-07-10 02:45:47.673011", "modified_by": "Administrator", "module": "Stock", "name": "Delivery Note", From d5fb5d91e99a510770908db87b6c868e17858b36 Mon Sep 17 00:00:00 2001 From: nabinhait Date: Wed, 9 Jul 2014 17:36:38 +0530 Subject: [PATCH 327/630] overflow validation fixed --- .../doctype/purchase_invoice/purchase_invoice.py | 1 + .../doctype/sales_invoice/sales_invoice.py | 6 ++++-- .../doctype/purchase_order/purchase_order.py | 1 + erpnext/controllers/status_updater.py | 15 +++++++++------ .../installation_note/installation_note.py | 3 ++- .../stock/doctype/delivery_note/delivery_note.py | 3 ++- .../doctype/purchase_receipt/purchase_receipt.py | 1 + 7 files changed, 20 insertions(+), 10 deletions(-) diff --git a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py index 80aa73a197..74a9628209 100644 --- a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +++ b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py @@ -30,6 +30,7 @@ class PurchaseInvoice(BuyingController): 'target_ref_field': 'amount', 'source_field': 'amount', 'percent_join_field': 'purchase_order', + 'overflow_type': 'billing' }] def validate(self): diff --git a/erpnext/accounts/doctype/sales_invoice/sales_invoice.py b/erpnext/accounts/doctype/sales_invoice/sales_invoice.py index 5e29487b50..0f6737cc87 100644 --- a/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +++ b/erpnext/accounts/doctype/sales_invoice/sales_invoice.py @@ -36,7 +36,8 @@ class SalesInvoice(SellingController): 'join_field': 'so_detail', 'percent_join_field': 'sales_order', 'status_field': 'billing_status', - 'keyword': 'Billed' + 'keyword': 'Billed', + 'overflow_type': 'billing' }] def validate(self): @@ -134,7 +135,8 @@ class SalesInvoice(SellingController): 'keyword':'Delivered', 'second_source_dt': 'Delivery Note Item', 'second_source_field': 'qty', - 'second_join_field': 'prevdoc_detail_docname' + 'second_join_field': 'prevdoc_detail_docname', + 'overflow_type': 'delivery' }) def on_update_after_submit(self): diff --git a/erpnext/buying/doctype/purchase_order/purchase_order.py b/erpnext/buying/doctype/purchase_order/purchase_order.py index 2109d72aa2..f9f5103726 100644 --- a/erpnext/buying/doctype/purchase_order/purchase_order.py +++ b/erpnext/buying/doctype/purchase_order/purchase_order.py @@ -24,6 +24,7 @@ class PurchaseOrder(BuyingController): 'target_ref_field': 'qty', 'source_field': 'qty', 'percent_join_field': 'prevdoc_docname', + 'overflow_type': 'order' }] def validate(self): diff --git a/erpnext/controllers/status_updater.py b/erpnext/controllers/status_updater.py index 90eacd9820..3c6355488f 100644 --- a/erpnext/controllers/status_updater.py +++ b/erpnext/controllers/status_updater.py @@ -132,11 +132,12 @@ class StatusUpdater(Document): if not item[args['target_ref_field']]: msgprint(_("Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0").format(item.item_code)) elif args.get('no_tolerance'): - item['reduce_by'] = item[args['target_field']] - \ - item[args['target_ref_field']] + item['reduce_by'] = item[args['target_field']] - item[args['target_ref_field']] if item['reduce_by'] > .01: - msgprint(_("Allowance for over-delivery / over-billing crossed for Item {0}").format(item.item_code)) - throw(_("{0} must be less than or equal to {1}").format(_(item.target_ref_field), item[args["target_ref_field"]])) + msgprint(_("Allowance for over-{0} crossed for Item {1}") + .format(args["overflow_type"], item.item_code)) + throw(_("{0} must be reduced by {1} or you should increase overflow tolerance") + .format(_(item.target_ref_field.title()), item["reduce_by"])) else: self.check_overflow_with_tolerance(item, args) @@ -156,8 +157,10 @@ class StatusUpdater(Document): item['max_allowed'] = flt(item[args['target_ref_field']] * (100+tolerance)/100) item['reduce_by'] = item[args['target_field']] - item['max_allowed'] - msgprint(_("Allowance for over-delivery / over-billing crossed for Item {0}.").format(item["item_code"])) - throw(_("{0} must be less than or equal to {1}").format(item["target_ref_field"].title(), item["max_allowed"])) + msgprint(_("Allowance for over-{0} crossed for Item {1}.") + .format(args["overflow_type"], item["item_code"])) + throw(_("{0} must be reduced by {1} or you should increase overflow tolerance") + .format(_(item["target_ref_field"].title()), item["reduce_by"])) def update_qty(self, change_modified=True): """ diff --git a/erpnext/selling/doctype/installation_note/installation_note.py b/erpnext/selling/doctype/installation_note/installation_note.py index 7d2d3d0663..0477abc265 100644 --- a/erpnext/selling/doctype/installation_note/installation_note.py +++ b/erpnext/selling/doctype/installation_note/installation_note.py @@ -28,7 +28,8 @@ class InstallationNote(TransactionBase): 'source_field': 'qty', 'percent_join_field': 'prevdoc_docname', 'status_field': 'installation_status', - 'keyword': 'Installed' + 'keyword': 'Installed', + 'overflow_type': 'installation' }] def validate(self): diff --git a/erpnext/stock/doctype/delivery_note/delivery_note.py b/erpnext/stock/doctype/delivery_note/delivery_note.py index c1ddf63a44..13da9078b0 100644 --- a/erpnext/stock/doctype/delivery_note/delivery_note.py +++ b/erpnext/stock/doctype/delivery_note/delivery_note.py @@ -29,7 +29,8 @@ class DeliveryNote(SellingController): 'source_field': 'qty', 'percent_join_field': 'against_sales_order', 'status_field': 'delivery_status', - 'keyword': 'Delivered' + 'keyword': 'Delivered', + 'overflow_type': 'delivery' }] def onload(self): diff --git a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py index 71c07eba02..74f1198752 100644 --- a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +++ b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py @@ -27,6 +27,7 @@ class PurchaseReceipt(BuyingController): 'target_ref_field': 'qty', 'source_field': 'qty', 'percent_join_field': 'prevdoc_docname', + 'overflow_type': 'receipt' }] def onload(self): From ee8b6f28b897b8fbbef2a4c30539afa8c1da476e Mon Sep 17 00:00:00 2001 From: nabinhait Date: Thu, 10 Jul 2014 15:27:00 +0530 Subject: [PATCH 328/630] minor fix --- erpnext/accounts/doctype/c_form/c_form.py | 18 +++++++++--------- 1 file changed, 9 insertions(+), 9 deletions(-) diff --git a/erpnext/accounts/doctype/c_form/c_form.py b/erpnext/accounts/doctype/c_form/c_form.py index e0f008f8ad..88ced9a813 100644 --- a/erpnext/accounts/doctype/c_form/c_form.py +++ b/erpnext/accounts/doctype/c_form/c_form.py @@ -55,12 +55,12 @@ class CForm(Document): def get_invoice_details(self, invoice_no): """ Pull details from invoices for referrence """ - - inv = frappe.db.get_value("Sales Invoice", invoice_no, - ["posting_date", "territory", "net_total", "grand_total"], as_dict=True) - return { - 'invoice_date' : inv.posting_date, - 'territory' : inv.territory, - 'net_total' : inv.net_total, - 'grand_total' : inv.grand_total - } + if invoice_no: + inv = frappe.db.get_value("Sales Invoice", invoice_no, + ["posting_date", "territory", "net_total", "grand_total"], as_dict=True) + return { + 'invoice_date' : inv.posting_date, + 'territory' : inv.territory, + 'net_total' : inv.net_total, + 'grand_total' : inv.grand_total + } From 28c4bee0b1d434cead996080668213ef1d54c917 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Thu, 10 Jul 2014 16:43:16 +0530 Subject: [PATCH 329/630] Production Planning Tool - Fixed bom get query --- .../production_planning_tool/production_planning_tool.js | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js b/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js index 0415c911e1..d57f639f7f 100644 --- a/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +++ b/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js @@ -37,8 +37,8 @@ cur_frm.fields_dict['pp_details'].grid.get_field('item_code').get_query = functi }); } -cur_frm.fields_dict['pp_details'].grid.get_field('bom_no').get_query = function(doc) { - var d = locals[this.doctype][this.docname]; +cur_frm.fields_dict['pp_details'].grid.get_field('bom_no').get_query = function(doc, cdt, cdn) { + var d = locals[cdt][cdn]; if (d.item_code) { return { query: "erpnext.controllers.queries.bom", From 9b7b9b2e9313bb3d9db95aaa3e5b5f92ef30915e Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Thu, 10 Jul 2014 18:44:41 +0530 Subject: [PATCH 330/630] Bank Reconciliation Statement Print Format --- .../bank_reconciliation_statement.html | 46 +++++++++++++++++++ .../bank_reconciliation_statement.py | 19 ++++---- 2 files changed, 56 insertions(+), 9 deletions(-) create mode 100644 erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.html diff --git a/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.html b/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.html new file mode 100644 index 0000000000..91e07ab7da --- /dev/null +++ b/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.html @@ -0,0 +1,46 @@ +

{%= __("Bank Reconciliation Statement") %}

+

{%= filters.account %}

+
+ + + + + + + + + + + + {% for(var i=0, l=data.length; i + + + + + + + {% } else { %} + + + + + + + + {% } %} + {% } %} + +
{%= __("Posting Date") %}{%= __("Journal Voucher") %}{%= __("Reference") %}{%= __("Debit") %}{%= __("Credit") %}
{%= dateutil.str_to_user(data[i].posting_date) %}{%= data[i].journal_voucher %}{%= __("Against") %}: {%= data[i].against_account %} + {% if (data[i].reference) { %} +
{%= __("Reference") %}: {%= data[i].reference %} + {% if (data[i].ref_date) { %} +
{%= __("Reference Date") %}: {%= dateutil.str_to_user(data[i].ref_date) %} + {% } %} + {% } %} + {% if (data[i].clearance_date) { %} +
{%= __("Clearance Date") %}: {%= dateutil.str_to_user(data[i].clearance_date) %} + {% } %} +
{%= format_currency(data[i].debit) %}{%= format_currency(data[i].credit) %}
{%= data[i].journal_voucher %}{%= format_currency(data[i].debit) %}{%= format_currency(data[i].credit) %}
+

Printed On {%= dateutil.str_to_user(dateutil.get_datetime_as_string()) %}

diff --git a/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py b/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py index e87fbd3226..119de09e41 100644 --- a/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +++ b/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py @@ -19,28 +19,29 @@ def execute(filters=None): total_debit, total_credit = 0,0 for d in data: - total_debit += flt(d[4]) - total_credit += flt(d[5]) + total_debit += flt(d[2]) + total_credit += flt(d[3]) bank_bal = flt(balance_as_per_company) - flt(total_debit) + flt(total_credit) data += [ get_balance_row("Balance as per company books", balance_as_per_company), - ["", "", "", "Amounts not reflected in bank", total_debit, total_credit], + ["", "Amounts not reflected in bank", total_debit, total_credit, "", "", "", ""], get_balance_row("Balance as per bank", bank_bal) ] return columns, data def get_columns(): - return ["Journal Voucher:Link/Journal Voucher:140", "Posting Date:Date:100", - "Clearance Date:Date:110", "Against Account:Link/Account:200", - "Debit:Currency:120", "Credit:Currency:120" + return ["Posting Date:Date:100", "Journal Voucher:Link/Journal Voucher:200", + "Debit:Currency:120", "Credit:Currency:120", + "Against Account:Link/Account:200", "Reference::100", "Ref Date:Date:110", "Clearance Date:Date:110" ] def get_entries(filters): entries = frappe.db.sql("""select - jv.name, jv.posting_date, jv.clearance_date, jvd.against_account, jvd.debit, jvd.credit + jv.posting_date, jv.name, jvd.debit, jvd.credit, + jvd.against_account, jv.cheque_no, jv.cheque_date, jv.clearance_date from `tabJournal Voucher Detail` jvd, `tabJournal Voucher` jv where jvd.parent = jv.name and jv.docstatus=1 @@ -52,6 +53,6 @@ def get_entries(filters): def get_balance_row(label, amount): if amount > 0: - return ["", "", "", label, amount, 0] + return ["", label, amount, 0, "", "", "", ""] else: - return ["", "", "", label, 0, amount] + return ["", label, 0, amount, "", "", "", ""] From 059922cef1036278ead50f391267cbc2b14e265c Mon Sep 17 00:00:00 2001 From: webnotes Date: Fri, 11 Jul 2014 11:20:44 +0530 Subject: [PATCH 331/630] Add Payment Reconciliation Feature/Tool --- .../payment_reconciliation/__init__.py | 0 .../payment_reconciliation.js | 25 +++ .../payment_reconciliation.json | 152 ++++++++++++++++++ .../payment_reconciliation.py | 14 ++ .../__init__.py | 0 .../payment_reconciliation_invoice.json | 59 +++++++ .../payment_reconciliation_invoice.py | 9 ++ .../__init__.py | 0 .../payment_reconciliation_payment.json | 71 ++++++++ .../payment_reconciliation_payment.py | 9 ++ 10 files changed, 339 insertions(+) create mode 100644 erpnext/accounts/doctype/payment_reconciliation/__init__.py create mode 100644 erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js create mode 100644 erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.json create mode 100644 erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py create mode 100644 erpnext/accounts/doctype/payment_reconciliation_invoice/__init__.py create mode 100644 erpnext/accounts/doctype/payment_reconciliation_invoice/payment_reconciliation_invoice.json create mode 100644 erpnext/accounts/doctype/payment_reconciliation_invoice/payment_reconciliation_invoice.py create mode 100644 erpnext/accounts/doctype/payment_reconciliation_payment/__init__.py create mode 100644 erpnext/accounts/doctype/payment_reconciliation_payment/payment_reconciliation_payment.json create mode 100644 erpnext/accounts/doctype/payment_reconciliation_payment/payment_reconciliation_payment.py diff --git a/erpnext/accounts/doctype/payment_reconciliation/__init__.py b/erpnext/accounts/doctype/payment_reconciliation/__init__.py new file mode 100644 index 0000000000..e69de29bb2 diff --git a/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js b/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js new file mode 100644 index 0000000000..f0706db896 --- /dev/null +++ b/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js @@ -0,0 +1,25 @@ +// Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors +// For license information, please see license.txt + +frappe.provide("erpnext.accounts"); + +erpnext.accounts.PaymentReconciliationController = frappe.ui.form.Controller.extend({ + + onload: function() { + var me = this + this.frm.set_query ("party_account", function() { + return{ + filters:[ + ["Account", "company", "=", me.frm.doc.company], + ["Account", "group_or_ledger", "=", "Ledger"], + ["Account", "master_type", "in", ["Customer", "Supplier"]] + ] + }; + }); + } + +}); + +$.extend(cur_frm.cscript, new erpnext.accounts.PaymentReconciliationController({frm: cur_frm})); + +cur_frm.add_fetch("party_account", "master_type", "party_type") \ No newline at end of file diff --git a/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.json b/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.json new file mode 100644 index 0000000000..7c53b739e6 --- /dev/null +++ b/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.json @@ -0,0 +1,152 @@ +{ + "creation": "2014-07-09 12:04:51.681583", + "custom": 0, + "docstatus": 0, + "doctype": "DocType", + "document_type": "", + "fields": [ + { + "fieldname": "company", + "fieldtype": "Link", + "label": "Company", + "options": "Company", + "permlevel": 0, + "reqd": 1 + }, + { + "depends_on": "", + "fieldname": "party_account", + "fieldtype": "Link", + "in_list_view": 0, + "label": "Party Account", + "options": "Account", + "permlevel": 0, + "reqd": 1, + "search_index": 0 + }, + { + "fieldname": "party_type", + "fieldtype": "Select", + "hidden": 0, + "in_list_view": 1, + "label": "Party Type", + "options": "Customer\nSupplier", + "permlevel": 0, + "reqd": 0 + }, + { + "fieldname": "bank_cash_account", + "fieldtype": "Link", + "in_list_view": 1, + "label": "Bank / Cash Account", + "options": "Account", + "permlevel": 0, + "reqd": 0, + "search_index": 0 + }, + { + "fieldname": "col_break1", + "fieldtype": "Column Break", + "label": "Column Break", + "permlevel": 0 + }, + { + "fieldname": "from_date", + "fieldtype": "Date", + "in_list_view": 1, + "label": "From Date", + "permlevel": 0, + "search_index": 1 + }, + { + "fieldname": "to_date", + "fieldtype": "Date", + "in_list_view": 1, + "label": "To Date", + "permlevel": 0, + "search_index": 1 + }, + { + "fieldname": "minimum_amount", + "fieldtype": "Currency", + "label": "Minimum Amount", + "permlevel": 0 + }, + { + "fieldname": "maximum_amount", + "fieldtype": "Currency", + "label": "Maximum Amount", + "permlevel": 0 + }, + { + "fieldname": "get_unreconciled_entries_btn", + "fieldtype": "Button", + "label": "Get Unreconciled Entries", + "permlevel": 0 + }, + { + "fieldname": "sec_break1", + "fieldtype": "Section Break", + "label": "Unreconciled Payment Details", + "permlevel": 0 + }, + { + "fieldname": "payment_reconciliation_payments", + "fieldtype": "Table", + "label": "Payment Reconciliation Payments", + "options": "Payment Reconciliation Payment", + "permlevel": 0 + }, + { + "fieldname": "reconcile_btn", + "fieldtype": "Button", + "label": "Reconcile", + "permlevel": 0 + }, + { + "fieldname": "sec_break2", + "fieldtype": "Section Break", + "label": "Invoice/JV Details", + "permlevel": 0 + }, + { + "fieldname": "payment_reconciliation_invoices", + "fieldtype": "Table", + "label": "Payment Reconciliation Invoices", + "options": "Payment Reconciliation Invoice", + "permlevel": 0, + "read_only": 1 + } + ], + "issingle": 1, + "modified": "2014-07-10 18:04:50.893833", + "modified_by": "Administrator", + "module": "Accounts", + "name": "Payment Reconciliation", + "name_case": "", + "owner": "Administrator", + "permissions": [ + { + "cancel": 0, + "create": 1, + "delete": 1, + "permlevel": 0, + "read": 1, + "role": "Accounts Manager", + "submit": 0, + "write": 1 + }, + { + "cancel": 0, + "create": 1, + "delete": 1, + "permlevel": 0, + "read": 1, + "role": "Accounts User", + "submit": 0, + "write": 1 + } + ], + "sort_field": "modified", + "sort_order": "DESC" +} \ No newline at end of file diff --git a/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py b/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py new file mode 100644 index 0000000000..8fb331714b --- /dev/null +++ b/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py @@ -0,0 +1,14 @@ +# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors +# For license information, please see license.txt + +from __future__ import unicode_literals +import frappe + +from frappe.utils import flt + +from frappe import msgprint, _ + +from frappe.model.document import Document + +class PaymentReconciliation(Document): + pass \ No newline at end of file diff --git a/erpnext/accounts/doctype/payment_reconciliation_invoice/__init__.py b/erpnext/accounts/doctype/payment_reconciliation_invoice/__init__.py new file mode 100644 index 0000000000..e69de29bb2 diff --git a/erpnext/accounts/doctype/payment_reconciliation_invoice/payment_reconciliation_invoice.json b/erpnext/accounts/doctype/payment_reconciliation_invoice/payment_reconciliation_invoice.json new file mode 100644 index 0000000000..008b3265d8 --- /dev/null +++ b/erpnext/accounts/doctype/payment_reconciliation_invoice/payment_reconciliation_invoice.json @@ -0,0 +1,59 @@ +{ + "creation": "2014-07-09 16:14:23.672922", + "docstatus": 0, + "doctype": "DocType", + "document_type": "", + "fields": [ + { + "fieldname": "invoice_type", + "fieldtype": "Data", + "in_list_view": 1, + "label": "Invoice Type", + "options": "Sales Invoice\nPurchase Invoice\nJournal Voucher", + "permlevel": 0, + "read_only": 1 + }, + { + "fieldname": "invoice_number", + "fieldtype": "Data", + "in_list_view": 1, + "label": "Invoice Number", + "permlevel": 0, + "read_only": 1 + }, + { + "fieldname": "invoice_date", + "fieldtype": "Date", + "in_list_view": 1, + "label": "Invoice Date", + "permlevel": 0, + "read_only": 1 + }, + { + "fieldname": "amount", + "fieldtype": "Currency", + "in_list_view": 1, + "label": "Amount", + "permlevel": 0, + "read_only": 1 + }, + { + "fieldname": "outstanding_amount", + "fieldtype": "Currency", + "in_list_view": 1, + "label": "Outstanding Amount", + "permlevel": 0, + "read_only": 1 + } + ], + "istable": 1, + "modified": "2014-07-09 17:15:00.069551", + "modified_by": "Administrator", + "module": "Accounts", + "name": "Payment Reconciliation Invoice", + "name_case": "", + "owner": "Administrator", + "permissions": [], + "sort_field": "modified", + "sort_order": "DESC" +} \ No newline at end of file diff --git a/erpnext/accounts/doctype/payment_reconciliation_invoice/payment_reconciliation_invoice.py b/erpnext/accounts/doctype/payment_reconciliation_invoice/payment_reconciliation_invoice.py new file mode 100644 index 0000000000..e136881514 --- /dev/null +++ b/erpnext/accounts/doctype/payment_reconciliation_invoice/payment_reconciliation_invoice.py @@ -0,0 +1,9 @@ +# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors +# For license information, please see license.txt + +from __future__ import unicode_literals +import frappe +from frappe.model.document import Document + +class PaymentReconciliationInvoice(Document): + pass \ No newline at end of file diff --git a/erpnext/accounts/doctype/payment_reconciliation_payment/__init__.py b/erpnext/accounts/doctype/payment_reconciliation_payment/__init__.py new file mode 100644 index 0000000000..e69de29bb2 diff --git a/erpnext/accounts/doctype/payment_reconciliation_payment/payment_reconciliation_payment.json b/erpnext/accounts/doctype/payment_reconciliation_payment/payment_reconciliation_payment.json new file mode 100644 index 0000000000..cbff5b1e20 --- /dev/null +++ b/erpnext/accounts/doctype/payment_reconciliation_payment/payment_reconciliation_payment.json @@ -0,0 +1,71 @@ +{ + "creation": "2014-07-09 16:13:35.452759", + "docstatus": 0, + "doctype": "DocType", + "document_type": "", + "fields": [ + { + "fieldname": "journal_voucher", + "fieldtype": "Link", + "in_list_view": 1, + "label": "Journal Voucher", + "options": "Journal Voucher", + "permlevel": 0, + "read_only": 1, + "reqd": 0 + }, + { + "fieldname": "posting_date", + "fieldtype": "Date", + "in_list_view": 1, + "label": "Posting Date", + "permlevel": 0, + "read_only": 1 + }, + { + "fieldname": "amount", + "fieldtype": "Currency", + "in_list_view": 1, + "label": "Amount", + "permlevel": 0, + "read_only": 1 + }, + { + "default": "Sales Invoice", + "fieldname": "invoice_type", + "fieldtype": "Select", + "in_list_view": 1, + "label": "Invoice Type", + "options": "Sales Invoice\nPurchase Invoice\nJournal Voucher", + "permlevel": 0, + "read_only": 0, + "reqd": 1 + }, + { + "fieldname": "invoice_number", + "fieldtype": "Data", + "in_list_view": 1, + "label": "Invoice Number", + "permlevel": 0, + "reqd": 1 + }, + { + "fieldname": "remark", + "fieldtype": "Text", + "in_list_view": 1, + "label": "Remark", + "permlevel": 0, + "read_only": 1 + } + ], + "istable": 1, + "modified": "2014-07-09 17:00:18.705385", + "modified_by": "Administrator", + "module": "Accounts", + "name": "Payment Reconciliation Payment", + "name_case": "", + "owner": "Administrator", + "permissions": [], + "sort_field": "modified", + "sort_order": "DESC" +} \ No newline at end of file diff --git a/erpnext/accounts/doctype/payment_reconciliation_payment/payment_reconciliation_payment.py b/erpnext/accounts/doctype/payment_reconciliation_payment/payment_reconciliation_payment.py new file mode 100644 index 0000000000..9082ef9bcf --- /dev/null +++ b/erpnext/accounts/doctype/payment_reconciliation_payment/payment_reconciliation_payment.py @@ -0,0 +1,9 @@ +# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors +# For license information, please see license.txt + +from __future__ import unicode_literals +import frappe +from frappe.model.document import Document + +class PaymentReconciliationPayment(Document): + pass \ No newline at end of file From 90b79fcd1fda8166413e9af8e7a0a3f2636dee01 Mon Sep 17 00:00:00 2001 From: ankitjavalkarwork Date: Fri, 11 Jul 2014 15:23:26 +0530 Subject: [PATCH 332/630] Add Payment Reconciliation Feature/Tool - minor changes --- .../payment_reconciliation/payment_reconciliation.json | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.json b/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.json index 7c53b739e6..12253d0043 100644 --- a/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.json +++ b/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.json @@ -79,7 +79,7 @@ "permlevel": 0 }, { - "fieldname": "get_unreconciled_entries_btn", + "fieldname": "get_unreconciled_entries", "fieldtype": "Button", "label": "Get Unreconciled Entries", "permlevel": 0 @@ -98,7 +98,7 @@ "permlevel": 0 }, { - "fieldname": "reconcile_btn", + "fieldname": "reconcile", "fieldtype": "Button", "label": "Reconcile", "permlevel": 0 @@ -119,7 +119,7 @@ } ], "issingle": 1, - "modified": "2014-07-10 18:04:50.893833", + "modified": "2014-07-11 15:01:47.133918", "modified_by": "Administrator", "module": "Accounts", "name": "Payment Reconciliation", From 0e57b971ad2c9d3bb7f828ef5ca9fd1ffc1c7c27 Mon Sep 17 00:00:00 2001 From: ankitjavalkarwork Date: Fri, 11 Jul 2014 16:08:55 +0530 Subject: [PATCH 333/630] Add Payment Reconciliation Feature/Tool - minor changes --- .../payment_reconciliation.js | 17 ++++++++++++----- .../payment_reconciliation.py | 6 +++++- 2 files changed, 17 insertions(+), 6 deletions(-) diff --git a/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js b/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js index f0706db896..b40691d053 100644 --- a/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +++ b/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js @@ -7,19 +7,26 @@ erpnext.accounts.PaymentReconciliationController = frappe.ui.form.Controller.ext onload: function() { var me = this - this.frm.set_query ("party_account", function() { + this.frm.set_query ('party_account', function() { return{ filters:[ - ["Account", "company", "=", me.frm.doc.company], - ["Account", "group_or_ledger", "=", "Ledger"], - ["Account", "master_type", "in", ["Customer", "Supplier"]] + ['Account', 'company', '=', me.frm.doc.company], + ['Account', 'group_or_ledger', '=', 'Ledger'], + ['Account', 'master_type', 'in', ['Customer', 'Supplier']] ] }; }); + }, + + get_unreconciled_entries: function() { + return this.frm.call({ + doc: me.frm.doc, + method: 'get_unreconciled_entries' + }); } }); $.extend(cur_frm.cscript, new erpnext.accounts.PaymentReconciliationController({frm: cur_frm})); -cur_frm.add_fetch("party_account", "master_type", "party_type") \ No newline at end of file +cur_frm.add_fetch('party_account', 'master_type', 'party_type') \ No newline at end of file diff --git a/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py b/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py index 8fb331714b..2eb188b0a9 100644 --- a/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +++ b/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py @@ -11,4 +11,8 @@ from frappe import msgprint, _ from frappe.model.document import Document class PaymentReconciliation(Document): - pass \ No newline at end of file + def get_unreconciled_entries(self): + self.set('payment_reconciliation_payment', []) + jve = self.get_jv_entries() + self.create_payment_reconciliation_payment(jve) + From e6cee7b41f1c45563dfdf67d09fee6fc1d7c9b82 Mon Sep 17 00:00:00 2001 From: nabinhait Date: Thu, 10 Jul 2014 19:06:39 +0530 Subject: [PATCH 334/630] Expense account can be liability account for stock reconciliation --- erpnext/controllers/stock_controller.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/controllers/stock_controller.py b/erpnext/controllers/stock_controller.py index bb3ab69ca1..27437a396a 100644 --- a/erpnext/controllers/stock_controller.py +++ b/erpnext/controllers/stock_controller.py @@ -240,7 +240,7 @@ class StockController(AccountsController): else: is_expense_account = frappe.db.get_value("Account", item.get("expense_account"), "report_type")=="Profit and Loss" - if self.doctype != "Purchase Receipt" and not is_expense_account: + if self.doctype not in ("Purchase Receipt", "Stock Reconciliation") and not is_expense_account: frappe.throw(_("Expense / Difference account ({0}) must be a 'Profit or Loss' account") .format(item.get("expense_account"))) if is_expense_account and not item.get("cost_center"): From 614fb750b7fb883757f7b5c53ac97ff10ed8cf25 Mon Sep 17 00:00:00 2001 From: nabinhait Date: Mon, 14 Jul 2014 10:47:50 +0530 Subject: [PATCH 335/630] set qty as per stock uom in entire purchase cycle --- erpnext/controllers/buying_controller.py | 8 ++++++++ erpnext/stock/get_item_details.py | 1 + 2 files changed, 9 insertions(+) diff --git a/erpnext/controllers/buying_controller.py b/erpnext/controllers/buying_controller.py index afccdfa0e3..acb00245e6 100644 --- a/erpnext/controllers/buying_controller.py +++ b/erpnext/controllers/buying_controller.py @@ -17,6 +17,7 @@ class BuyingController(StockController): self.supplier_name = frappe.db.get_value("Supplier", self.supplier, "supplier_name") self.is_item_table_empty() + self.set_qty_as_per_stock_uom() self.validate_stock_or_nonstock_items() self.validate_warehouse() @@ -317,3 +318,10 @@ class BuyingController(StockController): def is_item_table_empty(self): if not len(self.get(self.fname)): frappe.throw(_("Item table can not be blank")) + + def set_qty_as_per_stock_uom(self): + for d in self.get(self.fname): + if d.meta.get_field("stock_qty") and not d.stock_qty: + if not d.conversion_factor: + frappe.throw(_("Row {0}: Conversion Factor is mandatory")) + d.stock_qty = flt(d.qty) * flt(d.conversion_factor) \ No newline at end of file diff --git a/erpnext/stock/get_item_details.py b/erpnext/stock/get_item_details.py index f9a1d9fa1a..82b396fb39 100644 --- a/erpnext/stock/get_item_details.py +++ b/erpnext/stock/get_item_details.py @@ -152,6 +152,7 @@ def get_basic_details(args, item_doc): "min_order_qty": flt(item.min_order_qty) if args.parenttype == "Material Request" else "", "conversion_factor": 1.0, "qty": 1.0, + "stock_qty": 1.0, "price_list_rate": 0.0, "base_price_list_rate": 0.0, "rate": 0.0, From 5c38488590d8398ce4bb242473884303b3661113 Mon Sep 17 00:00:00 2001 From: nabinhait Date: Mon, 14 Jul 2014 11:43:00 +0530 Subject: [PATCH 336/630] Utility: reset serial no status and warehouse --- erpnext/utilities/repost_stock.py | 15 +++++++++++++++ 1 file changed, 15 insertions(+) diff --git a/erpnext/utilities/repost_stock.py b/erpnext/utilities/repost_stock.py index e4028b69f6..1c6782ad36 100644 --- a/erpnext/utilities/repost_stock.py +++ b/erpnext/utilities/repost_stock.py @@ -190,3 +190,18 @@ def set_stock_balance_as_per_serial_no(item_code=None, posting_date=None, postin "posting_date": posting_date, "posting_time": posting_time }) + +def reset_serial_no_status_and_warehouse(serial_nos=[]): + if not serial_nos: + serial_nos = frappe.db.sql_list("""select name from `tabSerial No` where status != 'Not in Use' + and docstatus = 0""") + for serial_no in serial_nos: + try: + sr = frappe.get_doc("Serial No", serial_no) + sr.via_stock_ledger = True + sr.save() + except: + pass + + frappe.db.sql("""update `tabSerial No` set warehouse='' where status in ('Delivered', 'Purchase Returned')""") + \ No newline at end of file From b0a8d000b1c1d7551fc37d6df8e95e1b37a5da94 Mon Sep 17 00:00:00 2001 From: nabinhait Date: Mon, 14 Jul 2014 11:56:03 +0530 Subject: [PATCH 337/630] Utility: reset serial no status and warehouse --- erpnext/utilities/repost_stock.py | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/erpnext/utilities/repost_stock.py b/erpnext/utilities/repost_stock.py index 1c6782ad36..4205893893 100644 --- a/erpnext/utilities/repost_stock.py +++ b/erpnext/utilities/repost_stock.py @@ -198,6 +198,10 @@ def reset_serial_no_status_and_warehouse(serial_nos=[]): for serial_no in serial_nos: try: sr = frappe.get_doc("Serial No", serial_no) + last_sle = sr.get_last_sle() + if flt(last_sle.actual_qty) > 0: + sr.warehouse = last_sle.warehouse + sr.via_stock_ledger = True sr.save() except: From d5fd5359095dabe9ee9e4c145d470a926ffc0446 Mon Sep 17 00:00:00 2001 From: nabinhait Date: Mon, 14 Jul 2014 12:39:50 +0530 Subject: [PATCH 338/630] Minor fix, if no default company --- erpnext/public/js/queries.js | 2 +- erpnext/stock/doctype/stock_entry/stock_entry.js | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/erpnext/public/js/queries.js b/erpnext/public/js/queries.js index b57b765ad6..4bb3302bd8 100644 --- a/erpnext/public/js/queries.js +++ b/erpnext/public/js/queries.js @@ -71,7 +71,7 @@ $.extend(erpnext.queries, { warehouse: function(doc) { return { - filters: [["Warehouse", "company", "in", ["", doc.company]]] + filters: [["Warehouse", "company", "in", ["", cstr(doc.company)]]] } } }); diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.js b/erpnext/stock/doctype/stock_entry/stock_entry.js index 10241983ad..7274ece1fa 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry.js +++ b/erpnext/stock/doctype/stock_entry/stock_entry.js @@ -92,7 +92,7 @@ erpnext.stock.StockEntry = erpnext.stock.StockController.extend({ set_default_account: function() { var me = this; - if(cint(frappe.defaults.get_default("auto_accounting_for_stock"))) { + if(cint(frappe.defaults.get_default("auto_accounting_for_stock")) && this.frm.doc.company) { var account_for = "stock_adjustment_account"; if (this.frm.doc.purpose == "Purchase Return") From e8c5cb8c9a7487e59b1205f106117c7cc4061f82 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Mon, 14 Jul 2014 13:10:24 +0530 Subject: [PATCH 339/630] Fixed Address and Contact report name --- erpnext/config/buying.py | 2 +- erpnext/config/selling.py | 2 +- .../customer_addresses_and_contacts.json | 30 +++++++++---------- 3 files changed, 17 insertions(+), 17 deletions(-) diff --git a/erpnext/config/buying.py b/erpnext/config/buying.py index bc6251982b..1b9e5a23b0 100644 --- a/erpnext/config/buying.py +++ b/erpnext/config/buying.py @@ -150,7 +150,7 @@ def get_data(): { "type": "report", "is_query_report": True, - "name": "Supplier Addresses And Contacts", + "name": "Supplier Addresses and Contacts", "doctype": "Supplier" }, { diff --git a/erpnext/config/selling.py b/erpnext/config/selling.py index 200ab6d4ba..c95f15aa83 100644 --- a/erpnext/config/selling.py +++ b/erpnext/config/selling.py @@ -206,7 +206,7 @@ def get_data(): { "type": "report", "is_query_report": True, - "name": "Customer Addresses And Contacts", + "name": "Customer Addresses and Contacts", "doctype": "Contact" }, { diff --git a/erpnext/selling/report/customer_addresses_and_contacts/customer_addresses_and_contacts.json b/erpnext/selling/report/customer_addresses_and_contacts/customer_addresses_and_contacts.json index 9bde272c61..deb90b71cd 100644 --- a/erpnext/selling/report/customer_addresses_and_contacts/customer_addresses_and_contacts.json +++ b/erpnext/selling/report/customer_addresses_and_contacts/customer_addresses_and_contacts.json @@ -1,17 +1,17 @@ { - "apply_user_permissions": 1, - "creation": "2012-10-04 18:45:27", - "docstatus": 0, - "doctype": "Report", - "idx": 1, - "is_standard": "Yes", - "modified": "2014-06-03 07:18:17.006732", - "modified_by": "Administrator", - "module": "Selling", - "name": "Customer Addresses And Contacts", - "owner": "Administrator", - "query": "SELECT\n\t`tabCustomer`.name as customer_id,\n\t`tabCustomer`.customer_name,\n\t`tabCustomer`.customer_group,\n\t`tabAddress`.address_line1,\n\t`tabAddress`.address_line2,\n\t`tabAddress`.city,\n\t`tabAddress`.state,\n\t`tabAddress`.pincode,\n\t`tabAddress`.country,\n\t`tabAddress`.is_primary_address, \n\t`tabContact`.first_name,\n\t`tabContact`.last_name,\n\t`tabContact`.phone,\n\t`tabContact`.mobile_no,\n\t`tabContact`.email_id,\n\t`tabContact`.is_primary_contact\nFROM\n\t`tabCustomer`\n\tleft join `tabAddress` on (\n\t\t`tabAddress`.customer=`tabCustomer`.name\n\t)\n\tleft join `tabContact` on (\n\t\t`tabContact`.customer=`tabCustomer`.name\n\t)\nWHERE\n\t`tabCustomer`.docstatus<2\nORDER BY\n\t`tabCustomer`.name asc", - "ref_doctype": "Customer", - "report_name": "Customer Addresses And Contacts", + "apply_user_permissions": 1, + "creation": "2012-10-04 18:45:27", + "docstatus": 0, + "doctype": "Report", + "idx": 1, + "is_standard": "Yes", + "modified": "2014-07-14 07:18:17.006732", + "modified_by": "Administrator", + "module": "Selling", + "name": "Customer Addresses and Contacts", + "owner": "Administrator", + "query": "SELECT\n\t`tabCustomer`.name as customer_id,\n\t`tabCustomer`.customer_name,\n\t`tabCustomer`.customer_group,\n\t`tabAddress`.address_line1,\n\t`tabAddress`.address_line2,\n\t`tabAddress`.city,\n\t`tabAddress`.state,\n\t`tabAddress`.pincode,\n\t`tabAddress`.country,\n\t`tabAddress`.is_primary_address, \n\t`tabContact`.first_name,\n\t`tabContact`.last_name,\n\t`tabContact`.phone,\n\t`tabContact`.mobile_no,\n\t`tabContact`.email_id,\n\t`tabContact`.is_primary_contact\nFROM\n\t`tabCustomer`\n\tleft join `tabAddress` on (\n\t\t`tabAddress`.customer=`tabCustomer`.name\n\t)\n\tleft join `tabContact` on (\n\t\t`tabContact`.customer=`tabCustomer`.name\n\t)\nWHERE\n\t`tabCustomer`.docstatus<2\nORDER BY\n\t`tabCustomer`.name asc", + "ref_doctype": "Customer", + "report_name": "Customer Addresses And Contacts", "report_type": "Query Report" -} \ No newline at end of file +} From 7700c62fa8ec7290ef2aaeaab975bd55cfee3e16 Mon Sep 17 00:00:00 2001 From: nabinhait Date: Mon, 14 Jul 2014 14:21:21 +0530 Subject: [PATCH 340/630] Minor fix --- erpnext/utilities/repost_stock.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/utilities/repost_stock.py b/erpnext/utilities/repost_stock.py index 4205893893..159825a495 100644 --- a/erpnext/utilities/repost_stock.py +++ b/erpnext/utilities/repost_stock.py @@ -191,7 +191,7 @@ def set_stock_balance_as_per_serial_no(item_code=None, posting_date=None, postin "posting_time": posting_time }) -def reset_serial_no_status_and_warehouse(serial_nos=[]): +def reset_serial_no_status_and_warehouse(serial_nos=None): if not serial_nos: serial_nos = frappe.db.sql_list("""select name from `tabSerial No` where status != 'Not in Use' and docstatus = 0""") From 1829bd84d3d2d388583548a6b73e9cf85959bfe2 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Mon, 14 Jul 2014 14:26:28 +0530 Subject: [PATCH 341/630] hotfix: website_image --- erpnext/setup/doctype/item_group/item_group.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/setup/doctype/item_group/item_group.py b/erpnext/setup/doctype/item_group/item_group.py index 745345e58a..c6f49a1546 100644 --- a/erpnext/setup/doctype/item_group/item_group.py +++ b/erpnext/setup/doctype/item_group/item_group.py @@ -82,7 +82,7 @@ def get_child_groups(item_group_name): def get_item_for_list_in_html(context): # add missing absolute link in files # user may forget it during upload - if context.get("website_image", "").startswith("files/"): + if (context.get("website_image") or "").startswith("files/"): context["website_image"] = "/" + context["website_image"] return frappe.get_template("templates/includes/product_in_grid.html").render(context) From 345753ed195754aaeb30dbf59d858a296bf8bb27 Mon Sep 17 00:00:00 2001 From: ankitjavalkarwork Date: Mon, 14 Jul 2014 16:38:27 +0530 Subject: [PATCH 342/630] Add Payment Reconciliation Feature/Tool - fetch unreconciled entries --- .../payment_reconciliation.js | 17 +++++-- .../payment_reconciliation.py | 45 ++++++++++++++++++- 2 files changed, 57 insertions(+), 5 deletions(-) diff --git a/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js b/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js index b40691d053..277fcf4705 100644 --- a/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +++ b/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js @@ -19,10 +19,19 @@ erpnext.accounts.PaymentReconciliationController = frappe.ui.form.Controller.ext }, get_unreconciled_entries: function() { - return this.frm.call({ - doc: me.frm.doc, - method: 'get_unreconciled_entries' - }); + var me = this; + if (!this.frm.doc.company) { + msgprint(__("Please enter the Company")); + } + else if (!this.frm.doc.party_account) { + msgprint(__("Please enter the Party Account")); + } + else { + return this.frm.call({ + doc: me.frm.doc, + method: 'get_unreconciled_entries' + }); + } } }); diff --git a/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py b/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py index 2eb188b0a9..17dd5e70a5 100644 --- a/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +++ b/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py @@ -14,5 +14,48 @@ class PaymentReconciliation(Document): def get_unreconciled_entries(self): self.set('payment_reconciliation_payment', []) jve = self.get_jv_entries() - self.create_payment_reconciliation_payment(jve) + self.add_payment_entries(jve) + def get_jv_entries(self): + self.validation() + + dr_or_cr = "credit" if self.party_type == "Customer" else "debit" + + #Add conditions for debit/credit, sorting by date and amount + cond = self.from_date and " and t1.posting_date >= '" + self.from_date + "'" or "" + cond += self.to_date and " and t1.posting_date <= '" + self.to_date + "'" or "" + + if self.minimum_amount: + cond += (" and ifnull(t2.%s), 0) >= %s") % (dr_or_cr, self.minimum_amount) + if self.maximum_amount: + cond += " and ifnull(t2.%s, 0) <= %s" % (dr_or_cr, self.maximum_amount) + + jve = frappe.db.sql(""" + select + t1.name as voucher_no, t1.posting_date, t1.remark, t2.account, + t2.name as voucher_detail_no, t2.%s, t2.is_advance + from + `tabJournal Voucher` t1, `tabJournal Voucher Detail` t2 + where + t1.name = t2.parent and t1.docstatus = 1 and t2.account = %s + and t2.%s > 0 and ifnull(t2.against_voucher, '')='' and ifnull(t2.against_invoice, '')='' + and ifnull(t2.against_jv, '')='' %s + group by t1.name, t2.name """ % (dr_or_cr, '%s', dr_or_cr, cond), (self.party_account), + as_dict = True) + + return jve + + def add_payment_entries(self, jve): + self.set('payment_reconciliation_payments', []) + for e in jve: + ent = self.append('payment_reconciliation_payments', {}) + ent.journal_voucher = e.get('voucher_no') + ent.posting_date = e.get('posting_date') + ent.amount = flt(e.get('credit' or 'debit')) + ent.remark = e.get('remark') + + def validation(self): + self.check_mandatory() + + def check_mandatory(self): + pass From ec05d7f8a1eae1b3864eb4dd197527a872d85e35 Mon Sep 17 00:00:00 2001 From: ankitjavalkarwork Date: Mon, 14 Jul 2014 18:19:15 +0530 Subject: [PATCH 343/630] Add Payment Reconciliation Feature/Tool - javascript validation --- .../payment_reconciliation.js | 15 +++++++-------- .../payment_reconciliation.py | 1 + .../payment_reconciliation_payment.json | 11 ++++++++++- 3 files changed, 18 insertions(+), 9 deletions(-) diff --git a/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js b/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js index 277fcf4705..cf62fd3073 100644 --- a/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +++ b/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js @@ -20,20 +20,19 @@ erpnext.accounts.PaymentReconciliationController = frappe.ui.form.Controller.ext get_unreconciled_entries: function() { var me = this; - if (!this.frm.doc.company) { - msgprint(__("Please enter the Company")); - } - else if (!this.frm.doc.party_account) { - msgprint(__("Please enter the Party Account")); - } - else { + if(!this.frm.doc.company || !this.frm.doc.party_account) { + if(!this.frm.doc.company) { + msgprint(__("Please enter Company")); + } else { + msgprint(__("Please enter Party Account")); + } + } else { return this.frm.call({ doc: me.frm.doc, method: 'get_unreconciled_entries' }); } } - }); $.extend(cur_frm.cscript, new erpnext.accounts.PaymentReconciliationController({frm: cur_frm})); diff --git a/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py b/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py index 17dd5e70a5..b0b189e6d0 100644 --- a/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +++ b/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py @@ -53,6 +53,7 @@ class PaymentReconciliation(Document): ent.posting_date = e.get('posting_date') ent.amount = flt(e.get('credit' or 'debit')) ent.remark = e.get('remark') + ent.voucher_detail_number = e.get('voucher_detail_no') def validation(self): self.check_mandatory() diff --git a/erpnext/accounts/doctype/payment_reconciliation_payment/payment_reconciliation_payment.json b/erpnext/accounts/doctype/payment_reconciliation_payment/payment_reconciliation_payment.json index cbff5b1e20..231dfae075 100644 --- a/erpnext/accounts/doctype/payment_reconciliation_payment/payment_reconciliation_payment.json +++ b/erpnext/accounts/doctype/payment_reconciliation_payment/payment_reconciliation_payment.json @@ -56,10 +56,19 @@ "label": "Remark", "permlevel": 0, "read_only": 1 + }, + { + "fieldname": "voucher_detail_number", + "fieldtype": "Data", + "hidden": 1, + "in_list_view": 0, + "label": "Voucher Detail Number", + "permlevel": 0, + "read_only": 1 } ], "istable": 1, - "modified": "2014-07-09 17:00:18.705385", + "modified": "2014-07-14 16:48:45.875052", "modified_by": "Administrator", "module": "Accounts", "name": "Payment Reconciliation Payment", From d934cd105b1597785839f821549d1c0c9e6219f8 Mon Sep 17 00:00:00 2001 From: ankitjavalkarwork Date: Tue, 15 Jul 2014 18:01:36 +0530 Subject: [PATCH 344/630] Add Payment Reconciliation Feature/Tool - invoice entries table population --- .../payment_reconciliation.py | 95 +++++++++++++++---- 1 file changed, 76 insertions(+), 19 deletions(-) diff --git a/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py b/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py index b0b189e6d0..fc1ff24109 100644 --- a/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +++ b/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py @@ -12,25 +12,20 @@ from frappe.model.document import Document class PaymentReconciliation(Document): def get_unreconciled_entries(self): - self.set('payment_reconciliation_payment', []) - jve = self.get_jv_entries() - self.add_payment_entries(jve) + jv_entries = self.get_jv_entries() + self.add_payment_entries(jv_entries) + invoice_entries = self.get_invoice_entries() + + self.add_invoice_entries(invoice_entries) def get_jv_entries(self): - self.validation() + self.check_mandatory() dr_or_cr = "credit" if self.party_type == "Customer" else "debit" - - #Add conditions for debit/credit, sorting by date and amount - cond = self.from_date and " and t1.posting_date >= '" + self.from_date + "'" or "" - cond += self.to_date and " and t1.posting_date <= '" + self.to_date + "'" or "" - if self.minimum_amount: - cond += (" and ifnull(t2.%s), 0) >= %s") % (dr_or_cr, self.minimum_amount) - if self.maximum_amount: - cond += " and ifnull(t2.%s, 0) <= %s" % (dr_or_cr, self.maximum_amount) + cond = self.check_condition(dr_or_cr) - jve = frappe.db.sql(""" + jv_entries = frappe.db.sql(""" select t1.name as voucher_no, t1.posting_date, t1.remark, t2.account, t2.name as voucher_detail_no, t2.%s, t2.is_advance @@ -42,21 +37,83 @@ class PaymentReconciliation(Document): and ifnull(t2.against_jv, '')='' %s group by t1.name, t2.name """ % (dr_or_cr, '%s', dr_or_cr, cond), (self.party_account), as_dict = True) + return jv_entries - return jve - - def add_payment_entries(self, jve): + def add_payment_entries(self, jv_entries): self.set('payment_reconciliation_payments', []) - for e in jve: + for e in jv_entries: ent = self.append('payment_reconciliation_payments', {}) ent.journal_voucher = e.get('voucher_no') ent.posting_date = e.get('posting_date') - ent.amount = flt(e.get('credit' or 'debit')) + ent.amount = flt(e.get('credit')) or flt(e.get('debit')) ent.remark = e.get('remark') ent.voucher_detail_number = e.get('voucher_detail_no') - def validation(self): + def get_invoice_entries(self): + #Fetch JVs, Sales and Purchase Invoices for 'payment_reconciliation_invoices' to reconcile against + non_reconciled_invoices = [] self.check_mandatory() + dr_or_cr = "debit" if self.party_type == "Customer" else "credit" + + cond = self.check_condition(dr_or_cr) + + invoice_list = frappe.db.sql(""" + select + voucher_no, voucher_type, posting_date, ifnull(sum(ifnull(%s, 0)), 0) as amount + from + `tabGL Entry` + where + account = %s and ifnull(%s, 0) > 0 %s + group by voucher_no, voucher_type""" % (dr_or_cr, "%s", + dr_or_cr, cond), (self.party_account), as_dict=True) + + for d in invoice_list: + payment_amount = frappe.db.sql(""" + select + ifnull(sum(ifnull(%s, 0)), 0) + from + `tabGL Entry` + where + account = %s and against_voucher_type = %s and ifnull(against_voucher, '') = %s""", + (("credit" if self.party_type == "Customer" else "debit"), self.party_account, + d.voucher_type, d.voucher_no)) + + payment_amount = payment_amount[0][0] if payment_amount else 0 + + if d.amount > payment_amount: + non_reconciled_invoices.append({'voucher_no': d.voucher_no, + 'voucher_type': d.voucher_type, + 'posting_date': d.posting_date, + 'amount': flt(d.amount), + 'outstanding_amount': d.amount - payment_amount}) + + return non_reconciled_invoices + + + def add_invoice_entries(self, non_reconciled_invoices): + #Populate 'payment_reconciliation_invoices' with JVs and Invoices to reconcile against + self.set('payment_reconciliation_invoices', []) + if not non_reconciled_invoices: + return + for e in non_reconciled_invoices: + ent = self.append('payment_reconciliation_invoices', {}) + ent.invoice_type = e.get('voucher_type') + ent.invoice_number = e.get('voucher_no') + ent.invoice_date = e.get('posting_date') + ent.amount = flt(e.get('amount')) + ent.outstanding_amount = e.get('outstanding_amount') + def check_mandatory(self): pass + + def check_condition(self, dr_or_cr): + cond = self.from_date and " and posting_date >= '" + self.from_date + "'" or "" + cond += self.to_date and " and posting_date <= '" + self.to_date + "'" or "" + + if self.minimum_amount: + cond += (" and ifnull(%s), 0) >= %s") % (dr_or_cr, self.minimum_amount) + if self.maximum_amount: + cond += " and ifnull(%s, 0) <= %s" % (dr_or_cr, self.maximum_amount) + + return cond \ No newline at end of file From c70d2d23a8d11c93455e7751cef30fc7f1fbda15 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Wed, 16 Jul 2014 11:27:25 +0530 Subject: [PATCH 345/630] Support Ticket: set resolution_date as None if missing --- .../doctype/support_ticket/support_ticket.py | 25 ++++++++++--------- 1 file changed, 13 insertions(+), 12 deletions(-) diff --git a/erpnext/support/doctype/support_ticket/support_ticket.py b/erpnext/support/doctype/support_ticket/support_ticket.py index 9517ea48de..4cdc20ac0f 100644 --- a/erpnext/support/doctype/support_ticket/support_ticket.py +++ b/erpnext/support/doctype/support_ticket/support_ticket.py @@ -8,31 +8,31 @@ from erpnext.utilities.transaction_base import TransactionBase from frappe.utils import now, extract_email_id class SupportTicket(TransactionBase): - + def get_sender(self, comm): return frappe.db.get_value('Support Email Settings',None,'support_email') def get_subject(self, comm): return '[' + self.name + '] ' + (comm.subject or 'No Subject Specified') - + def get_content(self, comm): signature = frappe.db.get_value('Support Email Settings',None,'support_signature') content = comm.content if signature: content += '

' + signature + '

' return content - + def get_portal_page(self): return "ticket" - + def validate(self): self.update_status() self.set_lead_contact(self.raised_by) - + if self.status == "Closed": from frappe.widgets.form.assign_to import clear clear(self.doctype, self.name) - + def set_lead_contact(self, email_id): import email.utils email_id = email.utils.parseaddr(email_id) @@ -41,8 +41,8 @@ class SupportTicket(TransactionBase): self.lead = frappe.db.get_value("Lead", {"email_id": email_id}) if not self.contact: self.contact = frappe.db.get_value("Contact", {"email_id": email_id}) - - if not self.company: + + if not self.company: self.company = frappe.db.get_value("Lead", self.lead, "company") or \ frappe.db.get_default("company") @@ -53,15 +53,16 @@ class SupportTicket(TransactionBase): if self.status=="Closed" and status !="Closed": self.resolution_date = now() if self.status=="Open" and status !="Open": - self.resolution_date = "" + # if no date, it should be set as None and not a blank string "", as per mysql strict config + self.resolution_date = None @frappe.whitelist() def set_status(name, status): st = frappe.get_doc("Support Ticket", name) st.status = status st.save() - + def auto_close_tickets(): - frappe.db.sql("""update `tabSupport Ticket` set status = 'Closed' - where status = 'Replied' + frappe.db.sql("""update `tabSupport Ticket` set status = 'Closed' + where status = 'Replied' and date_sub(curdate(),interval 15 Day) > modified""") From e73ed2afaed1279c8ca87ba77c1e7aaf2ea56fc5 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Wed, 16 Jul 2014 11:48:34 +0530 Subject: [PATCH 346/630] Setup Wizard: fixed attachment issue #1940 --- .../setup/page/setup_wizard/setup_wizard.py | 36 +++++++++++-------- 1 file changed, 22 insertions(+), 14 deletions(-) diff --git a/erpnext/setup/page/setup_wizard/setup_wizard.py b/erpnext/setup/page/setup_wizard/setup_wizard.py index ca52efb119..343cba56c4 100644 --- a/erpnext/setup/page/setup_wizard/setup_wizard.py +++ b/erpnext/setup/page/setup_wizard/setup_wizard.py @@ -113,9 +113,11 @@ def update_user_name(args): last_name=%(last_name)s WHERE name=%(name)s""", args) if args.get("attach_user"): - filename, filetype, content = args.get("attach_user").split(",") - fileurl = save_file(filename, content, "User", args.get("name"), decode=True).file_url - frappe.db.set_value("User", args.get("name"), "user_image", fileurl) + attach_user = args.get("attach_user").split(",") + if len(attach_user)==3: + filename, filetype, content = attach_user + fileurl = save_file(filename, content, "User", args.get("name"), decode=True).file_url + frappe.db.set_value("User", args.get("name"), "user_image", fileurl) add_all_roles_to(args.get("name")) @@ -319,9 +321,11 @@ def create_items(args): }).insert() if args.get("item_img_" + str(i)): - filename, filetype, content = args.get("item_img_" + str(i)).split(",") - fileurl = save_file(filename, content, "Item", item, decode=True).file_url - frappe.db.set_value("Item", item, "image", fileurl) + item_image = args.get("item_img_" + str(i)).split(",") + if len(item_image)==3: + filename, filetype, content = item_image + fileurl = save_file(filename, content, "Item", item, decode=True).file_url + frappe.db.set_value("Item", item, "image", fileurl) def create_customers(args): for i in xrange(1,6): @@ -374,17 +378,21 @@ def create_letter_head(args): "is_default": 1 }).insert() - filename, filetype, content = args.get("attach_letterhead").split(",") - fileurl = save_file(filename, content, "Letter Head", _("Standard"), decode=True).file_url - frappe.db.set_value("Letter Head", _("Standard"), "content", "" % fileurl) + attach_letterhead = args.get("attach_letterhead").split(",") + if len(attach_letterhead)==3: + filename, filetype, content = attach_letterhead + fileurl = save_file(filename, content, "Letter Head", _("Standard"), decode=True).file_url + frappe.db.set_value("Letter Head", _("Standard"), "content", "" % fileurl) def create_logo(args): if args.get("attach_logo"): - filename, filetype, content = args.get("attach_logo").split(",") - fileurl = save_file(filename, content, "Website Settings", "Website Settings", - decode=True).file_url - frappe.db.set_value("Website Settings", "Website Settings", "banner_html", - "" % fileurl) + attach_logo = args.get("attach_logo").split(",") + if len(attach_logo)==3: + filename, filetype, content = attach_logo + fileurl = save_file(filename, content, "Website Settings", "Website Settings", + decode=True).file_url + frappe.db.set_value("Website Settings", "Website Settings", "banner_html", + "" % fileurl) def add_all_roles_to(name): user = frappe.get_doc("User", name) From d93fa2f78b5e0444eeadc0b383a06ac93ff659f1 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Wed, 16 Jul 2014 15:48:02 +0530 Subject: [PATCH 347/630] Fixes in Stock Entry and test cases --- .../doctype/sales_invoice/test_records.json | 602 +++++++++--------- .../sales_invoice/test_sales_invoice.py | 1 + .../stock/doctype/stock_entry/stock_entry.py | 5 +- 3 files changed, 305 insertions(+), 303 deletions(-) diff --git a/erpnext/accounts/doctype/sales_invoice/test_records.json b/erpnext/accounts/doctype/sales_invoice/test_records.json index b0828f5c7e..eb86672ccd 100644 --- a/erpnext/accounts/doctype/sales_invoice/test_records.json +++ b/erpnext/accounts/doctype/sales_invoice/test_records.json @@ -1,385 +1,385 @@ [ { - "company": "_Test Company", - "conversion_rate": 1.0, - "currency": "INR", - "customer": "_Test Customer", - "customer_name": "_Test Customer", - "debit_to": "_Test Customer - _TC", - "doctype": "Sales Invoice", - "due_date": "2013-01-23", + "company": "_Test Company", + "conversion_rate": 1.0, + "currency": "INR", + "customer": "_Test Customer", + "customer_name": "_Test Customer", + "debit_to": "_Test Customer - _TC", + "doctype": "Sales Invoice", + "due_date": "2013-01-23", "entries": [ { - "amount": 500.0, - "base_amount": 500.0, - "base_rate": 500.0, - "cost_center": "_Test Cost Center - _TC", - "description": "138-CMS Shoe", - "doctype": "Sales Invoice Item", - "income_account": "Sales - _TC", - "item_name": "138-CMS Shoe", - "parentfield": "entries", - "qty": 1.0, + "amount": 500.0, + "base_amount": 500.0, + "base_rate": 500.0, + "cost_center": "_Test Cost Center - _TC", + "description": "138-CMS Shoe", + "doctype": "Sales Invoice Item", + "income_account": "Sales - _TC", + "item_name": "138-CMS Shoe", + "parentfield": "entries", + "qty": 1.0, "rate": 500.0 } - ], - "fiscal_year": "_Test Fiscal Year 2013", - "grand_total": 561.8, - "grand_total_export": 561.8, - "is_pos": 0, - "naming_series": "_T-Sales Invoice-", - "net_total": 500.0, + ], + "fiscal_year": "_Test Fiscal Year 2013", + "grand_total": 561.8, + "grand_total_export": 561.8, + "is_pos": 0, + "naming_series": "_T-Sales Invoice-", + "net_total": 500.0, "other_charges": [ { - "account_head": "_Test Account VAT - _TC", - "charge_type": "On Net Total", - "description": "VAT", - "doctype": "Sales Taxes and Charges", - "parentfield": "other_charges", + "account_head": "_Test Account VAT - _TC", + "charge_type": "On Net Total", + "description": "VAT", + "doctype": "Sales Taxes and Charges", + "parentfield": "other_charges", "rate": 6 - }, + }, { - "account_head": "_Test Account Service Tax - _TC", - "charge_type": "On Net Total", - "description": "Service Tax", - "doctype": "Sales Taxes and Charges", - "parentfield": "other_charges", + "account_head": "_Test Account Service Tax - _TC", + "charge_type": "On Net Total", + "description": "Service Tax", + "doctype": "Sales Taxes and Charges", + "parentfield": "other_charges", "rate": 6.36 } - ], - "plc_conversion_rate": 1.0, - "posting_date": "2013-01-23", - "price_list_currency": "INR", + ], + "plc_conversion_rate": 1.0, + "posting_date": "2013-01-23", + "price_list_currency": "INR", "sales_team": [ { - "allocated_percentage": 65.5, - "doctype": "Sales Team", - "parentfield": "sales_team", + "allocated_percentage": 65.5, + "doctype": "Sales Team", + "parentfield": "sales_team", "sales_person": "_Test Sales Person 1" - }, + }, { - "allocated_percentage": 34.5, - "doctype": "Sales Team", - "parentfield": "sales_team", + "allocated_percentage": 34.5, + "doctype": "Sales Team", + "parentfield": "sales_team", "sales_person": "_Test Sales Person 2" } - ], - "selling_price_list": "_Test Price List", + ], + "selling_price_list": "_Test Price List", "territory": "_Test Territory" - }, + }, { - "company": "_Test Company", - "conversion_rate": 1.0, - "currency": "INR", - "customer": "_Test Customer", - "customer_name": "_Test Customer", - "debit_to": "_Test Customer - _TC", - "doctype": "Sales Invoice", - "due_date": "2013-01-23", + "company": "_Test Company", + "conversion_rate": 1.0, + "currency": "INR", + "customer": "_Test Customer", + "customer_name": "_Test Customer", + "debit_to": "_Test Customer - _TC", + "doctype": "Sales Invoice", + "due_date": "2013-03-07", "entries": [ { - "amount": 500.0, - "base_amount": 500.0, - "base_rate": 500.0, - "cost_center": "_Test Cost Center - _TC", - "description": "_Test Item", - "doctype": "Sales Invoice Item", - "expense_account": "_Test Account Cost for Goods Sold - _TC", - "income_account": "Sales - _TC", - "item_code": "_Test Item", - "item_name": "_Test Item", - "parentfield": "entries", - "price_list_rate": 500.0, + "amount": 500.0, + "base_amount": 500.0, + "base_rate": 500.0, + "cost_center": "_Test Cost Center - _TC", + "description": "_Test Item", + "doctype": "Sales Invoice Item", + "expense_account": "_Test Account Cost for Goods Sold - _TC", + "income_account": "Sales - _TC", + "item_code": "_Test Item", + "item_name": "_Test Item", + "parentfield": "entries", + "price_list_rate": 500.0, "qty": 1.0 } - ], - "fiscal_year": "_Test Fiscal Year 2013", - "grand_total": 630.0, - "grand_total_export": 630.0, - "is_pos": 0, - "naming_series": "_T-Sales Invoice-", - "net_total": 500.0, + ], + "fiscal_year": "_Test Fiscal Year 2013", + "grand_total": 630.0, + "grand_total_export": 630.0, + "is_pos": 0, + "naming_series": "_T-Sales Invoice-", + "net_total": 500.0, "other_charges": [ { - "account_head": "_Test Account VAT - _TC", - "charge_type": "On Net Total", - "description": "VAT", - "doctype": "Sales Taxes and Charges", - "parentfield": "other_charges", + "account_head": "_Test Account VAT - _TC", + "charge_type": "On Net Total", + "description": "VAT", + "doctype": "Sales Taxes and Charges", + "parentfield": "other_charges", "rate": 16 - }, + }, { - "account_head": "_Test Account Service Tax - _TC", - "charge_type": "On Net Total", - "description": "Service Tax", - "doctype": "Sales Taxes and Charges", - "parentfield": "other_charges", + "account_head": "_Test Account Service Tax - _TC", + "charge_type": "On Net Total", + "description": "Service Tax", + "doctype": "Sales Taxes and Charges", + "parentfield": "other_charges", "rate": 10 } - ], - "plc_conversion_rate": 1.0, - "posting_date": "2013-03-07", - "price_list_currency": "INR", - "selling_price_list": "_Test Price List", + ], + "plc_conversion_rate": 1.0, + "posting_date": "2013-03-07", + "price_list_currency": "INR", + "selling_price_list": "_Test Price List", "territory": "_Test Territory" - }, + }, { - "company": "_Test Company", - "conversion_rate": 1.0, - "currency": "INR", - "customer": "_Test Customer", - "customer_name": "_Test Customer", - "debit_to": "_Test Customer - _TC", - "doctype": "Sales Invoice", - "due_date": "2013-01-23", + "company": "_Test Company", + "conversion_rate": 1.0, + "currency": "INR", + "customer": "_Test Customer", + "customer_name": "_Test Customer", + "debit_to": "_Test Customer - _TC", + "doctype": "Sales Invoice", + "due_date": "2013-01-23", "entries": [ { - "cost_center": "_Test Cost Center - _TC", - "doctype": "Sales Invoice Item", - "income_account": "Sales - _TC", - "item_code": "_Test Item Home Desktop 100", - "item_name": "_Test Item Home Desktop 100", - "item_tax_rate": "{\"_Test Account Excise Duty - _TC\": 10}", - "parentfield": "entries", - "price_list_rate": 50, - "qty": 10, - "rate": 50, + "cost_center": "_Test Cost Center - _TC", + "doctype": "Sales Invoice Item", + "income_account": "Sales - _TC", + "item_code": "_Test Item Home Desktop 100", + "item_name": "_Test Item Home Desktop 100", + "item_tax_rate": "{\"_Test Account Excise Duty - _TC\": 10}", + "parentfield": "entries", + "price_list_rate": 50, + "qty": 10, + "rate": 50, "stock_uom": "_Test UOM" - }, + }, { - "cost_center": "_Test Cost Center - _TC", - "doctype": "Sales Invoice Item", - "income_account": "Sales - _TC", - "item_code": "_Test Item Home Desktop 200", - "item_name": "_Test Item Home Desktop 200", - "parentfield": "entries", - "price_list_rate": 150, - "qty": 5, - "rate": 150, + "cost_center": "_Test Cost Center - _TC", + "doctype": "Sales Invoice Item", + "income_account": "Sales - _TC", + "item_code": "_Test Item Home Desktop 200", + "item_name": "_Test Item Home Desktop 200", + "parentfield": "entries", + "price_list_rate": 150, + "qty": 5, + "rate": 150, "stock_uom": "_Test UOM" } - ], - "fiscal_year": "_Test Fiscal Year 2013", - "grand_total_export": 0, - "is_pos": 0, - "naming_series": "_T-Sales Invoice-", + ], + "fiscal_year": "_Test Fiscal Year 2013", + "grand_total_export": 0, + "is_pos": 0, + "naming_series": "_T-Sales Invoice-", "other_charges": [ { - "account_head": "_Test Account Shipping Charges - _TC", - "charge_type": "Actual", - "cost_center": "_Test Cost Center - _TC", - "description": "Shipping Charges", - "doctype": "Sales Taxes and Charges", - "parentfield": "other_charges", + "account_head": "_Test Account Shipping Charges - _TC", + "charge_type": "Actual", + "cost_center": "_Test Cost Center - _TC", + "description": "Shipping Charges", + "doctype": "Sales Taxes and Charges", + "parentfield": "other_charges", "rate": 100 - }, + }, { - "account_head": "_Test Account Customs Duty - _TC", - "charge_type": "On Net Total", - "cost_center": "_Test Cost Center - _TC", - "description": "Customs Duty", - "doctype": "Sales Taxes and Charges", - "parentfield": "other_charges", + "account_head": "_Test Account Customs Duty - _TC", + "charge_type": "On Net Total", + "cost_center": "_Test Cost Center - _TC", + "description": "Customs Duty", + "doctype": "Sales Taxes and Charges", + "parentfield": "other_charges", "rate": 10 - }, + }, { - "account_head": "_Test Account Excise Duty - _TC", - "charge_type": "On Net Total", - "cost_center": "_Test Cost Center - _TC", - "description": "Excise Duty", - "doctype": "Sales Taxes and Charges", - "parentfield": "other_charges", + "account_head": "_Test Account Excise Duty - _TC", + "charge_type": "On Net Total", + "cost_center": "_Test Cost Center - _TC", + "description": "Excise Duty", + "doctype": "Sales Taxes and Charges", + "parentfield": "other_charges", "rate": 12 - }, + }, { - "account_head": "_Test Account Education Cess - _TC", - "charge_type": "On Previous Row Amount", - "cost_center": "_Test Cost Center - _TC", - "description": "Education Cess", - "doctype": "Sales Taxes and Charges", - "parentfield": "other_charges", - "rate": 2, + "account_head": "_Test Account Education Cess - _TC", + "charge_type": "On Previous Row Amount", + "cost_center": "_Test Cost Center - _TC", + "description": "Education Cess", + "doctype": "Sales Taxes and Charges", + "parentfield": "other_charges", + "rate": 2, "row_id": 3 - }, + }, { - "account_head": "_Test Account S&H Education Cess - _TC", - "charge_type": "On Previous Row Amount", - "cost_center": "_Test Cost Center - _TC", - "description": "S&H Education Cess", - "doctype": "Sales Taxes and Charges", - "parentfield": "other_charges", - "rate": 1, + "account_head": "_Test Account S&H Education Cess - _TC", + "charge_type": "On Previous Row Amount", + "cost_center": "_Test Cost Center - _TC", + "description": "S&H Education Cess", + "doctype": "Sales Taxes and Charges", + "parentfield": "other_charges", + "rate": 1, "row_id": 3 - }, + }, { - "account_head": "_Test Account CST - _TC", - "charge_type": "On Previous Row Total", - "cost_center": "_Test Cost Center - _TC", - "description": "CST", - "doctype": "Sales Taxes and Charges", - "parentfield": "other_charges", - "rate": 2, + "account_head": "_Test Account CST - _TC", + "charge_type": "On Previous Row Total", + "cost_center": "_Test Cost Center - _TC", + "description": "CST", + "doctype": "Sales Taxes and Charges", + "parentfield": "other_charges", + "rate": 2, "row_id": 5 - }, + }, { - "account_head": "_Test Account VAT - _TC", - "charge_type": "On Net Total", - "cost_center": "_Test Cost Center - _TC", - "description": "VAT", - "doctype": "Sales Taxes and Charges", - "parentfield": "other_charges", + "account_head": "_Test Account VAT - _TC", + "charge_type": "On Net Total", + "cost_center": "_Test Cost Center - _TC", + "description": "VAT", + "doctype": "Sales Taxes and Charges", + "parentfield": "other_charges", "rate": 12.5 - }, + }, { - "account_head": "_Test Account Discount - _TC", - "charge_type": "On Previous Row Total", - "cost_center": "_Test Cost Center - _TC", - "description": "Discount", - "doctype": "Sales Taxes and Charges", - "parentfield": "other_charges", - "rate": -10, + "account_head": "_Test Account Discount - _TC", + "charge_type": "On Previous Row Total", + "cost_center": "_Test Cost Center - _TC", + "description": "Discount", + "doctype": "Sales Taxes and Charges", + "parentfield": "other_charges", + "rate": -10, "row_id": 7 } - ], - "plc_conversion_rate": 1.0, - "posting_date": "2013-01-23", - "price_list_currency": "INR", - "selling_price_list": "_Test Price List", + ], + "plc_conversion_rate": 1.0, + "posting_date": "2013-01-23", + "price_list_currency": "INR", + "selling_price_list": "_Test Price List", "territory": "_Test Territory" - }, + }, { - "company": "_Test Company", - "conversion_rate": 1.0, - "currency": "INR", - "customer": "_Test Customer", - "customer_name": "_Test Customer", - "debit_to": "_Test Customer - _TC", - "doctype": "Sales Invoice", - "due_date": "2013-01-23", + "company": "_Test Company", + "conversion_rate": 1.0, + "currency": "INR", + "customer": "_Test Customer", + "customer_name": "_Test Customer", + "debit_to": "_Test Customer - _TC", + "doctype": "Sales Invoice", + "due_date": "2013-01-23", "entries": [ { - "cost_center": "_Test Cost Center - _TC", - "doctype": "Sales Invoice Item", - "income_account": "Sales - _TC", - "item_code": "_Test Item Home Desktop 100", - "item_name": "_Test Item Home Desktop 100", - "item_tax_rate": "{\"_Test Account Excise Duty - _TC\": 10}", - "parentfield": "entries", - "price_list_rate": 62.5, - "qty": 10, + "cost_center": "_Test Cost Center - _TC", + "doctype": "Sales Invoice Item", + "income_account": "Sales - _TC", + "item_code": "_Test Item Home Desktop 100", + "item_name": "_Test Item Home Desktop 100", + "item_tax_rate": "{\"_Test Account Excise Duty - _TC\": 10}", + "parentfield": "entries", + "price_list_rate": 62.5, + "qty": 10, "stock_uom": "_Test UOM" - }, + }, { - "cost_center": "_Test Cost Center - _TC", - "doctype": "Sales Invoice Item", - "income_account": "Sales - _TC", - "item_code": "_Test Item Home Desktop 200", - "item_name": "_Test Item Home Desktop 200", - "parentfield": "entries", - "price_list_rate": 190.66, - "qty": 5, + "cost_center": "_Test Cost Center - _TC", + "doctype": "Sales Invoice Item", + "income_account": "Sales - _TC", + "item_code": "_Test Item Home Desktop 200", + "item_name": "_Test Item Home Desktop 200", + "parentfield": "entries", + "price_list_rate": 190.66, + "qty": 5, "stock_uom": "_Test UOM" } - ], - "fiscal_year": "_Test Fiscal Year 2013", - "grand_total_export": 0, - "is_pos": 0, - "naming_series": "_T-Sales Invoice-", + ], + "fiscal_year": "_Test Fiscal Year 2013", + "grand_total_export": 0, + "is_pos": 0, + "naming_series": "_T-Sales Invoice-", "other_charges": [ { - "account_head": "_Test Account Excise Duty - _TC", - "charge_type": "On Net Total", - "cost_center": "_Test Cost Center - _TC", - "description": "Excise Duty", - "doctype": "Sales Taxes and Charges", - "idx": 1, - "included_in_print_rate": 1, - "parentfield": "other_charges", + "account_head": "_Test Account Excise Duty - _TC", + "charge_type": "On Net Total", + "cost_center": "_Test Cost Center - _TC", + "description": "Excise Duty", + "doctype": "Sales Taxes and Charges", + "idx": 1, + "included_in_print_rate": 1, + "parentfield": "other_charges", "rate": 12 - }, + }, { - "account_head": "_Test Account Education Cess - _TC", - "charge_type": "On Previous Row Amount", - "cost_center": "_Test Cost Center - _TC", - "description": "Education Cess", - "doctype": "Sales Taxes and Charges", - "idx": 2, - "included_in_print_rate": 1, - "parentfield": "other_charges", - "rate": 2, + "account_head": "_Test Account Education Cess - _TC", + "charge_type": "On Previous Row Amount", + "cost_center": "_Test Cost Center - _TC", + "description": "Education Cess", + "doctype": "Sales Taxes and Charges", + "idx": 2, + "included_in_print_rate": 1, + "parentfield": "other_charges", + "rate": 2, "row_id": 1 - }, + }, { - "account_head": "_Test Account S&H Education Cess - _TC", - "charge_type": "On Previous Row Amount", - "cost_center": "_Test Cost Center - _TC", - "description": "S&H Education Cess", - "doctype": "Sales Taxes and Charges", - "idx": 3, - "included_in_print_rate": 1, - "parentfield": "other_charges", - "rate": 1, + "account_head": "_Test Account S&H Education Cess - _TC", + "charge_type": "On Previous Row Amount", + "cost_center": "_Test Cost Center - _TC", + "description": "S&H Education Cess", + "doctype": "Sales Taxes and Charges", + "idx": 3, + "included_in_print_rate": 1, + "parentfield": "other_charges", + "rate": 1, "row_id": 1 - }, + }, { - "account_head": "_Test Account CST - _TC", - "charge_type": "On Previous Row Total", - "cost_center": "_Test Cost Center - _TC", - "description": "CST", - "doctype": "Sales Taxes and Charges", - "idx": 4, - "included_in_print_rate": 1, - "parentfield": "other_charges", - "rate": 2, + "account_head": "_Test Account CST - _TC", + "charge_type": "On Previous Row Total", + "cost_center": "_Test Cost Center - _TC", + "description": "CST", + "doctype": "Sales Taxes and Charges", + "idx": 4, + "included_in_print_rate": 1, + "parentfield": "other_charges", + "rate": 2, "row_id": 3 - }, + }, { - "account_head": "_Test Account VAT - _TC", - "charge_type": "On Net Total", - "cost_center": "_Test Cost Center - _TC", - "description": "VAT", - "doctype": "Sales Taxes and Charges", - "idx": 5, - "included_in_print_rate": 1, - "parentfield": "other_charges", + "account_head": "_Test Account VAT - _TC", + "charge_type": "On Net Total", + "cost_center": "_Test Cost Center - _TC", + "description": "VAT", + "doctype": "Sales Taxes and Charges", + "idx": 5, + "included_in_print_rate": 1, + "parentfield": "other_charges", "rate": 12.5 - }, + }, { - "account_head": "_Test Account Customs Duty - _TC", - "charge_type": "On Net Total", - "cost_center": "_Test Cost Center - _TC", - "description": "Customs Duty", - "doctype": "Sales Taxes and Charges", - "idx": 6, - "parentfield": "other_charges", + "account_head": "_Test Account Customs Duty - _TC", + "charge_type": "On Net Total", + "cost_center": "_Test Cost Center - _TC", + "description": "Customs Duty", + "doctype": "Sales Taxes and Charges", + "idx": 6, + "parentfield": "other_charges", "rate": 10 - }, + }, { - "account_head": "_Test Account Shipping Charges - _TC", - "charge_type": "Actual", - "cost_center": "_Test Cost Center - _TC", - "description": "Shipping Charges", - "doctype": "Sales Taxes and Charges", - "idx": 7, - "parentfield": "other_charges", + "account_head": "_Test Account Shipping Charges - _TC", + "charge_type": "Actual", + "cost_center": "_Test Cost Center - _TC", + "description": "Shipping Charges", + "doctype": "Sales Taxes and Charges", + "idx": 7, + "parentfield": "other_charges", "rate": 100 - }, + }, { - "account_head": "_Test Account Discount - _TC", - "charge_type": "On Previous Row Total", - "cost_center": "_Test Cost Center - _TC", - "description": "Discount", - "doctype": "Sales Taxes and Charges", - "idx": 8, - "parentfield": "other_charges", - "rate": -10, + "account_head": "_Test Account Discount - _TC", + "charge_type": "On Previous Row Total", + "cost_center": "_Test Cost Center - _TC", + "description": "Discount", + "doctype": "Sales Taxes and Charges", + "idx": 8, + "parentfield": "other_charges", + "rate": -10, "row_id": 7 } - ], - "plc_conversion_rate": 1.0, - "posting_date": "2013-01-23", - "price_list_currency": "INR", - "selling_price_list": "_Test Price List", + ], + "plc_conversion_rate": 1.0, + "posting_date": "2013-01-23", + "price_list_currency": "INR", + "selling_price_list": "_Test Price List", "territory": "_Test Territory" } -] \ No newline at end of file +] diff --git a/erpnext/accounts/doctype/sales_invoice/test_sales_invoice.py b/erpnext/accounts/doctype/sales_invoice/test_sales_invoice.py index 85e57822e2..1d22e0930a 100644 --- a/erpnext/accounts/doctype/sales_invoice/test_sales_invoice.py +++ b/erpnext/accounts/doctype/sales_invoice/test_sales_invoice.py @@ -674,6 +674,7 @@ class TestSalesInvoice(unittest.TestCase): "notification_email_address": "test@example.com, test1@example.com, test2@example.com", "repeat_on_day_of_month": getdate(today).day, "posting_date": today, + "due_date": None, "fiscal_year": get_fiscal_year(today)[0], "invoice_period_from_date": get_first_day(today), "invoice_period_to_date": get_last_day(today) diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.py b/erpnext/stock/doctype/stock_entry/stock_entry.py index 586179de28..2609ff5042 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry.py +++ b/erpnext/stock/doctype/stock_entry/stock_entry.py @@ -204,7 +204,7 @@ class StockEntry(StockController): if not self.posting_date or not self.posting_time: frappe.throw(_("Posting date and posting time is mandatory")) - allow_negative_stock = frappe.db.get_value("Stock Settings", None, "allow_negative_stock") + allow_negative_stock = cint(frappe.db.get_default("allow_negative_stock")) for d in self.get('mtn_details'): args = frappe._dict({ @@ -219,7 +219,8 @@ class StockEntry(StockController): # get actual stock at source warehouse d.actual_qty = get_previous_sle(args).get("qty_after_transaction") or 0 - if d.s_warehouse and not allow_negative_stock and d.actual_qty <= d.transfer_qty: + # validate qty during submit + if d.docstatus==1 and d.s_warehouse and not allow_negative_stock and d.actual_qty < d.transfer_qty: frappe.throw(_("""Row {0}: Qty not avalable in warehouse {1} on {2} {3}. Available Qty: {4}, Transfer Qty: {5}""").format(d.idx, d.s_warehouse, self.posting_date, self.posting_time, d.actual_qty, d.transfer_qty)) From f214bfcfc3ab83b351eb48bd13d2352948c446ba Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Wed, 16 Jul 2014 17:52:08 +0530 Subject: [PATCH 348/630] Fixes in load defaults of transaction.js --- erpnext/public/js/transaction.js | 7 ++----- 1 file changed, 2 insertions(+), 5 deletions(-) diff --git a/erpnext/public/js/transaction.js b/erpnext/public/js/transaction.js index 1790a47252..ae5864d491 100644 --- a/erpnext/public/js/transaction.js +++ b/erpnext/public/js/transaction.js @@ -20,16 +20,13 @@ erpnext.TransactionController = erpnext.stock.StockController.extend({ currency: currency, price_list_currency: currency, status: "Draft", - fiscal_year: frappe.defaults.get_user_default("fiscal_year"), is_subcontracted: "No", }, function(fieldname, value) { if(me.frm.fields_dict[fieldname] && !me.frm.doc[fieldname]) me.frm.set_value(fieldname, value); }); - if(!this.frm.doc.company) { - this.frm.set_value("company", frappe.defaults.get_user_default("company")); - } else { + if(this.frm.doc.company) { cur_frm.script_manager.trigger("company"); } } @@ -332,7 +329,7 @@ erpnext.TransactionController = erpnext.stock.StockController.extend({ method: "erpnext.accounts.doctype.pricing_rule.pricing_rule.apply_pricing_rule", args: { args: this._get_args(item) }, callback: function(r) { - if (!r.exc) { + if (!r.exc && r.message) { me._set_values_for_item_list(r.message); if(calculate_taxes_and_totals) me.calculate_taxes_and_totals(); } From 4b5e89a067646648f4827bd586cf12e6669b52e9 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Wed, 16 Jul 2014 19:23:58 +0530 Subject: [PATCH 349/630] Fixes in Stock Entry test cases --- .../doctype/stock_entry/test_stock_entry.py | 19 ++++++++++++++----- 1 file changed, 14 insertions(+), 5 deletions(-) diff --git a/erpnext/stock/doctype/stock_entry/test_stock_entry.py b/erpnext/stock/doctype/stock_entry/test_stock_entry.py index 260223d4b8..1fdc016d7d 100644 --- a/erpnext/stock/doctype/stock_entry/test_stock_entry.py +++ b/erpnext/stock/doctype/stock_entry/test_stock_entry.py @@ -21,7 +21,7 @@ class TestStockEntry(unittest.TestCase): frappe.db.sql("""delete from `tabMaterial Request`""") self._clear_stock_account_balance() - frappe.db.set_value("Stock Settings", None, "auto_indent", True) + frappe.db.set_value("Stock Settings", None, "auto_indent", 1) st1 = frappe.copy_doc(test_records[0]) st1.insert() @@ -664,15 +664,17 @@ class TestStockEntry(unittest.TestCase): def test_serial_no_not_exists(self): self._clear_stock_account_balance() frappe.db.sql("delete from `tabSerial No` where name in ('ABCD', 'EFGH')") + make_serialized_item() se = frappe.copy_doc(test_records[0]) se.purpose = "Material Issue" - se.get("mtn_details")[0].item_code = "_Test Serialized Item" + se.get("mtn_details")[0].item_code = "_Test Serialized Item With Series" se.get("mtn_details")[0].qty = 2 se.get("mtn_details")[0].s_warehouse = "_Test Warehouse 1 - _TC" se.get("mtn_details")[0].t_warehouse = None se.get("mtn_details")[0].serial_no = "ABCD\nEFGH" se.get("mtn_details")[0].transfer_qty = 2 se.insert() + self.assertRaises(SerialNoNotExistsError, se.submit) def test_serial_duplicate(self): @@ -699,8 +701,8 @@ class TestStockEntry(unittest.TestCase): return se, serial_nos def test_serial_item_error(self): - self._clear_stock_account_balance() se, serial_nos = self.test_serial_by_series() + make_serialized_item("_Test Serialized Item", "ABCD\nEFGH") se = frappe.copy_doc(test_records[0]) se.purpose = "Material Transfer" @@ -735,6 +737,8 @@ class TestStockEntry(unittest.TestCase): def test_serial_warehouse_error(self): self._clear_stock_account_balance() + make_serialized_item(target_warehouse="_Test Warehouse 1 - _TC") + t = make_serialized_item() serial_nos = get_serial_nos(t.get("mtn_details")[0].serial_no) @@ -818,11 +822,16 @@ class TestStockEntry(unittest.TestCase): self.assertRaises (StockFreezeError, se.submit) frappe.db.set_value("Stock Settings", None, "stock_frozen_upto_days", 0) -def make_serialized_item(): +def make_serialized_item(item_code=None, serial_no=None, target_warehouse=None): se = frappe.copy_doc(test_records[0]) - se.get("mtn_details")[0].item_code = "_Test Serialized Item With Series" + se.get("mtn_details")[0].item_code = item_code or "_Test Serialized Item With Series" + se.get("mtn_details")[0].serial_no = serial_no se.get("mtn_details")[0].qty = 2 se.get("mtn_details")[0].transfer_qty = 2 + + if target_warehouse: + se.get("mtn_details")[0].t_warehouse = target_warehouse + se.insert() se.submit() return se From b8189d7d2337ecd33a7ee3cbbce78d204acf4e5a Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Wed, 16 Jul 2014 19:24:53 +0530 Subject: [PATCH 350/630] Auto Re-order Item for default warehouse only, if Warehouse wise re-order not specified --- erpnext/stock/utils.py | 95 ++++++++++++++++++++++++++---------------- 1 file changed, 59 insertions(+), 36 deletions(-) diff --git a/erpnext/stock/utils.py b/erpnext/stock/utils.py index 340e5511ff..10f5cc2776 100644 --- a/erpnext/stock/utils.py +++ b/erpnext/stock/utils.py @@ -176,7 +176,6 @@ def get_buying_amount(voucher_type, voucher_no, item_row, stock_ledger_entries): def reorder_item(): """ Reorder item if stock reaches reorder level""" - # if initial setup not completed, return if not frappe.db.sql("select name from `tabFiscal Year` limit 1"): return @@ -185,46 +184,69 @@ def reorder_item(): frappe.local.auto_indent = cint(frappe.db.get_value('Stock Settings', None, 'auto_indent')) if frappe.local.auto_indent: - material_requests = {} - bin_list = frappe.db.sql("""select item_code, warehouse, projected_qty - from tabBin where ifnull(item_code, '') != '' and ifnull(warehouse, '') != '' - and exists (select name from `tabItem` - where `tabItem`.name = `tabBin`.item_code and - is_stock_item='Yes' and (is_purchase_item='Yes' or is_sub_contracted_item='Yes') and - (ifnull(end_of_life, '0000-00-00')='0000-00-00' or end_of_life > curdate()))""", - as_dict=True) + _reorder_item() - for bin in bin_list: - #check if re-order is required - item_reorder = frappe.db.get("Item Reorder", - {"parent": bin.item_code, "warehouse": bin.warehouse}) - if item_reorder: - reorder_level = item_reorder.warehouse_reorder_level - reorder_qty = item_reorder.warehouse_reorder_qty - material_request_type = item_reorder.material_request_type or "Purchase" - else: - reorder_level, reorder_qty = frappe.db.get_value("Item", bin.item_code, - ["re_order_level", "re_order_qty"]) - material_request_type = "Purchase" +def _reorder_item(): + # {"Purchase": {"Company": [{"item_code": "", "warehouse": "", "reorder_qty": 0.0}]}, "Transfer": {...}} + material_requests = {"Purchase": {}, "Transfer": {}} - if flt(reorder_level) and flt(bin.projected_qty) < flt(reorder_level): - if flt(reorder_level) - flt(bin.projected_qty) > flt(reorder_qty): - reorder_qty = flt(reorder_level) - flt(bin.projected_qty) + item_warehouse_projected_qty = get_item_warehouse_projected_qty() + warehouse_company = frappe._dict(frappe.db.sql("""select name, company from `tabWarehouse`""")) + default_company = (frappe.defaults.get_defaults()["company"] or + frappe.db.sql("""select name from tabCompany limit 1""")[0][0]) - company = frappe.db.get_value("Warehouse", bin.warehouse, "company") or \ - frappe.defaults.get_defaults()["company"] or \ - frappe.db.sql("""select name from tabCompany limit 1""")[0][0] + def add_to_material_request(item_code, warehouse, reorder_level, reorder_qty, material_request_type): + if warehouse not in item_warehouse_projected_qty[item_code]: + # likely a disabled warehouse or a warehouse where BIN does not exist + return - material_requests.setdefault(material_request_type, frappe._dict()).setdefault( - company, []).append(frappe._dict({ - "item_code": bin.item_code, - "warehouse": bin.warehouse, - "reorder_qty": reorder_qty - }) - ) + reorder_level = flt(reorder_level) + reorder_qty = flt(reorder_qty) + projected_qty = item_warehouse_projected_qty[item_code][warehouse] - if material_requests: - create_material_request(material_requests) + if reorder_level and projected_qty < reorder_level: + deficiency = reorder_level - projected_qty + if deficiency > reorder_qty: + reorder_qty = deficiency + + company = warehouse_company.get(warehouse) or default_company + + material_requests[material_request_type].setdefault(company, []).append({ + "item_code": item_code, + "warehouse": warehouse, + "reorder_qty": reorder_qty + }) + + for item_code in item_warehouse_projected_qty: + item = frappe.get_doc("Item", item_code) + if item.get("item_reorder"): + for d in item.get("item_reorder"): + add_to_material_request(item_code, d.warehouse, d.warehouse_reorder_level, + d.warehouse_reorder_qty, d.material_request_type) + + else: + # raise for default warehouse + add_to_material_request(item_code, item.default_warehouse, item.re_order_level, item.re_order_qty, "Purchase") + + if material_requests: + create_material_request(material_requests) + +def get_item_warehouse_projected_qty(): + item_warehouse_projected_qty = {} + + for item_code, warehouse, projected_qty in frappe.db.sql("""select item_code, warehouse, projected_qty + from tabBin where ifnull(item_code, '') != '' and ifnull(warehouse, '') != '' + and exists (select name from `tabItem` + where `tabItem`.name = `tabBin`.item_code and + is_stock_item='Yes' and (is_purchase_item='Yes' or is_sub_contracted_item='Yes') and + (ifnull(end_of_life, '0000-00-00')='0000-00-00' or end_of_life > %s)) + and exists (select name from `tabWarehouse` + where `tabWarehouse`.name = `tabBin`.warehouse + and ifnull(disabled, 0)=0)""", nowdate()): + + item_warehouse_projected_qty.setdefault(item_code, {})[warehouse] = flt(projected_qty) + + return item_warehouse_projected_qty def create_material_request(material_requests): """ Create indent on reaching reorder level """ @@ -263,6 +285,7 @@ def create_material_request(material_requests): }) for d in items: + d = frappe._dict(d) item = frappe.get_doc("Item", d.item_code) mr.append("indent_details", { "doctype": "Material Request Item", From 96cb130263cef2192fc2c3f5d81327e015b159e2 Mon Sep 17 00:00:00 2001 From: nabinhait Date: Mon, 14 Jul 2014 14:52:49 +0530 Subject: [PATCH 351/630] Default letter head in general ledger and bank reco statement print --- .../bank_reconciliation_statement.html | 3 +++ erpnext/accounts/report/general_ledger/general_ledger.html | 3 +++ 2 files changed, 6 insertions(+) diff --git a/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.html b/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.html index 91e07ab7da..1a401f5e68 100644 --- a/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.html +++ b/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.html @@ -1,3 +1,6 @@ +
+ {%= frappe.boot.letter_heads[frappe.defaults.get_default("letter_head")] %} +

{%= __("Bank Reconciliation Statement") %}

{%= filters.account %}


diff --git a/erpnext/accounts/report/general_ledger/general_ledger.html b/erpnext/accounts/report/general_ledger/general_ledger.html index 63cd1a19d2..fd5fa5fa54 100644 --- a/erpnext/accounts/report/general_ledger/general_ledger.html +++ b/erpnext/accounts/report/general_ledger/general_ledger.html @@ -1,3 +1,6 @@ +
+ {%= frappe.boot.letter_heads[frappe.defaults.get_default("letter_head")] %} +

{%= __("Statement of Account") %}

{%= filters.account || "General Ledger" %}


From 143400d444cf51de9afa09fb8423531e2243ab7e Mon Sep 17 00:00:00 2001 From: nabinhait Date: Thu, 17 Jul 2014 11:00:13 +0530 Subject: [PATCH 352/630] Batch no get query fix --- erpnext/stock/doctype/stock_entry/stock_entry.py | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.py b/erpnext/stock/doctype/stock_entry/stock_entry.py index 2609ff5042..82a099eef6 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry.py +++ b/erpnext/stock/doctype/stock_entry/stock_entry.py @@ -676,9 +676,9 @@ def get_batch_no(doctype, txt, searchfield, start, page_len, filters): batch_nos = None args = { - 'item_code': filters['item_code'], - 's_warehouse': filters['s_warehouse'], - 'posting_date': filters['posting_date'], + 'item_code': filters.get("item_code"), + 's_warehouse': filters.get('s_warehouse'), + 'posting_date': filters,get('posting_date'), 'txt': "%%%s%%" % txt, 'mcond':get_match_cond(doctype), "start": start, From d16081c4d93ee0acbf39eacc3dc62b4b8cf8a027 Mon Sep 17 00:00:00 2001 From: nabinhait Date: Thu, 17 Jul 2014 11:08:19 +0530 Subject: [PATCH 353/630] Batch no get query fix --- erpnext/stock/doctype/stock_entry/stock_entry.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.py b/erpnext/stock/doctype/stock_entry/stock_entry.py index 82a099eef6..7629c3cefd 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry.py +++ b/erpnext/stock/doctype/stock_entry/stock_entry.py @@ -678,7 +678,7 @@ def get_batch_no(doctype, txt, searchfield, start, page_len, filters): args = { 'item_code': filters.get("item_code"), 's_warehouse': filters.get('s_warehouse'), - 'posting_date': filters,get('posting_date'), + 'posting_date': filters.get('posting_date'), 'txt': "%%%s%%" % txt, 'mcond':get_match_cond(doctype), "start": start, From fa1cd5faff541bad9ca99267a3d87cebf6f18dd1 Mon Sep 17 00:00:00 2001 From: nabinhait Date: Thu, 17 Jul 2014 11:52:50 +0530 Subject: [PATCH 354/630] Fixed root type of liability accounts --- erpnext/patches.txt | 1 + erpnext/setup/doctype/company/company.py | 2 +- 2 files changed, 2 insertions(+), 1 deletion(-) diff --git a/erpnext/patches.txt b/erpnext/patches.txt index b7fc5e7768..1a903de743 100644 --- a/erpnext/patches.txt +++ b/erpnext/patches.txt @@ -68,3 +68,4 @@ erpnext.patches.v4_1.set_outgoing_email_footer erpnext.patches.v4_1.fix_jv_remarks erpnext.patches.v4_1.fix_sales_order_delivered_status erpnext.patches.v4_1.fix_delivery_and_billing_status +execute:frappe.db.sql("update `tabAccount` set root_type='Liability' where root_type='Income' and report_type='Balance Sheet'") \ No newline at end of file diff --git a/erpnext/setup/doctype/company/company.py b/erpnext/setup/doctype/company/company.py index d24c7e78e2..f8e043a927 100644 --- a/erpnext/setup/doctype/company/company.py +++ b/erpnext/setup/doctype/company/company.py @@ -241,7 +241,7 @@ class Company(Document): [_('Sales'),_('Direct Income'),'Ledger','Income Account','Profit and Loss', None, 'Income'], [_('Service'),_('Direct Income'),'Ledger','Income Account','Profit and Loss', None, 'Income'], [_('Indirect Income'),_('Income'),'Group','Income Account','Profit and Loss', None, 'Income'], - [_('Source of Funds (Liabilities)'), None,'Group', None,'Balance Sheet', None, 'Income'], + [_('Source of Funds (Liabilities)'), None,'Group', None,'Balance Sheet', None, 'Liability'], [_('Capital Account'),_('Source of Funds (Liabilities)'),'Group', None,'Balance Sheet', None, 'Liability'], [_('Reserves and Surplus'),_('Capital Account'),'Ledger', None,'Balance Sheet', None, 'Liability'], [_('Shareholders Funds'),_('Capital Account'),'Ledger', None,'Balance Sheet', None, 'Liability'], From e26204e61d94e39dc759df7c7ec6c6ae81cb06e3 Mon Sep 17 00:00:00 2001 From: nabinhait Date: Thu, 17 Jul 2014 12:22:58 +0530 Subject: [PATCH 355/630] From date and to date in general ledger print format --- erpnext/accounts/report/general_ledger/general_ledger.html | 7 ++++++- 1 file changed, 6 insertions(+), 1 deletion(-) diff --git a/erpnext/accounts/report/general_ledger/general_ledger.html b/erpnext/accounts/report/general_ledger/general_ledger.html index fd5fa5fa54..a639266819 100644 --- a/erpnext/accounts/report/general_ledger/general_ledger.html +++ b/erpnext/accounts/report/general_ledger/general_ledger.html @@ -2,7 +2,12 @@ {%= frappe.boot.letter_heads[frappe.defaults.get_default("letter_head")] %}

{%= __("Statement of Account") %}

-

{%= filters.account || "General Ledger" %}

+

{%= filters.account || "General Ledger" %}

+
+ {%= dateutil.str_to_user(filters.from_date) %} + {%= __(" to ") %} + {%= dateutil.str_to_user(filters.to_date) %} +

From 5f2f9552249394ca47adbc42b8e7c3651bd0a27d Mon Sep 17 00:00:00 2001 From: nabinhait Date: Thu, 17 Jul 2014 12:29:56 +0530 Subject: [PATCH 356/630] From date and to date in general ledger print format --- erpnext/accounts/report/general_ledger/general_ledger.html | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/accounts/report/general_ledger/general_ledger.html b/erpnext/accounts/report/general_ledger/general_ledger.html index a639266819..190d45555a 100644 --- a/erpnext/accounts/report/general_ledger/general_ledger.html +++ b/erpnext/accounts/report/general_ledger/general_ledger.html @@ -5,7 +5,7 @@

{%= filters.account || "General Ledger" %}

{%= dateutil.str_to_user(filters.from_date) %} - {%= __(" to ") %} + {%= __("to") %} {%= dateutil.str_to_user(filters.to_date) %}

From fa0db761da07cb343896d7cf17b6ce91d06e1649 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Thu, 17 Jul 2014 12:30:55 +0530 Subject: [PATCH 357/630] Fix in Stock Entry test case --- erpnext/stock/doctype/stock_entry/test_stock_entry.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/stock/doctype/stock_entry/test_stock_entry.py b/erpnext/stock/doctype/stock_entry/test_stock_entry.py index 1fdc016d7d..0f6a33fb73 100644 --- a/erpnext/stock/doctype/stock_entry/test_stock_entry.py +++ b/erpnext/stock/doctype/stock_entry/test_stock_entry.py @@ -664,7 +664,7 @@ class TestStockEntry(unittest.TestCase): def test_serial_no_not_exists(self): self._clear_stock_account_balance() frappe.db.sql("delete from `tabSerial No` where name in ('ABCD', 'EFGH')") - make_serialized_item() + make_serialized_item(target_warehouse="_Test Warehouse 1 - _TC") se = frappe.copy_doc(test_records[0]) se.purpose = "Material Issue" se.get("mtn_details")[0].item_code = "_Test Serialized Item With Series" From 87e30f68b93603597bd398896d641cddd83807ff Mon Sep 17 00:00:00 2001 From: ankitjavalkarwork Date: Thu, 17 Jul 2014 19:10:45 +0530 Subject: [PATCH 358/630] Add Payment Reconciliation Feature/Tool - Complete --- .../payment_reconciliation.js | 41 ++++-- .../payment_reconciliation.json | 7 +- .../payment_reconciliation.py | 121 +++++++++++++----- .../payment_reconciliation_invoice.json | 3 +- .../payment_reconciliation_payment.json | 21 ++- 5 files changed, 142 insertions(+), 51 deletions(-) diff --git a/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js b/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js index cf62fd3073..c2ba1e62b3 100644 --- a/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +++ b/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js @@ -20,19 +20,38 @@ erpnext.accounts.PaymentReconciliationController = frappe.ui.form.Controller.ext get_unreconciled_entries: function() { var me = this; - if(!this.frm.doc.company || !this.frm.doc.party_account) { - if(!this.frm.doc.company) { - msgprint(__("Please enter Company")); - } else { - msgprint(__("Please enter Party Account")); + return this.frm.call({ + doc: me.frm.doc, + method: 'get_unreconciled_entries', + callback: function(r, rt) { + var invoices = []; + + $.each(me.frm.doc.payment_reconciliation_invoices || [], function(i, row) { + if (row.invoice_number && !inList(invoices, row.invoice_number)) + invoices.push(row.invoice_number); + }); + + frappe.meta.get_docfield("Payment Reconciliation Payment", "invoice_number", + me.frm.doc.name).options = invoices.join("\n"); + + $.each(me.frm.doc.payment_reconciliation_payments || [], function(i, p) { + if(!inList(invoices, cstr(p.invoice_number))) p.invoice_number = null; + }); + + refresh_field("payment_reconciliation_payments"); } - } else { - return this.frm.call({ - doc: me.frm.doc, - method: 'get_unreconciled_entries' - }); - } + }); + + }, + + reconcile: function() { + var me = this; + return this.frm.call({ + doc: me.frm.doc, + method: 'reconcile' + }); } + }); $.extend(cur_frm.cscript, new erpnext.accounts.PaymentReconciliationController({frm: cur_frm})); diff --git a/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.json b/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.json index 12253d0043..ce0d731786 100644 --- a/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.json +++ b/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.json @@ -1,4 +1,5 @@ { + "allow_copy": 1, "creation": "2014-07-09 12:04:51.681583", "custom": 0, "docstatus": 0, @@ -27,11 +28,12 @@ { "fieldname": "party_type", "fieldtype": "Select", - "hidden": 0, + "hidden": 1, "in_list_view": 1, "label": "Party Type", "options": "Customer\nSupplier", "permlevel": 0, + "read_only": 1, "reqd": 0 }, { @@ -118,8 +120,9 @@ "read_only": 1 } ], + "hide_toolbar": 1, "issingle": 1, - "modified": "2014-07-11 15:01:47.133918", + "modified": "2014-07-17 19:07:34.385854", "modified_by": "Administrator", "module": "Accounts", "name": "Payment Reconciliation", diff --git a/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py b/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py index fc1ff24109..be53aca928 100644 --- a/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +++ b/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py @@ -12,32 +12,42 @@ from frappe.model.document import Document class PaymentReconciliation(Document): def get_unreconciled_entries(self): - jv_entries = self.get_jv_entries() - self.add_payment_entries(jv_entries) - invoice_entries = self.get_invoice_entries() - - self.add_invoice_entries(invoice_entries) + self.get_jv_entries() + self.get_invoice_entries() def get_jv_entries(self): - self.check_mandatory() - - dr_or_cr = "credit" if self.party_type == "Customer" else "debit" - + self.check_mandatory_to_fetch() + dr_or_cr = "credit" if self.party_type == "Customer" else "debit" cond = self.check_condition(dr_or_cr) + bank_account_condition = "t2.against_account like %(bank_cash_account)s" \ + if self.bank_cash_account else "1=1" + jv_entries = frappe.db.sql(""" select t1.name as voucher_no, t1.posting_date, t1.remark, t2.account, - t2.name as voucher_detail_no, t2.%s, t2.is_advance + t2.name as voucher_detail_no, t2.{dr_or_cr}, t2.is_advance from `tabJournal Voucher` t1, `tabJournal Voucher Detail` t2 where - t1.name = t2.parent and t1.docstatus = 1 and t2.account = %s - and t2.%s > 0 and ifnull(t2.against_voucher, '')='' and ifnull(t2.against_invoice, '')='' - and ifnull(t2.against_jv, '')='' %s - group by t1.name, t2.name """ % (dr_or_cr, '%s', dr_or_cr, cond), (self.party_account), - as_dict = True) - return jv_entries + t1.name = t2.parent and t1.docstatus = 1 and t2.account = %(party_account)s + and t2.{dr_or_cr} > 0 and ifnull(t2.against_voucher, '')='' and ifnull(t2.against_invoice, '')='' + and ifnull(t2.against_jv, '')='' {cond} + and (CASE + WHEN t1.voucher_type in ('Debit Note', 'Credit Note') + THEN 1=1 + ELSE {bank_account_condition} + END) + group by t1.name, t2.name """.format(**{ + "dr_or_cr": dr_or_cr, + "cond": cond, + "bank_account_condition": bank_account_condition + }), { + "party_account": self.party_account, + "bank_cash_account": "%%%s%%" % self.bank_cash_account + }, as_dict=1) + + self.add_payment_entries(jv_entries) def add_payment_entries(self, jv_entries): self.set('payment_reconciliation_payments', []) @@ -48,14 +58,12 @@ class PaymentReconciliation(Document): ent.amount = flt(e.get('credit')) or flt(e.get('debit')) ent.remark = e.get('remark') ent.voucher_detail_number = e.get('voucher_detail_no') + ent.is_advance = e.get('is_advance') def get_invoice_entries(self): #Fetch JVs, Sales and Purchase Invoices for 'payment_reconciliation_invoices' to reconcile against non_reconciled_invoices = [] - self.check_mandatory() - dr_or_cr = "debit" if self.party_type == "Customer" else "credit" - cond = self.check_condition(dr_or_cr) invoice_list = frappe.db.sql(""" @@ -65,7 +73,7 @@ class PaymentReconciliation(Document): `tabGL Entry` where account = %s and ifnull(%s, 0) > 0 %s - group by voucher_no, voucher_type""" % (dr_or_cr, "%s", + group by voucher_no, voucher_type""" % (dr_or_cr, '%s', dr_or_cr, cond), (self.party_account), as_dict=True) for d in invoice_list: @@ -75,27 +83,30 @@ class PaymentReconciliation(Document): from `tabGL Entry` where - account = %s and against_voucher_type = %s and ifnull(against_voucher, '') = %s""", - (("credit" if self.party_type == "Customer" else "debit"), self.party_account, - d.voucher_type, d.voucher_no)) - + account = %s and against_voucher_type = %s and ifnull(against_voucher, '') = %s""" % + (("credit" if self.party_type == "Customer" else "debit"), '%s', '%s', '%s'), + (self.party_account, d.voucher_type, d.voucher_no)) + payment_amount = payment_amount[0][0] if payment_amount else 0 if d.amount > payment_amount: - non_reconciled_invoices.append({'voucher_no': d.voucher_no, + non_reconciled_invoices.append({ + 'voucher_no': d.voucher_no, 'voucher_type': d.voucher_type, 'posting_date': d.posting_date, 'amount': flt(d.amount), 'outstanding_amount': d.amount - payment_amount}) - return non_reconciled_invoices + self.add_invoice_entries(non_reconciled_invoices) def add_invoice_entries(self, non_reconciled_invoices): #Populate 'payment_reconciliation_invoices' with JVs and Invoices to reconcile against self.set('payment_reconciliation_invoices', []) if not non_reconciled_invoices: - return + frappe.throw(_("No invoices found to be reconciled")) + + for e in non_reconciled_invoices: ent = self.append('payment_reconciliation_invoices', {}) ent.invoice_type = e.get('voucher_type') @@ -104,16 +115,64 @@ class PaymentReconciliation(Document): ent.amount = flt(e.get('amount')) ent.outstanding_amount = e.get('outstanding_amount') - def check_mandatory(self): - pass + def reconcile(self, args): + self.get_invoice_entries() + self.validate_invoice() + dr_or_cr = "credit" if self.party_type == "Customer" else "debit" + lst = [] + for e in self.get('payment_reconciliation_payments'): + lst.append({ + 'voucher_no' : e.journal_voucher, + 'voucher_detail_no' : e.voucher_detail_number, + 'against_voucher_type' : e.invoice_type, + 'against_voucher' : e.invoice_number, + 'account' : self.party_account, + 'is_advance' : e.is_advance, + 'dr_or_cr' : dr_or_cr, + 'unadjusted_amt' : flt(e.amount), + 'allocated_amt' : flt(e.amount) + }) + + if lst: + from erpnext.accounts.utils import reconcile_against_document + reconcile_against_document(lst) + self.get_unreconciled_entries() + msgprint(_("Successfully Reconciled")) + + + def check_mandatory_to_fetch(self): + for fieldname in ["company", "party_account"]: + if not self.get(fieldname): + frappe.throw(_("Please select {0} first").format(self.meta.get_label(fieldname))) + + + def validate_invoice(self): + unreconciled_invoices = frappe._dict() + for d in self.get("payment_reconciliation_invoices"): + unreconciled_invoices.setdefault(d.invoice_type, {}).setdefault(d.invoice_number, d.outstanding_amount) + + invoices_to_reconcile = [] + for p in self.get("payment_reconciliation_payments"): + if p.invoice_type and p.invoice_number: + invoices_to_reconcile.append(p.invoice_number) + + if p.invoice_number not in unreconciled_invoices.get(p.invoice_type): + frappe.throw(_("{0}: {1} not found in Invoice Details table") + .format(p.invoice_type, p.invoice_number)) + + if p.amount > unreconciled_invoices.get(p.invoice_type).get(p.invoice_number): + frappe.throw(_("Row {0}: Payment amount must be less than or equals to invoice outstanding amount").format(p.idx)) + + if not invoices_to_reconcile: + frappe.throw(_("Please select Invoice Type and Invoice Number in atleast one row")) def check_condition(self, dr_or_cr): cond = self.from_date and " and posting_date >= '" + self.from_date + "'" or "" cond += self.to_date and " and posting_date <= '" + self.to_date + "'" or "" if self.minimum_amount: - cond += (" and ifnull(%s), 0) >= %s") % (dr_or_cr, self.minimum_amount) + cond += " and ifnull(%s, 0) >= %s" % (dr_or_cr, self.minimum_amount) if self.maximum_amount: cond += " and ifnull(%s, 0) <= %s" % (dr_or_cr, self.maximum_amount) - return cond \ No newline at end of file + return cond \ No newline at end of file diff --git a/erpnext/accounts/doctype/payment_reconciliation_invoice/payment_reconciliation_invoice.json b/erpnext/accounts/doctype/payment_reconciliation_invoice/payment_reconciliation_invoice.json index 008b3265d8..fba5f4e422 100644 --- a/erpnext/accounts/doctype/payment_reconciliation_invoice/payment_reconciliation_invoice.json +++ b/erpnext/accounts/doctype/payment_reconciliation_invoice/payment_reconciliation_invoice.json @@ -18,6 +18,7 @@ "fieldtype": "Data", "in_list_view": 1, "label": "Invoice Number", + "options": "", "permlevel": 0, "read_only": 1 }, @@ -47,7 +48,7 @@ } ], "istable": 1, - "modified": "2014-07-09 17:15:00.069551", + "modified": "2014-07-17 15:52:28.820965", "modified_by": "Administrator", "module": "Accounts", "name": "Payment Reconciliation Invoice", diff --git a/erpnext/accounts/doctype/payment_reconciliation_payment/payment_reconciliation_payment.json b/erpnext/accounts/doctype/payment_reconciliation_payment/payment_reconciliation_payment.json index 231dfae075..e939b02e1e 100644 --- a/erpnext/accounts/doctype/payment_reconciliation_payment/payment_reconciliation_payment.json +++ b/erpnext/accounts/doctype/payment_reconciliation_payment/payment_reconciliation_payment.json @@ -43,17 +43,18 @@ }, { "fieldname": "invoice_number", - "fieldtype": "Data", + "fieldtype": "Select", "in_list_view": 1, "label": "Invoice Number", + "options": "", "permlevel": 0, "reqd": 1 }, { - "fieldname": "remark", - "fieldtype": "Text", - "in_list_view": 1, - "label": "Remark", + "fieldname": "is_advance", + "fieldtype": "Data", + "hidden": 1, + "label": "Is Advance", "permlevel": 0, "read_only": 1 }, @@ -65,10 +66,18 @@ "label": "Voucher Detail Number", "permlevel": 0, "read_only": 1 + }, + { + "fieldname": "remark", + "fieldtype": "Small Text", + "in_list_view": 1, + "label": "Remark", + "permlevel": 0, + "read_only": 1 } ], "istable": 1, - "modified": "2014-07-14 16:48:45.875052", + "modified": "2014-07-17 18:32:25.230146", "modified_by": "Administrator", "module": "Accounts", "name": "Payment Reconciliation Payment", From d4e080be291b59288645667592006c9479ad81e6 Mon Sep 17 00:00:00 2001 From: nabinhait Date: Thu, 17 Jul 2014 19:31:57 +0530 Subject: [PATCH 359/630] Country mandatory in company master --- erpnext/setup/doctype/company/company.json | 21 +++++++++++---------- 1 file changed, 11 insertions(+), 10 deletions(-) diff --git a/erpnext/setup/doctype/company/company.json b/erpnext/setup/doctype/company/company.json index 51a1ac5ede..4209e7d770 100644 --- a/erpnext/setup/doctype/company/company.json +++ b/erpnext/setup/doctype/company/company.json @@ -53,6 +53,15 @@ "permlevel": 0, "reqd": 0 }, + { + "fieldname": "country", + "fieldtype": "Link", + "in_list_view": 1, + "label": "Country", + "options": "Country", + "permlevel": 0, + "reqd": 1 + }, { "fieldname": "charts_section", "fieldtype": "Section Break", @@ -60,18 +69,10 @@ "label": "Chart of Accounts", "permlevel": 0 }, - { - "fieldname": "country", - "fieldtype": "Link", - "in_list_view": 1, - "label": "Country", - "options": "Country", - "permlevel": 0, - "reqd": 0 - }, { "fieldname": "chart_of_accounts", "fieldtype": "Link", + "hidden": 0, "ignore_user_permissions": 1, "label": "Chart of Accounts", "options": "Chart of Accounts", @@ -348,7 +349,7 @@ ], "icon": "icon-building", "idx": 1, - "modified": "2014-05-27 03:49:08.597191", + "modified": "2014-07-17 19:30:24.487672", "modified_by": "Administrator", "module": "Setup", "name": "Company", From d141cf729366a8de14b6b910de4b426b1d090b63 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Fri, 18 Jul 2014 10:31:34 +0530 Subject: [PATCH 360/630] Minor fix in reorder item --- erpnext/stock/utils.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/stock/utils.py b/erpnext/stock/utils.py index 10f5cc2776..100d338fd6 100644 --- a/erpnext/stock/utils.py +++ b/erpnext/stock/utils.py @@ -192,7 +192,7 @@ def _reorder_item(): item_warehouse_projected_qty = get_item_warehouse_projected_qty() warehouse_company = frappe._dict(frappe.db.sql("""select name, company from `tabWarehouse`""")) - default_company = (frappe.defaults.get_defaults()["company"] or + default_company = (frappe.defaults.get_defaults().get("company") or frappe.db.sql("""select name from tabCompany limit 1""")[0][0]) def add_to_material_request(item_code, warehouse, reorder_level, reorder_qty, material_request_type): From 5283e5a7d8adfc9829f91336e5e329ace5b98e5d Mon Sep 17 00:00:00 2001 From: ankitjavalkarwork Date: Fri, 18 Jul 2014 15:42:45 +0530 Subject: [PATCH 361/630] Add Payment Reconciliation Feature/Tool - JS changes1 --- .../payment_reconciliation.js | 5 ++ .../payment_reconciliation.json | 11 +++- .../payment_reconciliation_invoice.json | 8 ++- .../payment_reconciliation_invoice.py | 4 +- .../payment_reconciliation_payment.json | 50 +++++++++++++------ .../payment_reconciliation_payment.py | 4 +- 6 files changed, 59 insertions(+), 23 deletions(-) diff --git a/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js b/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js index c2ba1e62b3..14520c2a05 100644 --- a/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +++ b/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js @@ -16,8 +16,13 @@ erpnext.accounts.PaymentReconciliationController = frappe.ui.form.Controller.ext ] }; }); + + var help_content = [' Note:', + '
    If you are unable to match the exact amount, then amend your Journal Voucher and split rows such that your amounts match the invoice you are trying to reconcile.
'].join("\n"); + this.frm.set_value("reconcile_help", help_content); }, + get_unreconciled_entries: function() { var me = this; return this.frm.call({ diff --git a/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.json b/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.json index ce0d731786..40b5706260 100644 --- a/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.json +++ b/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.json @@ -108,7 +108,7 @@ { "fieldname": "sec_break2", "fieldtype": "Section Break", - "label": "Invoice/JV Details", + "label": "Invoice/Journal Voucher Details", "permlevel": 0 }, { @@ -118,11 +118,18 @@ "options": "Payment Reconciliation Invoice", "permlevel": 0, "read_only": 1 + }, + { + "fieldname": "reconcile_help", + "fieldtype": "Small Text", + "label": "", + "permlevel": 0, + "read_only": 1 } ], "hide_toolbar": 1, "issingle": 1, - "modified": "2014-07-17 19:07:34.385854", + "modified": "2014-07-18 15:53:20.638456", "modified_by": "Administrator", "module": "Accounts", "name": "Payment Reconciliation", diff --git a/erpnext/accounts/doctype/payment_reconciliation_invoice/payment_reconciliation_invoice.json b/erpnext/accounts/doctype/payment_reconciliation_invoice/payment_reconciliation_invoice.json index fba5f4e422..4e4ee1ae95 100644 --- a/erpnext/accounts/doctype/payment_reconciliation_invoice/payment_reconciliation_invoice.json +++ b/erpnext/accounts/doctype/payment_reconciliation_invoice/payment_reconciliation_invoice.json @@ -30,6 +30,12 @@ "permlevel": 0, "read_only": 1 }, + { + "fieldname": "col_break1", + "fieldtype": "Column Break", + "label": "Column Break", + "permlevel": 0 + }, { "fieldname": "amount", "fieldtype": "Currency", @@ -48,7 +54,7 @@ } ], "istable": 1, - "modified": "2014-07-17 15:52:28.820965", + "modified": "2014-07-18 12:20:51.269974", "modified_by": "Administrator", "module": "Accounts", "name": "Payment Reconciliation Invoice", diff --git a/erpnext/accounts/doctype/payment_reconciliation_invoice/payment_reconciliation_invoice.py b/erpnext/accounts/doctype/payment_reconciliation_invoice/payment_reconciliation_invoice.py index e136881514..3094a173f0 100644 --- a/erpnext/accounts/doctype/payment_reconciliation_invoice/payment_reconciliation_invoice.py +++ b/erpnext/accounts/doctype/payment_reconciliation_invoice/payment_reconciliation_invoice.py @@ -1,4 +1,4 @@ -# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors +# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors and contributors # For license information, please see license.txt from __future__ import unicode_literals @@ -6,4 +6,4 @@ import frappe from frappe.model.document import Document class PaymentReconciliationInvoice(Document): - pass \ No newline at end of file + pass diff --git a/erpnext/accounts/doctype/payment_reconciliation_payment/payment_reconciliation_payment.json b/erpnext/accounts/doctype/payment_reconciliation_payment/payment_reconciliation_payment.json index e939b02e1e..3dd36fc465 100644 --- a/erpnext/accounts/doctype/payment_reconciliation_payment/payment_reconciliation_payment.json +++ b/erpnext/accounts/doctype/payment_reconciliation_payment/payment_reconciliation_payment.json @@ -30,6 +30,29 @@ "permlevel": 0, "read_only": 1 }, + { + "fieldname": "is_advance", + "fieldtype": "Data", + "hidden": 1, + "label": "Is Advance", + "permlevel": 0, + "read_only": 1 + }, + { + "fieldname": "voucher_detail_number", + "fieldtype": "Data", + "hidden": 1, + "in_list_view": 0, + "label": "Voucher Detail Number", + "permlevel": 0, + "read_only": 1 + }, + { + "fieldname": "col_break1", + "fieldtype": "Column Break", + "label": "Column Break", + "permlevel": 0 + }, { "default": "Sales Invoice", "fieldname": "invoice_type", @@ -51,21 +74,10 @@ "reqd": 1 }, { - "fieldname": "is_advance", - "fieldtype": "Data", - "hidden": 1, - "label": "Is Advance", - "permlevel": 0, - "read_only": 1 - }, - { - "fieldname": "voucher_detail_number", - "fieldtype": "Data", - "hidden": 1, - "in_list_view": 0, - "label": "Voucher Detail Number", - "permlevel": 0, - "read_only": 1 + "fieldname": "sec_break1", + "fieldtype": "Section Break", + "label": "", + "permlevel": 0 }, { "fieldname": "remark", @@ -74,10 +86,16 @@ "label": "Remark", "permlevel": 0, "read_only": 1 + }, + { + "fieldname": "col_break2", + "fieldtype": "Column Break", + "label": "Column Break", + "permlevel": 0 } ], "istable": 1, - "modified": "2014-07-17 18:32:25.230146", + "modified": "2014-07-18 15:53:15.589501", "modified_by": "Administrator", "module": "Accounts", "name": "Payment Reconciliation Payment", diff --git a/erpnext/accounts/doctype/payment_reconciliation_payment/payment_reconciliation_payment.py b/erpnext/accounts/doctype/payment_reconciliation_payment/payment_reconciliation_payment.py index 9082ef9bcf..21e19bdd71 100644 --- a/erpnext/accounts/doctype/payment_reconciliation_payment/payment_reconciliation_payment.py +++ b/erpnext/accounts/doctype/payment_reconciliation_payment/payment_reconciliation_payment.py @@ -1,4 +1,4 @@ -# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors +# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors and contributors # For license information, please see license.txt from __future__ import unicode_literals @@ -6,4 +6,4 @@ import frappe from frappe.model.document import Document class PaymentReconciliationPayment(Document): - pass \ No newline at end of file + pass From b1c5738a677fc982bbc700d2464b02e3a75aa55c Mon Sep 17 00:00:00 2001 From: nabinhait Date: Sat, 19 Jul 2014 16:53:45 +0530 Subject: [PATCH 362/630] Fixes overflow tolerance --- erpnext/controllers/status_updater.py | 5 ++--- 1 file changed, 2 insertions(+), 3 deletions(-) diff --git a/erpnext/controllers/status_updater.py b/erpnext/controllers/status_updater.py index 3c6355488f..7a4a30004b 100644 --- a/erpnext/controllers/status_updater.py +++ b/erpnext/controllers/status_updater.py @@ -152,7 +152,7 @@ class StatusUpdater(Document): overflow_percent = ((item[args['target_field']] - item[args['target_ref_field']]) / item[args['target_ref_field']]) * 100 - + print overflow_percent - tolerance if overflow_percent - tolerance > 0.01: item['max_allowed'] = flt(item[args['target_ref_field']] * (100+tolerance)/100) item['reduce_by'] = item[args['target_field']] - item['max_allowed'] @@ -266,8 +266,7 @@ def get_tolerance_for(item_code, item_tolerance={}, global_tolerance=None): if not tolerance: if global_tolerance == None: - global_tolerance = flt(frappe.db.get_value('Global Defaults', None, - 'tolerance')) + global_tolerance = flt(frappe.db.get_value('Stock Settings', None, 'tolerance')) tolerance = global_tolerance item_tolerance[item_code] = tolerance From 711e8bec3df43c2893fb2ba4f88d621ea2475fb1 Mon Sep 17 00:00:00 2001 From: nabinhait Date: Sat, 19 Jul 2014 17:00:15 +0530 Subject: [PATCH 363/630] Fixes overflow tolerance --- erpnext/controllers/status_updater.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/controllers/status_updater.py b/erpnext/controllers/status_updater.py index 7a4a30004b..6a2dce00fc 100644 --- a/erpnext/controllers/status_updater.py +++ b/erpnext/controllers/status_updater.py @@ -152,7 +152,7 @@ class StatusUpdater(Document): overflow_percent = ((item[args['target_field']] - item[args['target_ref_field']]) / item[args['target_ref_field']]) * 100 - print overflow_percent - tolerance + if overflow_percent - tolerance > 0.01: item['max_allowed'] = flt(item[args['target_ref_field']] * (100+tolerance)/100) item['reduce_by'] = item[args['target_field']] - item['max_allowed'] From b1e7bf16bab7811fd82e718c28f2ff371e880986 Mon Sep 17 00:00:00 2001 From: nabinhait Date: Sat, 19 Jul 2014 17:56:43 +0530 Subject: [PATCH 364/630] Translate while creating India specific accounts --- .../company/fixtures/india/__init__.py | 72 ++++++++++--------- 1 file changed, 37 insertions(+), 35 deletions(-) diff --git a/erpnext/setup/doctype/company/fixtures/india/__init__.py b/erpnext/setup/doctype/company/fixtures/india/__init__.py index fa45ab0364..d52b30402e 100644 --- a/erpnext/setup/doctype/company/fixtures/india/__init__.py +++ b/erpnext/setup/doctype/company/fixtures/india/__init__.py @@ -4,6 +4,7 @@ from __future__ import unicode_literals import frappe +from frappe import _ def install(company): docs = [ @@ -27,44 +28,45 @@ def install(company): 'group_or_ledger': 2, 'account_type': 3, 'report_type': 4, - 'tax_rate': 5 + 'tax_rate': 5, + 'root_type': 6 } acc_list_india = [ - ['CENVAT Capital Goods','Tax Assets','Ledger','Chargeable','Balance Sheet', None], - ['CENVAT','Tax Assets','Ledger','Chargeable','Balance Sheet', None], - ['CENVAT Service Tax','Tax Assets','Ledger','Chargeable','Balance Sheet', None], - ['CENVAT Service Tax Cess 1','Tax Assets','Ledger','Chargeable','Balance Sheet', None], - ['CENVAT Service Tax Cess 2','Tax Assets','Ledger','Chargeable','Balance Sheet', None], - ['CENVAT Edu Cess','Tax Assets','Ledger','Chargeable','Balance Sheet', None], - ['CENVAT SHE Cess','Tax Assets','Ledger','Chargeable','Balance Sheet', None], - ['Excise Duty 4','Tax Assets','Ledger','Tax','Balance Sheet','4.00'], - ['Excise Duty 8','Tax Assets','Ledger','Tax','Balance Sheet','8.00'], - ['Excise Duty 10','Tax Assets','Ledger','Tax','Balance Sheet','10.00'], - ['Excise Duty 14','Tax Assets','Ledger','Tax','Balance Sheet','14.00'], - ['Excise Duty Edu Cess 2','Tax Assets','Ledger','Tax','Balance Sheet','2.00'], - ['Excise Duty SHE Cess 1','Tax Assets','Ledger','Tax','Balance Sheet','1.00'], - ['P L A','Tax Assets','Ledger','Chargeable','Balance Sheet', None], - ['P L A - Cess Portion','Tax Assets','Ledger','Chargeable','Balance Sheet', None], - ['Edu. Cess on Excise','Duties and Taxes','Ledger','Tax','Balance Sheet','2.00'], - ['Edu. Cess on Service Tax','Duties and Taxes','Ledger','Tax','Balance Sheet','2.00'], - ['Edu. Cess on TDS','Duties and Taxes','Ledger','Tax','Balance Sheet','2.00'], - ['Excise Duty @ 4','Duties and Taxes','Ledger','Tax','Balance Sheet','4.00'], - ['Excise Duty @ 8','Duties and Taxes','Ledger','Tax','Balance Sheet','8.00'], - ['Excise Duty @ 10','Duties and Taxes','Ledger','Tax','Balance Sheet','10.00'], - ['Excise Duty @ 14','Duties and Taxes','Ledger','Tax','Balance Sheet','14.00'], - ['Service Tax','Duties and Taxes','Ledger','Tax','Balance Sheet','10.3'], - ['SHE Cess on Excise','Duties and Taxes','Ledger','Tax','Balance Sheet','1.00'], - ['SHE Cess on Service Tax','Duties and Taxes','Ledger','Tax','Balance Sheet','1.00'], - ['SHE Cess on TDS','Duties and Taxes','Ledger','Tax','Balance Sheet','1.00'], - ['Professional Tax','Duties and Taxes','Ledger','Chargeable','Balance Sheet', None], - ['VAT','Duties and Taxes','Ledger','Chargeable','Balance Sheet', None], - ['TDS (Advertisement)','Duties and Taxes','Ledger','Chargeable','Balance Sheet', None], - ['TDS (Commission)','Duties and Taxes','Ledger','Chargeable','Balance Sheet', None], - ['TDS (Contractor)','Duties and Taxes','Ledger','Chargeable','Balance Sheet', None], - ['TDS (Interest)','Duties and Taxes','Ledger','Chargeable','Balance Sheet', None], - ['TDS (Rent)','Duties and Taxes','Ledger','Chargeable','Balance Sheet', None], - ['TDS (Salary)','Duties and Taxes','Ledger','Chargeable','Balance Sheet', None] + [_('CENVAT Capital Goods'),_(_('Tax Assets')),'Ledger','Chargeable','Balance Sheet', None, 'Asset'], + [_('CENVAT'),_('Tax Assets'),'Ledger','Chargeable','Balance Sheet', None, 'Asset'], + [_('CENVAT Service Tax'),_('Tax Assets'),'Ledger','Chargeable','Balance Sheet', None, 'Asset'], + [_('CENVAT Service Tax Cess 1'),_('Tax Assets'),'Ledger','Chargeable','Balance Sheet', None, 'Asset'], + [_('CENVAT Service Tax Cess 2'),_('Tax Assets'),'Ledger','Chargeable','Balance Sheet', None, 'Asset'], + [_('CENVAT Edu Cess'),_('Tax Assets'),'Ledger','Chargeable','Balance Sheet', None, 'Asset'], + [_('CENVAT SHE Cess'),_('Tax Assets'),'Ledger','Chargeable','Balance Sheet', None, 'Asset'], + [_('Excise Duty 4'),_('Tax Assets'),'Ledger','Tax','Balance Sheet','4.00', 'Asset'], + [_('Excise Duty 8'),_('Tax Assets'),'Ledger','Tax','Balance Sheet','8.00', 'Asset'], + [_('Excise Duty 10'),_('Tax Assets'),'Ledger','Tax','Balance Sheet','10.00', 'Asset'], + [_('Excise Duty 14'),_('Tax Assets'),'Ledger','Tax','Balance Sheet','14.00', 'Asset'], + [_('Excise Duty Edu Cess 2'),_('Tax Assets'),'Ledger','Tax','Balance Sheet','2.00', 'Asset'], + [_('Excise Duty SHE Cess 1'),_('Tax Assets'),'Ledger','Tax','Balance Sheet','1.00', 'Asset'], + [_('P L A'),_('Tax Assets'),'Ledger','Chargeable','Balance Sheet', None, 'Asset'], + [_('P L A - Cess Portion'),_('Tax Assets'),'Ledger','Chargeable','Balance Sheet', None, 'Asset'], + [_('Edu. Cess on Excise'),_('Duties and Taxes'),'Ledger','Tax','Balance Sheet','2.00', 'Liability'], + [_('Edu. Cess on Service Tax'),_('Duties and Taxes'),'Ledger','Tax','Balance Sheet','2.00', 'Liability'], + [_('Edu. Cess on TDS'),_('Duties and Taxes'),'Ledger','Tax','Balance Sheet','2.00', 'Liability'], + [_('Excise Duty @ 4'),_('Duties and Taxes'),'Ledger','Tax','Balance Sheet','4.00', 'Liability'], + [_('Excise Duty @ 8'),_('Duties and Taxes'),'Ledger','Tax','Balance Sheet','8.00', 'Liability'], + [_('Excise Duty @ 10'),_('Duties and Taxes'),'Ledger','Tax','Balance Sheet','10.00', 'Liability'], + [_('Excise Duty @ 14'),_('Duties and Taxes'),'Ledger','Tax','Balance Sheet','14.00', 'Liability'], + [_('Service Tax'),_('Duties and Taxes'),'Ledger','Tax','Balance Sheet','10.3', 'Liability'], + [_('SHE Cess on Excise'),_('Duties and Taxes'),'Ledger','Tax','Balance Sheet','1.00', 'Liability'], + [_('SHE Cess on Service Tax'),_('Duties and Taxes'),'Ledger','Tax','Balance Sheet','1.00', 'Liability'], + [_('SHE Cess on TDS'),_('Duties and Taxes'),'Ledger','Tax','Balance Sheet','1.00', 'Liability'], + [_('Professional Tax'),_('Duties and Taxes'),'Ledger','Chargeable','Balance Sheet', None, 'Liability'], + [_('VAT'),_('Duties and Taxes'),'Ledger','Chargeable','Balance Sheet', None, 'Liability'], + [_('TDS (Advertisement)'),_('Duties and Taxes'),'Ledger','Chargeable','Balance Sheet', None, 'Liability'], + [_('TDS (Commission)'),_('Duties and Taxes'),'Ledger','Chargeable','Balance Sheet', None, 'Liability'], + [_('TDS (Contractor)'),_('Duties and Taxes'),'Ledger','Chargeable','Balance Sheet', None, 'Liability'], + [_('TDS (Interest)'),_('Duties and Taxes'),'Ledger','Chargeable','Balance Sheet', None, 'Liability'], + [_('TDS (Rent)'),_('Duties and Taxes'),'Ledger','Chargeable','Balance Sheet', None, 'Liability'], + [_('TDS (Salary)'),_('Duties and Taxes'),'Ledger','Chargeable','Balance Sheet', None, 'Liability'] ] for lst in acc_list_india: From 059f1e09a8252e9b31718b5449bcfc2304e95349 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Mon, 14 Jul 2014 19:06:52 +0530 Subject: [PATCH 365/630] Balance Sheet - first cut --- .../doctype/fiscal_year/fiscal_year.json | 6 +- .../accounts/report/balance_sheet/__init__.py | 0 .../report/balance_sheet/balance_sheet.js | 31 ++++++ .../report/balance_sheet/balance_sheet.json | 15 +++ .../report/balance_sheet/balance_sheet.py | 99 +++++++++++++++++++ 5 files changed, 149 insertions(+), 2 deletions(-) create mode 100644 erpnext/accounts/report/balance_sheet/__init__.py create mode 100644 erpnext/accounts/report/balance_sheet/balance_sheet.js create mode 100644 erpnext/accounts/report/balance_sheet/balance_sheet.json create mode 100644 erpnext/accounts/report/balance_sheet/balance_sheet.py diff --git a/erpnext/accounts/doctype/fiscal_year/fiscal_year.json b/erpnext/accounts/doctype/fiscal_year/fiscal_year.json index dcd5a7608c..0f7aefd312 100644 --- a/erpnext/accounts/doctype/fiscal_year/fiscal_year.json +++ b/erpnext/accounts/doctype/fiscal_year/fiscal_year.json @@ -55,7 +55,7 @@ ], "icon": "icon-calendar", "idx": 1, - "modified": "2014-05-27 03:49:10.942338", + "modified": "2014-07-14 05:30:56.843180", "modified_by": "Administrator", "module": "Accounts", "name": "Fiscal Year", @@ -82,5 +82,7 @@ "read": 1, "role": "All" } - ] + ], + "sort_field": "name", + "sort_order": "DESC" } \ No newline at end of file diff --git a/erpnext/accounts/report/balance_sheet/__init__.py b/erpnext/accounts/report/balance_sheet/__init__.py new file mode 100644 index 0000000000..e69de29bb2 diff --git a/erpnext/accounts/report/balance_sheet/balance_sheet.js b/erpnext/accounts/report/balance_sheet/balance_sheet.js new file mode 100644 index 0000000000..9bdd298077 --- /dev/null +++ b/erpnext/accounts/report/balance_sheet/balance_sheet.js @@ -0,0 +1,31 @@ +// Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors +// License: GNU General Public License v3. See license.txt + +frappe.query_reports["Balance Sheet"] = { + "filters": [ + { + "fieldname":"company", + "label": __("Company"), + "fieldtype": "Link", + "options": "Company", + "default": frappe.defaults.get_user_default("company"), + "reqd": 1 + }, + { + "fieldname":"fiscal_year", + "label": __("Fiscal Year"), + "fieldtype": "Link", + "options": "Fiscal Year", + "default": frappe.defaults.get_user_default("fiscal_year"), + "reqd": 1 + }, + { + "fieldname": "periodicity", + "label": __("Periodicity"), + "fieldtype": "Select", + "options": "Yearly\nQuarterly\nMonthly", + "default": "Yearly", + "reqd": 1 + } + ] +} diff --git a/erpnext/accounts/report/balance_sheet/balance_sheet.json b/erpnext/accounts/report/balance_sheet/balance_sheet.json new file mode 100644 index 0000000000..af299bb29c --- /dev/null +++ b/erpnext/accounts/report/balance_sheet/balance_sheet.json @@ -0,0 +1,15 @@ +{ + "apply_user_permissions": 1, + "creation": "2014-07-14 05:24:20.385279", + "docstatus": 0, + "doctype": "Report", + "is_standard": "Yes", + "modified": "2014-07-14 05:24:20.385279", + "modified_by": "Administrator", + "module": "Accounts", + "name": "Balance Sheet", + "owner": "Administrator", + "ref_doctype": "GL Entry", + "report_name": "Balance Sheet", + "report_type": "Script Report" +} \ No newline at end of file diff --git a/erpnext/accounts/report/balance_sheet/balance_sheet.py b/erpnext/accounts/report/balance_sheet/balance_sheet.py new file mode 100644 index 0000000000..dc71e92138 --- /dev/null +++ b/erpnext/accounts/report/balance_sheet/balance_sheet.py @@ -0,0 +1,99 @@ +# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors +# License: GNU General Public License v3. See license.txt + +from __future__ import unicode_literals +import frappe +from frappe.utils import cstr, flt +from frappe import _ + +def execute(filters=None): + company = filters.company + fiscal_year = filters.fiscal_year + depth = 3 + end_date = frappe.db.get_value("Fiscal Year", fiscal_year, "year_end_date") + + for root_type, balance_must_be in (("Asset", "Debit"), ("Liability", "Credit"), ("Equity", "Credit")): + accounts, account_gl_entries = get_accounts_and_gl_entries(root_type, company, end_date) + if accounts: + accounts, accounts_map = filter_accounts(accounts, depth=depth) + + for d in accounts: + d.debit = d.credit = 0 + for account_name in ([d.name] + (d.invisible_children or [])): + for each in account_gl_entries.get(account_name, []): + d.debit += flt(each.debit) + d.credit += flt(each.credit) + + for d in reversed(accounts): + if d.parent_account: + accounts_map[d.parent_account]["debit"] += d.debit + accounts_map[d.parent_account]["credit"] += d.credit + + for d in accounts: + d.balance = d["debit"] - d["credit"] + if d.balance: + d.balance *= (1 if balance_must_be=="Debit" else -1) + print (" " * d["indent"] * 2) + d["account_name"], d["balance"], balance_must_be + + return [], [] + +def get_accounts_and_gl_entries(root_type, company, end_date): + # root lft, rgt + root_account = frappe.db.sql("""select lft, rgt from `tabAccount` + where company=%s and root_type=%s order by lft limit 1""", + (company, root_type), as_dict=True) + + if not root_account: + return None, None + + lft, rgt = root_account[0].lft, root_account[0].rgt + + accounts = frappe.db.sql("""select * from `tabAccount` + where company=%(company)s and lft >= %(lft)s and rgt <= %(rgt)s order by lft""", + { "company": company, "lft": lft, "rgt": rgt }, as_dict=True) + + gl_entries = frappe.db.sql("""select * from `tabGL Entry` + where company=%(company)s + and posting_date <= %(end_date)s + and account in (select name from `tabAccount` + where lft >= %(lft)s and rgt <= %(rgt)s)""", + { + "company": company, + "end_date": end_date, + "lft": lft, + "rgt": rgt + }, + as_dict=True) + + account_gl_entries = {} + for entry in gl_entries: + account_gl_entries.setdefault(entry.account, []).append(entry) + + return accounts, account_gl_entries + +def filter_accounts(accounts, depth): + parent_children_map = {} + accounts_map = {} + for d in accounts: + accounts_map[d.name] = d + parent_children_map.setdefault(d.parent_account or None, []).append(d) + + data = [] + def add_to_data(parent, level): + if level < depth: + for child in (parent_children_map.get(parent) or []): + child.indent = level + data.append(child) + add_to_data(child.name, level + 1) + + else: + # include all children at level lower than the depth + parent_account = accounts_map[parent] + parent_account["invisible_children"] = [] + for d in accounts: + if d.lft > parent_account.lft and d.rgt < parent_account.rgt: + parent_account["invisible_children"].append(d.name) + + add_to_data(None, 0) + + return data, accounts_map From fa576a22e333b192cdfcdc8f82626288812edba6 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Thu, 17 Jul 2014 19:12:28 +0530 Subject: [PATCH 366/630] Balance Sheet --- .../report/balance_sheet/balance_sheet.html | 46 +++++++ .../report/balance_sheet/balance_sheet.js | 44 ++++++- .../report/balance_sheet/balance_sheet.py | 120 +++++++++++++++--- erpnext/config/accounts.py | 6 + 4 files changed, 199 insertions(+), 17 deletions(-) create mode 100644 erpnext/accounts/report/balance_sheet/balance_sheet.html diff --git a/erpnext/accounts/report/balance_sheet/balance_sheet.html b/erpnext/accounts/report/balance_sheet/balance_sheet.html new file mode 100644 index 0000000000..a6a33f594e --- /dev/null +++ b/erpnext/accounts/report/balance_sheet/balance_sheet.html @@ -0,0 +1,46 @@ + + +

{%= __("Balance Sheet") %}

+

{%= filters.fiscal_year %}

+
+
+ + + + {% for(var i=2, l=report.columns.length; i{%= report.columns[i].label %} + {% } %} + + + + {% for(var j=0, k=data.length; j + + {% for(var i=2, l=report.columns.length; i + {% var fieldname = report.columns[i].field; %} + {% if (!is_null(row[fieldname])) { %} + {%= format_currency(row[fieldname]) %} + {% } %} + + {% } %} + + {% } %} + +
+ {%= row.account_name %} +
+

Printed On {%= dateutil.str_to_user(dateutil.get_datetime_as_string()) %}

diff --git a/erpnext/accounts/report/balance_sheet/balance_sheet.js b/erpnext/accounts/report/balance_sheet/balance_sheet.js index 9bdd298077..378a687378 100644 --- a/erpnext/accounts/report/balance_sheet/balance_sheet.js +++ b/erpnext/accounts/report/balance_sheet/balance_sheet.js @@ -1,7 +1,9 @@ // Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors // License: GNU General Public License v3. See license.txt -frappe.query_reports["Balance Sheet"] = { +frappe.provide("erpnext.balance_sheet"); + +erpnext.balance_sheet = frappe.query_reports["Balance Sheet"] = { "filters": [ { "fieldname":"company", @@ -26,6 +28,44 @@ frappe.query_reports["Balance Sheet"] = { "options": "Yearly\nQuarterly\nMonthly", "default": "Yearly", "reqd": 1 + }, + { + "fieldname": "depth", + "label": __("Depth"), + "fieldtype": "Select", + "options": "3\n4\n5", + "default": "3" } - ] + ], + "formatter": function(row, cell, value, columnDef, dataContext) { + if (columnDef.df.fieldname=="account") { + var link = $("
") + .text(dataContext.account_name) + .attr("onclick", 'erpnext.balance_sheet.open_general_ledger("' + dataContext.account + '")'); + + var span = $("") + .css("padding-left", (cint(dataContext.indent) * 21) + "px") + .append(link); + + value = span.wrap("

").parent().html(); + + } else { + value = frappe.query_reports["Balance Sheet"].default_formatter(row, cell, value, columnDef, dataContext); + } + + if (!dataContext.parent_account) { + value = $(value).css("font-weight", "bold").wrap("

").parent().html(); + } + + return value; + }, + "open_general_ledger": function(account) { + if (!account) return; + + frappe.route_options = { + "account": account, + "company": frappe.query_report.filters_by_name.company.get_value() + }; + frappe.set_route("query-report", "General Ledger"); + } } diff --git a/erpnext/accounts/report/balance_sheet/balance_sheet.py b/erpnext/accounts/report/balance_sheet/balance_sheet.py index dc71e92138..3bf424c89b 100644 --- a/erpnext/accounts/report/balance_sheet/balance_sheet.py +++ b/erpnext/accounts/report/balance_sheet/balance_sheet.py @@ -2,40 +2,76 @@ # License: GNU General Public License v3. See license.txt from __future__ import unicode_literals +import babel.dates import frappe -from frappe.utils import cstr, flt +from frappe.utils import (cstr, flt, cint, + getdate, get_first_day, get_last_day, add_months, add_days, now_datetime) from frappe import _ def execute(filters=None): company = filters.company fiscal_year = filters.fiscal_year - depth = 3 - end_date = frappe.db.get_value("Fiscal Year", fiscal_year, "year_end_date") + depth = cint(filters.depth) or 3 + start_date, end_date = frappe.db.get_value("Fiscal Year", fiscal_year, ["year_start_date", "year_end_date"]) + period_list = get_period_list(start_date, end_date, filters.get("periodicity") or "Yearly", fiscal_year) - for root_type, balance_must_be in (("Asset", "Debit"), ("Liability", "Credit"), ("Equity", "Credit")): + out = [] + for (root_type, balance_must_be) in (("Asset", "Debit"), ("Liability", "Credit"), ("Equity", "Credit")): + data = [] accounts, account_gl_entries = get_accounts_and_gl_entries(root_type, company, end_date) if accounts: accounts, accounts_map = filter_accounts(accounts, depth=depth) for d in accounts: - d.debit = d.credit = 0 for account_name in ([d.name] + (d.invisible_children or [])): for each in account_gl_entries.get(account_name, []): - d.debit += flt(each.debit) - d.credit += flt(each.credit) + for period_start_date, period_end_date, period_key, period_label in period_list: + each.posting_date = getdate(each.posting_date) + + # check if posting date is within the period + if ((not period_start_date or (each.posting_date >= period_start_date)) + and (each.posting_date <= period_end_date)): + + d[period_key] = d.get(period_key, 0.0) + flt(each.debit) - flt(each.credit) for d in reversed(accounts): if d.parent_account: - accounts_map[d.parent_account]["debit"] += d.debit - accounts_map[d.parent_account]["credit"] += d.credit + for period_start_date, period_end_date, period_key, period_label in period_list: + accounts_map[d.parent_account][period_key] = accounts_map[d.parent_account].get(period_key, 0.0) + d.get(period_key, 0.0) - for d in accounts: - d.balance = d["debit"] - d["credit"] - if d.balance: - d.balance *= (1 if balance_must_be=="Debit" else -1) - print (" " * d["indent"] * 2) + d["account_name"], d["balance"], balance_must_be + for i, d in enumerate(accounts): + has_value = False + row = {"account_name": d["account_name"], "account": d["name"], "indent": d["indent"], "parent_account": d["parent_account"]} + for period_start_date, period_end_date, period_key, period_label in period_list: + if d.get(period_key): + d[period_key] *= (1 if balance_must_be=="Debit" else -1) - return [], [] + row[period_key] = d.get(period_key, 0.0) + if row[period_key]: + has_value = True + + if has_value: + data.append(row) + + if data: + row = {"account_name": _("Total ({0})").format(balance_must_be), "account": None} + for period_start_date, period_end_date, period_key, period_label in period_list: + if period_key in data[0]: + row[period_key] = data[0].get(period_key, 0.0) + data[0][period_key] = "" + + data.append(row) + + # blank row after Total + data.append({}) + + out.extend(data) + + columns = [{"fieldname": "account", "label": _("Account"), "fieldtype": "Link", "options": "Account", "width": 300}] + for period_start_date, period_end_date, period_key, period_label in period_list: + columns.append({"fieldname": period_key, "label": period_label, "fieldtype": "Currency", "width": 150}) + + return columns, out def get_accounts_and_gl_entries(root_type, company, end_date): # root lft, rgt @@ -97,3 +133,57 @@ def filter_accounts(accounts, depth): add_to_data(None, 0) return data, accounts_map + +def get_period_list(start_date, end_date, periodicity, fiscal_year): + """Get a list of tuples that represents (period_start_date, period_end_date, period_key) + Periodicity can be (Yearly, Quarterly, Monthly)""" + + start_date = getdate(start_date) + end_date = getdate(end_date) + today = now_datetime().date() + + if periodicity == "Yearly": + period_list = [(None, end_date, fiscal_year, fiscal_year)] + else: + months_to_add = { + "Half-yearly": 6, + "Quarterly": 3, + "Monthly": 1 + }[periodicity] + + period_list = [] + + # start with first day, so as to avoid year start dates like 2-April if every they occur + next_date = get_first_day(start_date) + + for i in xrange(12 / months_to_add): + next_date = add_months(next_date, months_to_add) + + if next_date == get_first_day(next_date): + # if first day, get the last day of previous month + next_date = add_days(next_date, -1) + else: + # get the last day of the month + next_date = get_last_day(next_date) + + # checking in the middle of the fiscal year? don't show future periods + if next_date > today: + break + + elif next_date <= end_date: + key = next_date.strftime("%b_%Y").lower() + label = babel.dates.format_date(next_date, "MMM YYYY", locale=(frappe.local.lang or "").replace("-", "_")) + period_list.append((None, next_date, key, label)) + + # if it ends before a full year + if next_date == end_date: + break + + else: + # if it ends before a full year + key = end_date.strftime("%b_%Y").lower() + label = babel.dates.format_date(end_date, "MMM YYYY", locale=(frappe.local.lang or "").replace("-", "_")) + period_list.append((None, end_date, key, label)) + break + + return period_list diff --git a/erpnext/config/accounts.py b/erpnext/config/accounts.py index 2d757f1ef5..0e3e2d4ae5 100644 --- a/erpnext/config/accounts.py +++ b/erpnext/config/accounts.py @@ -195,6 +195,12 @@ def get_data(): "doctype": "Purchase Invoice", "is_query_report": True }, + { + "type": "report", + "name": "Balance Sheet", + "doctype": "GL Entry", + "is_query_report": True + }, { "type": "page", "name": "financial-analytics", From 825d01461663a486293f9db869272d47614e0ea8 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Fri, 18 Jul 2014 18:05:26 +0530 Subject: [PATCH 367/630] Commonfied code for Financial Statements and added Profit and Loss Statement --- .../report/balance_sheet/balance_sheet.js | 69 +---- .../report/balance_sheet/balance_sheet.py | 186 +------------ ...e_sheet.html => financial_statements.html} | 21 +- .../accounts/report/financial_statements.py | 252 ++++++++++++++++++ .../profit_and_loss_statement/__init__.py | 0 .../profit_and_loss_statement.js | 6 + .../profit_and_loss_statement.json | 17 ++ .../profit_and_loss_statement.py | 42 +++ erpnext/config/accounts.py | 6 + erpnext/public/js/financial_statements.js | 68 +++++ 10 files changed, 417 insertions(+), 250 deletions(-) rename erpnext/accounts/report/{balance_sheet/balance_sheet.html => financial_statements.html} (56%) create mode 100644 erpnext/accounts/report/financial_statements.py create mode 100644 erpnext/accounts/report/profit_and_loss_statement/__init__.py create mode 100644 erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.js create mode 100644 erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.json create mode 100644 erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py create mode 100644 erpnext/public/js/financial_statements.js diff --git a/erpnext/accounts/report/balance_sheet/balance_sheet.js b/erpnext/accounts/report/balance_sheet/balance_sheet.js index 378a687378..a28008e9b6 100644 --- a/erpnext/accounts/report/balance_sheet/balance_sheet.js +++ b/erpnext/accounts/report/balance_sheet/balance_sheet.js @@ -1,71 +1,6 @@ // Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors // License: GNU General Public License v3. See license.txt -frappe.provide("erpnext.balance_sheet"); +frappe.require("assets/erpnext/js/financial_statements.js"); -erpnext.balance_sheet = frappe.query_reports["Balance Sheet"] = { - "filters": [ - { - "fieldname":"company", - "label": __("Company"), - "fieldtype": "Link", - "options": "Company", - "default": frappe.defaults.get_user_default("company"), - "reqd": 1 - }, - { - "fieldname":"fiscal_year", - "label": __("Fiscal Year"), - "fieldtype": "Link", - "options": "Fiscal Year", - "default": frappe.defaults.get_user_default("fiscal_year"), - "reqd": 1 - }, - { - "fieldname": "periodicity", - "label": __("Periodicity"), - "fieldtype": "Select", - "options": "Yearly\nQuarterly\nMonthly", - "default": "Yearly", - "reqd": 1 - }, - { - "fieldname": "depth", - "label": __("Depth"), - "fieldtype": "Select", - "options": "3\n4\n5", - "default": "3" - } - ], - "formatter": function(row, cell, value, columnDef, dataContext) { - if (columnDef.df.fieldname=="account") { - var link = $("") - .text(dataContext.account_name) - .attr("onclick", 'erpnext.balance_sheet.open_general_ledger("' + dataContext.account + '")'); - - var span = $("") - .css("padding-left", (cint(dataContext.indent) * 21) + "px") - .append(link); - - value = span.wrap("

").parent().html(); - - } else { - value = frappe.query_reports["Balance Sheet"].default_formatter(row, cell, value, columnDef, dataContext); - } - - if (!dataContext.parent_account) { - value = $(value).css("font-weight", "bold").wrap("

").parent().html(); - } - - return value; - }, - "open_general_ledger": function(account) { - if (!account) return; - - frappe.route_options = { - "account": account, - "company": frappe.query_report.filters_by_name.company.get_value() - }; - frappe.set_route("query-report", "General Ledger"); - } -} +frappe.query_reports["Balance Sheet"] = erpnext.financial_statements; diff --git a/erpnext/accounts/report/balance_sheet/balance_sheet.py b/erpnext/accounts/report/balance_sheet/balance_sheet.py index 3bf424c89b..dd6abfd01c 100644 --- a/erpnext/accounts/report/balance_sheet/balance_sheet.py +++ b/erpnext/accounts/report/balance_sheet/balance_sheet.py @@ -2,188 +2,22 @@ # License: GNU General Public License v3. See license.txt from __future__ import unicode_literals -import babel.dates import frappe -from frappe.utils import (cstr, flt, cint, - getdate, get_first_day, get_last_day, add_months, add_days, now_datetime) -from frappe import _ +from erpnext.accounts.report.financial_statements import (process_filters, get_period_list, get_columns, get_data) + +print_path = "accounts/report/financial_statements.html" def execute(filters=None): - company = filters.company - fiscal_year = filters.fiscal_year - depth = cint(filters.depth) or 3 - start_date, end_date = frappe.db.get_value("Fiscal Year", fiscal_year, ["year_start_date", "year_end_date"]) - period_list = get_period_list(start_date, end_date, filters.get("periodicity") or "Yearly", fiscal_year) - - out = [] - for (root_type, balance_must_be) in (("Asset", "Debit"), ("Liability", "Credit"), ("Equity", "Credit")): - data = [] - accounts, account_gl_entries = get_accounts_and_gl_entries(root_type, company, end_date) - if accounts: - accounts, accounts_map = filter_accounts(accounts, depth=depth) - - for d in accounts: - for account_name in ([d.name] + (d.invisible_children or [])): - for each in account_gl_entries.get(account_name, []): - for period_start_date, period_end_date, period_key, period_label in period_list: - each.posting_date = getdate(each.posting_date) - - # check if posting date is within the period - if ((not period_start_date or (each.posting_date >= period_start_date)) - and (each.posting_date <= period_end_date)): - - d[period_key] = d.get(period_key, 0.0) + flt(each.debit) - flt(each.credit) - - for d in reversed(accounts): - if d.parent_account: - for period_start_date, period_end_date, period_key, period_label in period_list: - accounts_map[d.parent_account][period_key] = accounts_map[d.parent_account].get(period_key, 0.0) + d.get(period_key, 0.0) - - for i, d in enumerate(accounts): - has_value = False - row = {"account_name": d["account_name"], "account": d["name"], "indent": d["indent"], "parent_account": d["parent_account"]} - for period_start_date, period_end_date, period_key, period_label in period_list: - if d.get(period_key): - d[period_key] *= (1 if balance_must_be=="Debit" else -1) - - row[period_key] = d.get(period_key, 0.0) - if row[period_key]: - has_value = True - - if has_value: - data.append(row) - - if data: - row = {"account_name": _("Total ({0})").format(balance_must_be), "account": None} - for period_start_date, period_end_date, period_key, period_label in period_list: - if period_key in data[0]: - row[period_key] = data[0].get(period_key, 0.0) - data[0][period_key] = "" - - data.append(row) - - # blank row after Total - data.append({}) - - out.extend(data) - - columns = [{"fieldname": "account", "label": _("Account"), "fieldtype": "Link", "options": "Account", "width": 300}] - for period_start_date, period_end_date, period_key, period_label in period_list: - columns.append({"fieldname": period_key, "label": period_label, "fieldtype": "Currency", "width": 150}) - - return columns, out - -def get_accounts_and_gl_entries(root_type, company, end_date): - # root lft, rgt - root_account = frappe.db.sql("""select lft, rgt from `tabAccount` - where company=%s and root_type=%s order by lft limit 1""", - (company, root_type), as_dict=True) - - if not root_account: - return None, None - - lft, rgt = root_account[0].lft, root_account[0].rgt - - accounts = frappe.db.sql("""select * from `tabAccount` - where company=%(company)s and lft >= %(lft)s and rgt <= %(rgt)s order by lft""", - { "company": company, "lft": lft, "rgt": rgt }, as_dict=True) - - gl_entries = frappe.db.sql("""select * from `tabGL Entry` - where company=%(company)s - and posting_date <= %(end_date)s - and account in (select name from `tabAccount` - where lft >= %(lft)s and rgt <= %(rgt)s)""", - { - "company": company, - "end_date": end_date, - "lft": lft, - "rgt": rgt - }, - as_dict=True) - - account_gl_entries = {} - for entry in gl_entries: - account_gl_entries.setdefault(entry.account, []).append(entry) - - return accounts, account_gl_entries - -def filter_accounts(accounts, depth): - parent_children_map = {} - accounts_map = {} - for d in accounts: - accounts_map[d.name] = d - parent_children_map.setdefault(d.parent_account or None, []).append(d) + process_filters(filters) + period_list = get_period_list(filters.fiscal_year, filters.periodicity, from_beginning=True) data = [] - def add_to_data(parent, level): - if level < depth: - for child in (parent_children_map.get(parent) or []): - child.indent = level - data.append(child) - add_to_data(child.name, level + 1) + for (root_type, balance_must_be) in (("Asset", "Debit"), ("Liability", "Credit"), ("Equity", "Credit")): + result = get_data(filters.company, root_type, balance_must_be, period_list, filters.depth) + data.extend(result or []) - else: - # include all children at level lower than the depth - parent_account = accounts_map[parent] - parent_account["invisible_children"] = [] - for d in accounts: - if d.lft > parent_account.lft and d.rgt < parent_account.rgt: - parent_account["invisible_children"].append(d.name) + columns = get_columns(period_list) - add_to_data(None, 0) + return columns, data - return data, accounts_map -def get_period_list(start_date, end_date, periodicity, fiscal_year): - """Get a list of tuples that represents (period_start_date, period_end_date, period_key) - Periodicity can be (Yearly, Quarterly, Monthly)""" - - start_date = getdate(start_date) - end_date = getdate(end_date) - today = now_datetime().date() - - if periodicity == "Yearly": - period_list = [(None, end_date, fiscal_year, fiscal_year)] - else: - months_to_add = { - "Half-yearly": 6, - "Quarterly": 3, - "Monthly": 1 - }[periodicity] - - period_list = [] - - # start with first day, so as to avoid year start dates like 2-April if every they occur - next_date = get_first_day(start_date) - - for i in xrange(12 / months_to_add): - next_date = add_months(next_date, months_to_add) - - if next_date == get_first_day(next_date): - # if first day, get the last day of previous month - next_date = add_days(next_date, -1) - else: - # get the last day of the month - next_date = get_last_day(next_date) - - # checking in the middle of the fiscal year? don't show future periods - if next_date > today: - break - - elif next_date <= end_date: - key = next_date.strftime("%b_%Y").lower() - label = babel.dates.format_date(next_date, "MMM YYYY", locale=(frappe.local.lang or "").replace("-", "_")) - period_list.append((None, next_date, key, label)) - - # if it ends before a full year - if next_date == end_date: - break - - else: - # if it ends before a full year - key = end_date.strftime("%b_%Y").lower() - label = babel.dates.format_date(end_date, "MMM YYYY", locale=(frappe.local.lang or "").replace("-", "_")) - period_list.append((None, end_date, key, label)) - break - - return period_list diff --git a/erpnext/accounts/report/balance_sheet/balance_sheet.html b/erpnext/accounts/report/financial_statements.html similarity index 56% rename from erpnext/accounts/report/balance_sheet/balance_sheet.html rename to erpnext/accounts/report/financial_statements.html index a6a33f594e..403e67e5bb 100644 --- a/erpnext/accounts/report/balance_sheet/balance_sheet.html +++ b/erpnext/accounts/report/financial_statements.html @@ -1,20 +1,27 @@ +{% + if (report.columns.length > 6) { + frappe.throw(__("Too many columns. Export the report and print it using a spreadsheet application.")); + } +%} + -

{%= __("Balance Sheet") %}

+

{%= __(report.report_name) %}

+

{%= filters.company %}

{%= filters.fiscal_year %}


- + {% for(var i=2, l=report.columns.length; i{%= report.columns[i].label %} {% } %} @@ -24,12 +31,12 @@ {% for(var j=0, k=data.length; j {% for(var i=2, l=report.columns.length; i diff --git a/erpnext/accounts/report/financial_statements.py b/erpnext/accounts/report/financial_statements.py new file mode 100644 index 0000000000..3490146eec --- /dev/null +++ b/erpnext/accounts/report/financial_statements.py @@ -0,0 +1,252 @@ +# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors +# License: GNU General Public License v3. See license.txt + +from __future__ import unicode_literals +import frappe +from frappe import _, _dict +from frappe.utils import (cstr, flt, cint, + getdate, get_first_day, get_last_day, add_months, add_days, now_datetime, localize_date) + +def process_filters(filters): + filters.depth = cint(filters.depth) or 3 + if not filters.periodicity: + filters.periodicity = "Yearly" + +def get_period_list(fiscal_year, periodicity, from_beginning=False): + """Get a list of dict {"to_date": to_date, "key": key, "label": label} + Periodicity can be (Yearly, Quarterly, Monthly)""" + + start_date, end_date = frappe.db.get_value("Fiscal Year", fiscal_year, ["year_start_date", "year_end_date"]) + start_date = getdate(start_date) + end_date = getdate(end_date) + today = now_datetime().date() + + if periodicity == "Yearly": + period_list = [_dict({"to_date": end_date, "key": fiscal_year, "label": fiscal_year})] + else: + months_to_add = { + "Half-yearly": 6, + "Quarterly": 3, + "Monthly": 1 + }[periodicity] + + period_list = [] + + # start with first day, so as to avoid year to_dates like 2-April if ever they occur + to_date = get_first_day(start_date) + + for i in xrange(12 / months_to_add): + to_date = add_months(to_date, months_to_add) + + if to_date == get_first_day(to_date): + # if to_date is the first day, get the last day of previous month + to_date = add_days(to_date, -1) + else: + # to_date should be the last day of the new to_date's month + to_date = get_last_day(to_date) + + if to_date > today: + # checking in the middle of the currenct fiscal year? don't show future periods + key = today.strftime("%b_%Y").lower() + label = localize_date(today, "MMM YYYY") + period_list.append(_dict({"to_date": today, "key": key, "label": label})) + break + + elif to_date <= end_date: + # the normal case + key = to_date.strftime("%b_%Y").lower() + label = localize_date(to_date, "MMM YYYY") + period_list.append(_dict({"to_date": to_date, "key": key, "label": label})) + + # if it ends before a full year + if to_date == end_date: + break + + else: + # if a fiscal year ends before a 12 month period + key = end_date.strftime("%b_%Y").lower() + label = localize_date(end_date, "MMM YYYY") + period_list.append(_dict({"to_date": end_date, "key": key, "label": label})) + break + + # common processing + for opts in period_list: + opts["key"] = opts["key"].replace(" ", "_").replace("-", "_") + + if from_beginning: + # set start date as None for all fiscal periods, used in case of Balance Sheet + opts["from_date"] = None + else: + opts["from_date"] = start_date + + return period_list + +def get_data(company, root_type, balance_must_be, period_list, depth, ignore_opening_and_closing_entries=False): + accounts = get_accounts(company, root_type) + if not accounts: + return None + + accounts, accounts_by_name = filter_accounts(accounts, depth) + gl_entries_by_account = get_gl_entries(company, root_type, period_list[0]["from_date"], period_list[-1]["to_date"], + accounts[0].lft, accounts[0].rgt, ignore_opening_and_closing_entries=ignore_opening_and_closing_entries) + + calculate_values(accounts, gl_entries_by_account, period_list) + accumulate_values_into_parents(accounts, accounts_by_name, period_list) + out = prepare_data(accounts, balance_must_be, period_list) + + if out: + add_total_row(out, balance_must_be, period_list) + + return out + +def calculate_values(accounts, gl_entries_by_account, period_list): + for d in accounts: + for name in ([d.name] + (d.collapsed_children or [])): + for entry in gl_entries_by_account.get(name, []): + for period in period_list: + entry.posting_date = getdate(entry.posting_date) + + # check if posting date is within the period + if entry.posting_date <= period.to_date: + d[period.key] = d.get(period.key, 0.0) + flt(entry.debit) - flt(entry.credit) + + +def accumulate_values_into_parents(accounts, accounts_by_name, period_list): + """accumulate children's values in parent accounts""" + for d in reversed(accounts): + if d.parent_account: + for period in period_list: + accounts_by_name[d.parent_account][period.key] = accounts_by_name[d.parent_account].get(period.key, 0.0) + \ + d.get(period.key, 0.0) + +def prepare_data(accounts, balance_must_be, period_list): + out = [] + for d in accounts: + # add to output + has_value = False + row = { + "account_name": d.account_name, + "account": d.name, + "parent_account": d.parent_account, + "indent": flt(d.indent) + } + for period in period_list: + if d.get(period.key): + # change sign based on Debit or Credit, since calculation is done using (debit - credit) + d[period.key] *= (1 if balance_must_be=="Debit" else -1) + has_value = True + + row[period.key] = flt(d.get(period.key, 0.0), 3) + + if has_value: + out.append(row) + + return out + +def add_total_row(out, balance_must_be, period_list): + row = { + "account_name": _("Total ({0})").format(balance_must_be), + "account": None + } + for period in period_list: + row[period.key] = out[0].get(period.key, 0.0) + out[0][period.key] = "" + + out.append(row) + + # blank row after Total + out.append({}) + +def get_accounts(company, root_type): + # root lft, rgt + root_account = frappe.db.sql("""select lft, rgt from `tabAccount` + where company=%s and root_type=%s order by lft limit 1""", + (company, root_type), as_dict=True) + + if not root_account: + return None + + lft, rgt = root_account[0].lft, root_account[0].rgt + + accounts = frappe.db.sql("""select * from `tabAccount` + where company=%(company)s and lft >= %(lft)s and rgt <= %(rgt)s order by lft""", + { "company": company, "lft": lft, "rgt": rgt }, as_dict=True) + + return accounts + +def filter_accounts(accounts, depth): + parent_children_map = {} + accounts_by_name = {} + for d in accounts: + accounts_by_name[d.name] = d + parent_children_map.setdefault(d.parent_account or None, []).append(d) + + filtered_accounts = [] + def add_to_list(parent, level): + if level < depth: + for child in (parent_children_map.get(parent) or []): + child.indent = level + filtered_accounts.append(child) + add_to_list(child.name, level + 1) + + else: + # include all children at level lower than the depth + parent_account = accounts_by_name[parent] + parent_account["collapsed_children"] = [] + for d in accounts: + if d.lft > parent_account.lft and d.rgt < parent_account.rgt: + parent_account["collapsed_children"].append(d.name) + + add_to_list(None, 0) + + return filtered_accounts, accounts_by_name + +def get_gl_entries(company, root_type, from_date, to_date, root_lft, root_rgt, ignore_opening_and_closing_entries=False): + """Returns a dict like { "account": [gl entries], ... }""" + additional_conditions = [] + + if ignore_opening_and_closing_entries: + additional_conditions.append("and ifnull(is_opening, 'No')='No' and ifnull(voucher_type, '')!='Period Closing Voucher'") + + if from_date: + additional_conditions.append("and posting_date >= %(from_date)s") + + gl_entries = frappe.db.sql("""select * from `tabGL Entry` + where company=%(company)s + {additional_conditions} + and posting_date <= %(to_date)s + and account in (select name from `tabAccount` + where lft >= %(lft)s and rgt <= %(rgt)s) + order by account, posting_date""".format(additional_conditions="\n".join(additional_conditions)), + { + "company": company, + "from_date": from_date, + "to_date": to_date, + "lft": root_lft, + "rgt": root_rgt + }, + as_dict=True) + + gl_entries_by_account = {} + for entry in gl_entries: + gl_entries_by_account.setdefault(entry.account, []).append(entry) + + return gl_entries_by_account + +def get_columns(period_list): + columns = [{ + "fieldname": "account", + "label": _("Account"), + "fieldtype": "Link", + "options": "Account", + "width": 300 + }] + for period in period_list: + columns.append({ + "fieldname": period.key, + "label": period.label, + "fieldtype": "Currency", + "width": 150 + }) + + return columns diff --git a/erpnext/accounts/report/profit_and_loss_statement/__init__.py b/erpnext/accounts/report/profit_and_loss_statement/__init__.py new file mode 100644 index 0000000000..e69de29bb2 diff --git a/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.js b/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.js new file mode 100644 index 0000000000..d047fea5fb --- /dev/null +++ b/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.js @@ -0,0 +1,6 @@ +// Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors +// License: GNU General Public License v3. See license.txt + +frappe.require("assets/erpnext/js/financial_statements.js"); + +frappe.query_reports["Profit and Loss Statement"] = erpnext.financial_statements; diff --git a/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.json b/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.json new file mode 100644 index 0000000000..a7608d8cae --- /dev/null +++ b/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.json @@ -0,0 +1,17 @@ +{ + "add_total_row": 0, + "apply_user_permissions": 1, + "creation": "2014-07-18 11:43:33.173207", + "disabled": 0, + "docstatus": 0, + "doctype": "Report", + "is_standard": "Yes", + "modified": "2014-07-18 11:43:33.173207", + "modified_by": "Administrator", + "module": "Accounts", + "name": "Profit and Loss Statement", + "owner": "Administrator", + "ref_doctype": "GL Entry", + "report_name": "Profit and Loss Statement", + "report_type": "Script Report" +} \ No newline at end of file diff --git a/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py b/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py new file mode 100644 index 0000000000..556883661b --- /dev/null +++ b/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py @@ -0,0 +1,42 @@ +# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors +# License: GNU General Public License v3. See license.txt + +from __future__ import unicode_literals +import frappe +from frappe import _ +from frappe.utils import flt +from erpnext.accounts.report.financial_statements import (process_filters, get_period_list, get_columns, get_data) + +print_path = "accounts/report/financial_statements.html" + +def execute(filters=None): + process_filters(filters) + period_list = get_period_list(filters.fiscal_year, filters.periodicity) + + data = [] + income = get_data(filters.company, "Income", "Credit", period_list, filters.depth, + ignore_opening_and_closing_entries=True) + expense = get_data(filters.company, "Expense", "Debit", period_list, filters.depth, + ignore_opening_and_closing_entries=True) + net_total = get_net_total(income, expense, period_list) + + data.extend(income or []) + data.extend(expense or []) + if net_total: + data.append(net_total) + + columns = get_columns(period_list) + + return columns, data + +def get_net_total(income, expense, period_list): + if income and expense: + net_total = { + "account_name": _("Net Profit / Loss"), + "account": None + } + + for period in period_list: + net_total[period.key] = flt(income[-2][period.key] - expense[-2][period.key], 3) + + return net_total diff --git a/erpnext/config/accounts.py b/erpnext/config/accounts.py index 0e3e2d4ae5..722bf77f83 100644 --- a/erpnext/config/accounts.py +++ b/erpnext/config/accounts.py @@ -201,6 +201,12 @@ def get_data(): "doctype": "GL Entry", "is_query_report": True }, + { + "type": "report", + "name": "Profit and Loss Statement", + "doctype": "GL Entry", + "is_query_report": True + }, { "type": "page", "name": "financial-analytics", diff --git a/erpnext/public/js/financial_statements.js b/erpnext/public/js/financial_statements.js new file mode 100644 index 0000000000..dbe41ff345 --- /dev/null +++ b/erpnext/public/js/financial_statements.js @@ -0,0 +1,68 @@ +frappe.provide("erpnext.financial_statements"); + +erpnext.financial_statements = { + "filters": [ + { + "fieldname":"company", + "label": __("Company"), + "fieldtype": "Link", + "options": "Company", + "default": frappe.defaults.get_user_default("company"), + "reqd": 1 + }, + { + "fieldname":"fiscal_year", + "label": __("Fiscal Year"), + "fieldtype": "Link", + "options": "Fiscal Year", + "default": frappe.defaults.get_user_default("fiscal_year"), + "reqd": 1 + }, + { + "fieldname": "periodicity", + "label": __("Periodicity"), + "fieldtype": "Select", + "options": "Yearly\nHalf-yearly\nQuarterly\nMonthly", + "default": "Yearly", + "reqd": 1 + }, + { + "fieldname": "depth", + "label": __("Depth"), + "fieldtype": "Select", + "options": "3\n4\n5", + "default": "3" + } + ], + "formatter": function(row, cell, value, columnDef, dataContext) { + if (columnDef.df.fieldname=="account") { + var link = $("") + .text(dataContext.account_name) + .attr("onclick", 'erpnext.financial_statements.open_general_ledger("' + dataContext.account + '")'); + + var span = $("") + .css("padding-left", (cint(dataContext.indent) * 21) + "px") + .append(link); + + value = span.wrap("

").parent().html(); + + } else { + value = erpnext.financial_statements.default_formatter(row, cell, value, columnDef, dataContext); + } + + if (!dataContext.parent_account) { + value = $(value).css("font-weight", "bold").wrap("

").parent().html(); + } + + return value; + }, + "open_general_ledger": function(account) { + if (!account) return; + + frappe.route_options = { + "account": account, + "company": frappe.query_report.filters_by_name.company.get_value() + }; + frappe.set_route("query-report", "General Ledger"); + } +}; From db4ba39824dd0a188c743aadfdc9404a26a80a31 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Fri, 18 Jul 2014 18:20:44 +0530 Subject: [PATCH 368/630] Better handling of ignore zero values --- erpnext/accounts/report/financial_statements.py | 5 ++++- 1 file changed, 4 insertions(+), 1 deletion(-) diff --git a/erpnext/accounts/report/financial_statements.py b/erpnext/accounts/report/financial_statements.py index 3490146eec..59b28da779 100644 --- a/erpnext/accounts/report/financial_statements.py +++ b/erpnext/accounts/report/financial_statements.py @@ -134,10 +134,13 @@ def prepare_data(accounts, balance_must_be, period_list): if d.get(period.key): # change sign based on Debit or Credit, since calculation is done using (debit - credit) d[period.key] *= (1 if balance_must_be=="Debit" else -1) - has_value = True row[period.key] = flt(d.get(period.key, 0.0), 3) + if abs(row[period.key]) >= 0.005: + # ignore zero values + has_value = True + if has_value: out.append(row) From 6cc5babd2e67731a2c1248fb6fcf55c86cf3e237 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Mon, 21 Jul 2014 11:43:03 +0530 Subject: [PATCH 369/630] Use include directive to embed common print format --- erpnext/accounts/report/balance_sheet/balance_sheet.html | 1 + erpnext/accounts/report/balance_sheet/balance_sheet.py | 2 -- .../profit_and_loss_statement/profit_and_loss_statement.html | 1 + .../profit_and_loss_statement/profit_and_loss_statement.py | 2 -- 4 files changed, 2 insertions(+), 4 deletions(-) create mode 100644 erpnext/accounts/report/balance_sheet/balance_sheet.html create mode 100644 erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.html diff --git a/erpnext/accounts/report/balance_sheet/balance_sheet.html b/erpnext/accounts/report/balance_sheet/balance_sheet.html new file mode 100644 index 0000000000..d4ae54d4f3 --- /dev/null +++ b/erpnext/accounts/report/balance_sheet/balance_sheet.html @@ -0,0 +1 @@ +{% include "accounts/report/financial_statements.html" %} diff --git a/erpnext/accounts/report/balance_sheet/balance_sheet.py b/erpnext/accounts/report/balance_sheet/balance_sheet.py index dd6abfd01c..425257ffb5 100644 --- a/erpnext/accounts/report/balance_sheet/balance_sheet.py +++ b/erpnext/accounts/report/balance_sheet/balance_sheet.py @@ -5,8 +5,6 @@ from __future__ import unicode_literals import frappe from erpnext.accounts.report.financial_statements import (process_filters, get_period_list, get_columns, get_data) -print_path = "accounts/report/financial_statements.html" - def execute(filters=None): process_filters(filters) period_list = get_period_list(filters.fiscal_year, filters.periodicity, from_beginning=True) diff --git a/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.html b/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.html new file mode 100644 index 0000000000..d4ae54d4f3 --- /dev/null +++ b/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.html @@ -0,0 +1 @@ +{% include "accounts/report/financial_statements.html" %} diff --git a/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py b/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py index 556883661b..9886f2f497 100644 --- a/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +++ b/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py @@ -7,8 +7,6 @@ from frappe import _ from frappe.utils import flt from erpnext.accounts.report.financial_statements import (process_filters, get_period_list, get_columns, get_data) -print_path = "accounts/report/financial_statements.html" - def execute(filters=None): process_filters(filters) period_list = get_period_list(filters.fiscal_year, filters.periodicity) From f457bce0e7a97110d2d82d7bba984449a654fc9d Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Mon, 21 Jul 2014 12:03:04 +0530 Subject: [PATCH 370/630] Changed localize_date to formatdate --- erpnext/accounts/report/financial_statements.py | 10 +++++----- 1 file changed, 5 insertions(+), 5 deletions(-) diff --git a/erpnext/accounts/report/financial_statements.py b/erpnext/accounts/report/financial_statements.py index 59b28da779..30650fff7d 100644 --- a/erpnext/accounts/report/financial_statements.py +++ b/erpnext/accounts/report/financial_statements.py @@ -4,8 +4,8 @@ from __future__ import unicode_literals import frappe from frappe import _, _dict -from frappe.utils import (cstr, flt, cint, - getdate, get_first_day, get_last_day, add_months, add_days, now_datetime, localize_date) +from frappe.utils import (flt, cint, getdate, get_first_day, get_last_day, + add_months, add_days, now_datetime, formatdate) def process_filters(filters): filters.depth = cint(filters.depth) or 3 @@ -48,14 +48,14 @@ def get_period_list(fiscal_year, periodicity, from_beginning=False): if to_date > today: # checking in the middle of the currenct fiscal year? don't show future periods key = today.strftime("%b_%Y").lower() - label = localize_date(today, "MMM YYYY") + label = formatdate(today, "MMM YYYY") period_list.append(_dict({"to_date": today, "key": key, "label": label})) break elif to_date <= end_date: # the normal case key = to_date.strftime("%b_%Y").lower() - label = localize_date(to_date, "MMM YYYY") + label = formatdate(to_date, "MMM YYYY") period_list.append(_dict({"to_date": to_date, "key": key, "label": label})) # if it ends before a full year @@ -65,7 +65,7 @@ def get_period_list(fiscal_year, periodicity, from_beginning=False): else: # if a fiscal year ends before a 12 month period key = end_date.strftime("%b_%Y").lower() - label = localize_date(end_date, "MMM YYYY") + label = formatdate(end_date, "MMM YYYY") period_list.append(_dict({"to_date": end_date, "key": key, "label": label})) break From 1c6313679b32adb03a71e4bb9eae2563ef1a7034 Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Mon, 21 Jul 2014 13:08:49 +0530 Subject: [PATCH 371/630] Update material_request.js --- erpnext/stock/doctype/material_request/material_request.js | 3 +-- 1 file changed, 1 insertion(+), 2 deletions(-) diff --git a/erpnext/stock/doctype/material_request/material_request.js b/erpnext/stock/doctype/material_request/material_request.js index e53a92aad7..7a47765a2c 100644 --- a/erpnext/stock/doctype/material_request/material_request.js +++ b/erpnext/stock/doctype/material_request/material_request.js @@ -11,8 +11,7 @@ erpnext.buying.MaterialRequestController = erpnext.buying.BuyingController.exten this._super(); this.frm.set_query("item_code", this.frm.cscript.fname, function() { return { - query: "erpnext.controllers.queries.item_query", - filters: {'is_stock_item': 'Yes'} + query: "erpnext.controllers.queries.item_query" } }); }, From 5f0459c32176e851f9f01ce3f17417d35d3c26e4 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Mon, 21 Jul 2014 16:13:06 +0530 Subject: [PATCH 372/630] Fixes to Financial Statements --- .../report/balance_sheet/balance_sheet.py | 38 +++++++++++++-- .../accounts/report/financial_statements.py | 46 +++++++++---------- .../profit_and_loss_statement.py | 25 +++++----- erpnext/public/js/financial_statements.js | 19 +++++--- 4 files changed, 83 insertions(+), 45 deletions(-) diff --git a/erpnext/accounts/report/balance_sheet/balance_sheet.py b/erpnext/accounts/report/balance_sheet/balance_sheet.py index 425257ffb5..4edc9b9515 100644 --- a/erpnext/accounts/report/balance_sheet/balance_sheet.py +++ b/erpnext/accounts/report/balance_sheet/balance_sheet.py @@ -3,19 +3,51 @@ from __future__ import unicode_literals import frappe +from frappe import _ +from frappe.utils import flt from erpnext.accounts.report.financial_statements import (process_filters, get_period_list, get_columns, get_data) def execute(filters=None): process_filters(filters) period_list = get_period_list(filters.fiscal_year, filters.periodicity, from_beginning=True) + asset = get_data(filters.company, "Asset", "Debit", period_list, filters.depth) + liability = get_data(filters.company, "Liability", "Credit", period_list, filters.depth) + equity = get_data(filters.company, "Equity", "Credit", period_list, filters.depth) + provisional_profit_loss = get_provisional_profit_loss(asset, liability, equity, period_list) + data = [] - for (root_type, balance_must_be) in (("Asset", "Debit"), ("Liability", "Credit"), ("Equity", "Credit")): - result = get_data(filters.company, root_type, balance_must_be, period_list, filters.depth) - data.extend(result or []) + data.extend(asset or []) + data.extend(liability or []) + data.extend(equity or []) + if provisional_profit_loss: + data.append(provisional_profit_loss) columns = get_columns(period_list) return columns, data +def get_provisional_profit_loss(asset, liability, equity, period_list): + if asset and (liability or equity): + provisional_profit_loss = { + "account_name": _("Provisional Profit / Loss (Credit)"), + "account": None, + "is_profit_loss": True + } + has_value = False + + for period in period_list: + effective_liability = 0.0 + if liability: + effective_liability += flt(liability[-2][period.key]) + if equity: + effective_liability += flt(equity[-2][period.key]) + + provisional_profit_loss[period.key] = flt(asset[-2][period.key]) - effective_liability + + if provisional_profit_loss[period.key]: + has_value = True + + if has_value: + return provisional_profit_loss diff --git a/erpnext/accounts/report/financial_statements.py b/erpnext/accounts/report/financial_statements.py index 30650fff7d..45d5b3a737 100644 --- a/erpnext/accounts/report/financial_statements.py +++ b/erpnext/accounts/report/financial_statements.py @@ -5,7 +5,7 @@ from __future__ import unicode_literals import frappe from frappe import _, _dict from frappe.utils import (flt, cint, getdate, get_first_day, get_last_day, - add_months, add_days, now_datetime, formatdate) + add_months, add_days, formatdate) def process_filters(filters): filters.depth = cint(filters.depth) or 3 @@ -19,7 +19,6 @@ def get_period_list(fiscal_year, periodicity, from_beginning=False): start_date, end_date = frappe.db.get_value("Fiscal Year", fiscal_year, ["year_start_date", "year_end_date"]) start_date = getdate(start_date) end_date = getdate(end_date) - today = now_datetime().date() if periodicity == "Yearly": period_list = [_dict({"to_date": end_date, "key": fiscal_year, "label": fiscal_year})] @@ -45,18 +44,9 @@ def get_period_list(fiscal_year, periodicity, from_beginning=False): # to_date should be the last day of the new to_date's month to_date = get_last_day(to_date) - if to_date > today: - # checking in the middle of the currenct fiscal year? don't show future periods - key = today.strftime("%b_%Y").lower() - label = formatdate(today, "MMM YYYY") - period_list.append(_dict({"to_date": today, "key": key, "label": label})) - break - - elif to_date <= end_date: + if to_date <= end_date: # the normal case - key = to_date.strftime("%b_%Y").lower() - label = formatdate(to_date, "MMM YYYY") - period_list.append(_dict({"to_date": to_date, "key": key, "label": label})) + period_list.append(_dict({ "to_date": to_date })) # if it ends before a full year if to_date == end_date: @@ -64,14 +54,19 @@ def get_period_list(fiscal_year, periodicity, from_beginning=False): else: # if a fiscal year ends before a 12 month period - key = end_date.strftime("%b_%Y").lower() - label = formatdate(end_date, "MMM YYYY") - period_list.append(_dict({"to_date": end_date, "key": key, "label": label})) + period_list.append(_dict({ "to_date": end_date })) break # common processing for opts in period_list: - opts["key"] = opts["key"].replace(" ", "_").replace("-", "_") + key = opts["to_date"].strftime("%b_%Y").lower() + label = formatdate(opts["to_date"], "MMM YYYY") + opts.update({ + "key": key.replace(" ", "_").replace("-", "_"), + "label": label, + "year_start_date": start_date, + "year_end_date": end_date + }) if from_beginning: # set start date as None for all fiscal periods, used in case of Balance Sheet @@ -81,14 +76,14 @@ def get_period_list(fiscal_year, periodicity, from_beginning=False): return period_list -def get_data(company, root_type, balance_must_be, period_list, depth, ignore_opening_and_closing_entries=False): +def get_data(company, root_type, balance_must_be, period_list, depth, ignore_closing_entries=False): accounts = get_accounts(company, root_type) if not accounts: return None accounts, accounts_by_name = filter_accounts(accounts, depth) gl_entries_by_account = get_gl_entries(company, root_type, period_list[0]["from_date"], period_list[-1]["to_date"], - accounts[0].lft, accounts[0].rgt, ignore_opening_and_closing_entries=ignore_opening_and_closing_entries) + accounts[0].lft, accounts[0].rgt, ignore_closing_entries=ignore_closing_entries) calculate_values(accounts, gl_entries_by_account, period_list) accumulate_values_into_parents(accounts, accounts_by_name, period_list) @@ -121,6 +116,9 @@ def accumulate_values_into_parents(accounts, accounts_by_name, period_list): def prepare_data(accounts, balance_must_be, period_list): out = [] + year_start_date = period_list[0]["year_start_date"].strftime("%Y-%m-%d") + year_end_date = period_list[-1]["year_end_date"].strftime("%Y-%m-%d") + for d in accounts: # add to output has_value = False @@ -128,7 +126,9 @@ def prepare_data(accounts, balance_must_be, period_list): "account_name": d.account_name, "account": d.name, "parent_account": d.parent_account, - "indent": flt(d.indent) + "indent": flt(d.indent), + "year_start_date": year_start_date, + "year_end_date": year_end_date } for period in period_list: if d.get(period.key): @@ -204,12 +204,12 @@ def filter_accounts(accounts, depth): return filtered_accounts, accounts_by_name -def get_gl_entries(company, root_type, from_date, to_date, root_lft, root_rgt, ignore_opening_and_closing_entries=False): +def get_gl_entries(company, root_type, from_date, to_date, root_lft, root_rgt, ignore_closing_entries=False): """Returns a dict like { "account": [gl entries], ... }""" additional_conditions = [] - if ignore_opening_and_closing_entries: - additional_conditions.append("and ifnull(is_opening, 'No')='No' and ifnull(voucher_type, '')!='Period Closing Voucher'") + if ignore_closing_entries: + additional_conditions.append("and ifnull(voucher_type, '')!='Period Closing Voucher'") if from_date: additional_conditions.append("and posting_date >= %(from_date)s") diff --git a/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py b/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py index 9886f2f497..3a3123fc36 100644 --- a/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +++ b/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py @@ -11,30 +11,29 @@ def execute(filters=None): process_filters(filters) period_list = get_period_list(filters.fiscal_year, filters.periodicity) - data = [] - income = get_data(filters.company, "Income", "Credit", period_list, filters.depth, - ignore_opening_and_closing_entries=True) - expense = get_data(filters.company, "Expense", "Debit", period_list, filters.depth, - ignore_opening_and_closing_entries=True) - net_total = get_net_total(income, expense, period_list) + income = get_data(filters.company, "Income", "Credit", period_list, filters.depth, ignore_closing_entries=True) + expense = get_data(filters.company, "Expense", "Debit", period_list, filters.depth, ignore_closing_entries=True) + net_profit_loss = get_net_profit_loss(income, expense, period_list) + data = [] data.extend(income or []) data.extend(expense or []) - if net_total: - data.append(net_total) + if net_profit_loss: + data.append(net_profit_loss) columns = get_columns(period_list) return columns, data -def get_net_total(income, expense, period_list): +def get_net_profit_loss(income, expense, period_list): if income and expense: - net_total = { + net_profit_loss = { "account_name": _("Net Profit / Loss"), - "account": None + "account": None, + "is_profit_loss": True } for period in period_list: - net_total[period.key] = flt(income[-2][period.key] - expense[-2][period.key], 3) + net_profit_loss[period.key] = flt(income[-2][period.key] - expense[-2][period.key], 3) - return net_total + return net_profit_loss diff --git a/erpnext/public/js/financial_statements.js b/erpnext/public/js/financial_statements.js index dbe41ff345..5e3ba0e116 100644 --- a/erpnext/public/js/financial_statements.js +++ b/erpnext/public/js/financial_statements.js @@ -38,7 +38,7 @@ erpnext.financial_statements = { if (columnDef.df.fieldname=="account") { var link = $("") .text(dataContext.account_name) - .attr("onclick", 'erpnext.financial_statements.open_general_ledger("' + dataContext.account + '")'); + .attr("onclick", "erpnext.financial_statements.open_general_ledger(" + JSON.stringify(dataContext) + ")"); var span = $("") .css("padding-left", (cint(dataContext.indent) * 21) + "px") @@ -51,17 +51,24 @@ erpnext.financial_statements = { } if (!dataContext.parent_account) { - value = $(value).css("font-weight", "bold").wrap("

").parent().html(); + var $value = $(value).css("font-weight", "bold"); + if (dataContext.is_profit_loss && dataContext[columnDef.df.fieldname] < 0) { + $value.addClass("text-danger"); + } + + value = $value.wrap("

").parent().html(); } return value; }, - "open_general_ledger": function(account) { - if (!account) return; + "open_general_ledger": function(data) { + if (!data.account) return; frappe.route_options = { - "account": account, - "company": frappe.query_report.filters_by_name.company.get_value() + "account": data.account, + "company": frappe.query_report.filters_by_name.company.get_value(), + "from_date": data.year_start_date, + "to_date": data.year_end_date }; frappe.set_route("query-report", "General Ledger"); } From 649d18c4f73beeb7880349d611938b8cbf500839 Mon Sep 17 00:00:00 2001 From: Pratik Vyas Date: Mon, 21 Jul 2014 17:17:59 +0530 Subject: [PATCH 373/630] [minor] fix server error for new production order if sales order is invalid --- .../doctype/production_order/production_order.py | 14 +++++++------- 1 file changed, 7 insertions(+), 7 deletions(-) diff --git a/erpnext/manufacturing/doctype/production_order/production_order.py b/erpnext/manufacturing/doctype/production_order/production_order.py index 2d41d0a6a4..1486d2a684 100644 --- a/erpnext/manufacturing/doctype/production_order/production_order.py +++ b/erpnext/manufacturing/doctype/production_order/production_order.py @@ -39,16 +39,16 @@ class ProductionOrder(Document): def validate_sales_order(self): if self.sales_order: so = frappe.db.sql("""select name, delivery_date from `tabSales Order` - where name=%s and docstatus = 1""", self.sales_order, as_dict=1)[0] + where name=%s and docstatus = 1""", self.sales_order, as_dict=1) - if not so.name: + if len(so): + if not self.expected_delivery_date: + self.expected_delivery_date = so[0].delivery_date + + self.validate_production_order_against_so() + else: frappe.throw(_("Sales Order {0} is not valid") % self.sales_order) - if not self.expected_delivery_date: - self.expected_delivery_date = so.delivery_date - - self.validate_production_order_against_so() - def validate_warehouse(self): from erpnext.stock.utils import validate_warehouse_company From 994d9075b4161ca3becd61bb77ecc04fd9c82916 Mon Sep 17 00:00:00 2001 From: Pratik Vyas Date: Mon, 21 Jul 2014 17:36:50 +0530 Subject: [PATCH 374/630] Change TRAVIS_BRANCH to develop --- .travis.yml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.travis.yml b/.travis.yml index 7e5f21d48a..6eab0e4af6 100644 --- a/.travis.yml +++ b/.travis.yml @@ -14,7 +14,7 @@ install: - sudo apt-get update - sudo apt-get purge -y mysql-common - sudo apt-get install mariadb-server mariadb-common libmariadbclient-dev - - CFLAGS=-O0 pip install git+https://github.com/frappe/frappe.git@$TRAVIS_BRANCH && + - CFLAGS=-O0 pip install git+https://github.com/frappe/frappe.git@$develop && - pip install --editable . before_script: From 7fcb3c9865be43131e02c4a338a75979b47e39f9 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Mon, 21 Jul 2014 17:51:14 +0530 Subject: [PATCH 375/630] [minor] Item query - search by description --- erpnext/controllers/queries.py | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/erpnext/controllers/queries.py b/erpnext/controllers/queries.py index 2650c66ac2..4a30eed652 100644 --- a/erpnext/controllers/queries.py +++ b/erpnext/controllers/queries.py @@ -167,7 +167,8 @@ def item_query(doctype, txt, searchfield, start, page_len, filters): where tabItem.docstatus < 2 and (tabItem.end_of_life > %(today)s or ifnull(tabItem.end_of_life, '0000-00-00')='0000-00-00') and (tabItem.`{key}` LIKE %(txt)s - or tabItem.item_name LIKE %(txt)s) + or tabItem.item_name LIKE %(txt)s + or tabItem.description LIKE %(txt)s) {fcond} {mcond} order by if(locate(%(_txt)s, name), locate(%(_txt)s, name), 99999), From 4c5d7617fbccae85f2522acf248a91923ed44b5c Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Mon, 21 Jul 2014 18:02:22 +0530 Subject: [PATCH 376/630] [minor] Update if missing, source and target warehouse in stock entry detail table, when they are specified in the form --- .../stock/doctype/stock_entry/stock_entry.js | 30 +++++++++++++++++++ 1 file changed, 30 insertions(+) diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.js b/erpnext/stock/doctype/stock_entry/stock_entry.js index 7274ece1fa..dfcf07f506 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry.js +++ b/erpnext/stock/doctype/stock_entry/stock_entry.js @@ -230,6 +230,36 @@ erpnext.stock.StockEntry = erpnext.stock.StockController.extend({ if(!row.t_warehouse) row.t_warehouse = this.frm.doc.to_warehouse; }, + source_mandatory: ["Material Issue", "Material Transfer", "Purchase Return"], + target_mandatory: ["Material Receipt", "Material Transfer", "Sales Return"], + + from_warehouse: function(doc) { + var me = this; + this.set_warehouse_if_missing("s_warehouse", doc.from_warehouse, function(row) { + return me.source_mandatory.indexOf(me.frm.doc.purpose)!==-1; + }); + }, + + to_warehouse: function(doc) { + var me = this; + this.set_warehouse_if_missing("t_warehouse", doc.to_warehouse, function(row) { + return me.target_mandatory.indexOf(me.frm.doc.purpose)!==-1; + }); + }, + + set_warehouse_if_missing: function(fieldname, value, condition) { + for (var i=0, l=(this.frm.doc.mtn_details || []).length; i Date: Mon, 21 Jul 2014 18:13:05 +0530 Subject: [PATCH 377/630] [fix] Show against account in General Ledger Print Format --- erpnext/accounts/report/general_ledger/general_ledger.html | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/accounts/report/general_ledger/general_ledger.html b/erpnext/accounts/report/general_ledger/general_ledger.html index 190d45555a..0fc02b16d0 100644 --- a/erpnext/accounts/report/general_ledger/general_ledger.html +++ b/erpnext/accounts/report/general_ledger/general_ledger.html @@ -27,7 +27,7 @@
From 97ab9028957026477f856a27aeb20c7de9d09510 Mon Sep 17 00:00:00 2001 From: nabinhait Date: Mon, 21 Jul 2014 19:22:02 +0530 Subject: [PATCH 378/630] payment reconciliation fixes --- .../payment_reconciliation.js | 42 +++++-- .../payment_reconciliation.json | 4 +- .../payment_reconciliation.py | 117 +++++++++++------- .../payment_reconciliation_payment.json | 4 +- erpnext/accounts/utils.py | 8 +- 5 files changed, 108 insertions(+), 67 deletions(-) diff --git a/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js b/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js index 14520c2a05..c495a35825 100644 --- a/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +++ b/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js @@ -7,22 +7,40 @@ erpnext.accounts.PaymentReconciliationController = frappe.ui.form.Controller.ext onload: function() { var me = this - this.frm.set_query ('party_account', function() { - return{ - filters:[ - ['Account', 'company', '=', me.frm.doc.company], - ['Account', 'group_or_ledger', '=', 'Ledger'], - ['Account', 'master_type', 'in', ['Customer', 'Supplier']] - ] - }; + this.frm.set_query('party_account', function() { + if(!me.frm.doc.company) { + msgprint(__("Please select company first")); + } else { + return{ + filters:[ + ['Account', 'company', '=', me.frm.doc.company], + ['Account', 'group_or_ledger', '=', 'Ledger'], + ['Account', 'master_type', 'in', ['Customer', 'Supplier']] + ] + }; + } + + }); + + this.frm.set_query('bank_cash_account', function() { + if(!me.frm.doc.company) { + msgprint(__("Please select company first")); + } else { + return{ + filters:[ + ['Account', 'company', '=', me.frm.doc.company], + ['Account', 'group_or_ledger', '=', 'Ledger'], + ['Account', 'account_type', 'in', ['Bank', 'Cash']] + ] + }; + } }); - var help_content = [' Note:', - '
    If you are unable to match the exact amount, then amend your Journal Voucher and split rows such that your amounts match the invoice you are trying to reconcile.
'].join("\n"); + var help_content = ' Note:
'+ + '
    If you are unable to match the exact amount, then amend your Journal Voucher and split rows such that payment amount match the invoice amount.
'; this.frm.set_value("reconcile_help", help_content); }, - - + get_unreconciled_entries: function() { var me = this; return this.frm.call({ diff --git a/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.json b/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.json index 40b5706260..a83d45363e 100644 --- a/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.json +++ b/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.json @@ -31,7 +31,7 @@ "hidden": 1, "in_list_view": 1, "label": "Party Type", - "options": "Customer\nSupplier", + "options": "\nCustomer\nSupplier", "permlevel": 0, "read_only": 1, "reqd": 0 @@ -129,7 +129,7 @@ ], "hide_toolbar": 1, "issingle": 1, - "modified": "2014-07-18 15:53:20.638456", + "modified": "2014-07-21 16:54:31.454679", "modified_by": "Administrator", "module": "Accounts", "name": "Payment Reconciliation", diff --git a/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py b/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py index be53aca928..2d844bb189 100644 --- a/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +++ b/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py @@ -18,7 +18,12 @@ class PaymentReconciliation(Document): def get_jv_entries(self): self.check_mandatory_to_fetch() dr_or_cr = "credit" if self.party_type == "Customer" else "debit" - cond = self.check_condition(dr_or_cr) + if self.party_type=="Customer": + amount_query = "ifnull(t2.credit, 0) - ifnull(t2.debit, 0)" + else: + amount_query = "ifnull(t2.debit, 0) - ifnull(t2.credit, 0)" + + cond = self.check_condition(amount_query) bank_account_condition = "t2.against_account like %(bank_cash_account)s" \ if self.bank_cash_account else "1=1" @@ -26,22 +31,26 @@ class PaymentReconciliation(Document): jv_entries = frappe.db.sql(""" select t1.name as voucher_no, t1.posting_date, t1.remark, t2.account, - t2.name as voucher_detail_no, t2.{dr_or_cr}, t2.is_advance + t2.name as voucher_detail_no, {amount_query} as payment_amount, t2.is_advance from `tabJournal Voucher` t1, `tabJournal Voucher Detail` t2 where - t1.name = t2.parent and t1.docstatus = 1 and t2.account = %(party_account)s - and t2.{dr_or_cr} > 0 and ifnull(t2.against_voucher, '')='' and ifnull(t2.against_invoice, '')='' + t1.name = t2.parent and t1.docstatus = 1 and t2.docstatus = 1 + and t2.account = %(party_account)s and {amount_query} > 0 + and ifnull((select ifnull(sum(ifnull(credit, 0) - ifnull(debit, 0)), 0) from `tabJournal Voucher Detail` + where parent=t1.name and account=t2.account and docstatus=1 group by account), 0) > 0 + and ifnull(t2.against_voucher, '')='' and ifnull(t2.against_invoice, '')='' and ifnull(t2.against_jv, '')='' {cond} and (CASE WHEN t1.voucher_type in ('Debit Note', 'Credit Note') THEN 1=1 ELSE {bank_account_condition} END) - group by t1.name, t2.name """.format(**{ + """.format(**{ "dr_or_cr": dr_or_cr, "cond": cond, - "bank_account_condition": bank_account_condition + "bank_account_condition": bank_account_condition, + "amount_query": amount_query }), { "party_account": self.party_account, "bank_cash_account": "%%%s%%" % self.bank_cash_account @@ -55,7 +64,7 @@ class PaymentReconciliation(Document): ent = self.append('payment_reconciliation_payments', {}) ent.journal_voucher = e.get('voucher_no') ent.posting_date = e.get('posting_date') - ent.amount = flt(e.get('credit')) or flt(e.get('debit')) + ent.amount = flt(e.get('payment_amount')) ent.remark = e.get('remark') ent.voucher_detail_number = e.get('voucher_detail_no') ent.is_advance = e.get('is_advance') @@ -64,55 +73,63 @@ class PaymentReconciliation(Document): #Fetch JVs, Sales and Purchase Invoices for 'payment_reconciliation_invoices' to reconcile against non_reconciled_invoices = [] dr_or_cr = "debit" if self.party_type == "Customer" else "credit" - cond = self.check_condition(dr_or_cr) + if self.party_type=="Customer": + amount_query = "ifnull(debit, 0) - ifnull(credit, 0)" + else: + amount_query = "ifnull(credit, 0) - ifnull(debit, 0)" + + cond = self.check_condition(amount_query) invoice_list = frappe.db.sql(""" select - voucher_no, voucher_type, posting_date, ifnull(sum(ifnull(%s, 0)), 0) as amount + voucher_no, voucher_type, posting_date, + ifnull(sum({amount_query}), 0) as invoice_amount from `tabGL Entry` where - account = %s and ifnull(%s, 0) > 0 %s - group by voucher_no, voucher_type""" % (dr_or_cr, '%s', - dr_or_cr, cond), (self.party_account), as_dict=True) + account = %s and {amount_query} > 0 {cond} + group by voucher_type, voucher_no + """.format(**{ + "cond": cond, + "amount_query": amount_query + }), (self.party_account), as_dict=True) for d in invoice_list: payment_amount = frappe.db.sql(""" select - ifnull(sum(ifnull(%s, 0)), 0) + ifnull(sum(ifnull({amount_query}, 0)), 0) from `tabGL Entry` where - account = %s and against_voucher_type = %s and ifnull(against_voucher, '') = %s""" % - (("credit" if self.party_type == "Customer" else "debit"), '%s', '%s', '%s'), - (self.party_account, d.voucher_type, d.voucher_no)) + account = %s and {amount_query} < 0 + and against_voucher_type = %s and ifnull(against_voucher, '') = %s + """.format(**{ + "cond": cond, + "amount_query": amount_query + }), (self.party_account, d.voucher_type, d.voucher_no)) + + payment_amount = -1*payment_amount[0][0] if payment_amount else 0 - payment_amount = payment_amount[0][0] if payment_amount else 0 - - if d.amount > payment_amount: + if d.invoice_amount > payment_amount: non_reconciled_invoices.append({ 'voucher_no': d.voucher_no, 'voucher_type': d.voucher_type, 'posting_date': d.posting_date, - 'amount': flt(d.amount), - 'outstanding_amount': d.amount - payment_amount}) + 'invoice_amount': flt(d.invoice_amount), + 'outstanding_amount': d.invoice_amount - payment_amount}) self.add_invoice_entries(non_reconciled_invoices) - def add_invoice_entries(self, non_reconciled_invoices): #Populate 'payment_reconciliation_invoices' with JVs and Invoices to reconcile against self.set('payment_reconciliation_invoices', []) - if not non_reconciled_invoices: - frappe.throw(_("No invoices found to be reconciled")) - - + for e in non_reconciled_invoices: ent = self.append('payment_reconciliation_invoices', {}) ent.invoice_type = e.get('voucher_type') ent.invoice_number = e.get('voucher_no') ent.invoice_date = e.get('posting_date') - ent.amount = flt(e.get('amount')) + ent.amount = flt(e.get('invoice_amount')) ent.outstanding_amount = e.get('outstanding_amount') def reconcile(self, args): @@ -121,24 +138,24 @@ class PaymentReconciliation(Document): dr_or_cr = "credit" if self.party_type == "Customer" else "debit" lst = [] for e in self.get('payment_reconciliation_payments'): - lst.append({ - 'voucher_no' : e.journal_voucher, - 'voucher_detail_no' : e.voucher_detail_number, - 'against_voucher_type' : e.invoice_type, - 'against_voucher' : e.invoice_number, - 'account' : self.party_account, - 'is_advance' : e.is_advance, - 'dr_or_cr' : dr_or_cr, - 'unadjusted_amt' : flt(e.amount), - 'allocated_amt' : flt(e.amount) - }) + if e.invoice_type and e.invoice_number: + lst.append({ + 'voucher_no' : e.journal_voucher, + 'voucher_detail_no' : e.voucher_detail_number, + 'against_voucher_type' : e.invoice_type, + 'against_voucher' : e.invoice_number, + 'account' : self.party_account, + 'is_advance' : e.is_advance, + 'dr_or_cr' : dr_or_cr, + 'unadjusted_amt' : flt(e.amount), + 'allocated_amt' : flt(e.amount) + }) if lst: from erpnext.accounts.utils import reconcile_against_document reconcile_against_document(lst) - self.get_unreconciled_entries() msgprint(_("Successfully Reconciled")) - + self.get_unreconciled_entries() def check_mandatory_to_fetch(self): for fieldname in ["company", "party_account"]: @@ -147,32 +164,38 @@ class PaymentReconciliation(Document): def validate_invoice(self): + if not self.get("payment_reconciliation_invoices"): + frappe.throw(_("No records found in the Invoice table")) + + if not self.get("payment_reconciliation_payments"): + frappe.throw(_("No records found in the Payment table")) + unreconciled_invoices = frappe._dict() for d in self.get("payment_reconciliation_invoices"): unreconciled_invoices.setdefault(d.invoice_type, {}).setdefault(d.invoice_number, d.outstanding_amount) - + invoices_to_reconcile = [] for p in self.get("payment_reconciliation_payments"): if p.invoice_type and p.invoice_number: invoices_to_reconcile.append(p.invoice_number) - if p.invoice_number not in unreconciled_invoices.get(p.invoice_type): + if p.invoice_number not in unreconciled_invoices.get(p.invoice_type, {}): frappe.throw(_("{0}: {1} not found in Invoice Details table") .format(p.invoice_type, p.invoice_number)) - if p.amount > unreconciled_invoices.get(p.invoice_type).get(p.invoice_number): - frappe.throw(_("Row {0}: Payment amount must be less than or equals to invoice outstanding amount").format(p.idx)) + if p.amount > unreconciled_invoices.get(p.invoice_type, {}).get(p.invoice_number): + frappe.throw(_("Row {0}: Payment amount must be less than or equals to invoice outstanding amount. Please refer Note below.").format(p.idx)) if not invoices_to_reconcile: frappe.throw(_("Please select Invoice Type and Invoice Number in atleast one row")) - def check_condition(self, dr_or_cr): + def check_condition(self, amount_query): cond = self.from_date and " and posting_date >= '" + self.from_date + "'" or "" cond += self.to_date and " and posting_date <= '" + self.to_date + "'" or "" if self.minimum_amount: - cond += " and ifnull(%s, 0) >= %s" % (dr_or_cr, self.minimum_amount) + cond += " and {0} >= %s".format(amount_query) % self.minimum_amount if self.maximum_amount: - cond += " and ifnull(%s, 0) <= %s" % (dr_or_cr, self.maximum_amount) + cond += " and {0} <= %s".format(amount_query) % self.maximum_amount return cond \ No newline at end of file diff --git a/erpnext/accounts/doctype/payment_reconciliation_payment/payment_reconciliation_payment.json b/erpnext/accounts/doctype/payment_reconciliation_payment/payment_reconciliation_payment.json index 3dd36fc465..73fd0f50f3 100644 --- a/erpnext/accounts/doctype/payment_reconciliation_payment/payment_reconciliation_payment.json +++ b/erpnext/accounts/doctype/payment_reconciliation_payment/payment_reconciliation_payment.json @@ -59,7 +59,7 @@ "fieldtype": "Select", "in_list_view": 1, "label": "Invoice Type", - "options": "Sales Invoice\nPurchase Invoice\nJournal Voucher", + "options": "\nSales Invoice\nPurchase Invoice\nJournal Voucher", "permlevel": 0, "read_only": 0, "reqd": 1 @@ -95,7 +95,7 @@ } ], "istable": 1, - "modified": "2014-07-18 15:53:15.589501", + "modified": "2014-07-21 16:53:56.206169", "modified_by": "Administrator", "module": "Accounts", "name": "Payment Reconciliation Payment", diff --git a/erpnext/accounts/utils.py b/erpnext/accounts/utils.py index bc005d7c94..25a8adfca1 100644 --- a/erpnext/accounts/utils.py +++ b/erpnext/accounts/utils.py @@ -153,12 +153,12 @@ def check_if_jv_modified(args): check if jv is submitted """ ret = frappe.db.sql(""" - select t2.%(dr_or_cr)s from `tabJournal Voucher` t1, `tabJournal Voucher Detail` t2 - where t1.name = t2.parent and t2.account = '%(account)s' + select t2.{dr_or_cr} from `tabJournal Voucher` t1, `tabJournal Voucher Detail` t2 + where t1.name = t2.parent and t2.account = %(account)s and ifnull(t2.against_voucher, '')='' and ifnull(t2.against_invoice, '')='' and ifnull(t2.against_jv, '')='' - and t1.name = '%(voucher_no)s' and t2.name = '%(voucher_detail_no)s' - and t1.docstatus=1 """ % args) + and t1.name = %(voucher_no)s and t2.name = %(voucher_detail_no)s + and t1.docstatus=1 """.format(dr_or_cr = args.get("dr_or_cr")), args) if not ret: throw(_("""Payment Entry has been modified after you pulled it. Please pull it again.""")) From c772b3d86a09dd4be08b39f38272419dd44f591e Mon Sep 17 00:00:00 2001 From: nabinhait Date: Tue, 22 Jul 2014 11:37:03 +0530 Subject: [PATCH 379/630] Purchase invoice: Copy project name from first row on addition of row --- erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js index d87456d260..4f6bd08ccb 100644 --- a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +++ b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js @@ -112,7 +112,8 @@ erpnext.accounts.PurchaseInvoice = erpnext.buying.BuyingController.extend({ entries_add: function(doc, cdt, cdn) { var row = frappe.get_doc(cdt, cdn); - this.frm.script_manager.copy_from_first_row("entries", row, ["expense_account", "cost_center"]); + this.frm.script_manager.copy_from_first_row("entries", row, + ["expense_account", "cost_center", "project_name"]); }, on_submit: function() { From b5f9b5de45097ba05ce2dc58fd64d372f40bdbd9 Mon Sep 17 00:00:00 2001 From: nabinhait Date: Tue, 22 Jul 2014 11:37:53 +0530 Subject: [PATCH 380/630] PP Tool: data for required raw materials --- .../production_planning_tool.py | 21 +++++++++---------- 1 file changed, 10 insertions(+), 11 deletions(-) diff --git a/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py b/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py index e96dcbb038..6cee234420 100644 --- a/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +++ b/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py @@ -287,17 +287,16 @@ class ProductionPlanningTool(Document): 'Quantity Requested for Purchase', 'Ordered Qty', 'Actual Qty']] for item in self.item_dict: total_qty = sum([flt(d[0]) for d in self.item_dict[item]]) - for item_details in self.item_dict[item]: - item_list.append([item, item_details[1], item_details[2], item_details[0]]) - item_qty = frappe.db.sql("""select warehouse, indented_qty, ordered_qty, actual_qty - from `tabBin` where item_code = %s""", item, as_dict=1) - i_qty, o_qty, a_qty = 0, 0, 0 - for w in item_qty: - i_qty, o_qty, a_qty = i_qty + flt(w.indented_qty), o_qty + flt(w.ordered_qty), a_qty + flt(w.actual_qty) - item_list.append(['', '', '', '', w.warehouse, flt(w.indented_qty), - flt(w.ordered_qty), flt(w.actual_qty)]) - if item_qty: - item_list.append(['', '', '', '', 'Total', i_qty, o_qty, a_qty]) + item_list.append([item, self.item_dict[item][0][1], self.item_dict[item][0][2], total_qty]) + item_qty = frappe.db.sql("""select warehouse, indented_qty, ordered_qty, actual_qty + from `tabBin` where item_code = %s""", item, as_dict=1) + i_qty, o_qty, a_qty = 0, 0, 0 + for w in item_qty: + i_qty, o_qty, a_qty = i_qty + flt(w.indented_qty), o_qty + flt(w.ordered_qty), a_qty + flt(w.actual_qty) + item_list.append(['', '', '', '', w.warehouse, flt(w.indented_qty), + flt(w.ordered_qty), flt(w.actual_qty)]) + if item_qty: + item_list.append(['', '', '', '', 'Total', i_qty, o_qty, a_qty]) return item_list From b0cffac79df85d50b8c364d46d529caffa6f8b84 Mon Sep 17 00:00:00 2001 From: ankitjavalkarwork Date: Tue, 22 Jul 2014 15:02:59 +0530 Subject: [PATCH 381/630] Payment Reconciliation Feature/Tool - add in module list --- .../payment_reconciliation/payment_reconciliation.json | 8 ++++---- erpnext/config/accounts.py | 10 +++++----- 2 files changed, 9 insertions(+), 9 deletions(-) diff --git a/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.json b/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.json index a83d45363e..b9705a6031 100644 --- a/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.json +++ b/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.json @@ -31,7 +31,7 @@ "hidden": 1, "in_list_view": 1, "label": "Party Type", - "options": "\nCustomer\nSupplier", + "options": "Customer\nSupplier", "permlevel": 0, "read_only": 1, "reqd": 0 @@ -129,7 +129,7 @@ ], "hide_toolbar": 1, "issingle": 1, - "modified": "2014-07-21 16:54:31.454679", + "modified": "2014-07-22 14:53:59.084438", "modified_by": "Administrator", "module": "Accounts", "name": "Payment Reconciliation", @@ -139,7 +139,7 @@ { "cancel": 0, "create": 1, - "delete": 1, + "delete": 0, "permlevel": 0, "read": 1, "role": "Accounts Manager", @@ -149,7 +149,7 @@ { "cancel": 0, "create": 1, - "delete": 1, + "delete": 0, "permlevel": 0, "read": 1, "role": "Accounts User", diff --git a/erpnext/config/accounts.py b/erpnext/config/accounts.py index 722bf77f83..f52cea9818 100644 --- a/erpnext/config/accounts.py +++ b/erpnext/config/accounts.py @@ -51,11 +51,11 @@ def get_data(): "name": "Bank Reconciliation", "description": _("Update bank payment dates with journals.") }, - # { - # "type": "doctype", - # "name": "Payment to Invoice Matching Tool", - # "description": _("Match non-linked Invoices and Payments.") - # }, + { + "type": "doctype", + "name": "Payment Reconciliation", + "description": _("Match non-linked Invoices and Payments.") + }, { "type": "doctype", "name": "Period Closing Voucher", From b5ae643b6e941e300610fe30afbba0eee55d14e5 Mon Sep 17 00:00:00 2001 From: ankitjavalkarwork Date: Tue, 22 Jul 2014 15:26:04 +0530 Subject: [PATCH 382/630] Payment Reconciliation Feature/Tool - minor change --- .../doctype/payment_reconciliation/payment_reconciliation.json | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.json b/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.json index b9705a6031..8e675ef8b1 100644 --- a/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.json +++ b/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.json @@ -31,7 +31,7 @@ "hidden": 1, "in_list_view": 1, "label": "Party Type", - "options": "Customer\nSupplier", + "options": "\nCustomer\nSupplier", "permlevel": 0, "read_only": 1, "reqd": 0 From 87633d6be64bd2c82116f0ee81166b893754b797 Mon Sep 17 00:00:00 2001 From: ankitjavalkarwork Date: Tue, 22 Jul 2014 18:14:30 +0530 Subject: [PATCH 383/630] Payment Reconciliation Feature/Tool - Patch --- erpnext/patches.txt | 4 +++- 1 file changed, 3 insertions(+), 1 deletion(-) diff --git a/erpnext/patches.txt b/erpnext/patches.txt index 1a903de743..5ac1da151a 100644 --- a/erpnext/patches.txt +++ b/erpnext/patches.txt @@ -68,4 +68,6 @@ erpnext.patches.v4_1.set_outgoing_email_footer erpnext.patches.v4_1.fix_jv_remarks erpnext.patches.v4_1.fix_sales_order_delivered_status erpnext.patches.v4_1.fix_delivery_and_billing_status -execute:frappe.db.sql("update `tabAccount` set root_type='Liability' where root_type='Income' and report_type='Balance Sheet'") \ No newline at end of file +execute:frappe.db.sql("update `tabAccount` set root_type='Liability' where root_type='Income' and report_type='Balance Sheet'") +execute:frappe.delete_doc("DocType", "Payment to Invoice Matching Tool") +execute:frappe.delete_doc("DocType", "Payment to Invoice Matching Tool Detail") \ No newline at end of file From cb86d597b7fe6a5b46a6cc8eb3ddaa740f183894 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Tue, 22 Jul 2014 19:02:11 +0530 Subject: [PATCH 384/630] Report: Trial Balance --- erpnext/accounts/page/trial_balance/README.md | 1 - .../accounts/page/trial_balance/__init__.py | 1 - .../page/trial_balance/trial_balance.js | 78 ------- .../page/trial_balance/trial_balance.json | 23 -- .../report/balance_sheet/balance_sheet.py | 11 +- .../accounts/report/financial_statements.html | 7 +- .../accounts/report/financial_statements.py | 21 +- .../profit_and_loss_statement.py | 9 +- .../accounts/report/trial_balance/__init__.py | 0 .../report/trial_balance/trial_balance.html | 1 + .../report/trial_balance/trial_balance.js | 65 ++++++ .../report/trial_balance/trial_balance.json | 17 ++ .../report/trial_balance/trial_balance.py | 216 ++++++++++++++++++ erpnext/config/accounts.py | 8 +- erpnext/patches.txt | 3 +- erpnext/public/js/financial_statements.js | 37 ++- 16 files changed, 341 insertions(+), 157 deletions(-) delete mode 100644 erpnext/accounts/page/trial_balance/README.md delete mode 100644 erpnext/accounts/page/trial_balance/__init__.py delete mode 100644 erpnext/accounts/page/trial_balance/trial_balance.js delete mode 100644 erpnext/accounts/page/trial_balance/trial_balance.json create mode 100644 erpnext/accounts/report/trial_balance/__init__.py create mode 100644 erpnext/accounts/report/trial_balance/trial_balance.html create mode 100644 erpnext/accounts/report/trial_balance/trial_balance.js create mode 100644 erpnext/accounts/report/trial_balance/trial_balance.json create mode 100644 erpnext/accounts/report/trial_balance/trial_balance.py diff --git a/erpnext/accounts/page/trial_balance/README.md b/erpnext/accounts/page/trial_balance/README.md deleted file mode 100644 index cba659d425..0000000000 --- a/erpnext/accounts/page/trial_balance/README.md +++ /dev/null @@ -1 +0,0 @@ -Period wise opening and closing balance of all transactions. \ No newline at end of file diff --git a/erpnext/accounts/page/trial_balance/__init__.py b/erpnext/accounts/page/trial_balance/__init__.py deleted file mode 100644 index baffc48825..0000000000 --- a/erpnext/accounts/page/trial_balance/__init__.py +++ /dev/null @@ -1 +0,0 @@ -from __future__ import unicode_literals diff --git a/erpnext/accounts/page/trial_balance/trial_balance.js b/erpnext/accounts/page/trial_balance/trial_balance.js deleted file mode 100644 index 2edf82240e..0000000000 --- a/erpnext/accounts/page/trial_balance/trial_balance.js +++ /dev/null @@ -1,78 +0,0 @@ -// Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors -// License: GNU General Public License v3. See license.txt - -frappe.require("assets/erpnext/js/account_tree_grid.js"); - -frappe.pages['trial-balance'].onload = function(wrapper) { - frappe.ui.make_app_page({ - parent: wrapper, - title: __('Trial Balance'), - single_column: true - }); - var TrialBalance = erpnext.AccountTreeGrid.extend({ - init: function(wrapper, title) { - var me = this; - this._super(wrapper, title); - - // period closing entry checkbox - this.wrapper.bind("make", function() { - $('
' + - __("With period closing entry") + '
') - .appendTo(me.wrapper) - .find("input").click(function() { me.refresh(); }); - }); - }, - - prepare_balances: function() { - // store value of with closing entry - this.with_period_closing_entry = this.wrapper - .find(".with_period_closing_entry input:checked").length; - this._super(); - this.add_total_debit_credit(); - }, - - update_balances: function(account, posting_date, v) { - // for period closing voucher, - // only consider them when adding "With Closing Entry is checked" - if(v.voucher_type === "Period Closing Voucher") { - if(this.with_period_closing_entry) { - this._super(account, posting_date, v); - } - } else { - this._super(account, posting_date, v); - } - }, - - add_total_debit_credit: function() { - var me = this; - - var total_row = { - company: me.company, - id: "Total Debit / Credit", - name: "Total Debit / Credit", - indent: 0, - opening_dr: "NA", - opening_cr: "NA", - debit: 0, - credit: 0, - checked: false, - }; - me.item_by_name[total_row.name] = total_row; - - $.each(this.data, function(i, account) { - if((account.group_or_ledger == "Ledger") || (account.rgt - account.lft == 1)) { - total_row["debit"] += account.debit; - total_row["credit"] += account.credit; - } - }); - - this.data.push(total_row); - } - }) - erpnext.trial_balance = new TrialBalance(wrapper, 'Trial Balance'); - - - wrapper.appframe.add_module_icon("Accounts") - -} diff --git a/erpnext/accounts/page/trial_balance/trial_balance.json b/erpnext/accounts/page/trial_balance/trial_balance.json deleted file mode 100644 index 72fb981f92..0000000000 --- a/erpnext/accounts/page/trial_balance/trial_balance.json +++ /dev/null @@ -1,23 +0,0 @@ -{ - "creation": "2013-01-27 16:30:52.000000", - "docstatus": 0, - "doctype": "Page", - "icon": "icon-table", - "idx": 1, - "modified": "2013-07-11 14:44:49.000000", - "modified_by": "Administrator", - "module": "Accounts", - "name": "trial-balance", - "owner": "Administrator", - "page_name": "trial-balance", - "roles": [ - { - "role": "Analytics" - }, - { - "role": "Accounts Manager" - } - ], - "standard": "Yes", - "title": "Trial Balance" -} \ No newline at end of file diff --git a/erpnext/accounts/report/balance_sheet/balance_sheet.py b/erpnext/accounts/report/balance_sheet/balance_sheet.py index 4edc9b9515..384e15bef1 100644 --- a/erpnext/accounts/report/balance_sheet/balance_sheet.py +++ b/erpnext/accounts/report/balance_sheet/balance_sheet.py @@ -5,15 +5,14 @@ from __future__ import unicode_literals import frappe from frappe import _ from frappe.utils import flt -from erpnext.accounts.report.financial_statements import (process_filters, get_period_list, get_columns, get_data) +from erpnext.accounts.report.financial_statements import (get_period_list, get_columns, get_data) def execute(filters=None): - process_filters(filters) period_list = get_period_list(filters.fiscal_year, filters.periodicity, from_beginning=True) - asset = get_data(filters.company, "Asset", "Debit", period_list, filters.depth) - liability = get_data(filters.company, "Liability", "Credit", period_list, filters.depth) - equity = get_data(filters.company, "Equity", "Credit", period_list, filters.depth) + asset = get_data(filters.company, "Asset", "Debit", period_list) + liability = get_data(filters.company, "Liability", "Credit", period_list) + equity = get_data(filters.company, "Equity", "Credit", period_list) provisional_profit_loss = get_provisional_profit_loss(asset, liability, equity, period_list) data = [] @@ -32,7 +31,7 @@ def get_provisional_profit_loss(asset, liability, equity, period_list): provisional_profit_loss = { "account_name": _("Provisional Profit / Loss (Credit)"), "account": None, - "is_profit_loss": True + "warn_if_negative": True } has_value = False diff --git a/erpnext/accounts/report/financial_statements.html b/erpnext/accounts/report/financial_statements.html index 403e67e5bb..c0869445da 100644 --- a/erpnext/accounts/report/financial_statements.html +++ b/erpnext/accounts/report/financial_statements.html @@ -1,5 +1,5 @@ {% - if (report.columns.length > 6) { + if (report.columns.length > 8) { frappe.throw(__("Too many columns. Export the report and print it using a spreadsheet application.")); } %} @@ -17,11 +17,14 @@

{%= __(report.report_name) %}

{%= filters.company %}

{%= filters.fiscal_year %}

+{% if (filters.from_date) { %} +

{%= dateutil.str_to_user(filters.from_date) %} - {%= dateutil.str_to_user(filters.to_date) %}

+{% } %}
- {%= row.account_name %} + {%= row.account_name %} {%= data[i].voucher_type%}
{%= data[i].voucher_no %}
{%= data[i].account %} -
{%= __("Against") %}: {%= data[i].account %} +
{%= __("Against") %}: {%= data[i].against_account %}
{%= __("Remarks") %}: {%= data[i].remarks %}
{%= format_currency(data[i].debit) %} {%= format_currency(data[i].credit) %}
- + {% for(var i=2, l=report.columns.length; i{%= report.columns[i].label %} {% } %} diff --git a/erpnext/accounts/report/financial_statements.py b/erpnext/accounts/report/financial_statements.py index 45d5b3a737..30a0fa700e 100644 --- a/erpnext/accounts/report/financial_statements.py +++ b/erpnext/accounts/report/financial_statements.py @@ -4,14 +4,9 @@ from __future__ import unicode_literals import frappe from frappe import _, _dict -from frappe.utils import (flt, cint, getdate, get_first_day, get_last_day, +from frappe.utils import (flt, getdate, get_first_day, get_last_day, add_months, add_days, formatdate) -def process_filters(filters): - filters.depth = cint(filters.depth) or 3 - if not filters.periodicity: - filters.periodicity = "Yearly" - def get_period_list(fiscal_year, periodicity, from_beginning=False): """Get a list of dict {"to_date": to_date, "key": key, "label": label} Periodicity can be (Yearly, Quarterly, Monthly)""" @@ -76,13 +71,13 @@ def get_period_list(fiscal_year, periodicity, from_beginning=False): return period_list -def get_data(company, root_type, balance_must_be, period_list, depth, ignore_closing_entries=False): +def get_data(company, root_type, balance_must_be, period_list, ignore_closing_entries=False): accounts = get_accounts(company, root_type) if not accounts: return None - accounts, accounts_by_name = filter_accounts(accounts, depth) - gl_entries_by_account = get_gl_entries(company, root_type, period_list[0]["from_date"], period_list[-1]["to_date"], + accounts, accounts_by_name = filter_accounts(accounts) + gl_entries_by_account = get_gl_entries(company, period_list[0]["from_date"], period_list[-1]["to_date"], accounts[0].lft, accounts[0].rgt, ignore_closing_entries=ignore_closing_entries) calculate_values(accounts, gl_entries_by_account, period_list) @@ -127,8 +122,8 @@ def prepare_data(accounts, balance_must_be, period_list): "account": d.name, "parent_account": d.parent_account, "indent": flt(d.indent), - "year_start_date": year_start_date, - "year_end_date": year_end_date + "from_date": year_start_date, + "to_date": year_end_date } for period in period_list: if d.get(period.key): @@ -177,7 +172,7 @@ def get_accounts(company, root_type): return accounts -def filter_accounts(accounts, depth): +def filter_accounts(accounts, depth=10): parent_children_map = {} accounts_by_name = {} for d in accounts: @@ -204,7 +199,7 @@ def filter_accounts(accounts, depth): return filtered_accounts, accounts_by_name -def get_gl_entries(company, root_type, from_date, to_date, root_lft, root_rgt, ignore_closing_entries=False): +def get_gl_entries(company, from_date, to_date, root_lft, root_rgt, ignore_closing_entries=False): """Returns a dict like { "account": [gl entries], ... }""" additional_conditions = [] diff --git a/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py b/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py index 3a3123fc36..3df0c9b5d6 100644 --- a/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +++ b/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py @@ -5,14 +5,13 @@ from __future__ import unicode_literals import frappe from frappe import _ from frappe.utils import flt -from erpnext.accounts.report.financial_statements import (process_filters, get_period_list, get_columns, get_data) +from erpnext.accounts.report.financial_statements import (get_period_list, get_columns, get_data) def execute(filters=None): - process_filters(filters) period_list = get_period_list(filters.fiscal_year, filters.periodicity) - income = get_data(filters.company, "Income", "Credit", period_list, filters.depth, ignore_closing_entries=True) - expense = get_data(filters.company, "Expense", "Debit", period_list, filters.depth, ignore_closing_entries=True) + income = get_data(filters.company, "Income", "Credit", period_list, ignore_closing_entries=True) + expense = get_data(filters.company, "Expense", "Debit", period_list, ignore_closing_entries=True) net_profit_loss = get_net_profit_loss(income, expense, period_list) data = [] @@ -30,7 +29,7 @@ def get_net_profit_loss(income, expense, period_list): net_profit_loss = { "account_name": _("Net Profit / Loss"), "account": None, - "is_profit_loss": True + "warn_if_negative": True } for period in period_list: diff --git a/erpnext/accounts/report/trial_balance/__init__.py b/erpnext/accounts/report/trial_balance/__init__.py new file mode 100644 index 0000000000..e69de29bb2 diff --git a/erpnext/accounts/report/trial_balance/trial_balance.html b/erpnext/accounts/report/trial_balance/trial_balance.html new file mode 100644 index 0000000000..d4ae54d4f3 --- /dev/null +++ b/erpnext/accounts/report/trial_balance/trial_balance.html @@ -0,0 +1 @@ +{% include "accounts/report/financial_statements.html" %} diff --git a/erpnext/accounts/report/trial_balance/trial_balance.js b/erpnext/accounts/report/trial_balance/trial_balance.js new file mode 100644 index 0000000000..5050dba30f --- /dev/null +++ b/erpnext/accounts/report/trial_balance/trial_balance.js @@ -0,0 +1,65 @@ +// Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors +// License: GNU General Public License v3. See license.txt + +frappe.require("assets/erpnext/js/financial_statements.js"); + +frappe.query_reports["Trial Balance"] = { + "filters": [ + { + "fieldname": "company", + "label": __("Company"), + "fieldtype": "Link", + "options": "Company", + "default": frappe.defaults.get_user_default("company"), + "reqd": 1 + }, + { + "fieldname": "fiscal_year", + "label": __("Fiscal Year"), + "fieldtype": "Link", + "options": "Fiscal Year", + "default": frappe.defaults.get_user_default("fiscal_year"), + "reqd": 1, + "on_change": function(query_report) { + var fiscal_year = query_report.get_values().fiscal_year; + if (!fiscal_year) { + return; + } + frappe.model.with_doc("Fiscal Year", fiscal_year, function(r) { + var fy = frappe.model.get_doc("Fiscal Year", fiscal_year); + query_report.filters_by_name.from_date.set_input(fy.year_start_date); + query_report.filters_by_name.to_date.set_input(fy.year_end_date); + query_report.trigger_refresh(); + }); + } + }, + { + "fieldname": "from_date", + "label": __("From Date"), + "fieldtype": "Date", + "default": frappe.defaults.get_user_default("year_start_date"), + }, + { + "fieldname": "to_date", + "label": __("To Date"), + "fieldtype": "Date", + "default": frappe.defaults.get_user_default("year_end_date"), + }, + { + "fieldname": "with_period_closing_entry", + "label": __("With Period Closing Entry"), + "fieldtype": "Check", + "default": 1 + }, + { + "fieldname": "show_zero_values", + "label": __("Show rows with zero values"), + "fieldtype": "Check" + }, + ], + "formatter": erpnext.financial_statements.formatter, + "tree": true, + "name_field": "account", + "parent_field": "parent_account", + "initial_depth": 3 +} diff --git a/erpnext/accounts/report/trial_balance/trial_balance.json b/erpnext/accounts/report/trial_balance/trial_balance.json new file mode 100644 index 0000000000..0dbb4dce83 --- /dev/null +++ b/erpnext/accounts/report/trial_balance/trial_balance.json @@ -0,0 +1,17 @@ +{ + "add_total_row": 0, + "apply_user_permissions": 1, + "creation": "2014-07-22 11:41:23.743564", + "disabled": 0, + "docstatus": 0, + "doctype": "Report", + "is_standard": "Yes", + "modified": "2014-07-22 11:41:23.743564", + "modified_by": "Administrator", + "module": "Accounts", + "name": "Trial Balance", + "owner": "Administrator", + "ref_doctype": "GL Entry", + "report_name": "Trial Balance", + "report_type": "Script Report" +} \ No newline at end of file diff --git a/erpnext/accounts/report/trial_balance/trial_balance.py b/erpnext/accounts/report/trial_balance/trial_balance.py new file mode 100644 index 0000000000..dedbef9398 --- /dev/null +++ b/erpnext/accounts/report/trial_balance/trial_balance.py @@ -0,0 +1,216 @@ +# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors +# License: GNU General Public License v3. See license.txt + +from __future__ import unicode_literals +import frappe +from frappe import _ +from frappe.utils import cint, flt, getdate, formatdate +from erpnext.accounts.report.financial_statements import filter_accounts, get_gl_entries + +value_fields = ("opening_debit", "opening_credit", "debit", "credit", "closing_debit", "closing_credit") + +def execute(filters): + validate_filters(filters) + data = get_data(filters) + columns = get_columns() + return columns, data + +def validate_filters(filters): + filters.year_start_date, filters.year_end_date = frappe.db.get_value("Fiscal Year", filters.fiscal_year, + ["year_start_date", "year_end_date"]) + filters.year_start_date = getdate(filters.year_start_date) + filters.year_end_date = getdate(filters.year_end_date) + + if not filters.from_date: + filters.from_date = filters.year_start_date + + if not filters.to_date: + filters.to_date = filters.year_end_date + + filters.from_date = getdate(filters.from_date) + filters.to_date = getdate(filters.to_date) + + if filters.from_date > filters.to_date: + frappe.throw(_("From Date cannot be greater than To Date")) + + if (filters.from_date < filters.year_start_date) or (filters.from_date > filters.year_end_date): + frappe.msgprint(_("From Date should be within the Fiscal Year. Assuming From Date = {0}")\ + .format(formatdate(filters.year_start_date))) + + filters.from_date = filters.year_start_date + + if (filters.to_date < filters.year_start_date) or (filters.to_date > filters.year_end_date): + frappe.msgprint(_("To Date should be within the Fiscal Year. Assuming To Date = {0}")\ + .format(formatdate(filters.year_end_date))) + filters.to_date = filters.year_end_date + +def get_data(filters): + accounts = frappe.db.sql("""select * from `tabAccount` where company=%s order by lft""", + filters.company, as_dict=True) + + if not accounts: + return None + + accounts, accounts_by_name = filter_accounts(accounts) + + min_lft, max_rgt = frappe.db.sql("""select min(lft), max(rgt) from `tabAccount` + where company=%s""", (filters.company,))[0] + + gl_entries_by_account = get_gl_entries(filters.company, None, filters.to_date, min_lft, max_rgt, + ignore_closing_entries=not flt(filters.with_period_closing_entry)) + + total_row = calculate_values(accounts, gl_entries_by_account, filters) + accumulate_values_into_parents(accounts, accounts_by_name) + + data = prepare_data(accounts, filters, total_row) + + return data + +def calculate_values(accounts, gl_entries_by_account, filters): + init = { + "opening_debit": 0.0, + "opening_credit": 0.0, + "debit": 0.0, + "credit": 0.0, + "closing_debit": 0.0, + "closing_credit": 0.0 + } + + total_row = { + "account": None, + "account_name": _("Total"), + "warn_if_negative": True, + "debit": 0.0, + "credit": 0.0 + } + + for d in accounts: + d.update(init.copy()) + + for entry in gl_entries_by_account.get(d.name, []): + posting_date = getdate(entry.posting_date) + + # opening + if posting_date < filters.from_date: + is_valid_opening = (d.root_type in ("Asset", "Liability", "Equity") or + (filters.year_start_date <= posting_date < filters.from_date)) + + if is_valid_opening: + d["opening_debit"] += flt(entry.debit) + d["opening_credit"] += flt(entry.credit) + + elif posting_date <= filters.to_date: + + if entry.is_opening == "Yes" and d.root_type in ("Asset", "Liability", "Equity"): + d["opening_debit"] += flt(entry.debit) + d["opening_credit"] += flt(entry.credit) + + else: + d["debit"] += flt(entry.debit) + d["credit"] += flt(entry.credit) + + total_row["debit"] += d["debit"] + total_row["credit"] += d["credit"] + + return total_row + +def accumulate_values_into_parents(accounts, accounts_by_name): + for d in reversed(accounts): + if d.parent_account: + for key in value_fields: + accounts_by_name[d.parent_account][key] += d[key] + +def prepare_data(accounts, filters, total_row): + show_zero_values = cint(filters.show_zero_values) + data = [] + for i, d in enumerate(accounts): + has_value = False + row = { + "account_name": d.account_name, + "account": d.name, + "parent_account": d.parent_account, + "indent": d.indent, + "from_date": filters.from_date, + "to_date": filters.to_date + } + + prepare_opening_and_closing(d) + + for key in value_fields: + row[key] = d.get(key, 0.0) + if row[key]: + has_value = True + + if has_value or show_zero_values: + data.append(row) + + data.extend([{},total_row]) + + return data + +def get_columns(): + return [ + { + "fieldname": "account", + "label": _("Account"), + "fieldtype": "Link", + "options": "Account", + "width": 300 + }, + { + "fieldname": "opening_debit", + "label": _("Opening (Dr)"), + "fieldtype": "Currency", + "width": 120 + }, + { + "fieldname": "opening_credit", + "label": _("Opening (Cr)"), + "fieldtype": "Currency", + "width": 120 + }, + { + "fieldname": "debit", + "label": _("Debit"), + "fieldtype": "Currency", + "width": 120 + }, + { + "fieldname": "credit", + "label": _("Credit"), + "fieldtype": "Currency", + "width": 120 + }, + { + "fieldname": "closing_debit", + "label": _("Closing (Dr)"), + "fieldtype": "Currency", + "width": 120 + }, + { + "fieldname": "closing_credit", + "label": _("Closing (Cr)"), + "fieldtype": "Currency", + "width": 120 + } + ] + +def prepare_opening_and_closing(d): + d["closing_debit"] = d["opening_debit"] + d["debit"] + d["closing_credit"] = d["opening_credit"] + d["credit"] + + if d["closing_debit"] > d["closing_credit"]: + d["closing_debit"] -= d["closing_credit"] + d["closing_credit"] = 0.0 + + else: + d["closing_credit"] -= d["closing_debit"] + d["closing_debit"] = 0.0 + + if d["opening_debit"] > d["opening_credit"]: + d["opening_debit"] -= d["opening_credit"] + d["opening_credit"] = 0.0 + + else: + d["opening_credit"] -= d["opening_debit"] + d["opening_debit"] = 0.0 diff --git a/erpnext/config/accounts.py b/erpnext/config/accounts.py index f52cea9818..646d596387 100644 --- a/erpnext/config/accounts.py +++ b/erpnext/config/accounts.py @@ -166,10 +166,10 @@ def get_data(): "is_query_report": True, }, { - "type": "page", - "name": "trial-balance", - "label": _("Trial Balance"), - "icon": "icon-table" + "type": "report", + "name": "Trial Balance", + "doctype": "GL Entry", + "is_query_report": True, }, { "type": "report", diff --git a/erpnext/patches.txt b/erpnext/patches.txt index 5ac1da151a..5c64213ccb 100644 --- a/erpnext/patches.txt +++ b/erpnext/patches.txt @@ -70,4 +70,5 @@ erpnext.patches.v4_1.fix_sales_order_delivered_status erpnext.patches.v4_1.fix_delivery_and_billing_status execute:frappe.db.sql("update `tabAccount` set root_type='Liability' where root_type='Income' and report_type='Balance Sheet'") execute:frappe.delete_doc("DocType", "Payment to Invoice Matching Tool") -execute:frappe.delete_doc("DocType", "Payment to Invoice Matching Tool Detail") \ No newline at end of file +execute:frappe.delete_doc("DocType", "Payment to Invoice Matching Tool Detail") +execute:frappe.delete_doc("Page", "trial-balance") #2014-07-22 diff --git a/erpnext/public/js/financial_statements.js b/erpnext/public/js/financial_statements.js index 5e3ba0e116..9a1a05afaa 100644 --- a/erpnext/public/js/financial_statements.js +++ b/erpnext/public/js/financial_statements.js @@ -25,34 +25,21 @@ erpnext.financial_statements = { "options": "Yearly\nHalf-yearly\nQuarterly\nMonthly", "default": "Yearly", "reqd": 1 - }, - { - "fieldname": "depth", - "label": __("Depth"), - "fieldtype": "Select", - "options": "3\n4\n5", - "default": "3" } ], - "formatter": function(row, cell, value, columnDef, dataContext) { + "formatter": function(row, cell, value, columnDef, dataContext, default_formatter) { if (columnDef.df.fieldname=="account") { - var link = $("") - .text(dataContext.account_name) - .attr("onclick", "erpnext.financial_statements.open_general_ledger(" + JSON.stringify(dataContext) + ")"); + value = dataContext.account_name; - var span = $("") - .css("padding-left", (cint(dataContext.indent) * 21) + "px") - .append(link); - - value = span.wrap("

").parent().html(); - - } else { - value = erpnext.financial_statements.default_formatter(row, cell, value, columnDef, dataContext); + columnDef.df.link_onclick = "erpnext.financial_statements.open_general_ledger(" + JSON.stringify(dataContext) + ")"; + columnDef.df.is_tree = true; } + value = default_formatter(row, cell, value, columnDef, dataContext); + if (!dataContext.parent_account) { var $value = $(value).css("font-weight", "bold"); - if (dataContext.is_profit_loss && dataContext[columnDef.df.fieldname] < 0) { + if (dataContext.warn_if_negative && dataContext[columnDef.df.fieldname] < 0) { $value.addClass("text-danger"); } @@ -67,9 +54,13 @@ erpnext.financial_statements = { frappe.route_options = { "account": data.account, "company": frappe.query_report.filters_by_name.company.get_value(), - "from_date": data.year_start_date, - "to_date": data.year_end_date + "from_date": data.from_date, + "to_date": data.to_date }; frappe.set_route("query-report", "General Ledger"); - } + }, + "tree": true, + "name_field": "account", + "parent_field": "parent_account", + "initial_depth": 3 }; From de85a3af15393945891711587abfd0c25ab6e5e3 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Tue, 22 Jul 2014 19:48:26 +0530 Subject: [PATCH 385/630] Newsletter: Bulk Send via worker --- .../support/doctype/newsletter/newsletter.py | 19 ++++++++---- erpnext/tasks.py | 29 +++++++++++++++++++ 2 files changed, 42 insertions(+), 6 deletions(-) create mode 100644 erpnext/tasks.py diff --git a/erpnext/support/doctype/newsletter/newsletter.py b/erpnext/support/doctype/newsletter/newsletter.py index 88040e21b4..aaf4ddf950 100644 --- a/erpnext/support/doctype/newsletter/newsletter.py +++ b/erpnext/support/doctype/newsletter/newsletter.py @@ -8,11 +8,12 @@ import frappe.utils from frappe.utils import cstr from frappe import throw, _ from frappe.model.document import Document +import erpnext.tasks class Newsletter(Document): def onload(self): if self.email_sent: - self.get("__onload").status_count = dict(frappe.db.sql("""select status, count(*) + self.get("__onload").status_count = dict(frappe.db.sql("""select status, count(name) from `tabBulk Email` where ref_doctype=%s and ref_docname=%s group by status""", (self.doctype, self.name))) or None @@ -28,7 +29,13 @@ class Newsletter(Document): throw(_("Newsletter has already been sent")) self.recipients = self.get_recipients() - self.send_bulk() + + if frappe.local.is_ajax: + # to avoid request timed out! + self.validate_send() + erpnext.tasks.send_newsletter.delay(frappe.local.site, self.name) + else: + self.send_bulk() frappe.msgprint(_("Scheduled to send to {0} recipients").format(len(self.recipients))) @@ -77,6 +84,10 @@ class Newsletter(Document): return email_list def send_bulk(self): + if not self.get("recipients"): + # in case it is called via worker + self.recipients = self.get_recipients() + self.validate_send() sender = self.send_from or frappe.utils.get_formatted_email(self.owner) @@ -98,10 +109,6 @@ class Newsletter(Document): if self.get("__islocal"): throw(_("Please save the Newsletter before sending")) - from frappe import conf - if (conf.get("status") or None) == "Trial": - throw(_("Newsletters is not allowed for Trial users")) - @frappe.whitelist() def get_lead_options(): return { diff --git a/erpnext/tasks.py b/erpnext/tasks.py new file mode 100644 index 0000000000..da2ab03ccc --- /dev/null +++ b/erpnext/tasks.py @@ -0,0 +1,29 @@ +# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors +# MIT License. See license.txt + +from __future__ import unicode_literals +import frappe +from frappe.celery_app import celery_task, task_logger + +@celery_task() +def send_newsletter(site, newsletter): + try: + frappe.connect(site=site) + doc = frappe.get_doc("Newsletter", newsletter) + doc.send_bulk() + + except: + frappe.db.rollback() + task_logger.warn(frappe.get_traceback()) + + # wasn't able to send emails :( + doc.db_set("email_sent", 0) + frappe.db.commit() + + raise + + else: + frappe.db.commit() + + finally: + frappe.destroy() From 3c78ab5841297f584fe5d1de1ce6e64af3cff6e2 Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Wed, 23 Jul 2014 10:19:31 +0530 Subject: [PATCH 386/630] [email digest] [fix] [hot] only open to-do items --- erpnext/setup/doctype/email_digest/email_digest.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/setup/doctype/email_digest/email_digest.py b/erpnext/setup/doctype/email_digest/email_digest.py index 066e3b5433..8b17ca3c87 100644 --- a/erpnext/setup/doctype/email_digest/email_digest.py +++ b/erpnext/setup/doctype/email_digest/email_digest.py @@ -312,7 +312,7 @@ class EmailDigest(Document): def get_todo_list(self, user_id): todo_list = frappe.db.sql("""select * - from `tabToDo` where (owner=%s or assigned_by=%s) + from `tabToDo` where (owner=%s or assigned_by=%s) and status="Open" order by field(priority, 'High', 'Medium', 'Low') asc, date asc""", (user_id, user_id), as_dict=True) From d1a2ce27509c77677a50e929a7ec1cfabfec2663 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Wed, 23 Jul 2014 12:51:17 +0530 Subject: [PATCH 387/630] [minor] is_ajax check in newsletter --- erpnext/support/doctype/newsletter/newsletter.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/support/doctype/newsletter/newsletter.py b/erpnext/support/doctype/newsletter/newsletter.py index aaf4ddf950..57063bbc6a 100644 --- a/erpnext/support/doctype/newsletter/newsletter.py +++ b/erpnext/support/doctype/newsletter/newsletter.py @@ -30,7 +30,7 @@ class Newsletter(Document): self.recipients = self.get_recipients() - if frappe.local.is_ajax: + if getattr(frappe.local, "is_ajax", False): # to avoid request timed out! self.validate_send() erpnext.tasks.send_newsletter.delay(frappe.local.site, self.name) From 92c043423e684b7161bfc7e108788ae7a9793870 Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Wed, 23 Jul 2014 15:57:01 +0530 Subject: [PATCH 388/630] updated bench --- README.md | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/README.md b/README.md index 8ad696ea40..ce15e84a90 100644 --- a/README.md +++ b/README.md @@ -13,9 +13,9 @@ ERPNext is built on [frappe](https://github.com/frappe/frappe) --- -### Development install +### Install -Use the bench, https://github.com/frappe/frappe-bench. +Use the bench, https://github.com/frappe/bench ### Admin Login From ffd57a0565151c289d2ed58c334b485785f16435 Mon Sep 17 00:00:00 2001 From: nabinhait Date: Thu, 24 Jul 2014 10:39:54 +0530 Subject: [PATCH 389/630] Fix for company in chart of accounts --- erpnext/accounts/page/accounts_browser/accounts_browser.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/accounts/page/accounts_browser/accounts_browser.js b/erpnext/accounts/page/accounts_browser/accounts_browser.js index 552ec2a34c..5fe1618c2a 100644 --- a/erpnext/accounts/page/accounts_browser/accounts_browser.js +++ b/erpnext/accounts/page/accounts_browser/accounts_browser.js @@ -66,7 +66,7 @@ pscript['onload_Accounts Browser'] = function(wrapper){ $.each(r.message, function(i, v) { $('
+ + + + + + + + + + + {%- for row in data -%} + + + + + + + + + + {%- endfor -%} + +
SrItem NameDescriptionQtyUoMBasic RateAmount
{{ row.idx }} + {{ row.item_name }} + {% if row.item_code != row.item_name -%} +
Item Code: {{ row.item_code}} + {%- endif %} +
+
{{ row.description }}
{{ row.qty }}{{ row.stock_uom }}{{ + format(row.rate, table_meta.get_field("rate"), doc) }}{{ format(row.amount, table_meta.get_field("amount"), doc) }}
diff --git a/erpnext/templates/print_formats/includes/taxes.html b/erpnext/templates/print_formats/includes/taxes.html new file mode 100644 index 0000000000..e23b49cb9b --- /dev/null +++ b/erpnext/templates/print_formats/includes/taxes.html @@ -0,0 +1,17 @@ +
+
+
+ {%- for charge in data -%} + {%- if not charge.included_in_print_rate -%} +
+
+
+
+ {{ format(charge.tax_amount / doc.conversion_rate, + table_meta.get_field("tax_amount"), doc) }} +
+
+ {%- endif -%} + {%- endfor -%} +
+
From f84c240d1cff6636a795e2743d86f6f70fd526de Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Fri, 18 Jul 2014 16:39:31 +0530 Subject: [PATCH 392/630] cleanup for print format --- erpnext/controllers/selling_controller.py | 6 +++ .../doctype/sales_order/sales_order.py | 4 -- .../material_request_item.json | 39 ++++++++++--------- .../print_formats/includes/item_grid.html | 10 ++--- erpnext/utilities/doctype/note/note.py | 4 ++ test_sites/test_site/site_config.json | 3 +- 6 files changed, 37 insertions(+), 29 deletions(-) diff --git a/erpnext/controllers/selling_controller.py b/erpnext/controllers/selling_controller.py index 1049350c26..6bbdfadd3d 100644 --- a/erpnext/controllers/selling_controller.py +++ b/erpnext/controllers/selling_controller.py @@ -10,6 +10,12 @@ from frappe import _, throw from erpnext.controllers.stock_controller import StockController class SellingController(StockController): + def __setup__(self): + self.table_print_templates = { + self.fname: "templates/print_formats/includes/item_grid.html", + "other_charges": "templates/print_formats/includes/taxes.html", + } + def validate(self): super(SellingController, self).validate() self.validate_max_discount() diff --git a/erpnext/selling/doctype/sales_order/sales_order.py b/erpnext/selling/doctype/sales_order/sales_order.py index 9a26404962..e0a7a1d62d 100644 --- a/erpnext/selling/doctype/sales_order/sales_order.py +++ b/erpnext/selling/doctype/sales_order/sales_order.py @@ -18,10 +18,6 @@ class SalesOrder(SellingController): person_tname = 'Target Detail' partner_tname = 'Partner Target Detail' territory_tname = 'Territory Target Detail' - table_print_templates = { - "sales_order_details": "templates/print_formats/includes/item_grid.html", - "other_charges": "templates/print_formats/includes/taxes.html", - } def validate_mandatory(self): # validate transaction date v/s delivery date diff --git a/erpnext/stock/doctype/material_request_item/material_request_item.json b/erpnext/stock/doctype/material_request_item/material_request_item.json index bff669f5f7..61b03f8719 100644 --- a/erpnext/stock/doctype/material_request_item/material_request_item.json +++ b/erpnext/stock/doctype/material_request_item/material_request_item.json @@ -1,6 +1,6 @@ { "autoname": "MREQD-.#####", - "creation": "2013-02-22 01:28:02.000000", + "creation": "2013-02-22 01:28:02", "docstatus": 0, "doctype": "DocType", "fields": [ @@ -28,6 +28,7 @@ "oldfieldname": "item_name", "oldfieldtype": "Data", "permlevel": 0, + "print_hide": 1, "print_width": "100px", "reqd": 0, "search_index": 1, @@ -70,6 +71,21 @@ "reqd": 1, "width": "80px" }, + { + "fieldname": "uom", + "fieldtype": "Link", + "in_list_view": 1, + "label": "Stock UOM", + "no_copy": 0, + "oldfieldname": "uom", + "oldfieldtype": "Link", + "options": "UOM", + "permlevel": 0, + "print_width": "70px", + "read_only": 1, + "reqd": 1, + "width": "70px" + }, { "fieldname": "warehouse", "fieldtype": "Link", @@ -89,21 +105,6 @@ "fieldtype": "Column Break", "permlevel": 0 }, - { - "fieldname": "uom", - "fieldtype": "Link", - "in_list_view": 1, - "label": "Stock UOM", - "no_copy": 0, - "oldfieldname": "uom", - "oldfieldtype": "Link", - "options": "UOM", - "permlevel": 0, - "print_width": "70px", - "read_only": 1, - "reqd": 1, - "width": "70px" - }, { "allow_on_submit": 0, "fieldname": "schedule_date", @@ -216,6 +217,7 @@ "oldfieldname": "ordered_qty", "oldfieldtype": "Currency", "permlevel": 0, + "print_hide": 1, "read_only": 1 }, { @@ -232,9 +234,10 @@ ], "idx": 1, "istable": 1, - "modified": "2014-02-03 11:35:26.000000", + "modified": "2014-07-18 01:04:18.470761", "modified_by": "Administrator", "module": "Stock", "name": "Material Request Item", - "owner": "Administrator" + "owner": "Administrator", + "permissions": [] } \ No newline at end of file diff --git a/erpnext/templates/print_formats/includes/item_grid.html b/erpnext/templates/print_formats/includes/item_grid.html index 2ca4289b55..a166ced57a 100644 --- a/erpnext/templates/print_formats/includes/item_grid.html +++ b/erpnext/templates/print_formats/includes/item_grid.html @@ -4,10 +4,9 @@ Sr Item Name Description - Qty - UoM - Basic Rate - Amount + Qty + Rate + Amount {%- for row in data -%} @@ -20,8 +19,7 @@
{{ row.description }}
- {{ row.qty }} - {{ row.stock_uom }} + {{ row.qty }} {{ row.stock_uom }} {{ format(row.rate, table_meta.get_field("rate"), doc) }} {{ format(row.amount, table_meta.get_field("amount"), doc) }} diff --git a/erpnext/utilities/doctype/note/note.py b/erpnext/utilities/doctype/note/note.py index b54681587d..2db4137ddd 100644 --- a/erpnext/utilities/doctype/note/note.py +++ b/erpnext/utilities/doctype/note/note.py @@ -14,6 +14,10 @@ class Note(Document): import re self.name = re.sub("[%'\"#*?`]", "", self.title.strip()) + def before_print(self): + self.print_heading = self.name + self.sub_heading = "" + def get_permission_query_conditions(user): if not user: user = frappe.session.user diff --git a/test_sites/test_site/site_config.json b/test_sites/test_site/site_config.json index 05bf562766..c77200c331 100644 --- a/test_sites/test_site/site_config.json +++ b/test_sites/test_site/site_config.json @@ -1,5 +1,6 @@ { "db_name": "test_frappe", "db_password": "test_frappe", - "mute_emails": 1 + "mute_emails": 1, + "developer_mode": 1 } From d82352eacc9c7c3aa16664e79f35a8708e64019b Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Mon, 21 Jul 2014 12:02:37 +0530 Subject: [PATCH 393/630] item grid, added other printable fields in description --- .../print_formats/includes/item_grid.html | 20 ++++++++++++++++--- 1 file changed, 17 insertions(+), 3 deletions(-) diff --git a/erpnext/templates/print_formats/includes/item_grid.html b/erpnext/templates/print_formats/includes/item_grid.html index a166ced57a..f9d3c1f5e8 100644 --- a/erpnext/templates/print_formats/includes/item_grid.html +++ b/erpnext/templates/print_formats/includes/item_grid.html @@ -1,3 +1,7 @@ +{%- from "templates/print_formats/standard_macros.html" import print_value -%} +{%- set std_fields = ("item_code", "item_name", "description", "qty", "rate", "amount", "stock_uom") -%} +{%- set visible_columns = get_visible_columns(doc.get(df.fieldname), table_meta) -%} + @@ -18,11 +22,21 @@ {%- endif %} +
{{ row.description }} + {%- for field in visible_columns -%} + {%- if (field.fieldname not in std_fields) and + (row[field.fieldname] not in (None, "")) -%} +
{{ field.label }}: + {{ frappe.format_value(row[field.fieldname], field, doc) }}

+ {%- endif -%} + {%- endfor -%}
- + frappe.format_value(row.rate, + table_meta.get_field("rate"), doc) }} + {%- endfor -%} From 5b51cc86a960cb5fe307a15546bac51b894e1860 Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Mon, 21 Jul 2014 18:25:45 +0530 Subject: [PATCH 394/630] many fixes to print --- .../purchase_invoice/purchase_invoice.json | 163 ++++++++--------- .../doctype/sales_invoice/sales_invoice.json | 158 ++++++++--------- .../doctype/sales_invoice/sales_invoice.py | 12 +- .../__init__.py | 0 .../cheque_printing_format.json | 4 +- .../payment_receipt_voucher/__init__.py | 0 .../payment_receipt_voucher.json | 5 +- .../sales_invoice/sales_invoice.html | 135 -------------- .../sales_invoice/sales_invoice.json | 14 -- .../sales_invoice_classic.json | 15 -- .../sales_invoice_modern.json | 15 -- .../sales_invoice_spartan.json | 15 -- .../purchase_order/purchase_order.json | 164 +++++++++--------- .../supplier_quotation.json | 36 ++-- .../purchase_order_classic.json | 15 -- .../purchase_order_modern.json | 15 -- .../purchase_order_spartan.json | 15 -- erpnext/controllers/buying_controller.py | 9 +- erpnext/controllers/selling_controller.py | 9 +- .../hr/doctype/salary_slip/salary_slip.json | 51 +++--- erpnext/hr/doctype/salary_slip/salary_slip.py | 107 +----------- .../salary_slip_deduction.json | 15 +- .../salary_slip_earning.json | 15 +- .../selling/doctype/quotation/quotation.json | 126 +++++++------- .../quotation_classic/quotation_classic.json | 15 -- .../quotation_modern/quotation_modern.json | 15 -- .../quotation_spartan/quotation_spartan.json | 15 -- .../sales_order_classic.json | 15 -- .../sales_order_modern.json | 15 -- .../sales_order_spartan.json | 15 -- .../doctype/delivery_note/delivery_note.json | 12 +- .../purchase_receipt/purchase_receipt.json | 132 +++++++------- .../stock/page/stock_balance/stock_balance.js | 4 +- .../delivery_note_classic.json | 15 -- .../delivery_note_modern.json | 15 -- .../delivery_note_spartan.json | 15 -- .../print_formats/includes/item_grid.html | 4 +- .../print_formats/includes/taxes.html | 4 +- 38 files changed, 480 insertions(+), 924 deletions(-) rename erpnext/accounts/print_format/{sales_invoice => cheque_printing_format}/__init__.py (100%) create mode 100644 erpnext/accounts/print_format/payment_receipt_voucher/__init__.py delete mode 100644 erpnext/accounts/print_format/sales_invoice/sales_invoice.html delete mode 100644 erpnext/accounts/print_format/sales_invoice/sales_invoice.json delete mode 100644 erpnext/accounts/print_format/sales_invoice_classic/sales_invoice_classic.json delete mode 100644 erpnext/accounts/print_format/sales_invoice_modern/sales_invoice_modern.json delete mode 100644 erpnext/accounts/print_format/sales_invoice_spartan/sales_invoice_spartan.json delete mode 100644 erpnext/buying/print_format/purchase_order_classic/purchase_order_classic.json delete mode 100644 erpnext/buying/print_format/purchase_order_modern/purchase_order_modern.json delete mode 100644 erpnext/buying/print_format/purchase_order_spartan/purchase_order_spartan.json delete mode 100644 erpnext/selling/print_format/quotation_classic/quotation_classic.json delete mode 100644 erpnext/selling/print_format/quotation_modern/quotation_modern.json delete mode 100644 erpnext/selling/print_format/quotation_spartan/quotation_spartan.json delete mode 100644 erpnext/selling/print_format/sales_order_classic/sales_order_classic.json delete mode 100644 erpnext/selling/print_format/sales_order_modern/sales_order_modern.json delete mode 100644 erpnext/selling/print_format/sales_order_spartan/sales_order_spartan.json delete mode 100644 erpnext/stock/print_format/delivery_note_classic/delivery_note_classic.json delete mode 100644 erpnext/stock/print_format/delivery_note_modern/delivery_note_modern.json delete mode 100644 erpnext/stock/print_format/delivery_note_spartan/delivery_note_spartan.json diff --git a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.json b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.json index 8eb3b0907e..1de3aa601d 100755 --- a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.json +++ b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.json @@ -264,22 +264,6 @@ "fieldtype": "Section Break", "permlevel": 0 }, - { - "fieldname": "net_total_import", - "fieldtype": "Currency", - "label": "Net Total", - "oldfieldname": "net_total_import", - "oldfieldtype": "Currency", - "options": "currency", - "permlevel": 0, - "print_hide": 0, - "read_only": 1 - }, - { - "fieldname": "column_break_28", - "fieldtype": "Column Break", - "permlevel": 0 - }, { "description": "Will be calculated automatically when you enter the details", "fieldname": "net_total", @@ -292,6 +276,22 @@ "print_hide": 1, "read_only": 1 }, + { + "fieldname": "column_break_28", + "fieldtype": "Column Break", + "permlevel": 0 + }, + { + "fieldname": "net_total_import", + "fieldtype": "Currency", + "label": "Net Total", + "oldfieldname": "net_total_import", + "oldfieldtype": "Currency", + "options": "currency", + "permlevel": 0, + "print_hide": 0, + "read_only": 1 + }, { "fieldname": "taxes", "fieldtype": "Section Break", @@ -340,6 +340,59 @@ "permlevel": 0, "read_only": 0 }, + { + "fieldname": "other_charges_added", + "fieldtype": "Currency", + "label": "Taxes and Charges Added (Company Currency)", + "oldfieldname": "other_charges_added", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", + "permlevel": 0, + "print_hide": 1, + "read_only": 1 + }, + { + "fieldname": "other_charges_deducted", + "fieldtype": "Currency", + "label": "Taxes and Charges Deducted (Company Currency)", + "oldfieldname": "other_charges_deducted", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", + "permlevel": 0, + "print_hide": 1, + "read_only": 1 + }, + { + "fieldname": "grand_total", + "fieldtype": "Currency", + "label": "Grand Total (Company Currency)", + "oldfieldname": "grand_total", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", + "permlevel": 0, + "print_hide": 1, + "read_only": 1 + }, + { + "description": "In Words will be visible once you save the Purchase Invoice.", + "fieldname": "in_words", + "fieldtype": "Data", + "label": "In Words (Company Currency)", + "oldfieldname": "in_words", + "oldfieldtype": "Data", + "permlevel": 0, + "print_hide": 1, + "read_only": 1 + }, + { + "fieldname": "column_break8", + "fieldtype": "Column Break", + "oldfieldtype": "Column Break", + "permlevel": 0, + "print_hide": 1, + "read_only": 0, + "width": "50%" + }, { "fieldname": "other_charges_added_import", "fieldtype": "Currency", @@ -409,6 +462,17 @@ "print_hide": 1, "read_only": 1 }, + { + "fieldname": "total_tax", + "fieldtype": "Currency", + "label": "Total Tax (Company Currency)", + "oldfieldname": "total_tax", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", + "permlevel": 0, + "print_hide": 1, + "read_only": 1 + }, { "fieldname": "outstanding_amount", "fieldtype": "Currency", @@ -424,70 +488,6 @@ "read_only": 1, "search_index": 1 }, - { - "fieldname": "column_break8", - "fieldtype": "Column Break", - "oldfieldtype": "Column Break", - "permlevel": 0, - "print_hide": 1, - "read_only": 0, - "width": "50%" - }, - { - "fieldname": "total_tax", - "fieldtype": "Currency", - "label": "Total Tax (Company Currency)", - "oldfieldname": "total_tax", - "oldfieldtype": "Currency", - "options": "Company:company:default_currency", - "permlevel": 0, - "print_hide": 1, - "read_only": 1 - }, - { - "fieldname": "other_charges_added", - "fieldtype": "Currency", - "label": "Taxes and Charges Added (Company Currency)", - "oldfieldname": "other_charges_added", - "oldfieldtype": "Currency", - "options": "Company:company:default_currency", - "permlevel": 0, - "print_hide": 1, - "read_only": 1 - }, - { - "fieldname": "other_charges_deducted", - "fieldtype": "Currency", - "label": "Taxes and Charges Deducted (Company Currency)", - "oldfieldname": "other_charges_deducted", - "oldfieldtype": "Currency", - "options": "Company:company:default_currency", - "permlevel": 0, - "print_hide": 1, - "read_only": 1 - }, - { - "fieldname": "grand_total", - "fieldtype": "Currency", - "label": "Grand Total (Company Currency)", - "oldfieldname": "grand_total", - "oldfieldtype": "Currency", - "options": "Company:company:default_currency", - "permlevel": 0, - "print_hide": 1, - "read_only": 1 - }, - { - "description": "In Words will be visible once you save the Purchase Invoice.", - "fieldname": "in_words", - "fieldtype": "Data", - "label": "In Words (Company Currency)", - "oldfieldname": "in_words", - "oldfieldtype": "Data", - "permlevel": 0, - "print_hide": 1, - "read_only": 1 - }, { "fieldname": "write_off_amount", "fieldtype": "Currency", @@ -601,6 +601,7 @@ "label": "Supplier Address", "options": "Address", "permlevel": 0, + "print_hide": 1, "read_only": 0 }, { @@ -752,7 +753,7 @@ "icon": "icon-file-text", "idx": 1, "is_submittable": 1, - "modified": "2014-06-19 15:50:50.898237", + "modified": "2014-07-21 05:33:36.332474", "modified_by": "Administrator", "module": "Accounts", "name": "Purchase Invoice", diff --git a/erpnext/accounts/doctype/sales_invoice/sales_invoice.json b/erpnext/accounts/doctype/sales_invoice/sales_invoice.json index a07b69d09f..4c3d8a34e9 100644 --- a/erpnext/accounts/doctype/sales_invoice/sales_invoice.json +++ b/erpnext/accounts/doctype/sales_invoice/sales_invoice.json @@ -311,20 +311,6 @@ "fieldtype": "Section Break", "permlevel": 0 }, - { - "fieldname": "net_total_export", - "fieldtype": "Currency", - "label": "Net Total", - "options": "currency", - "permlevel": 0, - "print_hide": 0, - "read_only": 1 - }, - { - "fieldname": "column_break_32", - "fieldtype": "Column Break", - "permlevel": 0 - }, { "fieldname": "net_total", "fieldtype": "Currency", @@ -337,6 +323,20 @@ "read_only": 1, "reqd": 1 }, + { + "fieldname": "column_break_32", + "fieldtype": "Column Break", + "permlevel": 0 + }, + { + "fieldname": "net_total_export", + "fieldtype": "Currency", + "label": "Net Total", + "options": "currency", + "permlevel": 0, + "print_hide": 0, + "read_only": 1 + }, { "fieldname": "taxes", "fieldtype": "Section Break", @@ -445,70 +445,6 @@ "print_hide": 1, "read_only": 0 }, - { - "fieldname": "grand_total_export", - "fieldtype": "Currency", - "in_list_view": 1, - "label": "Grand Total", - "oldfieldname": "grand_total_export", - "oldfieldtype": "Currency", - "options": "currency", - "permlevel": 0, - "print_hide": 0, - "read_only": 1, - "reqd": 1 - }, - { - "fieldname": "rounded_total_export", - "fieldtype": "Currency", - "label": "Rounded Total", - "oldfieldname": "rounded_total_export", - "oldfieldtype": "Currency", - "options": "currency", - "permlevel": 0, - "print_hide": 0, - "read_only": 1 - }, - { - "fieldname": "in_words_export", - "fieldtype": "Data", - "label": "In Words", - "oldfieldname": "in_words_export", - "oldfieldtype": "Data", - "permlevel": 0, - "print_hide": 0, - "read_only": 1 - }, - { - "fieldname": "gross_profit", - "fieldtype": "Currency", - "label": "Gross Profit", - "oldfieldname": "gross_profit", - "oldfieldtype": "Currency", - "options": "Company:company:default_currency", - "permlevel": 0, - "print_hide": 1, - "read_only": 1 - }, - { - "fieldname": "gross_profit_percent", - "fieldtype": "Float", - "label": "Gross Profit (%)", - "oldfieldname": "gross_profit_percent", - "oldfieldtype": "Currency", - "permlevel": 0, - "print_hide": 1, - "read_only": 1 - }, - { - "fieldname": "column_break5", - "fieldtype": "Column Break", - "oldfieldtype": "Column Break", - "permlevel": 0, - "print_hide": 1, - "read_only": 0, - "width": "50%" - }, { "fieldname": "grand_total", "fieldtype": "Currency", @@ -569,6 +505,70 @@ "print_hide": 1, "read_only": 1 }, + { + "fieldname": "column_break5", + "fieldtype": "Column Break", + "oldfieldtype": "Column Break", + "permlevel": 0, + "print_hide": 1, + "read_only": 0, + "width": "50%" + }, + { + "fieldname": "grand_total_export", + "fieldtype": "Currency", + "in_list_view": 1, + "label": "Grand Total", + "oldfieldname": "grand_total_export", + "oldfieldtype": "Currency", + "options": "currency", + "permlevel": 0, + "print_hide": 0, + "read_only": 1, + "reqd": 1 + }, + { + "fieldname": "rounded_total_export", + "fieldtype": "Currency", + "label": "Rounded Total", + "oldfieldname": "rounded_total_export", + "oldfieldtype": "Currency", + "options": "currency", + "permlevel": 0, + "print_hide": 0, + "read_only": 1 + }, + { + "fieldname": "in_words_export", + "fieldtype": "Data", + "label": "In Words", + "oldfieldname": "in_words_export", + "oldfieldtype": "Data", + "permlevel": 0, + "print_hide": 0, + "read_only": 1 + }, + { + "fieldname": "gross_profit", + "fieldtype": "Currency", + "label": "Gross Profit", + "oldfieldname": "gross_profit", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", + "permlevel": 0, + "print_hide": 1, + "read_only": 1 + }, + { + "fieldname": "gross_profit_percent", + "fieldtype": "Float", + "label": "Gross Profit (%)", + "oldfieldname": "gross_profit_percent", + "oldfieldtype": "Currency", + "permlevel": 0, + "print_hide": 1, + "read_only": 1 + }, { "fieldname": "advances", "fieldtype": "Section Break", @@ -1188,7 +1188,7 @@ "icon": "icon-file-text", "idx": 1, "is_submittable": 1, - "modified": "2014-06-19 16:01:19.720382", + "modified": "2014-07-21 05:31:24.670731", "modified_by": "Administrator", "module": "Accounts", "name": "Sales Invoice", diff --git a/erpnext/accounts/doctype/sales_invoice/sales_invoice.py b/erpnext/accounts/doctype/sales_invoice/sales_invoice.py index 0f6737cc87..671bb54f82 100644 --- a/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +++ b/erpnext/accounts/doctype/sales_invoice/sales_invoice.py @@ -342,7 +342,7 @@ class SalesInvoice(SellingController): def validate_pos(self): if not self.cash_bank_account and flt(self.paid_amount): frappe.throw(_("Cash or Bank Account is mandatory for making payment entry")) - + if flt(self.paid_amount) + flt(self.write_off_amount) \ - flt(self.grand_total) > 1/(10**(self.precision("grand_total") + 1)): frappe.throw(_("""Paid amount + Write Off Amount can not be greater than Grand Total""")) @@ -434,7 +434,7 @@ class SalesInvoice(SellingController): where docstatus = 1 and name = %s""", d.sales_order) if not submitted: frappe.throw(_("Sales Order {0} is not submitted").format(d.sales_order)) - + if d.delivery_note: submitted = frappe.db.sql("""select name from `tabDelivery Note` where docstatus = 1 and name = %s""", d.delivery_note) @@ -721,11 +721,13 @@ def make_new_invoice(ref_wrapper, posting_date): def send_notification(new_rv): """Notify concerned persons about recurring invoice generation""" - - from frappe.core.doctype.print_format.print_format import get_html frappe.sendmail(new_rv.notification_email_address, subject="New Invoice : " + new_rv.name, - message = get_html(new_rv, new_rv, "Sales Invoice")) + message = _("Please find attached Sales Invoice #{0}").format(new_rw.name), + attachments = { + "fname": new_rv.name + ".pdf", + "fcontent": frappe.get_print_format(new_rv.doctype, new_rv.name, as_pdf=True) + }) def notify_errors(inv, customer, owner): from frappe.utils.user import get_system_managers diff --git a/erpnext/accounts/print_format/sales_invoice/__init__.py b/erpnext/accounts/print_format/cheque_printing_format/__init__.py similarity index 100% rename from erpnext/accounts/print_format/sales_invoice/__init__.py rename to erpnext/accounts/print_format/cheque_printing_format/__init__.py diff --git a/erpnext/accounts/print_format/cheque_printing_format/cheque_printing_format.json b/erpnext/accounts/print_format/cheque_printing_format/cheque_printing_format.json index 7aec5060ea..4bafe8530a 100755 --- a/erpnext/accounts/print_format/cheque_printing_format/cheque_printing_format.json +++ b/erpnext/accounts/print_format/cheque_printing_format/cheque_printing_format.json @@ -3,9 +3,9 @@ "doc_type": "Journal Voucher", "docstatus": 0, "doctype": "Print Format", - "html": "\n
\n



\n
\nPAYMENT ADVICE

\n
-
{{ row.description }}
{{ row.qty }} {{ row.stock_uom }} {{ - format(row.rate, table_meta.get_field("rate"), doc) }}{{ format(row.amount, table_meta.get_field("amount"), doc) }}{{ + frappe.format_value(row.amount, + table_meta.get_field("amount"), doc) }}
\n\n\n\n\n\n\n
To :
\n\n
\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n
Voucher No :\n\n
Voucher Date :\n\n
Cheque No :\n\n
Cheque Date :\n\n
\n
\n
We are pleased to enclose our cheque in full/part Settlement of your under noted bills
\n
\n\n\n\n\n\n\n\n\n\n\n\n
 Total :\n\n
Narration :\n\n


\n
Prepared By
\n
Authorised Signatory
\n
Received Payment as Above
\n
_____________
\n
A/c Payee
\n
_____________
\n
\n\n
\n
\n\n
\n
\n\n
\n
\n\n
\n
", + "html": "
\n\n\t{% if letter_head and not no_letterhead %}{{ letter_head }}{%- endif -%}\n\t

{{ _(\"Payment Advice\") }}

\n\t
\n\t
\n\t
{{ doc.pay_to_recd_from }}
\n\t
\n\t
\n\t
\n\t
{{ doc.name }}
\n\t
\n\t
\n\t
\n\t
{{ frappe.utils.formatdate(doc.voucher_date) }}
\n\t
\n\t
\n\t
\n\t
{{ doc.cheque_no }}
\n\t
\n\t
\n\t
\n\t
{{ frappe.utils.formatdate(doc.cheque_date) }}
\n\t
\n\t
\n\t
\n\t
{{ frappe.utils.formatdate(doc.voucher_date) }}
\n\t
\n\t
\n\t

{{ _(\"This amount is in full / part settlement of the listed bills\") }}:

\n\t
\n\t
\n\t
\n\t
{{ \n\t \tfrappe.format_value(doc.total_amount, doc.meta.get_field(\"total_amount\"), doc) }}
\n\t
\n\t
\n\t
\n\t
{{ doc.remark }}
\n\t
\n\n\t
\n\t\tPrepared By
\n\t
\n\t\tAuthorised Signatory
\n\t
\n\t\tReceived Payment as Above
\n\t
\n\t\t_____________
\n\t
\n\t\tA/C Payee
\n\t
\n\t\t_____________
\n\t
\n\t\t{{ frappe.utils.formatdate(doc.cheque_date) }}
\n\t
\n\t\t{{ doc.pay_to_recd_from }}
\n\t
\n\t\t{{ doc.total_amount_in_words }}
\n\t
\n\t\t{{ doc.total_amount }}
\n
", "idx": 1, - "modified": "2014-05-13 16:07:18.792349", + "modified": "2014-07-21 08:53:57.749885", "modified_by": "Administrator", "module": "Accounts", "name": "Cheque Printing Format", diff --git a/erpnext/accounts/print_format/payment_receipt_voucher/__init__.py b/erpnext/accounts/print_format/payment_receipt_voucher/__init__.py new file mode 100644 index 0000000000..e69de29bb2 diff --git a/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.json b/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.json index 0a26c085ed..9a9398df8d 100755 --- a/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.json +++ b/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.json @@ -3,12 +3,13 @@ "doc_type": "Journal Voucher", "docstatus": 0, "doctype": "Print Format", - "html": "

\n\n\n\n\n\n\n\n\n\n \n\n\n\n\n\n\n\n\n
Receipt No.:
Date :
Remark:
Received From:
\n
\n\n

\n

\n
\n\n\n\n\n

For ,


(Authorised Signatory)
", + "html": "

{{ doc.select_print_heading or _(\"Payment Receipt Note\") }}

\n
\n
\n
\n
{{ doc.name }}
\n
\n
\n
\n
{{ frappe.utils.formatdate(doc.voucher_date) }}
\n
\n
\n
\n
{{ doc.remark }}
\n
\n
\n
\n
{{ doc.pay_to_recd_from }}
\n
\n
\n
\n
{{ doc.total_amount }}
{{ doc.total_amount_in_words }}
\n
\n
\n

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

", "idx": 1, - "modified": "2014-05-13 16:07:19.144006", + "modified": "2014-07-21 08:53:17.393966", "modified_by": "Administrator", "module": "Accounts", "name": "Payment Receipt Voucher", "owner": "Administrator", + "print_format_type": "Server", "standard": "Yes" } \ No newline at end of file diff --git a/erpnext/accounts/print_format/sales_invoice/sales_invoice.html b/erpnext/accounts/print_format/sales_invoice/sales_invoice.html deleted file mode 100644 index 8dc39f9482..0000000000 --- a/erpnext/accounts/print_format/sales_invoice/sales_invoice.html +++ /dev/null @@ -1,135 +0,0 @@ -{%- if doc.letter_head -%} - {{ frappe.db.get_value("Letter Head", doc.letter_head, "content") }} -{%- endif -%} - - -
- - - - - - - - - - - - - {%- for row in doc.get({"doctype":"Sales Invoice Item"}) %} - - - - - - - - - - {% endfor -%} - -
SrItem NameDescriptionQtyUoMBasic RateAmount
{{ row.idx }}{{ row.item_name }}{{ row.description }}{{ row.qty }}{{ row.stock_uom }}{{ utils.fmt_money(row.rate, currency=doc.currency) }}{{ utils.fmt_money(row.amount, currency=doc.currency) }}
-
- diff --git a/erpnext/accounts/print_format/sales_invoice/sales_invoice.json b/erpnext/accounts/print_format/sales_invoice/sales_invoice.json deleted file mode 100644 index 37baa1ce46..0000000000 --- a/erpnext/accounts/print_format/sales_invoice/sales_invoice.json +++ /dev/null @@ -1,14 +0,0 @@ -{ - "creation": "2013-03-21 15:24:28", - "doc_type": "Sales Invoice", - "docstatus": 0, - "doctype": "Print Format", - "idx": 1, - "modified": "2014-05-13 17:51:43.245831", - "modified_by": "Administrator", - "module": "Accounts", - "name": "Sales Invoice", - "owner": "Administrator", - "print_format_type": "Server", - "standard": "Yes" -} diff --git a/erpnext/accounts/print_format/sales_invoice_classic/sales_invoice_classic.json b/erpnext/accounts/print_format/sales_invoice_classic/sales_invoice_classic.json deleted file mode 100644 index 7297a768e9..0000000000 --- a/erpnext/accounts/print_format/sales_invoice_classic/sales_invoice_classic.json +++ /dev/null @@ -1,15 +0,0 @@ -{ - "creation": "2013-04-19 13:30:27", - "doc_type": "Sales Invoice", - "docstatus": 0, - "doctype": "Print Format", - "html": "\n\n\n\n\n\n\n\n\n\n\n\n
\n\t\n\t\n
\n", - "idx": 1, - "modified": "2014-05-13 16:07:19.241986", - "modified_by": "Administrator", - "module": "Accounts", - "name": "Sales Invoice Classic", - "owner": "Administrator", - "print_format_type": "Client", - "standard": "Yes" -} \ No newline at end of file diff --git a/erpnext/accounts/print_format/sales_invoice_modern/sales_invoice_modern.json b/erpnext/accounts/print_format/sales_invoice_modern/sales_invoice_modern.json deleted file mode 100644 index c1c6a62f79..0000000000 --- a/erpnext/accounts/print_format/sales_invoice_modern/sales_invoice_modern.json +++ /dev/null @@ -1,15 +0,0 @@ -{ - "creation": "2013-04-19 13:30:27", - "doc_type": "Sales Invoice", - "docstatus": 0, - "doctype": "Print Format", - "html": "\n\n\n\n\n\n\n\n\n\n\n\n
\n\t\n\t\n
\n", - "idx": 1, - "modified": "2014-05-13 16:07:19.249479", - "modified_by": "Administrator", - "module": "Accounts", - "name": "Sales Invoice Modern", - "owner": "Administrator", - "print_format_type": "Client", - "standard": "Yes" -} \ No newline at end of file diff --git a/erpnext/accounts/print_format/sales_invoice_spartan/sales_invoice_spartan.json b/erpnext/accounts/print_format/sales_invoice_spartan/sales_invoice_spartan.json deleted file mode 100644 index 7d90d7295c..0000000000 --- a/erpnext/accounts/print_format/sales_invoice_spartan/sales_invoice_spartan.json +++ /dev/null @@ -1,15 +0,0 @@ -{ - "creation": "2013-04-19 13:30:27", - "doc_type": "Sales Invoice", - "docstatus": 0, - "doctype": "Print Format", - "html": "\n\n\n\n\n\n\n\n\n\n\n\n
\n\t\n\t\n
\n", - "idx": 1, - "modified": "2014-05-13 16:07:19.275094", - "modified_by": "Administrator", - "module": "Accounts", - "name": "Sales Invoice Spartan", - "owner": "Administrator", - "print_format_type": "Client", - "standard": "Yes" -} \ No newline at end of file diff --git a/erpnext/buying/doctype/purchase_order/purchase_order.json b/erpnext/buying/doctype/purchase_order/purchase_order.json index 14693c434f..61646d1af4 100644 --- a/erpnext/buying/doctype/purchase_order/purchase_order.json +++ b/erpnext/buying/doctype/purchase_order/purchase_order.json @@ -230,6 +230,24 @@ "fieldtype": "Section Break", "permlevel": 0 }, + { + "fieldname": "net_total", + "fieldtype": "Currency", + "label": "Net Total (Company Currency)", + "no_copy": 1, + "oldfieldname": "net_total", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", + "permlevel": 0, + "print_hide": 1, + "read_only": 1, + "reqd": 0 + }, + { + "fieldname": "column_break_26", + "fieldtype": "Column Break", + "permlevel": 0 + }, { "fieldname": "net_total_import", "fieldtype": "Currency", @@ -250,24 +268,6 @@ "permlevel": 0, "print_hide": 0 }, - { - "fieldname": "column_break_26", - "fieldtype": "Column Break", - "permlevel": 0 - }, - { - "fieldname": "net_total", - "fieldtype": "Currency", - "label": "Net Total (Company Currency)", - "no_copy": 1, - "oldfieldname": "net_total", - "oldfieldtype": "Currency", - "options": "Company:company:default_currency", - "permlevel": 0, - "print_hide": 1, - "read_only": 1, - "reqd": 0 - }, { "fieldname": "taxes", "fieldtype": "Section Break", @@ -316,63 +316,6 @@ "options": "icon-money", "permlevel": 0 }, - { - "fieldname": "other_charges_added_import", - "fieldtype": "Currency", - "label": "Taxes and Charges Added", - "no_copy": 0, - "oldfieldname": "other_charges_added_import", - "oldfieldtype": "Currency", - "options": "currency", - "permlevel": 0, - "print_hide": 1, - "read_only": 1, - "report_hide": 0 - }, - { - "fieldname": "other_charges_deducted_import", - "fieldtype": "Currency", - "label": "Taxes and Charges Deducted", - "no_copy": 0, - "oldfieldname": "other_charges_deducted_import", - "oldfieldtype": "Currency", - "options": "currency", - "permlevel": 0, - "print_hide": 1, - "read_only": 1, - "report_hide": 0 - }, - { - "fieldname": "grand_total_import", - "fieldtype": "Currency", - "in_list_view": 1, - "label": "Grand Total", - "no_copy": 0, - "oldfieldname": "grand_total_import", - "oldfieldtype": "Currency", - "options": "currency", - "permlevel": 0, - "print_hide": 0, - "read_only": 1, - "report_hide": 0 - }, - { - "fieldname": "in_words_import", - "fieldtype": "Data", - "label": "In Words", - "oldfieldname": "in_words_import", - "oldfieldtype": "Data", - "permlevel": 0, - "print_hide": 0, - "read_only": 1 - }, - { - "fieldname": "column_break4", - "fieldtype": "Column Break", - "oldfieldtype": "Column Break", - "permlevel": 0, - "print_hide": 0 - }, { "fieldname": "other_charges_added", "fieldtype": "Currency", @@ -421,6 +364,17 @@ "print_hide": 1, "read_only": 1 }, + { + "description": "In Words will be visible once you save the Purchase Order.", + "fieldname": "in_words", + "fieldtype": "Data", + "label": "In Words (Company Currency)", + "oldfieldname": "in_words", + "oldfieldtype": "Data", + "permlevel": 0, + "print_hide": 1, + "read_only": 1 + }, { "fieldname": "rounded_total", "fieldtype": "Currency", @@ -433,14 +387,60 @@ "read_only": 1 }, { - "description": "In Words will be visible once you save the Purchase Order.", - "fieldname": "in_words", - "fieldtype": "Data", - "label": "In Words (Company Currency)", - "oldfieldname": "in_words", - "oldfieldtype": "Data", + "fieldname": "column_break4", + "fieldtype": "Column Break", + "oldfieldtype": "Column Break", + "permlevel": 0, + "print_hide": 0 + }, + { + "fieldname": "other_charges_added_import", + "fieldtype": "Currency", + "label": "Taxes and Charges Added", + "no_copy": 0, + "oldfieldname": "other_charges_added_import", + "oldfieldtype": "Currency", + "options": "currency", "permlevel": 0, "print_hide": 1, + "read_only": 1, + "report_hide": 0 + }, + { + "fieldname": "other_charges_deducted_import", + "fieldtype": "Currency", + "label": "Taxes and Charges Deducted", + "no_copy": 0, + "oldfieldname": "other_charges_deducted_import", + "oldfieldtype": "Currency", + "options": "currency", + "permlevel": 0, + "print_hide": 1, + "read_only": 1, + "report_hide": 0 + }, + { + "fieldname": "grand_total_import", + "fieldtype": "Currency", + "in_list_view": 1, + "label": "Grand Total", + "no_copy": 0, + "oldfieldname": "grand_total_import", + "oldfieldtype": "Currency", + "options": "currency", + "permlevel": 0, + "print_hide": 0, + "read_only": 1, + "report_hide": 0 + }, + { + "fieldname": "in_words_import", + "fieldtype": "Data", + "label": "In Words", + "oldfieldname": "in_words_import", + "oldfieldtype": "Data", + "permlevel": 0, + "print_hide": 0, "read_only": 1 }, { @@ -645,7 +645,7 @@ "icon": "icon-file-text", "idx": 1, "is_submittable": 1, - "modified": "2014-06-23 07:55:50.372486", + "modified": "2014-07-21 05:34:36.390448", "modified_by": "Administrator", "module": "Buying", "name": "Purchase Order", diff --git a/erpnext/buying/doctype/supplier_quotation/supplier_quotation.json b/erpnext/buying/doctype/supplier_quotation/supplier_quotation.json index 955aa6857c..fa0a9f38cd 100644 --- a/erpnext/buying/doctype/supplier_quotation/supplier_quotation.json +++ b/erpnext/buying/doctype/supplier_quotation/supplier_quotation.json @@ -229,23 +229,6 @@ "fieldtype": "Section Break", "permlevel": 0 }, - { - "fieldname": "net_total_import", - "fieldtype": "Currency", - "label": "Net Total", - "no_copy": 0, - "oldfieldname": "net_total_import", - "oldfieldtype": "Currency", - "options": "currency", - "permlevel": 0, - "print_hide": 0, - "read_only": 1 - }, - { - "fieldname": "column_break_24", - "fieldtype": "Column Break", - "permlevel": 0 - }, { "fieldname": "net_total", "fieldtype": "Currency", @@ -259,6 +242,23 @@ "read_only": 1, "reqd": 0 }, + { + "fieldname": "column_break_24", + "fieldtype": "Column Break", + "permlevel": 0 + }, + { + "fieldname": "net_total_import", + "fieldtype": "Currency", + "label": "Net Total", + "no_copy": 0, + "oldfieldname": "net_total_import", + "oldfieldtype": "Currency", + "options": "currency", + "permlevel": 0, + "print_hide": 0, + "read_only": 1 + }, { "fieldname": "taxes", "fieldtype": "Section Break", @@ -571,7 +571,7 @@ "icon": "icon-shopping-cart", "idx": 1, "is_submittable": 1, - "modified": "2014-06-23 07:55:52.993616", + "modified": "2014-07-21 05:30:30.367353", "modified_by": "Administrator", "module": "Buying", "name": "Supplier Quotation", diff --git a/erpnext/buying/print_format/purchase_order_classic/purchase_order_classic.json b/erpnext/buying/print_format/purchase_order_classic/purchase_order_classic.json deleted file mode 100644 index b5a72647cf..0000000000 --- a/erpnext/buying/print_format/purchase_order_classic/purchase_order_classic.json +++ /dev/null @@ -1,15 +0,0 @@ -{ - "creation": "2012-04-17 11:29:12", - "doc_type": "Purchase Order", - "docstatus": 0, - "doctype": "Print Format", - "html": "\n\n\n\n\n\n\n\n\n\n\n\n
\n\t\n\t\n
\n\n", - "idx": 1, - "modified": "2014-05-13 16:07:19.158692", - "modified_by": "Administrator", - "module": "Buying", - "name": "Purchase Order Classic", - "owner": "Administrator", - "print_format_type": "Client", - "standard": "Yes" -} \ No newline at end of file diff --git a/erpnext/buying/print_format/purchase_order_modern/purchase_order_modern.json b/erpnext/buying/print_format/purchase_order_modern/purchase_order_modern.json deleted file mode 100644 index ee0d9d5396..0000000000 --- a/erpnext/buying/print_format/purchase_order_modern/purchase_order_modern.json +++ /dev/null @@ -1,15 +0,0 @@ -{ - "creation": "2012-04-17 11:29:12", - "doc_type": "Purchase Order", - "docstatus": 0, - "doctype": "Print Format", - "html": "\n\n\n\n\n\n\n\n\n\n\n\n
\n\t\n\t\n
\n\n", - "idx": 1, - "modified": "2014-05-13 16:07:19.183637", - "modified_by": "Administrator", - "module": "Buying", - "name": "Purchase Order Modern", - "owner": "Administrator", - "print_format_type": "Client", - "standard": "Yes" -} \ No newline at end of file diff --git a/erpnext/buying/print_format/purchase_order_spartan/purchase_order_spartan.json b/erpnext/buying/print_format/purchase_order_spartan/purchase_order_spartan.json deleted file mode 100644 index 851543a720..0000000000 --- a/erpnext/buying/print_format/purchase_order_spartan/purchase_order_spartan.json +++ /dev/null @@ -1,15 +0,0 @@ -{ - "creation": "2012-04-17 11:29:12", - "doc_type": "Purchase Order", - "docstatus": 0, - "doctype": "Print Format", - "html": "\n\n\n\n\n\n\n\n\n\n\n\n
\n\t\n\t\n
\n\n", - "idx": 1, - "modified": "2014-05-13 16:07:19.195456", - "modified_by": "Administrator", - "module": "Buying", - "name": "Purchase Order Spartan", - "owner": "Administrator", - "print_format_type": "Client", - "standard": "Yes" -} \ No newline at end of file diff --git a/erpnext/controllers/buying_controller.py b/erpnext/controllers/buying_controller.py index acb00245e6..02eaa03288 100644 --- a/erpnext/controllers/buying_controller.py +++ b/erpnext/controllers/buying_controller.py @@ -11,6 +11,13 @@ from erpnext.accounts.party import get_party_details from erpnext.controllers.stock_controller import StockController class BuyingController(StockController): + def __setup__(self): + if hasattr(self, "fname"): + self.table_print_templates = { + self.fname: "templates/print_formats/includes/item_grid.html", + "other_charges": "templates/print_formats/includes/taxes.html", + } + def validate(self): super(BuyingController, self).validate() if getattr(self, "supplier", None) and not self.supplier_name: @@ -324,4 +331,4 @@ class BuyingController(StockController): if d.meta.get_field("stock_qty") and not d.stock_qty: if not d.conversion_factor: frappe.throw(_("Row {0}: Conversion Factor is mandatory")) - d.stock_qty = flt(d.qty) * flt(d.conversion_factor) \ No newline at end of file + d.stock_qty = flt(d.qty) * flt(d.conversion_factor) diff --git a/erpnext/controllers/selling_controller.py b/erpnext/controllers/selling_controller.py index 6bbdfadd3d..315af0ea99 100644 --- a/erpnext/controllers/selling_controller.py +++ b/erpnext/controllers/selling_controller.py @@ -11,10 +11,11 @@ from erpnext.controllers.stock_controller import StockController class SellingController(StockController): def __setup__(self): - self.table_print_templates = { - self.fname: "templates/print_formats/includes/item_grid.html", - "other_charges": "templates/print_formats/includes/taxes.html", - } + if hasattr(self, "fname"): + self.table_print_templates = { + self.fname: "templates/print_formats/includes/item_grid.html", + "other_charges": "templates/print_formats/includes/taxes.html", + } def validate(self): super(SellingController, self).validate() diff --git a/erpnext/hr/doctype/salary_slip/salary_slip.json b/erpnext/hr/doctype/salary_slip/salary_slip.json index 5d2f028e9c..88a7ef2ae9 100644 --- a/erpnext/hr/doctype/salary_slip/salary_slip.json +++ b/erpnext/hr/doctype/salary_slip/salary_slip.json @@ -76,14 +76,8 @@ "fieldtype": "Link", "label": "Letter Head", "options": "Letter Head", - "permlevel": 0 - }, - { - "fieldname": "column_break1", - "fieldtype": "Column Break", - "oldfieldtype": "Column Break", "permlevel": 0, - "width": "50%" + "print_hide": 1 }, { "fieldname": "fiscal_year", @@ -107,6 +101,13 @@ "permlevel": 0, "reqd": 1 }, + { + "fieldname": "column_break1", + "fieldtype": "Column Break", + "oldfieldtype": "Column Break", + "permlevel": 0, + "width": "50%" + }, { "fieldname": "month", "fieldtype": "Select", @@ -123,8 +124,8 @@ }, { "fieldname": "total_days_in_month", - "fieldtype": "Data", - "label": "Total Working Days In The Month", + "fieldtype": "Float", + "label": "Working Days", "oldfieldname": "total_days_in_month", "oldfieldtype": "Int", "permlevel": 0, @@ -208,6 +209,12 @@ "reqd": 0, "width": "50%" }, + { + "fieldname": "html_21", + "fieldtype": "HTML", + "options": "", + "permlevel": 0 + }, { "fieldname": "earning_details", "fieldtype": "Table", @@ -225,6 +232,12 @@ "permlevel": 0, "width": "50%" }, + { + "fieldname": "html_24", + "fieldtype": "HTML", + "options": "", + "permlevel": 0 + }, { "fieldname": "deduction_details", "fieldtype": "Table", @@ -242,11 +255,14 @@ "permlevel": 0 }, { - "fieldname": "column_break2", + "fieldname": "column_break_25", "fieldtype": "Column Break", - "oldfieldtype": "Column Break", - "permlevel": 0, - "width": "50%" + "permlevel": 0 + }, + { + "fieldname": "column_break_26", + "fieldtype": "Column Break", + "permlevel": 0 }, { "fieldname": "arrear_amount", @@ -286,13 +302,6 @@ "permlevel": 0, "read_only": 1 }, - { - "fieldname": "column_break3", - "fieldtype": "Column Break", - "oldfieldtype": "Column Break", - "permlevel": 0, - "width": "50%" - }, { "description": "Gross Pay + Arrear Amount +Encashment Amount - Total Deduction", "fieldname": "net_pay", @@ -326,7 +335,7 @@ "icon": "icon-file-text", "idx": 1, "is_submittable": 1, - "modified": "2014-06-23 07:55:52.259962", + "modified": "2014-07-21 07:58:08.033784", "modified_by": "Administrator", "module": "HR", "name": "Salary Slip", diff --git a/erpnext/hr/doctype/salary_slip/salary_slip.py b/erpnext/hr/doctype/salary_slip/salary_slip.py index 3f4b5e3080..946588f5bc 100644 --- a/erpnext/hr/doctype/salary_slip/salary_slip.py +++ b/erpnext/hr/doctype/salary_slip/salary_slip.py @@ -186,109 +186,14 @@ class SalarySlip(TransactionBase): def send_mail_funct(self): from frappe.utils.email_lib import sendmail + receiver = frappe.db.get_value("Employee", self.employee, "company_email") if receiver: subj = 'Salary Slip - ' + cstr(self.month) +'/'+cstr(self.fiscal_year) - earn_ret=frappe.db.sql("""select e_type, e_modified_amount from `tabSalary Slip Earning` - where parent = %s""", self.name) - ded_ret=frappe.db.sql("""select d_type, d_modified_amount from `tabSalary Slip Deduction` - where parent = %s""", self.name) - - earn_table = '' - ded_table = '' - if earn_ret: - earn_table += "" - - for e in earn_ret: - if not e[1]: - earn_table += '' % cstr(e[0]) - else: - earn_table += '' \ - % (cstr(e[0]), cstr(e[1])) - earn_table += '
%s0.00
%s%s
' - - if ded_ret: - - ded_table += "" - - for d in ded_ret: - if not d[1]: - ded_table +='%s' % cstr(d[0]) - else: - ded_table +='' \ - % (cstr(d[0]), cstr(d[1])) - ded_table += '
0.00
%s%s
' - - letter_head = frappe.db.get_value("Letter Head", {"is_default": 1, "disabled": 0}, - "content") - - msg = '''
%s
- - - - - - - - - - - - - - - - - - - - - - - - - - - - - -

Salary Slip

Employee Code : %sEmployee Name : %s
Month : %sFiscal Year : %s
Department : %sBranch : %s
Designation : %s
Bank Account No. : %sBank Name : %s
Arrear Amount : %sPayment days : %s
- - - - - - - - - -
- Earnings - Deductions
%s%s
- - - - - - - - - Net Pay : - - - - - - - -
Gross Pay : %sTotal Deduction : %s
%s
Net Pay(in words) : %s
''' % (cstr(letter_head), cstr(self.employee), - cstr(self.employee_name), cstr(self.month), cstr(self.fiscal_year), - cstr(self.department), cstr(self.branch), cstr(self.designation), - cstr(self.bank_account_no), cstr(self.bank_name), - cstr(self.arrear_amount), cstr(self.payment_days), earn_table, ded_table, - cstr(flt(self.gross_pay)), cstr(flt(self.total_deduction)), - cstr(flt(self.net_pay)), cstr(self.total_in_words)) - - sendmail([receiver], subject=subj, msg = msg) + sendmail([receiver], subject=subj, msg = _("Please see attachment"), + attachments={ + "fname": self.name + ".pdf", + "fcontent": frappe.get_print_format(self.doctype, self.name, as_pdf = True) + }) else: msgprint(_("Company Email ID not found, hence mail not sent")) diff --git a/erpnext/hr/doctype/salary_slip_deduction/salary_slip_deduction.json b/erpnext/hr/doctype/salary_slip_deduction/salary_slip_deduction.json index ae07c2c523..1833129459 100644 --- a/erpnext/hr/doctype/salary_slip_deduction/salary_slip_deduction.json +++ b/erpnext/hr/doctype/salary_slip_deduction/salary_slip_deduction.json @@ -1,5 +1,5 @@ { - "creation": "2013-02-22 01:27:48.000000", + "creation": "2013-02-22 01:27:48", "docstatus": 0, "doctype": "DocType", "fields": [ @@ -19,18 +19,19 @@ "fieldname": "d_amount", "fieldtype": "Currency", "in_list_view": 1, - "label": "Amount", + "label": "Default Amount", "oldfieldname": "d_amount", "oldfieldtype": "Currency", "options": "Company:company:default_currency", "permlevel": 0, + "print_hide": 1, "read_only": 1 }, { "fieldname": "d_modified_amount", "fieldtype": "Currency", "in_list_view": 1, - "label": "Modified Amount", + "label": "Amount", "options": "Company:company:default_currency", "permlevel": 0 }, @@ -39,14 +40,16 @@ "fieldtype": "Check", "in_list_view": 1, "label": "Depends on LWP", - "permlevel": 0 + "permlevel": 0, + "print_hide": 1 } ], "idx": 1, "istable": 1, - "modified": "2013-12-20 19:23:42.000000", + "modified": "2014-07-21 07:38:36.059879", "modified_by": "Administrator", "module": "HR", "name": "Salary Slip Deduction", - "owner": "Administrator" + "owner": "Administrator", + "permissions": [] } \ No newline at end of file diff --git a/erpnext/hr/doctype/salary_slip_earning/salary_slip_earning.json b/erpnext/hr/doctype/salary_slip_earning/salary_slip_earning.json index eae64473a3..b3dfa2b177 100644 --- a/erpnext/hr/doctype/salary_slip_earning/salary_slip_earning.json +++ b/erpnext/hr/doctype/salary_slip_earning/salary_slip_earning.json @@ -1,5 +1,5 @@ { - "creation": "2013-02-22 01:27:48.000000", + "creation": "2013-02-22 01:27:48", "docstatus": 0, "doctype": "DocType", "fields": [ @@ -19,18 +19,19 @@ "fieldname": "e_amount", "fieldtype": "Currency", "in_list_view": 1, - "label": "Amount", + "label": "Default Amount", "oldfieldname": "e_amount", "oldfieldtype": "Currency", "options": "Company:company:default_currency", "permlevel": 0, + "print_hide": 1, "read_only": 1 }, { "fieldname": "e_modified_amount", "fieldtype": "Currency", "in_list_view": 1, - "label": "Modified Amount", + "label": "Amount", "options": "Company:company:default_currency", "permlevel": 0 }, @@ -39,14 +40,16 @@ "fieldtype": "Check", "in_list_view": 1, "label": "Depends on LWP", - "permlevel": 0 + "permlevel": 0, + "print_hide": 1 } ], "idx": 1, "istable": 1, - "modified": "2013-12-20 19:23:43.000000", + "modified": "2014-07-21 07:39:01.262050", "modified_by": "Administrator", "module": "HR", "name": "Salary Slip Earning", - "owner": "Administrator" + "owner": "Administrator", + "permissions": [] } \ No newline at end of file diff --git a/erpnext/selling/doctype/quotation/quotation.json b/erpnext/selling/doctype/quotation/quotation.json index bdd27c4cc7..87943646c7 100644 --- a/erpnext/selling/doctype/quotation/quotation.json +++ b/erpnext/selling/doctype/quotation/quotation.json @@ -313,19 +313,6 @@ "permlevel": 0, "read_only": 0 }, - { - "fieldname": "net_total_export", - "fieldtype": "Currency", - "label": "Net Total", - "options": "currency", - "permlevel": 0, - "read_only": 1 - }, - { - "fieldname": "column_break_28", - "fieldtype": "Column Break", - "permlevel": 0 - }, { "fieldname": "net_total", "fieldtype": "Currency", @@ -340,6 +327,19 @@ "reqd": 0, "width": "100px" }, + { + "fieldname": "column_break_28", + "fieldtype": "Column Break", + "permlevel": 0 + }, + { + "fieldname": "net_total_export", + "fieldtype": "Currency", + "label": "Net Total", + "options": "currency", + "permlevel": 0, + "read_only": 1 + }, { "fieldname": "taxes", "fieldtype": "Section Break", @@ -448,6 +448,55 @@ "print_hide": 1, "read_only": 0 }, + { + "fieldname": "grand_total", + "fieldtype": "Currency", + "label": "Grand Total (Company Currency)", + "no_copy": 0, + "oldfieldname": "grand_total", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", + "permlevel": 0, + "print_hide": 1, + "read_only": 1, + "reqd": 0, + "width": "200px" + }, + { + "fieldname": "rounded_total", + "fieldtype": "Currency", + "label": "Rounded Total (Company Currency)", + "no_copy": 0, + "oldfieldname": "rounded_total", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", + "permlevel": 0, + "print_hide": 1, + "read_only": 1, + "width": "200px" + }, + { + "description": "In Words will be visible once you save the Quotation.", + "fieldname": "in_words", + "fieldtype": "Data", + "label": "In Words (Company Currency)", + "no_copy": 0, + "oldfieldname": "in_words", + "oldfieldtype": "Data", + "permlevel": 0, + "print_hide": 1, + "read_only": 1, + "width": "200px" + }, + { + "fieldname": "column_break3", + "fieldtype": "Column Break", + "oldfieldtype": "Column Break", + "permlevel": 0, + "print_hide": 1, + "read_only": 0, + "width": "50%" + }, { "fieldname": "grand_total_export", "fieldtype": "Currency", @@ -489,55 +538,6 @@ "read_only": 1, "width": "200px" }, - { - "fieldname": "column_break3", - "fieldtype": "Column Break", - "oldfieldtype": "Column Break", - "permlevel": 0, - "print_hide": 1, - "read_only": 0, - "width": "50%" - }, - { - "fieldname": "grand_total", - "fieldtype": "Currency", - "label": "Grand Total (Company Currency)", - "no_copy": 0, - "oldfieldname": "grand_total", - "oldfieldtype": "Currency", - "options": "Company:company:default_currency", - "permlevel": 0, - "print_hide": 1, - "read_only": 1, - "reqd": 0, - "width": "200px" - }, - { - "fieldname": "rounded_total", - "fieldtype": "Currency", - "label": "Rounded Total (Company Currency)", - "no_copy": 0, - "oldfieldname": "rounded_total", - "oldfieldtype": "Currency", - "options": "Company:company:default_currency", - "permlevel": 0, - "print_hide": 1, - "read_only": 1, - "width": "200px" - }, - { - "description": "In Words will be visible once you save the Quotation.", - "fieldname": "in_words", - "fieldtype": "Data", - "label": "In Words (Company Currency)", - "no_copy": 0, - "oldfieldname": "in_words", - "oldfieldtype": "Data", - "permlevel": 0, - "print_hide": 1, - "read_only": 1, - "width": "200px" - }, { "fieldname": "terms_section_break", "fieldtype": "Section Break", @@ -827,7 +827,7 @@ "idx": 1, "is_submittable": 1, "max_attachments": 1, - "modified": "2014-06-23 07:55:51.859025", + "modified": "2014-07-21 05:44:26.800041", "modified_by": "Administrator", "module": "Selling", "name": "Quotation", diff --git a/erpnext/selling/print_format/quotation_classic/quotation_classic.json b/erpnext/selling/print_format/quotation_classic/quotation_classic.json deleted file mode 100644 index 97d84eb63b..0000000000 --- a/erpnext/selling/print_format/quotation_classic/quotation_classic.json +++ /dev/null @@ -1,15 +0,0 @@ -{ - "creation": "2013-04-19 13:30:51", - "doc_type": "Quotation", - "docstatus": 0, - "doctype": "Print Format", - "html": "\n\n\n\n\n\n\n\n\n\n\n\n
\n\t\n\t\n
\n", - "idx": 1, - "modified": "2014-05-13 16:07:19.203008", - "modified_by": "Administrator", - "module": "Selling", - "name": "Quotation Classic", - "owner": "Administrator", - "print_format_type": "Client", - "standard": "Yes" -} \ No newline at end of file diff --git a/erpnext/selling/print_format/quotation_modern/quotation_modern.json b/erpnext/selling/print_format/quotation_modern/quotation_modern.json deleted file mode 100644 index d0db3b4531..0000000000 --- a/erpnext/selling/print_format/quotation_modern/quotation_modern.json +++ /dev/null @@ -1,15 +0,0 @@ -{ - "creation": "2013-04-19 13:30:51", - "doc_type": "Quotation", - "docstatus": 0, - "doctype": "Print Format", - "html": "\n\n\n\n\n\n\n\n\n\n\n\n
\n\t\n\t\n
\n", - "idx": 1, - "modified": "2014-05-13 16:07:19.221414", - "modified_by": "Administrator", - "module": "Selling", - "name": "Quotation Modern", - "owner": "Administrator", - "print_format_type": "Client", - "standard": "Yes" -} \ No newline at end of file diff --git a/erpnext/selling/print_format/quotation_spartan/quotation_spartan.json b/erpnext/selling/print_format/quotation_spartan/quotation_spartan.json deleted file mode 100644 index 7532e91bdd..0000000000 --- a/erpnext/selling/print_format/quotation_spartan/quotation_spartan.json +++ /dev/null @@ -1,15 +0,0 @@ -{ - "creation": "2013-04-19 13:30:51", - "doc_type": "Quotation", - "docstatus": 0, - "doctype": "Print Format", - "html": "\n\n\n\n\n\n\n\n\n\n\n\n
\n\t\n\t\n
\n", - "idx": 1, - "modified": "2014-05-13 16:07:19.233782", - "modified_by": "Administrator", - "module": "Selling", - "name": "Quotation Spartan", - "owner": "Administrator", - "print_format_type": "Client", - "standard": "Yes" -} \ No newline at end of file diff --git a/erpnext/selling/print_format/sales_order_classic/sales_order_classic.json b/erpnext/selling/print_format/sales_order_classic/sales_order_classic.json deleted file mode 100644 index 7fbfed4214..0000000000 --- a/erpnext/selling/print_format/sales_order_classic/sales_order_classic.json +++ /dev/null @@ -1,15 +0,0 @@ -{ - "creation": "2013-04-19 13:30:51", - "doc_type": "Sales Order", - "docstatus": 0, - "doctype": "Print Format", - "html": "\n\n\n\n\n\n\n\n\n\n\n\n
\n\t\n\t\n
\n", - "idx": 1, - "modified": "2014-05-13 16:07:19.286220", - "modified_by": "Administrator", - "module": "Selling", - "name": "Sales Order Classic", - "owner": "Administrator", - "print_format_type": "Client", - "standard": "Yes" -} \ No newline at end of file diff --git a/erpnext/selling/print_format/sales_order_modern/sales_order_modern.json b/erpnext/selling/print_format/sales_order_modern/sales_order_modern.json deleted file mode 100644 index 011bbc7634..0000000000 --- a/erpnext/selling/print_format/sales_order_modern/sales_order_modern.json +++ /dev/null @@ -1,15 +0,0 @@ -{ - "creation": "2013-04-19 13:30:51", - "doc_type": "Sales Order", - "docstatus": 0, - "doctype": "Print Format", - "html": "\n\n\n\n\n\n\n\n\n\n\n\n
\n\t\n\t\n
\n", - "idx": 1, - "modified": "2014-05-13 16:07:19.295735", - "modified_by": "Administrator", - "module": "Selling", - "name": "Sales Order Modern", - "owner": "Administrator", - "print_format_type": "Client", - "standard": "Yes" -} \ No newline at end of file diff --git a/erpnext/selling/print_format/sales_order_spartan/sales_order_spartan.json b/erpnext/selling/print_format/sales_order_spartan/sales_order_spartan.json deleted file mode 100644 index ce08e7cc1c..0000000000 --- a/erpnext/selling/print_format/sales_order_spartan/sales_order_spartan.json +++ /dev/null @@ -1,15 +0,0 @@ -{ - "creation": "2013-04-19 13:30:51", - "doc_type": "Sales Order", - "docstatus": 0, - "doctype": "Print Format", - "html": "\n\n\n\n\n\n\n\n\n\n\n\n
\n\t\n\t\n
\n", - "idx": 1, - "modified": "2014-05-13 16:07:19.303303", - "modified_by": "Administrator", - "module": "Selling", - "name": "Sales Order Spartan", - "owner": "Administrator", - "print_format_type": "Client", - "standard": "Yes" -} \ No newline at end of file diff --git a/erpnext/stock/doctype/delivery_note/delivery_note.json b/erpnext/stock/doctype/delivery_note/delivery_note.json index 9b43a71934..89cbc94bf0 100644 --- a/erpnext/stock/doctype/delivery_note/delivery_note.json +++ b/erpnext/stock/doctype/delivery_note/delivery_note.json @@ -341,6 +341,11 @@ "fieldtype": "Section Break", "permlevel": 0 }, + { + "fieldname": "column_break_33", + "fieldtype": "Column Break", + "permlevel": 0 + }, { "fieldname": "net_total_export", "fieldtype": "Currency", @@ -349,11 +354,6 @@ "permlevel": 0, "read_only": 1 }, - { - "fieldname": "column_break_33", - "fieldtype": "Column Break", - "permlevel": 0 - }, { "fieldname": "net_total", "fieldtype": "Currency", @@ -1009,7 +1009,7 @@ "idx": 1, "in_create": 0, "is_submittable": 1, - "modified": "2014-07-10 02:45:47.673011", + "modified": "2014-07-21 05:28:55.380728", "modified_by": "Administrator", "module": "Stock", "name": "Delivery Note", diff --git a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.json b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.json index 4ea3864258..66a954318f 100755 --- a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.json +++ b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.json @@ -230,15 +230,18 @@ "permlevel": 0 }, { - "fieldname": "net_total_import", + "fieldname": "net_total", "fieldtype": "Currency", - "label": "Net Total", - "oldfieldname": "net_total_import", + "label": "Net Total (Company Currency)", + "oldfieldname": "net_total", "oldfieldtype": "Currency", - "options": "currency", + "options": "Company:company:default_currency", "permlevel": 0, - "print_hide": 0, - "read_only": 1 + "print_hide": 1, + "print_width": "150px", + "read_only": 1, + "reqd": 1, + "width": "150px" }, { "fieldname": "get_current_stock", @@ -255,18 +258,15 @@ "permlevel": 0 }, { - "fieldname": "net_total", + "fieldname": "net_total_import", "fieldtype": "Currency", - "label": "Net Total (Company Currency)", - "oldfieldname": "net_total", + "label": "Net Total", + "oldfieldname": "net_total_import", "oldfieldtype": "Currency", - "options": "Company:company:default_currency", + "options": "currency", "permlevel": 0, - "print_hide": 1, - "print_width": "150px", - "read_only": 1, - "reqd": 1, - "width": "150px" + "print_hide": 0, + "read_only": 1 }, { "description": "Add / Edit Taxes and Charges", @@ -314,56 +314,6 @@ "options": "icon-money", "permlevel": 0 }, - { - "fieldname": "other_charges_added_import", - "fieldtype": "Currency", - "label": "Taxes and Charges Added", - "oldfieldname": "other_charges_added_import", - "oldfieldtype": "Currency", - "options": "currency", - "permlevel": 0, - "print_hide": 1, - "read_only": 1 - }, - { - "fieldname": "other_charges_deducted_import", - "fieldtype": "Currency", - "label": "Taxes and Charges Deducted", - "oldfieldname": "other_charges_deducted_import", - "oldfieldtype": "Currency", - "options": "currency", - "permlevel": 0, - "print_hide": 1, - "read_only": 1 - }, - { - "fieldname": "grand_total_import", - "fieldtype": "Currency", - "label": "Grand Total", - "oldfieldname": "grand_total_import", - "oldfieldtype": "Currency", - "options": "currency", - "permlevel": 0, - "print_hide": 0, - "read_only": 1 - }, - { - "fieldname": "in_words_import", - "fieldtype": "Data", - "label": "In Words", - "oldfieldname": "in_words_import", - "oldfieldtype": "Data", - "permlevel": 0, - "print_hide": 0, - "read_only": 1 - }, - { - "fieldname": "column_break3", - "fieldtype": "Column Break", - "permlevel": 0, - "print_width": "50%", - "width": "50%" - }, { "fieldname": "other_charges_added", "fieldtype": "Currency", @@ -430,6 +380,56 @@ "print_hide": 1, "read_only": 1 }, + { + "fieldname": "column_break3", + "fieldtype": "Column Break", + "permlevel": 0, + "print_width": "50%", + "width": "50%" + }, + { + "fieldname": "other_charges_added_import", + "fieldtype": "Currency", + "label": "Taxes and Charges Added", + "oldfieldname": "other_charges_added_import", + "oldfieldtype": "Currency", + "options": "currency", + "permlevel": 0, + "print_hide": 1, + "read_only": 1 + }, + { + "fieldname": "other_charges_deducted_import", + "fieldtype": "Currency", + "label": "Taxes and Charges Deducted", + "oldfieldname": "other_charges_deducted_import", + "oldfieldtype": "Currency", + "options": "currency", + "permlevel": 0, + "print_hide": 1, + "read_only": 1 + }, + { + "fieldname": "grand_total_import", + "fieldtype": "Currency", + "label": "Grand Total", + "oldfieldname": "grand_total_import", + "oldfieldtype": "Currency", + "options": "currency", + "permlevel": 0, + "print_hide": 0, + "read_only": 1 + }, + { + "fieldname": "in_words_import", + "fieldtype": "Data", + "label": "In Words", + "oldfieldname": "in_words_import", + "oldfieldtype": "Data", + "permlevel": 0, + "print_hide": 0, + "read_only": 1 + }, { "fieldname": "terms_section_break", "fieldtype": "Section Break", @@ -762,7 +762,7 @@ "icon": "icon-truck", "idx": 1, "is_submittable": 1, - "modified": "2014-06-23 07:55:50.761516", + "modified": "2014-07-21 05:43:28.156516", "modified_by": "Administrator", "module": "Stock", "name": "Purchase Receipt", diff --git a/erpnext/stock/page/stock_balance/stock_balance.js b/erpnext/stock/page/stock_balance/stock_balance.js index 0503c8bb27..1083414725 100644 --- a/erpnext/stock/page/stock_balance/stock_balance.js +++ b/erpnext/stock/page/stock_balance/stock_balance.js @@ -12,9 +12,7 @@ frappe.pages['stock-balance'].onload = function(wrapper) { new erpnext.StockBalance(wrapper); - - wrapper.appframe.add_module_icon("Stock") - + wrapper.appframe.add_module_icon("Stock"); } erpnext.StockBalance = erpnext.StockAnalytics.extend({ diff --git a/erpnext/stock/print_format/delivery_note_classic/delivery_note_classic.json b/erpnext/stock/print_format/delivery_note_classic/delivery_note_classic.json deleted file mode 100644 index 1304fdec26..0000000000 --- a/erpnext/stock/print_format/delivery_note_classic/delivery_note_classic.json +++ /dev/null @@ -1,15 +0,0 @@ -{ - "creation": "2013-04-19 13:31:11", - "doc_type": "Delivery Note", - "docstatus": 0, - "doctype": "Print Format", - "html": "\n\n\n\n\n\n\n\n\n\n\n\n
\n\t\n\t\n
\n", - "idx": 1, - "modified": "2014-05-13 16:07:19.088869", - "modified_by": "Administrator", - "module": "Stock", - "name": "Delivery Note Classic", - "owner": "Administrator", - "print_format_type": "Client", - "standard": "Yes" -} \ No newline at end of file diff --git a/erpnext/stock/print_format/delivery_note_modern/delivery_note_modern.json b/erpnext/stock/print_format/delivery_note_modern/delivery_note_modern.json deleted file mode 100644 index c523fba3c4..0000000000 --- a/erpnext/stock/print_format/delivery_note_modern/delivery_note_modern.json +++ /dev/null @@ -1,15 +0,0 @@ -{ - "creation": "2013-04-19 13:31:11", - "doc_type": "Delivery Note", - "docstatus": 0, - "doctype": "Print Format", - "html": "\n\n\n\n\n\n\n\n\n\n\n\n
\n\t\n\t\n
\n", - "idx": 1, - "modified": "2014-05-13 16:07:19.122031", - "modified_by": "Administrator", - "module": "Stock", - "name": "Delivery Note Modern", - "owner": "Administrator", - "print_format_type": "Client", - "standard": "Yes" -} \ No newline at end of file diff --git a/erpnext/stock/print_format/delivery_note_spartan/delivery_note_spartan.json b/erpnext/stock/print_format/delivery_note_spartan/delivery_note_spartan.json deleted file mode 100644 index 2d6ef68e12..0000000000 --- a/erpnext/stock/print_format/delivery_note_spartan/delivery_note_spartan.json +++ /dev/null @@ -1,15 +0,0 @@ -{ - "creation": "2013-04-19 13:31:11", - "doc_type": "Delivery Note", - "docstatus": 0, - "doctype": "Print Format", - "html": "\n\n\n\n\n\n\n\n\n\n\n\n
\n\t\n\t\n
\n", - "idx": 1, - "modified": "2014-05-13 16:07:19.136421", - "modified_by": "Administrator", - "module": "Stock", - "name": "Delivery Note Spartan", - "owner": "Administrator", - "print_format_type": "Client", - "standard": "Yes" -} \ No newline at end of file diff --git a/erpnext/templates/print_formats/includes/item_grid.html b/erpnext/templates/print_formats/includes/item_grid.html index f9d3c1f5e8..e837966de6 100644 --- a/erpnext/templates/print_formats/includes/item_grid.html +++ b/erpnext/templates/print_formats/includes/item_grid.html @@ -1,5 +1,5 @@ {%- from "templates/print_formats/standard_macros.html" import print_value -%} -{%- set std_fields = ("item_code", "item_name", "description", "qty", "rate", "amount", "stock_uom") -%} +{%- set std_fields = ("item_code", "item_name", "description", "qty", "rate", "amount", "stock_uom", "uom") -%} {%- set visible_columns = get_visible_columns(doc.get(df.fieldname), table_meta) -%} @@ -30,7 +30,7 @@ {{ frappe.format_value(row[field.fieldname], field, doc) }}

{%- endif -%} {%- endfor -%} - + diff --git a/erpnext/templates/print_formats/includes/taxes.html b/erpnext/templates/print_formats/includes/taxes.html index e23b49cb9b..56a086f32b 100644 --- a/erpnext/templates/print_formats/includes/taxes.html +++ b/erpnext/templates/print_formats/includes/taxes.html @@ -6,8 +6,8 @@
-
- {{ format(charge.tax_amount / doc.conversion_rate, +
+ {{ frappe.format_value(charge.tax_amount / doc.conversion_rate, table_meta.get_field("tax_amount"), doc) }}
From 85ff3bcd0419e7e7eb6b94e0e7589e9850ba94b0 Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Tue, 22 Jul 2014 14:43:14 +0530 Subject: [PATCH 395/630] updated pos invoice --- erpnext/accounts/print_format/pos_invoice/__init__.py | 0 .../accounts/print_format/pos_invoice/pos_invoice.json | 6 +++--- erpnext/config/selling.py | 5 +++++ erpnext/templates/print_formats/includes/item_grid.html | 8 +++----- 4 files changed, 11 insertions(+), 8 deletions(-) create mode 100644 erpnext/accounts/print_format/pos_invoice/__init__.py diff --git a/erpnext/accounts/print_format/pos_invoice/__init__.py b/erpnext/accounts/print_format/pos_invoice/__init__.py new file mode 100644 index 0000000000..e69de29bb2 diff --git a/erpnext/accounts/print_format/pos_invoice/pos_invoice.json b/erpnext/accounts/print_format/pos_invoice/pos_invoice.json index e565ab841a..83174b6c29 100644 --- a/erpnext/accounts/print_format/pos_invoice/pos_invoice.json +++ b/erpnext/accounts/print_format/pos_invoice/pos_invoice.json @@ -3,13 +3,13 @@ "doc_type": "Sales Invoice", "docstatus": 0, "doctype": "Print Format", - "html": "\n\t\n\n\t\t\n\t\t\n\n\t\t\n\t\t\n\t\n\n\t\n\t\t\n\t\t
\n\t\t
\n\t\t
\n\t\t
\n\t\t
\n\t\n", + "html": "\n\n

\n\t{{ doc.company }}
\n\t{{ doc.select_print_heading or _(\"Invoice\") }}
\n

\n

\n\t{{ _(\"Receipt No\") }}: {{ doc.name }}
\n\t{{ _(\"Date\") }}: {{ doc.get_formatted(\"posting_date\") }}
\n\t{{ _(\"Customer\") }}: {{ doc.customer_name }}\n

\n\n
\n
{{ row.qty }} {{ row.stock_uom }}{{ row.qty }} {{ row.uom or row.stock_uom }} {{ frappe.format_value(row.rate, table_meta.get_field("rate"), doc) }}
\n\t\n\t\t\n\t\t\t\n\t\t\t\n\t\t\t\n\t\t\n\t\n\t\n\t\t{%- for item in doc.entries -%}\n\t\t\n\t\t\t\n\t\t\t\n\t\t\t\n\t\t\n\t\t{%- endfor -%}\n\t\n
{{ _(\"Item\") }}{{ _(\"Qty\") }}{{ _(\"Rate\") }}
\n\t\t\t\t{{ item.item_code }}\n\t\t\t\t{%- if item.item_name != item.item_code -%}\n\t\t\t\t\t
{{ item.item_name }}{%- endif -%}\n\t\t\t
{{ item.qty }}{{ item.amount }}
\n\n\t\n\t\t\n\t\t\t\n\t\t\t\n\t\t\n\t\t{%- for row in doc.other_charges -%}\n\t\t{%- if not row.included_in_print_rate -%}\n\t\t\n\t\t\t\n\t\t\t\n\t\t\n\t\t{%- endif -%}\n\t\t{%- endfor -%}\n\t\t{%- if doc.discount_amount -%}\n\t\t\n\t\t\t\n\t\t\t\n\t\t\n\t\t{%- endif -%}\n\t\t\n\t\t\t\n\t\t\t\n\t\t\n\t\n
\n\t\t\t\t{{ _(\"Net Total\") }}\n\t\t\t\n\t\t\t\t{{ doc.get_formatted(\"net_total_export\") }}\n\t\t\t
\n\t\t\t\t{{ row.description }}\n\t\t\t\n\t\t\t\t{{ row.get_formatted(\"tax_amount\", doc) }}\n\t\t\t
\n\t\t\t\t{{ _(\"Discount\") }}\n\t\t\t\n\t\t\t\t{{ doc.get_formatted(\"discount_amount\") }}\n\t\t\t
\n\t\t\t\t{{ _(\"Grand Total\") }}\n\t\t\t\n\t\t\t\t{{ doc.get_formatted(\"grand_total_export\") }}\n\t\t\t
\n{% if doc.get(\"other_charges\", filters={\"included_in_print_rate\": 1}) %}\n
\n

Taxes Included:

\n\n\t\n\t\t{%- for row in doc.other_charges -%}\n\t\t{%- if row.included_in_print_rate -%}\n\t\t\n\t\t\t\n\t\t\t\n\t\t\n\t\t{%- endif -%}\n\t\t{%- endfor -%}\n\t\n
\n\t\t\t\t{{ row.description }}\n\t\t\t\n\t\t\t\t{{ row.get_formatted(\"tax_amount\", doc) }}\n\t\t\t
\n{%- endif -%}\n
\n

{{ doc.terms or \"\" }}

\n

{{ _(\"Thank you, please visit again.\") }}

", "idx": 1, - "modified": "2014-05-26 06:29:57.220753", + "modified": "2014-07-22 02:08:26.603223", "modified_by": "Administrator", "module": "Accounts", "name": "POS Invoice", "owner": "Administrator", - "print_format_type": "Client", + "print_format_type": "Server", "standard": "Yes" } \ No newline at end of file diff --git a/erpnext/config/selling.py b/erpnext/config/selling.py index c95f15aa83..1e5acadb53 100644 --- a/erpnext/config/selling.py +++ b/erpnext/config/selling.py @@ -57,6 +57,11 @@ def get_data(): "name": "SMS Center", "description":_("Send mass SMS to your contacts"), }, + { + "type": "doctype", + "name": "Newsletter", + "description": _("Newsletters to contacts, leads."), + }, ] }, { diff --git a/erpnext/templates/print_formats/includes/item_grid.html b/erpnext/templates/print_formats/includes/item_grid.html index e837966de6..e3be8c94dc 100644 --- a/erpnext/templates/print_formats/includes/item_grid.html +++ b/erpnext/templates/print_formats/includes/item_grid.html @@ -27,16 +27,14 @@ {%- if (field.fieldname not in std_fields) and (row[field.fieldname] not in (None, "")) -%}
{{ field.label }}: - {{ frappe.format_value(row[field.fieldname], field, doc) }}

+ {{ row.get_formatted(field.fieldname, doc) }}

{%- endif -%} {%- endfor -%} {{ row.qty }} {{ row.uom or row.stock_uom }} {{ - frappe.format_value(row.rate, - table_meta.get_field("rate"), doc) }} + row.get_formatted("rate", doc) }} {{ - frappe.format_value(row.amount, - table_meta.get_field("amount"), doc) }} + row.get_formatted("amount", doc) }} {%- endfor -%} From 781ddc3a25224eb81b7525bcb18254693c2a75f7 Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Tue, 22 Jul 2014 16:11:18 +0530 Subject: [PATCH 396/630] added patch to remove old print formats --- erpnext/patches.txt | 1 + erpnext/patches/v4_2/__init__.py | 0 .../patches/v4_2/delete_old_print_formats.py | 23 +++++++++++++++++++ 3 files changed, 24 insertions(+) create mode 100644 erpnext/patches/v4_2/__init__.py create mode 100644 erpnext/patches/v4_2/delete_old_print_formats.py diff --git a/erpnext/patches.txt b/erpnext/patches.txt index 5c64213ccb..676e0d186a 100644 --- a/erpnext/patches.txt +++ b/erpnext/patches.txt @@ -72,3 +72,4 @@ execute:frappe.db.sql("update `tabAccount` set root_type='Liability' where root_ execute:frappe.delete_doc("DocType", "Payment to Invoice Matching Tool") execute:frappe.delete_doc("DocType", "Payment to Invoice Matching Tool Detail") execute:frappe.delete_doc("Page", "trial-balance") #2014-07-22 +erpnext.patches.v4_2.delete_old_print_formats diff --git a/erpnext/patches/v4_2/__init__.py b/erpnext/patches/v4_2/__init__.py new file mode 100644 index 0000000000..e69de29bb2 diff --git a/erpnext/patches/v4_2/delete_old_print_formats.py b/erpnext/patches/v4_2/delete_old_print_formats.py new file mode 100644 index 0000000000..1456f95131 --- /dev/null +++ b/erpnext/patches/v4_2/delete_old_print_formats.py @@ -0,0 +1,23 @@ +# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors +# License: GNU General Public License v3. See license.txt + +from __future__ import unicode_literals +import frappe + +def execute(): + old_formats = ("Sales Invoice", "Sales Invoice Spartan", "Sales Invoice Modern", + "Sales Invoice Classic", + "Sales Order Spartan", "Sales Order Modern", "Sales Order Classic", + "Purchase Order Spartan", "Purchase Order Modern", "Purchase Order Classic", + "Quotation Spartan", "Quotation Modern", "Quotation Classic", + "Delivery Note Spartan", "Delivery Note Modern", "Delivery Note Classic") + + for fmt in old_formats: + # update property setter + for ps in frappe.db.sql_list("""select name from `tabProperty Setter` + where property_type='default_print_format' and value=%s""", fmt): + ps = frappe.get_doc("Property Setter", ps) + ps.value = "Standard" + ps.save(ignore_permissions = True) + + frappe.delete_doc("Print Format", fmt) From 82ec488b9999b85e5cec062f0af7820b34793a07 Mon Sep 17 00:00:00 2001 From: ankitjavalkarwork Date: Tue, 22 Jul 2014 18:14:30 +0530 Subject: [PATCH 397/630] Payment Reconciliation Feature/Tool - Patch --- erpnext/patches.txt | 2 ++ 1 file changed, 2 insertions(+) diff --git a/erpnext/patches.txt b/erpnext/patches.txt index 676e0d186a..1a80ef0938 100644 --- a/erpnext/patches.txt +++ b/erpnext/patches.txt @@ -73,3 +73,5 @@ execute:frappe.delete_doc("DocType", "Payment to Invoice Matching Tool") execute:frappe.delete_doc("DocType", "Payment to Invoice Matching Tool Detail") execute:frappe.delete_doc("Page", "trial-balance") #2014-07-22 erpnext.patches.v4_2.delete_old_print_formats +execute:frappe.delete_doc("DocType", "Payment to Invoice Matching Tool") +execute:frappe.delete_doc("DocType", "Payment to Invoice Matching Tool Detail") From 16deabef82358fd7fe5a4811cdfb98d05558d298 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Wed, 23 Jul 2014 20:12:04 +0530 Subject: [PATCH 398/630] Format Qty --- erpnext/templates/print_formats/includes/item_grid.html | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/templates/print_formats/includes/item_grid.html b/erpnext/templates/print_formats/includes/item_grid.html index e3be8c94dc..ffcf8577e4 100644 --- a/erpnext/templates/print_formats/includes/item_grid.html +++ b/erpnext/templates/print_formats/includes/item_grid.html @@ -30,7 +30,7 @@ {{ row.get_formatted(field.fieldname, doc) }}

{%- endif -%} {%- endfor -%} - {{ row.qty }} {{ row.uom or row.stock_uom }} + {{ row.get_formatted("qty", doc) }} {{ row.uom or row.stock_uom }} {{ row.get_formatted("rate", doc) }} {{ From a5437cdac1afd383c800bdda8de15b8674af0cf4 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Thu, 24 Jul 2014 18:40:57 +0530 Subject: [PATCH 399/630] Fixes for print --- .../purchase_invoice/purchase_invoice.json | 4 +- .../purchase_invoice_item.json | 4 +- .../doctype/sales_invoice/sales_invoice.py | 8 +- .../sales_invoice_item.json | 4 +- .../purchase_order_item.json | 4 +- .../supplier_quotation.json | 116 ++++++++-------- .../supplier_quotation_item.json | 4 +- erpnext/hr/doctype/salary_slip/salary_slip.py | 4 +- erpnext/patches.txt | 2 - .../doctype/opportunity/opportunity.json | 3 +- .../doctype/opportunity/test_opportunity.py | 10 ++ .../doctype/opportunity/test_records.json | 13 ++ .../quotation_item/quotation_item.json | 4 +- .../sales_order_item/sales_order_item.json | 4 +- .../doctype/delivery_note/delivery_note.json | 128 +++++++++--------- .../delivery_note_item.json | 4 +- .../purchase_receipt/purchase_receipt.json | 4 +- .../purchase_receipt_item.json | 4 +- .../doctype/stock_entry/stock_entry.json | 107 +++++++-------- .../emails/recurring_invoice_failed.html | 4 +- .../print_formats/includes/item_grid.html | 23 ++-- test_sites/test_site/site_config.json | 3 +- 22 files changed, 239 insertions(+), 222 deletions(-) create mode 100644 erpnext/selling/doctype/opportunity/test_opportunity.py create mode 100644 erpnext/selling/doctype/opportunity/test_records.json diff --git a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.json b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.json index 1de3aa601d..fc9d3c7b54 100755 --- a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.json +++ b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.json @@ -695,7 +695,7 @@ "oldfieldname": "due_date", "oldfieldtype": "Date", "permlevel": 0, - "print_hide": 0, + "print_hide": 1, "read_only": 0, "search_index": 1 }, @@ -753,7 +753,7 @@ "icon": "icon-file-text", "idx": 1, "is_submittable": 1, - "modified": "2014-07-21 05:33:36.332474", + "modified": "2014-07-24 08:46:13.099099", "modified_by": "Administrator", "module": "Accounts", "name": "Purchase Invoice", diff --git a/erpnext/accounts/doctype/purchase_invoice_item/purchase_invoice_item.json b/erpnext/accounts/doctype/purchase_invoice_item/purchase_invoice_item.json index d3b4606034..22757430bf 100755 --- a/erpnext/accounts/doctype/purchase_invoice_item/purchase_invoice_item.json +++ b/erpnext/accounts/doctype/purchase_invoice_item/purchase_invoice_item.json @@ -109,7 +109,7 @@ }, { "fieldname": "discount_percentage", - "fieldtype": "Float", + "fieldtype": "Percent", "in_list_view": 0, "label": "Discount %", "permlevel": 0, @@ -421,7 +421,7 @@ ], "idx": 1, "istable": 1, - "modified": "2014-05-28 12:43:40.647183", + "modified": "2014-07-24 05:50:20.570629", "modified_by": "Administrator", "module": "Accounts", "name": "Purchase Invoice Item", diff --git a/erpnext/accounts/doctype/sales_invoice/sales_invoice.py b/erpnext/accounts/doctype/sales_invoice/sales_invoice.py index 671bb54f82..27348bbdfe 100644 --- a/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +++ b/erpnext/accounts/doctype/sales_invoice/sales_invoice.py @@ -723,15 +723,15 @@ def send_notification(new_rv): """Notify concerned persons about recurring invoice generation""" frappe.sendmail(new_rv.notification_email_address, subject="New Invoice : " + new_rv.name, - message = _("Please find attached Sales Invoice #{0}").format(new_rw.name), - attachments = { + message = _("Please find attached Sales Invoice #{0}").format(new_rv.name), + attachments = [{ "fname": new_rv.name + ".pdf", "fcontent": frappe.get_print_format(new_rv.doctype, new_rv.name, as_pdf=True) - }) + }]) def notify_errors(inv, customer, owner): from frappe.utils.user import get_system_managers - recipients=get_system_managers() + recipients=get_system_managers(only_name=True) frappe.sendmail(recipients + [frappe.db.get_value("User", owner, "email")], subject="[Urgent] Error while creating recurring invoice for %s" % inv, diff --git a/erpnext/accounts/doctype/sales_invoice_item/sales_invoice_item.json b/erpnext/accounts/doctype/sales_invoice_item/sales_invoice_item.json index 5b3bd9d888..82d3a7dffe 100644 --- a/erpnext/accounts/doctype/sales_invoice_item/sales_invoice_item.json +++ b/erpnext/accounts/doctype/sales_invoice_item/sales_invoice_item.json @@ -103,7 +103,7 @@ }, { "fieldname": "discount_percentage", - "fieldtype": "Float", + "fieldtype": "Percent", "in_list_view": 0, "label": "Discount (%)", "oldfieldname": "adj_rate", @@ -448,7 +448,7 @@ ], "idx": 1, "istable": 1, - "modified": "2014-05-28 12:42:28.209942", + "modified": "2014-07-24 05:53:05.889457", "modified_by": "Administrator", "module": "Accounts", "name": "Sales Invoice Item", diff --git a/erpnext/buying/doctype/purchase_order_item/purchase_order_item.json b/erpnext/buying/doctype/purchase_order_item/purchase_order_item.json index 224f784c69..f6bcc23e8f 100755 --- a/erpnext/buying/doctype/purchase_order_item/purchase_order_item.json +++ b/erpnext/buying/doctype/purchase_order_item/purchase_order_item.json @@ -167,7 +167,7 @@ }, { "fieldname": "discount_percentage", - "fieldtype": "Float", + "fieldtype": "Percent", "in_list_view": 0, "label": "Discount %", "permlevel": 0, @@ -466,7 +466,7 @@ ], "idx": 1, "istable": 1, - "modified": "2014-05-28 12:42:53.018610", + "modified": "2014-07-24 05:49:51.099682", "modified_by": "Administrator", "module": "Buying", "name": "Purchase Order Item", diff --git a/erpnext/buying/doctype/supplier_quotation/supplier_quotation.json b/erpnext/buying/doctype/supplier_quotation/supplier_quotation.json index fa0a9f38cd..fb648b9b0c 100644 --- a/erpnext/buying/doctype/supplier_quotation/supplier_quotation.json +++ b/erpnext/buying/doctype/supplier_quotation/supplier_quotation.json @@ -306,63 +306,6 @@ "options": "icon-money", "permlevel": 0 }, - { - "fieldname": "other_charges_added_import", - "fieldtype": "Currency", - "label": "Taxes and Charges Added", - "no_copy": 0, - "oldfieldname": "other_charges_added_import", - "oldfieldtype": "Currency", - "options": "currency", - "permlevel": 0, - "print_hide": 1, - "read_only": 1, - "report_hide": 0 - }, - { - "fieldname": "other_charges_deducted_import", - "fieldtype": "Currency", - "label": "Taxes and Charges Deducted", - "no_copy": 0, - "oldfieldname": "other_charges_deducted_import", - "oldfieldtype": "Currency", - "options": "currency", - "permlevel": 0, - "print_hide": 1, - "read_only": 1, - "report_hide": 0 - }, - { - "fieldname": "grand_total_import", - "fieldtype": "Currency", - "in_list_view": 1, - "label": "Grand Total", - "no_copy": 0, - "oldfieldname": "grand_total_import", - "oldfieldtype": "Currency", - "options": "currency", - "permlevel": 0, - "print_hide": 0, - "read_only": 1, - "report_hide": 0 - }, - { - "fieldname": "in_words_import", - "fieldtype": "Data", - "label": "In Words", - "oldfieldname": "in_words_import", - "oldfieldtype": "Data", - "permlevel": 0, - "print_hide": 0, - "read_only": 1 - }, - { - "fieldname": "column_break4", - "fieldtype": "Column Break", - "oldfieldtype": "Column Break", - "permlevel": 0, - "print_hide": 0 - }, { "fieldname": "other_charges_added", "fieldtype": "Currency", @@ -433,6 +376,63 @@ "print_hide": 1, "read_only": 1 }, + { + "fieldname": "column_break4", + "fieldtype": "Column Break", + "oldfieldtype": "Column Break", + "permlevel": 0, + "print_hide": 0 + }, + { + "fieldname": "other_charges_added_import", + "fieldtype": "Currency", + "label": "Taxes and Charges Added", + "no_copy": 0, + "oldfieldname": "other_charges_added_import", + "oldfieldtype": "Currency", + "options": "currency", + "permlevel": 0, + "print_hide": 1, + "read_only": 1, + "report_hide": 0 + }, + { + "fieldname": "other_charges_deducted_import", + "fieldtype": "Currency", + "label": "Taxes and Charges Deducted", + "no_copy": 0, + "oldfieldname": "other_charges_deducted_import", + "oldfieldtype": "Currency", + "options": "currency", + "permlevel": 0, + "print_hide": 1, + "read_only": 1, + "report_hide": 0 + }, + { + "fieldname": "grand_total_import", + "fieldtype": "Currency", + "in_list_view": 1, + "label": "Grand Total", + "no_copy": 0, + "oldfieldname": "grand_total_import", + "oldfieldtype": "Currency", + "options": "currency", + "permlevel": 0, + "print_hide": 0, + "read_only": 1, + "report_hide": 0 + }, + { + "fieldname": "in_words_import", + "fieldtype": "Data", + "label": "In Words", + "oldfieldname": "in_words_import", + "oldfieldtype": "Data", + "permlevel": 0, + "print_hide": 0, + "read_only": 1 + }, { "fieldname": "terms_section_break", "fieldtype": "Section Break", @@ -571,7 +571,7 @@ "icon": "icon-shopping-cart", "idx": 1, "is_submittable": 1, - "modified": "2014-07-21 05:30:30.367353", + "modified": "2014-07-24 05:16:47.062261", "modified_by": "Administrator", "module": "Buying", "name": "Supplier Quotation", 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 65dfe97af8..11b14e98c2 100644 --- a/erpnext/buying/doctype/supplier_quotation_item/supplier_quotation_item.json +++ b/erpnext/buying/doctype/supplier_quotation_item/supplier_quotation_item.json @@ -95,7 +95,7 @@ }, { "fieldname": "discount_percentage", - "fieldtype": "Float", + "fieldtype": "Percent", "in_list_view": 0, "label": "Discount %", "permlevel": 0, @@ -346,7 +346,7 @@ ], "idx": 1, "istable": 1, - "modified": "2014-05-28 12:44:17.347236", + "modified": "2014-07-24 05:45:04.371142", "modified_by": "Administrator", "module": "Buying", "name": "Supplier Quotation Item", diff --git a/erpnext/hr/doctype/salary_slip/salary_slip.py b/erpnext/hr/doctype/salary_slip/salary_slip.py index 946588f5bc..7e27830ce9 100644 --- a/erpnext/hr/doctype/salary_slip/salary_slip.py +++ b/erpnext/hr/doctype/salary_slip/salary_slip.py @@ -191,9 +191,9 @@ class SalarySlip(TransactionBase): if receiver: subj = 'Salary Slip - ' + cstr(self.month) +'/'+cstr(self.fiscal_year) sendmail([receiver], subject=subj, msg = _("Please see attachment"), - attachments={ + attachments=[{ "fname": self.name + ".pdf", "fcontent": frappe.get_print_format(self.doctype, self.name, as_pdf = True) - }) + }]) else: msgprint(_("Company Email ID not found, hence mail not sent")) diff --git a/erpnext/patches.txt b/erpnext/patches.txt index 1a80ef0938..676e0d186a 100644 --- a/erpnext/patches.txt +++ b/erpnext/patches.txt @@ -73,5 +73,3 @@ execute:frappe.delete_doc("DocType", "Payment to Invoice Matching Tool") execute:frappe.delete_doc("DocType", "Payment to Invoice Matching Tool Detail") execute:frappe.delete_doc("Page", "trial-balance") #2014-07-22 erpnext.patches.v4_2.delete_old_print_formats -execute:frappe.delete_doc("DocType", "Payment to Invoice Matching Tool") -execute:frappe.delete_doc("DocType", "Payment to Invoice Matching Tool Detail") diff --git a/erpnext/selling/doctype/opportunity/opportunity.json b/erpnext/selling/doctype/opportunity/opportunity.json index be5f52b483..a287c227e4 100644 --- a/erpnext/selling/doctype/opportunity/opportunity.json +++ b/erpnext/selling/doctype/opportunity/opportunity.json @@ -110,6 +110,7 @@ "oldfieldtype": "Select", "options": "Draft\nSubmitted\nQuotation\nLost\nCancelled\nReplied\nOpen", "permlevel": 0, + "print_hide": 1, "read_only": 1, "reqd": 1 }, @@ -410,7 +411,7 @@ "icon": "icon-info-sign", "idx": 1, "is_submittable": 1, - "modified": "2014-06-23 07:55:49.718301", + "modified": "2014-07-24 08:55:09.807048", "modified_by": "Administrator", "module": "Selling", "name": "Opportunity", diff --git a/erpnext/selling/doctype/opportunity/test_opportunity.py b/erpnext/selling/doctype/opportunity/test_opportunity.py new file mode 100644 index 0000000000..b991ffa100 --- /dev/null +++ b/erpnext/selling/doctype/opportunity/test_opportunity.py @@ -0,0 +1,10 @@ +# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors and Contributors +# See license.txt + +import frappe +import unittest + +test_records = frappe.get_test_records('Opportunity') + +class TestOpportunity(unittest.TestCase): + pass diff --git a/erpnext/selling/doctype/opportunity/test_records.json b/erpnext/selling/doctype/opportunity/test_records.json new file mode 100644 index 0000000000..3970903635 --- /dev/null +++ b/erpnext/selling/doctype/opportunity/test_records.json @@ -0,0 +1,13 @@ +[ + { + "doctype": "Opportunity", + "name": "_Test Opportunity 1", + "enquiry_from": "Lead", + "enquiry_type": "Sales", + "lead": "_T-Lead-00001", + "enquiry_details": [{ + "item_name": "Test Item", + "description": "Some description" + }] + } +] diff --git a/erpnext/selling/doctype/quotation_item/quotation_item.json b/erpnext/selling/doctype/quotation_item/quotation_item.json index a1807dd9ad..c260505b29 100644 --- a/erpnext/selling/doctype/quotation_item/quotation_item.json +++ b/erpnext/selling/doctype/quotation_item/quotation_item.json @@ -107,7 +107,7 @@ }, { "fieldname": "discount_percentage", - "fieldtype": "Float", + "fieldtype": "Percent", "in_list_view": 0, "label": "Discount (%)", "oldfieldname": "adj_rate", @@ -345,7 +345,7 @@ ], "idx": 1, "istable": 1, - "modified": "2014-05-28 12:41:40.811916", + "modified": "2014-07-24 05:52:49.665788", "modified_by": "Administrator", "module": "Selling", "name": "Quotation Item", diff --git a/erpnext/selling/doctype/sales_order_item/sales_order_item.json b/erpnext/selling/doctype/sales_order_item/sales_order_item.json index 13ee085eef..582792f791 100644 --- a/erpnext/selling/doctype/sales_order_item/sales_order_item.json +++ b/erpnext/selling/doctype/sales_order_item/sales_order_item.json @@ -101,7 +101,7 @@ }, { "fieldname": "discount_percentage", - "fieldtype": "Float", + "fieldtype": "Percent", "in_list_view": 0, "label": "Discount(%)", "oldfieldname": "adj_rate", @@ -431,7 +431,7 @@ ], "idx": 1, "istable": 1, - "modified": "2014-05-27 14:41:14.996650", + "modified": "2014-07-24 05:55:46.672279", "modified_by": "Administrator", "module": "Selling", "name": "Sales Order Item", diff --git a/erpnext/stock/doctype/delivery_note/delivery_note.json b/erpnext/stock/doctype/delivery_note/delivery_note.json index 89cbc94bf0..84570abd82 100644 --- a/erpnext/stock/doctype/delivery_note/delivery_note.json +++ b/erpnext/stock/doctype/delivery_note/delivery_note.json @@ -341,19 +341,6 @@ "fieldtype": "Section Break", "permlevel": 0 }, - { - "fieldname": "column_break_33", - "fieldtype": "Column Break", - "permlevel": 0 - }, - { - "fieldname": "net_total_export", - "fieldtype": "Currency", - "label": "Net Total", - "options": "currency", - "permlevel": 0, - "read_only": 1 - }, { "fieldname": "net_total", "fieldtype": "Currency", @@ -369,6 +356,19 @@ "reqd": 0, "width": "150px" }, + { + "fieldname": "column_break_33", + "fieldtype": "Column Break", + "permlevel": 0 + }, + { + "fieldname": "net_total_export", + "fieldtype": "Currency", + "label": "Net Total", + "options": "currency", + "permlevel": 0, + "read_only": 1 + }, { "fieldname": "taxes", "fieldtype": "Section Break", @@ -479,56 +479,6 @@ "print_hide": 0, "read_only": 0 }, - { - "fieldname": "grand_total_export", - "fieldtype": "Currency", - "label": "Grand Total", - "no_copy": 0, - "oldfieldname": "grand_total_export", - "oldfieldtype": "Currency", - "options": "currency", - "permlevel": 0, - "print_hide": 0, - "print_width": "150px", - "read_only": 1, - "reqd": 0, - "width": "150px" - }, - { - "fieldname": "rounded_total_export", - "fieldtype": "Currency", - "label": "Rounded Total", - "no_copy": 0, - "oldfieldname": "rounded_total_export", - "oldfieldtype": "Currency", - "options": "currency", - "permlevel": 0, - "print_hide": 0, - "print_width": "150px", - "read_only": 1, - "width": "150px" - }, - { - "description": "In Words (Export) will be visible once you save the Delivery Note.", - "fieldname": "in_words_export", - "fieldtype": "Data", - "label": "In Words", - "no_copy": 0, - "oldfieldname": "in_words_export", - "oldfieldtype": "Data", - "permlevel": 0, - "print_hide": 0, - "print_width": "150px", - "read_only": 1, - "width": "150px" - }, - { - "fieldname": "column_break3", - "fieldtype": "Column Break", - "oldfieldtype": "Column Break", - "permlevel": 0, - "read_only": 0 - }, { "fieldname": "grand_total", "fieldtype": "Currency", @@ -572,6 +522,56 @@ "read_only": 1, "width": "200px" }, + { + "fieldname": "column_break3", + "fieldtype": "Column Break", + "oldfieldtype": "Column Break", + "permlevel": 0, + "read_only": 0 + }, + { + "fieldname": "grand_total_export", + "fieldtype": "Currency", + "label": "Grand Total", + "no_copy": 0, + "oldfieldname": "grand_total_export", + "oldfieldtype": "Currency", + "options": "currency", + "permlevel": 0, + "print_hide": 0, + "print_width": "150px", + "read_only": 1, + "reqd": 0, + "width": "150px" + }, + { + "fieldname": "rounded_total_export", + "fieldtype": "Currency", + "label": "Rounded Total", + "no_copy": 0, + "oldfieldname": "rounded_total_export", + "oldfieldtype": "Currency", + "options": "currency", + "permlevel": 0, + "print_hide": 0, + "print_width": "150px", + "read_only": 1, + "width": "150px" + }, + { + "description": "In Words (Export) will be visible once you save the Delivery Note.", + "fieldname": "in_words_export", + "fieldtype": "Data", + "label": "In Words", + "no_copy": 0, + "oldfieldname": "in_words_export", + "oldfieldtype": "Data", + "permlevel": 0, + "print_hide": 0, + "print_width": "150px", + "read_only": 1, + "width": "150px" + }, { "fieldname": "terms_section_break", "fieldtype": "Section Break", @@ -1009,7 +1009,7 @@ "idx": 1, "in_create": 0, "is_submittable": 1, - "modified": "2014-07-21 05:28:55.380728", + "modified": "2014-07-24 08:48:06.944540", "modified_by": "Administrator", "module": "Stock", "name": "Delivery Note", diff --git a/erpnext/stock/doctype/delivery_note_item/delivery_note_item.json b/erpnext/stock/doctype/delivery_note_item/delivery_note_item.json index 13307ef64a..2f69bc9dc9 100644 --- a/erpnext/stock/doctype/delivery_note_item/delivery_note_item.json +++ b/erpnext/stock/doctype/delivery_note_item/delivery_note_item.json @@ -109,7 +109,7 @@ }, { "fieldname": "discount_percentage", - "fieldtype": "Float", + "fieldtype": "Percent", "in_list_view": 0, "label": "Discount (%)", "oldfieldname": "adj_rate", @@ -429,7 +429,7 @@ ], "idx": 1, "istable": 1, - "modified": "2014-05-28 12:42:05.788579", + "modified": "2014-07-24 05:56:00.218977", "modified_by": "Administrator", "module": "Stock", "name": "Delivery Note Item", diff --git a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.json b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.json index 66a954318f..ebdc80e463 100755 --- a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.json +++ b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.json @@ -109,7 +109,7 @@ "oldfieldname": "posting_date", "oldfieldtype": "Date", "permlevel": 0, - "print_hide": 1, + "print_hide": 0, "print_width": "100px", "reqd": 1, "search_index": 1, @@ -762,7 +762,7 @@ "icon": "icon-truck", "idx": 1, "is_submittable": 1, - "modified": "2014-07-21 05:43:28.156516", + "modified": "2014-07-24 08:49:12.407907", "modified_by": "Administrator", "module": "Stock", "name": "Purchase Receipt", diff --git a/erpnext/stock/doctype/purchase_receipt_item/purchase_receipt_item.json b/erpnext/stock/doctype/purchase_receipt_item/purchase_receipt_item.json index 548a7dacf1..8c5e73297b 100755 --- a/erpnext/stock/doctype/purchase_receipt_item/purchase_receipt_item.json +++ b/erpnext/stock/doctype/purchase_receipt_item/purchase_receipt_item.json @@ -168,7 +168,7 @@ }, { "fieldname": "discount_percentage", - "fieldtype": "Float", + "fieldtype": "Percent", "in_list_view": 0, "label": "Discount %", "permlevel": 0, @@ -545,7 +545,7 @@ ], "idx": 1, "istable": 1, - "modified": "2014-05-28 12:43:16.669040", + "modified": "2014-07-24 05:56:12.997533", "modified_by": "Administrator", "module": "Stock", "name": "Purchase Receipt Item", diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.json b/erpnext/stock/doctype/stock_entry/stock_entry.json index b5222828c4..a455a3b49b 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry.json +++ b/erpnext/stock/doctype/stock_entry/stock_entry.json @@ -127,7 +127,7 @@ "oldfieldname": "posting_date", "oldfieldtype": "Date", "permlevel": 0, - "print_hide": 1, + "print_hide": 0, "read_only": 0, "report_hide": 0, "reqd": 1, @@ -307,6 +307,7 @@ "fieldtype": "Check", "label": "Use Multi-Level BOM", "permlevel": 0, + "print_hide": 1, "read_only": 0 }, { @@ -453,7 +454,35 @@ "read_only": 0 }, { - "fieldname": "col4", + "fieldname": "project_name", + "fieldtype": "Link", + "in_filter": 1, + "label": "Project Name", + "oldfieldname": "project_name", + "oldfieldtype": "Link", + "options": "Project", + "permlevel": 0, + "read_only": 0 + }, + { + "allow_on_submit": 0, + "fieldname": "remarks", + "fieldtype": "Text", + "hidden": 0, + "in_filter": 0, + "label": "Remarks", + "no_copy": 1, + "oldfieldname": "remarks", + "oldfieldtype": "Text", + "permlevel": 0, + "print_hide": 1, + "read_only": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0 + }, + { + "fieldname": "col5", "fieldtype": "Column Break", "permlevel": 0, "print_width": "50%", @@ -468,35 +497,6 @@ "permlevel": 0, "read_only": 1 }, - { - "fieldname": "project_name", - "fieldtype": "Link", - "in_filter": 1, - "label": "Project Name", - "oldfieldname": "project_name", - "oldfieldtype": "Link", - "options": "Project", - "permlevel": 0, - "read_only": 0 - }, - { - "allow_on_submit": 0, - "fieldname": "select_print_heading", - "fieldtype": "Link", - "hidden": 0, - "in_filter": 0, - "label": "Print Heading", - "no_copy": 0, - "oldfieldname": "select_print_heading", - "oldfieldtype": "Link", - "options": "Print Heading", - "permlevel": 0, - "print_hide": 0, - "read_only": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0 - }, { "fieldname": "fiscal_year", "fieldtype": "Link", @@ -508,14 +508,6 @@ "read_only": 0, "reqd": 1 }, - { - "fieldname": "col5", - "fieldtype": "Column Break", - "permlevel": 0, - "print_width": "50%", - "read_only": 0, - "width": "50%" - }, { "allow_on_submit": 0, "fieldname": "company", @@ -534,6 +526,24 @@ "reqd": 1, "search_index": 0 }, + { + "allow_on_submit": 0, + "fieldname": "select_print_heading", + "fieldtype": "Link", + "hidden": 0, + "in_filter": 0, + "label": "Print Heading", + "no_copy": 0, + "oldfieldname": "select_print_heading", + "oldfieldtype": "Link", + "options": "Print Heading", + "permlevel": 0, + "print_hide": 0, + "read_only": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0 + }, { "allow_on_submit": 0, "fieldname": "amended_from", @@ -552,23 +562,6 @@ "report_hide": 0, "reqd": 0, "search_index": 0 - }, - { - "allow_on_submit": 0, - "fieldname": "remarks", - "fieldtype": "Text", - "hidden": 0, - "in_filter": 0, - "label": "Remarks", - "no_copy": 1, - "oldfieldname": "remarks", - "oldfieldtype": "Text", - "permlevel": 0, - "print_hide": 1, - "read_only": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0 } ], "hide_heading": 0, @@ -580,7 +573,7 @@ "is_submittable": 1, "issingle": 0, "max_attachments": 0, - "modified": "2014-05-27 03:49:19.520247", + "modified": "2014-07-24 08:52:33.496200", "modified_by": "Administrator", "module": "Stock", "name": "Stock Entry", diff --git a/erpnext/templates/emails/recurring_invoice_failed.html b/erpnext/templates/emails/recurring_invoice_failed.html index dd3b913cea..39690d8a85 100644 --- a/erpnext/templates/emails/recurring_invoice_failed.html +++ b/erpnext/templates/emails/recurring_invoice_failed.html @@ -6,7 +6,7 @@ "Convert into Recurring" field in the invoice {{ name }}.

Please correct the invoice and make the invoice recurring again.


-

It is necessary to take this action today itself for the above mentioned recurring invoice \ -to be generated. If delayed, you will have to manually change the "Repeat on Day of Month" field \ +

It is necessary to take this action today itself for the above mentioned recurring invoice +to be generated. If delayed, you will have to manually change the "Repeat on Day of Month" field of this invoice for generating the recurring invoice.

[This email is autogenerated]

diff --git a/erpnext/templates/print_formats/includes/item_grid.html b/erpnext/templates/print_formats/includes/item_grid.html index ffcf8577e4..df1859cde8 100644 --- a/erpnext/templates/print_formats/includes/item_grid.html +++ b/erpnext/templates/print_formats/includes/item_grid.html @@ -5,12 +5,12 @@ - - - - - - + + + + + + {%- for row in data -%} @@ -25,12 +25,15 @@
{{ row.description }} {%- for field in visible_columns -%} {%- if (field.fieldname not in std_fields) and - (row[field.fieldname] not in (None, "")) -%} -
{{ field.label }}: - {{ row.get_formatted(field.fieldname, doc) }}

+ (row[field.fieldname] not in (None, "", 0)) -%} +
{{ _(field.label) }}: + {{ row.get_formatted(field.fieldname, doc) }} {%- endif -%} {%- endfor -%} -
+ + +
SrItem NameDescriptionQtyRateAmount{{ _("Sr") }}{{ _("Item Name") }}{{ _("Description") }}{{ _("Qty") }}{{ _("Rate") }}{{ _("Amount") }}
{{ row.get_formatted("qty", doc) }} {{ row.uom or row.stock_uom }}{{ row.get_formatted("qty", doc) }}
+ {{ row.uom or row.stock_uom }}
{{ row.get_formatted("rate", doc) }} {{ diff --git a/test_sites/test_site/site_config.json b/test_sites/test_site/site_config.json index c77200c331..05bf562766 100644 --- a/test_sites/test_site/site_config.json +++ b/test_sites/test_site/site_config.json @@ -1,6 +1,5 @@ { "db_name": "test_frappe", "db_password": "test_frappe", - "mute_emails": 1, - "developer_mode": 1 + "mute_emails": 1 } From 62b1cbf00321e47675c7b830711e9c62e10b8d52 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Fri, 25 Jul 2014 12:50:00 +0530 Subject: [PATCH 400/630] [impact] Limit available functions in jinja environment --- .../chart_of_accounts/charts/import_from_openerp.py | 2 +- .../journal_voucher_detail/journal_voucher_detail.json | 9 ++++++--- erpnext/controllers/buying_controller.py | 6 +++--- erpnext/controllers/selling_controller.py | 6 +++--- erpnext/hr/doctype/salary_slip/salary_slip.py | 8 ++++---- .../hr/doctype/upload_attendance/upload_attendance.py | 6 +++--- .../doctype/stock_reconciliation/stock_reconciliation.py | 2 +- erpnext/utilities/doctype/rename_tool/rename_tool.py | 2 +- 8 files changed, 22 insertions(+), 19 deletions(-) diff --git a/erpnext/accounts/doctype/chart_of_accounts/charts/import_from_openerp.py b/erpnext/accounts/doctype/chart_of_accounts/charts/import_from_openerp.py index 7a3a877aae..a03cab4c99 100644 --- a/erpnext/accounts/doctype/chart_of_accounts/charts/import_from_openerp.py +++ b/erpnext/accounts/doctype/chart_of_accounts/charts/import_from_openerp.py @@ -9,7 +9,7 @@ from __future__ import unicode_literals import os, json import ast from xml.etree import ElementTree as ET -from frappe.utils.datautils import read_csv_content +from frappe.utils.csvutils import read_csv_content from frappe.utils import cstr import frappe diff --git a/erpnext/accounts/doctype/journal_voucher_detail/journal_voucher_detail.json b/erpnext/accounts/doctype/journal_voucher_detail/journal_voucher_detail.json index defd88e6db..a751ed9c66 100644 --- a/erpnext/accounts/doctype/journal_voucher_detail/journal_voucher_detail.json +++ b/erpnext/accounts/doctype/journal_voucher_detail/journal_voucher_detail.json @@ -1,6 +1,6 @@ { "autoname": "JVD.######", - "creation": "2013-02-22 01:27:39.000000", + "creation": "2013-02-22 01:27:39", "docstatus": 0, "doctype": "DocType", "fields": [ @@ -31,6 +31,7 @@ "oldfieldtype": "Link", "options": "Cost Center", "permlevel": 0, + "print_hide": 1, "print_width": "180px", "search_index": 0, "width": "180px" @@ -50,6 +51,7 @@ "oldfieldtype": "Data", "options": "Company:company:default_currency", "permlevel": 0, + "print_hide": 1, "read_only": 1 }, { @@ -158,9 +160,10 @@ ], "idx": 1, "istable": 1, - "modified": "2014-02-03 12:44:31.000000", + "modified": "2014-07-25 03:16:51.149899", "modified_by": "Administrator", "module": "Accounts", "name": "Journal Voucher Detail", - "owner": "Administrator" + "owner": "Administrator", + "permissions": [] } \ No newline at end of file diff --git a/erpnext/controllers/buying_controller.py b/erpnext/controllers/buying_controller.py index 02eaa03288..85d7a9ee60 100644 --- a/erpnext/controllers/buying_controller.py +++ b/erpnext/controllers/buying_controller.py @@ -4,7 +4,7 @@ from __future__ import unicode_literals import frappe from frappe import _, msgprint -from frappe.utils import flt, _round +from frappe.utils import flt, rounded from erpnext.setup.utils import get_company_currency from erpnext.accounts.party import get_party_details @@ -118,10 +118,10 @@ class BuyingController(StockController): self.precision("total_tax")) if self.meta.get_field("rounded_total"): - self.rounded_total = _round(self.grand_total) + self.rounded_total = rounded(self.grand_total) if self.meta.get_field("rounded_total_import"): - self.rounded_total_import = _round(self.grand_total_import) + self.rounded_total_import = rounded(self.grand_total_import) if self.meta.get_field("other_charges_added"): self.other_charges_added = flt(sum([flt(d.tax_amount) for d in self.tax_doclist diff --git a/erpnext/controllers/selling_controller.py b/erpnext/controllers/selling_controller.py index 315af0ea99..55b4a43b24 100644 --- a/erpnext/controllers/selling_controller.py +++ b/erpnext/controllers/selling_controller.py @@ -3,7 +3,7 @@ from __future__ import unicode_literals import frappe -from frappe.utils import cint, flt, _round, cstr, comma_or +from frappe.utils import cint, flt, rounded, cstr, comma_or from erpnext.setup.utils import get_company_currency from frappe import _, throw @@ -220,8 +220,8 @@ class SellingController(StockController): self.net_total_export + flt(self.discount_amount), self.precision("other_charges_total_export")) - self.rounded_total = _round(self.grand_total) - self.rounded_total_export = _round(self.grand_total_export) + self.rounded_total = rounded(self.grand_total) + self.rounded_total_export = rounded(self.grand_total_export) def apply_discount_amount(self): if self.discount_amount: diff --git a/erpnext/hr/doctype/salary_slip/salary_slip.py b/erpnext/hr/doctype/salary_slip/salary_slip.py index 7e27830ce9..7c905a666c 100644 --- a/erpnext/hr/doctype/salary_slip/salary_slip.py +++ b/erpnext/hr/doctype/salary_slip/salary_slip.py @@ -4,7 +4,7 @@ from __future__ import unicode_literals import frappe -from frappe.utils import add_days, cint, cstr, flt, getdate, nowdate, _round +from frappe.utils import add_days, cint, cstr, flt, getdate, nowdate, rounded from frappe.model.naming import make_autoname from frappe import msgprint, _ @@ -152,7 +152,7 @@ class SalarySlip(TransactionBase): self.gross_pay = flt(self.arrear_amount) + flt(self.leave_encashment_amount) for d in self.get("earning_details"): if cint(d.e_depends_on_lwp) == 1: - d.e_modified_amount = _round(flt(d.e_amount) * flt(self.payment_days) + d.e_modified_amount = rounded(flt(d.e_amount) * flt(self.payment_days) / cint(self.total_days_in_month), 2) elif not self.payment_days: d.e_modified_amount = 0 @@ -164,7 +164,7 @@ class SalarySlip(TransactionBase): self.total_deduction = 0 for d in self.get('deduction_details'): if cint(d.d_depends_on_lwp) == 1: - d.d_modified_amount = _round(flt(d.d_amount) * flt(self.payment_days) + d.d_modified_amount = rounded(flt(d.d_amount) * flt(self.payment_days) / cint(self.total_days_in_month), 2) elif not self.payment_days: d.d_modified_amount = 0 @@ -177,7 +177,7 @@ class SalarySlip(TransactionBase): self.calculate_earning_total() self.calculate_ded_total() self.net_pay = flt(self.gross_pay) - flt(self.total_deduction) - self.rounded_total = _round(self.net_pay) + self.rounded_total = rounded(self.net_pay) def on_submit(self): if(self.email_check == 1): diff --git a/erpnext/hr/doctype/upload_attendance/upload_attendance.py b/erpnext/hr/doctype/upload_attendance/upload_attendance.py index b6e56d0d06..44e77a797e 100644 --- a/erpnext/hr/doctype/upload_attendance/upload_attendance.py +++ b/erpnext/hr/doctype/upload_attendance/upload_attendance.py @@ -7,7 +7,7 @@ from __future__ import unicode_literals import frappe from frappe.utils import cstr, add_days, date_diff from frappe import _ -from frappe.utils.datautils import UnicodeWriter +from frappe.utils.csvutils import UnicodeWriter from frappe.model.document import Document class UploadAttendance(Document): @@ -96,7 +96,7 @@ def upload(): if not frappe.has_permission("Attendance", "create"): raise frappe.PermissionError - from frappe.utils.datautils import read_csv_content_from_uploaded_file + from frappe.utils.csvutils import read_csv_content_from_uploaded_file from frappe.modules import scrub rows = read_csv_content_from_uploaded_file() @@ -110,7 +110,7 @@ def upload(): ret = [] error = False - from frappe.utils.datautils import check_record, import_doc + from frappe.utils.csvutils import check_record, import_doc for i, row in enumerate(rows[5:]): if not row: continue diff --git a/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py b/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py index 78cf194cc2..6f0e5cac75 100644 --- a/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +++ b/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py @@ -302,6 +302,6 @@ class StockReconciliation(StockController): @frappe.whitelist() def upload(): - from frappe.utils.datautils import read_csv_content_from_uploaded_file + from frappe.utils.csvutils import read_csv_content_from_uploaded_file csv_content = read_csv_content_from_uploaded_file() return filter(lambda x: x and any(x), csv_content) diff --git a/erpnext/utilities/doctype/rename_tool/rename_tool.py b/erpnext/utilities/doctype/rename_tool/rename_tool.py index 07d44c3b6a..bd34ae1c9e 100644 --- a/erpnext/utilities/doctype/rename_tool/rename_tool.py +++ b/erpnext/utilities/doctype/rename_tool/rename_tool.py @@ -19,7 +19,7 @@ def get_doctypes(): @frappe.whitelist() def upload(select_doctype=None, rows=None): - from frappe.utils.datautils import read_csv_content_from_uploaded_file + from frappe.utils.csvutils import read_csv_content_from_uploaded_file from frappe.model.rename_doc import rename_doc if not select_doctype: From 8f49cf7c033bfc570092c29464339fd5b19336dc Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Fri, 25 Jul 2014 13:01:00 +0530 Subject: [PATCH 401/630] [minor] fixed testcase --- erpnext/controllers/selling_controller.py | 1 + 1 file changed, 1 insertion(+) diff --git a/erpnext/controllers/selling_controller.py b/erpnext/controllers/selling_controller.py index 55b4a43b24..7faba41b77 100644 --- a/erpnext/controllers/selling_controller.py +++ b/erpnext/controllers/selling_controller.py @@ -149,6 +149,7 @@ class SellingController(StockController): (1 + cumulated_tax_fraction), self.precision("base_amount", item)) item.base_rate = flt(item.base_amount / item.qty, self.precision("base_rate", item)) + item.discount_percentage = flt(item.discount_percentage, self.precision("discount_percentage", item)) if item.discount_percentage == 100: item.base_price_list_rate = item.base_rate From 161f63d393b58b5e65f94fd0c3373c53ba51571e Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Fri, 25 Jul 2014 13:36:47 +0530 Subject: [PATCH 402/630] [travis] Install wkhtmltopdf --- .travis.yml | 3 +++ 1 file changed, 3 insertions(+) diff --git a/.travis.yml b/.travis.yml index 6eab0e4af6..71ab0f73e2 100644 --- a/.travis.yml +++ b/.travis.yml @@ -14,6 +14,9 @@ install: - sudo apt-get update - sudo apt-get purge -y mysql-common - sudo apt-get install mariadb-server mariadb-common libmariadbclient-dev + - wget http://downloads.sourceforge.net/project/wkhtmltopdf/0.12.1/wkhtmltox-0.12.1_linux-precise-amd64.deb + - sudo dpkg -i wkhtmltox-0.12.1_linux-precise-amd64.deb + - CFLAGS=-O0 pip install git+https://github.com/frappe/frappe.git@$develop && - pip install --editable . From 93e2defc96d49fe031dd258973df2e193f406a61 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Fri, 25 Jul 2014 14:57:37 +0530 Subject: [PATCH 403/630] [fix] Feed listing based on permissions --- erpnext/home/doctype/feed/feed.py | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/erpnext/home/doctype/feed/feed.py b/erpnext/home/doctype/feed/feed.py index 80ef6df6cd..df8ccb2ef2 100644 --- a/erpnext/home/doctype/feed/feed.py +++ b/erpnext/home/doctype/feed/feed.py @@ -4,6 +4,7 @@ from __future__ import unicode_literals import frappe import frappe.defaults +import frappe.permissions from frappe.model.document import Document class Feed(Document): @@ -19,6 +20,9 @@ def on_doctype_update(): def get_permission_query_conditions(user): if not user: user = frappe.session.user + if not frappe.permissions.apply_user_permissions("Feed", "read", user): + return "" + user_permissions = frappe.defaults.get_user_permissions(user) can_read = frappe.get_user(user).get_can_read() From faeca7cf112ecaeabcca99944d0c9f9c01270bda Mon Sep 17 00:00:00 2001 From: Dhaifallah Alwadani Date: Sat, 26 Jul 2014 05:43:03 +0300 Subject: [PATCH 404/630] Improve Arabic Translation --- erpnext/translations/ar.csv | 64 ++++++++++++++++++------------------- 1 file changed, 32 insertions(+), 32 deletions(-) diff --git a/erpnext/translations/ar.csv b/erpnext/translations/ar.csv index 0695f9ea63..1b688a2f92 100644 --- a/erpnext/translations/ar.csv +++ b/erpnext/translations/ar.csv @@ -474,7 +474,7 @@ Chart Name,اسم الرسم البياني Chart of Accounts,دليل الحسابات Chart of Cost Centers,بيانيا من مراكز التكلفة Check how the newsletter looks in an email by sending it to your email.,التحقق من كيفية النشرة الإخبارية يبدو في رسالة بالبريد الالكتروني عن طريق إرساله إلى البريد الإلكتروني الخاص بك. -"Check if recurring invoice, uncheck to stop recurring or put proper End Date",تحقق مما إذا الفاتورة متكررة، قم بإلغاء المتكررة لوقف أو وضع نهاية التاريخ الصحيح +"Check if recurring invoice, uncheck to stop recurring or put proper End Date","اختر إذا الفاتورة متكررة. قم بإزالة الإختيار لأيقاف التكرار أو لوضع تاريخ إنتهاء" "Check if you need automatic recurring invoices. After submitting any sales invoice, Recurring section will be visible.",تحقق مما إذا كنت بحاجة الفواتير المتكررة التلقائي. بعد تقديم أي فاتورة المبيعات، وقسم التكراري تكون مرئية. Check if you want to send salary slip in mail to each employee while submitting salary slip,تحقق مما إذا كنت ترغب في إرسال قسيمة الراتب في البريد إلى كل موظف أثناء قيامهم بتقديم قسيمة الراتب Check this if you want to force the user to select a series before saving. There will be no default if you check this.,التحقق من ذلك إذا كنت تريد لإجبار المستخدم لتحديد سلسلة قبل الحفظ. لن يكون هناك الافتراضي إذا قمت بتحديد هذا. @@ -501,7 +501,7 @@ Clearance Date not mentioned,إزالة التاريخ لم يرد ذكرها Clearance date cannot be before check date in row {0},تاريخ التخليص لا يمكن أن يكون قبل تاريخ الاختيار في الصف {0} Click on 'Make Sales Invoice' button to create a new Sales Invoice.,انقر على 'جعل مبيعات الفاتورة "الزر لإنشاء فاتورة مبيعات جديدة. Click on a link to get options to expand get options , -Client,زبون +Client,عميل Close Balance Sheet and book Profit or Loss.,وثيقة الميزانية العمومية و كتاب الربح أو الخسارة . Closed,مغلق Closing Account Head,إغلاق حساب رئيس @@ -590,7 +590,7 @@ Conversion Factor is required,مطلوب عامل التحويل Conversion factor cannot be in fractions,عامل التحويل لا يمكن أن يكون في الكسور Conversion factor for default Unit of Measure must be 1 in row {0},معامل تحويل وحدة القياس الافتراضية يجب أن تكون 1 في الصف {0} Conversion rate cannot be 0 or 1,معدل التحويل لا يمكن أن يكون 0 أو 1 -Convert into Recurring Invoice,تحويل الفاتورة إلى التكراري +Convert into Recurring Invoice,تحويل الفاتورة إلى فاتورة متكرر Convert to Group,تحويل إلى المجموعة Convert to Ledger,تحويل ل يدجر Converted,تحويل @@ -782,7 +782,7 @@ Delivery Note {0} is not submitted,تسليم مذكرة {0} لم تقدم Delivery Note {0} must not be submitted,تسليم مذكرة {0} يجب ألا المقدمة Delivery Notes {0} must be cancelled before cancelling this Sales Order,تسليم ملاحظات {0} يجب أن يتم إلغاء هذا الأمر قبل إلغاء المبيعات Delivery Status,حالة التسليم -Delivery Time,التسليم في الوقت المحدد +Delivery Time,وقت التسليم Delivery To,التسليم إلى Department,قسم Department Stores,المتاجر @@ -1061,7 +1061,7 @@ From Package No.,من رقم حزمة From Purchase Order,من أمر الشراء From Purchase Receipt,من إيصال الشراء From Quotation,من اقتباس -From Sales Order,من ترتيب المبيعات +From Sales Order,من طلب مبيعات From Supplier Quotation,من مزود اقتباس From Time,من وقت From Value,من القيمة @@ -1093,7 +1093,7 @@ Get Advances Received,الحصول على السلف المتلقاة Get Against Entries,الحصول ضد مقالات Get Current Stock,الحصول على المخزون الحالي Get Items,الحصول على العناصر -Get Items From Sales Orders,الحصول على سلع من أوامر المبيعات +Get Items From Sales Orders,الحصول على سلع من طلبات البيع Get Items from BOM,الحصول على عناصر من BOM Get Last Purchase Rate,الحصول على آخر سعر شراء Get Outstanding Invoices,الحصول على الفواتير المستحقة @@ -1684,7 +1684,7 @@ New Material Requests,تطلب المواد الجديدة New Projects,مشاريع جديدة New Purchase Orders,أوامر الشراء الجديدة New Purchase Receipts,إيصالات شراء جديدة -New Quotations,الاقتباسات الجديدة +New Quotations,تسعيرات جديدة New Sales Orders,أوامر المبيعات الجديدة New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,المسلسل الجديد لا يمكن أن يكون المستودع. يجب تعيين مستودع من قبل دخول الأسهم أو شراء الإيصال New Stock Entries,مقالات جديدة للأسهم @@ -2205,13 +2205,13 @@ Quantity required for Item {0} in row {1},الكمية المطلوبة القط Quarter,ربع Quarterly,فصلي Quick Help,مساعدة سريعة -Quotation,اقتباس -Quotation Date,اقتباس تاريخ -Quotation Item,اقتباس الإغلاق -Quotation Items,اقتباس عناصر -Quotation Lost Reason,فقدت اقتباس السبب -Quotation Message,اقتباس رسالة -Quotation To,اقتباس +Quotation,تسعيرة +Quotation Date,تاريخ التسعيرة +Quotation Item,عنصر تسعيرة +Quotation Items,عناصر تسعيرة +Quotation Lost Reason,خسارة التسعيرة بسبب +Quotation Message,رسالة التسعيرة +Quotation To,تسعيرة إلى Quotation Trends,اتجاهات الاقتباس Quotation {0} is cancelled,اقتباس {0} تم إلغاء Quotation {0} not of type {1},اقتباس {0} ليست من نوع {1} @@ -2901,7 +2901,7 @@ Total Amount To Pay,المبلغ الكلي لدفع Total Amount in Words,المبلغ الكلي في كلمات Total Billing This Year: ,مجموع الفواتير هذا العام: Total Claimed Amount,إجمالي المبلغ المطالب به -Total Commission,مجموع جنة +Total Commission,مجموع العمولة Total Cost,التكلفة الكلية لل Total Credit,إجمالي الائتمان Total Debit,مجموع الخصم @@ -3045,14 +3045,14 @@ Verified By,التحقق من View Ledger,عرض ليدجر View Now,عرض الآن Visit report for maintenance call.,تقرير زيارة للدعوة الصيانة. -Voucher #,قسيمة # +Voucher #,سند # Voucher Detail No,تفاصيل قسيمة لا Voucher ID,قسيمة ID -Voucher No,لا قسيمة -Voucher No is not valid,لا القسيمة غير صالحة -Voucher Type,قسيمة نوع +Voucher No,رقم السند +Voucher No is not valid,رقم السند غير صالح +Voucher Type,نوع السند Voucher Type and Date,نوع قسيمة والتسجيل -Walk In,المشي في +Walk In,عميل غير مسجل Warehouse,مستودع Warehouse Contact Info,مستودع معلومات الاتصال Warehouse Detail,مستودع التفاصيل @@ -3087,18 +3087,18 @@ Warranty Period (in days),فترة الضمان (بالأيام) We buy this Item,نشتري هذه القطعة We sell this Item,نبيع هذه القطعة Website,الموقع -Website Description,الموقع وصف -Website Item Group,موقع السلعة المجموعة -Website Item Groups,موقع السلعة المجموعات -Website Settings,موقع إعدادات -Website Warehouse,موقع مستودع +Website Description,وصف الموقع +Website Item Group,مجموعة الأصناف للموقع +Website Item Groups,مجموعات الأصناف للموقع +Website Settings,إعدادات الموقع +Website Warehouse,مستودع الموقع Wednesday,الأربعاء Weekly,الأسبوعية Weekly Off,العطلة الأسبوعية -Weight UOM,الوزن UOM -"Weight is mentioned,\nPlease mention ""Weight UOM"" too","يذكر الوزن ، \ n الرجاء ذكر ""الوزن UOM "" للغاية" -Weightage,الترجيح -Weightage (%),الترجيح (٪) +Weight UOM,وحدة قياس الوزن +"Weight is mentioned,\nPlease mention ""Weight UOM"" too","تم ذكر الوزن,\nالرجا ذكر ""وحدة قياس الوزن"" أيضاً" +Weightage,الوزن +Weightage (%),الوزن(٪) Welcome,ترحيب Welcome to ERPNext. Over the next few minutes we will help you setup your ERPNext account. Try and fill in as much information as you have even if it takes a bit longer. It will save you a lot of time later. Good Luck!,مرحبا بكم في ERPNext . خلال الدقائق القليلة القادمة ونحن سوف تساعدك على إعداد الحساب ERPNext الخاص بك. محاولة ل ملء أكبر قدر من المعلومات لديك حتى لو كان يستغرق وقتا أطول قليلا. سيوفر لك الكثير من الوقت في وقت لاحق . حظا سعيدا ! Welcome to ERPNext. Please select your language to begin the Setup Wizard.,مرحبا بكم في ERPNext . الرجاء تحديد اللغة لبدء معالج الإعداد. @@ -3122,7 +3122,7 @@ Work-in-Progress Warehouse,مستودع العمل قيد التنفيذ Work-in-Progress Warehouse is required before Submit,مطلوب العمل في و التقدم في معرض النماذج ثلاثية قبل إرسال Working,عامل Workstation,محطة العمل -Workstation Name,محطة العمل اسم +Workstation Name,اسم محطة العمل Write Off Account,شطب حساب Write Off Amount,شطب المبلغ Write Off Amount <=,شطب المبلغ <= @@ -3134,8 +3134,8 @@ Wrong Template: Unable to find head row.,قالب الخطأ: تعذر العث Year,عام Year Closed,مغلق العام Year End Date,نهاية التاريخ العام -Year Name,العام اسم -Year Start Date,سنة بدء التاريخ +Year Name,اسم العام +Year Start Date,تاريخ بدء العام Year Start Date and Year End Date are already set in Fiscal Year {0},يتم تعيين السنة تاريخ بدء و نهاية السنة التسجيل بالفعل في السنة المالية {0} Year Start Date and Year End Date are not within Fiscal Year.,العام تاريخ بدء و نهاية السنة تاريخ ليست ضمن السنة المالية. Year Start Date should not be greater than Year End Date,لا ينبغي أن يكون تاريخ بدء السنة أكبر من سنة تاريخ الانتهاء From 9c018fe984ae0c0bdc9b571adf0a6f1bce92501c Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Mon, 28 Jul 2014 12:58:50 +0530 Subject: [PATCH 405/630] [minor] Fixed address listing --- erpnext/buying/doctype/supplier/supplier.js | 8 ++++---- erpnext/selling/doctype/customer/customer.js | 8 ++++---- erpnext/setup/doctype/sales_partner/sales_partner.js | 8 ++++---- 3 files changed, 12 insertions(+), 12 deletions(-) diff --git a/erpnext/buying/doctype/supplier/supplier.js b/erpnext/buying/doctype/supplier/supplier.js index c2b29a4a17..b5c7fb1b27 100644 --- a/erpnext/buying/doctype/supplier/supplier.js +++ b/erpnext/buying/doctype/supplier/supplier.js @@ -69,8 +69,8 @@ cur_frm.cscript.make_address = function() { page_length: 5, new_doctype: "Address", get_query: function() { - return "select name, address_type, address_line1, address_line2, city, state, country, pincode, fax, email_id, phone, is_primary_address, is_shipping_address from tabAddress where supplier='" + - cur_frm.doc.name.replace("'", "\\'") + "' and docstatus != 2 order by is_primary_address desc" + return "select name, address_type, address_line1, address_line2, city, state, country, pincode, fax, email_id, phone, is_primary_address, is_shipping_address from tabAddress where supplier='" + + cur_frm.doc.name.replace(/'/g, "\\'") + "' and docstatus != 2 order by is_primary_address desc" }, as_dict: 1, no_results_message: __('No addresses created'), @@ -88,8 +88,8 @@ cur_frm.cscript.make_contact = function() { page_length: 5, new_doctype: "Contact", get_query: function() { - return "select name, first_name, last_name, email_id, phone, mobile_no, department, designation, is_primary_contact from tabContact where supplier='" + - cur_frm.doc.name.replace("'", "\\'") + "' and docstatus != 2 order by is_primary_contact desc" + return "select name, first_name, last_name, email_id, phone, mobile_no, department, designation, is_primary_contact from tabContact where supplier='" + + cur_frm.doc.name.replace(/'/g, "\\'") + "' and docstatus != 2 order by is_primary_contact desc" }, as_dict: 1, no_results_message: __('No contacts created'), diff --git a/erpnext/selling/doctype/customer/customer.js b/erpnext/selling/doctype/customer/customer.js index 9a4a356d17..e5d2ca9582 100644 --- a/erpnext/selling/doctype/customer/customer.js +++ b/erpnext/selling/doctype/customer/customer.js @@ -86,8 +86,8 @@ cur_frm.cscript.make_address = function() { page_length: 5, new_doctype: "Address", get_query: function() { - return "select name, address_type, address_line1, address_line2, city, state, country, pincode, fax, email_id, phone, is_primary_address, is_shipping_address from tabAddress where customer='" + - cur_frm.doc.name.replace("'", "\\'") + "' and docstatus != 2 order by is_primary_address desc" + return "select name, address_type, address_line1, address_line2, city, state, country, pincode, fax, email_id, phone, is_primary_address, is_shipping_address from tabAddress where customer='" + + cur_frm.doc.name.replace(/'/g, "\\'") + "' and docstatus != 2 order by is_primary_address desc" }, as_dict: 1, no_results_message: __('No addresses created'), @@ -105,8 +105,8 @@ cur_frm.cscript.make_contact = function() { page_length: 5, new_doctype: "Contact", get_query: function() { - return "select name, first_name, last_name, email_id, phone, mobile_no, department, designation, is_primary_contact from tabContact where customer='" + - cur_frm.doc.name.replace("'", "\\'") + "' and docstatus != 2 order by is_primary_contact desc" + return "select name, first_name, last_name, email_id, phone, mobile_no, department, designation, is_primary_contact from tabContact where customer='" + + cur_frm.doc.name.replace(/'/g, "\\'") + "' and docstatus != 2 order by is_primary_contact desc" }, as_dict: 1, no_results_message: __('No contacts created'), diff --git a/erpnext/setup/doctype/sales_partner/sales_partner.js b/erpnext/setup/doctype/sales_partner/sales_partner.js index 64c4e2106c..118d2e29b4 100644 --- a/erpnext/setup/doctype/sales_partner/sales_partner.js +++ b/erpnext/setup/doctype/sales_partner/sales_partner.js @@ -41,8 +41,8 @@ cur_frm.cscript.make_address = function() { frappe.set_route("Form", "Address", address.name); }, get_query: function() { - return "select name, address_type, address_line1, address_line2, city, state, country, pincode, fax, email_id, phone, is_primary_address, is_shipping_address from tabAddress where sales_partner='" + - cur_frm.doc.name.replace("'", "\\'") + "' and docstatus != 2 order by is_primary_address desc" + return "select name, address_type, address_line1, address_line2, city, state, country, pincode, fax, email_id, phone, is_primary_address, is_shipping_address from tabAddress where sales_partner='" + + cur_frm.doc.name.replace(/'/g, "\\'") + "' and docstatus != 2 order by is_primary_address desc" }, as_dict: 1, no_results_message: __('No addresses created'), @@ -65,8 +65,8 @@ cur_frm.cscript.make_contact = function() { frappe.set_route("Form", "Contact", contact.name); }, get_query: function() { - return "select name, first_name, last_name, email_id, phone, mobile_no, department, designation, is_primary_contact from tabContact where sales_partner='" + - cur_frm.doc.name.replace("'", "\\'") + "' and docstatus != 2 order by is_primary_contact desc" + return "select name, first_name, last_name, email_id, phone, mobile_no, department, designation, is_primary_contact from tabContact where sales_partner='" + + cur_frm.doc.name.replace(/'/g, "\\'") + "' and docstatus != 2 order by is_primary_contact desc" }, as_dict: 1, no_results_message: __('No contacts created'), From 57f8dabf5989fdcf1e67dedd7e02a12ee448a798 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Mon, 28 Jul 2014 15:28:26 +0530 Subject: [PATCH 406/630] [minor] Show company name in General Ledger print --- .../bank_reconciliation_statement.html | 2 +- erpnext/accounts/report/general_ledger/general_ledger.html | 6 +++--- 2 files changed, 4 insertions(+), 4 deletions(-) diff --git a/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.html b/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.html index 1a401f5e68..d05bffac12 100644 --- a/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.html +++ b/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.html @@ -2,7 +2,7 @@ {%= frappe.boot.letter_heads[frappe.defaults.get_default("letter_head")] %}

{%= __("Bank Reconciliation Statement") %}

-

{%= filters.account %}

+

{%= filters.account && (filters.account + ", ") || "" %} {%= filters.company %}


diff --git a/erpnext/accounts/report/general_ledger/general_ledger.html b/erpnext/accounts/report/general_ledger/general_ledger.html index 0fc02b16d0..eb596d2f92 100644 --- a/erpnext/accounts/report/general_ledger/general_ledger.html +++ b/erpnext/accounts/report/general_ledger/general_ledger.html @@ -2,7 +2,7 @@ {%= frappe.boot.letter_heads[frappe.defaults.get_default("letter_head")] %}

{%= __("Statement of Account") %}

-

{%= filters.account || "General Ledger" %}

+

{%= filters.account && (filters.account + ", ") || "" %} {%= filters.company %}

{%= dateutil.str_to_user(filters.from_date) %} {%= __("to") %} @@ -12,9 +12,9 @@
- + - + From 39edcbc93b241701eecab5fc095f1e7133cd9015 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Mon, 28 Jul 2014 16:00:19 +0530 Subject: [PATCH 407/630] [minor] apply pricing rule / price list only if item_code --- erpnext/public/js/transaction.js | 18 ++++++++++-------- 1 file changed, 10 insertions(+), 8 deletions(-) diff --git a/erpnext/public/js/transaction.js b/erpnext/public/js/transaction.js index ae5864d491..93dd432f55 100644 --- a/erpnext/public/js/transaction.js +++ b/erpnext/public/js/transaction.js @@ -363,14 +363,16 @@ erpnext.TransactionController = erpnext.stock.StockController.extend({ _get_item_list: function(item) { var item_list = []; var append_item = function(d) { - item_list.push({ - "doctype": d.doctype, - "name": d.name, - "item_code": d.item_code, - "item_group": d.item_group, - "brand": d.brand, - "qty": d.qty - }); + if (d.item_code) { + item_list.push({ + "doctype": d.doctype, + "name": d.name, + "item_code": d.item_code, + "item_group": d.item_group, + "brand": d.brand, + "qty": d.qty + }); + } }; if (item) { From 957971eb1dd15867dabcbf6a0a00a7ea85524175 Mon Sep 17 00:00:00 2001 From: nabinhait Date: Fri, 25 Jul 2014 12:34:39 +0530 Subject: [PATCH 408/630] Column added 'Reqd by Date' in po_items_to_be_billed report --- .../purchase_order_items_to_be_received.json | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/erpnext/stock/report/purchase_order_items_to_be_received/purchase_order_items_to_be_received.json b/erpnext/stock/report/purchase_order_items_to_be_received/purchase_order_items_to_be_received.json index b83734ca1c..72b202526d 100644 --- a/erpnext/stock/report/purchase_order_items_to_be_received/purchase_order_items_to_be_received.json +++ b/erpnext/stock/report/purchase_order_items_to_be_received/purchase_order_items_to_be_received.json @@ -6,12 +6,12 @@ "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-06-03 07:18:17.249961", + "modified": "2014-07-25 12:33:26.483404", "modified_by": "Administrator", "module": "Stock", "name": "Purchase Order Items To Be Received", "owner": "Administrator", - "query": "select \n `tabPurchase Order`.`name` as \"Purchase Order:Link/Purchase Order:120\",\n\t`tabPurchase Order`.`transaction_date` as \"Date:Date:100\",\n\t`tabPurchase Order`.`supplier` as \"Supplier:Link/Supplier:120\",\n\t`tabPurchase Order Item`.`project_name` as \"Project\",\n\t`tabPurchase Order Item`.item_code as \"Item Code:Link/Item:120\",\n\t`tabPurchase Order Item`.qty as \"Qty:Float:100\",\n\t`tabPurchase Order Item`.received_qty as \"Received Qty:Float:100\", \n\t(`tabPurchase Order Item`.qty - ifnull(`tabPurchase Order Item`.received_qty, 0)) as \"Qty to Receive:Float:100\",\n `tabPurchase Order Item`.warehouse as \"Warehouse:Link/Warehouse:150\",\n\t`tabPurchase Order Item`.item_name as \"Item Name::150\",\n\t`tabPurchase Order Item`.description as \"Description::200\",\n `tabPurchase Order Item`.brand as \"Brand::100\"\nfrom\n\t`tabPurchase Order`, `tabPurchase Order Item`\nwhere\n\t`tabPurchase Order Item`.`parent` = `tabPurchase Order`.`name`\n\tand `tabPurchase Order`.docstatus = 1\n\tand `tabPurchase Order`.status != \"Stopped\"\n\tand ifnull(`tabPurchase Order Item`.received_qty, 0) < ifnull(`tabPurchase Order Item`.qty, 0)\norder by `tabPurchase Order`.transaction_date asc", + "query": "select \n `tabPurchase Order`.`name` as \"Purchase Order:Link/Purchase Order:120\",\n\t`tabPurchase Order`.`transaction_date` as \"Date:Date:100\",\n\t`tabPurchase Order Item`.`schedule_date` as \"Reqd by Date:Date:110\",\n\t`tabPurchase Order`.`supplier` as \"Supplier:Link/Supplier:120\",\n\t`tabPurchase Order Item`.`project_name` as \"Project\",\n\t`tabPurchase Order Item`.item_code as \"Item Code:Link/Item:120\",\n\t`tabPurchase Order Item`.qty as \"Qty:Float:100\",\n\t`tabPurchase Order Item`.received_qty as \"Received Qty:Float:100\", \n\t(`tabPurchase Order Item`.qty - ifnull(`tabPurchase Order Item`.received_qty, 0)) as \"Qty to Receive:Float:100\",\n `tabPurchase Order Item`.warehouse as \"Warehouse:Link/Warehouse:150\",\n\t`tabPurchase Order Item`.item_name as \"Item Name::150\",\n\t`tabPurchase Order Item`.description as \"Description::200\",\n `tabPurchase Order Item`.brand as \"Brand::100\"\nfrom\n\t`tabPurchase Order`, `tabPurchase Order Item`\nwhere\n\t`tabPurchase Order Item`.`parent` = `tabPurchase Order`.`name`\n\tand `tabPurchase Order`.docstatus = 1\n\tand `tabPurchase Order`.status != \"Stopped\"\n\tand ifnull(`tabPurchase Order Item`.received_qty, 0) < ifnull(`tabPurchase Order Item`.qty, 0)\norder by `tabPurchase Order`.transaction_date asc", "ref_doctype": "Purchase Receipt", "report_name": "Purchase Order Items To Be Received", "report_type": "Query Report" From b739264243bf7351ffbd30f9387036084457fa5f Mon Sep 17 00:00:00 2001 From: nabinhait Date: Mon, 28 Jul 2014 14:55:08 +0530 Subject: [PATCH 409/630] Don't run company trigger on amendment --- erpnext/public/js/transaction.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/public/js/transaction.js b/erpnext/public/js/transaction.js index 93dd432f55..95c7963c4e 100644 --- a/erpnext/public/js/transaction.js +++ b/erpnext/public/js/transaction.js @@ -26,7 +26,7 @@ erpnext.TransactionController = erpnext.stock.StockController.extend({ me.frm.set_value(fieldname, value); }); - if(this.frm.doc.company) { + if(this.frm.doc.company && !this.frm.doc.amended_from) { cur_frm.script_manager.trigger("company"); } } From 3d48a4ef6507a389ed9d8568a7b25843dc053cfa Mon Sep 17 00:00:00 2001 From: nabinhait Date: Mon, 28 Jul 2014 15:21:07 +0530 Subject: [PATCH 410/630] Sales / purchase return: Get party details fix --- .../stock/doctype/stock_entry/stock_entry.js | 36 ++++++++++++++----- 1 file changed, 27 insertions(+), 9 deletions(-) diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.js b/erpnext/stock/doctype/stock_entry/stock_entry.js index dfcf07f506..7dca72a88e 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry.js +++ b/erpnext/stock/doctype/stock_entry/stock_entry.js @@ -265,41 +265,59 @@ erpnext.stock.StockEntry = erpnext.stock.StockController.extend({ }, customer: function() { - return this.frm.call({ - method: "erpnext.accounts.party.get_party_details", - args: { party: this.frm.doc.customer, party_type:"Customer", doctype: this.frm.doc.doctype } + this.get_party_details({ + party: this.frm.doc.customer, + party_type:"Customer", + doctype: this.frm.doc.doctype }); }, supplier: function() { - return this.frm.call({ + this.get_party_details({ + party: this.frm.doc.supplier, + party_type:"Supplier", + doctype: this.frm.doc.doctype + }); + }, + + get_party_details: function(args) { + var me = this; + frappe.call({ method: "erpnext.accounts.party.get_party_details", - args: { party: this.frm.doc.supplier, party_type:"Supplier", doctype: this.frm.doc.doctype } + args: args, + callback: function(r) { + if(r.message) { + me.frm.set_value({ + "customer_name": r.message["customer_name"], + "customer_address": r.message["address_display"] + }); + } + } }); }, delivery_note_no: function() { - this.get_party_details({ + this.get_party_details_from_against_voucher({ ref_dt: "Delivery Note", ref_dn: this.frm.doc.delivery_note_no }) }, sales_invoice_no: function() { - this.get_party_details({ + this.get_party_details_from_against_voucher({ ref_dt: "Sales Invoice", ref_dn: this.frm.doc.sales_invoice_no }) }, purchase_receipt_no: function() { - this.get_party_details({ + this.get_party_details_from_against_voucher({ ref_dt: "Purchase Receipt", ref_dn: this.frm.doc.purchase_receipt_no }) }, - get_party_details: function(args) { + get_party_details_from_against_voucher: function(args) { return this.frm.call({ method: "erpnext.stock.doctype.stock_entry.stock_entry.get_party_details", args: args, From 16317748dd3b633e517dceef34523fe6b0ac2a6e Mon Sep 17 00:00:00 2001 From: nabinhait Date: Mon, 28 Jul 2014 15:36:54 +0530 Subject: [PATCH 411/630] Issue fixes related to length of the report result --- .../hr/report/employee_leave_balance/employee_leave_balance.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py b/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py index 99b235e91a..62d819a437 100644 --- a/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +++ b/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py @@ -12,7 +12,7 @@ def execute(filters=None): employee_filters = filters.get("company") and \ [["Employee", "company", "=", filters.get("company")]] or None employees = runreport(doctype="Employee", fields=["name", "employee_name", "department"], - filters=employee_filters) + filters=employee_filters, limit_page_length=None) if not employees: frappe.throw(_("No employee found!")) From 0a35277c96e05b0a9a9b6ee789991e80444ff949 Mon Sep 17 00:00:00 2001 From: nabinhait Date: Mon, 28 Jul 2014 16:41:00 +0530 Subject: [PATCH 412/630] Stock reconciliation only for valuation --- .../doctype/stock_reconciliation/stock_reconciliation.py | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py b/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py index 6f0e5cac75..bb1e3e2873 100644 --- a/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +++ b/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py @@ -153,10 +153,10 @@ class StockReconciliation(StockController): flt(previous_sle.get("qty_after_transaction")) <= 0: frappe.throw(_("Valuation Rate required for Item {0}").format(row.item_code)) - change_in_qty = row.qty != "" and \ + change_in_qty = row.qty not in ["", None] and \ (flt(row.qty) - flt(previous_sle.get("qty_after_transaction"))) - - change_in_rate = row.valuation_rate != "" and \ + + change_in_rate = row.valuation_rate not in ["", None] and \ (flt(row.valuation_rate) - flt(previous_sle.get("valuation_rate"))) if get_valuation_method(row.item_code) == "Moving Average": From 11586eda4ce294dff1cc3ba7c0c019ff33357952 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Mon, 28 Jul 2014 17:37:52 +0530 Subject: [PATCH 413/630] [minor] [fix] taxes print --- erpnext/templates/print_formats/includes/taxes.html | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/erpnext/templates/print_formats/includes/taxes.html b/erpnext/templates/print_formats/includes/taxes.html index 56a086f32b..5d9aaace7f 100644 --- a/erpnext/templates/print_formats/includes/taxes.html +++ b/erpnext/templates/print_formats/includes/taxes.html @@ -1,12 +1,12 @@
-
-
+
+
{%- for charge in data -%} {%- if not charge.included_in_print_rate -%}
-
+
-
+
{{ frappe.format_value(charge.tax_amount / doc.conversion_rate, table_meta.get_field("tax_amount"), doc) }}
From 07d326146791514928a8ca3502b62e8647fc4531 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Mon, 28 Jul 2014 19:55:13 +0530 Subject: [PATCH 414/630] [hotfix] don't override default print format if specified in POS Sales Invoice --- erpnext/accounts/doctype/sales_invoice/sales_invoice.js | 5 +++-- 1 file changed, 3 insertions(+), 2 deletions(-) diff --git a/erpnext/accounts/doctype/sales_invoice/sales_invoice.js b/erpnext/accounts/doctype/sales_invoice/sales_invoice.js index 70fc272736..698200f617 100644 --- a/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +++ b/erpnext/accounts/doctype/sales_invoice/sales_invoice.js @@ -34,8 +34,9 @@ erpnext.accounts.SalesInvoiceController = erpnext.selling.SellingController.exte } } - // if document is POS then change default print format to "POS Invoice" - if(cur_frm.doc.is_pos && cur_frm.doc.docstatus===1) { + // if document is POS then change default print format to "POS Invoice" if no default is specified + if(cur_frm.doc.is_pos && cur_frm.doc.docstatus===1 && cint(frappe.defaults.get_user_defaults("fs_pos_view"))===1 + && !locals.DocType[cur_frm.doctype].default_print_format) { locals.DocType[cur_frm.doctype].default_print_format = "POS Invoice"; cur_frm.setup_print_layout(); } From 85eefadadac1bf7afc757373e0556f32261dc8f2 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Mon, 28 Jul 2014 21:17:20 +0530 Subject: [PATCH 415/630] [fix] [print] Print Hide Item Code --- erpnext/templates/print_formats/includes/item_grid.html | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/erpnext/templates/print_formats/includes/item_grid.html b/erpnext/templates/print_formats/includes/item_grid.html index df1859cde8..1acede89a6 100644 --- a/erpnext/templates/print_formats/includes/item_grid.html +++ b/erpnext/templates/print_formats/includes/item_grid.html @@ -17,8 +17,8 @@
\ \ \ - \ + \ \ - \ + \ \ \ \ @@ -387,14 +387,19 @@ erpnext.POS = Class.extend({ $(repl('\ \ - \ - \ - \ +
{%= __("Date") %}{%= __("Date") %} {%= __("Ref") %}{%= __("Party") %}{%= __("Party") %} {%= __("Debit") %} {%= __("Credit") %}
{{ row.idx }} {{ row.item_name }} - {% if row.item_code != row.item_name -%} -
Item Code: {{ row.item_code}} + {% if row.item_code != row.item_name and not row.meta.get_field("item_code").print_hide -%} +
Item Code: {{ row.item_code }} {%- endif %}
From bd748bd115655ed287eb7b37271586bbb1a8c6fb Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Tue, 29 Jul 2014 08:51:41 +0530 Subject: [PATCH 416/630] [hotfix] [patch] Delete old print formats --- erpnext/patches.txt | 2 +- erpnext/patches/v4_2/delete_old_print_formats.py | 4 ++-- 2 files changed, 3 insertions(+), 3 deletions(-) diff --git a/erpnext/patches.txt b/erpnext/patches.txt index 676e0d186a..35ee608754 100644 --- a/erpnext/patches.txt +++ b/erpnext/patches.txt @@ -72,4 +72,4 @@ execute:frappe.db.sql("update `tabAccount` set root_type='Liability' where root_ execute:frappe.delete_doc("DocType", "Payment to Invoice Matching Tool") execute:frappe.delete_doc("DocType", "Payment to Invoice Matching Tool Detail") execute:frappe.delete_doc("Page", "trial-balance") #2014-07-22 -erpnext.patches.v4_2.delete_old_print_formats +erpnext.patches.v4_2.delete_old_print_formats #2014-07-29 diff --git a/erpnext/patches/v4_2/delete_old_print_formats.py b/erpnext/patches/v4_2/delete_old_print_formats.py index 1456f95131..75c3619ae4 100644 --- a/erpnext/patches/v4_2/delete_old_print_formats.py +++ b/erpnext/patches/v4_2/delete_old_print_formats.py @@ -15,9 +15,9 @@ def execute(): for fmt in old_formats: # update property setter for ps in frappe.db.sql_list("""select name from `tabProperty Setter` - where property_type='default_print_format' and value=%s""", fmt): + where property='default_print_format' and value=%s""", fmt): ps = frappe.get_doc("Property Setter", ps) ps.value = "Standard" ps.save(ignore_permissions = True) - frappe.delete_doc("Print Format", fmt) + frappe.delete_doc_if_exists("Print Format", fmt) From 7555d619f2a138561e6fd1d897c28dccc3613d47 Mon Sep 17 00:00:00 2001 From: nabinhait Date: Tue, 29 Jul 2014 11:33:42 +0530 Subject: [PATCH 417/630] Message for frozen stock entries --- .../stock/doctype/stock_ledger_entry/stock_ledger_entry.py | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py b/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py index df3fef437b..567fda3d67 100644 --- a/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +++ b/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py @@ -74,14 +74,14 @@ class StockLedgerEntry(Document): if stock_frozen_upto: stock_auth_role = frappe.db.get_value('Stock Settings', None,'stock_auth_role') if getdate(self.posting_date) <= getdate(stock_frozen_upto) and not stock_auth_role in frappe.user.get_roles(): - frappe.throw(_("Entries before {0} are frozen").format(formatdate(stock_frozen_upto)), StockFreezeError) + frappe.throw(_("Stock entries before {0} are frozen").format(formatdate(stock_frozen_upto)), StockFreezeError) stock_frozen_upto_days = int(frappe.db.get_value('Stock Settings', None, 'stock_frozen_upto_days') or 0) if stock_frozen_upto_days: stock_auth_role = frappe.db.get_value('Stock Settings', None,'stock_auth_role') older_than_x_days_ago = (add_days(getdate(self.posting_date), stock_frozen_upto_days) <= date.today()) if older_than_x_days_ago and not stock_auth_role in frappe.user.get_roles(): - frappe.throw(_("Not allowed to update entries older than {0}").format(stock_frozen_upto_days), StockFreezeError) + frappe.throw(_("Not allowed to update stock entries older than {0}").format(stock_frozen_upto_days), StockFreezeError) def scrub_posting_time(self): if not self.posting_time or self.posting_time == '00:0': From d4b92a1d20e34e673ecab893b0a300b73da251a5 Mon Sep 17 00:00:00 2001 From: nabinhait Date: Tue, 29 Jul 2014 11:35:30 +0530 Subject: [PATCH 418/630] Set ignore pricing rule while mapping SI to DN --- erpnext/accounts/doctype/sales_invoice/sales_invoice.py | 1 + 1 file changed, 1 insertion(+) diff --git a/erpnext/accounts/doctype/sales_invoice/sales_invoice.py b/erpnext/accounts/doctype/sales_invoice/sales_invoice.py index 27348bbdfe..8f82fc6284 100644 --- a/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +++ b/erpnext/accounts/doctype/sales_invoice/sales_invoice.py @@ -786,6 +786,7 @@ def get_income_account(doctype, txt, searchfield, start, page_len, filters): @frappe.whitelist() def make_delivery_note(source_name, target_doc=None): def set_missing_values(source, target): + target.ignore_pricing_rule = 1 target.run_method("set_missing_values") target.run_method("calculate_taxes_and_totals") From 079611936ff8d4aa15d3313c2b29fbddd4894a5c Mon Sep 17 00:00:00 2001 From: nabinhait Date: Tue, 29 Jul 2014 12:12:09 +0530 Subject: [PATCH 419/630] Delete Payment-to-invoice-matching-tool through patch --- erpnext/patches.txt | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/erpnext/patches.txt b/erpnext/patches.txt index 35ee608754..c29f2d81ca 100644 --- a/erpnext/patches.txt +++ b/erpnext/patches.txt @@ -69,7 +69,7 @@ erpnext.patches.v4_1.fix_jv_remarks erpnext.patches.v4_1.fix_sales_order_delivered_status erpnext.patches.v4_1.fix_delivery_and_billing_status execute:frappe.db.sql("update `tabAccount` set root_type='Liability' where root_type='Income' and report_type='Balance Sheet'") -execute:frappe.delete_doc("DocType", "Payment to Invoice Matching Tool") -execute:frappe.delete_doc("DocType", "Payment to Invoice Matching Tool Detail") +execute:frappe.delete_doc("DocType", "Payment to Invoice Matching Tool") # 29-07-2014 +execute:frappe.delete_doc("DocType", "Payment to Invoice Matching Tool Detail") # 29-07-2014 execute:frappe.delete_doc("Page", "trial-balance") #2014-07-22 erpnext.patches.v4_2.delete_old_print_formats #2014-07-29 From 92a1e0666513c94fc0861035665f9d618056d666 Mon Sep 17 00:00:00 2001 From: nabinhait Date: Tue, 29 Jul 2014 12:46:56 +0530 Subject: [PATCH 420/630] message fix --- .../stock/doctype/stock_ledger_entry/stock_ledger_entry.py | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py b/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py index 567fda3d67..0e92b5d471 100644 --- a/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +++ b/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py @@ -74,14 +74,14 @@ class StockLedgerEntry(Document): if stock_frozen_upto: stock_auth_role = frappe.db.get_value('Stock Settings', None,'stock_auth_role') if getdate(self.posting_date) <= getdate(stock_frozen_upto) and not stock_auth_role in frappe.user.get_roles(): - frappe.throw(_("Stock entries before {0} are frozen").format(formatdate(stock_frozen_upto)), StockFreezeError) + frappe.throw(_("Stock transactions before {0} are frozen").format(formatdate(stock_frozen_upto)), StockFreezeError) stock_frozen_upto_days = int(frappe.db.get_value('Stock Settings', None, 'stock_frozen_upto_days') or 0) if stock_frozen_upto_days: stock_auth_role = frappe.db.get_value('Stock Settings', None,'stock_auth_role') older_than_x_days_ago = (add_days(getdate(self.posting_date), stock_frozen_upto_days) <= date.today()) if older_than_x_days_ago and not stock_auth_role in frappe.user.get_roles(): - frappe.throw(_("Not allowed to update stock entries older than {0}").format(stock_frozen_upto_days), StockFreezeError) + frappe.throw(_("Not allowed to update stock transactions older than {0}").format(stock_frozen_upto_days), StockFreezeError) def scrub_posting_time(self): if not self.posting_time or self.posting_time == '00:0': From 0bab81aef99cf54681799624e6b2291dc930f12c Mon Sep 17 00:00:00 2001 From: nabinhait Date: Tue, 29 Jul 2014 12:59:47 +0530 Subject: [PATCH 421/630] minor fix in chart of accounts help message --- .../accounts/page/accounts_browser/accounts_browser.js | 10 +++++----- 1 file changed, 5 insertions(+), 5 deletions(-) diff --git a/erpnext/accounts/page/accounts_browser/accounts_browser.js b/erpnext/accounts/page/accounts_browser/accounts_browser.js index 5fe1618c2a..30ba3af3dc 100644 --- a/erpnext/accounts/page/accounts_browser/accounts_browser.js +++ b/erpnext/accounts/page/accounts_browser/accounts_browser.js @@ -24,17 +24,17 @@ pscript['onload_Accounts Browser'] = function(wrapper){ '
    '+ '
  1. '+__('To add child nodes, explore tree and click on the node under which you want to add more nodes.')+'
  2. '+ '
  3. '+ - __('Accounting Entries can be made against leaf nodes, called')+ - '' +__('Ledgers')+'.'+ __('Entries against') + - '' +__('Groups') + ''+ __('are not allowed.')+ + __('Accounting Entries can be made against leaf nodes, called ')+ + '' +__('Ledgers')+'.'+ __('Entries against ') + + '' +__('Groups') + ''+ __(' are not allowed.')+ '
  4. '+ '
  5. '+__('Please do NOT create Account (Ledgers) for Customers and Suppliers. They are created directly from the Customer / Supplier masters.')+'
  6. '+ '
  7. '+ - ''+__('To create a Bank Account:')+''+ + ''+__('To create a Bank Account: ')+''+ __('Go to the appropriate group (usually Application of Funds > Current Assets > Bank Accounts and create a new Account Ledger (by clicking on Add Child) of type "Bank"')+ '
  8. '+ '
  9. '+ - ''+__('To create a Tax Account:')+''+ + ''+__('To create a Tax Account: ')+''+ __('Go to the appropriate group (usually Source of Funds > Current Liabilities > Taxes and Duties and create a new Account Ledger (by clicking on Add Child) of type "Tax" and do mention the Tax rate.')+ '
  10. '+ '
'+ From ad1638e6b69b8d44cdb3a3d477f6c9b65fd1f259 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Tue, 29 Jul 2014 14:38:48 +0530 Subject: [PATCH 422/630] [print] Improvements to Item grid --- .../print_formats/includes/item_grid.html | 53 ++++++++++--------- 1 file changed, 28 insertions(+), 25 deletions(-) diff --git a/erpnext/templates/print_formats/includes/item_grid.html b/erpnext/templates/print_formats/includes/item_grid.html index 1acede89a6..63885c0ae4 100644 --- a/erpnext/templates/print_formats/includes/item_grid.html +++ b/erpnext/templates/print_formats/includes/item_grid.html @@ -5,38 +5,41 @@ - - - - - - + + + + + {%- for row in data -%} - - + - - - - {%- endfor -%} From 78777e141a5d0ff9487dd053c0dc29ef79c1ed50 Mon Sep 17 00:00:00 2001 From: nabinhait Date: Tue, 29 Jul 2014 15:19:41 +0530 Subject: [PATCH 423/630] minor fix --- .../accounts/page/accounts_browser/accounts_browser.js | 10 +++++----- 1 file changed, 5 insertions(+), 5 deletions(-) diff --git a/erpnext/accounts/page/accounts_browser/accounts_browser.js b/erpnext/accounts/page/accounts_browser/accounts_browser.js index 30ba3af3dc..ba8d747d72 100644 --- a/erpnext/accounts/page/accounts_browser/accounts_browser.js +++ b/erpnext/accounts/page/accounts_browser/accounts_browser.js @@ -24,17 +24,17 @@ pscript['onload_Accounts Browser'] = function(wrapper){ '
    '+ '
  1. '+__('To add child nodes, explore tree and click on the node under which you want to add more nodes.')+'
  2. '+ '
  3. '+ - __('Accounting Entries can be made against leaf nodes, called ')+ - '' +__('Ledgers')+'.'+ __('Entries against ') + - '' +__('Groups') + ''+ __(' are not allowed.')+ + __('Accounting Entries can be made against leaf nodes, called')+ + ' ' +__('Ledgers')+'. '+ __('Entries against ') + + '' +__('Groups') + ' '+ __('are not allowed.')+ '
  4. '+ '
  5. '+__('Please do NOT create Account (Ledgers) for Customers and Suppliers. They are created directly from the Customer / Supplier masters.')+'
  6. '+ '
  7. '+ - ''+__('To create a Bank Account: ')+''+ + ''+__('To create a Bank Account')+': '+ __('Go to the appropriate group (usually Application of Funds > Current Assets > Bank Accounts and create a new Account Ledger (by clicking on Add Child) of type "Bank"')+ '
  8. '+ '
  9. '+ - ''+__('To create a Tax Account: ')+''+ + ''+__('To create a Tax Account') +': '+ __('Go to the appropriate group (usually Source of Funds > Current Liabilities > Taxes and Duties and create a new Account Ledger (by clicking on Add Child) of type "Tax" and do mention the Tax rate.')+ '
  10. '+ '
'+ From 0e93352c8df30ec8f3826e0af21437cd5cbdf846 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Tue, 29 Jul 2014 21:58:39 +0530 Subject: [PATCH 424/630] [print] Hide Rate, Amount if Print Without Amount in Delivery Note --- .../stock/doctype/delivery_note/delivery_note.py | 14 ++++++++++++++ .../print_formats/includes/item_grid.html | 16 ++++++++-------- 2 files changed, 22 insertions(+), 8 deletions(-) diff --git a/erpnext/stock/doctype/delivery_note/delivery_note.py b/erpnext/stock/doctype/delivery_note/delivery_note.py index 13da9078b0..54e4fa2acb 100644 --- a/erpnext/stock/doctype/delivery_note/delivery_note.py +++ b/erpnext/stock/doctype/delivery_note/delivery_note.py @@ -40,6 +40,20 @@ class DeliveryNote(SellingController): total_qty = sum((item.qty for item in self.get("delivery_note_details"))) self.get("__onload").billing_complete = (billed_qty[0][0] == total_qty) + def before_print(self): + def toggle_print_hide(meta, fieldname): + df = meta.get_field(fieldname) + if self.get("print_without_amount"): + df.set("__print_hide", 1) + else: + df.delete_key("__print_hide") + + toggle_print_hide(self.meta, "currency") + + item_meta = frappe.get_meta("Delivery Note Item") + for fieldname in ("rate", "amount", "price_list_rate", "discount_percentage"): + toggle_print_hide(item_meta, fieldname) + def get_portal_page(self): return "shipment" if self.docstatus==1 else None diff --git a/erpnext/templates/print_formats/includes/item_grid.html b/erpnext/templates/print_formats/includes/item_grid.html index 63885c0ae4..3cc3034f3a 100644 --- a/erpnext/templates/print_formats/includes/item_grid.html +++ b/erpnext/templates/print_formats/includes/item_grid.html @@ -1,6 +1,8 @@ {%- from "templates/print_formats/standard_macros.html" import print_value -%} {%- set std_fields = ("item_code", "item_name", "description", "qty", "rate", "amount", "stock_uom", "uom") -%} {%- set visible_columns = get_visible_columns(doc.get(df.fieldname), table_meta) -%} +{%- set hide_rate = data[0].meta.is_print_hide("rate") -%} +{%- set hide_amount = data[0].meta.is_print_hide("amount") -%}
{{ _("Sr") }}{{ _("Item Name") }}{{ _("Description") }}{{ _("Qty") }}{{ _("Rate") }}{{ _("Amount") }}{{ _("Sr") }}{{ _("Item") }}{{ _("Qty") }}{{ _("Rate") }}{{ _("Amount") }}
{{ row.idx }} - {{ row.item_name }} - {% if row.item_code != row.item_name and not row.meta.get_field("item_code").print_hide -%} -
Item Code: {{ row.item_code }} +
{{ row.idx }} + {% if not row.meta.is_print_hide("item_code") -%} +
{{ row.item_code }}
{%- endif %} + {% if (not row.meta.is_print_hide("item_name") and + (row.meta.is_print_hide("item_code") or row.item_code != row.item_name)) -%} +
{{ row.item_name }}
+ {%- endif %} + {% if (not row.meta.is_print_hide("description") and row.description and + ((row.meta.is_print_hide("item_code") and row.meta.is_print_hide("item_name")) + or not (row.item_code == row.item_name == row.description))) -%} +

{{ row.description }}

+ {%- endif %} + {%- for field in visible_columns -%} + {%- if (field.fieldname not in std_fields) and + (row[field.fieldname] not in (None, "", 0)) -%} +
{{ _(field.label) }}:
+ {{ row.get_formatted(field.fieldname, doc) }} + {%- endif -%} + {%- endfor -%}
-
{{ row.description }} - {%- for field in visible_columns -%} - {%- if (field.fieldname not in std_fields) and - (row[field.fieldname] not in (None, "", 0)) -%} -
{{ _(field.label) }}: - {{ row.get_formatted(field.fieldname, doc) }} - {%- endif -%} - {%- endfor -%} -
-
{{ row.get_formatted("qty", doc) }}
+
{{ row.get_formatted("qty", doc) }}
{{ row.uom or row.stock_uom }}
{{ + {{ row.get_formatted("rate", doc) }}{{ + {{ row.get_formatted("amount", doc) }}
@@ -8,8 +10,8 @@ - - + {% if not hide_rate -%}{%- endif %} + {% if not hide_amount -%}{%- endif %} {%- for row in data -%} @@ -30,17 +32,15 @@ {%- for field in visible_columns -%} {%- if (field.fieldname not in std_fields) and (row[field.fieldname] not in (None, "", 0)) -%} -
{{ _(field.label) }}:
- {{ row.get_formatted(field.fieldname, doc) }} +
{{ _(field.label) }}: + {{ row.get_formatted(field.fieldname, doc) }}
{%- endif -%} {%- endfor -%} - - + {% if not hide_rate -%}{%- endif %} + {% if not hide_amount -%}{%- endif %} {%- endfor -%} From bc708ee4c2dcf0ca631f8127298d6e4dd3644346 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Tue, 29 Jul 2014 22:24:31 +0530 Subject: [PATCH 425/630] [print] Disable rounded total --- erpnext/patches.txt | 1 + erpnext/patches/v4_2/toggle_rounded_total.py | 9 +++++++++ erpnext/selling/sales_common.js | 11 ----------- .../doctype/global_defaults/global_defaults.py | 13 +++++++++++++ 4 files changed, 23 insertions(+), 11 deletions(-) create mode 100644 erpnext/patches/v4_2/toggle_rounded_total.py diff --git a/erpnext/patches.txt b/erpnext/patches.txt index c29f2d81ca..44d5b3a4c0 100644 --- a/erpnext/patches.txt +++ b/erpnext/patches.txt @@ -73,3 +73,4 @@ execute:frappe.delete_doc("DocType", "Payment to Invoice Matching Tool") # 29-07 execute:frappe.delete_doc("DocType", "Payment to Invoice Matching Tool Detail") # 29-07-2014 execute:frappe.delete_doc("Page", "trial-balance") #2014-07-22 erpnext.patches.v4_2.delete_old_print_formats #2014-07-29 +erpnext.patches.v4_2.toggle_rounded_total diff --git a/erpnext/patches/v4_2/toggle_rounded_total.py b/erpnext/patches/v4_2/toggle_rounded_total.py new file mode 100644 index 0000000000..aa63fdccd3 --- /dev/null +++ b/erpnext/patches/v4_2/toggle_rounded_total.py @@ -0,0 +1,9 @@ +# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors +# License: GNU General Public License v3. See license.txt + +from __future__ import unicode_literals +import frappe + +def execute(): + global_defaults = frappe.get_doc("Global Defaults", "Global Defaults") + global_defaults.toggle_rounded_total() diff --git a/erpnext/selling/sales_common.js b/erpnext/selling/sales_common.js index fff7ef9cd3..20f1028d9a 100644 --- a/erpnext/selling/sales_common.js +++ b/erpnext/selling/sales_common.js @@ -16,7 +16,6 @@ frappe.require("assets/erpnext/js/transaction.js"); erpnext.selling.SellingController = erpnext.TransactionController.extend({ onload: function() { this._super(); - this.toggle_rounded_total(); this.setup_queries(); this.toggle_editable_price_list_rate(); }, @@ -229,16 +228,6 @@ erpnext.selling.SellingController = erpnext.TransactionController.extend({ } }, - toggle_rounded_total: function() { - var me = this; - if(cint(frappe.defaults.get_global_default("disable_rounded_total"))) { - $.each(["rounded_total", "rounded_total_export"], function(i, fieldname) { - me.frm.set_df_property(fieldname, "print_hide", 1); - me.frm.toggle_display(fieldname, false); - }); - } - }, - toggle_editable_price_list_rate: function() { var df = frappe.meta.get_docfield(this.tname, "price_list_rate", this.frm.doc.name); var editable_price_list_rate = cint(frappe.defaults.get_default("editable_price_list_rate")); diff --git a/erpnext/setup/doctype/global_defaults/global_defaults.py b/erpnext/setup/doctype/global_defaults/global_defaults.py index 737c17ec4c..4764484166 100644 --- a/erpnext/setup/doctype/global_defaults/global_defaults.py +++ b/erpnext/setup/doctype/global_defaults/global_defaults.py @@ -5,6 +5,8 @@ from __future__ import unicode_literals """Global Defaults""" import frappe import frappe.defaults +from frappe.utils import cint +from frappe.core.doctype.property_setter.property_setter import make_property_setter keydict = { # "key in defaults": "key in Global Defaults" @@ -42,8 +44,19 @@ class GlobalDefaults(Document): if self.default_currency: frappe.db.set_value("Currency", self.default_currency, "enabled", 1) + self.toggle_rounded_total() + # clear cache frappe.clear_cache() def get_defaults(self): return frappe.defaults.get_defaults() + + def toggle_rounded_total(self): + self.disable_rounded_total = cint(self.disable_rounded_total) + + # Make property setters to hide rounded total fields + for doctype in ("Quotation", "Sales Order", "Sales Invoice", "Delivery Note"): + for fieldname in ("rounded_total", "rounded_total_export"): + make_property_setter(doctype, fieldname, "hidden", self.disable_rounded_total, "Check") + make_property_setter(doctype, fieldname, "print_hide", self.disable_rounded_total, "Check") From 60ee2ea8afc3ea269aea0812a58f92b3dea84173 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Tue, 29 Jul 2014 23:16:24 +0530 Subject: [PATCH 426/630] [hotfix] Stock Entry search fields --- .../doctype/stock_entry/stock_entry.json | 1108 ++++++++--------- 1 file changed, 554 insertions(+), 554 deletions(-) diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.json b/erpnext/stock/doctype/stock_entry/stock_entry.json index a455a3b49b..1a5bd180f4 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry.json +++ b/erpnext/stock/doctype/stock_entry/stock_entry.json @@ -1,646 +1,646 @@ { - "allow_attach": 0, - "allow_copy": 0, - "allow_import": 1, - "allow_rename": 0, - "autoname": "naming_series:", - "creation": "2013-04-09 11:43:55", - "docstatus": 0, - "doctype": "DocType", + "allow_attach": 0, + "allow_copy": 0, + "allow_import": 1, + "allow_rename": 0, + "autoname": "naming_series:", + "creation": "2013-04-09 11:43:55", + "docstatus": 0, + "doctype": "DocType", "fields": [ { - "fieldname": "col1", - "fieldtype": "Column Break", - "oldfieldtype": "Column Break", - "permlevel": 0, - "print_width": "50%", - "read_only": 0, + "fieldname": "col1", + "fieldtype": "Column Break", + "oldfieldtype": "Column Break", + "permlevel": 0, + "print_width": "50%", + "read_only": 0, "width": "50%" - }, + }, { - "allow_on_submit": 0, - "fieldname": "naming_series", - "fieldtype": "Select", - "hidden": 0, - "in_filter": 0, - "label": "Series", - "no_copy": 1, - "oldfieldname": "naming_series", - "oldfieldtype": "Select", - "options": "STE-", - "permlevel": 0, - "print_hide": 1, - "read_only": 0, - "report_hide": 0, - "reqd": 1, + "allow_on_submit": 0, + "fieldname": "naming_series", + "fieldtype": "Select", + "hidden": 0, + "in_filter": 0, + "label": "Series", + "no_copy": 1, + "oldfieldname": "naming_series", + "oldfieldtype": "Select", + "options": "STE-", + "permlevel": 0, + "print_hide": 1, + "read_only": 0, + "report_hide": 0, + "reqd": 1, "search_index": 0 - }, + }, { - "allow_on_submit": 0, - "default": "Material Issue", - "fieldname": "purpose", - "fieldtype": "Select", - "hidden": 0, - "in_filter": 1, - "in_list_view": 1, - "label": "Purpose", - "no_copy": 0, - "oldfieldname": "purpose", - "oldfieldtype": "Select", - "options": "Material Issue\nMaterial Receipt\nMaterial Transfer\nManufacture/Repack\nSubcontract\nSales Return\nPurchase Return", - "permlevel": 0, - "print_hide": 0, - "read_only": 0, - "report_hide": 0, - "reqd": 1, + "allow_on_submit": 0, + "default": "Material Issue", + "fieldname": "purpose", + "fieldtype": "Select", + "hidden": 0, + "in_filter": 1, + "in_list_view": 1, + "label": "Purpose", + "no_copy": 0, + "oldfieldname": "purpose", + "oldfieldtype": "Select", + "options": "Material Issue\nMaterial Receipt\nMaterial Transfer\nManufacture/Repack\nSubcontract\nSales Return\nPurchase Return", + "permlevel": 0, + "print_hide": 0, + "read_only": 0, + "report_hide": 0, + "reqd": 1, "search_index": 0 - }, + }, { - "allow_on_submit": 0, - "depends_on": "eval:doc.purpose==\"Sales Return\"", - "fieldname": "delivery_note_no", - "fieldtype": "Link", - "hidden": 0, - "in_filter": 0, - "label": "Delivery Note No", - "no_copy": 1, - "oldfieldname": "delivery_note_no", - "oldfieldtype": "Link", - "options": "Delivery Note", - "permlevel": 0, - "print_hide": 1, - "read_only": 0, - "report_hide": 0, - "reqd": 0, + "allow_on_submit": 0, + "depends_on": "eval:doc.purpose==\"Sales Return\"", + "fieldname": "delivery_note_no", + "fieldtype": "Link", + "hidden": 0, + "in_filter": 0, + "label": "Delivery Note No", + "no_copy": 1, + "oldfieldname": "delivery_note_no", + "oldfieldtype": "Link", + "options": "Delivery Note", + "permlevel": 0, + "print_hide": 1, + "read_only": 0, + "report_hide": 0, + "reqd": 0, "search_index": 1 - }, + }, { - "depends_on": "eval:doc.purpose==\"Sales Return\"", - "fieldname": "sales_invoice_no", - "fieldtype": "Link", - "hidden": 0, - "label": "Sales Invoice No", - "no_copy": 1, - "options": "Sales Invoice", - "permlevel": 0, - "print_hide": 1, + "depends_on": "eval:doc.purpose==\"Sales Return\"", + "fieldname": "sales_invoice_no", + "fieldtype": "Link", + "hidden": 0, + "label": "Sales Invoice No", + "no_copy": 1, + "options": "Sales Invoice", + "permlevel": 0, + "print_hide": 1, "read_only": 0 - }, + }, { - "allow_on_submit": 0, - "depends_on": "eval:doc.purpose==\"Purchase Return\"", - "fieldname": "purchase_receipt_no", - "fieldtype": "Link", - "hidden": 0, - "in_filter": 0, - "label": "Purchase Receipt No", - "no_copy": 1, - "oldfieldname": "purchase_receipt_no", - "oldfieldtype": "Link", - "options": "Purchase Receipt", - "permlevel": 0, - "print_hide": 1, - "read_only": 0, - "report_hide": 0, - "reqd": 0, + "allow_on_submit": 0, + "depends_on": "eval:doc.purpose==\"Purchase Return\"", + "fieldname": "purchase_receipt_no", + "fieldtype": "Link", + "hidden": 0, + "in_filter": 0, + "label": "Purchase Receipt No", + "no_copy": 1, + "oldfieldname": "purchase_receipt_no", + "oldfieldtype": "Link", + "options": "Purchase Receipt", + "permlevel": 0, + "print_hide": 1, + "read_only": 0, + "report_hide": 0, + "reqd": 0, "search_index": 1 - }, + }, { - "fieldname": "col2", - "fieldtype": "Column Break", - "oldfieldtype": "Column Break", - "permlevel": 0, - "print_width": "50%", - "read_only": 0, + "fieldname": "col2", + "fieldtype": "Column Break", + "oldfieldtype": "Column Break", + "permlevel": 0, + "print_width": "50%", + "read_only": 0, "width": "50%" - }, + }, { - "allow_on_submit": 0, - "default": "Today", - "fieldname": "posting_date", - "fieldtype": "Date", - "hidden": 0, - "in_filter": 1, - "in_list_view": 0, - "label": "Posting Date", - "no_copy": 1, - "oldfieldname": "posting_date", - "oldfieldtype": "Date", - "permlevel": 0, - "print_hide": 0, - "read_only": 0, - "report_hide": 0, - "reqd": 1, + "allow_on_submit": 0, + "default": "Today", + "fieldname": "posting_date", + "fieldtype": "Date", + "hidden": 0, + "in_filter": 1, + "in_list_view": 0, + "label": "Posting Date", + "no_copy": 1, + "oldfieldname": "posting_date", + "oldfieldtype": "Date", + "permlevel": 0, + "print_hide": 0, + "read_only": 0, + "report_hide": 0, + "reqd": 1, "search_index": 1 - }, + }, { - "allow_on_submit": 0, - "fieldname": "posting_time", - "fieldtype": "Time", - "hidden": 0, - "in_filter": 0, - "label": "Posting Time", - "no_copy": 1, - "oldfieldname": "posting_time", - "oldfieldtype": "Time", - "permlevel": 0, - "print_hide": 1, - "read_only": 0, - "report_hide": 0, - "reqd": 1, + "allow_on_submit": 0, + "fieldname": "posting_time", + "fieldtype": "Time", + "hidden": 0, + "in_filter": 0, + "label": "Posting Time", + "no_copy": 1, + "oldfieldname": "posting_time", + "oldfieldtype": "Time", + "permlevel": 0, + "print_hide": 1, + "read_only": 0, + "report_hide": 0, + "reqd": 1, "search_index": 0 - }, + }, { - "fieldname": "items_section", - "fieldtype": "Section Break", - "label": "Items", - "oldfieldtype": "Section Break", - "permlevel": 0, + "fieldname": "items_section", + "fieldtype": "Section Break", + "label": "Items", + "oldfieldtype": "Section Break", + "permlevel": 0, "read_only": 0 - }, + }, { - "allow_on_submit": 0, - "fieldname": "from_warehouse", - "fieldtype": "Link", - "hidden": 0, - "in_filter": 0, - "in_list_view": 1, - "label": "Default Source Warehouse", - "no_copy": 1, - "oldfieldname": "from_warehouse", - "oldfieldtype": "Link", - "options": "Warehouse", - "permlevel": 0, - "print_hide": 1, - "read_only": 0, - "report_hide": 0, - "reqd": 0, + "allow_on_submit": 0, + "fieldname": "from_warehouse", + "fieldtype": "Link", + "hidden": 0, + "in_filter": 0, + "in_list_view": 1, + "label": "Default Source Warehouse", + "no_copy": 1, + "oldfieldname": "from_warehouse", + "oldfieldtype": "Link", + "options": "Warehouse", + "permlevel": 0, + "print_hide": 1, + "read_only": 0, + "report_hide": 0, + "reqd": 0, "search_index": 0 - }, + }, { - "fieldname": "cb0", - "fieldtype": "Column Break", - "permlevel": 0, + "fieldname": "cb0", + "fieldtype": "Column Break", + "permlevel": 0, "read_only": 0 - }, + }, { - "allow_on_submit": 0, - "fieldname": "to_warehouse", - "fieldtype": "Link", - "hidden": 0, - "in_filter": 0, - "in_list_view": 1, - "label": "Default Target Warehouse", - "no_copy": 1, - "oldfieldname": "to_warehouse", - "oldfieldtype": "Link", - "options": "Warehouse", - "permlevel": 0, - "print_hide": 1, - "read_only": 0, - "report_hide": 0, - "reqd": 0, + "allow_on_submit": 0, + "fieldname": "to_warehouse", + "fieldtype": "Link", + "hidden": 0, + "in_filter": 0, + "in_list_view": 1, + "label": "Default Target Warehouse", + "no_copy": 1, + "oldfieldname": "to_warehouse", + "oldfieldtype": "Link", + "options": "Warehouse", + "permlevel": 0, + "print_hide": 1, + "read_only": 0, + "report_hide": 0, + "reqd": 0, "search_index": 0 - }, + }, { - "fieldname": "sb0", - "fieldtype": "Section Break", - "options": "Simple", - "permlevel": 0, + "fieldname": "sb0", + "fieldtype": "Section Break", + "options": "Simple", + "permlevel": 0, "read_only": 0 - }, + }, { - "allow_on_submit": 0, - "fieldname": "mtn_details", - "fieldtype": "Table", - "hidden": 0, - "in_filter": 0, - "label": "MTN Details", - "no_copy": 0, - "oldfieldname": "mtn_details", - "oldfieldtype": "Table", - "options": "Stock Entry Detail", - "permlevel": 0, - "print_hide": 0, - "read_only": 0, - "report_hide": 0, - "reqd": 0, + "allow_on_submit": 0, + "fieldname": "mtn_details", + "fieldtype": "Table", + "hidden": 0, + "in_filter": 0, + "label": "MTN Details", + "no_copy": 0, + "oldfieldname": "mtn_details", + "oldfieldtype": "Table", + "options": "Stock Entry Detail", + "permlevel": 0, + "print_hide": 0, + "read_only": 0, + "report_hide": 0, + "reqd": 0, "search_index": 0 - }, + }, { - "description": "Get valuation rate and available stock at source/target warehouse on mentioned posting date-time. If serialized item, please press this button after entering serial nos.", - "fieldname": "get_stock_and_rate", - "fieldtype": "Button", - "label": "Get Stock and Rate", - "oldfieldtype": "Button", - "options": "get_stock_and_rate", - "permlevel": 0, - "print_hide": 1, + "description": "Get valuation rate and available stock at source/target warehouse on mentioned posting date-time. If serialized item, please press this button after entering serial nos.", + "fieldname": "get_stock_and_rate", + "fieldtype": "Button", + "label": "Get Stock and Rate", + "oldfieldtype": "Button", + "options": "get_stock_and_rate", + "permlevel": 0, + "print_hide": 1, "read_only": 0 - }, + }, { - "depends_on": "eval:(doc.purpose!==\"Sales Return\" && doc.purpose!==\"Purchase Return\")", - "fieldname": "sb1", - "fieldtype": "Section Break", - "label": "From Bill of Materials", - "permlevel": 0, + "depends_on": "eval:(doc.purpose!==\"Sales Return\" && doc.purpose!==\"Purchase Return\")", + "fieldname": "sb1", + "fieldtype": "Section Break", + "label": "From Bill of Materials", + "permlevel": 0, "read_only": 0 - }, + }, { - "allow_on_submit": 0, - "depends_on": "eval:inList([\"Material Transfer\", \"Manufacture/Repack\"], doc.purpose)", - "fieldname": "production_order", - "fieldtype": "Link", - "hidden": 0, - "in_filter": 1, - "label": "Production Order", - "no_copy": 0, - "oldfieldname": "production_order", - "oldfieldtype": "Link", - "options": "Production Order", - "permlevel": 0, - "print_hide": 1, - "read_only": 0, - "report_hide": 0, - "reqd": 0, + "allow_on_submit": 0, + "depends_on": "eval:inList([\"Material Transfer\", \"Manufacture/Repack\"], doc.purpose)", + "fieldname": "production_order", + "fieldtype": "Link", + "hidden": 0, + "in_filter": 1, + "label": "Production Order", + "no_copy": 0, + "oldfieldname": "production_order", + "oldfieldtype": "Link", + "options": "Production Order", + "permlevel": 0, + "print_hide": 1, + "read_only": 0, + "report_hide": 0, + "reqd": 0, "search_index": 1 - }, + }, { - "depends_on": "eval:!inList([\"Sales Return\", \"Purchase Return\"], doc.purpose)", - "fieldname": "bom_no", - "fieldtype": "Link", - "label": "BOM No", - "options": "BOM", - "permlevel": 0, + "depends_on": "eval:!inList([\"Sales Return\", \"Purchase Return\"], doc.purpose)", + "fieldname": "bom_no", + "fieldtype": "Link", + "label": "BOM No", + "options": "BOM", + "permlevel": 0, "read_only": 0 - }, + }, { - "allow_on_submit": 0, - "depends_on": "eval:!inList([\"Sales Return\", \"Purchase Return\"], doc.purpose)", - "description": "As per Stock UOM", - "fieldname": "fg_completed_qty", - "fieldtype": "Float", - "hidden": 0, - "in_filter": 0, - "label": "Manufacturing Quantity", - "no_copy": 0, - "oldfieldname": "fg_completed_qty", - "oldfieldtype": "Currency", - "permlevel": 0, - "print_hide": 1, - "read_only": 0, - "report_hide": 0, - "reqd": 0, + "allow_on_submit": 0, + "depends_on": "eval:!inList([\"Sales Return\", \"Purchase Return\"], doc.purpose)", + "description": "As per Stock UOM", + "fieldname": "fg_completed_qty", + "fieldtype": "Float", + "hidden": 0, + "in_filter": 0, + "label": "Manufacturing Quantity", + "no_copy": 0, + "oldfieldname": "fg_completed_qty", + "oldfieldtype": "Currency", + "permlevel": 0, + "print_hide": 1, + "read_only": 0, + "report_hide": 0, + "reqd": 0, "search_index": 0 - }, + }, { - "fieldname": "cb1", - "fieldtype": "Column Break", - "permlevel": 0, + "fieldname": "cb1", + "fieldtype": "Column Break", + "permlevel": 0, "read_only": 0 - }, + }, { - "default": "1", - "depends_on": "eval:!inList([\"Sales Return\", \"Purchase Return\"], doc.purpose)", - "description": "If checked, BOM for sub-assembly items will be considered for getting raw materials. Otherwise, all sub-assembly items will be treated as a raw material.", - "fieldname": "use_multi_level_bom", - "fieldtype": "Check", - "label": "Use Multi-Level BOM", - "permlevel": 0, - "print_hide": 1, + "default": "1", + "depends_on": "eval:!inList([\"Sales Return\", \"Purchase Return\"], doc.purpose)", + "description": "If checked, BOM for sub-assembly items will be considered for getting raw materials. Otherwise, all sub-assembly items will be treated as a raw material.", + "fieldname": "use_multi_level_bom", + "fieldtype": "Check", + "label": "Use Multi-Level BOM", + "permlevel": 0, + "print_hide": 1, "read_only": 0 - }, + }, { - "allow_on_submit": 0, - "depends_on": "eval:!inList([\"Sales Return\", \"Purchase Return\"], doc.purpose)", - "fieldname": "get_items", - "fieldtype": "Button", - "hidden": 0, - "in_filter": 0, - "label": "Get Items", - "no_copy": 0, - "oldfieldtype": "Button", - "permlevel": 0, - "print_hide": 1, - "read_only": 0, - "report_hide": 0, - "reqd": 0, + "allow_on_submit": 0, + "depends_on": "eval:!inList([\"Sales Return\", \"Purchase Return\"], doc.purpose)", + "fieldname": "get_items", + "fieldtype": "Button", + "hidden": 0, + "in_filter": 0, + "label": "Get Items", + "no_copy": 0, + "oldfieldtype": "Button", + "permlevel": 0, + "print_hide": 1, + "read_only": 0, + "report_hide": 0, + "reqd": 0, "search_index": 0 - }, + }, { - "depends_on": "eval:(doc.purpose==\"Sales Return\" || doc.purpose==\"Purchase Return\")", - "fieldname": "contact_section", - "fieldtype": "Section Break", - "label": "Contact Info", - "permlevel": 0, + "depends_on": "eval:(doc.purpose==\"Sales Return\" || doc.purpose==\"Purchase Return\")", + "fieldname": "contact_section", + "fieldtype": "Section Break", + "label": "Contact Info", + "permlevel": 0, "read_only": 0 - }, + }, { - "allow_on_submit": 0, - "depends_on": "eval:doc.purpose==\"Purchase Return\"", - "fieldname": "supplier", - "fieldtype": "Link", - "hidden": 0, - "in_filter": 0, - "label": "Supplier", - "no_copy": 1, - "oldfieldname": "supplier", - "oldfieldtype": "Link", - "options": "Supplier", - "permlevel": 0, - "print_hide": 1, - "read_only": 0, - "report_hide": 0, - "reqd": 0, + "allow_on_submit": 0, + "depends_on": "eval:doc.purpose==\"Purchase Return\"", + "fieldname": "supplier", + "fieldtype": "Link", + "hidden": 0, + "in_filter": 0, + "label": "Supplier", + "no_copy": 1, + "oldfieldname": "supplier", + "oldfieldtype": "Link", + "options": "Supplier", + "permlevel": 0, + "print_hide": 1, + "read_only": 0, + "report_hide": 0, + "reqd": 0, "search_index": 0 - }, + }, { - "allow_on_submit": 0, - "depends_on": "eval:doc.purpose==\"Purchase Return\"", - "fieldname": "supplier_name", - "fieldtype": "Data", - "hidden": 0, - "in_filter": 0, - "label": "Supplier Name", - "no_copy": 1, - "oldfieldname": "supplier_name", - "oldfieldtype": "Data", - "permlevel": 0, - "print_hide": 0, - "read_only": 1, - "report_hide": 0, - "reqd": 0, + "allow_on_submit": 0, + "depends_on": "eval:doc.purpose==\"Purchase Return\"", + "fieldname": "supplier_name", + "fieldtype": "Data", + "hidden": 0, + "in_filter": 0, + "label": "Supplier Name", + "no_copy": 1, + "oldfieldname": "supplier_name", + "oldfieldtype": "Data", + "permlevel": 0, + "print_hide": 0, + "read_only": 1, + "report_hide": 0, + "reqd": 0, "search_index": 0 - }, + }, { - "allow_on_submit": 0, - "depends_on": "eval:doc.purpose==\"Purchase Return\"", - "fieldname": "supplier_address", - "fieldtype": "Small Text", - "hidden": 0, - "in_filter": 0, - "label": "Supplier Address", - "no_copy": 1, - "oldfieldname": "supplier_address", - "oldfieldtype": "Small Text", - "permlevel": 0, - "print_hide": 0, - "read_only": 0, - "report_hide": 0, - "reqd": 0, + "allow_on_submit": 0, + "depends_on": "eval:doc.purpose==\"Purchase Return\"", + "fieldname": "supplier_address", + "fieldtype": "Small Text", + "hidden": 0, + "in_filter": 0, + "label": "Supplier Address", + "no_copy": 1, + "oldfieldname": "supplier_address", + "oldfieldtype": "Small Text", + "permlevel": 0, + "print_hide": 0, + "read_only": 0, + "report_hide": 0, + "reqd": 0, "search_index": 0 - }, + }, { - "allow_on_submit": 0, - "depends_on": "eval:doc.purpose==\"Sales Return\"", - "fieldname": "customer", - "fieldtype": "Link", - "hidden": 0, - "in_filter": 0, - "label": "Customer", - "no_copy": 1, - "oldfieldname": "customer", - "oldfieldtype": "Link", - "options": "Customer", - "permlevel": 0, - "print_hide": 1, - "read_only": 0, - "report_hide": 0, - "reqd": 0, + "allow_on_submit": 0, + "depends_on": "eval:doc.purpose==\"Sales Return\"", + "fieldname": "customer", + "fieldtype": "Link", + "hidden": 0, + "in_filter": 0, + "label": "Customer", + "no_copy": 1, + "oldfieldname": "customer", + "oldfieldtype": "Link", + "options": "Customer", + "permlevel": 0, + "print_hide": 1, + "read_only": 0, + "report_hide": 0, + "reqd": 0, "search_index": 0 - }, + }, { - "allow_on_submit": 0, - "depends_on": "eval:doc.purpose==\"Sales Return\"", - "fieldname": "customer_name", - "fieldtype": "Data", - "hidden": 0, - "in_filter": 0, - "label": "Customer Name", - "no_copy": 1, - "oldfieldname": "customer_name", - "oldfieldtype": "Data", - "permlevel": 0, - "print_hide": 0, - "read_only": 1, - "report_hide": 0, - "reqd": 0, + "allow_on_submit": 0, + "depends_on": "eval:doc.purpose==\"Sales Return\"", + "fieldname": "customer_name", + "fieldtype": "Data", + "hidden": 0, + "in_filter": 0, + "label": "Customer Name", + "no_copy": 1, + "oldfieldname": "customer_name", + "oldfieldtype": "Data", + "permlevel": 0, + "print_hide": 0, + "read_only": 1, + "report_hide": 0, + "reqd": 0, "search_index": 0 - }, + }, { - "allow_on_submit": 0, - "depends_on": "eval:doc.purpose==\"Sales Return\"", - "fieldname": "customer_address", - "fieldtype": "Small Text", - "hidden": 0, - "in_filter": 0, - "label": "Customer Address", - "no_copy": 1, - "oldfieldname": "customer_address", - "oldfieldtype": "Small Text", - "permlevel": 0, - "print_hide": 0, - "read_only": 0, - "report_hide": 0, - "reqd": 0, + "allow_on_submit": 0, + "depends_on": "eval:doc.purpose==\"Sales Return\"", + "fieldname": "customer_address", + "fieldtype": "Small Text", + "hidden": 0, + "in_filter": 0, + "label": "Customer Address", + "no_copy": 1, + "oldfieldname": "customer_address", + "oldfieldtype": "Small Text", + "permlevel": 0, + "print_hide": 0, + "read_only": 0, + "report_hide": 0, + "reqd": 0, "search_index": 0 - }, + }, { - "fieldname": "more_info", - "fieldtype": "Section Break", - "label": "More Info", - "oldfieldtype": "Section Break", - "permlevel": 0, + "fieldname": "more_info", + "fieldtype": "Section Break", + "label": "More Info", + "oldfieldtype": "Section Break", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "project_name", - "fieldtype": "Link", - "in_filter": 1, - "label": "Project Name", - "oldfieldname": "project_name", - "oldfieldtype": "Link", - "options": "Project", - "permlevel": 0, + "fieldname": "project_name", + "fieldtype": "Link", + "in_filter": 1, + "label": "Project Name", + "oldfieldname": "project_name", + "oldfieldtype": "Link", + "options": "Project", + "permlevel": 0, "read_only": 0 - }, + }, { - "allow_on_submit": 0, - "fieldname": "remarks", - "fieldtype": "Text", - "hidden": 0, - "in_filter": 0, - "label": "Remarks", - "no_copy": 1, - "oldfieldname": "remarks", - "oldfieldtype": "Text", - "permlevel": 0, - "print_hide": 1, - "read_only": 0, - "report_hide": 0, - "reqd": 0, + "allow_on_submit": 0, + "fieldname": "remarks", + "fieldtype": "Text", + "hidden": 0, + "in_filter": 0, + "label": "Remarks", + "no_copy": 1, + "oldfieldname": "remarks", + "oldfieldtype": "Text", + "permlevel": 0, + "print_hide": 1, + "read_only": 0, + "report_hide": 0, + "reqd": 0, "search_index": 0 - }, + }, { - "fieldname": "col5", - "fieldtype": "Column Break", - "permlevel": 0, - "print_width": "50%", - "read_only": 0, + "fieldname": "col5", + "fieldtype": "Column Break", + "permlevel": 0, + "print_width": "50%", + "read_only": 0, "width": "50%" - }, + }, { - "fieldname": "total_amount", - "fieldtype": "Currency", - "label": "Total Amount", - "options": "Company:company:default_currency", - "permlevel": 0, + "fieldname": "total_amount", + "fieldtype": "Currency", + "label": "Total Amount", + "options": "Company:company:default_currency", + "permlevel": 0, "read_only": 1 - }, + }, { - "fieldname": "fiscal_year", - "fieldtype": "Link", - "in_filter": 0, - "label": "Fiscal Year", - "options": "Fiscal Year", - "permlevel": 0, - "print_hide": 1, - "read_only": 0, + "fieldname": "fiscal_year", + "fieldtype": "Link", + "in_filter": 0, + "label": "Fiscal Year", + "options": "Fiscal Year", + "permlevel": 0, + "print_hide": 1, + "read_only": 0, "reqd": 1 - }, + }, { - "allow_on_submit": 0, - "fieldname": "company", - "fieldtype": "Link", - "hidden": 0, - "in_filter": 1, - "label": "Company", - "no_copy": 0, - "oldfieldname": "company", - "oldfieldtype": "Link", - "options": "Company", - "permlevel": 0, - "print_hide": 1, - "read_only": 0, - "report_hide": 0, - "reqd": 1, + "allow_on_submit": 0, + "fieldname": "company", + "fieldtype": "Link", + "hidden": 0, + "in_filter": 1, + "label": "Company", + "no_copy": 0, + "oldfieldname": "company", + "oldfieldtype": "Link", + "options": "Company", + "permlevel": 0, + "print_hide": 1, + "read_only": 0, + "report_hide": 0, + "reqd": 1, "search_index": 0 - }, + }, { - "allow_on_submit": 0, - "fieldname": "select_print_heading", - "fieldtype": "Link", - "hidden": 0, - "in_filter": 0, - "label": "Print Heading", - "no_copy": 0, - "oldfieldname": "select_print_heading", - "oldfieldtype": "Link", - "options": "Print Heading", - "permlevel": 0, - "print_hide": 0, - "read_only": 0, - "report_hide": 0, - "reqd": 0, + "allow_on_submit": 0, + "fieldname": "select_print_heading", + "fieldtype": "Link", + "hidden": 0, + "in_filter": 0, + "label": "Print Heading", + "no_copy": 0, + "oldfieldname": "select_print_heading", + "oldfieldtype": "Link", + "options": "Print Heading", + "permlevel": 0, + "print_hide": 0, + "read_only": 0, + "report_hide": 0, + "reqd": 0, "search_index": 0 - }, + }, { - "allow_on_submit": 0, - "fieldname": "amended_from", - "fieldtype": "Link", - "hidden": 0, - "ignore_user_permissions": 1, - "in_filter": 0, - "label": "Amended From", - "no_copy": 1, - "oldfieldname": "amended_from", - "oldfieldtype": "Link", - "options": "Stock Entry", - "permlevel": 0, - "print_hide": 1, - "read_only": 1, - "report_hide": 0, - "reqd": 0, + "allow_on_submit": 0, + "fieldname": "amended_from", + "fieldtype": "Link", + "hidden": 0, + "ignore_user_permissions": 1, + "in_filter": 0, + "label": "Amended From", + "no_copy": 1, + "oldfieldname": "amended_from", + "oldfieldtype": "Link", + "options": "Stock Entry", + "permlevel": 0, + "print_hide": 1, + "read_only": 1, + "report_hide": 0, + "reqd": 0, "search_index": 0 } - ], - "hide_heading": 0, - "hide_toolbar": 0, - "icon": "icon-file-text", - "idx": 1, - "in_create": 0, - "in_dialog": 0, - "is_submittable": 1, - "issingle": 0, - "max_attachments": 0, - "modified": "2014-07-24 08:52:33.496200", - "modified_by": "Administrator", - "module": "Stock", - "name": "Stock Entry", - "owner": "Administrator", + ], + "hide_heading": 0, + "hide_toolbar": 0, + "icon": "icon-file-text", + "idx": 1, + "in_create": 0, + "in_dialog": 0, + "is_submittable": 1, + "issingle": 0, + "max_attachments": 0, + "modified": "2014-07-24 08:52:33.496200", + "modified_by": "Administrator", + "module": "Stock", + "name": "Stock Entry", + "owner": "Administrator", "permissions": [ { - "amend": 1, - "apply_user_permissions": 1, - "cancel": 1, - "create": 1, - "delete": 1, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Material User", - "submit": 1, + "amend": 1, + "apply_user_permissions": 1, + "cancel": 1, + "create": 1, + "delete": 1, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Material User", + "submit": 1, "write": 1 - }, + }, { - "amend": 1, - "apply_user_permissions": 1, - "cancel": 1, - "create": 1, - "delete": 1, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Manufacturing User", - "submit": 1, + "amend": 1, + "apply_user_permissions": 1, + "cancel": 1, + "create": 1, + "delete": 1, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Manufacturing User", + "submit": 1, "write": 1 - }, + }, { - "amend": 1, - "cancel": 1, - "create": 1, - "delete": 1, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Manufacturing Manager", - "submit": 1, + "amend": 1, + "cancel": 1, + "create": 1, + "delete": 1, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Manufacturing Manager", + "submit": 1, "write": 1 - }, + }, { - "amend": 1, - "cancel": 1, - "create": 1, - "delete": 1, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Material Manager", - "submit": 1, + "amend": 1, + "cancel": 1, + "create": 1, + "delete": 1, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Material Manager", + "submit": 1, "write": 1 } - ], - "read_only": 0, - "read_only_onload": 0, - "search_fields": "transfer_date, from_warehouse, to_warehouse, purpose, remarks", - "sort_field": "modified", + ], + "read_only": 0, + "read_only_onload": 0, + "search_fields": "from_warehouse, to_warehouse, purpose, remarks", + "sort_field": "modified", "sort_order": "DESC" -} \ No newline at end of file +} From 22608ad206942668a55fb247fd51f3242e20b259 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Tue, 29 Jul 2014 23:20:42 +0530 Subject: [PATCH 427/630] [travis] --- .travis.yml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.travis.yml b/.travis.yml index 71ab0f73e2..cecf9666af 100644 --- a/.travis.yml +++ b/.travis.yml @@ -17,7 +17,7 @@ install: - wget http://downloads.sourceforge.net/project/wkhtmltopdf/0.12.1/wkhtmltox-0.12.1_linux-precise-amd64.deb - sudo dpkg -i wkhtmltox-0.12.1_linux-precise-amd64.deb - - CFLAGS=-O0 pip install git+https://github.com/frappe/frappe.git@$develop && + - CFLAGS=-O0 pip install git+https://github.com/frappe/frappe.git@develop && - pip install --editable . before_script: From 3f790eae55a532af27c5b3eba1d97c1a3293a4fb Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Tue, 29 Jul 2014 23:42:30 +0530 Subject: [PATCH 428/630] [travis] --- .travis.yml | 1 - 1 file changed, 1 deletion(-) diff --git a/.travis.yml b/.travis.yml index cecf9666af..53ca62cd7a 100644 --- a/.travis.yml +++ b/.travis.yml @@ -16,7 +16,6 @@ install: - sudo apt-get install mariadb-server mariadb-common libmariadbclient-dev - wget http://downloads.sourceforge.net/project/wkhtmltopdf/0.12.1/wkhtmltox-0.12.1_linux-precise-amd64.deb - sudo dpkg -i wkhtmltox-0.12.1_linux-precise-amd64.deb - - CFLAGS=-O0 pip install git+https://github.com/frappe/frappe.git@develop && - pip install --editable . From 20fbfa2a44e63f757c4a51118e32f7a274055479 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Wed, 30 Jul 2014 11:50:05 +0530 Subject: [PATCH 429/630] [travis] --- .travis.yml | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/.travis.yml b/.travis.yml index 53ca62cd7a..07517e6d68 100644 --- a/.travis.yml +++ b/.travis.yml @@ -16,8 +16,8 @@ install: - sudo apt-get install mariadb-server mariadb-common libmariadbclient-dev - wget http://downloads.sourceforge.net/project/wkhtmltopdf/0.12.1/wkhtmltox-0.12.1_linux-precise-amd64.deb - sudo dpkg -i wkhtmltox-0.12.1_linux-precise-amd64.deb - - CFLAGS=-O0 pip install git+https://github.com/frappe/frappe.git@develop && - - pip install --editable . + - CFLAGS=-O0 pip install git+https://github.com/frappe/frappe.git@develop + - CFLAGS=-O0 pip install --editable . before_script: - mysql -e 'create database test_frappe' From 627f13ea2612f9d5bfc4500c0acad48afec09bb8 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Wed, 30 Jul 2014 13:09:01 +0530 Subject: [PATCH 430/630] Changed fieldtype of 'contact_email', 'contact_mobile' to Small Text --- .../accounts/doctype/purchase_invoice/purchase_invoice.json | 6 +++--- erpnext/accounts/doctype/sales_invoice/sales_invoice.json | 6 +++--- erpnext/buying/doctype/purchase_order/purchase_order.json | 6 +++--- .../doctype/supplier_quotation/supplier_quotation.json | 6 +++--- .../doctype/installation_note/installation_note.json | 6 +++--- erpnext/selling/doctype/opportunity/opportunity.json | 6 +++--- erpnext/selling/doctype/quotation/quotation.json | 6 +++--- erpnext/selling/doctype/sales_order/sales_order.json | 6 +++--- erpnext/stock/doctype/delivery_note/delivery_note.json | 6 +++--- .../stock/doctype/purchase_receipt/purchase_receipt.json | 6 +++--- 10 files changed, 30 insertions(+), 30 deletions(-) diff --git a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.json b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.json index fc9d3c7b54..6bb8cfbf43 100755 --- a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.json +++ b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.json @@ -77,7 +77,7 @@ }, { "fieldname": "contact_mobile", - "fieldtype": "Text", + "fieldtype": "Small Text", "hidden": 1, "label": "Mobile No", "permlevel": 0, @@ -85,7 +85,7 @@ }, { "fieldname": "contact_email", - "fieldtype": "Text", + "fieldtype": "Small Text", "hidden": 1, "label": "Contact Email", "permlevel": 0, @@ -753,7 +753,7 @@ "icon": "icon-file-text", "idx": 1, "is_submittable": 1, - "modified": "2014-07-24 08:46:13.099099", + "modified": "2014-07-30 03:37:31.282665", "modified_by": "Administrator", "module": "Accounts", "name": "Purchase Invoice", diff --git a/erpnext/accounts/doctype/sales_invoice/sales_invoice.json b/erpnext/accounts/doctype/sales_invoice/sales_invoice.json index 4c3d8a34e9..7265fc6d7f 100644 --- a/erpnext/accounts/doctype/sales_invoice/sales_invoice.json +++ b/erpnext/accounts/doctype/sales_invoice/sales_invoice.json @@ -71,7 +71,7 @@ }, { "fieldname": "contact_mobile", - "fieldtype": "Text", + "fieldtype": "Small Text", "hidden": 1, "label": "Mobile No", "permlevel": 0, @@ -79,7 +79,7 @@ }, { "fieldname": "contact_email", - "fieldtype": "Text", + "fieldtype": "Small Text", "hidden": 1, "label": "Contact Email", "permlevel": 0, @@ -1188,7 +1188,7 @@ "icon": "icon-file-text", "idx": 1, "is_submittable": 1, - "modified": "2014-07-21 05:31:24.670731", + "modified": "2014-07-30 03:37:32.821442", "modified_by": "Administrator", "module": "Accounts", "name": "Sales Invoice", diff --git a/erpnext/buying/doctype/purchase_order/purchase_order.json b/erpnext/buying/doctype/purchase_order/purchase_order.json index 61646d1af4..e761c183ca 100644 --- a/erpnext/buying/doctype/purchase_order/purchase_order.json +++ b/erpnext/buying/doctype/purchase_order/purchase_order.json @@ -67,7 +67,7 @@ }, { "fieldname": "contact_mobile", - "fieldtype": "Text", + "fieldtype": "Small Text", "hidden": 1, "label": "Mobile No", "permlevel": 0, @@ -75,7 +75,7 @@ }, { "fieldname": "contact_email", - "fieldtype": "Text", + "fieldtype": "Small Text", "hidden": 1, "label": "Contact Email", "permlevel": 0, @@ -645,7 +645,7 @@ "icon": "icon-file-text", "idx": 1, "is_submittable": 1, - "modified": "2014-07-21 05:34:36.390448", + "modified": "2014-07-30 03:37:33.378776", "modified_by": "Administrator", "module": "Buying", "name": "Purchase Order", diff --git a/erpnext/buying/doctype/supplier_quotation/supplier_quotation.json b/erpnext/buying/doctype/supplier_quotation/supplier_quotation.json index fb648b9b0c..f5aa34fa95 100644 --- a/erpnext/buying/doctype/supplier_quotation/supplier_quotation.json +++ b/erpnext/buying/doctype/supplier_quotation/supplier_quotation.json @@ -67,7 +67,7 @@ }, { "fieldname": "contact_mobile", - "fieldtype": "Text", + "fieldtype": "Small Text", "hidden": 1, "label": "Mobile No", "permlevel": 0, @@ -75,7 +75,7 @@ }, { "fieldname": "contact_email", - "fieldtype": "Text", + "fieldtype": "Small Text", "hidden": 1, "label": "Contact Email", "permlevel": 0, @@ -571,7 +571,7 @@ "icon": "icon-shopping-cart", "idx": 1, "is_submittable": 1, - "modified": "2014-07-24 05:16:47.062261", + "modified": "2014-07-30 03:37:33.735264", "modified_by": "Administrator", "module": "Buying", "name": "Supplier Quotation", diff --git a/erpnext/selling/doctype/installation_note/installation_note.json b/erpnext/selling/doctype/installation_note/installation_note.json index 56df0615a3..289af756da 100644 --- a/erpnext/selling/doctype/installation_note/installation_note.json +++ b/erpnext/selling/doctype/installation_note/installation_note.json @@ -91,7 +91,7 @@ { "depends_on": "customer", "fieldname": "contact_mobile", - "fieldtype": "Text", + "fieldtype": "Small Text", "label": "Mobile No", "permlevel": 0, "read_only": 1 @@ -99,7 +99,7 @@ { "depends_on": "customer", "fieldname": "contact_email", - "fieldtype": "Text", + "fieldtype": "Small Text", "label": "Contact Email", "permlevel": 0, "print_hide": 1, @@ -236,7 +236,7 @@ "icon": "icon-wrench", "idx": 1, "is_submittable": 1, - "modified": "2014-06-23 07:55:48.805241", + "modified": "2014-07-30 03:37:31.118791", "modified_by": "Administrator", "module": "Selling", "name": "Installation Note", diff --git a/erpnext/selling/doctype/opportunity/opportunity.json b/erpnext/selling/doctype/opportunity/opportunity.json index a287c227e4..dea15e060c 100644 --- a/erpnext/selling/doctype/opportunity/opportunity.json +++ b/erpnext/selling/doctype/opportunity/opportunity.json @@ -243,7 +243,7 @@ { "depends_on": "eval:doc.lead || doc.customer", "fieldname": "contact_email", - "fieldtype": "Text", + "fieldtype": "Small Text", "label": "Contact Email", "permlevel": 0, "read_only": 1 @@ -251,7 +251,7 @@ { "depends_on": "eval:doc.lead || doc.customer", "fieldname": "contact_mobile", - "fieldtype": "Text", + "fieldtype": "Small Text", "label": "Contact Mobile No", "permlevel": 0, "read_only": 1 @@ -411,7 +411,7 @@ "icon": "icon-info-sign", "idx": 1, "is_submittable": 1, - "modified": "2014-07-24 08:55:09.807048", + "modified": "2014-07-30 03:37:31.687489", "modified_by": "Administrator", "module": "Selling", "name": "Opportunity", diff --git a/erpnext/selling/doctype/quotation/quotation.json b/erpnext/selling/doctype/quotation/quotation.json index 87943646c7..9515121f5e 100644 --- a/erpnext/selling/doctype/quotation/quotation.json +++ b/erpnext/selling/doctype/quotation/quotation.json @@ -113,7 +113,7 @@ }, { "fieldname": "contact_mobile", - "fieldtype": "Text", + "fieldtype": "Small Text", "hidden": 1, "label": "Mobile No", "permlevel": 0, @@ -122,7 +122,7 @@ }, { "fieldname": "contact_email", - "fieldtype": "Text", + "fieldtype": "Small Text", "hidden": 1, "label": "Contact Email", "permlevel": 0, @@ -827,7 +827,7 @@ "idx": 1, "is_submittable": 1, "max_attachments": 1, - "modified": "2014-07-21 05:44:26.800041", + "modified": "2014-07-30 03:37:34.071896", "modified_by": "Administrator", "module": "Selling", "name": "Quotation", diff --git a/erpnext/selling/doctype/sales_order/sales_order.json b/erpnext/selling/doctype/sales_order/sales_order.json index 6cc7b83c3d..b83dfb20e3 100644 --- a/erpnext/selling/doctype/sales_order/sales_order.json +++ b/erpnext/selling/doctype/sales_order/sales_order.json @@ -75,7 +75,7 @@ }, { "fieldname": "contact_mobile", - "fieldtype": "Text", + "fieldtype": "Small Text", "hidden": 1, "label": "Mobile No", "permlevel": 0, @@ -83,7 +83,7 @@ }, { "fieldname": "contact_email", - "fieldtype": "Text", + "fieldtype": "Small Text", "hidden": 1, "label": "Contact Email", "permlevel": 0, @@ -889,7 +889,7 @@ "idx": 1, "is_submittable": 1, "issingle": 0, - "modified": "2014-07-16 16:32:16.459587", + "modified": "2014-07-30 03:37:34.478139", "modified_by": "Administrator", "module": "Selling", "name": "Sales Order", diff --git a/erpnext/stock/doctype/delivery_note/delivery_note.json b/erpnext/stock/doctype/delivery_note/delivery_note.json index 84570abd82..f3d3d8c3ba 100644 --- a/erpnext/stock/doctype/delivery_note/delivery_note.json +++ b/erpnext/stock/doctype/delivery_note/delivery_note.json @@ -104,7 +104,7 @@ }, { "fieldname": "contact_mobile", - "fieldtype": "Text", + "fieldtype": "Small Text", "hidden": 1, "label": "Mobile No", "permlevel": 0, @@ -112,7 +112,7 @@ }, { "fieldname": "contact_email", - "fieldtype": "Text", + "fieldtype": "Small Text", "hidden": 1, "label": "Contact Email", "permlevel": 0, @@ -1009,7 +1009,7 @@ "idx": 1, "in_create": 0, "is_submittable": 1, - "modified": "2014-07-24 08:48:06.944540", + "modified": "2014-07-30 03:37:31.908351", "modified_by": "Administrator", "module": "Stock", "name": "Delivery Note", diff --git a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.json b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.json index ebdc80e463..272cc6e2ed 100755 --- a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.json +++ b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.json @@ -77,7 +77,7 @@ }, { "fieldname": "contact_mobile", - "fieldtype": "Text", + "fieldtype": "Small Text", "hidden": 1, "label": "Mobile No", "permlevel": 0, @@ -85,7 +85,7 @@ }, { "fieldname": "contact_email", - "fieldtype": "Text", + "fieldtype": "Small Text", "hidden": 1, "label": "Contact Email", "permlevel": 0, @@ -762,7 +762,7 @@ "icon": "icon-truck", "idx": 1, "is_submittable": 1, - "modified": "2014-07-24 08:49:12.407907", + "modified": "2014-07-30 03:37:32.389734", "modified_by": "Administrator", "module": "Stock", "name": "Purchase Receipt", From cd4d6a228bc05ee61dbec52c6f04fe1a4497d434 Mon Sep 17 00:00:00 2001 From: Pratik Vyas Date: Wed, 30 Jul 2014 16:42:39 +0530 Subject: [PATCH 431/630] Update .travis.yml --- .travis.yml | 1 + 1 file changed, 1 insertion(+) diff --git a/.travis.yml b/.travis.yml index 07517e6d68..a935e23e72 100644 --- a/.travis.yml +++ b/.travis.yml @@ -22,6 +22,7 @@ install: before_script: - mysql -e 'create database test_frappe' - echo "USE mysql;\nCREATE USER 'test_frappe'@'localhost' IDENTIFIED BY 'test_frappe';\nFLUSH PRIVILEGES;\n" | mysql -u root + - echo "USE mysql;\nGRANT ALL PRIVILEGES ON `test_frappe`.* TO 'test_frappe'@'localhost;\n" | mysql -u root script: - cd ./test_sites/ From 5a5b405a18c6b233e833f020a881d5b2609149fa Mon Sep 17 00:00:00 2001 From: Pratik Vyas Date: Wed, 30 Jul 2014 16:49:05 +0530 Subject: [PATCH 432/630] Update .travis.yml --- .travis.yml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.travis.yml b/.travis.yml index a935e23e72..1b4e3403f1 100644 --- a/.travis.yml +++ b/.travis.yml @@ -22,7 +22,7 @@ install: before_script: - mysql -e 'create database test_frappe' - echo "USE mysql;\nCREATE USER 'test_frappe'@'localhost' IDENTIFIED BY 'test_frappe';\nFLUSH PRIVILEGES;\n" | mysql -u root - - echo "USE mysql;\nGRANT ALL PRIVILEGES ON `test_frappe`.* TO 'test_frappe'@'localhost;\n" | mysql -u root + - echo "USE mysql;\nGRANT ALL PRIVILEGES ON \`test_frappe\`.* TO 'test_frappe'@'localhost';\n" | mysql -u root script: - cd ./test_sites/ From 35cc320e213cc58cdca10bac640918155138db01 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Wed, 30 Jul 2014 17:00:05 +0530 Subject: [PATCH 433/630] [fixes] Leave Application and Toggle Rounded Totals --- erpnext/hr/doctype/leave_application/leave_application.py | 6 +++--- erpnext/patches.txt | 2 +- erpnext/setup/doctype/global_defaults/global_defaults.py | 8 +++++--- 3 files changed, 9 insertions(+), 7 deletions(-) diff --git a/erpnext/hr/doctype/leave_application/leave_application.py b/erpnext/hr/doctype/leave_application/leave_application.py index 27833913e8..124e309c4c 100755 --- a/erpnext/hr/doctype/leave_application/leave_application.py +++ b/erpnext/hr/doctype/leave_application/leave_application.py @@ -252,7 +252,7 @@ def get_events(start, end): if "Employee" in frappe.get_roles(): add_department_leaves(events, start, end, employee, company) - add_leaves(events, start, end, employee, company, match_conditions) + add_leaves(events, start, end, match_conditions) add_block_dates(events, start, end, employee, company) add_holidays(events, start, end, employee, company) @@ -270,9 +270,9 @@ def add_department_leaves(events, start, end, employee, company): and company=%s""", (department, company)) match_conditions = "employee in (\"%s\")" % '", "'.join(department_employees) - add_leaves(events, start, end, employee, company, match_conditions=match_conditions) + add_leaves(events, start, end, match_conditions=match_conditions) -def add_leaves(events, start, end, employee, company, match_conditions=None): +def add_leaves(events, start, end, match_conditions=None): query = """select name, from_date, to_date, employee_name, half_day, status, employee, docstatus from `tabLeave Application` where diff --git a/erpnext/patches.txt b/erpnext/patches.txt index 44d5b3a4c0..275e600d70 100644 --- a/erpnext/patches.txt +++ b/erpnext/patches.txt @@ -73,4 +73,4 @@ execute:frappe.delete_doc("DocType", "Payment to Invoice Matching Tool") # 29-07 execute:frappe.delete_doc("DocType", "Payment to Invoice Matching Tool Detail") # 29-07-2014 execute:frappe.delete_doc("Page", "trial-balance") #2014-07-22 erpnext.patches.v4_2.delete_old_print_formats #2014-07-29 -erpnext.patches.v4_2.toggle_rounded_total +erpnext.patches.v4_2.toggle_rounded_total #2014-07-30 diff --git a/erpnext/setup/doctype/global_defaults/global_defaults.py b/erpnext/setup/doctype/global_defaults/global_defaults.py index 4764484166..a8905f1262 100644 --- a/erpnext/setup/doctype/global_defaults/global_defaults.py +++ b/erpnext/setup/doctype/global_defaults/global_defaults.py @@ -57,6 +57,8 @@ class GlobalDefaults(Document): # Make property setters to hide rounded total fields for doctype in ("Quotation", "Sales Order", "Sales Invoice", "Delivery Note"): - for fieldname in ("rounded_total", "rounded_total_export"): - make_property_setter(doctype, fieldname, "hidden", self.disable_rounded_total, "Check") - make_property_setter(doctype, fieldname, "print_hide", self.disable_rounded_total, "Check") + make_property_setter(doctype, "rounded_total", "hidden", self.disable_rounded_total, "Check") + make_property_setter(doctype, "rounded_total", "print_hide", 1, "Check") + + make_property_setter(doctype, "rounded_total_export", "hidden", self.disable_rounded_total, "Check") + make_property_setter(doctype, "rounded_total_export", "print_hide", self.disable_rounded_total, "Check") From c1f65dd863cd39222b50eeab4e9d80a22cea0298 Mon Sep 17 00:00:00 2001 From: nabinhait Date: Tue, 29 Jul 2014 16:59:20 +0530 Subject: [PATCH 434/630] Validation: Account must belong to the same company --- erpnext/accounts/doctype/account/account.py | 25 +++++++++++--------- erpnext/setup/doctype/company/company.py | 17 +++++++++++-- erpnext/stock/doctype/warehouse/warehouse.py | 23 ++++++++++++++---- 3 files changed, 47 insertions(+), 18 deletions(-) diff --git a/erpnext/accounts/doctype/account/account.py b/erpnext/accounts/doctype/account/account.py index 014dde51e9..5b034f8b23 100644 --- a/erpnext/accounts/doctype/account/account.py +++ b/erpnext/accounts/doctype/account/account.py @@ -41,21 +41,24 @@ class Account(Document): throw(_("Invalid Master Name")) def validate_parent(self): - """Fetch Parent Details and validation for account not to be created under ledger""" + """Fetch Parent Details and validate parent account""" if self.parent_account: par = frappe.db.get_value("Account", self.parent_account, - ["name", "group_or_ledger", "report_type", "root_type"], as_dict=1) + ["name", "group_or_ledger", "report_type", "root_type", "company"], as_dict=1) if not par: - throw(_("Parent account does not exist")) - elif par["name"] == self.name: - throw(_("You can not assign itself as parent account")) - elif par["group_or_ledger"] != 'Group': - throw(_("Parent account can not be a ledger")) + throw(_("Account {0}: Parent account {1} does not exist").format(self.name, self.parent_account)) + elif par.name == self.name: + throw(_("Account {0}: You can not assign itself as parent account").format(self.name)) + elif par.group_or_ledger != 'Group': + throw(_("Account {0}: Parent account {1} can not be a ledger").format(self.name, self.parent_account)) + elif par.company != self.company: + throw(_("Account {0}: Parent account {1} does not belong to company: {2}") + .format(self.name, self.parent_account, self.company)) - if par["report_type"]: - self.report_type = par["report_type"] - if par["root_type"]: - self.root_type = par["root_type"] + if par.report_type: + self.report_type = par.report_type + if par.root_type: + self.root_type = par.root_type def validate_root_details(self): #does not exists parent diff --git a/erpnext/setup/doctype/company/company.py b/erpnext/setup/doctype/company/company.py index f8e043a927..bd623e6ad6 100644 --- a/erpnext/setup/doctype/company/company.py +++ b/erpnext/setup/doctype/company/company.py @@ -35,6 +35,18 @@ class Company(Document): self.default_currency != self.previous_default_currency and \ self.check_if_transactions_exist(): frappe.throw(_("Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.")) + + self.validate_default_accounts() + + def validate_default_accounts(self): + for field in ["default_bank_account", "default_cash_account", "receivables_group", "payables_group", + "default_expense_account", "default_income_account", "stock_received_but_not_billed", + "stock_adjustment_account", "expenses_included_in_valuation"]: + if self.get(field): + for_company = frappe.db.get_value("Account", self.get(field), "company") + if for_company != self.name: + frappe.throw(_("Account {0} does not belong to company: {1}") + .format(self.get(field), self.name)) def on_update(self): if not frappe.db.sql("""select name from tabAccount @@ -60,7 +72,7 @@ class Company(Document): for whname in (_("Stores"), _("Work In Progress"), _("Finished Goods")): if not frappe.db.exists("Warehouse", whname + " - " + self.abbr): stock_group = frappe.db.get_value("Account", {"account_type": "Stock", - "group_or_ledger": "Group"}) + "group_or_ledger": "Group", "company": self.name}) if stock_group: frappe.get_doc({ "doctype":"Warehouse", @@ -115,7 +127,8 @@ class Company(Document): _set_default_account("expenses_included_in_valuation", "Expenses Included In Valuation") if not self.default_income_account: - self.db_set("default_income_account", frappe.db.get_value("Account", {"account_name": _("Sales")})) + self.db_set("default_income_account", frappe.db.get_value("Account", + {"account_name": _("Sales"), "company": self.name})) def create_default_cost_center(self): cc_list = [ diff --git a/erpnext/stock/doctype/warehouse/warehouse.py b/erpnext/stock/doctype/warehouse/warehouse.py index 2b6892890a..0095bbb4e5 100644 --- a/erpnext/stock/doctype/warehouse/warehouse.py +++ b/erpnext/stock/doctype/warehouse/warehouse.py @@ -22,11 +22,16 @@ class Warehouse(Document): self.update_parent_account() def update_parent_account(self): - if not getattr(self, "__islocal", None) and (self.create_account_under != - frappe.db.get_value("Warehouse", self.name, "create_account_under")): - warehouse_account = frappe.db.get_value("Account", - {"account_type": "Warehouse", "company": self.company, - "master_name": self.name}, ["name", "parent_account"]) + + if not getattr(self, "__islocal", None) \ + and (self.create_account_under != frappe.db.get_value("Warehouse", self.name, "create_account_under")): + + self.validate_parent_account() + + warehouse_account = frappe.db.get_value("Account", + {"account_type": "Warehouse", "company": self.company, "master_name": self.name}, + ["name", "parent_account"]) + if warehouse_account and warehouse_account[1] != self.create_account_under: acc_doc = frappe.get_doc("Account", warehouse_account[0]) acc_doc.parent_account = self.create_account_under @@ -57,13 +62,21 @@ class Warehouse(Document): msgprint(_("Account head {0} created").format(ac_doc.name)) def validate_parent_account(self): + if not self.company: + frappe.throw(_("Warehouse {0}: Company is mandatory").format(self.name)) + if not self.create_account_under: parent_account = frappe.db.get_value("Account", {"account_name": "Stock Assets", "company": self.company}) + if parent_account: self.create_account_under = parent_account else: frappe.throw(_("Please enter parent account group for warehouse account")) + elif frappe.db.get_value("Account", self.create_account_under, "company") != self.company: + frappe.throw(_("Warehouse {0}: Parent account {1} does not bolong to the company {2}") + .format(self.name, self.create_account_under, self.company)) + def on_trash(self): # delete bin From 0ad677045ae18fac064c0b3384680f3678687a67 Mon Sep 17 00:00:00 2001 From: nabinhait Date: Tue, 29 Jul 2014 17:47:02 +0530 Subject: [PATCH 435/630] Test record fixed for warehouse --- erpnext/accounts/general_ledger.py | 3 ++- erpnext/stock/doctype/warehouse/test_records.json | 2 +- 2 files changed, 3 insertions(+), 2 deletions(-) diff --git a/erpnext/accounts/general_ledger.py b/erpnext/accounts/general_ledger.py index 3fbbe39e2c..673149577d 100644 --- a/erpnext/accounts/general_ledger.py +++ b/erpnext/accounts/general_ledger.py @@ -15,7 +15,8 @@ def make_gl_entries(gl_map, cancel=False, adv_adj=False, merge_entries=True, if gl_map: if not cancel: gl_map = process_gl_map(gl_map, merge_entries) - save_entries(gl_map, adv_adj, update_outstanding) + if gl_map: + save_entries(gl_map, adv_adj, update_outstanding) else: delete_gl_entries(gl_map, adv_adj=adv_adj, update_outstanding=update_outstanding) diff --git a/erpnext/stock/doctype/warehouse/test_records.json b/erpnext/stock/doctype/warehouse/test_records.json index e0941af26c..72071f88ca 100644 --- a/erpnext/stock/doctype/warehouse/test_records.json +++ b/erpnext/stock/doctype/warehouse/test_records.json @@ -13,7 +13,7 @@ }, { "company": "_Test Company 1", - "create_account_under": "Stock Assets - _TC", + "create_account_under": "Stock Assets - _TC1", "doctype": "Warehouse", "warehouse_name": "_Test Warehouse 2" }, From c34329284b8759f0a48498c8d49e7a6724cd2451 Mon Sep 17 00:00:00 2001 From: nabinhait Date: Tue, 29 Jul 2014 18:06:18 +0530 Subject: [PATCH 436/630] Post gl entries only if there are atleast 2 distinct account head --- erpnext/accounts/general_ledger.py | 4 +++- 1 file changed, 3 insertions(+), 1 deletion(-) diff --git a/erpnext/accounts/general_ledger.py b/erpnext/accounts/general_ledger.py index 673149577d..a98d6d08f2 100644 --- a/erpnext/accounts/general_ledger.py +++ b/erpnext/accounts/general_ledger.py @@ -15,8 +15,10 @@ def make_gl_entries(gl_map, cancel=False, adv_adj=False, merge_entries=True, if gl_map: if not cancel: gl_map = process_gl_map(gl_map, merge_entries) - if gl_map: + if gl_map and len(gl_map) > 1: save_entries(gl_map, adv_adj, update_outstanding) + else: + frappe.throw(_("No general ledger entries. You might have selected wrong account head")) else: delete_gl_entries(gl_map, adv_adj=adv_adj, update_outstanding=update_outstanding) From 4859b48c4302796ff26e4506b3329105f7294d18 Mon Sep 17 00:00:00 2001 From: nabinhait Date: Wed, 30 Jul 2014 14:28:24 +0530 Subject: [PATCH 437/630] message fix --- erpnext/accounts/general_ledger.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/accounts/general_ledger.py b/erpnext/accounts/general_ledger.py index a98d6d08f2..211476822f 100644 --- a/erpnext/accounts/general_ledger.py +++ b/erpnext/accounts/general_ledger.py @@ -18,7 +18,7 @@ def make_gl_entries(gl_map, cancel=False, adv_adj=False, merge_entries=True, if gl_map and len(gl_map) > 1: save_entries(gl_map, adv_adj, update_outstanding) else: - frappe.throw(_("No general ledger entries. You might have selected wrong account head")) + frappe.throw(_("Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.")) else: delete_gl_entries(gl_map, adv_adj=adv_adj, update_outstanding=update_outstanding) From d6ff58daa10707eb2878dcd3104a4262fd7b1bec Mon Sep 17 00:00:00 2001 From: nabinhait Date: Wed, 30 Jul 2014 14:40:57 +0530 Subject: [PATCH 438/630] Minor fix in customer issue --- erpnext/support/doctype/customer_issue/customer_issue.py | 1 - 1 file changed, 1 deletion(-) diff --git a/erpnext/support/doctype/customer_issue/customer_issue.py b/erpnext/support/doctype/customer_issue/customer_issue.py index d6d65966fe..6f368a8b04 100644 --- a/erpnext/support/doctype/customer_issue/customer_issue.py +++ b/erpnext/support/doctype/customer_issue/customer_issue.py @@ -20,7 +20,6 @@ class CustomerIssue(TransactionBase): if self.status=="Closed" and \ frappe.db.get_value("Customer Issue", self.name, "status")!="Closed": self.resolution_date = today() - self.resolved_by = frappe.session.user def on_cancel(self): lst = frappe.db.sql("""select t1.name From 8dbd295c9ba451a207e1155c60862c3494f4e2c0 Mon Sep 17 00:00:00 2001 From: nabinhait Date: Thu, 31 Jul 2014 11:40:21 +0530 Subject: [PATCH 439/630] bom operations on_delete_row function --- erpnext/manufacturing/doctype/bom/bom.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/manufacturing/doctype/bom/bom.js b/erpnext/manufacturing/doctype/bom/bom.js index 6af63d9633..d73ac9a11e 100644 --- a/erpnext/manufacturing/doctype/bom/bom.js +++ b/erpnext/manufacturing/doctype/bom/bom.js @@ -53,7 +53,7 @@ erpnext.bom.set_operation_no = function(doc) { refresh_field("bom_materials"); } -cur_frm.fields_dict["bom_operations"].grid.on_row_delete = function(cdt, cdn){ +cur_frm.cscript.bom_operations_remove = function(){ erpnext.bom.set_operation_no(doc); } From 8efd74b9b1899c4fcf01ae3d88c10eda4433049d Mon Sep 17 00:00:00 2001 From: nabinhait Date: Thu, 31 Jul 2014 12:12:05 +0530 Subject: [PATCH 440/630] Activity: fix for timeline-wise display --- erpnext/home/page/activity/activity.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/home/page/activity/activity.js b/erpnext/home/page/activity/activity.js index 2494885ad9..57a38ac19b 100644 --- a/erpnext/home/page/activity/activity.js +++ b/erpnext/home/page/activity/activity.js @@ -73,7 +73,7 @@ erpnext.ActivityFeed = Class.extend({ var last = erpnext.last_feed_date; if((last && dateutil.obj_to_str(last) != dateutil.obj_to_str(date)) || (!last)) { - var diff = dateutil.get_day_diff(new Date(), date); + var diff = dateutil.get_day_diff(dateutil.get_today(), dateutil.obj_to_str(date)); if(diff < 1) { pdate = 'Today'; } else if(diff < 2) { From fbe37c9158899146b403a6f1efa2d0d1a351a130 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Thu, 31 Jul 2014 14:31:03 +0530 Subject: [PATCH 441/630] Labels: Use Date instead of Posting Date --- .../purchase_invoice/purchase_invoice.json | 4 +- .../doctype/sales_invoice/sales_invoice.js | 2 +- .../doctype/sales_invoice/sales_invoice.json | 156 +++++++++--------- .../purchase_order/purchase_order.json | 4 +- .../supplier_quotation.json | 4 +- .../selling/doctype/quotation/quotation.json | 4 +- .../doctype/sales_order/sales_order.json | 4 +- .../sales_order_item/sales_order_item.json | 3 +- .../doctype/delivery_note/delivery_note.json | 4 +- .../purchase_receipt/purchase_receipt.json | 4 +- 10 files changed, 95 insertions(+), 94 deletions(-) diff --git a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.json b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.json index 6bb8cfbf43..3a3b1a9b92 100755 --- a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.json +++ b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.json @@ -106,7 +106,7 @@ "fieldname": "posting_date", "fieldtype": "Date", "in_filter": 1, - "label": "Posting Date", + "label": "Date", "no_copy": 0, "oldfieldname": "posting_date", "oldfieldtype": "Date", @@ -753,7 +753,7 @@ "icon": "icon-file-text", "idx": 1, "is_submittable": 1, - "modified": "2014-07-30 03:37:31.282665", + "modified": "2014-07-31 04:59:24.939856", "modified_by": "Administrator", "module": "Accounts", "name": "Purchase Invoice", diff --git a/erpnext/accounts/doctype/sales_invoice/sales_invoice.js b/erpnext/accounts/doctype/sales_invoice/sales_invoice.js index 698200f617..06a496a9b6 100644 --- a/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +++ b/erpnext/accounts/doctype/sales_invoice/sales_invoice.js @@ -226,7 +226,7 @@ cur_frm.cscript.hide_fields = function(doc) { par_flds = ['project_name', 'due_date', 'is_opening', 'source', 'total_advance', 'gross_profit', 'gross_profit_percent', 'get_advances_received', 'advance_adjustment_details', 'sales_partner', 'commission_rate', - 'total_commission', 'advances']; + 'total_commission', 'advances', 'invoice_period_from_date', 'invoice_period_to_date']; item_flds_normal = ['sales_order', 'delivery_note'] diff --git a/erpnext/accounts/doctype/sales_invoice/sales_invoice.json b/erpnext/accounts/doctype/sales_invoice/sales_invoice.json index 7265fc6d7f..726aa439bd 100644 --- a/erpnext/accounts/doctype/sales_invoice/sales_invoice.json +++ b/erpnext/accounts/doctype/sales_invoice/sales_invoice.json @@ -86,6 +86,17 @@ "print_hide": 1, "read_only": 1 }, + { + "fieldname": "mode_of_payment", + "fieldtype": "Link", + "label": "Mode of Payment", + "no_copy": 0, + "oldfieldname": "mode_of_payment", + "oldfieldtype": "Select", + "options": "Mode of Payment", + "permlevel": 0, + "read_only": 0 + }, { "fieldname": "column_break1", "fieldtype": "Column Break", @@ -103,19 +114,6 @@ "print_hide": 1, "read_only": 0 }, - { - "fieldname": "amended_from", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Amended From", - "no_copy": 1, - "oldfieldname": "amended_from", - "oldfieldtype": "Link", - "options": "Sales Invoice", - "permlevel": 0, - "print_hide": 1, - "read_only": 1 - }, { "fieldname": "company", "fieldtype": "Link", @@ -130,12 +128,25 @@ "reqd": 1, "search_index": 0 }, + { + "fieldname": "amended_from", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Amended From", + "no_copy": 1, + "oldfieldname": "amended_from", + "oldfieldtype": "Link", + "options": "Sales Invoice", + "permlevel": 0, + "print_hide": 1, + "read_only": 1 + }, { "default": "Today", "fieldname": "posting_date", "fieldtype": "Date", "in_filter": 1, - "label": "Posting Date", + "label": "Date", "no_copy": 1, "oldfieldname": "posting_date", "oldfieldtype": "Date", @@ -159,14 +170,27 @@ "search_index": 0 }, { - "fieldname": "mode_of_payment", - "fieldtype": "Link", - "label": "Mode of Payment", - "no_copy": 0, - "oldfieldname": "mode_of_payment", - "oldfieldtype": "Select", - "options": "Mode of Payment", + "allow_on_submit": 1, + "depends_on": "", + "description": "Start date of current invoice's period", + "fieldname": "invoice_period_from_date", + "fieldtype": "Date", + "label": "Invoice Period From", + "no_copy": 1, "permlevel": 0, + "print_hide": 0, + "read_only": 0 + }, + { + "allow_on_submit": 1, + "depends_on": "", + "description": "End date of current invoice's period", + "fieldname": "invoice_period_to_date", + "fieldtype": "Date", + "label": "Invoice Period To", + "no_copy": 1, + "permlevel": 0, + "print_hide": 0, "read_only": 0 }, { @@ -1092,62 +1116,6 @@ "print_hide": 1, "read_only": 0 }, - { - "allow_on_submit": 1, - "depends_on": "eval:doc.convert_into_recurring_invoice==1", - "description": "Start date of current invoice's period", - "fieldname": "invoice_period_from_date", - "fieldtype": "Date", - "label": "Invoice Period From Date", - "no_copy": 1, - "permlevel": 0, - "print_hide": 1, - "read_only": 0 - }, - { - "allow_on_submit": 1, - "depends_on": "eval:doc.convert_into_recurring_invoice==1", - "description": "End date of current invoice's period", - "fieldname": "invoice_period_to_date", - "fieldtype": "Date", - "label": "Invoice Period To Date", - "no_copy": 1, - "permlevel": 0, - "print_hide": 1, - "read_only": 0 - }, - { - "fieldname": "column_break12", - "fieldtype": "Column Break", - "no_copy": 0, - "permlevel": 0, - "print_hide": 1, - "read_only": 0, - "width": "50%" - }, - { - "allow_on_submit": 1, - "depends_on": "eval:doc.convert_into_recurring_invoice==1", - "description": "Enter email id separated by commas, invoice will be mailed automatically on particular date", - "fieldname": "notification_email_address", - "fieldtype": "Small Text", - "label": "Notification Email Address", - "no_copy": 1, - "permlevel": 0, - "print_hide": 1, - "read_only": 0 - }, - { - "depends_on": "eval:doc.convert_into_recurring_invoice==1", - "description": "The unique id for tracking all recurring invoices.\u00a0It is generated on submit.", - "fieldname": "recurring_id", - "fieldtype": "Data", - "label": "Recurring Id", - "no_copy": 1, - "permlevel": 0, - "print_hide": 1, - "read_only": 1 - }, { "depends_on": "eval:doc.convert_into_recurring_invoice==1", "description": "The date on which next invoice will be generated. It is generated on submit.\n", @@ -1171,6 +1139,38 @@ "print_hide": 1, "read_only": 0 }, + { + "fieldname": "column_break12", + "fieldtype": "Column Break", + "no_copy": 0, + "permlevel": 0, + "print_hide": 1, + "read_only": 0, + "width": "50%" + }, + { + "depends_on": "eval:doc.convert_into_recurring_invoice==1", + "description": "The unique id for tracking all recurring invoices.\u00a0It is generated on submit.", + "fieldname": "recurring_id", + "fieldtype": "Data", + "label": "Recurring Id", + "no_copy": 1, + "permlevel": 0, + "print_hide": 1, + "read_only": 1 + }, + { + "allow_on_submit": 1, + "depends_on": "eval:doc.convert_into_recurring_invoice==1", + "description": "Enter email id separated by commas, invoice will be mailed automatically on particular date", + "fieldname": "notification_email_address", + "fieldtype": "Small Text", + "label": "Notification Email Address", + "no_copy": 1, + "permlevel": 0, + "print_hide": 1, + "read_only": 0 + }, { "fieldname": "against_income_account", "fieldtype": "Small Text", @@ -1188,7 +1188,7 @@ "icon": "icon-file-text", "idx": 1, "is_submittable": 1, - "modified": "2014-07-30 03:37:32.821442", + "modified": "2014-07-31 04:59:22.564878", "modified_by": "Administrator", "module": "Accounts", "name": "Sales Invoice", diff --git a/erpnext/buying/doctype/purchase_order/purchase_order.json b/erpnext/buying/doctype/purchase_order/purchase_order.json index e761c183ca..f6ae167107 100644 --- a/erpnext/buying/doctype/purchase_order/purchase_order.json +++ b/erpnext/buying/doctype/purchase_order/purchase_order.json @@ -95,7 +95,7 @@ "fieldname": "transaction_date", "fieldtype": "Date", "in_filter": 1, - "label": "Purchase Order Date", + "label": "Date", "oldfieldname": "transaction_date", "oldfieldtype": "Date", "permlevel": 0, @@ -645,7 +645,7 @@ "icon": "icon-file-text", "idx": 1, "is_submittable": 1, - "modified": "2014-07-30 03:37:33.378776", + "modified": "2014-07-31 04:59:24.561351", "modified_by": "Administrator", "module": "Buying", "name": "Purchase Order", diff --git a/erpnext/buying/doctype/supplier_quotation/supplier_quotation.json b/erpnext/buying/doctype/supplier_quotation/supplier_quotation.json index f5aa34fa95..235e4ebbc9 100644 --- a/erpnext/buying/doctype/supplier_quotation/supplier_quotation.json +++ b/erpnext/buying/doctype/supplier_quotation/supplier_quotation.json @@ -95,7 +95,7 @@ "fieldname": "transaction_date", "fieldtype": "Date", "in_filter": 1, - "label": "Quotation Date", + "label": "Date", "oldfieldname": "transaction_date", "oldfieldtype": "Date", "permlevel": 0, @@ -571,7 +571,7 @@ "icon": "icon-shopping-cart", "idx": 1, "is_submittable": 1, - "modified": "2014-07-30 03:37:33.735264", + "modified": "2014-07-31 04:59:24.134759", "modified_by": "Administrator", "module": "Buying", "name": "Supplier Quotation", diff --git a/erpnext/selling/doctype/quotation/quotation.json b/erpnext/selling/doctype/quotation/quotation.json index 9515121f5e..f1cc5dc9aa 100644 --- a/erpnext/selling/doctype/quotation/quotation.json +++ b/erpnext/selling/doctype/quotation/quotation.json @@ -172,7 +172,7 @@ "fieldname": "transaction_date", "fieldtype": "Date", "in_filter": 1, - "label": "Quotation Date", + "label": "Date", "no_copy": 1, "oldfieldname": "transaction_date", "oldfieldtype": "Date", @@ -827,7 +827,7 @@ "idx": 1, "is_submittable": 1, "max_attachments": 1, - "modified": "2014-07-30 03:37:34.071896", + "modified": "2014-07-31 04:59:20.653769", "modified_by": "Administrator", "module": "Selling", "name": "Quotation", diff --git a/erpnext/selling/doctype/sales_order/sales_order.json b/erpnext/selling/doctype/sales_order/sales_order.json index b83dfb20e3..4abb8f6275 100644 --- a/erpnext/selling/doctype/sales_order/sales_order.json +++ b/erpnext/selling/doctype/sales_order/sales_order.json @@ -145,7 +145,7 @@ "fieldname": "transaction_date", "fieldtype": "Date", "in_filter": 1, - "label": "Sales Order Date", + "label": "Date", "no_copy": 1, "oldfieldname": "transaction_date", "oldfieldtype": "Date", @@ -889,7 +889,7 @@ "idx": 1, "is_submittable": 1, "issingle": 0, - "modified": "2014-07-30 03:37:34.478139", + "modified": "2014-07-31 04:59:21.856833", "modified_by": "Administrator", "module": "Selling", "name": "Sales Order", diff --git a/erpnext/selling/doctype/sales_order_item/sales_order_item.json b/erpnext/selling/doctype/sales_order_item/sales_order_item.json index 582792f791..eb0c024723 100644 --- a/erpnext/selling/doctype/sales_order_item/sales_order_item.json +++ b/erpnext/selling/doctype/sales_order_item/sales_order_item.json @@ -414,6 +414,7 @@ "report_hide": 1 }, { + "description": "Used for Production Plan", "fieldname": "transaction_date", "fieldtype": "Date", "hidden": 1, @@ -431,7 +432,7 @@ ], "idx": 1, "istable": 1, - "modified": "2014-07-24 05:55:46.672279", + "modified": "2014-07-31 04:55:10.143164", "modified_by": "Administrator", "module": "Selling", "name": "Sales Order Item", diff --git a/erpnext/stock/doctype/delivery_note/delivery_note.json b/erpnext/stock/doctype/delivery_note/delivery_note.json index f3d3d8c3ba..c1ddb8af5e 100644 --- a/erpnext/stock/doctype/delivery_note/delivery_note.json +++ b/erpnext/stock/doctype/delivery_note/delivery_note.json @@ -164,7 +164,7 @@ "fieldname": "posting_date", "fieldtype": "Date", "in_filter": 1, - "label": "Posting Date", + "label": "Date", "no_copy": 1, "oldfieldname": "posting_date", "oldfieldtype": "Date", @@ -1009,7 +1009,7 @@ "idx": 1, "in_create": 0, "is_submittable": 1, - "modified": "2014-07-30 03:37:31.908351", + "modified": "2014-07-31 04:59:23.236970", "modified_by": "Administrator", "module": "Stock", "name": "Delivery Note", diff --git a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.json b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.json index 272cc6e2ed..7d823c21b0 100755 --- a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.json +++ b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.json @@ -104,7 +104,7 @@ "fieldname": "posting_date", "fieldtype": "Date", "in_filter": 1, - "label": "Posting Date", + "label": "Date", "no_copy": 1, "oldfieldname": "posting_date", "oldfieldtype": "Date", @@ -762,7 +762,7 @@ "icon": "icon-truck", "idx": 1, "is_submittable": 1, - "modified": "2014-07-30 03:37:32.389734", + "modified": "2014-07-31 04:59:25.379024", "modified_by": "Administrator", "module": "Stock", "name": "Purchase Receipt", From b91079676dd6290740e468ebdaf3de22527fa986 Mon Sep 17 00:00:00 2001 From: Pratik Vyas Date: Thu, 31 Jul 2014 14:31:58 +0530 Subject: [PATCH 442/630] [patch] remove reloading of removed print formats --- erpnext/patches/v4_0/reload_purchase_print_format.py | 10 ---------- erpnext/patches/v4_0/reload_sales_print_format.py | 12 ------------ 2 files changed, 22 deletions(-) delete mode 100644 erpnext/patches/v4_0/reload_purchase_print_format.py diff --git a/erpnext/patches/v4_0/reload_purchase_print_format.py b/erpnext/patches/v4_0/reload_purchase_print_format.py deleted file mode 100644 index d8f0433f2f..0000000000 --- a/erpnext/patches/v4_0/reload_purchase_print_format.py +++ /dev/null @@ -1,10 +0,0 @@ -# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors -# License: GNU General Public License v3. See license.txt - -from __future__ import unicode_literals -import frappe - -def execute(): - frappe.reload_doc('buying', 'Print Format', 'Purchase Order Classic') - frappe.reload_doc('buying', 'Print Format', 'Purchase Order Modern') - frappe.reload_doc('buying', 'Print Format', 'Purchase Order Spartan') \ No newline at end of file diff --git a/erpnext/patches/v4_0/reload_sales_print_format.py b/erpnext/patches/v4_0/reload_sales_print_format.py index a06e3cd3f7..99184e36ef 100644 --- a/erpnext/patches/v4_0/reload_sales_print_format.py +++ b/erpnext/patches/v4_0/reload_sales_print_format.py @@ -6,15 +6,3 @@ import frappe def execute(): frappe.reload_doc('accounts', 'Print Format', 'POS Invoice') - frappe.reload_doc('accounts', 'Print Format', 'Sales Invoice Classic') - frappe.reload_doc('accounts', 'Print Format', 'Sales Invoice Modern') - frappe.reload_doc('accounts', 'Print Format', 'Sales Invoice Spartan') - frappe.reload_doc('selling', 'Print Format', 'Quotation Classic') - frappe.reload_doc('selling', 'Print Format', 'Quotation Modern') - frappe.reload_doc('selling', 'Print Format', 'Quotation Spartan') - frappe.reload_doc('selling', 'Print Format', 'Sales Order Classic') - frappe.reload_doc('selling', 'Print Format', 'Sales Order Modern') - frappe.reload_doc('selling', 'Print Format', 'Sales Order Spartan') - frappe.reload_doc('stock', 'Print Format', 'Delivery Note Classic') - frappe.reload_doc('stock', 'Print Format', 'Delivery Note Modern') - frappe.reload_doc('stock', 'Print Format', 'Delivery Note Spartan') \ No newline at end of file From 29817d6d8be31c08d6f28e4372aa911eb26a4b10 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Thu, 31 Jul 2014 16:05:19 +0530 Subject: [PATCH 443/630] [print] Moved Total Taxes and Charges to the right column --- .../doctype/sales_invoice/sales_invoice.json | 18 +++++------ .../selling/doctype/quotation/quotation.json | 18 +++++------ .../doctype/sales_order/sales_order.json | 30 +++++++++---------- .../doctype/delivery_note/delivery_note.json | 30 +++++++++---------- 4 files changed, 48 insertions(+), 48 deletions(-) diff --git a/erpnext/accounts/doctype/sales_invoice/sales_invoice.json b/erpnext/accounts/doctype/sales_invoice/sales_invoice.json index 726aa439bd..a7827bc73f 100644 --- a/erpnext/accounts/doctype/sales_invoice/sales_invoice.json +++ b/erpnext/accounts/doctype/sales_invoice/sales_invoice.json @@ -427,10 +427,12 @@ "permlevel": 0 }, { - "fieldname": "other_charges_total_export", + "fieldname": "other_charges_total", "fieldtype": "Currency", - "label": "Total Taxes and Charges", - "options": "currency", + "label": "Total Taxes and Charges (Company Currency)", + "oldfieldname": "other_charges_total", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", "permlevel": 0, "print_hide": 1, "read_only": 1 @@ -441,12 +443,10 @@ "permlevel": 0 }, { - "fieldname": "other_charges_total", + "fieldname": "other_charges_total_export", "fieldtype": "Currency", - "label": "Total Taxes and Charges (Company Currency)", - "oldfieldname": "other_charges_total", - "oldfieldtype": "Currency", - "options": "Company:company:default_currency", + "label": "Total Taxes and Charges", + "options": "currency", "permlevel": 0, "print_hide": 1, "read_only": 1 @@ -1188,7 +1188,7 @@ "icon": "icon-file-text", "idx": 1, "is_submittable": 1, - "modified": "2014-07-31 04:59:22.564878", + "modified": "2014-07-31 06:34:41.295337", "modified_by": "Administrator", "module": "Accounts", "name": "Sales Invoice", diff --git a/erpnext/selling/doctype/quotation/quotation.json b/erpnext/selling/doctype/quotation/quotation.json index f1cc5dc9aa..de02584152 100644 --- a/erpnext/selling/doctype/quotation/quotation.json +++ b/erpnext/selling/doctype/quotation/quotation.json @@ -407,10 +407,12 @@ "permlevel": 0 }, { - "fieldname": "other_charges_total_export", + "fieldname": "other_charges_total", "fieldtype": "Currency", - "label": "Taxes and Charges Total", - "options": "currency", + "label": "Taxes and Charges Total (Company Currency)", + "oldfieldname": "other_charges_total", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", "permlevel": 0, "print_hide": 1, "read_only": 1 @@ -421,12 +423,10 @@ "permlevel": 0 }, { - "fieldname": "other_charges_total", + "fieldname": "other_charges_total_export", "fieldtype": "Currency", - "label": "Taxes and Charges Total (Company Currency)", - "oldfieldname": "other_charges_total", - "oldfieldtype": "Currency", - "options": "Company:company:default_currency", + "label": "Taxes and Charges Total", + "options": "currency", "permlevel": 0, "print_hide": 1, "read_only": 1 @@ -827,7 +827,7 @@ "idx": 1, "is_submittable": 1, "max_attachments": 1, - "modified": "2014-07-31 04:59:20.653769", + "modified": "2014-07-31 06:34:26.339765", "modified_by": "Administrator", "module": "Selling", "name": "Quotation", diff --git a/erpnext/selling/doctype/sales_order/sales_order.json b/erpnext/selling/doctype/sales_order/sales_order.json index 4abb8f6275..7b07e7d6e4 100644 --- a/erpnext/selling/doctype/sales_order/sales_order.json +++ b/erpnext/selling/doctype/sales_order/sales_order.json @@ -433,20 +433,6 @@ "fieldtype": "Section Break", "permlevel": 0 }, - { - "fieldname": "other_charges_total_export", - "fieldtype": "Currency", - "label": "Taxes and Charges Total", - "options": "currency", - "permlevel": 0, - "print_hide": 1, - "read_only": 1 - }, - { - "fieldname": "column_break_46", - "fieldtype": "Column Break", - "permlevel": 0 - }, { "fieldname": "other_charges_total", "fieldtype": "Currency", @@ -459,6 +445,20 @@ "read_only": 1, "width": "150px" }, + { + "fieldname": "column_break_46", + "fieldtype": "Column Break", + "permlevel": 0 + }, + { + "fieldname": "other_charges_total_export", + "fieldtype": "Currency", + "label": "Taxes and Charges Total", + "options": "currency", + "permlevel": 0, + "print_hide": 1, + "read_only": 1 + }, { "fieldname": "discount_amount", "fieldtype": "Currency", @@ -889,7 +889,7 @@ "idx": 1, "is_submittable": 1, "issingle": 0, - "modified": "2014-07-31 04:59:21.856833", + "modified": "2014-07-31 06:34:14.727868", "modified_by": "Administrator", "module": "Selling", "name": "Sales Order", diff --git a/erpnext/stock/doctype/delivery_note/delivery_note.json b/erpnext/stock/doctype/delivery_note/delivery_note.json index c1ddb8af5e..262ef48545 100644 --- a/erpnext/stock/doctype/delivery_note/delivery_note.json +++ b/erpnext/stock/doctype/delivery_note/delivery_note.json @@ -435,20 +435,6 @@ "fieldtype": "Section Break", "permlevel": 0 }, - { - "fieldname": "other_charges_total_export", - "fieldtype": "Currency", - "label": "Taxes and Charges Total", - "options": "Company:company:default_currency", - "permlevel": 0, - "print_hide": 1, - "read_only": 1 - }, - { - "fieldname": "column_break_47", - "fieldtype": "Column Break", - "permlevel": 0 - }, { "fieldname": "other_charges_total", "fieldtype": "Currency", @@ -462,6 +448,20 @@ "read_only": 1, "width": "150px" }, + { + "fieldname": "column_break_47", + "fieldtype": "Column Break", + "permlevel": 0 + }, + { + "fieldname": "other_charges_total_export", + "fieldtype": "Currency", + "label": "Taxes and Charges Total", + "options": "Company:company:default_currency", + "permlevel": 0, + "print_hide": 1, + "read_only": 1 + }, { "fieldname": "discount_amount", "fieldtype": "Currency", @@ -1009,7 +1009,7 @@ "idx": 1, "in_create": 0, "is_submittable": 1, - "modified": "2014-07-31 04:59:23.236970", + "modified": "2014-07-31 06:34:59.028308", "modified_by": "Administrator", "module": "Stock", "name": "Delivery Note", From 1b902073609e7c84f339ac90d3c55dcd36c12597 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Thu, 31 Jul 2014 18:57:51 +0530 Subject: [PATCH 444/630] [minor] [fix] Serial No Servic Contract Expiry --- erpnext/config/stock.py | 1 - 1 file changed, 1 deletion(-) diff --git a/erpnext/config/stock.py b/erpnext/config/stock.py index 30acc5b581..afee0f5e2d 100644 --- a/erpnext/config/stock.py +++ b/erpnext/config/stock.py @@ -197,7 +197,6 @@ def get_data(): }, { "type": "report", - "is_query_report": True, "name": "Serial No Service Contract Expiry", "doctype": "Serial No" }, From a66ef778ec189da61bf32dceb023ab6334cce02f Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Fri, 1 Aug 2014 00:06:42 +0530 Subject: [PATCH 445/630] [translations] Added Turkish, Vietnamese. Updated rest of the translations. [frappe/erpnext#2012] --- erpnext/translations/ar.csv | 304 +- erpnext/translations/de.csv | 302 +- erpnext/translations/el.csv | 302 +- erpnext/translations/es.csv | 302 +- erpnext/translations/fr.csv | 304 +- erpnext/translations/hi.csv | 302 +- erpnext/translations/hr.csv | 302 +- erpnext/translations/id.csv | 6557 ++++++++++++++++---------------- erpnext/translations/it.csv | 302 +- erpnext/translations/ja.csv | 5240 ++++++++++++------------- erpnext/translations/kn.csv | 302 +- erpnext/translations/ko.csv | 6508 +++++++++++++++---------------- erpnext/translations/nl.csv | 302 +- erpnext/translations/pt-BR.csv | 302 +- erpnext/translations/pt.csv | 302 +- erpnext/translations/ro.csv | 384 +- erpnext/translations/ru.csv | 6555 +++++++++++++++---------------- erpnext/translations/sr.csv | 302 +- erpnext/translations/ta.csv | 302 +- erpnext/translations/th.csv | 302 +- erpnext/translations/tr.csv | 3379 ++++++++++++++++ erpnext/translations/vi.csv | 3379 ++++++++++++++++ erpnext/translations/zh-cn.csv | 302 +- erpnext/translations/zh-tw.csv | 302 +- 24 files changed, 23563 insertions(+), 13577 deletions(-) create mode 100644 erpnext/translations/tr.csv create mode 100644 erpnext/translations/vi.csv diff --git a/erpnext/translations/ar.csv b/erpnext/translations/ar.csv index 1b688a2f92..8893c96389 100644 --- a/erpnext/translations/ar.csv +++ b/erpnext/translations/ar.csv @@ -14,7 +14,6 @@ % of materials delivered against this Sales Order,٪ من المواد الموردة ضد هذا أمر المبيعات % of materials ordered against this Material Request,٪ من المواد المطلوبة ضد هذه المادة طلب % of materials received against this Purchase Order,تلقى٪ من المواد ضد هذا أمر الشراء -%(conversion_rate_label)s is mandatory. Maybe Currency Exchange record is not created for %(from_currency)s to %(to_currency)s,٪ ( conversion_rate_label ) ق إلزامي. ربما لا يتم إنشاء سجل سعر صرف العملة ل ٪ ( from_currency ) s إلى٪ ( to_currency ) ق 'Actual Start Date' can not be greater than 'Actual End Date',""" تاريخ البدء الفعلي "" لا يمكن أن يكون أكبر من "" تاريخ الانتهاء الفعلي """ 'Based On' and 'Group By' can not be same,""" بناء على "" و "" المجموعة بواسطة ' لا يمكن أن يكون نفس" 'Days Since Last Order' must be greater than or equal to zero,"""أيام منذ بالدفع آخر "" يجب أن تكون أكبر من أو تساوي الصفر" @@ -30,11 +29,35 @@ 'Update Stock' for Sales Invoice {0} must be set,""" الأسهم تحديث ' ل فاتورة المبيعات {0} يجب تعيين" * Will be calculated in the transaction.,وسيتم احتساب * في المعاملة. "1 Currency = [?] Fraction -For e.g. 1 USD = 100 Cent",1 العملة = [ ؟ ] جزء \ n للحصول على سبيل المثال +For e.g. 1 USD = 100 Cent","1 العملة = [؟] جزء + لمثل 1 USD = 100 سنت" 1. To maintain the customer wise item code and to make them searchable based on their code use this option,1. للحفاظ على العملاء رمز البند الحكيمة والبحث فيها لجعلها تقوم على التعليمات البرمجية الخاصة بهم استخدام هذا الخيار "Add / Edit"," إضافة / تحرير < / A>" "Add / Edit"," إضافة / تحرير < / A>" "Add / Edit"," إضافة / تحرير < / A>" +"

Default Template

+

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

+
{{ address_line1 }}<br>
+{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}
+{{ city }}<br>
+{% if state %}{{ state }}<br>{% endif -%}
+{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}
+{{ country }}<br>
+{% if phone %}Phone: {{ phone }}<br>{% endif -%}
+{% if fax %}Fax: {{ fax }}<br>{% endif -%}
+{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
+
","

افتراضي قالب +

ويستخدم جنجا القولبة و كافة الحقول من العنوان ( بما في ذلك الحقول المخصصة إن وجدت) وسوف تكون متاحة +

 على  {{}} address_line1 
+ {٪ إذا address_line2٪} {{}} address_line2
{ ENDIF٪ -٪} + {{المدينة}}
+ {٪ إذا الدولة٪} {{الدولة}} {
٪ ENDIF -٪} + {٪ إذا كان الرقم السري٪} PIN: {{}} الرقم السري {
٪ ENDIF -٪} + {{البلد}}
+ {٪ إذا كان الهاتف٪} الهاتف: {{هاتف}} {
ENDIF٪ -٪} + {٪ إذا الفاكس٪} فاكس: {{}} الفاكس
{٪ ENDIF -٪} + {٪٪ إذا email_id} البريد الإلكتروني: {{}} email_id
؛ {٪ ENDIF -٪} + " A Customer Group exists with same name please change the Customer name or rename the Customer Group,يوجد مجموعة العملاء مع نفس الاسم الرجاء تغيير اسم العميل أو إعادة تسمية المجموعة العملاء A Customer exists with same name,العملاء من وجود نفس الاسم مع A Lead with this email id should exist,وينبغي أن يكون هذا المعرف الرصاص مع البريد الإلكتروني موجود @@ -44,7 +67,6 @@ A symbol for this currency. For e.g. $,رمزا لهذه العملة. على س AMC Expiry Date,AMC تاريخ انتهاء الاشتراك Abbr,ابر Abbreviation cannot have more than 5 characters,اختصار لا يمكن أن يكون أكثر من 5 أحرف -About,حول Above Value,فوق القيمة Absent,غائب Acceptance Criteria,معايير القبول @@ -59,6 +81,8 @@ Account Details,تفاصيل الحساب Account Head,رئيس حساب Account Name,اسم الحساب Account Type,نوع الحساب +"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","رصيد حساب بالفعل في الائتمان، لا يسمح لك تعيين ""الرصيد يجب أن يكون 'كما' الخصم '" +"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","رصيد حساب بالفعل في الخصم، لا يسمح لك تعيين ""الرصيد يجب أن يكون 'ك' الائتمان '" Account for the warehouse (Perpetual Inventory) will be created under this Account.,سيتم إنشاء حساب المستودع ( الجرد الدائم ) في إطار هذا الحساب. Account head {0} created,رئيس الاعتبار {0} خلق Account must be a balance sheet account,يجب أن يكون الحساب حساب الميزانية العمومية @@ -68,13 +92,20 @@ Account with existing transaction can not be deleted,حساب مع الصفقة Account with existing transaction cannot be converted to ledger,حساب مع الصفقة الحالية لا يمكن تحويلها إلى دفتر الأستاذ Account {0} cannot be a Group,حساب {0} لا يمكن أن تكون المجموعة Account {0} does not belong to Company {1},حساب {0} لا تنتمي إلى شركة {1} +Account {0} does not belong to company: {1},حساب {0} لا تنتمي إلى الشركة: {1} Account {0} does not exist,حساب {0} غير موجود Account {0} has been entered more than once for fiscal year {1},حساب {0} تم إدخال أكثر من مرة للعام المالي {1} Account {0} is frozen,حساب {0} يتم تجميد Account {0} is inactive,حساب {0} غير نشط +Account {0} is not valid,حساب {0} غير صالح Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item,"حساب {0} يجب أن تكون من النوع ' الأصول الثابتة ""كما البند {1} هو البند الأصول" +Account {0}: Parent account {1} can not be a ledger,حساب {0}: حساب الرئيسي {1} لا يمكن أن يكون دفتر الأستاذ +Account {0}: Parent account {1} does not belong to company: {2},حساب {0}: حساب الرئيسي {1} لا تنتمي إلى الشركة: {2} +Account {0}: Parent account {1} does not exist,حساب {0}: حساب الرئيسي {1} غير موجود +Account {0}: You can not assign itself as parent account,حساب {0}: لا يمكنك تعيين نفسه كحساب الأم "Account: {0} can only be updated via \ - Stock Transactions",حساب : {0} لا يمكن تحديثها عبر \ \ ن المعاملات المالية + Stock Transactions","حساب: {0} لا يمكن تحديثها عبر \ + المعاملات المالية" Accountant,محاسب Accounting,المحاسبة "Accounting Entries can be made against leaf nodes, called",مقالات المحاسبة ويمكن إجراء ضد أوراق العقد ، ودعا @@ -124,6 +155,7 @@ Address Details,تفاصيل العنوان Address HTML,معالجة HTML Address Line 1,العنوان سطر 1 Address Line 2,العنوان سطر 2 +Address Template,قالب عنوان Address Title,عنوان عنوان Address Title is mandatory.,عنوان عنوانها إلزامية. Address Type,عنوان نوع @@ -144,7 +176,6 @@ Against Docname,ضد Docname Against Doctype,DOCTYPE ضد Against Document Detail No,تفاصيل الوثيقة رقم ضد Against Document No,ضد الوثيقة رقم -Against Entries,مقالات ضد Against Expense Account,ضد حساب المصاريف Against Income Account,ضد حساب الدخل Against Journal Voucher,ضد مجلة قسيمة @@ -180,10 +211,8 @@ All Territories,جميع الأقاليم "All export related fields like currency, conversion rate, export total, export grand total etc are available in Delivery Note, POS, Quotation, Sales Invoice, Sales Order etc.",هي المجالات ذات الصلة عن تصدير مثل العملة ، ومعدل التحويل ، ومجموع التصدير، تصدير الخ المجموع الكلي المتاحة في توصيل ملاحظة ، ونقاط البيع ، اقتباس، فاتورة المبيعات ، ترتيب المبيعات الخ "All import related fields like currency, conversion rate, import total, import grand total etc are available in Purchase Receipt, Supplier Quotation, Purchase Invoice, Purchase Order etc.",كلها المجالات ذات الصلة مثل استيراد العملة ، ومعدل التحويل، و اجمالى واردات والاستيراد الكبرى الخ مجموع المتاحة في إيصال الشراء ، مزود اقتباس، شراء الفاتورة ، أمر شراء الخ All items have already been invoiced,وقد تم بالفعل فواتير جميع البنود -All items have already been transferred for this Production Order.,وقد تم بالفعل نقل جميع العناصر لهذا أمر الإنتاج . All these items have already been invoiced,وقد تم بالفعل فاتورة كل هذه العناصر Allocate,تخصيص -Allocate Amount Automatically,تخصيص المبلغ تلقائيا Allocate leaves for a period.,تخصيص يترك لفترة . Allocate leaves for the year.,تخصيص الأوراق لهذا العام. Allocated Amount,تخصيص المبلغ @@ -204,13 +233,13 @@ Allow Users,السماح للمستخدمين Allow the following users to approve Leave Applications for block days.,تسمح للمستخدمين التالية للموافقة على طلبات الحصول على إجازة أيام بلوك. Allow user to edit Price List Rate in transactions,تسمح للمستخدم لتحرير الأسعار قائمة قيم في المعاملات Allowance Percent,بدل النسبة -Allowance for over-delivery / over-billing crossed for Item {0},بدل عن الإفراط في تسليم / الإفراط في الفواتير عبرت القطعة ل {0} +Allowance for over-{0} crossed for Item {1},بدل لأكثر من {0} عبرت القطعة ل{1} +Allowance for over-{0} crossed for Item {1}.,بدل لأكثر من {0} عبرت القطعة ل{1}. Allowed Role to Edit Entries Before Frozen Date,دور سمح ل تحرير مقالات المجمدة قبل التسجيل Amended From,عدل من Amount,كمية Amount (Company Currency),المبلغ (عملة الشركة) -Amount <=,المبلغ <= -Amount >=,المبلغ => +Amount Paid,المبلغ المدفوع Amount to Bill,تصل إلى بيل An Customer exists with same name,موجود على العملاء مع نفس الاسم "An Item Group exists with same name, please change the item name or rename the item group",وجود فريق المدينة مع نفس الاسم، الرجاء تغيير اسم العنصر أو إعادة تسمية المجموعة البند @@ -260,6 +289,7 @@ As per Stock UOM,وفقا للأوراق UOM Asset,الأصول Assistant,المساعد Associate,مساعد +Atleast one of the Selling or Buying must be selected,يجب تحديد الاقل واحدة من بيع أو شراء Atleast one warehouse is mandatory,واحدة على الاقل مستودع إلزامي Attach Image,إرفاق صورة Attach Letterhead,نعلق رأسية @@ -319,6 +349,7 @@ Balance for Account {0} must always be {1},التوازن ل حساب {0} يجب Balance must be,يجب أن يكون التوازن "Balances of Accounts of type ""Bank"" or ""Cash""","أرصدة الحسابات من نوع ""البنك"" أو "" كاش """ Bank,مصرف +Bank / Cash Account,البنك حساب / النقدية Bank A/C No.,البنك A / C رقم Bank Account,الحساب المصرفي Bank Account No.,البنك رقم الحساب @@ -397,18 +428,24 @@ Budget Distribution Details,تفاصيل الميزانية التوزيع Budget Variance Report,تقرير الفرق الميزانية Budget cannot be set for Group Cost Centers,لا يمكن تعيين الميزانية ل مراكز التكلفة المجموعة Build Report,بناء تقرير -Built on,مبنية على Bundle items at time of sale.,حزمة البنود في وقت البيع. Business Development Manager,مدير تطوير الأعمال Buying,شراء Buying & Selling,شراء وبيع Buying Amount,شراء المبلغ Buying Settings,شراء إعدادات +"Buying must be checked, if Applicable For is selected as {0}",يجب أن يتم التحقق الشراء، إذا تم تحديد مطبق للك {0} C-Form,نموذج C- C-Form Applicable,C-نموذج قابل للتطبيق C-Form Invoice Detail,C-نموذج تفاصيل الفاتورة C-Form No,C-الاستمارة رقم C-Form records,سجلات نموذج C- +CENVAT Capital Goods,CENVAT السلع الرأسمالية +CENVAT Edu Cess,CENVAT ايدو سيس +CENVAT SHE Cess,CENVAT SHE سيس +CENVAT Service Tax,CENVAT ضريبة الخدمة +CENVAT Service Tax Cess 1,خدمة CENVAT ضريبة سيس 1 +CENVAT Service Tax Cess 2,خدمة CENVAT ضريبة سيس 2 Calculate Based On,حساب الربح بناء على Calculate Total Score,حساب النتيجة الإجمالية Calendar Events,الأحداث @@ -432,7 +469,7 @@ Cannot approve leave as you are not authorized to approve leaves on Block Dates, Cannot cancel because Employee {0} is already approved for {1},لا يمكن إلغاء لأن الموظف {0} تمت الموافقة عليها بالفعل ل {1} Cannot cancel because submitted Stock Entry {0} exists,لا يمكن إلغاء الاشتراك بسبب الأسهم المقدم {0} موجود Cannot carry forward {0},لا يمكن المضي قدما {0} -Cannot change Year Start Date and Year End Date once the Fiscal Year is saved.,لا يمكن تغيير تاريخ بدء السنة و تاريخ نهاية السنة مرة واحدة يتم حفظ السنة المالية. +Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,لا يمكن تغيير السنة المالية وتاريخ بدء السنة المالية تاريخ الانتهاء مرة واحدة يتم حفظ السنة المالية. "Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.",لا يمكن تغيير العملة الافتراضية الشركة ، وذلك لأن هناك معاملات القائمة. يجب أن يتم إلغاء المعاملات لتغيير العملة الافتراضية. Cannot convert Cost Center to ledger as it has child nodes,لا يمكن تحويل مركز التكلفة إلى دفتر الأستاذ كما فعلت العقد التابعة Cannot covert to Group because Master Type or Account Type is selected.,لا يمكن سرية ل مجموعة حيث يتم تحديد نوع ماستر أو نوع الحساب . @@ -441,7 +478,7 @@ Cannot deactive or cancle BOM as it is linked with other BOMs,لا يمكن deac Cannot deduct when category is for 'Valuation' or 'Valuation and Total',لا يمكن أن تقتطع عند الفئة هو ل ' التقييم ' أو ' تقييم وتوتال ' "Cannot delete Serial No {0} in stock. First remove from stock, then delete.",لا يمكن حذف أي مسلسل {0} في الأوراق المالية. أولا إزالة من الأسهم ، ثم حذف . "Cannot directly set amount. For 'Actual' charge type, use the rate field",لا يمكن تعيين مباشرة المبلغ. ل ' الفعلية ' نوع التهمة ، استخدم الحقل معدل -"Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in 'Setup' > 'Global Defaults'","لا يمكن overbill القطعة ل {0} في الصف {0} أكثر من {1} . للسماح بالمغالاة في الفواتير ، الرجاء تعيين في ' إعداد '> ' الافتراضية العالمية """ +"Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in Stock Settings",لا يمكن overbill القطعة ل{0} في الصف {0} أكثر من {1}. للسماح بالمغالاة في الفواتير، يرجى ضبط إعدادات في الأسهم Cannot produce more Item {0} than Sales Order quantity {1},لا يمكن أن تنتج أكثر تفاصيل {0} من المبيعات كمية الطلب {1} Cannot refer row number greater than or equal to current row number for this Charge type,لا يمكن أن يشير رقم الصف أكبر من أو يساوي رقم الصف الحالي لهذا النوع المسؤول Cannot return more than {0} for Item {1},لا يمكن أن يعود أكثر من {0} القطعة ل {1} @@ -474,7 +511,7 @@ Chart Name,اسم الرسم البياني Chart of Accounts,دليل الحسابات Chart of Cost Centers,بيانيا من مراكز التكلفة Check how the newsletter looks in an email by sending it to your email.,التحقق من كيفية النشرة الإخبارية يبدو في رسالة بالبريد الالكتروني عن طريق إرساله إلى البريد الإلكتروني الخاص بك. -"Check if recurring invoice, uncheck to stop recurring or put proper End Date","اختر إذا الفاتورة متكررة. قم بإزالة الإختيار لأيقاف التكرار أو لوضع تاريخ إنتهاء" +"Check if recurring invoice, uncheck to stop recurring or put proper End Date",اختر إذا الفاتورة متكررة. قم بإزالة الإختيار لأيقاف التكرار أو لوضع تاريخ إنتهاء "Check if you need automatic recurring invoices. After submitting any sales invoice, Recurring section will be visible.",تحقق مما إذا كنت بحاجة الفواتير المتكررة التلقائي. بعد تقديم أي فاتورة المبيعات، وقسم التكراري تكون مرئية. Check if you want to send salary slip in mail to each employee while submitting salary slip,تحقق مما إذا كنت ترغب في إرسال قسيمة الراتب في البريد إلى كل موظف أثناء قيامهم بتقديم قسيمة الراتب Check this if you want to force the user to select a series before saving. There will be no default if you check this.,التحقق من ذلك إذا كنت تريد لإجبار المستخدم لتحديد سلسلة قبل الحفظ. لن يكون هناك الافتراضي إذا قمت بتحديد هذا. @@ -504,6 +541,8 @@ Click on a link to get options to expand get options , Client,عميل Close Balance Sheet and book Profit or Loss.,وثيقة الميزانية العمومية و كتاب الربح أو الخسارة . Closed,مغلق +Closing (Cr),إغلاق (الكروم) +Closing (Dr),إغلاق (الدكتور) Closing Account Head,إغلاق حساب رئيس Closing Account {0} must be of type 'Liability',إغلاق الحساب {0} يجب أن تكون من النوع ' المسؤولية ' Closing Date,تاريخ الإنتهاء @@ -514,7 +553,9 @@ CoA Help,تعليمات لجنة الزراعة Code,رمز Cold Calling,ووصف الباردة Color,اللون +Column Break,العمود استراحة Comma separated list of email addresses,فاصلة فصل قائمة من عناوين البريد الإلكتروني +Comment,تعليق Comments,تعليقات Commercial,تجاري Commission,عمولة @@ -599,7 +640,6 @@ Cosmetics,مستحضرات التجميل Cost Center,مركز التكلفة Cost Center Details,تفاصيل تكلفة مركز Cost Center Name,اسم مركز تكلفة -Cost Center is mandatory for Item {0},مركز تكلفة إلزامي القطعة ل {0} Cost Center is required for 'Profit and Loss' account {0},"مطلوب مركز تكلفة الربح و الخسارة "" حساب {0}" Cost Center is required in row {0} in Taxes table for type {1},مطلوب مركز تكلفة في الصف {0} في جدول الضرائب لنوع {1} Cost Center with existing transactions can not be converted to group,مركز التكلفة مع المعاملات القائمة لا يمكن تحويلها إلى مجموعة @@ -609,6 +649,7 @@ Cost of Goods Sold,تكلفة السلع المباعة Costing,تكلف Country,بلد Country Name,الاسم الدولة +Country wise default Address Templates,قوالب بلد الحكمة العنوان الافتراضي "Country, Timezone and Currency",البلد، المنطقة الزمنية و العملة Create Bank Voucher for the total salary paid for the above selected criteria,إنشاء بنك للقسيمة الراتب الإجمالي المدفوع للاختيار المعايير المذكورة أعلاه Create Customer,خلق العملاء @@ -662,10 +703,12 @@ Customer (Receivable) Account,حساب العميل (ذمم مدينة) Customer / Item Name,العميل / البند الاسم Customer / Lead Address,العميل / الرصاص العنوان Customer / Lead Name,العميل / اسم الرصاص +Customer > Customer Group > Territory,العملاء> مجموعة العملاء> إقليم Customer Account Head,رئيس حساب العملاء Customer Acquisition and Loyalty,اكتساب العملاء و الولاء Customer Address,العنوان العملاء Customer Addresses And Contacts,العناوين العملاء واتصالات +Customer Addresses and Contacts,عناوين العملاء واتصالات Customer Code,قانون العملاء Customer Codes,رموز العملاء Customer Details,تفاصيل العملاء @@ -727,6 +770,8 @@ Deduction1,Deduction1 Deductions,الخصومات Default,الافتراضي Default Account,الافتراضي حساب +Default Address Template cannot be deleted,لا يمكن حذف القالب الافتراضي العنوان +Default Amount,المبلغ الافتراضي Default BOM,الافتراضي BOM Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,سيتم الافتراضي بنك / الصرف حساب الفاتورة تلقائيا تحديث في POS عند تحديد هذا الوضع. Default Bank Account,الافتراضي الحساب المصرفي @@ -734,7 +779,6 @@ Default Buying Cost Center,الافتراضي شراء مركز التكلفة Default Buying Price List,الافتراضي شراء قائمة الأسعار Default Cash Account,الحساب النقدي الافتراضي Default Company,افتراضي شركة -Default Cost Center for tracking expense for this item.,مركز التكلفة الافتراضية لتتبع حساب لهذا البند. Default Currency,العملة الافتراضية Default Customer Group,المجموعة الافتراضية العملاء Default Expense Account,الافتراضي نفقات الحساب @@ -761,6 +805,7 @@ Default settings for selling transactions.,الإعدادات الافتراضي Default settings for stock transactions.,الإعدادات الافتراضية ل معاملات الأوراق المالية . Defense,دفاع "Define Budget for this Cost Center. To set budget action, see
Company Master","تحديد الميزانية لهذا المركز التكلفة. أن تتخذ إجراءات لميزانية، انظر ماجستير شركة" +Del,ديل Delete,حذف Delete {0} {1}?,حذف {0} {1} ؟ Delivered,تسليم @@ -809,6 +854,7 @@ Discount (%),الخصم (٪) Discount Amount,خصم المبلغ "Discount Fields will be available in Purchase Order, Purchase Receipt, Purchase Invoice",وسوف تكون متاحة الخصم الحقول في أمر الشراء، وتلقي الشراء، فاتورة الشراء Discount Percentage,نسبة الخصم +Discount Percentage can be applied either against a Price List or for all Price List.,نسبة خصم يمكن تطبيقها إما ضد قائمة الأسعار أو لجميع قائمة الأسعار. Discount must be less than 100,يجب أن يكون الخصم أقل من 100 Discount(%),الخصم (٪) Dispatch,إيفاد @@ -841,7 +887,8 @@ Download Template,تحميل قالب Download a report containing all raw materials with their latest inventory status,تحميل تقريرا يتضمن جميع المواد الخام مع وضعهم أحدث المخزون "Download the Template, fill appropriate data and attach the modified file.",تحميل قالب ، وملء البيانات المناسبة وإرفاق الملف المعدل . "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",تحميل قالب ، وملء البيانات المناسبة وإرفاق الملف المعدل . \ n كل التواريخ و سوف مزيج موظف في الفترة المختارة تأتي في القالب، مع سجلات الحضور القائمة +All dates and employee combination in the selected period will come in the template, with existing attendance records","تحميل قالب، وملء البيانات المناسبة وإرفاق الملف المعدل. + وجميع التواريخ والجمع بين الموظف في الفترة المختارة تأتي في القالب، مع سجلات الحضور القائمة" Draft,مسودة Dropbox,المربع المنسدل Dropbox Access Allowed,دروببوإكس الدخول الأليفة @@ -863,6 +910,9 @@ Earning & Deduction,وكسب الخصم Earning Type,كسب نوع Earning1,Earning1 Edit,تحرير +Edu. Cess on Excise,ايدو. سيس على المكوس +Edu. Cess on Service Tax,ايدو. سيس على ضريبة الخدمة +Edu. Cess on TDS,ايدو. سيس على TDS Education,تعليم Educational Qualification,المؤهلات العلمية Educational Qualification Details,تفاصيل المؤهلات العلمية @@ -937,16 +987,27 @@ Enter url parameter for receiver nos,أدخل عنوان URL لمعلمة NOS ا Entertainment & Leisure,الترفيه وترفيهية Entertainment Expenses,مصاريف الترفيه Entries,مقالات -Entries against,مقالات ضد +Entries against , Entries are not allowed against this Fiscal Year if the year is closed.,لا يسمح مقالات ضد السنة المالية الحالية إذا تم إغلاق السنة. -Entries before {0} are frozen,يتم تجميد الإدخالات قبل {0} Equity,إنصاف Error: {0} > {1},الخطأ: {0} > {1} Estimated Material Cost,تقدر تكلفة المواد +"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:",حتى لو كانت هناك قوانين التسعير متعددة مع الأولوية القصوى، يتم تطبيق الأولويات الداخلية ثم التالية: Everyone can read,يمكن أن يقرأها الجميع "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 # # # # # \ n إذا تم تعيين سلسلة و لم يرد ذكرها لا في المعاملات المسلسل ، ثم سيتم إنشاء رقم تسلسلي تلقائي على أساس هذه السلسلة. +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 # # # # # + إذا تم تعيين سلسلة ولم يرد ذكرها لا في المعاملات المسلسل، سيتم إنشاء رقم تسلسلي ثم التلقائي على أساس هذه السلسلة. إذا كنت تريد دائما أن يذكر صراحة نص المسلسل لهذا البند. ترك هذا فارغا." Exchange Rate,سعر الصرف +Excise Duty 10,المكوس واجب 10 +Excise Duty 14,المكوس واجب 14 +Excise Duty 4,المكوس الواجب 4 +Excise Duty 8,المكوس واجب 8 +Excise Duty @ 10,واجب المكوس @ 10 +Excise Duty @ 14,واجب المكوس @ 14 +Excise Duty @ 4,واجب المكوس @ 4 +Excise Duty @ 8,واجب المكوس @ 8 +Excise Duty Edu Cess 2,المكوس واجب ايدو سيس 2 +Excise Duty SHE Cess 1,المكوس واجب SHE سيس 1 Excise Page Number,المكوس رقم الصفحة Excise Voucher,المكوس قسيمة Execution,إعدام @@ -965,6 +1026,7 @@ Expected Delivery Date cannot be before Sales Order Date,التسليم المت Expected End Date,تاريخ الإنتهاء المتوقع Expected Start Date,يتوقع البدء تاريخ Expense,نفقة +Expense / Difference account ({0}) must be a 'Profit or Loss' account,"حساب / حساب الفرق ({0}) يجب أن يكون الربح أو الخسارة ""حساب" Expense Account,حساب حساب Expense Account is mandatory,حساب المصاريف إلزامي Expense Claim,حساب المطالبة @@ -1015,12 +1077,16 @@ Finished Goods,السلع تامة الصنع First Name,الاسم الأول First Responded On,أجاب أولا على Fiscal Year,السنة المالية +Fiscal Year Start Date and Fiscal Year End Date are already set in Fiscal Year {0},يتم تعيين السنة المالية وتاريخ بدء السنة المالية تاريخ الانتهاء بالفعل في السنة المالية {0} +Fiscal Year Start Date and Fiscal Year End Date cannot be more than a year apart.,السنة المالية تاريخ البدء وتاريخ الانتهاء السنة المالية لا يمكن أن يكون أكثر من سنة على حدة. +Fiscal Year Start Date should not be greater than Fiscal Year End Date,لا ينبغي أن تكون السنة المالية تاريخ بدء السنة المالية أكبر من تاريخ الانتهاء Fixed Asset,الأصول الثابتة Fixed Assets,الموجودات الثابتة Follow via Email,متابعة عبر البريد الإلكتروني "Following table will show values if items are sub - contracted. These values will be fetched from the master of ""Bill of Materials"" of sub - contracted items.",سوف تظهر بعد الجدول القيم البنود الفرعية إذا - المتعاقد عليها. وسيتم جلب من هذه القيم سيد "بيل من مواد" من دون - البنود المتعاقد عليها. Food,غذاء "Food, Beverage & Tobacco",الغذاء و المشروبات و التبغ +"For 'Sales BOM' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Sales BOM' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","وسوف ل 'مبيعات BOM سلع، مخزن، المسلسل لا دفعة ويمكن النظر في أي من مائدة ""قائمة التعبئة"". إذا المستودعات ودفعة لا هي نفسها لكافة العناصر اللازمة لتغليف أي 'مبيعات BOM' البند، ويمكن أن يتم إدخال هذه القيم في الجدول الرئيسي البند، سيتم نسخ القيم إلى جدول 'قائمة التعبئة'." For Company,لشركة For Employee,لموظف For Employee Name,لاسم الموظف @@ -1050,7 +1116,9 @@ From Currency and To Currency cannot be same,من العملة لعملة ولا From Customer,من العملاء From Customer Issue,من العدد العملاء From Date,من تاريخ +From Date cannot be greater than To Date,من تاريخ لا يمكن أن يكون أكبر من إلى تاريخ From Date must be before To Date,يجب أن تكون من تاريخ إلى تاريخ قبل +From Date should be within the Fiscal Year. Assuming From Date = {0},من التسجيل ينبغي أن يكون ضمن السنة المالية. على افتراض من التسجيل = {0} From Delivery Note,من التسليم ملاحظة From Employee,من موظف From Lead,من الرصاص @@ -1072,7 +1140,9 @@ Frozen Accounts Modifier,الحسابات المجمدة معدل Fulfilled,الوفاء Full Name,بدر تام Full-time,بدوام كامل +Fully Billed,وصفت تماما Fully Completed,يكتمل +Fully Delivered,سلمت بالكامل Furniture and Fixture,الأثاث و تركيبات Further accounts can be made under Groups but entries can be made against Ledger,مزيد من الحسابات يمكن أن يتم في إطار المجموعات ولكن يمكن إجراء إدخالات ضد ليدجر "Further accounts can be made under Groups, but entries can be made against Ledger",مزيد من الحسابات يمكن أن يتم في إطار المجموعات ، ولكن يمكن إجراء إدخالات ضد ليدجر @@ -1090,7 +1160,6 @@ Generate Schedule,توليد جدول Generates HTML to include selected image in the description,يولد HTML لتشمل الصورة المحددة في الوصف Get Advances Paid,الحصول على السلف المدفوعة Get Advances Received,الحصول على السلف المتلقاة -Get Against Entries,الحصول ضد مقالات Get Current Stock,الحصول على المخزون الحالي Get Items,الحصول على العناصر Get Items From Sales Orders,الحصول على سلع من طلبات البيع @@ -1103,6 +1172,7 @@ Get Specification Details,الحصول على تفاصيل المواصفات Get Stock and Rate,الحصول على الأسهم وقيم Get Template,الحصول على قالب Get Terms and Conditions,الحصول على الشروط والأحكام +Get Unreconciled Entries,الحصول على مقالات لم تتم تسويتها Get Weekly Off Dates,الحصول على مواعيد معطلة أسبوعي "Get valuation rate and available stock at source/target warehouse on mentioned posting date-time. If serialized item, please press this button after entering serial nos.",يذكر الحصول على معدل التقييم والمخزون المتوفر في المصدر / الهدف مستودع تاريخ عرضها على الوقت. إذا تسلسل البند، يرجى الضغط على هذا الزر بعد دخول NOS المسلسل. Global Defaults,افتراضيات العالمية @@ -1171,6 +1241,7 @@ Hour,ساعة Hour Rate,ساعة قيم Hour Rate Labour,ساعة قيم العمل Hours,ساعات +How Pricing Rule is applied?,كيف يتم تطبيق التسعير القاعدة؟ How frequently?,كيف كثير من الأحيان؟ "How should this currency be formatted? If not set, will use system defaults",كيف ينبغي أن يتم تنسيق هذه العملة؟ إذا لم يتم تعيين و، استخدم افتراضيات النظام Human Resources,الموارد البشرية @@ -1187,12 +1258,15 @@ If different than customer address,إذا كان مختلفا عن عنوان ا "If disable, 'Rounded Total' field will not be visible in any transaction",إذا تعطيل، 'مدور المشاركات "سيتم الميدان لا تكون مرئية في أي صفقة "If enabled, the system will post accounting entries for inventory automatically.",إذا مكن، سيقوم النظام إضافة القيود المحاسبية للمخزون تلقائيا. If more than one package of the same type (for print),إذا كان أكثر من حزمة واحدة من نفس النوع (للطباعة) +"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.",إذا استمرت قوانين التسعير متعددة أن تسود، ويطلب من المستخدمين لتعيين الأولوية يدويا لحل الصراع. "If no change in either Quantity or Valuation Rate, leave the cell blank.",إذا لم يكن هناك تغيير في الكمية أو إما تثمين قيم ، ترك الخانات فارغة . If not applicable please enter: NA,إذا لا ينطبق يرجى إدخال: NA "If not checked, the list will have to be added to each Department where it has to be applied.",إن لم يكن تم، سيكون لديك قائمة تضاف إلى كل قسم حيث أنه لا بد من تطبيقها. +"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.","إذا تم التسعير المحدد القاعدة ل 'السعر'، فإنه سيتم الكتابة فوق قائمة الأسعار. سعر التسعير القاعدة هو السعر النهائي، لذلك ينبغي تطبيق أي خصم آخر. وبالتالي، في المعاملات مثل ترتيب المبيعات، أمر الشراء وغيرها، وسيتم جلب في حقل 'قيم'، بدلا من حقل ""قائمة الأسعار قيم '." "If specified, send the newsletter using this email address",في حالة تحديد، وإرسال الرسالة الإخبارية باستخدام عنوان البريد الإلكتروني هذا "If the account is frozen, entries are allowed to restricted users.",إذا تم تجميد الحساب، ويسمح للمستخدمين إدخالات مقيدة. "If this Account represents a Customer, Supplier or Employee, set it here.",إذا هذا الحساب يمثل مورد أو عميل أو موظف، على ذلك هنا. +"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.",إذا تم العثور على اثنين أو أكثر من قوانين التسعير على أساس الشروط المذكورة أعلاه، يتم تطبيق الأولوية. الأولوية هو رقم بين 0-20 في حين القيمة الافتراضية هي صفر (فارغة). عدد أعلى يعني أنها سوف تأخذ الأسبقية إذا كان هناك قوانين التسعير متعددة مع الظروف نفسها. If you follow Quality Inspection. Enables Item QA Required and QA No in Purchase Receipt,إذا كنت تتبع فحص الجودة . تمكن البند QA المطلوبة وضمان الجودة لا في إيصال الشراء If you have Sales Team and Sale Partners (Channel Partners) they can be tagged and maintain their contribution in the sales activity,إذا كان لديك فريق المبيعات والشركاء بيع (شركاء القنوات) يمكن أن يوصف بها والحفاظ على مساهمتها في نشاط المبيعات "If you have created a standard template in Purchase Taxes and Charges Master, select one and click on the button below.",إذا قمت بإنشاء قالب قياسي في شراء الضرائب والرسوم ماجستير، حدد أحد وانقر على الزر أدناه. @@ -1200,6 +1274,7 @@ If you have Sales Team and Sale Partners (Channel Partners) they can be tagged "If you have long print formats, this feature can be used to split the page to be printed on multiple pages with all headers and footers on each page",إذا كان لديك طباعة الأشكال طويلة، يمكن استخدام هذه الميزة لتقسيم ليتم طباعة الصفحة على صفحات متعددة مع جميع الرؤوس والتذييلات على كل صفحة If you involve in manufacturing activity. Enables Item 'Is Manufactured',إذا كنت تنطوي في نشاط الصناعات التحويلية . تمكن السلعة ' يتم تصنيعها ' Ignore,تجاهل +Ignore Pricing Rule,تجاهل التسعير القاعدة Ignored: ,تجاهلها: Image,صورة Image View,عرض الصورة @@ -1236,8 +1311,9 @@ Income booked for the digest period,حجزت الدخل للفترة هضم Incoming,الوارد Incoming Rate,الواردة قيم Incoming quality inspection.,فحص الجودة واردة. +Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,عدد غير صحيح من دفتر الأستاذ العام التسجيلات وجد. كنت قد قمت بتحديد حساب خاطئ في المعاملة. Incorrect or Inactive BOM {0} for Item {1} at row {2},غير صحيحة أو غير نشط BOM {0} القطعة ل {1} في {2} الصف -Indicates that the package is a part of this delivery,يشير إلى أن الحزمة هو جزء من هذا التسليم +Indicates that the package is a part of this delivery (Only Draft),يشير إلى أن الحزمة هو جزء من هذا التسليم (مشروع فقط) Indirect Expenses,المصاريف غير المباشرة Indirect Income,الدخل غير المباشرة Individual,فرد @@ -1263,6 +1339,7 @@ Intern,المتدرب Internal,داخلي Internet Publishing,نشر الإنترنت Introduction,مقدمة +Invalid Barcode,الباركود غير صالحة Invalid Barcode or Serial No,الباركود صالح أو رقم المسلسل Invalid Mail Server. Please rectify and try again.,خادم البريد غير صالحة . يرجى تصحيح و حاول مرة أخرى. Invalid Master Name,اسم ماستر غير صالحة @@ -1275,9 +1352,12 @@ Investments,الاستثمارات Invoice Date,تاريخ الفاتورة Invoice Details,تفاصيل الفاتورة Invoice No,الفاتورة لا -Invoice Period From Date,فاتورة الفترة من تاريخ +Invoice Number,رقم الفاتورة +Invoice Period From,الفترة من الفاتورة Invoice Period From and Invoice Period To dates mandatory for recurring invoice,الفترة من الفاتورة و الفاتورة ل فترة مواعيد إلزامية ل فاتورة المتكررة -Invoice Period To Date,فاتورة الفترة لتاريخ +Invoice Period To,فترة الفاتورة ل +Invoice Type,نوع الفاتورة +Invoice/Journal Voucher Details,فاتورة / مجلة قسيمة تفاصيل Invoiced Amount (Exculsive Tax),المبلغ فواتير ( Exculsive الضرائب ) Is Active,نشط Is Advance,هو المقدمة @@ -1308,6 +1388,7 @@ Item Advanced,البند المتقدم Item Barcode,البند الباركود Item Batch Nos,ارقام البند دفعة Item Code,البند الرمز +Item Code > Item Group > Brand,كود البند> مجموعة المدينة> العلامة التجارية Item Code and Warehouse should already exist.,يجب أن تكون موجودة بالفعل البند المدونة و المستودعات. Item Code cannot be changed for Serial No.,لا يمكن تغيير رمز المدينة لل رقم التسلسلي Item Code is mandatory because Item is not automatically numbered,كود البند إلزامي لأن السلعة بسهولة و غير مرقمة تلقائيا @@ -1319,6 +1400,7 @@ Item Details,السلعة Item Group,البند المجموعة Item Group Name,البند اسم المجموعة Item Group Tree,البند المجموعة شجرة +Item Group not mentioned in item master for item {0},المجموعة البند لم يرد ذكرها في البند الرئيسي لمادة {0} Item Groups in Details,المجموعات في البند تفاصيل Item Image (if not slideshow),صورة البند (إن لم يكن عرض الشرائح) Item Name,البند الاسم @@ -1389,7 +1471,8 @@ Item-wise Purchase Register,البند من الحكمة الشراء تسجيل Item-wise Sales History,البند الحكيم تاريخ المبيعات Item-wise Sales Register,مبيعات البند الحكيم سجل "Item: {0} managed batch-wise, can not be reconciled using \ - Stock Reconciliation, instead use Stock Entry",البند : {0} المدارة دفعة حكيمة ، لا يمكن التوفيق بينها باستخدام \ \ ن الأسهم المصالحة ، بدلا من استخدام دخول الأسهم + Stock Reconciliation, instead use Stock Entry","البند: {0} المدارة دفعة حكيمة، لا يمكن التوفيق بينها باستخدام \ + ألبوم المصالحة، بدلا من استخدام دخول الأسهم" Item: {0} not found in the system,البند : {0} لم يتم العثور في النظام Items,البنود Items To Be Requested,البنود يمكن طلبه @@ -1492,6 +1575,7 @@ Loading...,تحميل ... Loans (Liabilities),القروض ( المطلوبات ) Loans and Advances (Assets),القروض والسلفيات (الأصول ) Local,محلي +Login,دخول Login with your new User ID,تسجيل الدخول مع اسم المستخدم الخاص بك جديدة Logo,شعار Logo and Letter Heads,شعار و رسالة رؤساء @@ -1536,6 +1620,7 @@ Make Maint. Schedule,جعل الصيانة . جدول Make Maint. Visit,جعل الصيانة . زيارة Make Maintenance Visit,جعل صيانة زيارة Make Packing Slip,جعل التعبئة زلة +Make Payment,إجراء الدفع Make Payment Entry,جعل الدفع الاشتراك Make Purchase Invoice,جعل فاتورة شراء Make Purchase Order,جعل أمر الشراء @@ -1545,8 +1630,10 @@ Make Salary Structure,جعل هيكل الرواتب Make Sales Invoice,جعل فاتورة المبيعات Make Sales Order,جعل ترتيب المبيعات Make Supplier Quotation,جعل مورد اقتباس +Make Time Log Batch,جعل وقت دخول الدفعة Male,ذكر Manage Customer Group Tree.,إدارة مجموعة العملاء شجرة . +Manage Sales Partners.,إدارة المبيعات الشركاء. Manage Sales Person Tree.,إدارة المبيعات الشخص شجرة . Manage Territory Tree.,إدارة شجرة الإقليم. Manage cost of operations,إدارة تكلفة العمليات @@ -1597,6 +1684,8 @@ Max 5 characters,5 أحرف كحد أقصى Max Days Leave Allowed,اترك أيام كحد أقصى مسموح Max Discount (%),ماكس الخصم (٪) Max Qty,ماكس الكمية +Max discount allowed for item: {0} is {1}%,ماكس الخصم المسموح به لمادة: {0} {1}٪ +Maximum Amount,أقصى مبلغ Maximum allowed credit is {0} days after posting date,الحد الأقصى المسموح به هو الائتمان {0} يوما بعد تاريخ نشر Maximum {0} rows allowed,الحد الأقصى {0} الصفوف المسموح Maxiumm discount for Item {0} is {1}%,خصم Maxiumm القطعة ل {0} {1} ٪ @@ -1617,6 +1706,7 @@ Milestones will be added as Events in the Calendar,سيتم إضافة معال Min Order Qty,دقيقة الكمية ترتيب Min Qty,دقيقة الكمية Min Qty can not be greater than Max Qty,دقيقة الكمية لا يمكن أن يكون أكبر من الكمية ماكس +Minimum Amount,الحد الأدنى المبلغ Minimum Order Qty,الحد الأدنى لطلب الكمية Minute,دقيقة Misc Details,تفاصيل منوعات @@ -1626,7 +1716,6 @@ Mobile No,رقم الجوال Mobile No.,رقم الجوال Mode of Payment,طريقة الدفع Modern,حديث -Modified Amount,تعديل المبلغ Monday,يوم الاثنين Month,شهر Monthly,شهريا @@ -1643,7 +1732,8 @@ Mr,السيد Ms,MS Multiple Item prices.,أسعار الإغلاق متعددة . "Multiple Price Rule exists with same criteria, please resolve \ - conflict by assigning priority. Price Rules: {0}",موجود متعددة سعر القاعدة مع المعايير نفسها ، يرجى لحل الصراع \ \ ن عن طريق تعيين الأولوية. + conflict by assigning priority. Price Rules: {0}","موجود متعددة سعر القاعدة مع المعايير نفسها، يرجى حل \ + النزاع عن طريق تعيين الأولوية. قواعد السعر: {0}" Music,موسيقى Must be Whole Number,يجب أن يكون عدد صحيح Name,اسم @@ -1659,6 +1749,7 @@ Negative Valuation Rate is not allowed,لا يسمح السلبية قيم ال Negative balance in Batch {0} for Item {1} at Warehouse {2} on {3} {4},الرصيد السلبي في الدفعة {0} القطعة ل {1} في {2} مستودع في {3} {4} Net Pay,صافي الراتب Net Pay (in words) will be visible once you save the Salary Slip.,سوف تدفع صافي (في كلمة) تكون مرئية بمجرد حفظ زلة الراتب. +Net Profit / Loss,صافي الربح / الخسارة Net Total,مجموع صافي Net Total (Company Currency),المجموع الصافي (عملة الشركة) Net Weight,الوزن الصافي @@ -1699,7 +1790,6 @@ Newsletter,النشرة الإخبارية Newsletter Content,النشرة الإخبارية المحتوى Newsletter Status,النشرة الحالة Newsletter has already been sent,وقد تم بالفعل أرسلت الرسالة الإخبارية -Newsletters is not allowed for Trial users,لا يسمح للمستخدمين النشرات الإخبارية الابتدائية "Newsletters to contacts, leads.",النشرات الإخبارية إلى جهات الاتصال، ويؤدي. Newspaper Publishers,صحيفة الناشرين Next,التالي @@ -1721,6 +1811,7 @@ No Supplier Accounts found. Supplier Accounts are identified based on 'Master Ty No accounting entries for the following warehouses,لا القيود المحاسبية للمستودعات التالية No addresses created,أية عناوين خلق No contacts created,هناك أسماء تم إنشاؤها +No default Address Template found. Please create a new one from Setup > Printing and Branding > Address Template.,لم يتم العثور على قالب العنوان الافتراضي. يرجى إنشاء واحدة جديدة من الإعداد> طباعة والعلامات التجارية> قالب العنوان. No default BOM exists for Item {0},لا توجد BOM الافتراضي القطعة ل {0} No description given,لا يوجد وصف معين No employee found,لا توجد موظف @@ -1730,6 +1821,8 @@ No of Sent SMS,لا للSMS المرسلة No of Visits,لا الزيارات No permission,لا يوجد إذن No record found,العثور على أي سجل +No records found in the Invoice table,لا توجد في جدول الفاتورة السجلات +No records found in the Payment table,لا توجد في جدول الدفع السجلات No salary slip found for month: ,لا زلة راتب شهر تم العثور عليها ل: Non Profit,غير الربح Nos,غ @@ -1739,7 +1832,7 @@ Not Available,غير متوفرة Not Billed,لا صفت Not Delivered,ولا يتم توريدها Not Set,غير محدد -Not allowed to update entries older than {0},لا يسمح لتحديث إدخالات أقدم من {0} +Not allowed to update stock transactions older than {0},لا يسمح لتحديث المعاملات الاسهم أقدم من {0} Not authorized to edit frozen Account {0},غير مخول لتحرير الحساب المجمد {0} Not authroized since {0} exceeds limits,لا أوثرويزيد منذ {0} يتجاوز حدود Not permitted,لا يسمح @@ -1780,7 +1873,6 @@ Only the selected Leave Approver can submit this Leave Application,و اترك Open,فتح Open Production Orders,أوامر مفتوحة الانتاج Open Tickets,تذاكر مفتوحة -Open source ERP built for the web,ERP مفتوحة المصدر بنيت لشبكة الإنترنت Opening (Cr),افتتاح (الكروم ) Opening (Dr),افتتاح ( الدكتور ) Opening Date,فتح تاريخ @@ -1805,7 +1897,7 @@ Opportunity Lost,فقدت فرصة Opportunity Type,الفرصة نوع Optional. This setting will be used to filter in various transactions.,اختياري . سيتم استخدام هذا الإعداد لتصفية في المعاملات المختلفة. Order Type,نوع النظام -Order Type must be one of {1},يجب أن يكون النظام نوع واحد من {1} +Order Type must be one of {0},يجب أن يكون النظام نوع واحد من {0} Ordered,أمر Ordered Items To Be Billed,أمرت البنود التي يتعين صفت Ordered Items To Be Delivered,أمرت عناصر ليتم تسليمها @@ -1817,7 +1909,6 @@ Organization Name,اسم المنظمة Organization Profile,الملف الشخصي المنظمة Organization branch master.,فرع المؤسسة الرئيسية . Organization unit (department) master.,وحدة المؤسسة ( قسم) الرئيسي. -Original Amount,المبلغ الأصلي Other,آخر Other Details,تفاصيل أخرى Others,آخرون @@ -1834,6 +1925,7 @@ Overlapping conditions found between:,الظروف المتداخلة وجدت Overview,نظرة عامة Owned,تملكها Owner,مالك +P L A - Cess Portion,جيش التحرير الشعبى الصينى - سيس جزء PL or BS,PL أو BS PO Date,PO التسجيل PO No,ص لا @@ -1846,7 +1938,6 @@ POS Setting required to make POS Entry,إعداد POS المطلوبة لجعل POS Setting {0} already created for user: {1} and company {2},إعداد POS {0} تم إنشاؤها مسبقا للمستخدم : {1} و شركة {2} POS View,POS مشاهدة PR Detail,PR التفاصيل -PR Posting Date,التسجيل PR المشاركة Package Item Details,تفاصيل حزمة الإغلاق Package Items,حزمة البنود Package Weight Details,تفاصيل حزمة الوزن @@ -1876,8 +1967,6 @@ Parent Sales Person,الأم المبيعات شخص Parent Territory,الأم الأرض Parent Website Page,الوالد الموقع الصفحة Parent Website Route,الوالد موقع الطريق -Parent account can not be a ledger,حساب الأصل لا يمكن أن يكون دفتر الأستاذ -Parent account does not exist,لا وجود حساب الوالد Parenttype,Parenttype Part-time,جزئي Partially Completed,أنجزت جزئيا @@ -1886,6 +1975,8 @@ Partly Delivered,هذه جزئيا Partner Target Detail,شريك الهدف التفاصيل Partner Type,نوع الشريك Partner's Website,موقع الشريك +Party,الطرف +Party Account,حساب طرف Party Type,نوع الحزب Party Type Name,نوع الطرف اسم Passive,سلبي @@ -1898,10 +1989,14 @@ Payables Group,دائنو مجموعة Payment Days,يوم الدفع Payment Due Date,تاريخ استحقاق السداد Payment Period Based On Invoice Date,طريقة الدفع بناء على تاريخ الفاتورة +Payment Reconciliation,دفع المصالحة +Payment Reconciliation Invoice,دفع فاتورة المصالحة +Payment Reconciliation Invoices,دفع الفواتير المصالحة +Payment Reconciliation Payment,دفع المصالحة الدفع +Payment Reconciliation Payments,المدفوعات دفع المصالحة Payment Type,الدفع نوع +Payment cannot be made for empty cart,لا يمكن أن يتم السداد للسلة فارغة Payment of salary for the month {0} and year {1},دفع المرتبات لشهر {0} و السنة {1} -Payment to Invoice Matching Tool,دفع الفاتورة إلى أداة مطابقة -Payment to Invoice Matching Tool Detail,دفع الفاتورة لتفاصيل أداة مطابقة Payments,المدفوعات Payments Made,المبالغ المدفوعة Payments Received,الدفعات المستلمة @@ -1944,7 +2039,9 @@ Planning,تخطيط Plant,مصنع Plant and Machinery,النباتية و الآلات Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,الرجاء إدخال الإسم المختصر اختصار أو بشكل صحيح كما سيتم إضافة لاحقة على أنها لجميع رؤساء الحساب. +Please Update SMS Settings,يرجى تحديث إعدادات SMS Please add expense voucher details,الرجاء إضافة حساب التفاصيل قسيمة +Please add to Modes of Payment from Setup.,يرجى إضافة إلى طرق الدفع من الإعداد. Please check 'Is Advance' against Account {0} if this is an advance entry.,"يرجى مراجعة ""هل المسبق ضد الحساب {0} إذا كان هذا هو إدخال مسبقا." Please click on 'Generate Schedule',الرجاء انقر على ' إنشاء الجدول ' Please click on 'Generate Schedule' to fetch Serial No added for Item {0},الرجاء انقر على ' إنشاء الجدول ' لجلب رقم المسلسل أضاف القطعة ل {0} @@ -1992,12 +2089,13 @@ Please enter valid Company Email,الرجاء إدخال صالحة شركة ا Please enter valid Email Id,يرجى إدخال البريد الإلكتروني هوية صالحة Please enter valid Personal Email,يرجى إدخال البريد الإلكتروني الشخصية سارية المفعول Please enter valid mobile nos,الرجاء إدخال غ المحمول صالحة +Please find attached Sales Invoice #{0},تجدون طيه فاتورة المبيعات # {0} Please install dropbox python module,الرجاء تثبيت قطاف بيثون وحدة Please mention no of visits required,يرجى ذكر أي من الزيارات المطلوبة Please pull items from Delivery Note,يرجى سحب العناصر من التسليم ملاحظة Please save the Newsletter before sending,الرجاء حفظ النشرة قبل الإرسال Please save the document before generating maintenance schedule,الرجاء حفظ المستند قبل إنشاء جدول الصيانة -Please select Account first,الرجاء اختيار الحساب الأول +Please see attachment,يرجى الاطلاع على المرفقات Please select Bank Account,الرجاء اختيار حساب البنك Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,الرجاء تحديد مضي قدما إذا كنت تريد أيضا لتشمل التوازن العام المالي السابق يترك لهذه السنة المالية Please select Category first,الرجاء اختيار الفئة الأولى @@ -2005,14 +2103,17 @@ Please select Charge Type first,الرجاء اختيار نوع التهمة ا Please select Fiscal Year,الرجاء اختيار السنة المالية Please select Group or Ledger value,الرجاء اختيار المجموعة أو قيمة ليدجر Please select Incharge Person's name,يرجى تحديد اسم الشخص المكلف +Please select Invoice Type and Invoice Number in atleast one row,يرجى تحديد نوع الفاتورة ورقم الفاتورة في أتلست صف واحد "Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Sales BOM","الرجاء اختيار عنصر، حيث قال ""هل البند الأسهم "" هو ""لا"" و "" هل مبيعات السلعة"" هو ""نعم "" وليس هناك غيرها من المبيعات BOM" Please select Price List,الرجاء اختيار قائمة الأسعار Please select Start Date and End Date for Item {0},يرجى تحديد تاريخ بدء و نهاية التاريخ القطعة ل {0} +Please select Time Logs.,الرجاء اختيار سجلات الوقت. Please select a csv file,يرجى تحديد ملف CSV Please select a valid csv file with data,يرجى تحديد ملف CSV صالحة مع البيانات Please select a value for {0} quotation_to {1},يرجى تحديد قيمة ل {0} {1} quotation_to "Please select an ""Image"" first","يرجى تحديد ""صورة"" الأولى" Please select charge type first,الرجاء اختيار نوع التهمة الأولى +Please select company first,الرجاء اختيار أول شركة Please select company first.,الرجاء اختيار أول شركة . Please select item code,الرجاء اختيار رمز العنصر Please select month and year,الرجاء اختيار الشهر والسنة @@ -2021,6 +2122,7 @@ Please select the document type first,الرجاء اختيار نوع الوث Please select weekly off day,الرجاء اختيار يوم عطلة أسبوعية Please select {0},الرجاء اختيار {0} Please select {0} first,الرجاء اختيار {0} الأولى +Please select {0} first.,الرجاء اختيار {0} أولا. Please set Dropbox access keys in your site config,الرجاء تعيين مفاتيح الوصول دروببوإكس في التكوين موقعك Please set Google Drive access keys in {0},الرجاء تعيين مفاتيح الوصول محرك جوجل في {0} Please set default Cash or Bank account in Mode of Payment {0},الرجاء تعيين النقدية الافتراضي أو حساب مصرفي في طريقة الدفع {0} @@ -2047,6 +2149,7 @@ Postal,بريدي Postal Expenses,المصروفات البريدية Posting Date,تاريخ النشر Posting Time,نشر التوقيت +Posting date and posting time is mandatory,تاريخ نشرها ونشر الوقت إلزامي Posting timestamp must be after {0},يجب أن يكون الطابع الزمني بالإرسال بعد {0} Potential opportunities for selling.,فرص محتملة للبيع. Preferred Billing Address,يفضل عنوان الفواتير @@ -2073,8 +2176,10 @@ Price List not selected,قائمة الأسعار غير محددة Price List {0} is disabled,قائمة الأسعار {0} تم تعطيل Price or Discount,سعر الخصم أو Pricing Rule,التسعير القاعدة -Pricing Rule For Discount,التسعير القاعدة للحصول على الخصم -Pricing Rule For Price,التسعير القاعدة للحصول على السعر +Pricing Rule Help,تعليمات التسعير القاعدة +"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.",يتم تحديد الأسعار على أساس القاعدة الأولى 'تطبيق في' الميدان، التي يمكن أن تكون مادة، مادة أو مجموعة العلامة التجارية. +"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.",يتم تسعير المادة الكتابة قائمة الأسعار / تحديد نسبة الخصم، استنادا إلى بعض المعايير. +Pricing Rules are further filtered based on quantity.,يتم تصفية قواعد التسعير على أساس كمية إضافية. Print Format Style,طباعة شكل ستايل Print Heading,طباعة عنوان Print Without Amount,طباعة دون المبلغ @@ -2102,7 +2207,9 @@ Production Plan Sales Orders,خطة الإنتاج أوامر المبيعات Production Planning Tool,إنتاج أداة تخطيط المنزل Products,المنتجات "Products will be sorted by weight-age in default searches. More the weight-age, higher the product will appear in the list.",سيتم فرز المنتجات حسب العمر، الوزن في عمليات البحث الافتراضي. أكثر من الوزن في سن، وأعلى المنتج تظهر في القائمة. +Professional Tax,ضريبة المهنية Profit and Loss,الربح والخسارة +Profit and Loss Statement,الأرباح والخسائر Project,مشروع Project Costing,مشروع يكلف Project Details,تفاصيل المشروع @@ -2125,7 +2232,9 @@ Projects & System,مشاريع و نظام Prompt for Email on Submission of,المطالبة البريد الالكتروني على تقديم Proposal Writing,الكتابة الاقتراح Provide email id registered in company,توفير معرف البريد الإلكتروني المسجلة في الشركة +Provisional Profit / Loss (Credit),الربح المؤقت / الخسارة (الائتمان) Public,جمهور +Published on website at: {0},نشرت على موقعه على الانترنت على العنوان التالي: {0} Publishing,نشر Pull sales orders (pending to deliver) based on the above criteria,سحب أوامر البيع (في انتظار لتسليم) بناء على المعايير المذكورة أعلاه Purchase,شراء @@ -2134,7 +2243,6 @@ Purchase Analytics,شراء تحليلات Purchase Common,شراء المشتركة Purchase Details,تفاصيل شراء Purchase Discounts,شراء خصومات -Purchase In Transit,شراء في العبور Purchase Invoice,شراء الفاتورة Purchase Invoice Advance,فاتورة الشراء مقدما Purchase Invoice Advances,شراء السلف الفاتورة @@ -2142,7 +2250,6 @@ Purchase Invoice Item,شراء السلعة الفاتورة Purchase Invoice Trends,شراء اتجاهات الفاتورة Purchase Invoice {0} is already submitted,شراء الفاتورة {0} يقدم بالفعل Purchase Order,أمر الشراء -Purchase Order Date,شراء الترتيب التاريخ Purchase Order Item,شراء السلعة ترتيب Purchase Order Item No,شراء السلعة طلب No Purchase Order Item Supplied,شراء السلعة ترتيب الموردة @@ -2206,7 +2313,6 @@ Quarter,ربع Quarterly,فصلي Quick Help,مساعدة سريعة Quotation,تسعيرة -Quotation Date,تاريخ التسعيرة Quotation Item,عنصر تسعيرة Quotation Items,عناصر تسعيرة Quotation Lost Reason,خسارة التسعيرة بسبب @@ -2284,6 +2390,7 @@ Recurring Invoice,فاتورة المتكررة Recurring Type,نوع المتكررة Reduce Deduction for Leave Without Pay (LWP),تخفيض خصم لإجازة بدون أجر (LWP) Reduce Earning for Leave Without Pay (LWP),خفض عائد لإجازة بدون أجر (LWP) +Ref,المرجع Ref Code,الرمز المرجعي لل Ref SQ,المرجع SQ Reference,مرجع @@ -2307,6 +2414,7 @@ Relieving Date,تخفيف تاريخ Relieving Date must be greater than Date of Joining,تخفيف التسجيل يجب أن يكون أكبر من تاريخ الالتحاق بالعمل Remark,كلام Remarks,تصريحات +Remarks Custom,تصريحات مخصص Rename,إعادة تسمية Rename Log,إعادة تسمية الدخول Rename Tool,إعادة تسمية أداة @@ -2322,6 +2430,7 @@ Report Type,نوع التقرير Report Type is mandatory,تقرير نوع إلزامي Reports to,تقارير إلى Reqd By Date,Reqd حسب التاريخ +Reqd by Date,Reqd حسب التاريخ Request Type,طلب نوع Request for Information,طلب المعلومات Request for purchase.,طلب للشراء. @@ -2375,21 +2484,34 @@ Rounded Total,تقريب إجمالي Rounded Total (Company Currency),المشاركات تقريب (العملة الشركة) Row # ,الصف # Row # {0}: , +Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,الصف # {0}: الكمية المطلوبة لا يمكن أن أقل من الحد الأدنى الكمية النظام القطعة (المحددة في البند الرئيسي). +Row #{0}: Please specify Serial No for Item {1},الصف # {0}: يرجى تحديد رقم التسلسلي للتاريخ {1} "Row {0}: Account does not match with \ - Purchase Invoice Credit To account",الصف {0} : الحساب لا يتطابق مع \ \ ن شراء فاتورة الائتمان ل حساب + Purchase Invoice Credit To account","الصف {0}: الحساب لا يتطابق مع \ + شراء فاتورة الائتمان لحساب" "Row {0}: Account does not match with \ - Sales Invoice Debit To account",الصف {0} : الحساب لا يتطابق مع \ \ ن فاتورة المبيعات خصم ل حساب + Sales Invoice Debit To account","الصف {0}: الحساب لا يتطابق مع \ + فاتورة المبيعات خصم لحساب" +Row {0}: Conversion Factor is mandatory,الصف {0}: تحويل عامل إلزامي Row {0}: Credit entry can not be linked with a Purchase Invoice,الصف {0} : دخول الائتمان لا يمكن ربطها مع فاتورة الشراء Row {0}: Debit entry can not be linked with a Sales Invoice,الصف {0} : دخول السحب لا يمكن ربطها مع فاتورة المبيعات +Row {0}: Payment amount must be less than or equals to invoice outstanding amount. Please refer Note below.,الصف {0}: يجب أن يكون مبلغ الدفع أقل من أو يساوي الفاتورة المبلغ المستحق. يرجى الرجوع لاحظ أدناه. +Row {0}: Qty is mandatory,الصف {0}: الكمية إلزامي +"Row {0}: Qty not avalable in warehouse {1} on {2} {3}. + Available Qty: {4}, Transfer Qty: {5}","الصف {0}: الكمية لا أفالابل في مستودع {1} في {2} {3}. + المتوفرة الكمية: {4}، نقل الكمية: {5}" "Row {0}: To set {1} periodicity, difference between from and to date \ - must be greater than or equal to {2}",الصف {0} : لضبط {1} الدورية ، يجب أن يكون الفرق بين من وإلى تاريخ \ \ ن أكبر من أو يساوي {2} + must be greater than or equal to {2}","الصف {0}: لضبط {1} تواترها، الفرق بين من وإلى تاريخ \ + يجب أن تكون أكبر من أو يساوي {2}" Row {0}:Start Date must be before End Date,الصف {0} : يجب أن يكون تاريخ بدء قبل تاريخ الانتهاء Rules for adding shipping costs.,قواعد لإضافة تكاليف الشحن. Rules for applying pricing and discount.,قواعد لتطبيق التسعير والخصم . Rules to calculate shipping amount for a sale,قواعد لحساب كمية الشحن لبيع S.O. No.,S.O. لا. +SHE Cess on Excise,SHE سيس على المكوس +SHE Cess on Service Tax,SHE سيس على ضريبة الخدمة +SHE Cess on TDS,SHE سيس على TDS SMS Center,مركز SMS -SMS Control,SMS تحكم SMS Gateway URL,SMS بوابة URL SMS Log,SMS دخول SMS Parameter,SMS معلمة @@ -2494,15 +2616,20 @@ Securities and Deposits,الأوراق المالية و الودائع "Select ""Yes"" if this item represents some work like training, designing, consulting etc.",حدد "نعم" إذا هذا البند يمثل بعض الأعمال مثل التدريب، وتصميم، والتشاور الخ. "Select ""Yes"" if you are maintaining stock of this item in your Inventory.",حدد "نعم" إذا كنت الحفاظ على المخزون في هذا البند في المخزون الخاص بك. "Select ""Yes"" if you supply raw materials to your supplier to manufacture this item.",حدد "نعم" إذا كنت توريد المواد الخام لتصنيع المورد الخاص بك إلى هذا البند. +Select Brand...,حدد العلامة التجارية ... Select Budget Distribution to unevenly distribute targets across months.,حدد توزيع الميزانية لتوزيع غير متساو عبر الأهداف أشهر. "Select Budget Distribution, if you want to track based on seasonality.",حدد توزيع الميزانية، إذا كنت تريد أن تتبع على أساس موسمي. +Select Company...,حدد الشركة ... Select DocType,حدد DOCTYPE +Select Fiscal Year...,اختر السنة المالية ... Select Items,حدد العناصر +Select Project...,حدد مشروع ... Select Purchase Receipts,حدد إيصالات شراء Select Sales Orders,حدد أوامر المبيعات Select Sales Orders from which you want to create Production Orders.,حدد أوامر المبيعات التي تريد إنشاء أوامر الإنتاج. Select Time Logs and Submit to create a new Sales Invoice.,حدد وقت السجلات وتقديمها إلى إنشاء فاتورة مبيعات جديدة. Select Transaction,حدد المعاملات +Select Warehouse...,حدد مستودع ... Select Your Language,اختر اللغة الخاصة بك Select account head of the bank where cheque was deposited.,حدد رئيس حساب في البنك حيث أودع الاختيار. Select company name first.,حدد اسم الشركة الأول. @@ -2520,6 +2647,7 @@ Select your home country and check the timezone and currency.,حدد بلدك و "Selecting ""Yes"" will give a unique identity to each entity of this item which can be viewed in the Serial No master.",واختيار "نعم" يعطي هوية فريدة من نوعها لكل كيان في هذا البند والتي يمكن عرضها في المسلسل الرئيسية. Selling,بيع Selling Settings,بيع إعدادات +"Selling must be checked, if Applicable For is selected as {0}",يجب أن يتم التحقق البيع، إذا تم تحديد مطبق للك {0} Send,إرسال Send Autoreply,إرسال رد تلقائي Send Email,إرسال البريد الإلكتروني @@ -2556,7 +2684,8 @@ Serial Nos Required for Serialized Item {0},مسلسل نص مطلوب لل مس Serial Number Series,المسلسل عدد سلسلة Serial number {0} entered more than once,الرقم التسلسلي {0} دخلت أكثر من مرة "Serialized Item {0} cannot be updated \ - using Stock Reconciliation",تسلسل البند {0} لا يمكن تحديث \ \ ن باستخدام الأسهم المصالحة + using Stock Reconciliation","تسلسل البند {0} لا يمكن تحديث \ + باستخدام الأسهم المصالحة" Series,سلسلة Series List for this Transaction,قائمة سلسلة لهذه الصفقة Series Updated,سلسلة تحديث @@ -2565,15 +2694,18 @@ Series is mandatory,سلسلة إلزامي Series {0} already used in {1},سلسلة {0} تستخدم بالفعل في {1} Service,خدمة Service Address,خدمة العنوان +Service Tax,ضريبة الخدمة Services,الخدمات Set,مجموعة "Set Default Values like Company, Currency, Current Fiscal Year, etc.",تعيين القيم الافتراضية مثل شركة ، العملات، السنة المالية الحالية ، الخ Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,تعيين مجموعة من الحكمة الإغلاق الميزانيات على هذا الإقليم. يمكنك أيضا تضمين الموسمية عن طريق تعيين التوزيع. +Set Status as Available,تعيين الحالة متاح كما Set as Default,تعيين كافتراضي Set as Lost,على النحو المفقودة Set prefix for numbering series on your transactions,تعيين بادئة لترقيم السلسلة على المعاملات الخاصة بك Set targets Item Group-wise for this Sales Person.,تحديد أهداف المجموعة السلعة الحكيم لهذا الشخص المبيعات. Setting Account Type helps in selecting this Account in transactions.,تحديد نوع الحساب يساعد في تحديد هذا الحساب في المعاملات. +Setting this Address Template as default as there is no other default,وضع هذا القالب كما العنوان الافتراضي حيث لا يوجد الافتراضية الأخرى Setting up...,إعداد ... Settings,إعدادات Settings for HR Module,إعدادات وحدة الموارد البشرية @@ -2581,6 +2713,7 @@ Settings for HR Module,إعدادات وحدة الموارد البشرية Setup,الإعداد Setup Already Complete!!,الإعداد الكامل بالفعل ! Setup Complete,الإعداد كاملة +Setup SMS gateway settings,إعدادات العبارة الإعداد SMS Setup Series,سلسلة الإعداد Setup Wizard,معالج الإعداد Setup incoming server for jobs email id. (e.g. jobs@example.com),إعداد ملقم واردة عن وظائف البريد الإلكتروني معرف . (على سبيل المثال jobs@example.com ) @@ -2606,6 +2739,7 @@ Short biography for website and other publications.,نبذة عن سيرة حي Show In Website,تظهر في الموقع Show a slideshow at the top of the page,تظهر الشرائح في أعلى الصفحة Show in Website,تظهر في الموقع +Show rows with zero values,عرض الصفوف مع قيم الصفر Show this slideshow at the top of the page,تظهر هذه الشرائح في أعلى الصفحة Sick Leave,الإجازات المرضية Signature,توقيع @@ -2635,9 +2769,9 @@ Specifications,مواصفات "Specify the operations, operating cost and give a unique Operation no to your operations.",تحديد العمليات ، وتكلفة التشغيل وإعطاء عملية فريدة من نوعها لا لل عمليات الخاصة بك. Split Delivery Note into packages.,ملاحظة تقسيم التوصيل في حزم. Sports,الرياضة +Sr,ريال Standard,معيار Standard Buying,شراء القياسية -Standard Rate,قيم القياسية Standard Reports,تقارير القياسية Standard Selling,البيع القياسية Standard contract terms for Sales or Purchase.,شروط العقد القياسية ل مبيعات أو شراء . @@ -2646,6 +2780,7 @@ Start Date,تاريخ البدء Start date of current invoice's period,تاريخ بدء فترة الفاتورة الحالية Start date should be less than end date for Item {0},يجب أن يكون تاريخ البدء أقل من تاريخ انتهاء القطعة ل {0} State,دولة +Statement of Account,كشف حساب Static Parameters,ثابت معلمات Status,حالة Status must be one of {0},يجب أن تكون حالة واحدة من {0} @@ -2687,6 +2822,7 @@ Stock Value Difference,قيمة الأسهم الفرق Stock balances updated,أرصدة الأوراق المالية المحدثة Stock cannot be updated against Delivery Note {0},لا يمكن تحديث الأسهم ضد تسليم مذكرة {0} Stock entries exist against warehouse {0} cannot re-assign or modify 'Master Name',"توجد إدخالات الأسهم ضد مستودع {0} لا يمكن إعادة تعيين أو تعديل "" اسم الماجستير" +Stock transactions before {0} are frozen,يتم تجميد المعاملات الاسهم قبل {0} Stop,توقف Stop Birthday Reminders,توقف عيد ميلاد تذكير Stop Material Request,توقف المواد طلب @@ -2706,13 +2842,13 @@ Submit this Production Order for further processing.,يقدم هذا ترتيب Submitted,المقدمة Subsidiary,شركة فرعية Successful: ,ناجح: -Successfully allocated,تخصيص بنجاح +Successfully Reconciled,التوفيق بنجاح Suggestions,اقتراحات Sunday,الأحد Supplier,مزود Supplier (Payable) Account,المورد حساب (تدفع) Supplier (vendor) name as entered in supplier master,المورد (البائع) الاسم كما تم إدخالها في ماجستير المورد -Supplier Account,حساب المورد +Supplier > Supplier Type,المورد> نوع مورد Supplier Account Head,رئيس حساب المورد Supplier Address,العنوان المورد Supplier Addresses and Contacts,العناوين المورد و اتصالات @@ -2750,6 +2886,12 @@ Sync with Google Drive,متزامنا مع محرك جوجل System,نظام System Settings,إعدادات النظام "System User (login) ID. If set, it will become default for all HR forms.",نظام المستخدم (دخول) ID. إذا تعيين، وسوف تصبح الافتراضية لكافة أشكال HR. +TDS (Advertisement),TDS (إعلان) +TDS (Commission),TDS (لجنة) +TDS (Contractor),TDS (المقاول) +TDS (Interest),TDS (الفائدة) +TDS (Rent),TDS (إيجار) +TDS (Salary),TDS (الراتب) Target Amount,الهدف المبلغ Target Detail,الهدف التفاصيل Target Details,الهدف تفاصيل @@ -2770,10 +2912,12 @@ Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are no Tax Rate,ضريبة Tax and other salary deductions.,الضرائب والاقتطاعات من الراتب أخرى. "Tax detail table fetched from item master as a string and stored in this field. -Used for Taxes and Charges",التفاصيل الضريبية الجدول المنال من سيده البند كسلسلة وتخزينها في هذا المجال. \ n المستخدم للضرائب والرسوم +Used for Taxes and Charges","جلب طاولة التفاصيل الضرائب من سيده البند كسلسلة وتخزينها في هذا المجال. + مستعملة للضرائب والرسوم" Tax template for buying transactions.,قالب الضرائب لشراء صفقة. Tax template for selling transactions.,قالب الضريبية لبيع صفقة. Taxable,خاضع للضريبة +Taxes,الضرائب Taxes and Charges,الضرائب والرسوم Taxes and Charges Added,أضيفت الضرائب والرسوم Taxes and Charges Added (Company Currency),الضرائب والرسوم المضافة (عملة الشركة) @@ -2786,6 +2930,7 @@ Technology,تكنولوجيا Telecommunications,الاتصالات السلكية واللاسلكية Telephone Expenses,مصاريف الهاتف Television,تلفزيون +Template,ال Template for performance appraisals.,نموذج ل تقييم الأداء. Template of terms or contract.,قالب من الشروط أو العقد. Temporary Accounts (Assets),الحسابات المؤقتة (الأصول ) @@ -2815,7 +2960,8 @@ The First User: You,المستخدم أولا : أنت The Organization,منظمة "The account head under Liability, in which Profit/Loss will be booked",رئيس الاعتبار في إطار المسؤولية، التي سيتم حجزها الربح / الخسارة "The date on which next invoice will be generated. It is generated on submit. -",التاريخ الذي سيتم إنشاء فاتورة المقبل. +","التاريخ الذي سيتم إنشاء فاتورة المقبل. يتم إنشاؤها على تقديم. +" The date on which recurring invoice will be stop,التاريخ الذي سيتم فاتورة المتكررة وقف "The day of the month on which auto invoice will be generated e.g. 05, 28 etc ",يوم من الشهر الذي سيتم إنشاء فاتورة السيارات على سبيل المثال 05، 28 الخ The day(s) on which you are applying for leave are holiday. You need not apply for leave.,اليوم ( ق ) التي كنت متقدما للحصول على إذن هي عطلة. لا تحتاج إلى تطبيق للحصول على إجازة . @@ -2827,6 +2973,7 @@ The net weight of this package. (calculated automatically as sum of net weight o The new BOM after replacement,وBOM الجديدة بعد استبدال The rate at which Bill Currency is converted into company's base currency,المعدل الذي يتم تحويل العملة إلى عملة بيل قاعدة الشركة The unique id for tracking all recurring invoices. It is generated on submit.,المعرف الفريد لتتبع جميع الفواتير المتكررة. يتم إنشاؤها على تقديم. +"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.",ثم يتم تصفيتها من قوانين التسعير على أساس العملاء، مجموعة العملاء، الأرض، مورد، مورد نوع، حملة، شريك المبيعات الخ There are more holidays than working days this month.,هناك أكثر من العطلات أيام عمل من هذا الشهر. "There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","يمكن أن يكون هناك واحد فقط الشحن القاعدة الحالة مع 0 أو قيمة فارغة ل "" إلى القيمة """ There is not enough leave balance for Leave Type {0},ليس هناك ما يكفي من التوازن إجازة ل إجازة نوع {0} @@ -2838,6 +2985,7 @@ This Leave Application is pending approval. Only the Leave Apporver can update s This Time Log Batch has been billed.,وتوصف هذه الدفعة دخول الوقت. This Time Log Batch has been cancelled.,تم إلغاء هذه الدفعة دخول الوقت. This Time Log conflicts with {0},هذا وقت دخول يتعارض مع {0} +This format is used if country specific format is not found,ويستخدم هذا الشكل إذا لم يتم العثور على صيغة محددة البلاد This is a root account and cannot be edited.,هذا هو حساب الجذر والتي لا يمكن تحريرها. This is a root customer group and cannot be edited.,هذه هي مجموعة العملاء الجذرية والتي لا يمكن تحريرها. This is a root item group and cannot be edited.,هذه هي مجموعة البند الجذرية والتي لا يمكن تحريرها. @@ -2853,7 +3001,9 @@ Time Log Batch,الوقت الدفعة دخول Time Log Batch Detail,وقت دخول دفعة التفاصيل Time Log Batch Details,وقت دخول تفاصيل الدفعة Time Log Batch {0} must be 'Submitted',وقت دخول الدفعة {0} يجب ' نشره ' +Time Log Status must be Submitted.,يجب تقديم الوقت سجل الحالة. Time Log for tasks.,وقت دخول للمهام. +Time Log is not billable,دخول الوقت ليس للفوترة Time Log {0} must be 'Submitted',وقت دخول {0} يجب ' نشره ' Time Zone,منطقة زمنية Time Zones,من المناطق الزمنية @@ -2866,6 +3016,7 @@ To,إلى To Currency,إلى العملات To Date,حتى الان To Date should be same as From Date for Half Day leave,إلى التسجيل يجب أن يكون نفس التاريخ من ل إجازة نصف يوم +To Date should be within the Fiscal Year. Assuming To Date = {0},إلى التسجيل يجب أن يكون ضمن السنة المالية. على افتراض إلى تاريخ = {0} To Discuss,لمناقشة To Do List,والقيام قائمة To Package No.,لحزم رقم @@ -2875,8 +3026,8 @@ To Value,إلى القيمة To Warehouse,لمستودع "To add child nodes, explore tree and click on the node under which you want to add more nodes.",لإضافة العقد التابعة ، واستكشاف شجرة وانقر على العقدة التي بموجبها تريد إضافة المزيد من العقد . "To assign this issue, use the ""Assign"" button in the sidebar.",لتعيين هذه المشكلة، استخدم "تعيين" الموجود في الشريط الجانبي. -To create a Bank Account:,لإنشاء حساب مصرفي : -To create a Tax Account:,لإنشاء حساب الضريبة: +To create a Bank Account,لإنشاء حساب مصرفي +To create a Tax Account,لإنشاء حساب الضرائب "To create an Account Head under a different company, select the company and save customer.",لإنشاء حساب تحت رئيس شركة مختلفة، حدد الشركة وانقاذ العملاء. To date cannot be before from date,حتى الآن لا يمكن أن يكون قبل تاريخ من To enable Point of Sale features,لتمكين نقطة من الميزات بيع @@ -2884,22 +3035,23 @@ To enable Point of Sale view,لتمكين نقاط البيع < / ب To get Item Group in details table,للحصول على تفاصيل المجموعة في الجدول تفاصيل "To include tax in row {0} in Item rate, taxes in rows {1} must also be included",ل تشمل الضريبة في الصف {0} في معدل الإغلاق ، {1} ويجب أيضا تضمين الضرائب في الصفوف "To merge, following properties must be same for both items",لدمج ، يجب أن يكون نفس الخصائص التالية ل كلا البندين -"To report an issue, go to ", +"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.",للا ينطبق التسعير القاعدة في معاملة معينة، يجب تعطيل جميع قوانين التسعير المعمول بها. "To set this Fiscal Year as Default, click on 'Set as Default'","لتعيين هذه السنة المالية كما الافتراضي، انقر على ' تعيين كافتراضي """ To track any installation or commissioning related work after sales,لتتبع أي تركيب أو الأعمال ذات الصلة التكليف بعد البيع "To track brand name in the following documents Delivery Note, Opportunity, Material Request, Item, Purchase Order, Purchase Voucher, Purchaser Receipt, Quotation, Sales Invoice, Sales BOM, Sales Order, Serial No",لتتبع اسم العلامة التجارية في الوثائق التالية توصيل ملاحظة ، فرصة ، طلب المواد ، البند ، طلب شراء ، شراء قسيمة ، المشتري الإيصال، اقتباس، فاتورة المبيعات ، مبيعات BOM ، ترتيب المبيعات ، رقم المسلسل To track item in sales and purchase documents based on their serial nos. This is can also used to track warranty details of the product.,لتتبع البند في المبيعات وثائق الشراء على أساس غ من المسلسل. ويمكن أيضا استخدام هذه المعلومات لتعقب الضمان للمنتج. To track items in sales and purchase documents with batch nos
Preferred Industry: Chemicals etc,لتعقب العناصر في المبيعات وثائق الشراء مع NOS دفعة
الصناعة المفضل: الكيمياء الخ To track items using barcode. You will be able to enter items in Delivery Note and Sales Invoice by scanning barcode of item.,لتعقب العناصر باستخدام الباركود. سوف تكون قادرة على الدخول في بنود مذكرة التسليم والفاتورة المبيعات عن طريق مسح الباركود من العنصر. +Too many columns. Export the report and print it using a spreadsheet application.,عدد كبير جدا من الأعمدة. تصدير التقرير وطباعته باستخدام تطبيق جدول البيانات. Tools,أدوات Total,مجموع +Total ({0}),مجموع ({0}) Total Advance,إجمالي المقدمة -Total Allocated Amount,مجموع المبلغ المخصص -Total Allocated Amount can not be greater than unmatched amount,مجموع المبلغ المخصص لا يمكن أن يكون أكبر من القيمة التي لا تضاهى Total Amount,المبلغ الكلي لل Total Amount To Pay,المبلغ الكلي لدفع Total Amount in Words,المبلغ الكلي في كلمات Total Billing This Year: ,مجموع الفواتير هذا العام: +Total Characters,مجموع أحرف Total Claimed Amount,إجمالي المبلغ المطالب به Total Commission,مجموع العمولة Total Cost,التكلفة الكلية لل @@ -2923,14 +3075,13 @@ Total Score (Out of 5),مجموع نقاط (من 5) Total Tax (Company Currency),مجموع الضرائب (عملة الشركة) Total Taxes and Charges,مجموع الضرائب والرسوم Total Taxes and Charges (Company Currency),مجموع الضرائب والرسوم (عملة الشركة) -Total Words,مجموع الكلمات -Total Working Days In The Month,مجموع أيام العمل في الشهر Total allocated percentage for sales team should be 100,مجموع النسبة المئوية المخصصة ل فريق المبيعات يجب أن يكون 100 Total amount of invoices received from suppliers during the digest period,المبلغ الإجمالي للفواتير الواردة من الموردين خلال فترة هضم Total amount of invoices sent to the customer during the digest period,المبلغ الإجمالي للفواتير المرسلة إلى العملاء خلال الفترة دايجست Total cannot be zero,إجمالي لا يمكن أن يكون صفرا Total in words,وبعبارة مجموع Total points for all goals should be 100. It is {0},مجموع النقاط لجميع الأهداف ينبغي أن تكون 100 . ومن {0} +Total valuation for manufactured or repacked item(s) can not be less than total valuation of raw materials,مجموع التقييم لمادة المصنعة أو إعادة تعبئتها (ق) لا يمكن أن يكون أقل من التقييم الكلي للمواد الخام Total weightage assigned should be 100%. It is {0},يجب أن يكون مجموع الترجيح تعيين 100 ٪ . فمن {0} Totals,المجاميع Track Leads by Industry Type.,المسار يؤدي حسب نوع الصناعة . @@ -2966,7 +3117,7 @@ UOM Conversion Details,تفاصيل التحويل UOM UOM Conversion Factor,UOM تحويل عامل UOM Conversion factor is required in row {0},مطلوب عامل UOM التحويل في الصف {0} UOM Name,UOM اسم -UOM coversion factor required for UOM {0} in Item {1},عامل coversion UOM اللازمة ل UOM {0} في البند {1} +UOM coversion factor required for UOM: {0} in Item: {1},عامل coversion UOM اللازمة لUOM: {0} في المدينة: {1} Under AMC,تحت AMC Under Graduate,تحت الدراسات العليا Under Warranty,تحت الكفالة @@ -2976,8 +3127,8 @@ Unit of Measure {0} has been entered more than once in Conversion Factor Table, "Unit of measurement of this item (e.g. Kg, Unit, No, Pair).",وحدة القياس في هذا البند (مثل كجم، وحدة، لا، الزوج). Units/Hour,وحدة / ساعة Units/Shifts,وحدة / التحولات -Unmatched Amount,لا مثيل لها المبلغ Unpaid,غير مدفوع +Unreconciled Payment Details,لم تتم تسويتها تفاصيل الدفع Unscheduled,غير المجدولة Unsecured Loans,القروض غير المضمونة Unstop,نزع السدادة @@ -2992,7 +3143,6 @@ Update Landed Cost,تحديث هبطت تكلفة Update Series,تحديث سلسلة Update Series Number,تحديث سلسلة رقم Update Stock,تحديث الأسهم -"Update allocated amount in the above table and then click ""Allocate"" button",تحديث المبلغ المخصص في الجدول أعلاه ومن ثم انقر فوق "تخصيص" الزر Update bank payment dates with journals.,تحديث البنك دفع التواريخ مع المجلات. Update clearance date of Journal Entries marked as 'Bank Vouchers',تاريخ التخليص تحديث إدخالات دفتر اليومية وضعت ' قسائم البنك Updated,تحديث @@ -3009,6 +3159,7 @@ Upper Income,العلوي الدخل Urgent,ملح Use Multi-Level BOM,استخدام متعدد المستويات BOM Use SSL,استخدام SSL +Used for Production Plan,تستخدم لخطة الإنتاج User,مستخدم User ID,المستخدم ID User ID not set for Employee {0},هوية المستخدم لم يتم تعيين موظف ل {0} @@ -3047,9 +3198,9 @@ View Now,عرض الآن Visit report for maintenance call.,تقرير زيارة للدعوة الصيانة. Voucher #,سند # Voucher Detail No,تفاصيل قسيمة لا +Voucher Detail Number,قسيمة رقم التفاصيل Voucher ID,قسيمة ID Voucher No,رقم السند -Voucher No is not valid,رقم السند غير صالح Voucher Type,نوع السند Voucher Type and Date,نوع قسيمة والتسجيل Walk In,عميل غير مسجل @@ -3065,11 +3216,12 @@ Warehouse is mandatory for stock Item {0} in row {1},مستودع إلزامي Warehouse is missing in Purchase Order,مستودع مفقود في أمر الشراء Warehouse not found in the system,لم يتم العثور على مستودع في النظام Warehouse required for stock Item {0},مستودع الأسهم المطلوبة لل تفاصيل {0} -Warehouse required in POS Setting,مستودع المطلوبة في إعداد POS Warehouse where you are maintaining stock of rejected items,مستودع حيث كنت الحفاظ على المخزون من المواد رفضت Warehouse {0} can not be deleted as quantity exists for Item {1},مستودع {0} لا يمكن حذف كما توجد كمية القطعة ل {1} Warehouse {0} does not belong to company {1},مستودع {0} لا تنتمي إلى شركة {1} Warehouse {0} does not exist,مستودع {0} غير موجود +Warehouse {0}: Company is mandatory,مستودع {0}: شركة إلزامي +Warehouse {0}: Parent account {1} does not bolong to the company {2},مستودع {0}: حساب الرئيسي {1} لا بولونغ للشركة {2} Warehouse-Wise Stock Balance,مستودع الحكيم رصيد المخزون Warehouse-wise Item Reorder,مستودع المدينة من الحكمة إعادة ترتيب Warehouses,المستودعات @@ -3114,13 +3266,14 @@ Will be updated when batched.,سيتم تحديث عندما دفعات. Will be updated when billed.,سيتم تحديث عندما توصف. Wire Transfer,حوالة مصرفية With Operations,مع عمليات -With period closing entry,مع دخول فترة إغلاق +With Period Closing Entry,مع دخول فترة الإغلاق Work Details,تفاصيل العمل Work Done,العمل المنجز Work In Progress,التقدم في العمل Work-in-Progress Warehouse,مستودع العمل قيد التنفيذ Work-in-Progress Warehouse is required before Submit,مطلوب العمل في و التقدم في معرض النماذج ثلاثية قبل إرسال Working,عامل +Working Days,أيام عمل إنجليزية Workstation,محطة العمل Workstation Name,اسم محطة العمل Write Off Account,شطب حساب @@ -3136,9 +3289,6 @@ Year Closed,مغلق العام Year End Date,نهاية التاريخ العام Year Name,اسم العام Year Start Date,تاريخ بدء العام -Year Start Date and Year End Date are already set in Fiscal Year {0},يتم تعيين السنة تاريخ بدء و نهاية السنة التسجيل بالفعل في السنة المالية {0} -Year Start Date and Year End Date are not within Fiscal Year.,العام تاريخ بدء و نهاية السنة تاريخ ليست ضمن السنة المالية. -Year Start Date should not be greater than Year End Date,لا ينبغي أن يكون تاريخ بدء السنة أكبر من سنة تاريخ الانتهاء Year of Passing,اجتياز سنة Yearly,سنويا Yes,نعم @@ -3148,7 +3298,6 @@ You are the Expense Approver for this record. Please Update the 'Status' and Sav You are the Leave Approver for this record. Please Update the 'Status' and Save,"كنت في إجازة الموافق لهذا السجل . يرجى تحديث ""الحالة"" و فروا" You can enter any date manually,يمكنك إدخال أي تاريخ يدويا You can enter the minimum quantity of this item to be ordered.,يمكنك إدخال كمية الحد الأدنى في هذا البند إلى أن يؤمر. -You can not assign itself as parent account,لا يمكنك تعيين نفسها حساب الوالد You can not change rate if BOM mentioned agianst any item,لا يمكنك تغيير معدل إذا ذكر BOM agianst أي بند You can not enter both Delivery Note No and Sales Invoice No. Please enter any one.,لا يمكنك إدخال كل من التسليم ملاحظة لا و الفاتورة رقم المبيع الرجاء إدخال أي واحد . You can not enter current voucher in 'Against Journal Voucher' column,لا يمكنك إدخال قسيمة الحالي في ' ضد مجلة قسيمة ' العمود @@ -3160,7 +3309,6 @@ You cannot credit and debit same account at the same time,لا يمكنك الا You have entered duplicate items. Please rectify and try again.,لقد دخلت عناصر مكررة . يرجى تصحيح و حاول مرة أخرى. You may need to update: {0},قد تحتاج إلى تحديث : {0} You must Save the form before proceeding,يجب حفظ النموذج قبل الشروع -You must allocate amount before reconcile,يجب تخصيص المبلغ قبل التوفيق بين Your Customer's TAX registration numbers (if applicable) or any general information,عميلك أرقام التسجيل الضريبي (إن وجدت) أو أي معلومات عامة Your Customers,الزبائن Your Login Id,تسجيل الدخول اسم المستخدم الخاص بك @@ -3173,11 +3321,13 @@ Your sales person who will contact the customer in future,مبيعاتك الش Your sales person will get a reminder on this date to contact the customer,سيكون لديك مبيعات شخص الحصول على تذكرة في هذا التاريخ للاتصال العملاء Your setup is complete. Refreshing...,الإعداد كاملة. منعش ... Your support email id - must be a valid email - this is where your emails will come!,معرف بريدا إلكترونيا الدعم - يجب أن يكون عنوان بريد إلكتروني صالح - وهذا هو المكان الذي سوف يأتي رسائل البريد الإلكتروني! +[Error],[خطأ] [Select],[اختر ] `Freeze Stocks Older Than` should be smaller than %d days.,` تجميد الأرصدة أقدم من يجب أن يكون أصغر من ٪ d يوم ` . and,و are not allowed.,لا يسمح . assigned by,يكلفه بها +cannot be greater than 100,لا يمكن أن يكون أكبر من 100 "e.g. ""Build tools for builders""","على سبيل المثال "" بناء أدوات لبناة """ "e.g. ""MC""","على سبيل المثال "" MC """ "e.g. ""My Company LLC""","على سبيل المثال ""شركتي LLC """ @@ -3190,32 +3340,34 @@ example: Next Day Shipping,مثال: اليوم التالي شحن lft,LFT old_parent,old_parent rgt,RGT +subject,الموضوع +to,إلى website page link,الموقع رابط الصفحة {0} '{1}' not in Fiscal Year {2},{0} '{1}' ليس في السنة المالية {2} {0} Credit limit {0} crossed,{0} حد الائتمان {0} عبروا {0} Serial Numbers required for Item {0}. Only {0} provided.,{0} الأرقام التسلسلية المطلوبة القطعة ل {0} . فقط {0} المقدمة. {0} budget for Account {1} against Cost Center {2} will exceed by {3},{0} ميزانية الحساب {1} ضد مركز التكلفة {2} سيتجاوز التي كتبها {3} +{0} can not be negative,{0} لا يمكن أن تكون سلبية {0} created,{0} خلق {0} does not belong to Company {1},{0} لا تنتمي إلى شركة {1} {0} entered twice in Item Tax,{0} دخلت مرتين في ضريبة المدينة {0} is an invalid email address in 'Notification Email Address',"{0} هو عنوان بريد إلكتروني غير صالح في ' عنوان البريد الإلكتروني إعلام """ {0} is mandatory,{0} إلزامي {0} is mandatory for Item {1},{0} إلزامي القطعة ل {1} +{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} إلزامي. ربما لا يتم إنشاء سجل سعر صرف العملة ل{1} إلى {2}. {0} is not a stock Item,{0} ليس الأسهم الإغلاق {0} is not a valid Batch Number for Item {1},{0} ليس رقم الدفعة صالحة لل تفاصيل {1} -{0} is not a valid Leave Approver,{0} ليس صحيحا اترك الموافق +{0} is not a valid Leave Approver. Removing row #{1}.,{0} ليس صحيحا اترك الموافق. إزالة الصف # {1}. {0} is not a valid email id,{0} ليس معرف بريد إلكتروني صحيح {0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} الآن الافتراضي السنة المالية. يرجى تحديث المتصفح ل التغيير نافذ المفعول . {0} is required,{0} مطلوب {0} must be a Purchased or Sub-Contracted Item in row {1},{0} يجب أن يكون البند شراؤها أو التعاقد الفرعي في الصف {1} -{0} must be less than or equal to {1},{0} يجب أن يكون أقل من أو يساوي {1} +{0} must be reduced by {1} or you should increase overflow tolerance,{0} يجب تخفيض كتبها {1} أو يجب زيادة الفائض التسامح {0} must have role 'Leave Approver',{0} يجب أن يكون دور ' اترك الموافق ' {0} valid serial nos for Item {1},{0} غ المسلسل صالحة لل تفاصيل {1} {0} {1} against Bill {2} dated {3},{0} {1} ضد بيل {2} بتاريخ {3} {0} {1} against Invoice {2},{0} {1} ضد الفاتورة {2} {0} {1} has already been submitted,{0} {1} وقد تم بالفعل قدمت -{0} {1} has been modified. Please Refresh,{0} {1} تم تعديل . يرجى تحديث -{0} {1} has been modified. Please refresh,{0} {1} تم تعديل . يرجى تحديث {0} {1} has been modified. Please refresh.,{0} {1} تم تعديل . يرجى تحديث. {0} {1} is not submitted,{0} {1} لا تقدم {0} {1} must be submitted,{0} {1} يجب أن تقدم @@ -3223,3 +3375,5 @@ website page link,الموقع رابط الصفحة {0} {1} status is 'Stopped',{0} {1} الحالة هو ' توقف ' {0} {1} status is Stopped,{0} {1} متوقف الوضع {0} {1} status is Unstopped,{0} {1} هو الوضع تتفتح +{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: مركز التكلفة إلزامي القطعة ل{2} +{0}: {1} not found in Invoice Details table,{0}: {1} غير موجود في جدول تفاصيل الفاتورة diff --git a/erpnext/translations/de.csv b/erpnext/translations/de.csv index 040c068058..2ffa94d3ca 100644 --- a/erpnext/translations/de.csv +++ b/erpnext/translations/de.csv @@ -14,7 +14,6 @@ % of materials delivered against this Sales Order,% Der Materialien gegen diesen Kundenauftrag geliefert % of materials ordered against this Material Request,% Der bestellten Materialien gegen diesen Werkstoff anfordern % of materials received against this Purchase Order,% Der Materialien erhalten gegen diese Bestellung -%(conversion_rate_label)s is mandatory. Maybe Currency Exchange record is not created for %(from_currency)s to %(to_currency)s,% ( conversion_rate_label ) s ist obligatorisch. Vielleicht Devisenwechsel Datensatz nicht für% erstellt ( from_currency ) s in% ( to_currency ) s 'Actual Start Date' can not be greater than 'Actual End Date',"' Ist- Startdatum ""nicht größer als "" Actual End Date "" sein" 'Based On' and 'Group By' can not be same,""" Based On "" und "" Group By "" nicht gleich sein" 'Days Since Last Order' must be greater than or equal to zero,""" Tage seit dem letzten Auftrag "" muss größer als oder gleich Null sein" @@ -30,11 +29,35 @@ 'Update Stock' for Sales Invoice {0} must be set,'Update Auf ' für Sales Invoice {0} muss eingestellt werden * Will be calculated in the transaction.,* Wird in der Transaktion berechnet werden. "1 Currency = [?] Fraction -For e.g. 1 USD = 100 Cent",1 Währungs = [ ?] Fraction \ nFür z. B. +For e.g. 1 USD = 100 Cent","1 Währungs = [?] Fraction + Für zB 1 USD = 100 Cent" 1. To maintain the customer wise item code and to make them searchable based on their code use this option,Ein. Um den Kunden kluge Artikel Code zu pflegen und um sie durchsuchbar basierend auf ihren Code um diese Option "Add / Edit"," Hinzufügen / Bearbeiten " "Add / Edit"," Hinzufügen / Bearbeiten " "Add / Edit"," Hinzufügen / Bearbeiten " +"

Default Template

+

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

+
{{ address_line1 }}<br>
+{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}
+{{ city }}<br>
+{% if state %}{{ state }}<br>{% endif -%}
+{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}
+{{ country }}<br>
+{% if phone %}Phone: {{ phone }}<br>{% endif -%}
+{% if fax %}Fax: {{ fax }}<br>{% endif -%}
+{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
+
","

Standardvorlage +

Verwendet Jinja Templating und alle Felder der Adresse ( einschließlich Custom Fields falls vorhanden) zur Verfügung stehen + {{

  address_line1}} 
+ {% wenn address_line2%} {{}} address_line2
{ endif% -%} + {{city}}
+ {% wenn staatliche%} {{Zustand}} {% endif
-%} + {%%}, wenn PIN-Code PIN: {{PIN-Code}} {% endif
-%} + {{Land}}
+ {%%}, wenn das Telefon Tel.: {{Telefon}} {
endif% -%} + {%%}, wenn Fax Fax: {{Fax}} {% endif
-%} + {% wenn email_id%} E-Mail: {{}} email_id
, {% endif -%} + " A Customer Group exists with same name please change the Customer name or rename the Customer Group,Mit dem gleichen Namen eine Kundengruppe existiert ändern Sie bitte die Kundenname oder benennen Sie die Kundengruppe A Customer exists with same name,Ein Kunde gibt mit dem gleichen Namen A Lead with this email id should exist,Ein Lead mit dieser E-Mail-ID sollte vorhanden sein @@ -44,7 +67,6 @@ A symbol for this currency. For e.g. $,Ein Symbol für diese Währung. Für z.B. AMC Expiry Date,AMC Ablaufdatum Abbr,Abk. Abbreviation cannot have more than 5 characters,Abkürzung kann nicht mehr als 5 Zeichen -About,Über Above Value,Vor Wert Absent,Abwesend Acceptance Criteria,Akzeptanzkriterien @@ -59,6 +81,8 @@ Account Details,Kontodetails Account Head,Konto Leiter Account Name,Account Name Account Type,Kontotyp +"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Kontostand bereits im Kredit, Sie dürfen nicht eingestellt ""Balance Must Be"" als ""Debit""" +"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Kontostand bereits in Lastschrift, sind Sie nicht berechtigt, festgelegt als ""Kredit"" ""Balance Must Be '" Account for the warehouse (Perpetual Inventory) will be created under this Account.,Konto für das Lager ( Perpetual Inventory) wird unter diesem Konto erstellt werden. Account head {0} created,Konto Kopf {0} erstellt Account must be a balance sheet account,Konto muss ein Bilanzkonto sein @@ -68,13 +92,20 @@ Account with existing transaction can not be deleted,Konto mit bestehenden Trans Account with existing transaction cannot be converted to ledger,Konto mit bestehenden Transaktion kann nicht umgewandelt werden Buch Account {0} cannot be a Group,Konto {0} kann nicht eine Gruppe sein Account {0} does not belong to Company {1},Konto {0} ist nicht auf Unternehmen gehören {1} +Account {0} does not belong to company: {1},Konto {0} ist nicht auf Unternehmen gehören: {1} Account {0} does not exist,Konto {0} existiert nicht Account {0} has been entered more than once for fiscal year {1},Konto {0} hat mehr als einmal für das Geschäftsjahr eingegeben {1} Account {0} is frozen,Konto {0} ist eingefroren Account {0} is inactive,Konto {0} ist inaktiv +Account {0} is not valid,Konto {0} ist nicht gültig Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item,"Konto {0} muss vom Typ "" Fixed Asset "" sein, wie Artikel {1} ist ein Aktivposten" +Account {0}: Parent account {1} can not be a ledger,"Konto {0}: Eltern-Konto {1} kann nicht sein, ein Hauptbuch" +Account {0}: Parent account {1} does not belong to company: {2},Konto {0}: Eltern-Konto {1} nicht zur Firma gehören: {2} +Account {0}: Parent account {1} does not exist,Konto {0}: Eltern-Konto {1} existiert nicht +Account {0}: You can not assign itself as parent account,Konto {0}: Sie können sich nicht als Hauptkonto zuweisen "Account: {0} can only be updated via \ - Stock Transactions",Konto : {0} kann nur über \ \ n Auf Transaktionen aktualisiert werden + Stock Transactions","Konto: \ + Auf Transaktionen {0} kann nur über aktualisiert werden" Accountant,Buchhalter Accounting,Buchhaltung "Accounting Entries can be made against leaf nodes, called","Accounting Einträge können gegen Blattknoten gemacht werden , die so genannte" @@ -124,6 +155,7 @@ Address Details,Adressdaten Address HTML,Adresse HTML Address Line 1,Address Line 1 Address Line 2,Address Line 2 +Address Template,Adressvorlage Address Title,Anrede Address Title is mandatory.,Titel Adresse ist verpflichtend. Address Type,Adresse Typ @@ -144,7 +176,6 @@ Against Docname,Vor DocName Against Doctype,Vor Doctype Against Document Detail No,Vor Document Detailaufnahme Against Document No,Gegen Dokument Nr. -Against Entries,vor Einträge Against Expense Account,Vor Expense Konto Against Income Account,Vor Income Konto Against Journal Voucher,Vor Journal Gutschein @@ -180,10 +211,8 @@ All Territories,Alle Staaten "All export related fields like currency, conversion rate, export total, export grand total etc are available in Delivery Note, POS, Quotation, Sales Invoice, Sales Order etc.","Alle Export verwandten Bereichen wie Währung , Conversion-Rate , Export insgesamt , Export Gesamtsumme etc sind in Lieferschein , POS, Angebot, Verkaufsrechnung , Auftrags usw." "All import related fields like currency, conversion rate, import total, import grand total etc are available in Purchase Receipt, Supplier Quotation, Purchase Invoice, Purchase Order etc.","Alle Import verwandten Bereichen wie Währung , Conversion-Rate , Import insgesamt , Import Gesamtsumme etc sind in Kaufbeleg , Lieferant Angebot, Einkaufsrechnung , Bestellung usw." All items have already been invoiced,Alle Einzelteile sind bereits abgerechnet -All items have already been transferred for this Production Order.,Alle Einzelteile haben schon für diese Fertigungsauftrag übertragen. All these items have already been invoiced,Alle diese Elemente sind bereits in Rechnung gestellt Allocate,Zuweisen -Allocate Amount Automatically,Ordnen Betrag automatisch Allocate leaves for a period.,Ordnen Blätter für einen Zeitraum . Allocate leaves for the year.,Weisen Blätter für das Jahr. Allocated Amount,Zugeteilten Betrag @@ -204,13 +233,13 @@ Allow Users,Ermöglichen Allow the following users to approve Leave Applications for block days.,Lassen Sie die folgenden Benutzer zu verlassen Anwendungen für Block Tage genehmigen. Allow user to edit Price List Rate in transactions,Benutzer zulassen Preis List in Transaktionen bearbeiten Allowance Percent,Allowance Prozent -Allowance for over-delivery / over-billing crossed for Item {0},Wertberichtigungen für Über Lieferung / Über Abrechnung für Artikel gekreuzt {0} +Allowance for over-{0} crossed for Item {1},Wertberichtigungen für Über {0} drücken für Artikel {1} +Allowance for over-{0} crossed for Item {1}.,Wertberichtigungen für Über {0} drücken für Artikel {1}. Allowed Role to Edit Entries Before Frozen Date,"Erlaubt Rolle , um Einträge bearbeiten Bevor Gefrorene Datum" Amended From,Geändert von Amount,Menge Amount (Company Currency),Betrag (Gesellschaft Währung) -Amount <=,Betrag <= -Amount >=,Betrag> = +Amount Paid,Betrag Amount to Bill,Belaufen sich auf Bill An Customer exists with same name,Ein Kunde mit dem gleichen Namen existiert "An Item Group exists with same name, please change the item name or rename the item group","Mit dem gleichen Namen eine Artikelgruppe existiert, ändern Sie bitte die Artikel -Namen oder die Artikelgruppe umbenennen" @@ -260,6 +289,7 @@ As per Stock UOM,Wie pro Lagerbestand UOM Asset,Vermögenswert Assistant,Assistent Associate,Mitarbeiterin +Atleast one of the Selling or Buying must be selected,Mindestens eines der Verkauf oder Kauf ausgewählt werden muss Atleast one warehouse is mandatory,Mindestens eines Lagers ist obligatorisch Attach Image,Bild anhängen Attach Letterhead,Bringen Brief @@ -319,6 +349,7 @@ Balance for Account {0} must always be {1},Saldo Konto {0} muss immer {1} Balance must be,"Gleichgewicht sein muss," "Balances of Accounts of type ""Bank"" or ""Cash""","Guthaben von Konten vom Typ "" Bank"" oder "" Cash""" Bank,Bank +Bank / Cash Account,Bank / Geldkonto Bank A/C No.,Bank A / C Nr. Bank Account,Bankkonto Bank Account No.,Bank Konto-Nr @@ -397,18 +428,24 @@ Budget Distribution Details,Budget Ausschüttungsinformationen Budget Variance Report,Budget Variance melden Budget cannot be set for Group Cost Centers,Budget kann nicht für die Konzernkostenstelleneingerichtet werden Build Report,Bauen Bericht -Built on,Erbaut auf Bundle items at time of sale.,Bundle Artikel zum Zeitpunkt des Verkaufs. Business Development Manager,Business Development Manager Buying,Kauf Buying & Selling,Kaufen und Verkaufen Buying Amount,Einkaufsführer Betrag Buying Settings,Einkaufsführer Einstellungen +"Buying must be checked, if Applicable For is selected as {0}","Kaufen Sie muss überprüft werden, wenn Anwendbar ist als ausgewählt {0}" C-Form,C-Form C-Form Applicable,"C-Form," C-Form Invoice Detail,C-Form Rechnungsdetails C-Form No,C-Form nicht C-Form records,C- Form- Aufzeichnungen +CENVAT Capital Goods,CENVAT Investitionsgüter +CENVAT Edu Cess,CENVAT Edu Cess +CENVAT SHE Cess,CENVAT SHE Cess +CENVAT Service Tax,CENVAT Service Steuer +CENVAT Service Tax Cess 1,CENVAT Service Steuer Cess 1 +CENVAT Service Tax Cess 2,CENVAT Service Steuer Cess 2 Calculate Based On,Berechnen Basierend auf Calculate Total Score,Berechnen Gesamtpunktzahl Calendar Events,Kalendereintrag @@ -432,7 +469,7 @@ Cannot approve leave as you are not authorized to approve leaves on Block Dates, Cannot cancel because Employee {0} is already approved for {1},"Kann nicht kündigen, weil Mitarbeiter {0} ist bereits genehmigt {1}" Cannot cancel because submitted Stock Entry {0} exists,"Kann nicht kündigen, weil eingereichten Lizenz Eintrag {0} existiert" Cannot carry forward {0},Kann nicht mitnehmen {0} -Cannot change Year Start Date and Year End Date once the Fiscal Year is saved.,"Jahr Startdatum und Enddatum Jahr , sobald die Geschäftsjahr wird gespeichert nicht ändern kann." +Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,"Geschäftsjahr Startdatum und Geschäftsjahresende Datum, wenn die Geschäftsjahr wird gespeichert nicht ändern kann." "Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Kann nicht ändern Standardwährung des Unternehmens , weil es bestehende Transaktionen. Transaktionen müssen aufgehoben werden, um die Standardwährung zu ändern." Cannot convert Cost Center to ledger as it has child nodes,"Kann nicht konvertieren Kostenstelle zu Buch , wie es untergeordnete Knoten hat" Cannot covert to Group because Master Type or Account Type is selected.,"Kann nicht auf verdeckte Gruppe , weil Herr Art oder Kontotyp gewählt wird." @@ -441,7 +478,7 @@ Cannot deactive or cancle BOM as it is linked with other BOMs,"Kann nicht deakti Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Kann nicht abziehen , wenn Kategorie ist für ""Bewertungstag "" oder "" Bewertung und Total '" "Cannot delete Serial No {0} in stock. First remove from stock, then delete.","Kann nicht Seriennummer {0} in Lager löschen . Erstens ab Lager entfernen, dann löschen." "Cannot directly set amount. For 'Actual' charge type, use the rate field","Kann nicht direkt Betrag gesetzt . Für ""tatsächlichen"" Ladungstyp , verwenden Sie das Kursfeld" -"Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in 'Setup' > 'Global Defaults'","Kann nicht für Artikel {0} in Zeile overbill {0} mehr als {1} . Um Überfakturierung zu ermöglichen, bitte ""Setup"" eingestellt > ' Globale Defaults'" +"Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in Stock Settings",Kann nicht für Artikel {0} in Zeile overbill {0} mehr als {1}. Um Überfakturierung erlauben Sie bitte Lizenzeinstellungen festgelegt Cannot produce more Item {0} than Sales Order quantity {1},Mehr Artikel kann nicht produzieren {0} als Sales Order Menge {1} Cannot refer row number greater than or equal to current row number for this Charge type,Kann nicht Zeilennummer größer oder gleich aktuelle Zeilennummer für diesen Ladetypbeziehen Cannot return more than {0} for Item {1},Kann nicht mehr als {0} zurück zur Artikel {1} @@ -504,6 +541,8 @@ Click on a link to get options to expand get options , Client,Auftraggeber Close Balance Sheet and book Profit or Loss.,Schließen Bilanz und Gewinn-und -Verlust- Buch . Closed,Geschlossen +Closing (Cr),Closing (Cr) +Closing (Dr),Closing (Dr) Closing Account Head,Konto schließen Leiter Closing Account {0} must be of type 'Liability',"Schluss Konto {0} muss vom Typ ""Haftung"" sein" Closing Date,Einsendeschluss @@ -514,7 +553,9 @@ CoA Help,CoA Hilfe Code,Code Cold Calling,Cold Calling Color,Farbe +Column Break,Spaltenumbruch Comma separated list of email addresses,Durch Komma getrennte Liste von E-Mail-Adressen +Comment,Kommentar Comments,Kommentare Commercial,Handels- Commission,Provision @@ -599,7 +640,6 @@ Cosmetics,Kosmetika Cost Center,Kostenstellenrechnung Cost Center Details,Kosten Center Details Cost Center Name,Kosten Center Name -Cost Center is mandatory for Item {0},Kostenstelle ist obligatorisch für Artikel {0} Cost Center is required for 'Profit and Loss' account {0},Kostenstelle wird für ' Gewinn-und Verlustrechnung des erforderlichen {0} Cost Center is required in row {0} in Taxes table for type {1},Kostenstelle wird in der Zeile erforderlich {0} in Tabelle Steuern für Typ {1} Cost Center with existing transactions can not be converted to group,Kostenstelle mit bestehenden Geschäfte nicht zu Gruppe umgewandelt werden @@ -609,6 +649,7 @@ Cost of Goods Sold,Herstellungskosten der verkauften Costing,Kalkulation Country,Land Country Name,Land Name +Country wise default Address Templates,Land weise Standardadressvorlagen "Country, Timezone and Currency","Land , Zeitzone und Währung" Create Bank Voucher for the total salary paid for the above selected criteria,Erstellen Bankgutschein für die Lohnsumme für die oben ausgewählten Kriterien gezahlt Create Customer,Neues Kunden @@ -662,10 +703,12 @@ Customer (Receivable) Account,Kunde (Forderungen) Konto Customer / Item Name,Kunde / Item Name Customer / Lead Address,Kunden / Lead -Adresse Customer / Lead Name,Kunden / Lead Namen +Customer > Customer Group > Territory,Kunden> Kundengruppe> Territory Customer Account Head,Kundenkonto Kopf Customer Acquisition and Loyalty,Kundengewinnung und-bindung Customer Address,Kundenadresse Customer Addresses And Contacts,Kundenadressen und Kontakte +Customer Addresses and Contacts,Kundenadressen und Ansprechpartner Customer Code,Customer Code Customer Codes,Kunde Codes Customer Details,Customer Details @@ -727,6 +770,8 @@ Deduction1,Deduction1 Deductions,Abzüge Default,Default Default Account,Default-Konto +Default Address Template cannot be deleted,Standard-Adressvorlage kann nicht gelöscht werden +Default Amount,Standard-Betrag Default BOM,Standard BOM Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,"Standard Bank / Cash-Konto werden automatisch in POS Rechnung aktualisiert werden, wenn dieser Modus ausgewählt ist." Default Bank Account,Standard Bank Account @@ -734,7 +779,6 @@ Default Buying Cost Center,Standard Buying Kostenstelle Default Buying Price List,Standard Kaufpreisliste Default Cash Account,Standard Cashkonto Default Company,Standard Unternehmen -Default Cost Center for tracking expense for this item.,Standard Cost Center for Tracking Kosten für diesen Artikel. Default Currency,Standardwährung Default Customer Group,Standard Customer Group Default Expense Account,Standard Expense Konto @@ -761,6 +805,7 @@ Default settings for selling transactions.,Standardeinstellungen für Verkaufsge Default settings for stock transactions.,Standardeinstellungen für Aktientransaktionen . Defense,Verteidigung "Define Budget for this Cost Center. To set budget action, see
Company Master","Definieren Budget für diese Kostenstelle. Um Budget Aktion finden Sie unter Firma Master " +Del,löschen Delete,Löschen Delete {0} {1}?,Löschen {0} {1} ? Delivered,Lieferung @@ -809,6 +854,7 @@ Discount (%),Rabatt (%) Discount Amount,Discount Amount "Discount Fields will be available in Purchase Order, Purchase Receipt, Purchase Invoice","Discount Felder werden in der Bestellung, Kaufbeleg Kauf Rechnung verfügbar" Discount Percentage,Rabatt Prozent +Discount Percentage can be applied either against a Price List or for all Price List.,Rabatt Prozent kann entweder gegen eine Preisliste oder Preisliste für alle angewendet werden. Discount must be less than 100,Discount muss kleiner als 100 sein Discount(%),Rabatt (%) Dispatch,Versand @@ -841,7 +887,8 @@ Download Template,Vorlage herunterladen Download a report containing all raw materials with their latest inventory status,Laden Sie einen Bericht mit allen Rohstoffen mit ihren neuesten Inventar Status "Download the Template, fill appropriate data and attach the modified file.","Laden Sie die Vorlage , füllen entsprechenden Daten und befestigen Sie die geänderte Datei ." "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","Laden Sie die Vorlage , füllen entsprechenden Daten und befestigen Sie die geänderte Datei . \ NAlle stammt und Mitarbeiter Kombination in der gewünschten Zeit wird in der Vorlage zu kommen, mit den bestehenden Besucherrekorde" +All dates and employee combination in the selected period will come in the template, with existing attendance records","Laden Sie die Vorlage, füllen entsprechenden Daten und befestigen Sie die geänderte Datei. + Alle Termine und Mitarbeiter-Kombination in der gewünschten Zeit wird in der Vorlage zu kommen, mit den bestehenden Besucherrekorde" Draft,Entwurf Dropbox,Dropbox Dropbox Access Allowed,Dropbox-Zugang erlaubt @@ -863,6 +910,9 @@ Earning & Deduction,Earning & Abzug Earning Type,Earning Typ Earning1,Earning1 Edit,Bearbeiten +Edu. Cess on Excise,Edu. Cess Verbrauch +Edu. Cess on Service Tax,Edu. Cess auf Service Steuer +Edu. Cess on TDS,Edu. Cess auf TDS Education,Bildung Educational Qualification,Educational Qualifikation Educational Qualification Details,Educational Qualifikation Einzelheiten @@ -937,16 +987,27 @@ Enter url parameter for receiver nos,Geben Sie URL-Parameter für Empfänger nos Entertainment & Leisure,Unterhaltung & Freizeit Entertainment Expenses,Bewirtungskosten Entries,Einträge -Entries against,Einträge gegen +Entries against , Entries are not allowed against this Fiscal Year if the year is closed.,"Die Einträge sind nicht gegen diese Geschäftsjahr zulässig, wenn die Jahre geschlossen ist." -Entries before {0} are frozen,Einträge vor {0} werden eingefroren Equity,Gerechtigkeit Error: {0} > {1},Fehler: {0}> {1} Estimated Material Cost,Geschätzter Materialkalkulationen +"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Auch wenn es mehrere Preisregeln mit der höchsten Priorität, werden dann folgende interne Prioritäten angewandt:" Everyone can read,Jeder kann lesen "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.","Beispiel: . ABCD # # # # # \ nWenn Serie ist eingestellt und Seriennummer ist nicht in Transaktionen erwähnt, dann automatische Seriennummer wird auf der Basis dieser Serie erstellt werden." +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.",". Beispiel: ABCD # # # # # + Wenn Serie ist eingestellt und Seriennummer ist nicht in Transaktionen erwähnt, wird dann automatisch die Seriennummer auf der Basis dieser Serie erstellt werden. Wenn Sie wollen immer ausdrücklich erwähnt, Seriennummern zu diesem Artikel. lassen Sie dieses Feld leer." Exchange Rate,Wechselkurs +Excise Duty 10,Verbrauchsteuer 10 +Excise Duty 14,Verbrauchsteuer 14 +Excise Duty 4,Excise Duty 4 +Excise Duty 8,Verbrauchsteuer 8 +Excise Duty @ 10,Verbrauchsteuer @ 10 +Excise Duty @ 14,Verbrauchsteuer @ 14 +Excise Duty @ 4,Verbrauchsteuer @ 4 +Excise Duty @ 8,Verbrauchsteuer @ 8 +Excise Duty Edu Cess 2,Verbrauchsteuer Edu Cess 2 +Excise Duty SHE Cess 1,Verbrauchsteuer SHE Cess 1 Excise Page Number,Excise Page Number Excise Voucher,Excise Gutschein Execution,Ausführung @@ -965,6 +1026,7 @@ Expected Delivery Date cannot be before Sales Order Date,Voraussichtlicher Liefe Expected End Date,Erwartete Enddatum Expected Start Date,Frühestes Eintrittsdatum Expense,Ausgabe +Expense / Difference account ({0}) must be a 'Profit or Loss' account,"Aufwand / Differenz-Konto ({0}) muss ein ""Gewinn oder Verlust""-Konto sein" Expense Account,Expense Konto Expense Account is mandatory,Expense Konto ist obligatorisch Expense Claim,Expense Anspruch @@ -1015,12 +1077,16 @@ Finished Goods,Fertigwaren First Name,Vorname First Responded On,Zunächst reagierte am Fiscal Year,Geschäftsjahr +Fiscal Year Start Date and Fiscal Year End Date are already set in Fiscal Year {0},Geschäftsjahr Startdatum und Geschäftsjahresende Datum sind bereits im Geschäftsjahr gesetzt {0} +Fiscal Year Start Date and Fiscal Year End Date cannot be more than a year apart.,Geschäftsjahr Startdatum und Geschäftsjahresende Datum kann nicht mehr als ein Jahr betragen. +Fiscal Year Start Date should not be greater than Fiscal Year End Date,Geschäftsjahr Startdatum sollte nicht größer als Geschäftsjahresende Date Fixed Asset,Fixed Asset Fixed Assets,Anlagevermögen Follow via Email,Folgen Sie via E-Mail "Following table will show values if items are sub - contracted. These values will be fetched from the master of ""Bill of Materials"" of sub - contracted items.","Folgende Tabelle zeigt Werte, wenn Artikel sub sind - vergeben werden. Vertragsgegenständen - Diese Werte werden vom Meister der ""Bill of Materials"" von Sub geholt werden." Food,Lebensmittel "Food, Beverage & Tobacco","Lebensmittel, Getränke und Tabak" +"For 'Sales BOM' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Sales BOM' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Für 'Sales BOM Stücke, Lagerhaus, Seriennummer und Chargen Nein wird von der ""Packliste"" Tabelle berücksichtigt werden. Wenn Lager-und Stapel Nein sind für alle Verpackungsteile aus irgendeinem 'Sales BOM' Punkt können die Werte in der Haupt Artikel-Tabelle eingetragen werden, werden die Werte zu ""Packliste"" Tabelle kopiert werden." For Company,Für Unternehmen For Employee,Für Mitarbeiter For Employee Name,Für Employee Name @@ -1050,7 +1116,9 @@ From Currency and To Currency cannot be same,Von Währung und To Währung dürfe From Customer,Von Kunden From Customer Issue,Von Kunden Ausgabe From Date,Von Datum +From Date cannot be greater than To Date,Von-Datum darf nicht größer als bisher sein From Date must be before To Date,Von Datum muss vor dem Laufenden bleiben +From Date should be within the Fiscal Year. Assuming From Date = {0},"Von-Datum sollte im Geschäftsjahr sein. Unter der Annahme, Von-Datum = {0}" From Delivery Note,Von Lieferschein From Employee,Von Mitarbeiter From Lead,Von Blei @@ -1072,7 +1140,9 @@ Frozen Accounts Modifier,Eingefrorenen Konten Modifier Fulfilled,Erfüllte Full Name,Vollständiger Name Full-time,Vollzeit- +Fully Billed,Voll Angekündigt Fully Completed,Vollständig ausgefüllte +Fully Delivered,Komplett geliefert Furniture and Fixture,Möbel -und Maschinen Further accounts can be made under Groups but entries can be made against Ledger,"Weitere Konten können unter Gruppen gemacht werden, aber gegen Ledger Einträge können vorgenommen werden" "Further accounts can be made under Groups, but entries can be made against Ledger","Weitere Konten können unter Gruppen gemacht werden, aber gegen Ledger Einträge können vorgenommen werden" @@ -1090,7 +1160,6 @@ Generate Schedule,Generieren Zeitplan Generates HTML to include selected image in the description,Erzeugt HTML ausgewählte Bild sind in der Beschreibung Get Advances Paid,Holen Geleistete Get Advances Received,Holen Erhaltene Anzahlungen -Get Against Entries,Holen Sie sich gegen Einträge Get Current Stock,Holen Aktuelle Stock Get Items,Holen Artikel Get Items From Sales Orders,Holen Sie Angebote aus Kundenaufträgen @@ -1103,6 +1172,7 @@ Get Specification Details,Holen Sie Ausschreibungstexte Get Stock and Rate,Holen Sie Stock und bewerten Get Template,Holen Template Get Terms and Conditions,Holen AGB +Get Unreconciled Entries,Holen Nicht abgestimmte Einträge Get Weekly Off Dates,Holen Weekly Off Dates "Get valuation rate and available stock at source/target warehouse on mentioned posting date-time. If serialized item, please press this button after entering serial nos.","Holen Bewertungskurs und verfügbaren Bestand an der Quelle / Ziel-Warehouse am genannten Buchungsdatum-Zeit. Wenn serialisierten Objekt, drücken Sie bitte diese Taste nach Eingabe der Seriennummern nos." Global Defaults,Globale Defaults @@ -1171,6 +1241,7 @@ Hour,Stunde Hour Rate,Hour Rate Hour Rate Labour,Hour Rate Labour Hours,Stunden +How Pricing Rule is applied?,Wie Pricing-Regel angewendet wird? How frequently?,Wie häufig? "How should this currency be formatted? If not set, will use system defaults","Wie soll diese Währung formatiert werden? Wenn nicht gesetzt, verwenden Standardeinstellungen des Systems" Human Resources,Human Resources @@ -1187,12 +1258,15 @@ If different than customer address,Wenn anders als Kundenadresse "If disable, 'Rounded Total' field will not be visible in any transaction",Wenn deaktivieren 'Abgerundete Total' Feld nicht in einer Transaktion sichtbar "If enabled, the system will post accounting entries for inventory automatically.","Wenn aktiviert, wird das System Buchungsposten für Inventar automatisch erstellen." If more than one package of the same type (for print),Wenn mehr als ein Paket des gleichen Typs (print) +"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Wenn mehrere Preisregeln weiterhin herrschen, werden die Benutzer aufgefordert, Priorität manuell einstellen, um Konflikt zu lösen." "If no change in either Quantity or Valuation Rate, leave the cell blank.","Wenn keine Änderung entweder Menge oder Bewertungs bewerten , lassen Sie die Zelle leer ." If not applicable please enter: NA,"Soweit dies nicht zutrifft, geben Sie bitte: NA" "If not checked, the list will have to be added to each Department where it has to be applied.","Falls nicht, wird die Liste müssen auf jeden Abteilung, wo sie angewendet werden hinzugefügt werden." +"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 ausgewählten Preisregel wird für 'Preis' gemacht, wird es überschrieben Preisliste. Pricing Rule Preis ist der Endpreis, so dass keine weiteren Rabatt angewendet werden sollten. Daher wird in Transaktionen wie zB Kundenauftrag, Bestellung usw., es wird im Feld 'Rate' abgerufen werden, sondern als Feld 'Preis List'." "If specified, send the newsletter using this email address","Wenn angegeben, senden sie den Newsletter mit dieser E-Mail-Adresse" "If the account is frozen, entries are allowed to restricted users.","Wenn das Konto eingefroren ist, werden Einträge für eingeschränkte Benutzer erlaubt." "If this Account represents a Customer, Supplier or Employee, set it here.","Wenn dieses Konto ein Kunde, Lieferant oder Mitarbeiter, stellen Sie es hier." +"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Wenn zwei oder mehrere Preisregeln werden auf der Grundlage der obigen Bedingungen festgestellt wird Priorität angewandt. Priorität ist eine Zahl zwischen 0 und 20, während Standardwert ist null (leer). Höhere Zahl bedeutet es Vorrang, wenn es mehrere Preisregeln mit gleichen Bedingungen." If you follow Quality Inspection. Enables Item QA Required and QA No in Purchase Receipt,Wenn Sie Qualitätsprüfung folgen . Ermöglicht Artikel QA Pflicht und QS Nein in Kaufbeleg If you have Sales Team and Sale Partners (Channel Partners) they can be tagged and maintain their contribution in the sales activity,Wenn Sie Sales Team und Verkauf Partners (Channel Partners) sie markiert werden können und pflegen ihren Beitrag in der Vertriebsaktivitäten "If you have created a standard template in Purchase Taxes and Charges Master, select one and click on the button below.","Wenn Sie ein Standard-Template in Kauf Steuern und Abgaben Meister erstellt haben, wählen Sie eine aus und klicken Sie auf den Button unten." @@ -1200,6 +1274,7 @@ If you have Sales Team and Sale Partners (Channel Partners) they can be tagged "If you have long print formats, this feature can be used to split the page to be printed on multiple pages with all headers and footers on each page","Wenn Sie lange drucken, haben Formate, kann diese Funktion dazu verwendet, um die Seite auf mehreren Seiten mit allen Kopf-und Fußzeilen auf jeder Seite gedruckt werden" If you involve in manufacturing activity. Enables Item 'Is Manufactured',Wenn Sie in die produzierenden Aktivitäten einzubeziehen. Ermöglicht Item ' hergestellt ' Ignore,Ignorieren +Ignore Pricing Rule,Ignorieren Preisregel Ignored: ,Ignoriert: Image,Bild Image View,Bild anzeigen @@ -1236,8 +1311,9 @@ Income booked for the digest period,Erträge gebucht für die Auszugsperiodeninf Incoming,Eingehende Incoming Rate,Incoming Rate Incoming quality inspection.,Eingehende Qualitätskontrolle. +Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Falsche Anzahl von Hauptbuch-Einträge gefunden. Sie könnten ein falsches Konto in der Transaktion ausgewählt haben. Incorrect or Inactive BOM {0} for Item {1} at row {2},Fehlerhafte oder Inaktive Stückliste {0} für Artikel {1} in Zeile {2} -Indicates that the package is a part of this delivery,"Zeigt an, dass das Paket ein Teil dieser Lieferung ist" +Indicates that the package is a part of this delivery (Only Draft),"Zeigt an, dass das Paket ist ein Teil dieser Lieferung (nur Entwurf)" Indirect Expenses,Indirekte Aufwendungen Indirect Income,Indirekte Erträge Individual,Einzelne @@ -1263,6 +1339,7 @@ Intern,internieren Internal,Intern Internet Publishing,Internet Publishing Introduction,Einführung +Invalid Barcode,Ungültige Barcode Invalid Barcode or Serial No,Ungültige Barcode oder Seriennummer Invalid Mail Server. Please rectify and try again.,Ungültige E-Mail -Server. Bitte korrigieren und versuchen Sie es erneut . Invalid Master Name,Ungültige Master-Name @@ -1275,9 +1352,12 @@ Investments,Investments Invoice Date,Rechnungsdatum Invoice Details,Rechnungsdetails Invoice No,Rechnungsnummer -Invoice Period From Date,Rechnung ab Kaufdatum +Invoice Number,Rechnungsnummer +Invoice Period From,Rechnungszeitraum Von Invoice Period From and Invoice Period To dates mandatory for recurring invoice,Rechnung Zeitraum ab Rechnungszeitraumum Pflichtterminefür wiederkehrende Rechnung -Invoice Period To Date,Rechnung Zeitraum To Date +Invoice Period To,Rechnungszeitraum auf +Invoice Type,Rechnungstyp +Invoice/Journal Voucher Details,Rechnung / Journal Gutschein-Details Invoiced Amount (Exculsive Tax),Rechnungsbetrag ( Exculsive MwSt.) Is Active,Aktiv ist Is Advance,Ist Advance @@ -1308,6 +1388,7 @@ Item Advanced,Erweiterte Artikel Item Barcode,Barcode Artikel Item Batch Nos,In Batch Artikel Item Code,Item Code +Item Code > Item Group > Brand,Item Code> Artikelgruppe> Marke Item Code and Warehouse should already exist.,Artikel-Code und Lager sollte bereits vorhanden sein . Item Code cannot be changed for Serial No.,Item Code kann nicht für Seriennummer geändert werden Item Code is mandatory because Item is not automatically numbered,"Artikel-Code ist zwingend erforderlich, da Einzelteil wird nicht automatisch nummeriert" @@ -1319,6 +1400,7 @@ Item Details,Artikeldetails Item Group,Artikel-Gruppe Item Group Name,Artikel Group Name Item Group Tree,Artikelgruppenstruktur +Item Group not mentioned in item master for item {0},Im Artikelstamm für Artikel nicht erwähnt Artikelgruppe {0} Item Groups in Details,Details Gruppen in Artikel Item Image (if not slideshow),Item Image (wenn nicht Diashow) Item Name,Item Name @@ -1389,7 +1471,8 @@ Item-wise Purchase Register,Artikel-wise Kauf Register Item-wise Sales History,Artikel-wise Vertrieb Geschichte Item-wise Sales Register,Artikel-wise Vertrieb Registrieren "Item: {0} managed batch-wise, can not be reconciled using \ - Stock Reconciliation, instead use Stock Entry","Item: {0} verwaltet chargenweise , kann nicht mit \ \ n Auf Versöhnung in Einklang gebracht werden , verwenden Sie stattdessen Lizenz Eintrag" + Stock Reconciliation, instead use Stock Entry","Item: {0} verwaltet chargenweise, kann nicht in Einklang gebracht werden mit \ + Auf Versöhnung, verwenden Sie stattdessen Lizenz Eintrag" Item: {0} not found in the system,Item: {0} nicht im System gefunden Items,Artikel Items To Be Requested,Artikel angefordert werden @@ -1492,6 +1575,7 @@ Loading...,Wird geladen ... Loans (Liabilities),Kredite ( Passiva) Loans and Advances (Assets),Forderungen ( Assets) Local,lokal +Login,Anmelden Login with your new User ID,Loggen Sie sich mit Ihrem neuen Benutzer-ID Logo,Logo Logo and Letter Heads,Logo und Briefbögen @@ -1536,6 +1620,7 @@ Make Maint. Schedule,Machen Wa. . Zeitplan Make Maint. Visit,Machen Wa. . Besuchen Sie Make Maintenance Visit,Machen Wartungsbesuch Make Packing Slip,Machen Packzettel +Make Payment,Zahlung durchführen Make Payment Entry,Machen Zahlungs Eintrag Make Purchase Invoice,Machen Einkaufsrechnung Make Purchase Order,Machen Bestellung @@ -1545,8 +1630,10 @@ Make Salary Structure,Machen Gehaltsstruktur Make Sales Invoice,Machen Sales Invoice Make Sales Order,Machen Sie Sales Order Make Supplier Quotation,Machen Lieferant Zitat +Make Time Log Batch,Nehmen Sie sich Zeit Log Batch Male,Männlich Manage Customer Group Tree.,Verwalten von Kunden- Gruppenstruktur . +Manage Sales Partners.,Vertriebspartner verwalten. Manage Sales Person Tree.,Verwalten Sales Person Baum . Manage Territory Tree.,Verwalten Territory Baum . Manage cost of operations,Verwalten Kosten der Operationen @@ -1597,6 +1684,8 @@ Max 5 characters,Max 5 Zeichen Max Days Leave Allowed,Max Leave Tage erlaubt Max Discount (%),Discount Max (%) Max Qty,Max Menge +Max discount allowed for item: {0} is {1}%,Max Rabatt erlaubt zum Artikel: {0} {1}% +Maximum Amount,Höchstbetrag Maximum allowed credit is {0} days after posting date,Die maximal zulässige Kredit ist {0} Tage nach Buchungsdatum Maximum {0} rows allowed,Maximum {0} Zeilen erlaubt Maxiumm discount for Item {0} is {1}%,Maxiumm Rabatt für Artikel {0} {1}% @@ -1617,6 +1706,7 @@ Milestones will be added as Events in the Calendar,Meilensteine ​​werden die Min Order Qty,Mindestbestellmenge Min Qty,Mindestmenge Min Qty can not be greater than Max Qty,Mindestmenge nicht größer als Max Menge sein +Minimum Amount,Mindestbetrag Minimum Order Qty,Minimale Bestellmenge Minute,Minute Misc Details,Misc Einzelheiten @@ -1626,7 +1716,6 @@ Mobile No,In Mobile Mobile No.,Handy Nr. Mode of Payment,Zahlungsweise Modern,Moderne -Modified Amount,Geändert Betrag Monday,Montag Month,Monat Monthly,Monatlich @@ -1643,7 +1732,8 @@ Mr,Herr Ms,Ms Multiple Item prices.,Mehrere Artikelpreise . "Multiple Price Rule exists with same criteria, please resolve \ - conflict by assigning priority. Price Rules: {0}","Mehrere Price Rule mit gleichen Kriterien gibt, lösen Sie bitte \ \ n Konflikt durch Zuweisung Priorität." + conflict by assigning priority. Price Rules: {0}","Mehrere Price Rule mit gleichen Kriterien gibt, lösen Sie bitte \ + Konflikt durch Zuweisung Priorität. Preis Regeln: {0}" Music,Musik Must be Whole Number,Muss ganze Zahl sein Name,Name @@ -1659,6 +1749,7 @@ Negative Valuation Rate is not allowed,Negative Bewertungsbetrag ist nicht erlau Negative balance in Batch {0} for Item {1} at Warehouse {2} on {3} {4},Negative Bilanz in Batch {0} für {1} Artikel bei Warehouse {2} auf {3} {4} Net Pay,Net Pay Net Pay (in words) will be visible once you save the Salary Slip.,"Net Pay (in Worten) sichtbar sein wird, sobald Sie die Gehaltsabrechnung zu speichern." +Net Profit / Loss,Nettogewinn /-verlust Net Total,Total Net Net Total (Company Currency),Net Total (Gesellschaft Währung) Net Weight,Nettogewicht @@ -1699,7 +1790,6 @@ Newsletter,Mitteilungsblatt Newsletter Content,Newsletter Inhalt Newsletter Status,Status Newsletter Newsletter has already been sent,Newsletter wurde bereits gesendet -Newsletters is not allowed for Trial users,Newsletters ist nicht für Test Benutzer erlaubt "Newsletters to contacts, leads.",Newsletters zu Kontakten führt. Newspaper Publishers,Zeitungsverleger Next,nächste @@ -1721,6 +1811,7 @@ No Supplier Accounts found. Supplier Accounts are identified based on 'Master Ty No accounting entries for the following warehouses,Keine Buchungen für die folgenden Hallen No addresses created,Keine Adressen erstellt No contacts created,Keine Kontakte erstellt +No default Address Template found. Please create a new one from Setup > Printing and Branding > Address Template.,Kein Standardadressvorlage gefunden. Bitte erstellen Sie ein neues Setup> Druck-und Branding-> Adressvorlage. No default BOM exists for Item {0},Kein Standardstücklisteexistiert für Artikel {0} No description given,Keine Beschreibung angegeben No employee found,Kein Mitarbeiter gefunden @@ -1730,6 +1821,8 @@ No of Sent SMS,Kein SMS gesendet No of Visits,Anzahl der Besuche No permission,Keine Berechtigung No record found,Kein Eintrag gefunden +No records found in the Invoice table,Keine Einträge in der Rechnungstabelle gefunden +No records found in the Payment table,Keine Datensätze in der Tabelle gefunden Zahlung No salary slip found for month: ,Kein Gehaltsabrechnung für den Monat gefunden: Non Profit,Non-Profit- Nos,nos @@ -1739,7 +1832,7 @@ Not Available,nicht verfügbar Not Billed,Nicht Billed Not Delivered,Nicht zugestellt Not Set,Nicht festgelegt -Not allowed to update entries older than {0},"Nicht erlaubt, um Einträge zu aktualisieren , die älter als {0}" +Not allowed to update stock transactions older than {0},"Nicht erlaubt, um zu aktualisieren, Aktiengeschäfte, die älter als {0}" Not authorized to edit frozen Account {0},Keine Berechtigung für gefrorene Konto bearbeiten {0} Not authroized since {0} exceeds limits,Nicht authroized seit {0} überschreitet Grenzen Not permitted,Nicht zulässig @@ -1780,7 +1873,6 @@ Only the selected Leave Approver can submit this Leave Application,Nur der ausge Open,Öffnen Open Production Orders,Offene Fertigungsaufträge Open Tickets,Open Tickets -Open source ERP built for the web,Open-Source- ERP für die Bahn gebaut Opening (Cr),Eröffnung (Cr) Opening (Dr),Opening ( Dr) Opening Date,Eröffnungsdatum @@ -1805,7 +1897,7 @@ Opportunity Lost,Chance vertan Opportunity Type,Gelegenheit Typ Optional. This setting will be used to filter in various transactions.,"Optional. Diese Einstellung wird verwendet, um in verschiedenen Transaktionen zu filtern." Order Type,Auftragsart -Order Type must be one of {1},Auftragstyp muss man von {1} +Order Type must be one of {0},Auftragstyp muss einer der {0} Ordered,Bestellt Ordered Items To Be Billed,Bestellte Artikel in Rechnung gestellt werden Ordered Items To Be Delivered,Bestellte Artikel geliefert werden @@ -1817,7 +1909,6 @@ Organization Name,Name der Organisation Organization Profile,Unternehmensprofil Organization branch master.,Organisation Niederlassung Master. Organization unit (department) master.,Organisationseinheit ( Abteilung ) Master. -Original Amount,Original- Menge Other,Andere Other Details,Weitere Details Others,andere @@ -1834,6 +1925,7 @@ Overlapping conditions found between:,Overlapping Bedingungen zwischen gefunden: Overview,Überblick Owned,Besitz Owner,Eigentümer +P L A - Cess Portion,PLA - Cess Portion PL or BS,PL oder BS PO Date,Bestelldatum PO No,PO Nein @@ -1846,7 +1938,6 @@ POS Setting required to make POS Entry,"POS -Einstellung erforderlich, um POS- E POS Setting {0} already created for user: {1} and company {2},POS -Einstellung {0} bereits Benutzer angelegt : {1} und {2} Unternehmen POS View,POS anzeigen PR Detail,PR Detailansicht -PR Posting Date,PR Buchungsdatum Package Item Details,Package Artikeldetails Package Items,Package Angebote Package Weight Details,Paket-Details Gewicht @@ -1876,8 +1967,6 @@ Parent Sales Person,Eltern Sales Person Parent Territory,Eltern Territory Parent Website Page,Eltern- Website Seite Parent Website Route,Eltern- Webseite Routen -Parent account can not be a ledger,"Eltern-Konto kann nicht sein, ein Hauptbuch" -Parent account does not exist,Eltern-Konto existiert nicht Parenttype,ParentType Part-time,Teilzeit- Partially Completed,Teilweise abgeschlossen @@ -1886,6 +1975,8 @@ Partly Delivered,Teilweise Lieferung Partner Target Detail,Partner Zieldetailbericht Partner Type,Partner Typ Partner's Website,Partner Website +Party,Gruppe +Party Account,Party Account Party Type,Party- Typ Party Type Name,Party- Typ Name Passive,Passive @@ -1898,10 +1989,14 @@ Payables Group,Verbindlichkeiten Gruppe Payment Days,Zahltage Payment Due Date,Zahlungstermin Payment Period Based On Invoice Date,Zahlungszeitraum basiert auf Rechnungsdatum +Payment Reconciliation,Zahlung Versöhnung +Payment Reconciliation Invoice,Zahlung Versöhnung Rechnung +Payment Reconciliation Invoices,Zahlung Versöhnung Rechnungen +Payment Reconciliation Payment,Payment Zahlungs Versöhnung +Payment Reconciliation Payments,Zahlung Versöhnung Zahlungen Payment Type,Zahlungsart +Payment cannot be made for empty cart,Die Zahlung kann nicht für leere Korb gemacht werden Payment of salary for the month {0} and year {1},Die Zahlung der Gehälter für den Monat {0} und {1} Jahre -Payment to Invoice Matching Tool,Zahlung an Rechnung Matching-Tool -Payment to Invoice Matching Tool Detail,Zahlung an Rechnung Matching Werkzeug-Detail Payments,Zahlungen Payments Made,Zahlungen Payments Received,Erhaltene Anzahlungen @@ -1944,7 +2039,9 @@ Planning,Planung Plant,Pflanze Plant and Machinery,Anlagen und Maschinen Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,Bitte geben Abkürzung oder das Kurzer Name enquiry.c es auf alle Suffix Konto Heads hinzugefügt werden. +Please Update SMS Settings,Bitte aktualisiere SMS-Einstellungen Please add expense voucher details,Bitte fügen Sie Kosten Gutschein Details +Please add to Modes of Payment from Setup.,Bitte um Zahlungsmodalitäten legen aus einrichten. Please check 'Is Advance' against Account {0} if this is an advance entry.,"Bitte prüfen ' Ist Voraus ' gegen Konto {0} , wenn dies ein Fortschritt Eintrag ." Please click on 'Generate Schedule',"Bitte klicken Sie auf "" Generieren Zeitplan '" Please click on 'Generate Schedule' to fetch Serial No added for Item {0},"Bitte klicken Sie auf "" Generieren Zeitplan ' zu holen Seriennummer für Artikel hinzugefügt {0}" @@ -1992,12 +2089,13 @@ Please enter valid Company Email,Bitte geben Sie eine gültige E-Mail- Gesellsch Please enter valid Email Id,Bitte geben Sie eine gültige E-Mail -ID Please enter valid Personal Email,Bitte geben Sie eine gültige E-Mail- Personal Please enter valid mobile nos,Bitte geben Sie eine gültige Mobil nos +Please find attached Sales Invoice #{0},Im Anhang finden Sie Sales Invoice # {0} Please install dropbox python module,Bitte installieren Sie Dropbox Python-Modul Please mention no of visits required,Bitte erwähnen Sie keine Besuche erforderlich Please pull items from Delivery Note,Bitte ziehen Sie Elemente aus Lieferschein Please save the Newsletter before sending,Bitte bewahren Sie den Newsletter vor dem Senden Please save the document before generating maintenance schedule,Bitte speichern Sie das Dokument vor der Erzeugung Wartungsplan -Please select Account first,Bitte wählen Sie Konto +Please see attachment,S. Anhang Please select Bank Account,Bitte wählen Sie Bank Account Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Bitte wählen Sie Carry Forward Auch wenn Sie zum vorherigen Geschäftsjahr die Blätter aufnehmen möchten zum Ausgleich in diesem Geschäftsjahr Please select Category first,Bitte wählen Sie zuerst Kategorie @@ -2005,14 +2103,17 @@ Please select Charge Type first,Bitte wählen Sie Entgeltart ersten Please select Fiscal Year,Bitte wählen Geschäftsjahr Please select Group or Ledger value,Bitte wählen Sie Gruppen-oder Buchwert Please select Incharge Person's name,Bitte wählen Sie Incharge Person Name +Please select Invoice Type and Invoice Number in atleast one row,Bitte wählen Sie Rechnungstyp und Rechnungsnummer in einer Zeile atleast "Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Sales BOM","Bitte wählen Sie Artikel , wo ""Ist Auf Item"" ist ""Nein"" und ""Ist Verkaufsartikel "" ist "" Ja"", und es gibt keinen anderen Vertriebsstückliste" Please select Price List,Bitte wählen Preisliste Please select Start Date and End Date for Item {0},Bitte wählen Sie Start -und Enddatum für den Posten {0} +Please select Time Logs.,Bitte wählen Sie Zeitprotokolle. Please select a csv file,Bitte wählen Sie eine CSV-Datei Please select a valid csv file with data,Bitte wählen Sie eine gültige CSV-Datei mit Daten Please select a value for {0} quotation_to {1},Bitte wählen Sie einen Wert für {0} {1} quotation_to "Please select an ""Image"" first","Bitte wählen Sie einen ""Bild"" erste" Please select charge type first,Bitte wählen Sie zunächst Ladungstyp +Please select company first,Bitte wählen Unternehmen zunächst Please select company first.,Bitte wählen Sie Firma . Please select item code,Bitte wählen Sie Artikel Code Please select month and year,Bitte wählen Sie Monat und Jahr @@ -2021,6 +2122,7 @@ Please select the document type first,Bitte wählen Sie den Dokumententyp ersten Please select weekly off day,Bitte wählen Sie Wochen schlechten Tag Please select {0},Bitte wählen Sie {0} Please select {0} first,Bitte wählen Sie {0} zuerst +Please select {0} first.,Bitte wählen Sie {0} zuerst. Please set Dropbox access keys in your site config,Bitte setzen Dropbox Zugriffstasten auf Ihrer Website Config Please set Google Drive access keys in {0},Bitte setzen Google Drive Zugriffstasten in {0} Please set default Cash or Bank account in Mode of Payment {0},Bitte setzen Standard Bargeld oder Bank- Konto in Zahlungsmodus {0} @@ -2047,6 +2149,7 @@ Postal,Postal Postal Expenses,Post Aufwendungen Posting Date,Buchungsdatum Posting Time,Posting Zeit +Posting date and posting time is mandatory,Buchungsdatum und Buchungszeit ist obligatorisch Posting timestamp must be after {0},Buchungszeitmarkemuss nach {0} Potential opportunities for selling.,Potenzielle Chancen für den Verkauf. Preferred Billing Address,Bevorzugte Rechnungsadresse @@ -2073,8 +2176,10 @@ Price List not selected,Preisliste nicht ausgewählt Price List {0} is disabled,Preisliste {0} ist deaktiviert Price or Discount,Preis -oder Rabatt- Pricing Rule,Preisregel -Pricing Rule For Discount,Preisregel für Discount -Pricing Rule For Price,Preisregel für Preis +Pricing Rule Help,Pricing Rule Hilfe +"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Pricing-Regel wird zunächst basierend auf 'Anwenden auf' Feld, die Artikel, Artikelgruppe oder Marke sein kann, ausgewählt." +"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Pricing-Regel gemacht wird, überschreiben Preisliste / Rabattsatz definieren, nach bestimmten Kriterien." +Pricing Rules are further filtered based on quantity.,Preisregeln sind weiter auf Quantität gefiltert. Print Format Style,Druckformat Stil Print Heading,Unterwegs drucken Print Without Amount,Drucken ohne Amount @@ -2102,7 +2207,9 @@ Production Plan Sales Orders,Production Plan Kundenaufträge Production Planning Tool,Production Planning-Tool Products,Produkte "Products will be sorted by weight-age in default searches. More the weight-age, higher the product will appear in the list.","Die Produkte werden Gew.-age in Verzug Suchbegriffe sortiert werden. Mehr das Gewicht-Alter, wird das Produkt höher erscheinen in der Liste." +Professional Tax,Professionelle Steuer Profit and Loss,Gewinn-und Verlust +Profit and Loss Statement,Gewinn-und Verlustrechnung Project,Projekt Project Costing,Projektkalkulation Project Details,Project Details @@ -2125,7 +2232,9 @@ Projects & System,Projekte & System Prompt for Email on Submission of,Eingabeaufforderung für E-Mail auf Vorlage von Proposal Writing,Proposal Writing Provide email id registered in company,Bieten E-Mail-ID in Unternehmen registriert +Provisional Profit / Loss (Credit),Vorläufige Gewinn / Verlust (Kredit) Public,Öffentlichkeit +Published on website at: {0},Veröffentlicht auf der Website unter: {0} Publishing,Herausgabe Pull sales orders (pending to deliver) based on the above criteria,"Ziehen Sie Kundenaufträge (anhängig zu liefern), basierend auf den oben genannten Kriterien" Purchase,Kaufen @@ -2134,7 +2243,6 @@ Purchase Analytics,Kauf Analytics Purchase Common,Erwerb Eigener Purchase Details,Kaufinformationen Purchase Discounts,Kauf Rabatte -Purchase In Transit,Erwerben In Transit Purchase Invoice,Kaufrechnung Purchase Invoice Advance,Advance Purchase Rechnung Purchase Invoice Advances,Kaufrechnung Advances @@ -2142,7 +2250,6 @@ Purchase Invoice Item,Kaufrechnung Artikel Purchase Invoice Trends,Kauf Rechnung Trends Purchase Invoice {0} is already submitted,Einkaufsrechnung {0} ist bereits eingereicht Purchase Order,Auftragsbestätigung -Purchase Order Date,Bestelldatum Purchase Order Item,Bestellposition Purchase Order Item No,In der Bestellposition Purchase Order Item Supplied,Bestellposition geliefert @@ -2206,7 +2313,6 @@ Quarter,Quartal Quarterly,Vierteljährlich Quick Help,schnelle Hilfe Quotation,Zitat -Quotation Date,Quotation Datum Quotation Item,Zitat Artikel Quotation Items,Angebotspositionen Quotation Lost Reason,Zitat Passwort Reason @@ -2284,6 +2390,7 @@ Recurring Invoice,Wiederkehrende Rechnung Recurring Type,Wiederkehrende Typ Reduce Deduction for Leave Without Pay (LWP),Reduzieren Abzug für unbezahlten Urlaub (LWP) Reduce Earning for Leave Without Pay (LWP),Reduzieren Sie verdienen für unbezahlten Urlaub (LWP) +Ref,Ref. Ref Code,Ref Code Ref SQ,Ref SQ Reference,Referenz @@ -2307,6 +2414,7 @@ Relieving Date,Entlastung Datum Relieving Date must be greater than Date of Joining,Entlastung Datum muss größer sein als Datum für Füge sein Remark,Bemerkung Remarks,Bemerkungen +Remarks Custom,Bemerkungen Custom Rename,umbenennen Rename Log,Benennen Anmelden Rename Tool,Umbenennen-Tool @@ -2322,6 +2430,7 @@ Report Type,Melden Typ Report Type is mandatory,Berichtstyp ist verpflichtend Reports to,Berichte an Reqd By Date,Reqd Nach Datum +Reqd by Date,Reqd nach Datum Request Type,Art der Anfrage Request for Information,Request for Information Request for purchase.,Ankaufsgesuch. @@ -2375,21 +2484,34 @@ Rounded Total,Abgerundete insgesamt Rounded Total (Company Currency),Abgerundete Total (Gesellschaft Währung) Row # ,Zeile # Row # {0}: , +Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,Row # {0}: Bestellmenge kann nicht weniger als Mindestbestellmenge Elements (in Artikelstamm definiert). +Row #{0}: Please specify Serial No for Item {1},Row # {0}: Bitte Seriennummer für Artikel {1} "Row {0}: Account does not match with \ - Purchase Invoice Credit To account",Row {0}: Konto nicht mit \ \ n Einkaufsrechnung dem Konto übereinstimmen + Purchase Invoice Credit To account","Row {0}: \ + Einkaufsrechnung dem Konto Konto nicht mit überein" "Row {0}: Account does not match with \ - Sales Invoice Debit To account",Row {0}: Konto nicht mit \ \ n Sales Invoice Debit Zur Account entsprechen + Sales Invoice Debit To account","Row {0}: \ + Sales Invoice Debit Zur Account Konto nicht mit überein" +Row {0}: Conversion Factor is mandatory,Row {0}: Umrechnungsfaktor ist obligatorisch Row {0}: Credit entry can not be linked with a Purchase Invoice,Row {0} : Kredit Eintrag kann nicht mit einer Einkaufsrechnung verknüpft werden Row {0}: Debit entry can not be linked with a Sales Invoice,Row {0} : Debit- Eintrag kann nicht mit einer Verkaufsrechnung verknüpft werden +Row {0}: Payment amount must be less than or equals to invoice outstanding amount. Please refer Note below.,Row {0}: Zahlungsbetrag muss kleiner als oder gleich zu ausstehenden Betrag in Rechnung stellen können. Bitte beachten Sie folgenden Hinweis. +Row {0}: Qty is mandatory,Row {0}: Menge ist obligatorisch +"Row {0}: Qty not avalable in warehouse {1} on {2} {3}. + Available Qty: {4}, Transfer Qty: {5}","Row {0}: Menge nicht in der Lager Avalable {1} auf {2} {3}. + Verfügbare Stückzahl: {4}, Transfer Stück: {5}" "Row {0}: To set {1} periodicity, difference between from and to date \ - must be greater than or equal to {2}",Row {0}: Um {1} Periodizität muss Unterschied zwischen von und bis heute \ \ n größer als oder gleich zu sein {2} + must be greater than or equal to {2}","Row {0}: Um {1} Periodizität Unterschied zwischen von und nach Datum \ + muss größer als oder gleich sein {2}" Row {0}:Start Date must be before End Date,Row {0}: Startdatum muss vor dem Enddatum liegen Rules for adding shipping costs.,Regeln für das Hinzufügen von Versandkosten. Rules for applying pricing and discount.,Regeln für die Anwendung von Preis-und Rabatt . Rules to calculate shipping amount for a sale,Regeln zum Versand Betrag für einen Verkauf berechnen S.O. No.,S.O. Nein. +SHE Cess on Excise,SHE Cess Verbrauch +SHE Cess on Service Tax,SHE Cess auf Service Steuer +SHE Cess on TDS,SHE Cess auf TDS SMS Center,SMS Center -SMS Control,SMS Control SMS Gateway URL,SMS Gateway URL SMS Log,SMS Log SMS Parameter,SMS Parameter @@ -2494,15 +2616,20 @@ Securities and Deposits,Wertpapiere und Einlagen "Select ""Yes"" if this item represents some work like training, designing, consulting etc.","Wählen Sie ""Ja"", wenn dieser Artikel stellt einige Arbeiten wie Ausbildung, Gestaltung, Beratung etc.." "Select ""Yes"" if you are maintaining stock of this item in your Inventory.","Wählen Sie ""Ja"", wenn Sie Pflege stock dieses Artikels in Ihrem Inventar." "Select ""Yes"" if you supply raw materials to your supplier to manufacture this item.","Wählen Sie ""Ja"", wenn Sie Rohstoffe an Ihren Lieferanten liefern, um diesen Artikel zu fertigen." +Select Brand...,Wählen Brand ... Select Budget Distribution to unevenly distribute targets across months.,Wählen Budget Verteilung ungleichmäßig Targets über Monate verteilen. "Select Budget Distribution, if you want to track based on seasonality.","Wählen Budget Distribution, wenn Sie basierend auf Saisonalität verfolgen möchten." +Select Company...,Wählen Gesellschaft ... Select DocType,Wählen DocType +Select Fiscal Year...,Wählen Sie das Geschäftsjahr ... Select Items,Elemente auswählen +Select Project...,Wählen Sie Projekt ... Select Purchase Receipts,Wählen Kaufbelege Select Sales Orders,Wählen Sie Kundenaufträge Select Sales Orders from which you want to create Production Orders.,Wählen Sie Aufträge aus der Sie Fertigungsaufträge erstellen. Select Time Logs and Submit to create a new Sales Invoice.,"Wählen Sie Zeit Logs und abschicken, um einen neuen Sales Invoice erstellen." Select Transaction,Wählen Sie Transaction +Select Warehouse...,Wählen Sie Warehouse ... Select Your Language,Wählen Sie Ihre Sprache Select account head of the bank where cheque was deposited.,"Wählen Sie den Kopf des Bankkontos, wo Kontrolle abgelagert wurde." Select company name first.,Wählen Firmennamen erste. @@ -2520,6 +2647,7 @@ Select your home country and check the timezone and currency.,Wählen Sie Ihr He "Selecting ""Yes"" will give a unique identity to each entity of this item which can be viewed in the Serial No master.","Wählen Sie ""Ja"" wird eine einzigartige Identität zu jeder Einheit dieses Artikels, die in der Serial No Master eingesehen werden kann geben." Selling,Verkauf Selling Settings,Verkauf Einstellungen +"Selling must be checked, if Applicable For is selected as {0}","Selling muss überprüft werden, wenn Anwendbar ist als gewählte {0}" Send,Senden Send Autoreply,Senden Autoreply Send Email,E-Mail senden @@ -2556,7 +2684,8 @@ Serial Nos Required for Serialized Item {0},SeriennummernErforderlich für Artik Serial Number Series,Seriennummer Series Serial number {0} entered more than once,Seriennummer {0} trat mehr als einmal "Serialized Item {0} cannot be updated \ - using Stock Reconciliation",Serialisierten Artikel {0} \ \ n nicht aktualisiert werden mit Lizenz Versöhnung + using Stock Reconciliation","Serialisierten Artikel {0} kann nicht aktualisiert werden, \ + mit Lizenz Versöhnung" Series,Serie Series List for this Transaction,Serien-Liste für diese Transaktion Series Updated,Aktualisiert Serie @@ -2565,15 +2694,18 @@ Series is mandatory,Serie ist obligatorisch Series {0} already used in {1},Serie {0} bereits verwendet {1} Service,Service Service Address,Service Adresse +Service Tax,Service Steuer Services,Dienstleistungen Set,Set "Set Default Values like Company, Currency, Current Fiscal Year, etc.","Vorschlagswerte wie Unternehmen , Währung, aktuelle Geschäftsjahr usw." Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,"Set Artikel gruppenweise Budgets auf diesem Gebiet. Sie können Saisonalität auch gehören, indem Sie die Distribution." +Set Status as Available,Set Status als Verfügbar Set as Default,Als Standard Set as Lost,Als Passwort Set prefix for numbering series on your transactions,Nummerierung einstellen Serie Präfix für Ihre Online-Transaktionen Set targets Item Group-wise for this Sales Person.,Set zielt Artikel gruppenweise für diesen Sales Person. Setting Account Type helps in selecting this Account in transactions.,Einstellung Kontotyp hilft bei der Auswahl der Transaktionen in diesem Konto. +Setting this Address Template as default as there is no other default,"Die Einstellung dieses Adressvorlage als Standard, da es keine anderen Standard" Setting up...,Einrichten ... Settings,Einstellungen Settings for HR Module,Einstellungen für das HR -Modul @@ -2581,6 +2713,7 @@ Settings for HR Module,Einstellungen für das HR -Modul Setup,Setup Setup Already Complete!!,Bereits Komplett -Setup ! Setup Complete,Setup Complete +Setup SMS gateway settings,Setup-SMS-Gateway-Einstellungen Setup Series,Setup-Series Setup Wizard,Setup-Assistenten Setup incoming server for jobs email id. (e.g. jobs@example.com),Setup- Eingangsserver für Jobs E-Mail -ID . (z. B. jobs@example.com ) @@ -2606,6 +2739,7 @@ Short biography for website and other publications.,Kurzbiographie für die Webs Show In Website,Zeigen Sie in der Webseite Show a slideshow at the top of the page,Zeige die Slideshow an der Spitze der Seite Show in Website,Zeigen Sie im Website +Show rows with zero values,Zeige Zeilen mit Nullwerten Show this slideshow at the top of the page,Zeige diese Slideshow an der Spitze der Seite Sick Leave,Sick Leave Signature,Unterschrift @@ -2635,9 +2769,9 @@ Specifications,Technische Daten "Specify the operations, operating cost and give a unique Operation no to your operations.","Geben Sie die Vorgänge , Betriebskosten und geben einen einzigartigen Betrieb nicht für Ihren Betrieb ." Split Delivery Note into packages.,Aufgeteilt in Pakete Lieferschein. Sports,Sport +Sr,Sr Standard,Standard Standard Buying,Standard- Einkaufsführer -Standard Rate,Standardpreis Standard Reports,Standardberichte Standard Selling,Standard- Selling Standard contract terms for Sales or Purchase.,Übliche Vertragsbedingungen für den Verkauf oder Kauf . @@ -2646,6 +2780,7 @@ Start Date,Startdatum Start date of current invoice's period,Startdatum der laufenden Rechnung der Zeit Start date should be less than end date for Item {0},Startdatum sollte weniger als Enddatum für Artikel {0} State,Zustand +Statement of Account,Kontoauszug Static Parameters,Statische Parameter Status,Status Status must be one of {0},Der Status muss man von {0} @@ -2687,6 +2822,7 @@ Stock Value Difference,Auf Wertdifferenz Stock balances updated,Auf Salden aktualisiert Stock cannot be updated against Delivery Note {0},Auf kann nicht gegen Lieferschein aktualisiert werden {0} Stock entries exist against warehouse {0} cannot re-assign or modify 'Master Name',Auf Einträge vorhanden sind gegen Lager {0} kann nicht neu zuweisen oder ändern 'Master -Name' +Stock transactions before {0} are frozen,Aktiengeschäfte vor {0} werden eingefroren Stop,Stoppen Stop Birthday Reminders,Stop- Geburtstagserinnerungen Stop Material Request,Stopp -Material anfordern @@ -2706,13 +2842,13 @@ Submit this Production Order for further processing.,Senden Sie dieses Fertigung Submitted,Eingereicht Subsidiary,Tochtergesellschaft Successful: ,Erfolgreich: -Successfully allocated,Erfolgreich zuge +Successfully Reconciled,Erfolgreich versöhnt Suggestions,Vorschläge Sunday,Sonntag Supplier,Lieferant Supplier (Payable) Account,Lieferant (zahlbar) Konto Supplier (vendor) name as entered in supplier master,Lieferant (Kreditor) Namen wie im Lieferantenstamm eingetragen -Supplier Account,Lieferant Konto +Supplier > Supplier Type,Lieferant> Lieferantentyp Supplier Account Head,Lieferant Konto Leiter Supplier Address,Lieferant Adresse Supplier Addresses and Contacts,Lieferant Adressen und Kontakte @@ -2750,6 +2886,12 @@ Sync with Google Drive,Sync mit Google Drive System,System System Settings,Systemeinstellungen "System User (login) ID. If set, it will become default for all HR forms.","System User (login) ID. Wenn gesetzt, wird es standardmäßig für alle HR-Formulare werden." +TDS (Advertisement),TDS (Anzeige) +TDS (Commission),TDS (Kommission) +TDS (Contractor),TDS (Auftragnehmer) +TDS (Interest),TDS (Zinsen) +TDS (Rent),TDS (Mieten) +TDS (Salary),TDS (Salary) Target Amount,Zielbetrag Target Detail,Ziel Detailansicht Target Details,Zieldetails @@ -2770,10 +2912,12 @@ Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are no Tax Rate,Tax Rate Tax and other salary deductions.,Steuer-und sonstige Lohnabzüge. "Tax detail table fetched from item master as a string and stored in this field. -Used for Taxes and Charges",MwSt. Detailtabelle holten von Artikelstamm als String und in diesem Bereich gespeichert. \ Für Steuern und Abgaben nUsed +Used for Taxes and Charges","MwSt. Detailtabelle geholt von Artikelstamm als String und in diesem Bereich gespeichert. + Für Steuern und Abgaben Gebraucht" Tax template for buying transactions.,Tax -Vorlage für Kauf -Transaktionen. Tax template for selling transactions.,Tax -Vorlage für Verkaufsgeschäfte . Taxable,Steuerpflichtig +Taxes,Steuern Taxes and Charges,Steuern und Abgaben Taxes and Charges Added,Steuern und Abgaben am Taxes and Charges Added (Company Currency),Steuern und Gebühren Added (Gesellschaft Währung) @@ -2786,6 +2930,7 @@ Technology,Technologie Telecommunications,Telekommunikation Telephone Expenses,Telefonkosten Television,Fernsehen +Template,Vorlage Template for performance appraisals.,Vorlage für Leistungsbeurteilungen . Template of terms or contract.,Vorlage von Begriffen oder Vertrag. Temporary Accounts (Assets),Temporäre Accounts ( Assets) @@ -2815,7 +2960,8 @@ The First User: You,Der erste Benutzer : Sie The Organization,Die Organisation "The account head under Liability, in which Profit/Loss will be booked","Das Konto, Kopf unter Haftung , in der Gewinn / Verlust wird gebucht werden" "The date on which next invoice will be generated. It is generated on submit. -","Der Tag, an dem nächsten Rechnung wird erzeugt." +","Der Tag, an dem nächsten Rechnung wird erzeugt. Es basiert auf einreichen erzeugt. +" The date on which recurring invoice will be stop,"Der Tag, an dem wiederkehrende Rechnung werden aufhören wird" "The day of the month on which auto invoice will be generated e.g. 05, 28 etc ","Der Tag des Monats, an dem auto Rechnung zB 05, 28 usw. generiert werden" The day(s) on which you are applying for leave are holiday. You need not apply for leave.,"Der Tag (e) , auf dem Sie sich bewerben für Urlaub sind Ferien. Sie müssen nicht, um Urlaub ." @@ -2827,6 +2973,7 @@ The net weight of this package. (calculated automatically as sum of net weight o The new BOM after replacement,Der neue BOM nach dem Austausch The rate at which Bill Currency is converted into company's base currency,"Die Rate, mit der Bill Währung in Unternehmen Basiswährung umgewandelt wird" The unique id for tracking all recurring invoices. It is generated on submit.,Die eindeutige ID für Tracking alle wiederkehrenden Rechnungen. Es basiert auf einreichen generiert. +"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Dann Preisregeln werden auf Basis von Kunden gefiltert, Kundengruppe, Territory, Lieferant, Lieferant Typ, Kampagne, Vertriebspartner usw." There are more holidays than working days this month.,Es gibt mehr Feiertage als Arbeitstage in diesem Monat. "There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Es kann nur einen Versand Regel sein Zustand mit 0 oder Blindwert für "" auf den Wert""" There is not enough leave balance for Leave Type {0},Es ist nicht genügend Urlaubsbilanz für Leave Typ {0} @@ -2838,6 +2985,7 @@ This Leave Application is pending approval. Only the Leave Apporver can update s This Time Log Batch has been billed.,This Time Log Batch abgerechnet hat. This Time Log Batch has been cancelled.,This Time Log Batch wurde abgebrochen. This Time Log conflicts with {0},This Time Log Konflikt mit {0} +This format is used if country specific format is not found,"Dieses Format wird verwendet, wenn länderspezifischen Format wird nicht gefunden" This is a root account and cannot be edited.,Dies ist ein Root-Account und können nicht bearbeitet werden. This is a root customer group and cannot be edited.,Dies ist eine Wurzel Kundengruppe und können nicht editiert werden . This is a root item group and cannot be edited.,Dies ist ein Stammelement -Gruppe und können nicht editiert werden . @@ -2853,7 +3001,9 @@ Time Log Batch,Zeit Log Batch Time Log Batch Detail,Zeit Log Batch Detailansicht Time Log Batch Details,Zeit Log Chargendetails Time Log Batch {0} must be 'Submitted',"Zeit Log Batch {0} muss "" Eingereicht "" werden" +Time Log Status must be Submitted.,Zeit Protokollstatus vorzulegen. Time Log for tasks.,Log Zeit für Aufgaben. +Time Log is not billable,Anmelden Zeit ist nicht abrechenbar Time Log {0} must be 'Submitted',"Anmelden Zeit {0} muss "" Eingereicht "" werden" Time Zone,Zeitzone Time Zones,Time Zones @@ -2866,6 +3016,7 @@ To,Auf To Currency,Um Währung To Date,To Date To Date should be same as From Date for Half Day leave,Bis Datum sollten gleiche wie von Datum für Halbtagesurlaubsein +To Date should be within the Fiscal Year. Assuming To Date = {0},"Bis Datum sollte im Geschäftsjahr sein. Unter der Annahme, bis Datum = {0}" To Discuss,Zu diskutieren To Do List,To Do List To Package No.,Um Nr. Paket @@ -2875,8 +3026,8 @@ To Value,To Value To Warehouse,Um Warehouse "To add child nodes, explore tree and click on the node under which you want to add more nodes.","Um geordneten Knoten hinzufügen , erkunden Baum und klicken Sie auf den Knoten , unter dem Sie mehrere Knoten hinzufügen möchten." "To assign this issue, use the ""Assign"" button in the sidebar.","Um dieses Problem zu zuzuweisen, verwenden Sie die Schaltfläche ""Zuordnen"" in der Seitenleiste." -To create a Bank Account:,Um ein Bankkonto zu erstellen : -To create a Tax Account:,Um ein Steuerkonto zu erstellen : +To create a Bank Account,Um ein Bankkonto zu erstellen +To create a Tax Account,Um ein Steuerkonto erstellen "To create an Account Head under a different company, select the company and save customer.","Um ein Konto Kopf unter einem anderen Unternehmen zu erstellen, wählen das Unternehmen und sparen Kunden." To date cannot be before from date,Bis heute kann nicht vor von aktuell sein To enable Point of Sale features,Zum Point of Sale Funktionen ermöglichen @@ -2884,22 +3035,23 @@ To enable Point of Sale view,Um Point of Sale Ansicht aktiviere To get Item Group in details table,Zu Artikelnummer Gruppe im Detail Tisch zu bekommen "To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Um Steuer in Zeile enthalten {0} in Artikel Rate , Steuern in Reihen {1} müssen ebenfalls enthalten sein" "To merge, following properties must be same for both items","Um mischen können, müssen folgende Eigenschaften für beide Produkte sein" -"To report an issue, go to ", +"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Um Pricing Regel in einer bestimmten Transaktion nicht zu, sollten alle geltenden Preisregeln deaktiviert zu sein." "To set this Fiscal Year as Default, click on 'Set as Default'","Zu diesem Geschäftsjahr als Standard festzulegen, klicken Sie auf "" Als Standard festlegen """ To track any installation or commissioning related work after sales,Um jegliche Installation oder Inbetriebnahme verwandte Arbeiten After Sales verfolgen "To track brand name in the following documents Delivery Note, Opportunity, Material Request, Item, Purchase Order, Purchase Voucher, Purchaser Receipt, Quotation, Sales Invoice, Sales BOM, Sales Order, Serial No","Um Markennamen in der folgenden Dokumente Lieferschein , Gelegenheit, Materialanforderung , Punkt , Bestellung , Einkauf Gutschein , Käufer Beleg, Angebot, Verkaufsrechnung , Vertriebsstückliste, Kundenauftrag, Seriennummer verfolgen" To track item in sales and purchase documents based on their serial nos. This is can also used to track warranty details of the product.,"Um Artikel in Vertrieb und Einkauf Dokumente auf ihrem Werknummern Basis zu verfolgen. Dies wird auch verwendet, um Details zum Thema Gewährleistung des Produktes zu verfolgen." To track items in sales and purchase documents with batch nos
Preferred Industry: Chemicals etc,Um Elemente in An-und Verkauf von Dokumenten mit Batch-nos
Preferred Industry verfolgen: Chemicals etc To track items using barcode. You will be able to enter items in Delivery Note and Sales Invoice by scanning barcode of item.,"Um Objekte mit Barcode verfolgen. Sie werden in der Lage sein, um Elemente in Lieferschein und Sales Invoice durch Scannen Barcode einzusteigen." +Too many columns. Export the report and print it using a spreadsheet application.,Zu viele Spalten. Exportieren Sie den Bericht und drucken Sie es mit einem Tabellenkalkulationsprogramm. Tools,Werkzeuge Total,Gesamt +Total ({0}),Gesamt ({0}) Total Advance,Insgesamt Geleistete -Total Allocated Amount,Insgesamt gewährte Betrag -Total Allocated Amount can not be greater than unmatched amount,Insgesamt gewährte Betrag darf nicht größer als unerreichte Menge sein Total Amount,Gesamtbetrag Total Amount To Pay,Insgesamt zu zahlenden Betrag Total Amount in Words,Insgesamt Betrag in Worten Total Billing This Year: ,Insgesamt Billing Dieses Jahr: +Total Characters,Insgesamt Charaktere Total Claimed Amount,Insgesamt geforderten Betrag Total Commission,Gesamt Kommission Total Cost,Total Cost @@ -2923,14 +3075,13 @@ Total Score (Out of 5),Gesamtpunktzahl (von 5) Total Tax (Company Currency),Total Tax (Gesellschaft Währung) Total Taxes and Charges,Insgesamt Steuern und Abgaben Total Taxes and Charges (Company Currency),Insgesamt Steuern und Gebühren (Gesellschaft Währung) -Total Words,insgesamt Wörter -Total Working Days In The Month,Insgesamt Arbeitstagen im Monat Total allocated percentage for sales team should be 100,Insgesamt zugeordnet Prozentsatz für Vertriebsteam sollte 100 sein Total amount of invoices received from suppliers during the digest period,Gesamtbetrag der erhaltenen Rechnungen von Lieferanten während der Auszugsperiodeninformation Total amount of invoices sent to the customer during the digest period,Gesamtbetrag der Rechnungen an die Kunden während der Auszugsperiodeninformation Total cannot be zero,Insgesamt darf nicht Null sein Total in words,Total in Worten Total points for all goals should be 100. It is {0},Gesamtpunkte für alle Ziele sollten 100 sein. Es ist {0} +Total valuation for manufactured or repacked item(s) can not be less than total valuation of raw materials,Gesamtbewertungs für hergestellte oder umgepackt Artikel (s) kann nicht kleiner als die Gesamt Bewertung der Rohstoffe sein Total weightage assigned should be 100%. It is {0},Insgesamt Gewichtung zugeordnet sollte 100 % sein. Es ist {0} Totals,Totals Track Leads by Industry Type.,Spur führt nach Branche Typ . @@ -2966,7 +3117,7 @@ UOM Conversion Details,UOM Conversion Einzelheiten UOM Conversion Factor,UOM Umrechnungsfaktor UOM Conversion factor is required in row {0},Verpackung Umrechnungsfaktor wird in der Zeile erforderlich {0} UOM Name,UOM Namen -UOM coversion factor required for UOM {0} in Item {1},Verpackung coverFaktor für Verpackung erforderlich {0} in Artikel {1} +UOM coversion factor required for UOM: {0} in Item: {1},Verpackung coverFaktor für Verpackung benötigt: {0} in Item: {1} Under AMC,Unter AMC Under Graduate,Unter Graduate Under Warranty,Unter Garantie @@ -2976,8 +3127,8 @@ Unit of Measure {0} has been entered more than once in Conversion Factor Table,M "Unit of measurement of this item (e.g. Kg, Unit, No, Pair).","Maßeinheit für diesen Artikel (zB kg, Einheit, Nein, Pair)." Units/Hour,Einheiten / Stunde Units/Shifts,Units / Shifts -Unmatched Amount,Unübertroffene Betrag Unpaid,Unbezahlte +Unreconciled Payment Details,Nicht abgestimmte Zahlungsdetails Unscheduled,Außerplanmäßig Unsecured Loans,Unbesicherte Kredite Unstop,aufmachen @@ -2992,7 +3143,6 @@ Update Landed Cost,Aktualisieren Landed Cost Update Series,Update Series Update Series Number,Update Series Number Update Stock,Aktualisieren Lager -"Update allocated amount in the above table and then click ""Allocate"" button","Aktualisieren Zuteilungsbetrag in der obigen Tabelle und klicken Sie dann auf ""Allocate""-Taste" Update bank payment dates with journals.,Update Bank Zahlungstermine mit Zeitschriften. Update clearance date of Journal Entries marked as 'Bank Vouchers',"Update- Clearance Datum der Journaleinträge als ""Bank Gutscheine 'gekennzeichnet" Updated,Aktualisiert @@ -3009,6 +3159,7 @@ Upper Income,Obere Income Urgent,Dringend Use Multi-Level BOM,Verwenden Sie Multi-Level BOM Use SSL,Verwenden Sie SSL +Used for Production Plan,Wird für Produktionsplan User,Benutzer User ID,Benutzer-ID User ID not set for Employee {0},Benutzer-ID nicht für Mitarbeiter eingestellt {0} @@ -3047,9 +3198,9 @@ View Now,Jetzt ansehen Visit report for maintenance call.,Bericht über den Besuch für die Wartung Anruf. Voucher #,Gutschein # Voucher Detail No,Gutschein Detailaufnahme +Voucher Detail Number,Gutschein Detail Anzahl Voucher ID,Gutschein ID Voucher No,Gutschein Nein -Voucher No is not valid,Kein Gutschein ist nicht gültig Voucher Type,Gutschein Type Voucher Type and Date,Gutschein Art und Datum Walk In,Walk In @@ -3065,11 +3216,12 @@ Warehouse is mandatory for stock Item {0} in row {1},Warehouse ist für Lager Ar Warehouse is missing in Purchase Order,Warehouse ist in der Bestellung fehlen Warehouse not found in the system,Warehouse im System nicht gefunden Warehouse required for stock Item {0},Lagerhaus Lager Artikel erforderlich {0} -Warehouse required in POS Setting,Warehouse in POS -Einstellung erforderlich Warehouse where you are maintaining stock of rejected items,"Warehouse, wo Sie erhalten Bestand abgelehnt Elemente werden" Warehouse {0} can not be deleted as quantity exists for Item {1},"Warehouse {0} kann nicht gelöscht werden, Menge für Artikel existiert {1}" Warehouse {0} does not belong to company {1},Warehouse {0} ist nicht gehören Unternehmen {1} Warehouse {0} does not exist,Warehouse {0} existiert nicht +Warehouse {0}: Company is mandatory,Warehouse {0}: Unternehmen ist obligatorisch +Warehouse {0}: Parent account {1} does not bolong to the company {2},Warehouse {0}: Eltern-Konto {1} nicht Bolong an die Firma {2} Warehouse-Wise Stock Balance,Warehouse-Wise Bestandsliste Warehouse-wise Item Reorder,Warehouse-weise Artikel Reorder Warehouses,Gewerberäume @@ -3114,13 +3266,14 @@ Will be updated when batched.,"Wird aktualisiert, wenn dosiert werden." Will be updated when billed.,"Wird aktualisiert, wenn in Rechnung gestellt." Wire Transfer,Überweisung With Operations,Mit Operations -With period closing entry,Mit Periodenverschiebung Eintrag +With Period Closing Entry,Mit Periode Schluss Eintrag Work Details,Werk Details Work Done,Arbeit Work In Progress,Work In Progress Work-in-Progress Warehouse,Work-in-Progress Warehouse Work-in-Progress Warehouse is required before Submit,"Arbeit - in -Progress Warehouse erforderlich ist, bevor abschicken" Working,Arbeit +Working Days,Arbeitstage Workstation,Arbeitsplatz Workstation Name,Name der Arbeitsstation Write Off Account,Write Off Konto @@ -3136,9 +3289,6 @@ Year Closed,Jahr geschlossen Year End Date,Year End Datum Year Name,Jahr Name Year Start Date,Jahr Startdatum -Year Start Date and Year End Date are already set in Fiscal Year {0},Jahr Startdatum und Enddatum Jahr sind bereits im Geschäftsjahr gesetzt {0} -Year Start Date and Year End Date are not within Fiscal Year.,Jahr Startdatum und Enddatum Jahr nicht innerhalb des Geschäftsjahres . -Year Start Date should not be greater than Year End Date,Jahr Startdatum sollte nicht größer als Year End Date Year of Passing,Jahr der Übergabe Yearly,Jährlich Yes,Ja @@ -3148,7 +3298,6 @@ You are the Expense Approver for this record. Please Update the 'Status' and Sav You are the Leave Approver for this record. Please Update the 'Status' and Save,Sie sind der Leave Genehmiger für diesen Datensatz . Bitte aktualisiere den 'Status' und Sparen You can enter any date manually,Sie können ein beliebiges Datum manuell eingeben You can enter the minimum quantity of this item to be ordered.,Sie können die minimale Menge von diesem Artikel bestellt werden. -You can not assign itself as parent account,Sie können sich nicht als Hauptkonto zuweisen You can not change rate if BOM mentioned agianst any item,"Sie können Rate nicht ändern, wenn BOM agianst jeden Artikel erwähnt" You can not enter both Delivery Note No and Sales Invoice No. Please enter any one.,Sie können nicht sowohl Lieferschein Nein und Sales Invoice Nr. Bitte geben Sie eine beliebige . You can not enter current voucher in 'Against Journal Voucher' column,"Sie können keine aktuellen Gutschein in ""Gegen Blatt Gutschein -Spalte" @@ -3160,7 +3309,6 @@ You cannot credit and debit same account at the same time,Sie können keine Kred You have entered duplicate items. Please rectify and try again.,Sie haben doppelte Elemente eingetragen. Bitte korrigieren und versuchen Sie es erneut . You may need to update: {0},Sie müssen möglicherweise aktualisiert werden: {0} You must Save the form before proceeding,"Sie müssen das Formular , bevor Sie speichern" -You must allocate amount before reconcile,Sie müssen Wert vor Abgleich zuweisen Your Customer's TAX registration numbers (if applicable) or any general information,Ihre Kunden TAX Kennzeichen (falls zutreffend) oder allgemeine Informationen Your Customers,Ihre Kunden Your Login Id,Ihre Login-ID @@ -3173,11 +3321,13 @@ Your sales person who will contact the customer in future,"Ihr Umsatz Person, di Your sales person will get a reminder on this date to contact the customer,"Ihre Vertriebsmitarbeiter erhalten eine Erinnerung an diesem Tag, um den Kunden an" Your setup is complete. Refreshing...,Ihre Einrichtung ist abgeschlossen. Erfrischend ... Your support email id - must be a valid email - this is where your emails will come!,"Ihre Unterstützung email id - muss eine gültige E-Mail-sein - das ist, wo Ihre E-Mails wird kommen!" +[Error],[Fehler] [Select],[Select ] `Freeze Stocks Older Than` should be smaller than %d days.,`Frost Stocks Älter als ` sollte kleiner als% d Tage. and,und are not allowed.,sind nicht erlaubt. assigned by,zugewiesen durch +cannot be greater than 100,nicht größer als 100 sein "e.g. ""Build tools for builders""","z.B. ""Build -Tools für Bauherren """ "e.g. ""MC""","z.B. ""MC""" "e.g. ""My Company LLC""","z.B. "" My Company LLC""" @@ -3190,32 +3340,34 @@ example: Next Day Shipping,Beispiel: Versand am nächsten Tag lft,lft old_parent,old_parent rgt,rgt +subject,Betreff +to,auf website page link,Website-Link {0} '{1}' not in Fiscal Year {2},{0} ' {1}' nicht im Geschäftsjahr {2} {0} Credit limit {0} crossed,{0} Kreditlimit {0} gekreuzt {0} Serial Numbers required for Item {0}. Only {0} provided.,{0} Seriennummern für Artikel erforderlich {0}. Nur {0} ist. {0} budget for Account {1} against Cost Center {2} will exceed by {3},{0} Budget für Konto {1} gegen Kostenstelle {2} wird von {3} überschreiten +{0} can not be negative,{0} kann nicht negativ sein {0} created,{0} erstellt {0} does not belong to Company {1},{0} ist nicht auf Unternehmen gehören {1} {0} entered twice in Item Tax,{0} trat zweimal in Artikel Tax {0} is an invalid email address in 'Notification Email Address',{0} ist eine ungültige E-Mail- Adresse in 'Benachrichtigung per E-Mail -Adresse' {0} is mandatory,{0} ist obligatorisch {0} is mandatory for Item {1},{0} Artikel ist obligatorisch für {1} +{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} ist obligatorisch. Vielleicht Devisenwechsel Datensatz nicht für {1} bis {2} erstellt. {0} is not a stock Item,{0} ist kein Lagerartikel {0} is not a valid Batch Number for Item {1},{0} ist keine gültige Chargennummer für Artikel {1} -{0} is not a valid Leave Approver,{0} ist kein gültiges Datum Approver +{0} is not a valid Leave Approver. Removing row #{1}.,{0} ist kein gültiges Datum Genehmiger. Entfernen Folge # {1}. {0} is not a valid email id,{0} ist keine gültige E-Mail -ID {0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,"{0} ist jetzt der Standardgeschäftsjahr. Bitte aktualisieren Sie Ihren Browser , damit die Änderungen wirksam werden." {0} is required,{0} ist erforderlich {0} must be a Purchased or Sub-Contracted Item in row {1},{0} muss ein Gekaufte oder Subunternehmer vergebene Artikel in Zeile {1} -{0} must be less than or equal to {1},{0} muss kleiner als oder gleich {1} +{0} must be reduced by {1} or you should increase overflow tolerance,"{0} muss {1} reduziert werden, oder sollten Sie Überlauftoleranz zu erhöhen" {0} must have role 'Leave Approver',"{0} muss Rolle "" Genehmiger Leave ' haben" {0} valid serial nos for Item {1},{0} gültige Seriennummernfür Artikel {1} {0} {1} against Bill {2} dated {3},{0} {1} gegen Bill {2} {3} vom {0} {1} against Invoice {2},{0} {1} gegen Rechnung {2} {0} {1} has already been submitted,{0} {1} wurde bereits eingereicht -{0} {1} has been modified. Please Refresh,{0} {1} wurde geändert . Bitte aktualisieren -{0} {1} has been modified. Please refresh,{0} {1} wurde geändert . Bitte aktualisieren {0} {1} has been modified. Please refresh.,{0} {1} wurde geändert . Bitte aktualisieren. {0} {1} is not submitted,{0} {1} nicht vorgelegt {0} {1} must be submitted,{0} {1} muss vorgelegt werden @@ -3223,3 +3375,5 @@ website page link,Website-Link {0} {1} status is 'Stopped',"{0} {1} Status "" Stopped """ {0} {1} status is Stopped,{0} {1} Status beendet {0} {1} status is Unstopped,{0} {1} Status unstopped +{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Kostenstelle ist obligatorisch für Artikel {2} +{0}: {1} not found in Invoice Details table,{0}: {1} nicht in der Rechnungs Details-Tabelle gefunden diff --git a/erpnext/translations/el.csv b/erpnext/translations/el.csv index 8b5bf1340b..5507c84b65 100644 --- a/erpnext/translations/el.csv +++ b/erpnext/translations/el.csv @@ -14,7 +14,6 @@ % of materials delivered against this Sales Order,% Των υλικών που παραδίδονται κατά της εντολής αυτής Πωλήσεις % of materials ordered against this Material Request,% Των παραγγελθέντων υλικών κατά της αίτησης αυτής Υλικό % of materials received against this Purchase Order,% Της ύλης που έλαβε κατά της παραγγελίας -%(conversion_rate_label)s is mandatory. Maybe Currency Exchange record is not created for %(from_currency)s to %(to_currency)s,% ( conversion_rate_label ) s είναι υποχρεωτική . Ίσως συναλλάγματος ρεκόρ δεν έχει δημιουργηθεί για % ( from_currency ) s σε% ( to_currency ) s 'Actual Start Date' can not be greater than 'Actual End Date',"« Πραγματική Ημερομηνία Έναρξης δεν μπορεί να είναι μεγαλύτερη από ό, τι « Πραγματική ημερομηνία λήξης »" 'Based On' and 'Group By' can not be same,« Με βάση την » και «Όμιλος Με τη φράση« δεν μπορεί να είναι ίδια 'Days Since Last Order' must be greater than or equal to zero,« Ημέρες από την τελευταία Παραγγείλετε πρέπει να είναι μεγαλύτερη ή ίση με το μηδέν @@ -30,11 +29,35 @@ 'Update Stock' for Sales Invoice {0} must be set,« Ενημέρωση Χρηματιστήριο » για τις πωλήσεις Τιμολόγιο πρέπει να ρυθμιστεί {0} * Will be calculated in the transaction.,* Θα πρέπει να υπολογίζεται στη συναλλαγή. "1 Currency = [?] Fraction -For e.g. 1 USD = 100 Cent",1 Νόμισμα = [ ?] Κλάσμα \ nΓια την π.χ. +For e.g. 1 USD = 100 Cent","1 Νόμισμα = [?] Κλάσμα + Για π.χ. 1 USD = 100 Cent" 1. To maintain the customer wise item code and to make them searchable based on their code use this option,"1. Για να διατηρήσετε τον πελάτη σοφός κωδικό στοιχείο και να καταστούν προσβάσιμα με βάση τον κωδικό τους, χρησιμοποιήστε αυτή την επιλογή" "
Add / Edit"," Προσθήκη / Επεξεργασία < / a>" "Add / Edit"," Προσθήκη / Επεξεργασία < / a>" "Add / Edit"," Προσθήκη / Επεξεργασία < / a>" +"

Default Template

+

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

+
{{ address_line1 }}<br>
+{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}
+{{ city }}<br>
+{% if state %}{{ state }}<br>{% endif -%}
+{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}
+{{ country }}<br>
+{% if phone %}Phone: {{ phone }}<br>{% endif -%}
+{% if fax %}Fax: {{ fax }}<br>{% endif -%}
+{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
+
","

Προεπιλογή Πρότυπο +

Χρήσεις Jinja Templating και όλα τα πεδία της Διεύθυνσης ( συμπεριλαμβανομένων των προσαρμοσμένων πεδίων, αν υπάρχουν) θα είναι διαθέσιμο +

  {{}} address_line1 
+ {% εάν address_line2%} {{}} address_line2
{ endif% -%} + {{}} πόλη
+ {% αν το κράτος%} {{}} κατάσταση
{endif% -%} + {% εάν pincode%} PIN: {{}} pincode
{endif% -%} + {{}} χώρα
+ {% αν το τηλέφωνο%} Τηλέφωνο: {{}} τηλέφωνο
{ endif% -%} + {% εάν φαξ%} Fax: {{}} fax
{endif% -%} + {% εάν email_id%} Email: {{}} email_id
? {endif% -%} + " A Customer Group exists with same name please change the Customer name or rename the Customer Group,Μια ομάδα πελατών υπάρχει με το ίδιο όνομα παρακαλούμε να αλλάξετε το όνομα του Πελάτη ή να μετονομάσετε την ομάδα πελατών A Customer exists with same name,Ένας πελάτης υπάρχει με το ίδιο όνομα A Lead with this email id should exist,Μια μολύβδου με αυτή την ταυτότητα ηλεκτρονικού ταχυδρομείου θα πρέπει να υπάρχει @@ -44,7 +67,6 @@ A symbol for this currency. For e.g. $,Ένα σύμβολο για το νόμ AMC Expiry Date,AMC Ημερομηνία Λήξης Abbr,Abbr Abbreviation cannot have more than 5 characters,Συντομογραφία δεν μπορεί να έχει περισσότερα από 5 χαρακτήρες -About,Περίπου Above Value,Πάνω Value Absent,Απών Acceptance Criteria,Κριτήρια αποδοχής @@ -59,6 +81,8 @@ Account Details,Στοιχεία Λογαριασμού Account Head,Επικεφαλής λογαριασμού Account Name,Όνομα λογαριασμού Account Type,Είδος Λογαριασμού +"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Το υπόλοιπο του λογαριασμού ήδη Credit, δεν σας επιτρέπεται να θέσει «Υπόλοιπο Must Be» ως «χρεωστικές»" +"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Το υπόλοιπο του λογαριασμού ήδη Debit, δεν μπορείτε να ρυθμίσετε το 'Υπόλοιπο Must Be »ως« Δάνειο »" Account for the warehouse (Perpetual Inventory) will be created under this Account.,Λογαριασμός για την αποθήκη ( Perpetual Απογραφή ) θα δημιουργηθεί στο πλαίσιο του παρόντος λογαριασμού. Account head {0} created,Κεφάλι Λογαριασμός {0} δημιουργήθηκε Account must be a balance sheet account,Ο λογαριασμός πρέπει να είναι λογαριασμός του ισολογισμού @@ -68,13 +92,20 @@ Account with existing transaction can not be deleted,Ο λογαριασμός Account with existing transaction cannot be converted to ledger,Ο λογαριασμός με τις υπάρχουσες συναλλαγή δεν μπορεί να μετατραπεί σε καθολικό Account {0} cannot be a Group,Ο λογαριασμός {0} δεν μπορεί να είναι μια ομάδα Account {0} does not belong to Company {1},Ο λογαριασμός {0} δεν ανήκει στη Εταιρεία {1} +Account {0} does not belong to company: {1},Ο λογαριασμός {0} δεν ανήκει στην εταιρεία: {1} Account {0} does not exist,Ο λογαριασμός {0} δεν υπάρχει Account {0} has been entered more than once for fiscal year {1},Ο λογαριασμός {0} έχει εισαχθεί περισσότερες από μία φορά για το οικονομικό έτος {1} Account {0} is frozen,Ο λογαριασμός {0} έχει παγώσει Account {0} is inactive,Ο λογαριασμός {0} είναι ανενεργό +Account {0} is not valid,Ο λογαριασμός {0} δεν είναι έγκυρη Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item,Ο λογαριασμός {0} πρέπει να είναι του τύπου « Παγίων » ως σημείο {1} είναι ένα περιουσιακό στοιχείο Στοιχείο +Account {0}: Parent account {1} can not be a ledger,Ο λογαριασμός {0}: Μητρική λογαριασμό {1} δεν μπορεί να είναι ένα καθολικό +Account {0}: Parent account {1} does not belong to company: {2},Ο λογαριασμός {0}: Μητρική λογαριασμό {1} δεν ανήκει στην εταιρεία: {2} +Account {0}: Parent account {1} does not exist,Ο λογαριασμός {0}: Μητρική λογαριασμό {1} δεν υπάρχει +Account {0}: You can not assign itself as parent account,Ο λογαριασμός {0}: Δεν μπορεί η ίδια να εκχωρήσει ως μητρική λογαριασμού "Account: {0} can only be updated via \ - Stock Transactions",Λογαριασμός: {0} μπορεί να ενημερώνεται μόνο μέσω \ \ n Συναλλαγές Μετοχών + Stock Transactions","Λογαριασμός: {0} μπορεί να ενημερώνεται μόνο μέσω \ + Χρηματιστηριακές Συναλλαγές Μετοχών" Accountant,λογιστής Accounting,Λογιστική "Accounting Entries can be made against leaf nodes, called","Λογιστικές εγγραφές μπορούν να γίνουν με κόμβους , που ονομάζεται" @@ -124,6 +155,7 @@ Address Details,Λεπτομέρειες Διεύθυνση Address HTML,Διεύθυνση HTML Address Line 1,Διεύθυνση 1 Address Line 2,Γραμμή διεύθυνσης 2 +Address Template,Διεύθυνση Πρότυπο Address Title,Τίτλος Διεύθυνση Address Title is mandatory.,Διεύθυνση τίτλου είναι υποχρεωτική . Address Type,Πληκτρολογήστε τη διεύθυνση @@ -144,7 +176,6 @@ Against Docname,Ενάντια Docname Against Doctype,Ενάντια Doctype Against Document Detail No,Ενάντια Λεπτομέρεια έγγραφο αριθ. Against Document No,Ενάντια έγγραφο αριθ. -Against Entries,ενάντια Καταχωρήσεις Against Expense Account,Ενάντια Λογαριασμός Εξόδων Against Income Account,Έναντι του λογαριασμού εισοδήματος Against Journal Voucher,Ενάντια Voucher Εφημερίδα @@ -180,10 +211,8 @@ All Territories,Όλα τα εδάφη "All export related fields like currency, conversion rate, export total, export grand total etc are available in Delivery Note, POS, Quotation, Sales Invoice, Sales Order etc.","Όλα τα πεδία που συνδέονται με εξαγωγές , όπως το νόμισμα , συντελεστή μετατροπής , το σύνολο των εξαγωγών , των εξαγωγών γενικό σύνολο κλπ είναι διαθέσιμα στο Δελτίο Αποστολής , POS , Προσφορά , Τιμολόγιο Πώλησης , Πωλήσεις Τάξης, κ.λπ." "All import related fields like currency, conversion rate, import total, import grand total etc are available in Purchase Receipt, Supplier Quotation, Purchase Invoice, Purchase Order etc.","Όλες οι εισαγωγές που σχετίζονται με τομείς όπως το νόμισμα , συντελεστή μετατροπής , οι συνολικές εισαγωγές , εισαγωγής γενικό σύνολο κλπ είναι διαθέσιμα σε απόδειξης αγοράς , ο Προμηθευτής εισαγωγικά, Αγορά Τιμολόγιο , Παραγγελία κλπ." All items have already been invoiced,Όλα τα στοιχεία έχουν ήδη τιμολογηθεί -All items have already been transferred for this Production Order.,Όλα τα στοιχεία έχουν ήδη μεταφερθεί για αυτή την εντολή παραγωγής . All these items have already been invoiced,Όλα αυτά τα στοιχεία έχουν ήδη τιμολογηθεί Allocate,Διαθέστε -Allocate Amount Automatically,Διαθέστε Ποσό Αυτόματη Allocate leaves for a period.,Διαθέστε τα φύλλα για ένα χρονικό διάστημα . Allocate leaves for the year.,Διαθέστε τα φύλλα για το έτος. Allocated Amount,Χορηγούμενο ποσό @@ -204,13 +233,13 @@ Allow Users,Αφήστε Χρήστες Allow the following users to approve Leave Applications for block days.,Αφήστε τα παρακάτω χρήστες να εγκρίνουν αιτήσεις Αφήστε για τις ημέρες μπλοκ. Allow user to edit Price List Rate in transactions,Επιτρέπει στο χρήστη να επεξεργαστείτε Τιμή Τιμή καταλόγου στις συναλλαγές Allowance Percent,Ποσοστό Επίδομα -Allowance for over-delivery / over-billing crossed for Item {0},Επίδομα πάνω - παράδοση / υπερ- χρέωσης διέσχισε για τη θέση {0} +Allowance for over-{0} crossed for Item {1},Επίδομα πάνω-{0} διέσχισε για τη θέση {1} +Allowance for over-{0} crossed for Item {1}.,Επίδομα πάνω-{0} διέσχισε για τη θέση {1}. Allowed Role to Edit Entries Before Frozen Date,Κατοικίδια ρόλος στην επιλογή Επεξεργασία εγγραφών Πριν Κατεψυγμένα Ημερομηνία Amended From,Τροποποίηση Από Amount,Ποσό Amount (Company Currency),Ποσό (νόμισμα της Εταιρείας) -Amount <=,Ποσό <= -Amount >=,Ποσό> = +Amount Paid,Ποσό Αμειβόμενος Amount to Bill,Ανέρχονται σε Bill An Customer exists with same name,Υπάρχει ένα πελάτη με το ίδιο όνομα "An Item Group exists with same name, please change the item name or rename the item group","Ένα σημείο της ομάδας υπάρχει με το ίδιο όνομα , μπορείτε να αλλάξετε το όνομα του στοιχείου ή να μετονομάσετε την ομάδα στοιχείου" @@ -260,6 +289,7 @@ As per Stock UOM,Όπως ανά Διαθέσιμο UOM Asset,προσόν Assistant,βοηθός Associate,Συνεργάτης +Atleast one of the Selling or Buying must be selected,Πρέπει να επιλεγεί τουλάχιστον μία από τις πωλήσεις ή την αγορά Atleast one warehouse is mandatory,"Τουλάχιστον, μια αποθήκη είναι υποχρεωτική" Attach Image,Συνδέστε Image Attach Letterhead,Συνδέστε επιστολόχαρτο @@ -319,6 +349,7 @@ Balance for Account {0} must always be {1},Υπόλοιπο Λογαριασμο Balance must be,Υπόλοιπο πρέπει να "Balances of Accounts of type ""Bank"" or ""Cash""","Υπόλοιπα Λογαριασμών του τύπου ""Τράπεζα"" ή "" Cash""" Bank,Τράπεζα +Bank / Cash Account,Τράπεζα / Λογαριασμού Cash Bank A/C No.,Bank A / C Όχι Bank Account,Τραπεζικό Λογαριασμό Bank Account No.,Τράπεζα Αρ. Λογαριασμού @@ -397,18 +428,24 @@ Budget Distribution Details,Λεπτομέρειες κατανομή του π Budget Variance Report,Έκθεση του προϋπολογισμού Διακύμανση Budget cannot be set for Group Cost Centers,Ο προϋπολογισμός δεν μπορεί να ρυθμιστεί για Κέντρα Κόστους Ομίλου Build Report,Κατασκευάστηκε Έκθεση -Built on,Χτισμένο σε Bundle items at time of sale.,Bundle στοιχεία κατά τη στιγμή της πώλησης. Business Development Manager,Business Development Manager Buying,Εξαγορά Buying & Selling,Αγορά & Πώληση Buying Amount,Αγοράζοντας Ποσό Buying Settings,Αγοράζοντας Ρυθμίσεις +"Buying must be checked, if Applicable For is selected as {0}",Η αγορά πρέπει να ελεγχθεί αν υπάρχει Για επιλέγεται ως {0} C-Form,C-Form C-Form Applicable,C-αυτοί εφαρμόζονται C-Form Invoice Detail,C-Form Τιμολόγιο Λεπτομέρειες C-Form No,C-δεν αποτελούν C-Form records,C -Form εγγραφές +CENVAT Capital Goods,CENVAT κεφαλαιουχικών αγαθών +CENVAT Edu Cess,CENVAT Edu Cess +CENVAT SHE Cess,CENVAT SHE Cess +CENVAT Service Tax,CENVAT Φορολογική Υπηρεσία +CENVAT Service Tax Cess 1,CENVAT Υπηρεσία Φόρου Cess 1 +CENVAT Service Tax Cess 2,CENVAT Υπηρεσία Φόρου Cess 2 Calculate Based On,Υπολογιστεί με βάση: Calculate Total Score,Υπολογίστε Συνολική Βαθμολογία Calendar Events,Ημερολόγιο Εκδηλώσεων @@ -432,7 +469,7 @@ Cannot approve leave as you are not authorized to approve leaves on Block Dates, Cannot cancel because Employee {0} is already approved for {1},Δεν μπορείτε να ακυρώσετε επειδή Υπάλληλος {0} έχει ήδη εγκριθεί για {1} Cannot cancel because submitted Stock Entry {0} exists,"Δεν μπορείτε να ακυρώσετε , διότι υποβάλλονται Χρηματιστήριο Έναρξη {0} υπάρχει" Cannot carry forward {0},Δεν μπορούμε να συνεχίσουμε προς τα εμπρός {0} -Cannot change Year Start Date and Year End Date once the Fiscal Year is saved.,Δεν μπορεί να αλλάξει Έτος Ημερομηνία Έναρξης και Λήξης Έτος φορά Χρήσεως αποθηκεύεται . +Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,Δεν μπορεί να αλλάξει Χρήσεως Ημερομηνία έναρξης και Φορολογικό Έτος Ημερομηνία Λήξης φορά Χρήσεως αποθηκεύεται. "Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Δεν μπορεί να αλλάξει προεπιλεγμένο νόμισμα της εταιρείας , επειδή υπάρχουν υφιστάμενες συναλλαγές . Οι συναλλαγές πρέπει να ακυρωθεί για να αλλάξετε το εξ 'ορισμού νόμισμα ." Cannot convert Cost Center to ledger as it has child nodes,"Δεν είναι δυνατή η μετατροπή Κέντρο Κόστους σε καθολικό , όπως έχει κόμβους του παιδιού" Cannot covert to Group because Master Type or Account Type is selected.,"Δεν μπορείτε να μετατρέψετε σε ομάδα , επειδή έχει επιλεγεί Μάστερ τύπου ή τύπου λογαριασμού ." @@ -441,7 +478,7 @@ Cannot deactive or cancle BOM as it is linked with other BOMs,Δεν είναι Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Δεν μπορούν να εκπέσουν όταν η κατηγορία είναι για « Αποτίμηση » ή « Αποτίμηση και Total » "Cannot delete Serial No {0} in stock. First remove from stock, then delete.","Δεν είναι δυνατή η διαγραφή Αύξων αριθμός {0} σε απόθεμα . Πρώτα αφαιρέστε από το απόθεμα , στη συνέχεια, διαγράψτε ." "Cannot directly set amount. For 'Actual' charge type, use the rate field","Δεν μπορείτε να ορίσετε άμεσα το ποσό . Για « Πραγματική » τύπου φόρτισης , χρησιμοποιήστε το πεδίο ρυθμό" -"Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in 'Setup' > 'Global Defaults'","Δεν είναι δυνατή η overbill για τη θέση {0} στη γραμμή {0} περισσότερο από {1} . Για να καταστεί δυνατή υπερτιμολογήσεων , ορίστε σε 'Setup' > ' Παγκόσμιο Προεπιλογές »" +"Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in Stock Settings","Δεν είναι δυνατή η overbill για τη θέση {0} στη γραμμή {0} περισσότερο από {1}. Για να καταστεί δυνατή υπερτιμολογήσεων, ορίστε το Ρυθμίσεις Χρηματιστήριο" Cannot produce more Item {0} than Sales Order quantity {1},Δεν μπορεί να παράγει περισσότερο Θέση {0} από την ποσότητα Πωλήσεις Τάξης {1} Cannot refer row number greater than or equal to current row number for this Charge type,Δεν μπορεί να παραπέμψει τον αριθμό σειράς μεγαλύτερο ή ίσο με το σημερινό αριθμό γραμμής για αυτόν τον τύπο φόρτισης Cannot return more than {0} for Item {1},Δεν μπορεί να επιστρέψει πάνω από {0} για τη θέση {1} @@ -504,6 +541,8 @@ Click on a link to get options to expand get options , Client,Πελάτης Close Balance Sheet and book Profit or Loss.,Κλείσιμο Ισολογισμού και των Αποτελεσμάτων βιβλίο ή απώλεια . Closed,Κλειστό +Closing (Cr),Κλείσιμο (Cr) +Closing (Dr),Κλείσιμο (Dr) Closing Account Head,Κλείσιμο Head λογαριασμού Closing Account {0} must be of type 'Liability',Κλείσιμο του λογαριασμού {0} πρέπει να είναι τύπου «Ευθύνη » Closing Date,Καταληκτική ημερομηνία @@ -514,7 +553,9 @@ CoA Help,CoA Βοήθεια Code,Κωδικός Cold Calling,Cold Calling Color,Χρώμα +Column Break,Break Στήλη Comma separated list of email addresses,Διαχωρισμένες με κόμμα λίστα με τις διευθύνσεις ηλεκτρονικού ταχυδρομείου +Comment,Σχόλιο Comments,Σχόλια Commercial,εμπορικός Commission,προμήθεια @@ -599,7 +640,6 @@ Cosmetics,καλλυντικά Cost Center,Κέντρο Κόστους Cost Center Details,Κόστος Λεπτομέρειες Κέντρο Cost Center Name,Κόστος Όνομα Κέντρο -Cost Center is mandatory for Item {0},Κέντρο Κόστους είναι υποχρεωτική για τη θέση {0} Cost Center is required for 'Profit and Loss' account {0},Κέντρο Κόστους απαιτείται για το λογαριασμό « Αποτελέσματα Χρήσεως » {0} Cost Center is required in row {0} in Taxes table for type {1},Κέντρο Κόστους απαιτείται στη γραμμή {0} σε φόρους πίνακα για τον τύπο {1} Cost Center with existing transactions can not be converted to group,Κέντρο Κόστους με τις υπάρχουσες συναλλαγές δεν μπορεί να μετατραπεί σε ομάδα @@ -609,6 +649,7 @@ Cost of Goods Sold,Κόστος Πωληθέντων Costing,Κοστολόγηση Country,Χώρα Country Name,Όνομα Χώρα +Country wise default Address Templates,Χώρα σοφός default Διεύθυνση Πρότυπα "Country, Timezone and Currency","Χώρα , Χρονική ζώνη και Συνάλλαγμα" Create Bank Voucher for the total salary paid for the above selected criteria,Δημιουργία Voucher Τράπεζας για το σύνολο του μισθού που καταβάλλεται για τις επιλεγμένες παραπάνω κριτήρια Create Customer,Δημιουργία Πελάτη @@ -662,10 +703,12 @@ Customer (Receivable) Account,Πελατών (Απαιτήσεις) λογαρι Customer / Item Name,Πελάτης / Θέση Name Customer / Lead Address,Πελάτης / Επικεφαλής Διεύθυνση Customer / Lead Name,Πελάτης / Επικεφαλής Όνομα +Customer > Customer Group > Territory,Πελάτης> Ομάδα Πελατών> Έδαφος Customer Account Head,Πελάτης Επικεφαλής λογαριασμού Customer Acquisition and Loyalty,Απόκτηση πελατών και Πιστότητας Customer Address,Διεύθυνση πελατών Customer Addresses And Contacts,Διευθύνσεις πελατών και των επαφών +Customer Addresses and Contacts,Διευθύνσεις πελατών και επαφές Customer Code,Κωδικός Πελάτη Customer Codes,Κωδικοί πελατών Customer Details,Στοιχεία Πελάτη @@ -727,6 +770,8 @@ Deduction1,Deduction1 Deductions,Μειώσεις Default,Αθέτηση Default Account,Προεπιλεγμένο λογαριασμό +Default Address Template cannot be deleted,Προεπιλογή Διεύθυνση πρότυπο δεν μπορεί να διαγραφεί +Default Amount,Προεπιλογή Ποσό Default BOM,BOM Προεπιλογή Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,"Προεπιλογή Bank / Cash λογαριασμού θα ενημερώνεται αυτόματα σε Τιμολόγιο POS, όταν επιλέγεται αυτός ο τρόπος." Default Bank Account,Προεπιλογή Τραπεζικό Λογαριασμό @@ -734,7 +779,6 @@ Default Buying Cost Center,Προεπιλογή Αγοράζοντας Κέντ Default Buying Price List,Προεπιλογή Τιμοκατάλογος Αγορά Default Cash Account,Προεπιλεγμένο λογαριασμό Cash Default Company,Εταιρεία Προκαθορισμένο -Default Cost Center for tracking expense for this item.,Προεπιλογή Κέντρο Κόστους για την παρακολούθηση των εξόδων για αυτό το στοιχείο. Default Currency,Προεπιλεγμένο νόμισμα Default Customer Group,Προεπιλογή Ομάδα πελατών Default Expense Account,Προεπιλογή Λογαριασμός Εξόδων @@ -761,6 +805,7 @@ Default settings for selling transactions.,Οι προεπιλεγμένες ρ Default settings for stock transactions.,Οι προεπιλεγμένες ρυθμίσεις για τις χρηματιστηριακές συναλλαγές . Defense,άμυνα "Define Budget for this Cost Center. To set budget action, see
Company Master","Καθορισμός του προϋπολογισμού για το Κέντρο Κόστους. Για να ρυθμίσετε δράσης του προϋπολογισμού, βλ. εταιρεία Master" +Del,Διαγ Delete,Διαγραφή Delete {0} {1}?,Διαγραφή {0} {1} ; Delivered,Δημοσιεύθηκε @@ -809,6 +854,7 @@ Discount (%),Έκπτωση (%) Discount Amount,Ποσό έκπτωσης "Discount Fields will be available in Purchase Order, Purchase Receipt, Purchase Invoice","Τα πεδία με έκπτωση θα είναι διαθέσιμο σε Εντολή Αγοράς, Αγορά Παραλαβή, Τιμολόγιο Αγορά" Discount Percentage,έκπτωση Ποσοστό +Discount Percentage can be applied either against a Price List or for all Price List.,Έκπτωση Ποσοστό μπορεί να εφαρμοστεί είτε κατά Τιμοκατάλογος ή για όλα τα Τιμοκατάλογος. Discount must be less than 100,Έκπτωση πρέπει να είναι μικρότερη από 100 Discount(%),Έκπτωση (%) Dispatch,αποστολή @@ -841,7 +887,8 @@ Download Template,Κατεβάστε προτύπου Download a report containing all raw materials with their latest inventory status,Κατεβάστε μια έκθεση που περιέχει όλες τις πρώτες ύλες με πιο πρόσφατη κατάσταση των αποθεμάτων τους "Download the Template, fill appropriate data and attach the modified file.","Κατεβάστε το Πρότυπο , συμπληρώστε τα κατάλληλα δεδομένα και να επισυνάψετε το τροποποιημένο αρχείο ." "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","Κατεβάστε το Πρότυπο , συμπληρώστε τα κατάλληλα δεδομένα και να επισυνάψετε το τροποποιημένο αρχείο . \ NΌλες οι ημερομηνίες και ο συνδυασμός των εργαζομένων στην επιλεγμένη περίοδο θα έρθει στο πρότυπο , με τους υπάρχοντες καταλόγους παρουσίας" +All dates and employee combination in the selected period will come in the template, with existing attendance records","Κατεβάστε το Πρότυπο, συμπληρώστε τα κατάλληλα δεδομένα και να επισυνάψετε το τροποποιημένο αρχείο. + Όλες οι ημερομηνίες και ο συνδυασμός των εργαζομένων στην επιλεγμένη περίοδο θα έρθει στο πρότυπο, με τους υπάρχοντες καταλόγους παρουσίας" Draft,Προσχέδιο Dropbox,Dropbox Dropbox Access Allowed,Dropbox Access κατοικίδια @@ -863,6 +910,9 @@ Earning & Deduction,Κερδίζουν & Έκπτωση Earning Type,Κερδίζουν Τύπος Earning1,Earning1 Edit,Επεξεργασία +Edu. Cess on Excise,Edu. Cess σε ειδικούς φόρους κατανάλωσης +Edu. Cess on Service Tax,Edu. Cess στην Φορολογική Υπηρεσία +Edu. Cess on TDS,Edu. Cess σε TDS Education,εκπαίδευση Educational Qualification,Εκπαιδευτικά προσόντα Educational Qualification Details,Εκπαιδευτικά Λεπτομέρειες Προκριματικά @@ -937,16 +987,27 @@ Enter url parameter for receiver nos,Εισάγετε παράμετρο url γ Entertainment & Leisure,Διασκέδαση & Leisure Entertainment Expenses,Έξοδα Ψυχαγωγία Entries,Καταχωρήσεις -Entries against,Ενδείξεις κατά +Entries against , Entries are not allowed against this Fiscal Year if the year is closed.,"Οι συμμετοχές δεν επιτρέπεται κατά το τρέχον οικονομικό έτος, εάν το έτος είναι κλειστή." -Entries before {0} are frozen,Οι καταχωρήσεις πριν από {0} κατεψυγμένα Equity,δικαιοσύνη Error: {0} > {1},Σφάλμα : {0} > {1} Estimated Material Cost,Εκτιμώμενο κόστος υλικών +"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Ακόμα κι αν υπάρχουν πολλά Κανόνες τιμολόγησης με την υψηλότερη προτεραιότητα, στη συνέχεια μετά από εσωτερικές προτεραιότητες που εφαρμόζονται:" Everyone can read,Ο καθένας μπορεί να διαβάσει "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 # # # # # \ nΕάν η σειρά έχει οριστεί και Αύξων αριθμός δεν αναφέρεται στις συναλλαγές , τότε αυτόματα αύξων αριθμός θα δημιουργηθεί με βάση αυτή τη σειρά ." +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 # # # # # + Αν σειράς έχει οριστεί και Αύξων αριθμός δεν αναφέρεται στις συναλλαγές, τότε αυτόματα αύξων αριθμός θα δημιουργηθεί με βάση αυτή τη σειρά. Αν θέλετε πάντα να αναφέρεται ρητά Serial Nos για αυτό το προϊόν. αφήστε κενό αυτό." Exchange Rate,Ισοτιμία +Excise Duty 10,Ειδικό φόρο κατανάλωσης 10 +Excise Duty 14,Ειδικό φόρο κατανάλωσης 14 +Excise Duty 4,Ειδικού φόρου κατανάλωσης 4 +Excise Duty 8,Ειδικού φόρου κατανάλωσης 8 +Excise Duty @ 10,Ειδικού φόρου κατανάλωσης @ 10 +Excise Duty @ 14,Ειδικού φόρου κατανάλωσης @ 14 +Excise Duty @ 4,Ειδικού φόρου κατανάλωσης @ 4 +Excise Duty @ 8,Ειδικού φόρου κατανάλωσης @ 8 +Excise Duty Edu Cess 2,Excise Duty Edu Cess 2 +Excise Duty SHE Cess 1,Excise Duty SHE Cess 1 Excise Page Number,Excise Αριθμός σελίδας Excise Voucher,Excise Voucher Execution,εκτέλεση @@ -965,6 +1026,7 @@ Expected Delivery Date cannot be before Sales Order Date,Αναμενόμενη Expected End Date,Αναμενόμενη Ημερομηνία Λήξης Expected Start Date,Αναμενόμενη ημερομηνία έναρξης Expense,δαπάνη +Expense / Difference account ({0}) must be a 'Profit or Loss' account,Έξοδα / λογαριασμού Διαφορά ({0}) πρέπει να είναι λογαριασμός «Κέρδη ή Ζημίες» Expense Account,Λογαριασμός Εξόδων Expense Account is mandatory,Λογαριασμός Εξόδων είναι υποχρεωτική Expense Claim,Αξίωση Εξόδων @@ -1015,12 +1077,16 @@ Finished Goods,Έτοιμα προϊόντα First Name,Όνομα First Responded On,Πρώτη απάντησε στις Fiscal Year,Οικονομικό έτος +Fiscal Year Start Date and Fiscal Year End Date are already set in Fiscal Year {0},Φορολογικό Έτος Ημερομηνία έναρξης και Φορολογικό Έτος Ημερομηνία λήξης έχουν ήδη τεθεί σε Χρήσεως {0} +Fiscal Year Start Date and Fiscal Year End Date cannot be more than a year apart.,Φορολογικό Έτος Ημερομηνία έναρξης και Φορολογικό Έτος Ημερομηνία λήξης δεν μπορεί να είναι περισσότερο από ένα χρόνο χώρια. +Fiscal Year Start Date should not be greater than Fiscal Year End Date,"Φορολογικό Έτος Ημερομηνία Έναρξης δεν πρέπει να είναι μεγαλύτερη από ό, τι Φορολογικό Έτος Ημερομηνία Λήξης" Fixed Asset,Πάγιο Fixed Assets,Πάγια Follow via Email,Ακολουθήστε μέσω e-mail "Following table will show values if items are sub - contracted. These values will be fetched from the master of ""Bill of Materials"" of sub - contracted items.",Μετά τον πίνακα θα δείτε τις τιμές εάν τα στοιχεία είναι υπο - υπεργολάβο. Οι τιμές αυτές θα πρέπει να προσκομίζονται από τον πλοίαρχο του "Bill of Materials" των υπο - υπεργολάβο αντικείμενα. Food,τροφή "Food, Beverage & Tobacco","Τρόφιμα , Ποτά και Καπνός" +"For 'Sales BOM' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Sales BOM' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Για «Πωλήσεις BOM» αντικείμενα, αποθήκη, Αύξων αριθμός παρτίδας και θα εξεταστεί από το τραπέζι των «Packing List». Αν και αποθήκη παρτίδας είναι ίδια για όλα τα είδη συσκευασίας για οποιοδήποτε στοιχείο «Πωλήσεις BOM», οι αξίες αυτές μπορούν να εγγραφούν στον κύριο πίνακα Στοιχείο, οι τιμές θα αντιγραφούν στο τραπέζι »Κατάλογος συσκευασίας»." For Company,Για την Εταιρεία For Employee,Για Υπάλληλος For Employee Name,Για Όνομα Υπάλληλος @@ -1050,7 +1116,9 @@ From Currency and To Currency cannot be same,Από το νόμισμα και From Customer,Από πελατών From Customer Issue,Από πελατών Τεύχος From Date,Από Ημερομηνία +From Date cannot be greater than To Date,Από την ημερομηνία αυτή δεν μπορεί να είναι μεγαλύτερη από την Ημερομηνία From Date must be before To Date,Από την ημερομηνία πρέπει να είναι πριν από την ημερομηνία +From Date should be within the Fiscal Year. Assuming From Date = {0},Από Ημερομηνία πρέπει να είναι εντός του οικονομικού έτους. Υποθέτοντας Από Ημερομηνία = {0} From Delivery Note,Από το Δελτίο Αποστολής From Employee,Από Υπάλληλος From Lead,Από μόλυβδο @@ -1072,7 +1140,9 @@ Frozen Accounts Modifier,Κατεψυγμένα Λογαριασμοί Τροπ Fulfilled,Εκπληρωμένες Full Name,Ονοματεπώνυμο Full-time,Πλήρης απασχόληση +Fully Billed,Πλήρως Billed Fully Completed,Πλήρως Ολοκληρώθηκε +Fully Delivered,Πλήρως Δημοσιεύθηκε Furniture and Fixture,Έπιπλα και λοιπός εξοπλισμός Further accounts can be made under Groups but entries can be made against Ledger,Περαιτέρω λογαριασμοί μπορούν να γίνουν στις ομάδες αλλά και εγγραφές μπορούν να γίνουν με Ledger "Further accounts can be made under Groups, but entries can be made against Ledger","Περαιτέρω λογαριασμοί μπορούν να γίνουν στις ομάδες , αλλά και εγγραφές μπορούν να γίνουν με Ledger" @@ -1090,7 +1160,6 @@ Generate Schedule,Δημιουργήστε Πρόγραμμα Generates HTML to include selected image in the description,Δημιουργεί HTML για να συμπεριλάβει επιλεγμένη εικόνα στην περιγραφή Get Advances Paid,Πάρτε προκαταβολές που καταβλήθηκαν Get Advances Received,Πάρτε Προκαταβολές που εισπράχθηκαν -Get Against Entries,Πάρτε Ενάντια Καταχωρήσεις Get Current Stock,Get Current Stock Get Items,Πάρτε Είδη Get Items From Sales Orders,Πάρετε τα στοιχεία από τις πωλήσεις Παραγγελίες @@ -1103,6 +1172,7 @@ Get Specification Details,Get Λεπτομέρειες Προδιαγραφές Get Stock and Rate,Πάρτε απόθεμα και ο ρυθμός Get Template,Πάρτε Πρότυπο Get Terms and Conditions,Πάρτε τους Όρους και Προϋποθέσεις +Get Unreconciled Entries,Πάρτε unreconciled Καταχωρήσεις Get Weekly Off Dates,Πάρτε Weekly Off Ημερομηνίες "Get valuation rate and available stock at source/target warehouse on mentioned posting date-time. If serialized item, please press this button after entering serial nos.","Πάρτε ποσοστό αποτίμησης και των διαθέσιμων αποθεμάτων στην αποθήκη πηγή / στόχο την απόσπαση αναφέρεται ημερομηνίας-ώρας. Αν συνέχειες στοιχείο, πατήστε αυτό το κουμπί μετά την είσοδό αύξοντες αριθμούς." Global Defaults,Παγκόσμια Προεπιλογές @@ -1171,6 +1241,7 @@ Hour,ώρα Hour Rate,Τιμή Hour Hour Rate Labour,Ώρα Εργασίας Τιμή Hours,Ώρες +How Pricing Rule is applied?,Πώς εφαρμόζεται η τιμολόγηση κανόνα; How frequently?,Πόσο συχνά; "How should this currency be formatted? If not set, will use system defaults","Πώς θα πρέπει αυτό το νόμισμα να διαμορφωθεί; Αν δεν έχει οριστεί, θα χρησιμοποιήσει τις προεπιλογές του συστήματος" Human Resources,Ανθρώπινο Δυναμικό @@ -1187,12 +1258,15 @@ If different than customer address,Αν είναι διαφορετική από "If disable, 'Rounded Total' field will not be visible in any transaction","Αν απενεργοποιήσετε, «στρογγυλεμένες Σύνολο του πεδίου δεν θα είναι ορατή σε κάθε συναλλαγή" "If enabled, the system will post accounting entries for inventory automatically.","Εάν είναι ενεργοποιημένο, το σύστημα θα δημοσιεύσει λογιστικές εγγραφές για την απογραφή αυτόματα." If more than one package of the same type (for print),Εάν περισσότερα από ένα πακέτο του ίδιου τύπου (για εκτύπωση) +"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Αν υπάρχουν πολλές Κανόνες τιμολόγησης συνεχίζουν να επικρατούν, οι χρήστες καλούνται να ορίσουν προτεραιότητα το χέρι για την επίλυση των συγκρούσεων." "If no change in either Quantity or Valuation Rate, leave the cell blank.","Εάν καμία αλλαγή είτε Ποσότητα ή αποτίμησης Rate , αφήστε το κενό κελί ." If not applicable please enter: NA,Αν δεν ισχύει παρακαλούμε εισάγετε: NA "If not checked, the list will have to be added to each Department where it has to be applied.","Αν δεν ελεγχθεί, η λίστα θα πρέπει να προστίθεται σε κάθε Τμήμα, όπου πρέπει να εφαρμοστεί." +"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»." "If specified, send the newsletter using this email address","Αν καθοριστεί, στείλτε το ενημερωτικό δελτίο χρησιμοποιώντας αυτή τη διεύθυνση ηλεκτρονικού ταχυδρομείου" "If the account is frozen, entries are allowed to restricted users.","Εάν ο λογαριασμός έχει παγώσει , οι καταχωρήσεις επιτρέπεται να περιορίζεται χρήστες ." "If this Account represents a Customer, Supplier or Employee, set it here.","Αν αυτός ο λογαριασμός αντιπροσωπεύει ένας πελάτης, προμηθευτής ή των εργαζομένων της, έθεσε εδώ." +"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Αν δύο ή περισσότεροι κανόνες τιμολόγησης που βρέθηκαν με βάση τις παραπάνω προϋποθέσεις, προτεραιότητα εφαρμόζεται. Προτεραιότητα είναι ένας αριθμός μεταξύ 0 και 20, ενώ η προεπιλεγμένη τιμή είναι μηδέν (κενό). Μεγαλύτερος αριθμός σημαίνει ότι θα υπερισχύουν εάν υπάρχουν πολλαπλές Κανόνες τιμολόγησης με τους ίδιους όρους." If you follow Quality Inspection. Enables Item QA Required and QA No in Purchase Receipt,Αν ακολουθήσετε Ελέγχου Ποιότητας . Επιτρέπει σημείο QA Απαιτείται και QA Όχι στην Αγορά Παραλαβή If you have Sales Team and Sale Partners (Channel Partners) they can be tagged and maintain their contribution in the sales activity,Αν έχετε Ομάδα Πωλήσεων και Συνεργάτες πώληση (Channel Partners) μπορούν να επισημανθούν και να διατηρήσει τη συμβολή τους στη δραστηριότητα των πωλήσεων "If you have created a standard template in Purchase Taxes and Charges Master, select one and click on the button below.","Αν έχετε δημιουργήσει ένα πρότυπο πρότυπο σε φόρους και τέλη Αγορά Δάσκαλος, επιλέξτε ένα και κάντε κλικ στο κουμπί παρακάτω." @@ -1200,6 +1274,7 @@ If you have Sales Team and Sale Partners (Channel Partners) they can be tagged "If you have long print formats, this feature can be used to split the page to be printed on multiple pages with all headers and footers on each page","Αν έχετε εκτυπώσετε μεγάλες μορφές, αυτό το χαρακτηριστικό μπορεί να χρησιμοποιηθεί για να χωρίσει η σελίδα που θα εκτυπωθεί σε πολλές σελίδες με όλες τις κεφαλίδες και τα υποσέλιδα σε κάθε σελίδα" If you involve in manufacturing activity. Enables Item 'Is Manufactured',Αν συμμετοχή της μεταποιητικής δραστηριότητας . Επιτρέπει Θέση « Είναι Κατασκευάζεται ' Ignore,Αγνοήστε +Ignore Pricing Rule,Αγνοήστε Τιμολόγηση Κανόνας Ignored: ,Αγνοηθεί: Image,Εικόνα Image View,Προβολή εικόνας @@ -1236,8 +1311,9 @@ Income booked for the digest period,Έσοδα κράτηση για την πε Incoming,Εισερχόμενος Incoming Rate,Εισερχόμενο ρυθμό Incoming quality inspection.,Εισερχόμενη ελέγχου της ποιότητας. +Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Λάθος αριθμός των εγγραφών Γενικής Λογιστικής βρέθηκε. Μπορεί να έχετε επιλέξει λάθος Λογαριασμό στη συναλλαγή. Incorrect or Inactive BOM {0} for Item {1} at row {2},Εσφαλμένη ή Ανενεργό BOM {0} για τη θέση {1} στην γραμμή {2} -Indicates that the package is a part of this delivery,Δηλώνει ότι το πακέτο είναι ένα μέρος αυτής της παράδοσης +Indicates that the package is a part of this delivery (Only Draft),Δηλώνει ότι το πακέτο είναι ένα μέρος αυτής της παράδοσης (μόνο σχέδιο) Indirect Expenses,έμμεσες δαπάνες Indirect Income,έμμεση εισοδήματος Individual,Άτομο @@ -1263,6 +1339,7 @@ Intern,κρατώ Internal,Εσωτερικός Internet Publishing,Εκδόσεις στο Διαδίκτυο Introduction,Εισαγωγή +Invalid Barcode,Άκυρα Barcode Invalid Barcode or Serial No,Άκυρα Barcode ή Αύξων αριθμός Invalid Mail Server. Please rectify and try again.,Άκυρα Mail Server . Παρακαλούμε διορθώσει και δοκιμάστε ξανά . Invalid Master Name,Άκυρα Μάστερ Όνομα @@ -1275,9 +1352,12 @@ Investments,επενδύσεις Invoice Date,Τιμολόγιο Ημερομηνία Invoice Details,Λεπτομέρειες Τιμολογίου Invoice No,Τιμολόγιο αριθ. -Invoice Period From Date,Τιμολόγιο περιόδου από την +Invoice Number,Αριθμός Τιμολογίου +Invoice Period From,Τιμολόγιο Περίοδος Από Invoice Period From and Invoice Period To dates mandatory for recurring invoice,Τιμολόγιο Περίοδος Από και Τιμολόγιο Περίοδος Προς ημερομηνίες υποχρεωτική για επαναλαμβανόμενες τιμολόγιο -Invoice Period To Date,Τιμολόγιο Περίοδος Έως Ημερομηνία +Invoice Period To,Τιμολόγιο Περίοδος να +Invoice Type,Τιμολόγιο Τύπος +Invoice/Journal Voucher Details,Τιμολόγιο / Εφημερίδα Voucher Λεπτομέρειες Invoiced Amount (Exculsive Tax),Ποσό τιμολόγησης ( exculsive ΦΠΑ) Is Active,Είναι ενεργός Is Advance,Είναι Advance @@ -1308,6 +1388,7 @@ Item Advanced,Θέση για προχωρημένους Item Barcode,Barcode Θέση Item Batch Nos,Αριθ. παρτίδας Θέση Item Code,Κωδικός προϊόντος +Item Code > Item Group > Brand,Κωδικός προϊόντος> Αντικείμενο Όμιλος> Brand Item Code and Warehouse should already exist.,Θέση κώδικα και αποθήκη πρέπει να υπάρχει ήδη . Item Code cannot be changed for Serial No.,Κωδικός προϊόντος δεν μπορεί να αλλάξει για την αύξων αριθμός Item Code is mandatory because Item is not automatically numbered,Κωδικός προϊόντος είναι υποχρεωτική λόγω σημείο δεν αριθμούνται αυτόματα @@ -1319,6 +1400,7 @@ Item Details,Λεπτομέρειες αντικειμένου Item Group,Ομάδα Θέση Item Group Name,Θέση Όνομα ομάδας Item Group Tree,Θέση του Ομίλου Tree +Item Group not mentioned in item master for item {0},Θέση του Ομίλου που δεν αναφέρονται στο σημείο πλοίαρχο για το στοιχείο {0} Item Groups in Details,Ομάδες Θέση στο Λεπτομέρειες Item Image (if not slideshow),Φωτογραφία προϊόντος (αν όχι slideshow) Item Name,Όνομα Θέση @@ -1389,7 +1471,8 @@ Item-wise Purchase Register,Στοιχείο-σοφός Μητρώο Αγορά Item-wise Sales History,Στοιχείο-σοφός Ιστορία Πωλήσεις Item-wise Sales Register,Στοιχείο-σοφός Πωλήσεις Εγγραφή "Item: {0} managed batch-wise, can not be reconciled using \ - Stock Reconciliation, instead use Stock Entry","Θέση : {0} κατάφερε παρτίδες , δεν μπορεί να συμβιβαστεί με το \ \ n Τράπεζα Συμφιλίωση , αντί να χρησιμοποιήσετε το Χρηματιστήριο Έναρξη" + Stock Reconciliation, instead use Stock Entry","Θέση: {0} κατάφερε παρτίδες, δεν μπορεί να συμβιβαστεί με τη χρήση \ + Τράπεζα Συμφιλίωση, αντί να χρησιμοποιήσετε το Χρηματιστήριο Έναρξη" Item: {0} not found in the system,Θέση : {0} δεν βρέθηκε στο σύστημα Items,Είδη Items To Be Requested,Στοιχεία που θα ζητηθούν @@ -1492,6 +1575,7 @@ Loading...,Φόρτωση ... Loans (Liabilities),Δάνεια (Παθητικό ) Loans and Advances (Assets),Δάνεια και Προκαταβολές ( Ενεργητικό ) Local,τοπικός +Login,σύνδεση Login with your new User ID,Σύνδεση με το νέο όνομα χρήστη σας Logo,Logo Logo and Letter Heads,Λογότυπο και Επιστολή αρχηγών @@ -1536,6 +1620,7 @@ Make Maint. Schedule,Κάντε Συντήρηση . πρόγραμμα Make Maint. Visit,Κάντε Συντήρηση . επίσκεψη Make Maintenance Visit,Κάντε Συντήρηση Επίσκεψη Make Packing Slip,Κάντε Συσκευασία Slip +Make Payment,Πληρωμή Make Payment Entry,Κάντε Έναρξη Πληρωμής Make Purchase Invoice,Κάντε τιμολογίου αγοράς Make Purchase Order,Κάντε παραγγελίας @@ -1545,8 +1630,10 @@ Make Salary Structure,Κάντε Δομή Μισθός Make Sales Invoice,Κάντε Τιμολόγιο Πώλησης Make Sales Order,Κάντε Πωλήσεις Τάξης Make Supplier Quotation,Κάντε Προμηθευτής Προσφορά +Make Time Log Batch,Κάντε Χρόνος καταγραφής παρτίδας Male,Αρσενικός Manage Customer Group Tree.,Διαχειριστείτε την ομάδα πελατών Tree . +Manage Sales Partners.,Διαχειριστείτε Sales Partners. Manage Sales Person Tree.,Διαχειριστείτε Sales Person Tree . Manage Territory Tree.,Διαχειριστείτε την Επικράτεια Tree . Manage cost of operations,Διαχειριστείτε το κόστος των εργασιών @@ -1597,6 +1684,8 @@ Max 5 characters,Max 5 χαρακτήρες Max Days Leave Allowed,Max Μέρες Αφήστε τα κατοικίδια Max Discount (%),Μέγιστη έκπτωση (%) Max Qty,Μέγιστη Ποσότητα +Max discount allowed for item: {0} is {1}%,Μέγιστη έκπτωση επιτρέπεται για το στοιχείο: {0} {1}% +Maximum Amount,Μέγιστο ποσό Maximum allowed credit is {0} days after posting date,Μέγιστη επιτρεπόμενη πίστωση είναι {0} ημέρες από την ημερομηνία απόσπαση Maximum {0} rows allowed,Μέγιστη {0} σειρές επιτρέπονται Maxiumm discount for Item {0} is {1}%,Έκπτωση Maxiumm για τη θέση {0} {1} % @@ -1617,6 +1706,7 @@ Milestones will be added as Events in the Calendar,Ορόσημα θα προσ Min Order Qty,Ελάχιστη Ποσότητα Min Qty,Ελάχιστη ποσότητα Min Qty can not be greater than Max Qty,Ελάχιστη ποσότητα δεν μπορεί να είναι μεγαλύτερη από το μέγιστο Ποσότητα +Minimum Amount,Ελάχιστο Ποσό Minimum Order Qty,Ελάχιστη Ποσότητα Minute,λεπτό Misc Details,Διάφορα Λεπτομέρειες @@ -1626,7 +1716,6 @@ Mobile No,Mobile Όχι Mobile No.,Mobile Όχι Mode of Payment,Τρόπος Πληρωμής Modern,Σύγχρονος -Modified Amount,Τροποποιημένο ποσό Monday,Δευτέρα Month,Μήνας Monthly,Μηνιαίος @@ -1643,7 +1732,8 @@ Mr,Ο κ. Ms,Κα Multiple Item prices.,Πολλαπλές τιμές Item . "Multiple Price Rule exists with same criteria, please resolve \ - conflict by assigning priority. Price Rules: {0}","Πολλαπλές Τιμή Κανόνας υπάρχει με τα ίδια κριτήρια , παρακαλούμε να επιλύσει \ \ n σύγκρουση με την απόδοση προτεραιότητας ." + conflict by assigning priority. Price Rules: {0}","Πολλαπλές Τιμή Κανόνας υπάρχει με τα ίδια κριτήρια, παρακαλούμε να επιλύσει \ + σύγκρουση με την απόδοση προτεραιότητας. Κανόνες Τιμή: {0}" Music,μουσική Must be Whole Number,Πρέπει να είναι Ακέραιος αριθμός Name,Όνομα @@ -1659,6 +1749,7 @@ Negative Valuation Rate is not allowed,Αρνητική αποτίμηση Βα Negative balance in Batch {0} for Item {1} at Warehouse {2} on {3} {4},Αρνητικό ισοζύγιο στις Παρτίδα {0} για τη θέση {1} στην αποθήκη {2} στις {3} {4} Net Pay,Καθαρών αποδοχών Net Pay (in words) will be visible once you save the Salary Slip.,Καθαρών αποδοχών (ολογράφως) θα είναι ορατή τη στιγμή που θα αποθηκεύσετε το εκκαθαριστικό αποδοχών. +Net Profit / Loss,Καθαρά Κέρδη / Ζημίες Net Total,Καθαρό Σύνολο Net Total (Company Currency),Καθαρό Σύνολο (νόμισμα της Εταιρείας) Net Weight,Καθαρό Βάρος @@ -1699,7 +1790,6 @@ Newsletter,Ενημερωτικό Δελτίο Newsletter Content,Newsletter Περιεχόμενο Newsletter Status,Κατάσταση Ενημερωτικό Δελτίο Newsletter has already been sent,Newsletter έχει ήδη αποσταλεί -Newsletters is not allowed for Trial users,Ενημερωτικά δελτία δεν επιτρέπεται για τους χρήστες Δίκη "Newsletters to contacts, leads.","Ενημερωτικά δελτία για τις επαφές, οδηγεί." Newspaper Publishers,Εκδοτών Εφημερίδων Next,επόμενος @@ -1721,6 +1811,7 @@ No Supplier Accounts found. Supplier Accounts are identified based on 'Master Ty No accounting entries for the following warehouses,Δεν λογιστικές καταχωρήσεις για τις ακόλουθες αποθήκες No addresses created,Δεν δημιουργούνται διευθύνσεις No contacts created,Δεν υπάρχουν επαφές που δημιουργήθηκαν +No default Address Template found. Please create a new one from Setup > Printing and Branding > Address Template.,Δεν Πρότυπο προεπιλεγμένη Διεύθυνση βρέθηκε. Παρακαλούμε να δημιουργήσετε ένα νέο από το πρόγραμμα Εγκατάστασης> Εκτύπωση και Branding> Διεύθυνση Πρότυπο. No default BOM exists for Item {0},Δεν υπάρχει προεπιλεγμένη BOM για τη θέση {0} No description given,Δεν έχει περιγραφή No employee found,Δεν βρέθηκε υπάλληλος @@ -1730,6 +1821,8 @@ No of Sent SMS,Όχι από Sent SMS No of Visits,Δεν Επισκέψεων No permission,Δεν έχετε άδεια No record found,Δεν υπάρχουν καταχωρημένα στοιχεία +No records found in the Invoice table,Δεν βρέθηκαν στον πίνακα Τιμολόγιο εγγραφές +No records found in the Payment table,Δεν βρέθηκαν στον πίνακα πληρωμής εγγραφές No salary slip found for month: ,Δεν βρέθηκαν εκκαθαριστικό σημείωμα αποδοχών για τον μηνα: Non Profit,μη Κερδοσκοπικοί Nos,nos @@ -1739,7 +1832,7 @@ Not Available,Δεν Διατίθεται Not Billed,Δεν Τιμολογημένος Not Delivered,Δεν παραδόθηκαν Not Set,Not Set -Not allowed to update entries older than {0},Δεν επιτρέπεται να ενημερώσετε τις καταχωρήσεις μεγαλύτερα από {0} +Not allowed to update stock transactions older than {0},Δεν επιτρέπεται να ενημερώσετε χρηματιστηριακές συναλλαγές ηλικίας άνω των {0} Not authorized to edit frozen Account {0},Δεν επιτρέπεται να επεξεργαστείτε τα κατεψυγμένα Λογαριασμό {0} Not authroized since {0} exceeds limits,Δεν authroized δεδομένου {0} υπερβεί τα όρια Not permitted,δεν επιτρέπεται @@ -1780,7 +1873,6 @@ Only the selected Leave Approver can submit this Leave Application,Μόνο το Open,Ανοιχτό Open Production Orders,Ανοίξτε Εντολών Παραγωγής Open Tickets,Open εισιτήρια -Open source ERP built for the web,Open source ERP χτίστηκε για το διαδίκτυο Opening (Cr),Άνοιγμα ( Cr ) Opening (Dr),Άνοιγμα ( Dr ) Opening Date,Άνοιγμα Ημερομηνία @@ -1805,7 +1897,7 @@ Opportunity Lost,Ευκαιρία Lost Opportunity Type,Τύπος Ευκαιρία Optional. This setting will be used to filter in various transactions.,Προαιρετικό . Αυτή η ρύθμιση θα πρέπει να χρησιμοποιηθεί για το φιλτράρισμα σε διάφορες συναλλαγές. Order Type,Τύπος Παραγγελία -Order Type must be one of {1},Τύπος παραγγελία πρέπει να είναι ένα από {1} +Order Type must be one of {0},Τύπος παραγγελία πρέπει να είναι ένα από τα {0} Ordered,διέταξε Ordered Items To Be Billed,Διέταξε τα στοιχεία να χρεώνονται Ordered Items To Be Delivered,Διέταξε πρέπει να παραδοθούν @@ -1817,7 +1909,6 @@ Organization Name,Όνομα Οργανισμού Organization Profile,Οργανισμός Προφίλ Organization branch master.,Κύριο κλάδο Οργανισμού . Organization unit (department) master.,Μονάδα Οργάνωσης ( τμήμα ) πλοίαρχος . -Original Amount,Αρχικό Ποσό Other,Άλλος Other Details,Άλλες λεπτομέρειες Others,Άλλα @@ -1834,6 +1925,7 @@ Overlapping conditions found between:,Συρροή συνθήκες που επ Overview,Επισκόπηση Owned,Ανήκουν Owner,ιδιοκτήτης +P L A - Cess Portion,PLA - Cess Μερίδα PL or BS,PL ή BS PO Date,PO Ημερομηνία PO No,PO Όχι @@ -1846,7 +1938,6 @@ POS Setting required to make POS Entry,Ρύθμιση POS που απαιτεί POS Setting {0} already created for user: {1} and company {2},POS Ρύθμιση {0} έχει ήδη δημιουργηθεί για το χρήστη : {1} και η εταιρεία {2} POS View,POS View PR Detail,PR Λεπτομέρειες -PR Posting Date,PR Απόσπαση Ημερομηνία Package Item Details,Λεπτομέρειες αντικειμένου Πακέτο Package Items,Είδη συσκευασίας Package Weight Details,Λεπτομέρειες Βάρος συσκευασίας @@ -1876,8 +1967,6 @@ Parent Sales Person,Μητρική πρόσωπο πωλήσεων Parent Territory,Έδαφος Μητρική Parent Website Page,Μητρική Website σελίδας Parent Website Route,Μητρική Website Route -Parent account can not be a ledger,Μητρική λογαριασμό δεν μπορεί να είναι ένα καθολικό -Parent account does not exist,Μητρική λογαριασμό δεν υπάρχει Parenttype,Parenttype Part-time,Μερικής απασχόλησης Partially Completed,Ημιτελής @@ -1886,6 +1975,8 @@ Partly Delivered,Μερικώς Δημοσιεύθηκε Partner Target Detail,Partner Λεπτομέρεια Target Partner Type,Εταίρος Τύπος Partner's Website,Website εταίρου +Party,Κόμμα +Party Account,Ο λογαριασμός Κόμμα Party Type,Τύπος Πάρτυ Party Type Name,Κόμμα Τύπος Όνομα Passive,Παθητικός @@ -1898,10 +1989,14 @@ Payables Group,Υποχρεώσεις Ομίλου Payment Days,Ημέρες Πληρωμής Payment Due Date,Πληρωμή Due Date Payment Period Based On Invoice Date,Περίοδος πληρωμής με βάση την Ημερομηνία Τιμολογίου +Payment Reconciliation,Συμφιλίωση Πληρωμής +Payment Reconciliation Invoice,Συμφιλίωση πληρωμής Τιμολόγιο +Payment Reconciliation Invoices,Τιμολόγια Συμφιλίωση Πληρωμής +Payment Reconciliation Payment,Συμφιλίωση Πληρωμή Πληρωμή +Payment Reconciliation Payments,Συμφιλίωση Πληρωμής Πληρωμές Payment Type,Τρόπος Πληρωμής +Payment cannot be made for empty cart,Η πληρωμή δεν μπορεί να γίνει για το άδειο καλάθι Payment of salary for the month {0} and year {1},Η πληρωμή της μισθοδοσίας για τον μήνα {0} και έτος {1} -Payment to Invoice Matching Tool,Πληρωμή Τιμολόγιο Matching Tool -Payment to Invoice Matching Tool Detail,Πληρωμή Τιμολόγιο Matching Tool Λεπτομέρειες Payments,Πληρωμές Payments Made,Πληρωμές Made Payments Received,Οι πληρωμές που εισπράττονται @@ -1944,7 +2039,9 @@ Planning,σχεδίαση Plant,Φυτό Plant and Machinery,Εγκαταστάσεις και μηχανήματα Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,"Παρακαλώ εισάγετε Σύντμηση ή Short Name σωστά, όπως θα προστίθεται ως επίθημα σε όλους τους αρχηγούς λογαριασμό." +Please Update SMS Settings,Ενημερώστε Ρυθμίσεις SMS Please add expense voucher details,Παρακαλώ προσθέστε βάρος λεπτομέρειες κουπόνι +Please add to Modes of Payment from Setup.,Παρακαλούμε να προσθέσετε Τρόποι πληρωμής από το πρόγραμμα Εγκατάστασης. Please check 'Is Advance' against Account {0} if this is an advance entry.,Παρακαλώ ελέγξτε « Είναι Advance » κατά λογαριασμός {0} αν αυτό είναι μια εκ των προτέρων την είσοδο . Please click on 'Generate Schedule',"Παρακαλούμε κάντε κλικ στο ""Δημιουργία Χρονοδιάγραμμα»" Please click on 'Generate Schedule' to fetch Serial No added for Item {0},"Παρακαλούμε κάντε κλικ στο ""Δημιουργία Πρόγραμμα » για να φέρω Αύξων αριθμός προστίθεται για τη θέση {0}" @@ -1992,12 +2089,13 @@ Please enter valid Company Email,Παρακαλώ εισάγετε μια έγκ Please enter valid Email Id,Παρακαλώ εισάγετε ένα έγκυρο Email Id Please enter valid Personal Email,Παρακαλώ εισάγετε μια έγκυρη Προσωπικά Email Please enter valid mobile nos,Παρακαλώ εισάγετε μια έγκυρη κινητής nos +Please find attached Sales Invoice #{0},Επισυνάπτεται Τιμολόγιο Πώλησης # {0} Please install dropbox python module,Παρακαλώ εγκαταστήστε dropbox python μονάδα Please mention no of visits required,Παρακαλείσθε να αναφέρετε καμία από τις επισκέψεις που απαιτούνται Please pull items from Delivery Note,Παρακαλώ τραβήξτε αντικείμενα από Δελτίο Αποστολής Please save the Newsletter before sending,Παρακαλώ αποθηκεύστε το ενημερωτικό δελτίο πριν από την αποστολή Please save the document before generating maintenance schedule,Παρακαλώ αποθηκεύστε το έγγραφο πριν από τη δημιουργία προγράμματος συντήρησης -Please select Account first,Επιλέξτε Λογαριασμός πρώτη +Please see attachment,Παρακαλώ δείτε συνημμένο Please select Bank Account,Παρακαλώ επιλέξτε τραπεζικού λογαριασμού Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Παρακαλώ επιλέξτε μεταφέρουν εάν θέλετε επίσης να περιλαμβάνεται η ισορροπία προηγούμενο οικονομικό έτος αφήνει σε αυτό το οικονομικό έτος Please select Category first,Παρακαλώ επιλέξτε την πρώτη κατηγορία @@ -2005,14 +2103,17 @@ Please select Charge Type first,Παρακαλώ επιλέξτε Τύπος φ Please select Fiscal Year,Παρακαλώ επιλέξτε Χρήσεως Please select Group or Ledger value,Επιλέξτε Κατηγορία ή Ledger αξία Please select Incharge Person's name,Παρακαλώ επιλέξτε το όνομα Incharge ατόμου +Please select Invoice Type and Invoice Number in atleast one row,Παρακαλώ επιλέξτε Τιμολόγιο Τύπος και Αριθμός Τιμολογίου σε atleast μία σειρά "Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Sales BOM","Παρακαλώ επιλέξτε σημείο όπου ""Είναι Stock σημείο "" είναι ""Όχι"" και ""Είναι Πωλήσεις σημείο "" είναι ""Ναι"" και δεν υπάρχει άλλος Πωλήσεις BOM" Please select Price List,Παρακαλώ επιλέξτε Τιμοκατάλογος Please select Start Date and End Date for Item {0},Παρακαλώ επιλέξτε Ημερομηνία έναρξης και Ημερομηνία λήξης για τη θέση {0} +Please select Time Logs.,Παρακαλώ επιλέξτε Ώρα Logs. Please select a csv file,Επιλέξτε ένα αρχείο CSV Please select a valid csv file with data,Παρακαλώ επιλέξτε ένα έγκυρο αρχείο csv με τα δεδομένα Please select a value for {0} quotation_to {1},Παρακαλώ επιλέξτε μια τιμή για {0} quotation_to {1} "Please select an ""Image"" first","Παρακαλώ επιλέξτε ένα "" Image "" πρώτη" Please select charge type first,Παρακαλούμε επιλέξτε τον τύπο φορτίου πρώτη +Please select company first,Επιλέξτε την εταιρεία πρώτη Please select company first.,Παρακαλώ επιλέξτε την πρώτη εταιρεία . Please select item code,Παρακαλώ επιλέξτε κωδικό του στοιχείου Please select month and year,Παρακαλώ επιλέξτε μήνα και έτος @@ -2021,6 +2122,7 @@ Please select the document type first,Παρακαλώ επιλέξτε τον Please select weekly off day,Παρακαλώ επιλέξτε εβδομαδιαίο ρεπό Please select {0},Παρακαλώ επιλέξτε {0} Please select {0} first,Παρακαλώ επιλέξτε {0} Πρώτα +Please select {0} first.,Παρακαλώ επιλέξτε {0} για πρώτη φορά. Please set Dropbox access keys in your site config,Παρακαλούμε να ορίσετε τα πλήκτρα πρόσβασης Dropbox στο config site σας Please set Google Drive access keys in {0},Παρακαλούμε να ορίσετε τα πλήκτρα πρόσβασης Google Drive στο {0} Please set default Cash or Bank account in Mode of Payment {0},Παρακαλούμε ορίσετε την προεπιλεγμένη μετρητά ή τραπεζικού λογαριασμού σε λειτουργία Πληρωμής {0} @@ -2047,6 +2149,7 @@ Postal,Ταχυδρομικός Postal Expenses,Ταχυδρομική Έξοδα Posting Date,Απόσπαση Ημερομηνία Posting Time,Απόσπαση Ώρα +Posting date and posting time is mandatory,Απόσπαση ημερομηνία και την απόσπαση του χρόνου είναι υποχρεωτική Posting timestamp must be after {0},Απόσπαση timestamp πρέπει να είναι μετά την {0} Potential opportunities for selling.,Πιθανές ευκαιρίες για την πώληση. Preferred Billing Address,Προτεινόμενα Διεύθυνση Χρέωσης @@ -2073,8 +2176,10 @@ Price List not selected,Τιμοκατάλογος δεν έχει επιλεγ Price List {0} is disabled,Τιμοκατάλογος {0} είναι απενεργοποιημένη Price or Discount,Τιμή ή Έκπτωση Pricing Rule,τιμολόγηση Κανόνας -Pricing Rule For Discount,Τιμολόγηση κανόνας για έκπτωση -Pricing Rule For Price,Τιμολόγηση κανόνας για Τιμή +Pricing Rule Help,Τιμολόγηση Κανόνας Βοήθεια +"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Τιμολόγηση Κανόνας πρώτος επιλέγεται με βάση την «Εφαρμογή Στο« πεδίο, το οποίο μπορεί να είναι σημείο, σημείο Ομίλου ή Brand." +"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Τιμολόγηση κανόνας γίνεται να αντικαταστήσετε Τιμοκατάλογος / καθορίζουν έκπτωση ποσοστού, με βάση ορισμένα κριτήρια." +Pricing Rules are further filtered based on quantity.,Οι κανόνες τιμολόγησης φιλτράρεται περαιτέρω με βάση την ποσότητα. Print Format Style,Εκτύπωση Style Format Print Heading,Εκτύπωση Τομέας Print Without Amount,Εκτυπώστε χωρίς Ποσό @@ -2102,7 +2207,9 @@ Production Plan Sales Orders,Πωλήσεις Σχέδιο Παραγωγής Π Production Planning Tool,Παραγωγή εργαλείο σχεδιασμού Products,προϊόντα "Products will be sorted by weight-age in default searches. More the weight-age, higher the product will appear in the list.","Τα προϊόντα θα πρέπει να ταξινομούνται κατά βάρος-ηλικία στις αναζητήσεις προεπιλογή. Περισσότερο το βάρος-ηλικία, υψηλότερο το προϊόν θα εμφανίζονται στη λίστα." +Professional Tax,Επαγγελματική Φόρος Profit and Loss,Κέρδη και ζημιές +Profit and Loss Statement,Κατάσταση Αποτελεσμάτων Project,Σχέδιο Project Costing,Έργο Κοστολόγηση Project Details,Λεπτομέρειες Έργου @@ -2125,7 +2232,9 @@ Projects & System,Έργα & Σύστημα Prompt for Email on Submission of,Ερώτηση για το e-mail για Υποβολή Proposal Writing,Γράφοντας Πρόταση Provide email id registered in company,Παροχή ταυτότητα ηλεκτρονικού ταχυδρομείου εγγραφεί στην εταιρεία +Provisional Profit / Loss (Credit),Προσωρινή Κέρδη / Ζημιές (Credit) Public,Δημόσιο +Published on website at: {0},Δημοσιεύονται στο δικτυακό τόπο στη διεύθυνση: {0} Publishing,Εκδόσεις Pull sales orders (pending to deliver) based on the above criteria,Τραβήξτε παραγγελίες πωλήσεων (εκκρεμεί να παραδώσει) με βάση τα ανωτέρω κριτήρια Purchase,Αγορά @@ -2134,7 +2243,6 @@ Purchase Analytics,Analytics Αγορά Purchase Common,Αγορά Κοινή Purchase Details,Λεπτομέρειες Αγορά Purchase Discounts,Εκπτώσεις Αγορά -Purchase In Transit,Αγορά In Transit Purchase Invoice,Τιμολόγιο αγοράς Purchase Invoice Advance,Τιμολόγιο αγοράς Advance Purchase Invoice Advances,Τιμολόγιο αγοράς Προκαταβολές @@ -2142,7 +2250,6 @@ Purchase Invoice Item,Τιμολόγιο αγοράς Θέση Purchase Invoice Trends,Τιμολόγιο αγοράς Τάσεις Purchase Invoice {0} is already submitted,Τιμολογίου αγοράς {0} έχει ήδη υποβληθεί Purchase Order,Εντολή Αγοράς -Purchase Order Date,Αγορά Ημερομηνία παραγγελίας Purchase Order Item,Αγορά Θέση Παραγγελία Purchase Order Item No,Αγορά Στοιχείο Αύξων αριθμός Purchase Order Item Supplied,Θέση Αγορά Παραγγελία Εξοπλισμένο @@ -2206,7 +2313,6 @@ Quarter,Τέταρτο Quarterly,Τριμηνιαίος Quick Help,Γρήγορη Βοήθεια Quotation,Προσφορά -Quotation Date,Ημερομηνία Προσφοράς Quotation Item,Θέση Προσφοράς Quotation Items,Στοιχεία Προσφοράς Quotation Lost Reason,Εισαγωγικά Lost Λόγος @@ -2284,6 +2390,7 @@ Recurring Invoice,Επαναλαμβανόμενο Τιμολόγιο Recurring Type,Επαναλαμβανόμενο Τύπος Reduce Deduction for Leave Without Pay (LWP),Μείωση Μείωση για άδεια χωρίς αποδοχές (LWP) Reduce Earning for Leave Without Pay (LWP),Μείωση κερδών για άδεια χωρίς αποδοχές (LWP) +Ref,Ref Ref Code,Κωδ Ref SQ,Ref SQ Reference,Αναφορά @@ -2307,6 +2414,7 @@ Relieving Date,Ανακούφιση Ημερομηνία Relieving Date must be greater than Date of Joining,"Ανακούφιση Ημερομηνία πρέπει να είναι μεγαλύτερη από ό, τι Ημερομηνία Ενώνουμε" Remark,Παρατήρηση Remarks,Παρατηρήσεις +Remarks Custom,Παρατηρήσεις Προσαρμοσμένη Rename,μετονομάζω Rename Log,Μετονομασία Σύνδεση Rename Tool,Μετονομασία Tool @@ -2322,6 +2430,7 @@ Report Type,Αναφορά Ειδών Report Type is mandatory,Τύπος έκθεσης είναι υποχρεωτική Reports to,Εκθέσεις προς Reqd By Date,Reqd Με ημερομηνία +Reqd by Date,Reqd κατά Ημερομηνία Request Type,Τύπος Αίτηση Request for Information,Αίτηση για πληροφορίες Request for purchase.,Αίτηση για την αγορά. @@ -2375,21 +2484,34 @@ Rounded Total,Στρογγυλεμένες Σύνολο Rounded Total (Company Currency),Στρογγυλεμένες Σύνολο (νόμισμα της Εταιρείας) Row # ,Row # Row # {0}: , +Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,Σειρά # {0}: Διέταξε ποσότητα δεν μπορεί να μικρότερη από την ελάχιστη ποσότητα σειρά στοιχείου (όπως ορίζεται στο σημείο master). +Row #{0}: Please specify Serial No for Item {1},Σειρά # {0}: Παρακαλείστε να προσδιορίσετε Αύξων αριθμός για τη θέση {1} "Row {0}: Account does not match with \ - Purchase Invoice Credit To account",Σειρά {0} : Ο λογαριασμός δεν ταιριάζει με \ \ n τιμολογίου αγοράς πίστωση του λογαριασμού + Purchase Invoice Credit To account","Σειρά {0}: Ο λογαριασμός δεν ταιριάζει με \ + τιμολογίου αγοράς πίστωση του λογαριασμού" "Row {0}: Account does not match with \ - Sales Invoice Debit To account",Σειρά {0} : Ο λογαριασμός δεν ταιριάζει με \ \ n Τιμολόγιο Πώλησης χρέωση του λογαριασμού + Sales Invoice Debit To account","Σειρά {0}: Ο λογαριασμός δεν ταιριάζει με \ + Τιμολόγιο Πώλησης χρέωση του λογαριασμού" +Row {0}: Conversion Factor is mandatory,Σειρά {0}: συντελεστής μετατροπής είναι υποχρεωτική Row {0}: Credit entry can not be linked with a Purchase Invoice,Σειρά {0} : Credit εισόδου δεν μπορεί να συνδεθεί με ένα τιμολογίου αγοράς Row {0}: Debit entry can not be linked with a Sales Invoice,Σειρά {0} : Χρεωστική εισόδου δεν μπορεί να συνδεθεί με ένα Τιμολόγιο Πώλησης +Row {0}: Payment amount must be less than or equals to invoice outstanding amount. Please refer Note below.,Σειρά {0}: Ποσό πληρωμής πρέπει να είναι μικρότερη ή ίση με τιμολόγιο οφειλόμενο ποσό. Παρακαλούμε ανατρέξτε Σημείωση παρακάτω. +Row {0}: Qty is mandatory,Σειρά {0}: Ποσότητα είναι υποχρεωτική +"Row {0}: Qty not avalable in warehouse {1} on {2} {3}. + Available Qty: {4}, Transfer Qty: {5}","Σειρά {0}: Ποσότητα δεν avalable στην αποθήκη {1} στο {2} {3}. + Διαθέσιμο Ποσότητα: {4}, Μεταφορά Ποσότητα: {5}" "Row {0}: To set {1} periodicity, difference between from and to date \ - must be greater than or equal to {2}","Σειρά {0} : Για να ρυθμίσετε {1} περιοδικότητα , η διαφορά μεταξύ της από και προς την ημερομηνία \ \ n πρέπει να είναι μεγαλύτερη ή ίση με {2}" + must be greater than or equal to {2}","Σειρά {0}: Για να ρυθμίσετε {1} περιοδικότητα, η διαφορά μεταξύ της από και προς την ημερομηνία \ + πρέπει να είναι μεγαλύτερη ή ίση με {2}" Row {0}:Start Date must be before End Date,Σειρά {0} : Ημερομηνία Έναρξης πρέπει να είναι πριν από την Ημερομηνία Λήξης Rules for adding shipping costs.,Κανόνες για την προσθήκη έξοδα αποστολής . Rules for applying pricing and discount.,Κανόνες για την εφαρμογή τιμών και εκπτώσεων . Rules to calculate shipping amount for a sale,Κανόνες για τον υπολογισμό του ποσού αποστολής για την πώληση S.O. No.,S.O. Όχι. +SHE Cess on Excise,SHE διεργασίας για τους ειδικούς φόρους κατανάλωσης +SHE Cess on Service Tax,SHE CeSS για Φορολογική Υπηρεσία +SHE Cess on TDS,SHE διεργασίας για TDS SMS Center,SMS Κέντρο -SMS Control,SMS Ελέγχου SMS Gateway URL,SMS URL Πύλη SMS Log,SMS Log SMS Parameter,SMS Παράμετρος @@ -2494,15 +2616,20 @@ Securities and Deposits,Κινητών Αξιών και καταθέσεις "Select ""Yes"" if this item represents some work like training, designing, consulting etc.","Επιλέξτε "Ναι", εάν το στοιχείο αυτό αντιπροσωπεύει κάποια εργασία όπως η κατάρτιση, το σχεδιασμό, διαβούλευση κλπ." "Select ""Yes"" if you are maintaining stock of this item in your Inventory.",Επιλέξτε "Ναι" αν είναι η διατήρηση αποθεμάτων του προϊόντος αυτού στη απογραφής σας. "Select ""Yes"" if you supply raw materials to your supplier to manufacture this item.",Επιλέξτε "Ναι" αν προμηθεύουν πρώτες ύλες στον προμηθευτή σας για την κατασκευή αυτού του στοιχείου. +Select Brand...,Επιλέξτε Brand ... Select Budget Distribution to unevenly distribute targets across months.,Επιλέξτε κατανομή του προϋπολογισμού για τη διανομή άνισα στόχους σε μήνες. "Select Budget Distribution, if you want to track based on seasonality.","Επιλέξτε κατανομή του προϋπολογισμού, αν θέλετε να παρακολουθείτε με βάση την εποχικότητα." +Select Company...,Επιλέξτε Εταιρία ... Select DocType,Επιλέξτε DocType +Select Fiscal Year...,Επιλέξτε Χρήσεως ... Select Items,Επιλέξτε Προϊόντα +Select Project...,Επιλέξτε το Project ... Select Purchase Receipts,Επιλέξτε Εισπράξεις Αγορά Select Sales Orders,Επιλέξτε Παραγγελίες Select Sales Orders from which you want to create Production Orders.,Επιλέξτε Παραγγελίες από το οποίο θέλετε να δημιουργήσετε Εντολές Παραγωγής. Select Time Logs and Submit to create a new Sales Invoice.,Επιλέξτε χρόνος Καταγράφει και Υποβολή για να δημιουργήσετε ένα νέο τιμολόγιο πωλήσεων. Select Transaction,Επιλέξτε Συναλλαγών +Select Warehouse...,Επιλέξτε αποθήκη ... Select Your Language,Επιλέξτε τη γλώσσα σας Select account head of the bank where cheque was deposited.,"Επιλέξτε επικεφαλής λογαριασμό της τράπεζας, όπου επιταγή κατατέθηκε." Select company name first.,Επιλέξτε το όνομα της εταιρείας πρώτα. @@ -2520,6 +2647,7 @@ Select your home country and check the timezone and currency.,Επιλέξτε "Selecting ""Yes"" will give a unique identity to each entity of this item which can be viewed in the Serial No master.",Επιλέγοντας «Ναι» θα δώσει μια μοναδική ταυτότητα σε κάθε οντότητα αυτού του αντικειμένου που μπορεί να δει στο Αύξων αριθμός master. Selling,Πώληση Selling Settings,Η πώληση Ρυθμίσεις +"Selling must be checked, if Applicable For is selected as {0}",Η πώληση πρέπει να ελεγχθεί αν υπάρχει Για επιλέγεται ως {0} Send,Αποστολή Send Autoreply,Αποστολή Autoreply Send Email,Αποστολή Email @@ -2556,7 +2684,8 @@ Serial Nos Required for Serialized Item {0},Serial Απαιτείται αριθ Serial Number Series,Serial Number Series Serial number {0} entered more than once,Αύξων αριθμός {0} τέθηκε περισσότερο από μία φορά "Serialized Item {0} cannot be updated \ - using Stock Reconciliation",Serialized σημείο {0} δεν μπορεί να ενημερωθεί \ \ n χρησιμοποιώντας Χρηματιστήριο Συμφιλίωση + using Stock Reconciliation","Serialized σημείο {0} δεν μπορεί να ενημερωθεί \ + χρησιμοποιώντας Χρηματιστήριο Συμφιλίωση" Series,σειρά Series List for this Transaction,Λίστα Series για αυτή τη συναλλαγή Series Updated,σειρά ενημέρωση @@ -2565,15 +2694,18 @@ Series is mandatory,Series είναι υποχρεωτική Series {0} already used in {1},Σειρά {0} έχει ήδη χρησιμοποιηθεί σε {1} Service,υπηρεσία Service Address,Service Διεύθυνση +Service Tax,Φορολογική Υπηρεσία Services,Υπηρεσίες Set,σετ "Set Default Values like Company, Currency, Current Fiscal Year, etc.","Set Default Αξίες όπως η Εταιρεία , Συναλλάγματος , τρέχουσα χρήση , κλπ." Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,Ορισμός Θέση Ομάδα-σοφός προϋπολογισμούς σε αυτό το έδαφος. Μπορείτε επίσης να συμπεριλάβετε εποχικότητα με τη ρύθμιση της διανομής. +Set Status as Available,Ορισμός κατάστασης όπως Διαθέσιμο Set as Default,Ορισμός ως Προεπιλογή Set as Lost,Ορισμός ως Lost Set prefix for numbering series on your transactions,Ορίστε πρόθεμα για σειρά αρίθμησης για τις συναλλαγές σας Set targets Item Group-wise for this Sales Person.,Τον καθορισμό στόχων Θέση Ομάδα-σοφός για αυτό το πρόσωπο πωλήσεων. Setting Account Type helps in selecting this Account in transactions.,Ρύθμιση Τύπος λογαριασμού βοηθά στην επιλογή αυτόν το λογαριασμό στις συναλλαγές. +Setting this Address Template as default as there is no other default,"Η ρύθμιση αυτής της Διεύθυνση Πρότυπο ως προεπιλογή, καθώς δεν υπάρχει άλλη αθέτηση" Setting up...,Ρύθμιση ... Settings,Ρυθμίσεις Settings for HR Module,Ρυθμίσεις για HR Ενότητα @@ -2581,6 +2713,7 @@ Settings for HR Module,Ρυθμίσεις για HR Ενότητα Setup,Εγκατάσταση Setup Already Complete!!,Ρύθμιση Ήδη Complete ! Setup Complete,Η εγκατάσταση ολοκληρώθηκε +Setup SMS gateway settings,Τις ρυθμίσεις του SMS gateway Setup Series,Σειρά εγκατάστασης Setup Wizard,Οδηγός εγκατάστασης Setup incoming server for jobs email id. (e.g. jobs@example.com),Ρύθμιση διακομιστή εισερχομένων για τις θέσεις εργασίας ταυτότητα ηλεκτρονικού ταχυδρομείου . ( π.χ. jobs@example.com ) @@ -2606,6 +2739,7 @@ Short biography for website and other publications.,Σύντομη βιογρα Show In Website,Εμφάνιση Στην Ιστοσελίδα Show a slideshow at the top of the page,Δείτε ένα slideshow στην κορυφή της σελίδας Show in Website,Εμφάνιση στο Website +Show rows with zero values,Εμφάνιση σειρές με μηδενικές τιμές Show this slideshow at the top of the page,Εμφάνιση αυτής της παρουσίασης στην κορυφή της σελίδας Sick Leave,αναρρωτική άδεια Signature,Υπογραφή @@ -2635,9 +2769,9 @@ Specifications,προδιαγραφές "Specify the operations, operating cost and give a unique Operation no to your operations.","Καθορίστε το πράξεις , το κόστος λειτουργίας και να δώσει μια μοναδική λειτουργία δεν τις εργασίες σας ." Split Delivery Note into packages.,Split Σημείωση Παράδοση σε πακέτα. Sports,αθλητισμός +Sr,Sr Standard,Πρότυπο Standard Buying,Πρότυπη Αγορά -Standard Rate,Κανονικός συντελεστής Standard Reports,πρότυπο Εκθέσεις Standard Selling,πρότυπο Selling Standard contract terms for Sales or Purchase.,Τυποποιημένων συμβατικών όρων για τις πωλήσεις ή Αγορά . @@ -2646,6 +2780,7 @@ Start Date,Ημερομηνία έναρξης Start date of current invoice's period,Ημερομηνία έναρξης της περιόδου τρέχουσας τιμολογίου Start date should be less than end date for Item {0},Η ημερομηνία έναρξης θα πρέπει να είναι μικρότερη από την ημερομηνία λήξης για τη θέση {0} State,Κατάσταση +Statement of Account,Κατάσταση Λογαριασμού Static Parameters,Στατικές παραμέτρους Status,Κατάσταση Status must be one of {0},Κατάστασης πρέπει να είναι ένα από τα {0} @@ -2687,6 +2822,7 @@ Stock Value Difference,Χρηματιστήριο Διαφορά Αξία Stock balances updated,Υπόλοιπα Χρηματιστήριο ενημέρωση Stock cannot be updated against Delivery Note {0},Χρηματιστήριο δεν μπορεί να ανανεωθεί κατά παράδοση Σημείωση {0} Stock entries exist against warehouse {0} cannot re-assign or modify 'Master Name',Υπάρχουν καταχωρήσεις Χρηματιστήριο κατά αποθήκη {0} δεν μπορεί εκ νέου να εκχωρήσει ή να τροποποιήσετε «Master Name ' +Stock transactions before {0} are frozen,Οι χρηματιστηριακές συναλλαγές πριν από {0} κατεψυγμένα Stop,Stop Stop Birthday Reminders,Διακοπή Υπενθυμίσεις γενεθλίων Stop Material Request,Διακοπή Υλικό Αίτηση @@ -2706,13 +2842,13 @@ Submit this Production Order for further processing.,Υποβολή αυτό Π Submitted,Υποβλήθηκε Subsidiary,Θυγατρική Successful: ,Επιτυχείς: -Successfully allocated,επιτυχία η διάθεση +Successfully Reconciled,Επιτυχής Συμφιλιώνεται Suggestions,Προτάσεις Sunday,Κυριακή Supplier,Προμηθευτής Supplier (Payable) Account,Προμηθευτής (Υποχρεώσεις) λογαριασμός Supplier (vendor) name as entered in supplier master,Προμηθευτή (vendor) το όνομα που έχει καταχωρηθεί στο κύριο προμηθευτή -Supplier Account,Ο λογαριασμός προμηθευτή +Supplier > Supplier Type,Προμηθευτής> Προμηθευτής Τύπος Supplier Account Head,Προμηθευτής Head λογαριασμού Supplier Address,Διεύθυνση Προμηθευτή Supplier Addresses and Contacts,Διευθύνσεις προμηθευτή και Επαφές @@ -2750,6 +2886,12 @@ Sync with Google Drive,Συγχρονισμός με το Google Drive System,Σύστημα System Settings,Ρυθμίσεις συστήματος "System User (login) ID. If set, it will become default for all HR forms.","Σύστημα χρήστη (login) ID. Αν οριστεί, θα γίνει προεπιλογή για όλες τις μορφές HR." +TDS (Advertisement),TDS (Διαφήμιση) +TDS (Commission),TDS (Επιτροπή) +TDS (Contractor),TDS (Ανάδοχος) +TDS (Interest),TDS (τόκοι) +TDS (Rent),TDS (Ενοικίαση) +TDS (Salary),TDS (Salary) Target Amount,Ποσό-στόχος Target Detail,Λεπτομέρειες Target Target Details,Λεπτομέρειες Target @@ -2770,10 +2912,12 @@ Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are no Tax Rate,Φορολογικός Συντελεστής Tax and other salary deductions.,Φορολογικές και άλλες μειώσεις μισθών. "Tax detail table fetched from item master as a string and stored in this field. -Used for Taxes and Charges","Φορολογική λεπτομέρεια τραπέζι τραβηγμένο από τη θέση πλοιάρχου, όπως μια σειρά και αποθηκεύονται σε αυτόν τον τομέα . \ NUsed για φόρους και τέλη" +Used for Taxes and Charges","Τραπέζι λεπτομέρεια φόρου πωλούνταν από τη θέση πλοιάρχου, όπως μια σειρά και αποθηκεύονται σε αυτόν τον τομέα. + Χρησιμοποιείται για φόρους και τέλη" Tax template for buying transactions.,Φορολογική πρότυπο για την αγορά των συναλλαγών . Tax template for selling transactions.,Φορολογική πρότυπο για την πώληση των συναλλαγών . Taxable,Φορολογητέο +Taxes,Φόροι Taxes and Charges,Φόροι και τέλη Taxes and Charges Added,Οι φόροι και οι επιβαρύνσεις που προστίθενται Taxes and Charges Added (Company Currency),Οι φόροι και οι επιβαρύνσεις που προστίθενται (νόμισμα της Εταιρείας) @@ -2786,6 +2930,7 @@ Technology,τεχνολογία Telecommunications,Τηλεπικοινωνίες Telephone Expenses,Τηλέφωνο Έξοδα Television,τηλεόραση +Template,Πρότυπο Template for performance appraisals.,Πρότυπο για την αξιολόγηση της απόδοσης . Template of terms or contract.,Πρότυπο των όρων ή της σύμβασης. Temporary Accounts (Assets),Προσωρινή Λογαριασμοί (στοιχεία του ενεργητικού ) @@ -2815,7 +2960,8 @@ The First User: You,Η πρώτη Χρήστης : Μπορείτε The Organization,ο Οργανισμός "The account head under Liability, in which Profit/Loss will be booked","Η κεφαλή του λογαριασμού βάσει της αστικής ευθύνης, στην οποία Κέρδη / Ζημίες θα κρατηθεί" "The date on which next invoice will be generated. It is generated on submit. -",Η ημερομηνία κατά την οποία θα δημιουργηθεί το επόμενο τιμολόγιο . +","Η ημερομηνία κατά την οποία θα δημιουργηθεί το επόμενο τιμολόγιο. Παράγεται σε υποβάλει. +" The date on which recurring invoice will be stop,Η ημερομηνία κατά την οποία επαναλαμβανόμενες τιμολόγιο θα σταματήσει "The day of the month on which auto invoice will be generated e.g. 05, 28 etc ","Η ημέρα του μήνα κατά τον οποίο τιμολόγιο αυτοκινήτων θα παραχθούν, π.χ. 05, 28 κλπ" The day(s) on which you are applying for leave are holiday. You need not apply for leave.,Η μέρα ( ες) στην οποία υποβάλλετε αίτηση για άδεια είναι διακοπές . Δεν χρειάζεται να υποβάλουν αίτηση για άδεια . @@ -2827,6 +2973,7 @@ The net weight of this package. (calculated automatically as sum of net weight o The new BOM after replacement,Η νέα BOM μετά την αντικατάστασή The rate at which Bill Currency is converted into company's base currency,Ο ρυθμός με τον οποίο Νόμισμα Bill μετατρέπεται σε νόμισμα βάσης της εταιρείας The unique id for tracking all recurring invoices. It is generated on submit.,Το μοναδικό αναγνωριστικό για την παρακολούθηση όλων των επαναλαμβανόμενες τιμολόγια. Παράγεται σε υποβάλει. +"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Στη συνέχεια, οι κανόνες τιμολόγησης φιλτράρονται με βάση πελατών, των πελατών του Ομίλου, Έδαφος, προμηθευτής, Προμηθευτής Τύπος, Εκστρατεία, Sales Partner κ.λπ." There are more holidays than working days this month.,Υπάρχουν περισσότερες διακοπές από εργάσιμων ημερών αυτό το μήνα . "There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Μπορεί να υπάρχει μόνο μία αποστολή Κανόνας Κατάσταση με 0 ή κενή τιμή για το "" Να Value""" There is not enough leave balance for Leave Type {0},Δεν υπάρχει αρκετό υπόλοιπο άδειας για Αφήστε τύπου {0} @@ -2838,6 +2985,7 @@ This Leave Application is pending approval. Only the Leave Apporver can update s This Time Log Batch has been billed.,Αυτή η παρτίδα Log χρόνος έχει χρεωθεί. This Time Log Batch has been cancelled.,Αυτή η παρτίδα Log χρόνος έχει ακυρωθεί. This Time Log conflicts with {0},Αυτή τη φορά Σύνδεση συγκρούεται με {0} +This format is used if country specific format is not found,Αυτή η μορφή χρησιμοποιείται εάν η ειδική μορφή χώρα δεν έχει βρεθεί This is a root account and cannot be edited.,Αυτό είναι ένας λογαριασμός root και δεν μπορεί να επεξεργαστεί . This is a root customer group and cannot be edited.,Αυτό είναι μια ομάδα πελατών ρίζα και δεν μπορεί να επεξεργαστεί . This is a root item group and cannot be edited.,Πρόκειται για μια ομάδα ειδών ρίζα και δεν μπορεί να επεξεργαστεί . @@ -2853,7 +3001,9 @@ Time Log Batch,Ώρα Batch Σύνδεση Time Log Batch Detail,Ώρα Λεπτομέρεια Batch Σύνδεση Time Log Batch Details,Λεπτομέρειες Batch Χρόνος καταγραφής Time Log Batch {0} must be 'Submitted',Χρόνος καταγραφής Παρτίδα {0} πρέπει να « Υποβλήθηκε » +Time Log Status must be Submitted.,Ώρα Log Status πρέπει να υποβληθεί. Time Log for tasks.,Log Ώρα για εργασίες. +Time Log is not billable,Χρόνος καταγραφής δεν είναι χρεώσιμο Time Log {0} must be 'Submitted',Χρόνος καταγραφής {0} πρέπει να « Υποβλήθηκε » Time Zone,Ζώνη ώρας Time Zones,Ζώνες ώρας @@ -2866,6 +3016,7 @@ To,Να To Currency,Το νόμισμα To Date,Για την Ημερομηνία To Date should be same as From Date for Half Day leave,Για Ημερομηνία πρέπει να είναι ίδια με Από ημερομηνία για την άδεια Half Day +To Date should be within the Fiscal Year. Assuming To Date = {0},Για Ημερομηνία πρέπει να είναι εντός του οικονομικού έτους. Υποθέτοντας να Ημερομηνία = {0} To Discuss,Για να συζητήσουν To Do List,To Do List To Package No.,Για τη συσκευασία Όχι @@ -2875,8 +3026,8 @@ To Value,Για Value To Warehouse,Για Warehouse "To add child nodes, explore tree and click on the node under which you want to add more nodes.","Για να προσθέσετε κόμβους του παιδιού , να διερευνήσει το δέντρο και κάντε κλικ στο κόμβο κάτω από την οποία θέλετε να προσθέσετε περισσότερους κόμβους ." "To assign this issue, use the ""Assign"" button in the sidebar.","Για να εκχωρήσετε αυτό το ζήτημα, χρησιμοποιήστε το "Assign" κουμπί στο sidebar." -To create a Bank Account:,Για να δημιουργήσετε ένα λογαριασμό της Τράπεζας : -To create a Tax Account:,Για να δημιουργήσετε ένα λογαριασμό ΦΠΑ: +To create a Bank Account,Για να δημιουργήσετε ένα Λογαριασμό Τράπεζας +To create a Tax Account,Για να δημιουργήσετε ένα λογαριασμό Φόρος "To create an Account Head under a different company, select the company and save customer.","Για να δημιουργήσετε ένα κεφάλι λογαριασμό με διαφορετική εταιρεία, επιλέξτε την εταιρεία και να σώσει τους πελάτες." To date cannot be before from date,Μέχρι σήμερα δεν μπορεί να είναι πριν από την ημερομηνία To enable Point of Sale features,Για να ενεργοποιήσετε Point of Sale χαρακτηριστικά @@ -2884,22 +3035,23 @@ To enable Point of Sale view,Για να ενεργοποιήσετε τ To get Item Group in details table,Για να πάρετε την ομάδα Θέση σε λεπτομέρειες πίνακα "To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Να περιλαμβάνουν φόρους στη σειρά {0} στην τιμή Θέση , φόροι σε σειρές πρέπει επίσης να συμπεριληφθούν {1}" "To merge, following properties must be same for both items","Για να συγχωνεύσετε , ακόλουθες ιδιότητες πρέπει να είναι ίδιες για τα δύο είδη" -"To report an issue, go to ", +"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Για να μην εφαρμόσει τιμολόγηση κανόνα σε μια συγκεκριμένη συναλλαγή, όλους τους ισχύοντες κανόνες τιμολόγησης θα πρέπει να απενεργοποιηθεί." "To set this Fiscal Year as Default, click on 'Set as Default'","Για να ορίσετε το τρέχον οικονομικό έτος ως προεπιλογή , κάντε κλικ στο "" Ορισμός ως προεπιλογή """ To track any installation or commissioning related work after sales,Για να παρακολουθήσετε οποιαδήποτε εγκατάσταση ή τις σχετικές εργασίες μετά την πώληση "To track brand name in the following documents Delivery Note, Opportunity, Material Request, Item, Purchase Order, Purchase Voucher, Purchaser Receipt, Quotation, Sales Invoice, Sales BOM, Sales Order, Serial No","Για να παρακολουθήσετε το εμπορικό σήμα στον παρακάτω έγγραφα Δελτίο Αποστολής , το Opportunity , Αίτηση Υλικού , σημείο , παραγγελίας , Αγορά Voucher , Αγοραστή Παραλαβή , Προσφορά , Τιμολόγιο Πώλησης , Πωλήσεις BOM , Πωλήσεις Τάξης , Αύξων αριθμός" To track item in sales and purchase documents based on their serial nos. This is can also used to track warranty details of the product.,Για να ακολουθήσετε το στοιχείο στις πωλήσεις και παραστατικά αγοράς με βάση τους αύξοντες αριθμούς. Αυτό μπορεί επίσης να χρησιμοποιηθεί για να παρακολουθείτε τις λεπτομέρειες της εγγύησης του προϊόντος. To track items in sales and purchase documents with batch nos
Preferred Industry: Chemicals etc,Για να παρακολουθείτε τα στοιχεία πωλήσεων και τα παραστατικά αγοράς με nos παρτίδα
Προτεινόμενα Κλάδος: Χημικά κλπ To track items using barcode. You will be able to enter items in Delivery Note and Sales Invoice by scanning barcode of item.,Για να παρακολουθείτε τα στοιχεία με barcode. Θα είναι σε θέση να εισέλθουν αντικείμενα στο Δελτίο Αποστολής και Τιμολόγιο Πώλησης με σάρωση barcode του στοιχείου. +Too many columns. Export the report and print it using a spreadsheet application.,Πάρα πολλές στήλες. Εξαγωγή την έκθεση και να το εκτυπώσετε χρησιμοποιώντας μια εφαρμογή λογιστικών φύλλων. Tools,Εργαλεία Total,Σύνολο +Total ({0}),Σύνολο ({0}) Total Advance,Σύνολο Advance -Total Allocated Amount,Συνολικό ποσό που θα διατεθεί -Total Allocated Amount can not be greater than unmatched amount,"Σύνολο χορηγούμενο ποσό δεν μπορεί να είναι μεγαλύτερη από ό, τι απαράμιλλη ποσό" Total Amount,Συνολικό Ποσό Total Amount To Pay,Συνολικό ποσό για να πληρώσει Total Amount in Words,Συνολικό ποσό ολογράφως Total Billing This Year: ,Σύνολο χρέωσης Αυτό το έτος: +Total Characters,Σύνολο Χαρακτήρες Total Claimed Amount,Συνολικό αιτούμενο ποσό αποζημίωσης Total Commission,Σύνολο Επιτροπής Total Cost,Συνολικό Κόστος @@ -2923,14 +3075,13 @@ Total Score (Out of 5),Συνολική βαθμολογία (5) Total Tax (Company Currency),Σύνολο Φόρου (νόμισμα της Εταιρείας) Total Taxes and Charges,Σύνολο φόρους και τέλη Total Taxes and Charges (Company Currency),Σύνολο φόρους και τέλη (νόμισμα της Εταιρείας) -Total Words,Σύνολο λόγια -Total Working Days In The Month,Σύνολο εργάσιμες ημέρες του μήνα Total allocated percentage for sales team should be 100,Σύνολο των κατανεμημένων ποσοστό για την ομάδα πωλήσεων πρέπει να είναι 100 Total amount of invoices received from suppliers during the digest period,Συνολικό ποσό των τιμολογίων που λαμβάνονται από τους προμηθευτές κατά την περίοδο της πέψης Total amount of invoices sent to the customer during the digest period,Συνολικό ποσό των τιμολογίων που αποστέλλονται στον πελάτη κατά τη διάρκεια της πέψης Total cannot be zero,Συνολικά δεν μπορεί να είναι μηδέν Total in words,Συνολικά στα λόγια Total points for all goals should be 100. It is {0},Σύνολο σημείων για όλους τους στόχους θα πρέπει να είναι 100 . Είναι {0} +Total valuation for manufactured or repacked item(s) can not be less than total valuation of raw materials,"Συνολική αποτίμηση και για τα μεταποιημένα ή ανασυσκευασία, στοιχείο (α) δεν μπορεί να είναι μικρότερη από τη συνολική αποτίμηση των πρώτων υλών" Total weightage assigned should be 100%. It is {0},Σύνολο weightage ανατεθεί πρέπει να είναι 100 % . Είναι {0} Totals,Σύνολα Track Leads by Industry Type.,Track οδηγεί από τη βιομηχανία Τύπος . @@ -2966,7 +3117,7 @@ UOM Conversion Details,UOM Λεπτομέρειες μετατροπής UOM Conversion Factor,UOM Συντελεστής μετατροπής UOM Conversion factor is required in row {0},Συντελεστής μετατροπής UOM απαιτείται στη σειρά {0} UOM Name,UOM Name -UOM coversion factor required for UOM {0} in Item {1},UOM παράγοντας coversion απαιτούνται για UOM {0} στη θέση {1} +UOM coversion factor required for UOM: {0} in Item: {1},UOM παράγοντας coversion απαιτούνται για UOM: {0} στη θέση: {1} Under AMC,Σύμφωνα AMC Under Graduate,Σύμφωνα με Μεταπτυχιακό Under Warranty,Στα πλαίσια της εγγύησης @@ -2976,8 +3127,8 @@ Unit of Measure {0} has been entered more than once in Conversion Factor Table, "Unit of measurement of this item (e.g. Kg, Unit, No, Pair).","Μονάδα μέτρησης του σημείου αυτού (π.χ. Kg, Μονάδα, Όχι, Pair)." Units/Hour,Μονάδες / ώρα Units/Shifts,Μονάδες / Βάρδιες -Unmatched Amount,Απαράμιλλη Ποσό Unpaid,Απλήρωτα +Unreconciled Payment Details,Unreconciled Λεπτομέρειες πληρωμής Unscheduled,Έκτακτες Unsecured Loans,ακάλυπά δάνεια Unstop,ξεβουλώνω @@ -2992,7 +3143,6 @@ Update Landed Cost,Ενημέρωση Landed Κόστος Update Series,Ενημέρωση Series Update Series Number,Ενημέρωση Αριθμός Σειράς Update Stock,Ενημέρωση Χρηματιστήριο -"Update allocated amount in the above table and then click ""Allocate"" button",Ενημέρωση ποσό που διατίθεται στον παραπάνω πίνακα και στη συνέχεια κάντε κλικ στο κουμπί "Εκχώρηση" κουμπί Update bank payment dates with journals.,Ενημέρωση τράπεζα ημερομηνίες πληρωμής με περιοδικά. Update clearance date of Journal Entries marked as 'Bank Vouchers',Ενημέρωση ημερομηνία εκκαθάρισης της Εφημερίδας των εγγραφών που χαρακτηρίζονται ως « Τράπεζα Κουπόνια » Updated,Ενημέρωση @@ -3009,6 +3159,7 @@ Upper Income,Άνω Εισοδήματος Urgent,Επείγων Use Multi-Level BOM,Χρησιμοποιήστε το Multi-Level BOM Use SSL,Χρήση SSL +Used for Production Plan,Χρησιμοποιείται για το σχέδιο παραγωγής User,Χρήστης User ID,Όνομα Χρήστη User ID not set for Employee {0},ID χρήστη δεν έχει οριστεί υπάλληλου {0} @@ -3047,9 +3198,9 @@ View Now,δείτε τώρα Visit report for maintenance call.,Επισκεφθείτε την έκθεση για την έκτακτη συντήρηση. Voucher #,Voucher # Voucher Detail No,Λεπτομέρεια φύλλου αριθ. +Voucher Detail Number,Voucher Λεπτομέρεια Αριθμός Voucher ID,ID Voucher Voucher No,Δεν Voucher -Voucher No is not valid,Δεν Voucher δεν είναι έγκυρη Voucher Type,Τύπος Voucher Voucher Type and Date,Τύπος Voucher και Ημερομηνία Walk In,Περπατήστε στην @@ -3065,11 +3216,12 @@ Warehouse is mandatory for stock Item {0} in row {1},Αποθήκη είναι Warehouse is missing in Purchase Order,Αποθήκη λείπει σε Purchase Order Warehouse not found in the system,Αποθήκης δεν βρέθηκε στο σύστημα Warehouse required for stock Item {0},Αποθήκη απαιτούνται για απόθεμα Θέση {0} -Warehouse required in POS Setting,Αποθήκη απαιτείται POS Περιβάλλον Warehouse where you are maintaining stock of rejected items,Αποθήκη όπου θα είναι η διατήρηση αποθέματος απορριφθέντα στοιχεία Warehouse {0} can not be deleted as quantity exists for Item {1},"Αποθήκη {0} δεν μπορεί να διαγραφεί , όπως υπάρχει ποσότητα για τη θέση {1}" Warehouse {0} does not belong to company {1},Αποθήκη {0} δεν ανήκει στην εταιρεία {1} Warehouse {0} does not exist,Αποθήκη {0} δεν υπάρχει +Warehouse {0}: Company is mandatory,Αποθήκη {0}: Εταιρεία είναι υποχρεωτική +Warehouse {0}: Parent account {1} does not bolong to the company {2},Αποθήκη {0}: Μητρική λογαριασμό {1} δεν BOLONG στην εταιρεία {2} Warehouse-Wise Stock Balance,Αποθήκη-Wise Balance Χρηματιστήριο Warehouse-wise Item Reorder,Αποθήκη-σοφός Θέση Αναδιάταξη Warehouses,Αποθήκες @@ -3114,13 +3266,14 @@ Will be updated when batched.,Θα πρέπει να ενημερώνεται ό Will be updated when billed.,Θα πρέπει να ενημερώνεται όταν χρεώνονται. Wire Transfer,Wire Transfer With Operations,Με Λειτουργίες -With period closing entry,Με την είσοδο κλεισίματος περιόδου +With Period Closing Entry,Με την έναρξη Περίοδος Κλείσιμο Work Details,Λεπτομέρειες Εργασίας Work Done,Η εργασία που γίνεται Work In Progress,Εργασία In Progress Work-in-Progress Warehouse,Work-in-Progress αποθήκη Work-in-Progress Warehouse is required before Submit,Εργασία -in -Progress αποθήκη απαιτείται πριν Υποβολή Working,Εργασία +Working Days,Εργάσιμες ημέρες Workstation,Workstation Workstation Name,Όνομα σταθμού εργασίας Write Off Account,Γράψτε Off λογαριασμού @@ -3136,9 +3289,6 @@ Year Closed,Έτους που έκλεισε Year End Date,Ημερομηνία Λήξης Έτος Year Name,Όνομα Έτος Year Start Date,Έτος Ημερομηνία Έναρξης -Year Start Date and Year End Date are already set in Fiscal Year {0},Έτος Ημερομηνία έναρξης και Ημερομηνία λήξης έτους έχουν ήδη τεθεί σε Χρήσεως {0} -Year Start Date and Year End Date are not within Fiscal Year.,Έτος Ημερομηνία έναρξης και Ημερομηνία λήξης έτους δεν εμπίπτουν Χρήσεως . -Year Start Date should not be greater than Year End Date,Έτος Ημερομηνία Έναρξης δεν πρέπει να είναι μεγαλύτερη από το τέλος του έτους Ημερομηνία Year of Passing,Έτος Περνώντας Yearly,Ετήσια Yes,Ναί @@ -3148,7 +3298,6 @@ You are the Expense Approver for this record. Please Update the 'Status' and Sav You are the Leave Approver for this record. Please Update the 'Status' and Save,Είστε ο Αφήστε εγκριτή για αυτή την εγγραφή. Ενημερώστε το « Status » και Αποθήκευση You can enter any date manually,Μπορείτε να εισάγετε οποιαδήποτε ημερομηνία με το χέρι You can enter the minimum quantity of this item to be ordered.,Μπορείτε να εισάγετε την ελάχιστη ποσότητα αυτού του στοιχείου που πρέπει να καταδικαστεί. -You can not assign itself as parent account,Μπορείτε δεν μπορεί να εκχωρήσει ως μητρική λογαριασμού You can not change rate if BOM mentioned agianst any item,"Δεν μπορείτε να αλλάξετε ρυθμό , αν BOM αναφέρεται agianst οποιοδήποτε στοιχείο" You can not enter both Delivery Note No and Sales Invoice No. Please enter any one.,Δεν μπορείτε να εισάγετε δύο Παράδοση Σημείωση Όχι και Τιμολόγιο Πώλησης Νο Παρακαλώ εισάγετε κάθε μία . You can not enter current voucher in 'Against Journal Voucher' column,Δεν μπορείτε να εισάγετε την τρέχουσα κουπόνι σε « Ενάντια Εφημερίδα Voucher της στήλης @@ -3160,7 +3309,6 @@ You cannot credit and debit same account at the same time,Δεν μπορείτ You have entered duplicate items. Please rectify and try again.,Έχετε εισάγει διπλότυπα στοιχεία . Παρακαλούμε διορθώσει και δοκιμάστε ξανά . You may need to update: {0},Μπορεί να χρειαστεί να ενημερώσετε : {0} You must Save the form before proceeding,Πρέπει Αποθηκεύστε τη φόρμα πριν προχωρήσετε -You must allocate amount before reconcile,Θα πρέπει να διαθέσει ποσό πριν συμφιλιώσει Your Customer's TAX registration numbers (if applicable) or any general information,ΦΟΡΟΣ πελάτη σας αριθμούς κυκλοφορίας (κατά περίπτωση) ή γενικές πληροφορίες Your Customers,Οι πελάτες σας Your Login Id,Είσοδος Id σας @@ -3173,11 +3321,13 @@ Your sales person who will contact the customer in future,Πωλήσεις πρ Your sales person will get a reminder on this date to contact the customer,Πωλήσεις πρόσωπο σας θα πάρει μια υπενθύμιση για την ημερομηνία αυτή για να επικοινωνήσει με τον πελάτη Your setup is complete. Refreshing...,Setup σας είναι πλήρης. Αναζωογονητικό ... Your support email id - must be a valid email - this is where your emails will come!,Υποστήριξη id email σας - πρέπει να είναι μια έγκυρη διεύθυνση ηλεκτρονικού ταχυδρομείου - αυτό είναι όπου τα email σας θα έρθει! +[Error],[Error] [Select],[ Επιλέξτε ] `Freeze Stocks Older Than` should be smaller than %d days.,` Τα αποθέματα Πάγωμα Παλαιότερο από ` θα πρέπει να είναι μικρότερη από % d ημέρες . and,και are not allowed.,δεν επιτρέπονται . assigned by,ανατεθεί από +cannot be greater than 100,δεν μπορεί να είναι μεγαλύτερη από 100 "e.g. ""Build tools for builders""","π.χ. «Χτίστε εργαλεία για τους κατασκευαστές """ "e.g. ""MC""","π.χ. "" MC """ "e.g. ""My Company LLC""","π.χ. "" Η εταιρεία μου LLC """ @@ -3190,32 +3340,34 @@ example: Next Day Shipping,παράδειγμα: Επόμενη Μέρα Ναυ lft,LFT old_parent,old_parent rgt,RGT +subject,θέμα +to,να website page link,Ιστοσελίδα link της σελίδας {0} '{1}' not in Fiscal Year {2},{0} '{1}' δεν το Οικονομικό Έτος {2} {0} Credit limit {0} crossed,{0} πιστωτικό όριο {0} διέσχισε {0} Serial Numbers required for Item {0}. Only {0} provided.,{0} Serial Numbers που απαιτούνται για τη θέση {0} . Μόνο {0} που παρέχονται . {0} budget for Account {1} against Cost Center {2} will exceed by {3},{0} του προϋπολογισμού για τον Λογαριασμό {1} κατά Κέντρο Κόστους {2} θα υπερβαίνει {3} +{0} can not be negative,{0} δεν μπορεί να είναι αρνητική {0} created,{0} δημιουργήθηκε {0} does not belong to Company {1},{0} δεν ανήκει στη Εταιρεία {1} {0} entered twice in Item Tax,{0} τέθηκε δύο φορές στη θέση Φόρος {0} is an invalid email address in 'Notification Email Address',{0} είναι μια έγκυρη διεύθυνση ηλεκτρονικού ταχυδρομείου στην « Ηλεκτρονική Διεύθυνση Κοινοποίηση» {0} is mandatory,{0} είναι υποχρεωτικά {0} is mandatory for Item {1},{0} είναι υποχρεωτική για τη θέση {1} +{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} είναι υποχρεωτική. Ίσως συναλλάγματος ρεκόρ δεν έχει δημιουργηθεί για {1} έως {2}. {0} is not a stock Item,{0} δεν είναι ένα απόθεμα Θέση {0} is not a valid Batch Number for Item {1},{0} δεν είναι έγκυρη αριθμό παρτίδας για τη θέση {1} -{0} is not a valid Leave Approver,{0} δεν είναι έγκυρη Αφήστε Έγκρισης +{0} is not a valid Leave Approver. Removing row #{1}.,{0} δεν είναι έγκυρη Αφήστε εγκριτή. Αφαίρεση σειρά # {1}. {0} is not a valid email id,{0} δεν είναι έγκυρη ταυτότητα ηλεκτρονικού ταχυδρομείου {0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} είναι τώρα η προεπιλεγμένη Χρήσεως . Παρακαλούμε ανανεώστε το πρόγραμμα περιήγησής σας για την αλλαγή να τεθεί σε ισχύ . {0} is required,{0} απαιτείται {0} must be a Purchased or Sub-Contracted Item in row {1},{0} πρέπει να είναι αγοράστηκαν ή υπεργολαβίας Θέση στη γραμμή {1} -{0} must be less than or equal to {1},{0} πρέπει να είναι μικρότερη από ή ίση με {1} +{0} must be reduced by {1} or you should increase overflow tolerance,{0} πρέπει να μειωθεί κατά {1} ή θα πρέπει να αυξήσει την ανοχή υπερχείλισης {0} must have role 'Leave Approver',{0} πρέπει να έχει ρόλο « Αφήστε Έγκρισης » {0} valid serial nos for Item {1},{0} έγκυρο σειριακό nos για τη θέση {1} {0} {1} against Bill {2} dated {3},{0} {1} εναντίον Bill {2} { 3 με ημερομηνία } {0} {1} against Invoice {2},{0} {1} κατά Τιμολόγιο {2} {0} {1} has already been submitted,{0} {1} έχει ήδη υποβληθεί -{0} {1} has been modified. Please Refresh,{0} {1} έχει τροποποιηθεί . Παρακαλούμε Ανανέωση -{0} {1} has been modified. Please refresh,{0} {1} έχει τροποποιηθεί . Παρακαλούμε ανανεώστε {0} {1} has been modified. Please refresh.,{0} {1} έχει τροποποιηθεί . Παρακαλώ ανανεώσετε . {0} {1} is not submitted,{0} {1} δεν έχει υποβληθεί {0} {1} must be submitted,{0} {1} πρέπει να υποβληθεί @@ -3223,3 +3375,5 @@ website page link,Ιστοσελίδα link της σελίδας {0} {1} status is 'Stopped',{0} {1} καθεστώς «Σταματημένο» {0} {1} status is Stopped,{0} {1} καθεστώς έπαψε {0} {1} status is Unstopped,{0} {1} η κατάσταση είναι ανεμπόδιστη +{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Κέντρο Κόστους είναι υποχρεωτική για τη θέση {2} +{0}: {1} not found in Invoice Details table,{0}: {1} δεν βρέθηκε στον πίνακα Στοιχεία τιμολογίου diff --git a/erpnext/translations/es.csv b/erpnext/translations/es.csv index 1832310f0d..e7e001bf5d 100644 --- a/erpnext/translations/es.csv +++ b/erpnext/translations/es.csv @@ -14,7 +14,6 @@ % of materials delivered against this Sales Order,% De los materiales entregados en contra de esta Orden de Venta % of materials ordered against this Material Request,% De materiales ordenados en contra de esta demanda de materiales % of materials received against this Purchase Order,% Del material recibido en contra de esta orden de compra -%(conversion_rate_label)s is mandatory. Maybe Currency Exchange record is not created for %(from_currency)s to %(to_currency)s,% ( conversion_rate_label ) s es obligatoria. Tal vez no se crea registro de cambio para% ( from_currency ) s en% ( to_currency ) s 'Actual Start Date' can not be greater than 'Actual End Date',"' Fecha de Comienzo real ' no puede ser mayor que ' Actual Fecha de finalización """ 'Based On' and 'Group By' can not be same,"""Basado en "" y "" Agrupar por "" no puede ser el mismo" '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 @@ -30,11 +29,35 @@ 'Update Stock' for Sales Invoice {0} must be set,"'Actualización de la "" factura de venta para {0} debe ajustarse" * Will be calculated in the transaction.,* Se calculará en la transacción. "1 Currency = [?] Fraction -For e.g. 1 USD = 100 Cent",1 moneda = [ ?] Fracción \ nPor ejemplo +For e.g. 1 USD = 100 Cent","1 moneda = [?] Fracción + Por ejemplo, 1 USD = 100 Cent" 1. To maintain the customer wise item code and to make them searchable based on their code use this option,1 . Para mantener el código del artículo sabia cliente y para efectuar búsquedas en ellos en función de su uso de código de esta opción "Add / Edit"," Añadir / Editar < / a>" "Add / Edit"," Añadir / Editar < / a>" "Add / Edit"," Añadir / Editar < / a>" +"

Default Template

+

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

+
{{ address_line1 }}<br>
+{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}
+{{ city }}<br>
+{% if state %}{{ state }}<br>{% endif -%}
+{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}
+{{ country }}<br>
+{% if phone %}Phone: {{ phone }}<br>{% endif -%}
+{% if fax %}Fax: {{ fax }}<br>{% endif -%}
+{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
+
","

defecto plantilla +

Usos Jinja plantillas y todos los campos de la Dirección ( incluyendo campos personalizados en su caso) estará disponible +

  {{}} address_line1 
+ {% if address_line2%} {{}} address_line2
{ endif% -%} + {{city}}
+ {% if estado%} {{Estado}} {% endif
-%} + {% if%} pincode PIN: {{pincode}} {% endif
-%} + {{país}}
+ {% if%} de teléfono Teléfono: {{phone}} {
endif% -%} + {% if%} fax Fax: {{fax}} {% endif
-%} + {% if%} email_ID Email: {{}} email_ID
; {% endif -%} + " A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Existe un grupo de clientes con el mismo nombre, por favor cambie el nombre del cliente o cambie el nombre del grupo al Cliente" A Customer exists with same name,Existe un cliente con el mismo nombre A Lead with this email id should exist,Una iniciativa con este correo electrónico de identificación debería existir @@ -44,7 +67,6 @@ A symbol for this currency. For e.g. $,"Un símbolo de esta moneda. Por ejemplo, AMC Expiry Date,AMC Fecha de caducidad Abbr,abbr Abbreviation cannot have more than 5 characters,Abreviatura no puede tener más de 5 caracteres -About,acerca de Above Value,Por encima de Valor Absent,ausente Acceptance Criteria,Criterios de Aceptación @@ -59,6 +81,8 @@ Account Details,Detalles de la cuenta Account Head,cuenta Head Account Name,Nombre de cuenta Account Type,Tipo de cuenta +"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Balance de la cuenta ya de crédito, no le está permitido establecer 'El balance debe ser' como 'Débito'" +"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Balance de la cuenta que ya están en débito, no se le permite establecer ""El balance debe ser"" como ""crédito""" Account for the warehouse (Perpetual Inventory) will be created under this Account.,Cuenta para el almacén ( inventario permanente ) se creará en esta Cuenta. Account head {0} created,Cabeza de cuenta {0} creado Account must be a balance sheet account,La cuenta debe ser una cuenta de balance @@ -68,13 +92,20 @@ Account with existing transaction can not be deleted,Cuenta con la transacción Account with existing transaction cannot be converted to ledger,Cuenta con la transacción existente no se puede convertir en el libro mayor Account {0} cannot be a Group,Cuenta {0} no puede ser un grupo Account {0} does not belong to Company {1},Cuenta {0} no pertenece a la empresa {1} +Account {0} does not belong to company: {1},Cuenta {0} no pertenece a la compañía: {1} Account {0} does not exist,Cuenta {0} no existe Account {0} has been entered more than once for fiscal year {1},Cuenta {0} se ha introducido más de una vez para el año fiscal {1} Account {0} is frozen,Cuenta {0} está congelado Account {0} is inactive,Cuenta {0} está inactivo +Account {0} is not valid,Cuenta {0} no es válido Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item,"Cuenta {0} debe ser de tipo ' de activos fijos ""como elemento {1} es un elemento de activo" +Account {0}: Parent account {1} can not be a ledger,Cuenta {0}: cuenta Parent {1} no puede ser un libro de contabilidad +Account {0}: Parent account {1} does not belong to company: {2},Cuenta {0}: cuenta Parent {1} no pertenece a la compañía: {2} +Account {0}: Parent account {1} does not exist,Cuenta {0}: la cuenta de Padres {1} no existe +Account {0}: You can not assign itself as parent account,Cuenta {0}: no se puede asignar como cuenta primaria "Account: {0} can only be updated via \ - Stock Transactions",Cuenta: {0} sólo se puede actualizar a través de \ \ n Las operaciones de archivo + Stock Transactions","Cuenta: {0} sólo puede ser actualizado a través de \ + Transacciones archivo" Accountant,contador Accounting,contabilidad "Accounting Entries can be made against leaf nodes, called","Los comentarios de Contabilidad se pueden hacer contra los nodos hoja , llamada" @@ -124,6 +155,7 @@ Address Details,Detalles de las direcciones Address HTML,Dirección HTML Address Line 1,Dirección Línea 1 Address Line 2,Dirección Línea 2 +Address Template,Plantilla de Dirección Address Title,Dirección Título Address Title is mandatory.,Dirección Título es obligatorio. Address Type,Tipo de dirección @@ -144,7 +176,6 @@ Against Docname,contra docName Against Doctype,contra Doctype Against Document Detail No,Contra Detalle documento n Against Document No,Contra el documento n -Against Entries,contra los comentarios Against Expense Account,Contra la Cuenta de Gastos Against Income Account,Contra la Cuenta de Utilidad Against Journal Voucher,Contra Diario Voucher @@ -180,10 +211,8 @@ All Territories,Todos los estados "All export related fields like currency, conversion rate, export total, export grand total etc are available in Delivery Note, POS, Quotation, Sales Invoice, Sales Order etc.","Campos relacionados Todas las exportaciones como moneda , tasa de conversión , el total de las exportaciones, las exportaciones totales grand etc están disponibles en la nota de entrega , POS, cotización , factura de venta , órdenes de venta , etc" "All import related fields like currency, conversion rate, import total, import grand total etc are available in Purchase Receipt, Supplier Quotation, Purchase Invoice, Purchase Order etc.","Todos los ámbitos relacionados con la importación como la moneda , tasa de conversión , el total de las importaciones , la importación total de grand etc están disponibles en recibo de compra , proveedor de cotización , factura de compra , orden de compra , etc" All items have already been invoiced,Todos los artículos que ya se han facturado -All items have already been transferred for this Production Order.,Todos los artículos que ya se han transferido para este nuevo pedido . All these items have already been invoiced,Todos estos elementos ya se han facturado Allocate,asignar -Allocate Amount Automatically,Asignar Importe automáticamente Allocate leaves for a period.,Asignar las hojas por un período . Allocate leaves for the year.,Asignar las hojas para el año. Allocated Amount,Monto asignado @@ -204,13 +233,13 @@ Allow Users,Permitir que los usuarios Allow the following users to approve Leave Applications for block days.,Permitir a los usuarios siguientes para aprobar solicitudes Dejar de días de bloque. Allow user to edit Price List Rate in transactions,Permitir al usuario editar Precio de lista Cambio en las transacciones Allowance Percent,Porcentaje de Asignación -Allowance for over-delivery / over-billing crossed for Item {0},Previsión para la entrega excesiva / sobrefacturación centró para el elemento {0} +Allowance for over-{0} crossed for Item {1},Previsión por exceso de {0} cruzados por artículo {1} +Allowance for over-{0} crossed for Item {1}.,Previsión por exceso de {0} cruzado para el punto {1}. Allowed Role to Edit Entries Before Frozen Date,Animales de funciones para editar las entradas antes de Frozen Fecha Amended From,Modificado Desde Amount,cantidad Amount (Company Currency),Importe ( Compañía de divisas ) -Amount <=,Importe < = -Amount >=,Cantidad > = +Amount Paid,Total pagado Amount to Bill,La cantidad a Bill An Customer exists with same name,Existe un cliente con el mismo nombre "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" @@ -260,6 +289,7 @@ As per Stock UOM,Según Stock UOM Asset,baza Assistant,asistente Associate,asociado +Atleast one of the Selling or Buying must be selected,Al menos uno de la venta o compra debe seleccionar Atleast one warehouse is mandatory,Al menos un almacén es obligatorio Attach Image,Adjuntar imagen Attach Letterhead,Conecte con membrete @@ -319,6 +349,7 @@ Balance for Account {0} must always be {1},Balance por cuenta {0} debe ser siemp Balance must be,El balance debe ser "Balances of Accounts of type ""Bank"" or ""Cash""","Los saldos de las cuentas de tipo ""Banco"" o "" efectivo""" Bank,Banco +Bank / Cash Account,Cuenta de banco / caja Bank A/C No.,Bank A / C No. Bank Account,cuenta Bancaria Bank Account No.,Cuenta Bancaria @@ -397,18 +428,24 @@ Budget Distribution Details,Detalles Presupuesto de Distribución Budget Variance Report,Presupuesto Varianza Reportar Budget cannot be set for Group Cost Centers,El presupuesto no se puede establecer para Centros de costes del Grupo Build Report,Informe Construir -Built on,Construido sobre Bundle items at time of sale.,Agrupe elementos en el momento de la venta. Business Development Manager,Gerente de Desarrollo de Negocios Buying,Compra Buying & Selling,Compra y Venta Buying Amount,La compra Importe Buying Settings,La compra de Ajustes +"Buying must be checked, if Applicable For is selected as {0}","Compra debe comprobar, si se selecciona aplicable Para que {0}" C-Form,C - Forma C-Form Applicable,C -Form Aplicable C-Form Invoice Detail,Detalle C -Form Factura C-Form No,C -Form No C-Form records,Registros C -Form +CENVAT Capital Goods,CENVAT Bienes de Capital +CENVAT Edu Cess,CENVAT Edu Cess +CENVAT SHE Cess,CENVAT SHE Cess +CENVAT Service Tax,CENVAT Tax Service +CENVAT Service Tax Cess 1,Servicio CENVAT Impuesto Cess 1 +CENVAT Service Tax Cess 2,Servicio CENVAT Impuesto Cess 2 Calculate Based On,Calcular basado en Calculate Total Score,Calcular Puntaje Total Calendar Events,Calendario de Eventos @@ -432,7 +469,7 @@ Cannot approve leave as you are not authorized to approve leaves on Block Dates, Cannot cancel because Employee {0} is already approved for {1},No se puede cancelar porque Empleado {0} ya está aprobado para {1} Cannot cancel because submitted Stock Entry {0} exists,No se puede cancelar debido a la entrada Stock presentado {0} existe Cannot carry forward {0},No se puede llevar adelante {0} -Cannot change Year Start Date and Year End Date once the Fiscal Year is saved.,No se puede cambiar el año Fecha de inicio y de fin de año una vez que la fecha del año fiscal se guarda . +Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,No se puede cambiar el año fiscal Fecha de inicio y Fecha de finalización del año fiscal una vez que el año fiscal se guarda. "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 empresa, porque existen operaciones existentes. Las transacciones deben ser canceladas para cambiar la moneda por defecto." Cannot convert Cost Center to ledger as it has child nodes,"No se puede convertir de centros de coste para el libro mayor , ya que tiene nodos secundarios" Cannot covert to Group because Master Type or Account Type is selected.,No se puede encubierta al grupo porque se selecciona Type Master o Tipo de Cuenta . @@ -441,7 +478,7 @@ Cannot deactive or cancle BOM as it is linked with other BOMs,No se puede Desact 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 ' "Cannot delete Serial No {0} in stock. First remove from stock, then delete.","No se puede eliminar de serie n {0} en stock . Primero quite de la acción, a continuación, eliminar ." "Cannot directly set amount. For 'Actual' charge type, use the rate field","No se puede establecer directamente cantidad . Para el tipo de carga ' real ' , utilice el campo Velocidad" -"Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in 'Setup' > 'Global Defaults'","No se puede cobrar demasiado a para el punto {0} en la fila {0} más {1} . Para permitir la facturación excesiva , ajuste en 'Configuración ' > ' Valores predeterminados globales '" +"Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in Stock Settings","No se puede cobrar demasiado a para el punto {0} en la fila {0} más {1}. Para permitir la facturación excesiva, ajuste en Ajustes de archivo" Cannot produce more Item {0} than Sales Order quantity {1},No se puede producir más artículo {0} que en la cantidad de pedidos de cliente {1} Cannot refer row number greater than or equal to current row number for this Charge type,No se puede hacer referencia número de la fila superior o igual al número de fila actual de este tipo de carga Cannot return more than {0} for Item {1},No se puede devolver más de {0} para el artículo {1} @@ -504,6 +541,8 @@ Click on a link to get options to expand get options , Client,cliente Close Balance Sheet and book Profit or Loss.,Cerrar Balance General y el libro de pérdidas y ganancias . Closed,cerrado +Closing (Cr),Cierre (Cr) +Closing (Dr),Cierre (Dr) Closing Account Head,Cierre Head Cuenta Closing Account {0} must be of type 'Liability',Cuenta {0} de cierre debe ser de tipo ' Responsabilidad ' Closing Date,fecha tope @@ -514,7 +553,9 @@ CoA Help,CoA Ayuda Code,código Cold Calling,Llamadas en frío Color,color +Column Break,Salto de columna Comma separated list of email addresses,Lista separada por comas de direcciones de correo electrónico separados +Comment,comentario Comments,Comentarios Commercial,comercial Commission,comisión @@ -599,7 +640,6 @@ Cosmetics,productos cosméticos Cost Center,Centro de Costo Cost Center Details,Centro de coste detalles Cost Center Name,Costo Nombre del centro -Cost Center is mandatory for Item {0},Centro de Costos es obligatorio para el elemento {0} Cost Center is required for 'Profit and Loss' account {0},"Se requiere de centros de coste para la cuenta "" Pérdidas y Ganancias "" {0}" Cost Center is required in row {0} in Taxes table for type {1},Se requiere de centros de coste en la fila {0} en la tabla Impuestos para el tipo {1} Cost Center with existing transactions can not be converted to group,Centro de costos de las transacciones existentes no se puede convertir al grupo @@ -609,6 +649,7 @@ Cost of Goods Sold,Costo de las Ventas Costing,Costeo Country,país Country Name,Nombre del país +Country wise default Address Templates,Plantillas País sabia dirección predeterminada "Country, Timezone and Currency","País , Zona horaria y moneda" Create Bank Voucher for the total salary paid for the above selected criteria,Cree Banco Vale para el salario total pagado por los criterios seleccionados anteriormente Create Customer,Crear cliente @@ -662,10 +703,12 @@ Customer (Receivable) Account,Cliente ( por cobrar ) Cuenta Customer / Item Name,Nombre del cliente / artículo Customer / Lead Address,Cliente / Dirección de plomo Customer / Lead Name,Cliente / Nombre de plomo +Customer > Customer Group > Territory,Cliente> Grupo de Clientes> Territorio Customer Account Head,Cuenta Cliente Head Customer Acquisition and Loyalty,Adquisición de clientes y fidelización Customer Address,Dirección del cliente Customer Addresses And Contacts,Las direcciones de clientes y contactos +Customer Addresses and Contacts,Las direcciones de clientes y contactos Customer Code,Código de Cliente Customer Codes,Los códigos de los clientes Customer Details,Datos del cliente @@ -727,6 +770,8 @@ Deduction1,Deduction1 Deductions,Deducciones Default,defecto Default Account,cuenta predeterminada +Default Address Template cannot be deleted,Plantilla de la dirección predeterminada no puede eliminarse +Default Amount,Default Amou Default BOM,Por defecto la lista de materiales Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,Banco de la cuenta / Cash defecto se actualizará automáticamente en el punto de venta de facturas cuando se selecciona este modo . Default Bank Account,Cuenta bancaria por defecto @@ -734,7 +779,6 @@ Default Buying Cost Center,Por defecto compra de centros de coste Default Buying Price List,Por defecto Compra Lista de precios Default Cash Account,Cuenta de Tesorería por defecto Default Company,compañía predeterminada -Default Cost Center for tracking expense for this item.,Centro de coste por defecto para el seguimiento de los gastos por este concepto. Default Currency,moneda predeterminada Default Customer Group,Grupo predeterminado Cliente Default Expense Account,Cuenta de Gastos por defecto @@ -761,6 +805,7 @@ Default settings for selling transactions.,Los ajustes por defecto para la venta Default settings for stock transactions.,Los ajustes por defecto para las transacciones bursátiles. Defense,defensa "Define Budget for this Cost Center. To set budget action, see
Company Master","Definir Presupuesto para este centro de coste . Para configurar la acción presupuestaria, ver Company Maestro < / a>" +Del,Del Delete,borrar Delete {0} {1}?,Eliminar {0} {1} ? Delivered,liberado @@ -809,6 +854,7 @@ Discount (%),Descuento (% ) Discount Amount,Cantidad de Descuento "Discount Fields will be available in Purchase Order, Purchase Receipt, Purchase Invoice","Los campos descuento estará disponible en orden de compra, recibo de compra , factura de compra" Discount Percentage,Descuento de porcentaje +Discount Percentage can be applied either against a Price List or for all Price List.,Porcentaje de descuento puede ser aplicado ya sea en contra de una lista de precios o para toda la lista de precios. Discount must be less than 100,El descuento debe ser inferior a 100 Discount(%),Descuento (% ) Dispatch,despacho @@ -841,7 +887,8 @@ Download Template,Descargar Plantilla Download a report containing all raw materials with their latest inventory status,Descargar un informe con todas las materias primas con su estado actual inventario "Download the Template, fill appropriate data and attach the modified file.","Descarga la plantilla , rellenar los datos correspondientes y adjuntar el archivo modificado." "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","Descarga la plantilla , rellenar los datos correspondientes y adjuntar el archivo modificado. \ NTodos data y la combinación de los empleados en el periodo seleccionado vendrá en la plantilla, con los registros de asistencia existentes" +All dates and employee combination in the selected period will come in the template, with existing attendance records","Descarga la plantilla, rellenar los datos correspondientes y adjuntar el archivo modificado. + Todas las fechas y combinación empleado en el período seleccionado vendrán en la plantilla, con los registros de asistencia existentes" Draft,borrador Dropbox,Dropbox Dropbox Access Allowed,Dropbox Acceso mascotas @@ -863,6 +910,9 @@ Earning & Deduction,Ganar y Deducción Earning Type,Ganar Tipo Earning1,Earning1 Edit,editar +Edu. Cess on Excise,Edu. Cess sobre Impuestos Especiales +Edu. Cess on Service Tax,Edu. Impuesto sobre el Servicio de Impuestos +Edu. Cess on TDS,Edu. Impuesto sobre el TDS Education,educación Educational Qualification,Capacitación para la Educación Educational Qualification Details,Educational Qualification Detalles @@ -937,16 +987,27 @@ Enter url parameter for receiver nos,Introduzca el parámetro url para el recept Entertainment & Leisure,Entretenimiento y Ocio Entertainment Expenses,gastos de Entretenimiento Entries,entradas -Entries against,"Rellenar," +Entries against , Entries are not allowed against this Fiscal Year if the year is closed.,"Las entradas no están permitidos en contra de este año fiscal , si el año está cerrado." -Entries before {0} are frozen,Los comentarios antes de {0} se congelan Equity,equidad Error: {0} > {1},Error: {0} > {1} Estimated Material Cost,Costo estimado del material +"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Incluso si hay varias reglas de precios con mayor prioridad, se aplican entonces siguientes prioridades internas:" Everyone can read,Todo el mundo puede leer "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 # # # # # \ nSi serie se establece y No de serie no se menciona en las transacciones , a continuación, el número de serie automática se creará sobre la base de esta serie." +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 No de serie no se menciona en las transacciones, número de serie y luego automática se creará 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." Exchange Rate,Tipo de Cambio +Excise Duty 10,Impuestos Especiales 10 +Excise Duty 14,Impuestos Especiales 14 +Excise Duty 4,Impuestos Especiales 4 +Excise Duty 8,Impuestos Especiales 8 +Excise Duty @ 10,Impuestos Especiales @ 10 +Excise Duty @ 14,Impuestos Especiales @ 14 +Excise Duty @ 4,Impuestos Especiales @ 4 +Excise Duty @ 8,Impuestos Especiales @ 8 +Excise Duty Edu Cess 2,Impuestos Especiales Edu Cess 2 +Excise Duty SHE Cess 1,Impuestos Especiales SHE Cess 1 Excise Page Number,Número Impuestos Especiales Página Excise Voucher,vale de Impuestos Especiales Execution,ejecución @@ -965,6 +1026,7 @@ Expected Delivery Date cannot be before Sales Order Date,Fecha prevista de entre Expected End Date,Fecha de finalización prevista Expected Start Date,Fecha prevista de inicio Expense,gasto +Expense / Difference account ({0}) must be a 'Profit or Loss' account,"Cuenta de gastos / Diferencia ({0}) debe ser una cuenta de 'utilidad o pérdida """ Expense Account,cuenta de Gastos Expense Account is mandatory,Cuenta de Gastos es obligatorio Expense Claim,Reclamación de Gastos @@ -1015,12 +1077,16 @@ Finished Goods,productos terminados First Name,Nombre First Responded On,Primero respondió el Fiscal Year,año fiscal +Fiscal Year Start Date and Fiscal Year End Date are already set in Fiscal Year {0},Año fiscal Fecha de Inicio y Fin de ejercicio Fecha ya están establecidas en el Año Fiscal {0} +Fiscal Year Start Date and Fiscal Year End Date cannot be more than a year apart.,Año fiscal Fecha de Inicio y Fin de ejercicio La fecha no puede ser más que un año de diferencia. +Fiscal Year Start Date should not be greater than Fiscal Year End Date,Año fiscal Fecha de inicio no debe ser mayor de Fin de ejercicio Fecha Fixed Asset,activos Fijos Fixed Assets,Activos Fijos Follow via Email,Siga a través de correo electrónico "Following table will show values if items are sub - contracted. These values will be fetched from the master of ""Bill of Materials"" of sub - contracted items.","La siguiente tabla se muestran los valores si los artículos son sub - contratado. Estos valores se pueden recuperar desde el maestro de la "" Lista de materiales "" de los sub - elementos contratados." Food,comida "Food, Beverage & Tobacco","Alimentos, Bebidas y Tabaco" +"For 'Sales BOM' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Sales BOM' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Para los artículos 'BOM Ventas', bodega, Número de Serie y Lote No se considerará a partir de la tabla de ""Packing List"". Si Almacén y lotes No son las mismas para todos los elementos de embalaje para cualquier artículo 'BOM Sales', esos valores se pueden introducir en el cuadro principal del artículo, los valores se copiarán a la mesa ""Packing List""." For Company,Para la empresa For Employee,Para Empleados For Employee Name,En Nombre del Empleado @@ -1050,7 +1116,9 @@ From Currency and To Currency cannot be same,Desde moneda y moneda no puede ser From Customer,De cliente From Customer Issue,De Emisión Cliente From Date,Desde la fecha +From Date cannot be greater than To Date,Desde La fecha no puede ser mayor que la fecha From Date must be before To Date,Desde la fecha debe ser antes de la fecha +From Date should be within the Fiscal Year. Assuming From Date = {0},De fecha debe estar dentro del año fiscal. Suponiendo Desde Fecha = {0} From Delivery Note,De la nota de entrega From Employee,De Empleado From Lead,De plomo @@ -1072,7 +1140,9 @@ Frozen Accounts Modifier,Frozen Accounts modificador Fulfilled,cumplido Full Name,Nombre Completo Full-time,De jornada completa +Fully Billed,Totalmente Facturad Fully Completed,totalmente Terminado +Fully Delivered,Totalmente Entregado Furniture and Fixture,Muebles y Fixture Further accounts can be made under Groups but entries can be made against Ledger,Otras cuentas se pueden hacer en Grupos pero las entradas se pueden hacer en contra de Ledger "Further accounts can be made under Groups, but entries can be made against Ledger","Otras cuentas se pueden hacer en Grupos, pero las entradas se pueden hacer en contra de Ledger" @@ -1090,7 +1160,6 @@ Generate Schedule,Generar Horario Generates HTML to include selected image in the description,Genera HTML para incluir la imagen seleccionada en la descripción Get Advances Paid,Cómo anticipos pagados Get Advances Received,Cómo anticipos recibidos -Get Against Entries,Obtenga Contra los comentarios Get Current Stock,Obtenga Stock actual Get Items,Obtener elementos Get Items From Sales Orders,Obtener elementos De órdenes de venta @@ -1103,6 +1172,7 @@ Get Specification Details,Obtenga Especificación Detalles Get Stock and Rate,Obtenga Stock y Cambio Get Template,Obtenga Plantilla Get Terms and Conditions,Obtenga Términos y Condiciones +Get Unreconciled Entries,Consigue entradas no reconciliadas Get Weekly Off Dates,Obtenga Semanal Off Fechas "Get valuation rate and available stock at source/target warehouse on mentioned posting date-time. If serialized item, please press this button after entering serial nos.","Obtenga tasa de valorización y el stock disponible en la fuente del almacén / destino en la fecha mencionada publicación a tiempo . Si serializado tema, por favor, pulse este botón después de entrar nos serie." Global Defaults,predeterminados globales @@ -1171,6 +1241,7 @@ Hour,hora Hour Rate,Hora de Cambio Hour Rate Labour,Hora Cambio del Trabajo Hours,Horas +How Pricing Rule is applied?,¿Cómo se aplica la Regla Precios? How frequently?,¿Con qué frecuencia ? "How should this currency be formatted? If not set, will use system defaults","¿Cómo se debe formatear esta moneda ? Si no se establece, utilizará valores predeterminados del sistema" Human Resources,Recursos Humanos @@ -1187,12 +1258,15 @@ If different than customer address,Si es diferente a la dirección del cliente "If disable, 'Rounded Total' field will not be visible in any transaction","Si desactiva , el campo "" Total redondeado ' no será visible en cualquier transacción" "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." If more than one package of the same type (for print),Si más de un paquete del mismo tipo (por impresión) +"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Si hay varias reglas de precios siguen prevaleciendo, los usuarios se les pide que establezca la prioridad manualmente para resolver el conflicto." "If no change in either Quantity or Valuation Rate, leave the cell blank.","Si no hay cambio , ya sea en cantidad o de valoración por tipo , deje en blanco la celda." If not applicable please enter: NA,"Si no es aplicable , por favor escriba: NA" "If not checked, the list will have to be added to each Department where it has to be applied.","Si no está marcada , la lista tendrá que ser añadido a cada Departamento donde ha de aplicarse ." +"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 Precios seleccionado está hecho para 'Precio', sobrescribirá Lista de Precios. Regla precio El precio es el precio final, así que no hay descuento adicional debe aplicarse. Por lo tanto, en las transacciones como pedidos de venta, orden de compra, etc, se fue a buscar en el campo 'Cambio', en lugar de campo 'Precio de lista Cambio'." "If specified, send the newsletter using this email address","Si se especifica, enviar el boletín de utilizar esta dirección de correo electrónico" "If the account is frozen, entries are allowed to restricted users.","Si la cuenta está congelada , las entradas se les permite a los usuarios restringidos." "If this Account represents a Customer, Supplier or Employee, set it here.","Si esta cuenta representa un cliente, proveedor o empleado, Ponlo aquí ." +"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Si se encuentran dos o más reglas de precios sobre la base de las condiciones anteriores, se aplica la prioridad. La prioridad es un número entre 0 y 20, mientras que el valor por defecto es cero (en blanco). Un número más alto significa que va a tener prioridad si hay varias reglas de precios con las mismas condiciones." If you follow Quality Inspection. Enables Item QA Required and QA No in Purchase Receipt,Si usted sigue la Inspección de calidad . Permite Artículo QA Obligatorio y QA No en recibo de compra If you have Sales Team and Sale Partners (Channel Partners) they can be tagged and maintain their contribution in the sales activity,Si usted tiene equipo de ventas y Venta Partners ( Socios de canal ) pueden ser etiquetados y mantener su contribución en la actividad de ventas "If you have created a standard template in Purchase Taxes and Charges Master, select one and click on the button below.","Si ha creado un modelo estándar de las tasas de compra y los cargos principales, seleccione uno y haga clic en el botón de abajo ." @@ -1200,6 +1274,7 @@ If you have Sales Team and Sale Partners (Channel Partners) they can be tagged "If you have long print formats, this feature can be used to split the page to be printed on multiple pages with all headers and footers on each page","Si usted tiene formatos de impresión largos , esta característica puede ser utilizada para dividir la página que se imprimirá en varias páginas con todos los encabezados y pies de página en cada página" If you involve in manufacturing activity. Enables Item 'Is Manufactured',Si usted involucra en la actividad manufacturera . Permite artículo ' está fabricado ' Ignore,pasar por alto +Ignore Pricing Rule,No haga caso de la Regla Precios Ignored: ,Ignorado: Image,imagen Image View,Imagen Vista @@ -1236,8 +1311,9 @@ Income booked for the digest period,Ingresos reservado para el período de diges Incoming,entrante Incoming Rate,Incoming Cambio Incoming quality inspection.,Inspección de calidad de entrada . +Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Número incorrecto de entradas del libro mayor encontrado. Es posible que haya seleccionado una cuenta equivocada en la transacción. Incorrect or Inactive BOM {0} for Item {1} at row {2},Incorrecta o Inactivo BOM {0} para el artículo {1} en la fila {2} -Indicates that the package is a part of this delivery,Indica que el paquete es una parte de esta entrega +Indicates that the package is a part of this delivery (Only Draft),Indica que el paquete es una parte de esta entrega (Sólo borrador) Indirect Expenses,gastos indirectos Indirect Income,Ingresos Indirectos Individual,individual @@ -1263,6 +1339,7 @@ Intern,interno Internal,interno Internet Publishing,Internet Publishing Introduction,introducción +Invalid Barcode,Código de barras no válido Invalid Barcode or Serial No,Código de barras de serie no válido o No Invalid Mail Server. Please rectify and try again.,Servidor de correo válida . Por favor rectifique y vuelva a intentarlo . Invalid Master Name,Nombre no válido Maestro @@ -1275,9 +1352,12 @@ Investments,inversiones Invoice Date,Fecha de la factura Invoice Details,detalles de la factura Invoice No,Factura no -Invoice Period From Date,Factura Período De Fecha +Invoice Number,Número de factura +Invoice Period From,Factura Periodo Del Invoice Period From and Invoice Period To dates mandatory for recurring invoice,Factura Periodo Del Período y Factura Para las fechas obligatorias para la factura recurrente -Invoice Period To Date,Período factura anual +Invoice Period To,Período Factura Para +Invoice Type,Tipo Factura +Invoice/Journal Voucher Details,Factura / Diario Vale Detalles Invoiced Amount (Exculsive Tax),Cantidad facturada ( Impuesto exculsive ) Is Active,está activo Is Advance,Es Avance @@ -1308,6 +1388,7 @@ Item Advanced,artículo avanzada Item Barcode,Código de barras del artículo Item Batch Nos,Lotes de artículos núms Item Code,Código del artículo +Item Code > Item Group > Brand,Código del artículo> Grupo Elemento> Marca Item Code and Warehouse should already exist.,Código del artículo y de almacenes ya deben existir. Item Code cannot be changed for Serial No.,Código del artículo no se puede cambiar de número de serie Item Code is mandatory because Item is not automatically numbered,Código del artículo es obligatorio porque El artículo no se numera automáticamente @@ -1319,6 +1400,7 @@ Item Details,Detalles del artículo Item Group,Grupo de artículos Item Group Name,Nombre del grupo de artículos Item Group Tree,Artículo Grupo Árbol +Item Group not mentioned in item master for item {0},Grupo El artículo no se menciona en maestro de artículos para el elemento {0} Item Groups in Details,Grupos de componentes en detalles Item Image (if not slideshow),Item Image (si no presentación de diapositivas) Item Name,Nombre del elemento @@ -1389,7 +1471,8 @@ Item-wise Purchase Register,- Artículo sabio Compra Registrarse Item-wise Sales History,- Artículo sabio Historia Ventas Item-wise Sales Register,- Artículo sabio ventas Registrarse "Item: {0} managed batch-wise, can not be reconciled using \ - Stock Reconciliation, instead use Stock Entry","Artículo: {0} gestionado por lotes , no se puede conciliar el uso de \ \ n de la Reconciliación , en lugar de utilizar la entrada Stock" + Stock Reconciliation, instead use Stock Entry","Artículo: {0} gestionado por lotes, no se puede conciliar el uso de \ + Stock Reconciliación, en lugar utilizar la entrada Stock" Item: {0} not found in the system,Artículo: {0} no se encuentra en el sistema Items,Artículos Items To Be Requested,Los artículos que se solicitarán @@ -1492,6 +1575,7 @@ Loading...,Loading ... Loans (Liabilities),Préstamos (pasivos ) Loans and Advances (Assets),Préstamos y anticipos (Activos ) Local,local +Login,login Login with your new User ID,Acceda con su nuevo ID de usuario Logo,logo Logo and Letter Heads,Logo y Carta Jefes @@ -1536,6 +1620,7 @@ Make Maint. Schedule,Hacer Maint . horario Make Maint. Visit,Hacer Maint . visita Make Maintenance Visit,Hacer mantenimiento Visita Make Packing Slip,Hacer lista de empaque +Make Payment,Realizar Pago Make Payment Entry,Hacer Entrada Pago Make Purchase Invoice,Hacer factura de compra Make Purchase Order,Hacer la Orden de Compra @@ -1545,8 +1630,10 @@ Make Salary Structure,Hacer Estructura Salarial Make Sales Invoice,Hacer la factura de venta Make Sales Order,Asegúrese de órdenes de venta Make Supplier Quotation,Hacer cita Proveedor +Make Time Log Batch,Haga la hora de lotes sesión Male,masculino Manage Customer Group Tree.,Gestione Grupo de Clientes Tree. +Manage Sales Partners.,Administrar Puntos de ventas. Manage Sales Person Tree.,Gestione Sales Person árbol . Manage Territory Tree.,Gestione Territorio Tree. Manage cost of operations,Gestione costo de las operaciones @@ -1597,6 +1684,8 @@ Max 5 characters,Max 5 caracteres Max Days Leave Allowed,Número máximo de días de baja por mascotas Max Discount (%),Max Descuento (% ) Max Qty,Max Und +Max discount allowed for item: {0} is {1}%,Descuento máximo permitido para cada elemento: {0} es {1}% +Maximum Amount,Importe máximo Maximum allowed credit is {0} days after posting date,Crédito máximo permitido es {0} días después de la fecha de publicar Maximum {0} rows allowed,Máximo {0} filas permitidos Maxiumm discount for Item {0} is {1}%,Descuento Maxiumm de elemento {0} es {1}% @@ -1617,6 +1706,7 @@ Milestones will be added as Events in the Calendar,Hitos se agregarán como Even Min Order Qty,Cantidad de pedido mínima Min Qty,Qty del minuto Min Qty can not be greater than Max Qty,Qty del minuto no puede ser mayor que Max Und +Minimum Amount,Volumen mínimo de Minimum Order Qty,Mínimo Online con su nombre Minute,minuto Misc Details,Otros Detalles @@ -1626,7 +1716,6 @@ Mobile No,Mobile No Mobile No.,número Móvil Mode of Payment,Modo de Pago Modern,moderno -Modified Amount,Importe modificado Monday,lunes Month,mes Monthly,mensual @@ -1643,7 +1732,8 @@ Mr,Sr. Ms,ms Multiple Item prices.,Precios de los artículos múltiples. "Multiple Price Rule exists with same criteria, please resolve \ - conflict by assigning priority. Price Rules: {0}","Múltiple Precio Regla existe con los mismos criterios , por favor resolver \ conflicto \ n asignando prioridad." + conflict by assigning priority. Price Rules: {0}","Múltiple Precio Regla existe con los mismos criterios, por favor resuelva \ + conflicto mediante la asignación de prioridad. Reglas Precio: {0}" Music,música Must be Whole Number,Debe ser un número entero Name,nombre @@ -1659,6 +1749,7 @@ Negative Valuation Rate is not allowed,Negativo valoración de tipo no está per Negative balance in Batch {0} for Item {1} at Warehouse {2} on {3} {4},Saldo negativo en lotes {0} para el artículo {1} en Almacén {2} del {3} {4} Net Pay,Pago neto Net Pay (in words) will be visible once you save the Salary Slip.,Pago neto (en palabras) será visible una vez que guarde la nómina . +Net Profit / Loss,Utilidad Neta / Pérdida Net Total,total Neto Net Total (Company Currency),Total Neto ( Compañía de divisas ) Net Weight,Peso neto @@ -1699,7 +1790,6 @@ Newsletter,hoja informativa Newsletter Content,Boletín de noticias de contenido Newsletter Status,Boletín Estado Newsletter has already been sent,Boletín de noticias ya ha sido enviada -Newsletters is not allowed for Trial users,Boletines No se permite a los usuarios de prueba "Newsletters to contacts, leads.","Boletines de contactos, clientes potenciales ." Newspaper Publishers,Editores de Periódicos Next,próximo @@ -1721,6 +1811,7 @@ No Supplier Accounts found. Supplier Accounts are identified based on 'Master Ty No accounting entries for the following warehouses,No hay asientos contables para los siguientes almacenes No addresses created,No hay direcciones creadas No contacts created,No hay contactos creados +No default Address Template found. Please create a new one from Setup > Printing and Branding > Address Template.,"No se encontró la plantilla por defecto Dirección. Por favor, cree una nueva desde Configuración> Prensa y Branding> Plantilla de Dirección." No default BOM exists for Item {0},No existe una lista de materiales por defecto para el elemento {0} No description given,Sin descripción No employee found,No se han encontrado empleado @@ -1730,6 +1821,8 @@ No of Sent SMS,No de SMS enviados No of Visits,No de Visitas No permission,No permission No record found,No se han encontrado registros +No records found in the Invoice table,No se han encontrado en la tabla de registros de facturas +No records found in the Payment table,No se han encontrado en la tabla de registros de venta No salary slip found for month: ,No nómina encontrado al mes: Non Profit,Sin Fines De Lucro Nos,nos @@ -1739,7 +1832,7 @@ Not Available,No disponible Not Billed,No Anunciado Not Delivered,No Entregado Not Set,No Especificado -Not allowed to update entries older than {0},No se permite actualizar las entradas mayores de {0} +Not allowed to update stock transactions older than {0},No se permite actualizar las transacciones de valores mayores de {0} Not authorized to edit frozen Account {0},No autorizado para editar la cuenta congelada {0} Not authroized since {0} exceeds limits,No distribuidor oficial autorizado desde {0} excede los límites Not permitted,No se permite @@ -1780,7 +1873,6 @@ Only the selected Leave Approver can submit this Leave Application,Sólo el apro Open,abierto Open Production Orders,Las órdenes Abrir Producción Open Tickets,Entradas abiertas -Open source ERP built for the web,ERP de código abierto construido para la web Opening (Cr),Apertura (Cr ) Opening (Dr),Apertura ( Dr) Opening Date,Fecha de apertura @@ -1805,7 +1897,7 @@ Opportunity Lost,Oportunidad perdida Opportunity Type,Tipo de Oportunidad Optional. This setting will be used to filter in various transactions.,Opcional . Este ajuste se utiliza para filtrar en varias transacciones. Order Type,Tipo de Orden -Order Type must be one of {1},Tipo de orden debe ser uno de {1} +Order Type must be one of {0},Tipo de orden debe ser uno de {0} Ordered,ordenado Ordered Items To Be Billed,Artículos pedidos a facturar Ordered Items To Be Delivered,Artículos pedidos para ser entregados @@ -1817,7 +1909,6 @@ Organization Name,Nombre de la organización Organization Profile,Perfil de la organización Organization branch master.,Master rama Organización. Organization unit (department) master.,Unidad de Organización ( departamento) maestro. -Original Amount,Monto original Other,otro Other Details,Otras Datos Others,otros @@ -1834,6 +1925,7 @@ Overlapping conditions found between:,La superposición de condiciones encontrad Overview,visión de conjunto Owned,Propiedad Owner,propietario +P L A - Cess Portion,PLA - Porción Cess PL or BS,PL o BS PO Date,PO Fecha PO No,PO No @@ -1846,7 +1938,6 @@ POS Setting required to make POS Entry,POS de ajuste necesario para hacer la ent POS Setting {0} already created for user: {1} and company {2},POS Ajuste {0} ya creado para el usuario: {1} y {2} empresa POS View,POS Ver PR Detail,Detalle PR -PR Posting Date,PR Fecha de publicación Package Item Details,Artículo Detalles del paquete Package Items,paquete de Package Weight Details,Peso del paquete Detalles @@ -1876,8 +1967,6 @@ Parent Sales Person,Sales Person Padres Parent Territory,Territorio de Padres Parent Website Page,Sitio web Padres Page Parent Website Route,Padres Website Ruta -Parent account can not be a ledger,Cuenta de Padres no puede ser un libro de contabilidad -Parent account does not exist,Padres cuenta no existe Parenttype,ParentType Part-time,A media jornada Partially Completed,Completó parcialmente @@ -1886,6 +1975,8 @@ Partly Delivered,Parcialmente Entregado Partner Target Detail,Detalle Target Socio Partner Type,Tipos de Partner Partner's Website,Sitio Web del Socio +Party,Parte +Party Account,Cuenta Party Party Type,Tipo del partido Party Type Name,Tipo del partido Nombre Passive,pasivo @@ -1898,10 +1989,14 @@ Payables Group,Deudas Grupo Payment Days,días de pago Payment Due Date,Pago Fecha de vencimiento Payment Period Based On Invoice Date,Período de pago basado en Fecha de la factura +Payment Reconciliation,Reconciliación Pago +Payment Reconciliation Invoice,Factura Reconciliación Pago +Payment Reconciliation Invoices,Facturas Reconciliación Pago +Payment Reconciliation Payment,Reconciliación Pago Pago +Payment Reconciliation Payments,Pagos conciliación de pagos Payment Type,Tipo de Pago +Payment cannot be made for empty cart,El pago no se puede hacer para el carro vacío Payment of salary for the month {0} and year {1},El pago del salario correspondiente al mes {0} y {1} años -Payment to Invoice Matching Tool,Pago de Factura herramienta Matching -Payment to Invoice Matching Tool Detail,Pago de Factura Detalle herramienta Matching Payments,Pagos Payments Made,Pagos Realizados Payments Received,Los pagos recibidos @@ -1944,7 +2039,9 @@ Planning,planificación Plant,planta Plant and Machinery,Instalaciones técnicas y maquinaria Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,"Por favor, introduzca Abreviatura o Nombre corto correctamente ya que se añadirá como sufijo a todos los Jefes de Cuenta." +Please Update SMS Settings,Por favor actualizar la configuración de SMS Please add expense voucher details,"Por favor, añada detalles de gastos de vales" +Please add to Modes of Payment from Setup.,"Por favor, añada a Modos de Pago de Configuración." Please check 'Is Advance' against Account {0} if this is an advance entry.,"Por favor, consulte ' Es Avance ' contra la cuenta {0} si se trata de una entrada por adelantado." Please click on 'Generate Schedule',"Por favor, haga clic en ' Generar la Lista de" Please click on 'Generate Schedule' to fetch Serial No added for Item {0},"Por favor, haga clic en "" Generar Schedule ' en busca del cuento por entregas añadido para el elemento {0}" @@ -1992,12 +2089,13 @@ Please enter valid Company Email,Por favor introduzca válida Empresa Email Please enter valid Email Id,Por favor introduzca válido Email Id Please enter valid Personal Email,Por favor introduzca válido Email Personal Please enter valid mobile nos,Por favor introduzca nos móviles válidos +Please find attached Sales Invoice #{0},Se adjunta la factura de venta # {0} Please install dropbox python module,"Por favor, instale el módulo python dropbox" Please mention no of visits required,"¡Por favor, no de visitas requeridas" Please pull items from Delivery Note,"Por favor, tire de los artículos en la nota de entrega" Please save the Newsletter before sending,"Por favor, guarde el boletín antes de enviar" Please save the document before generating maintenance schedule,"Por favor, guarde el documento antes de generar el programa de mantenimiento" -Please select Account first,"Por favor, seleccione Cuenta de primera" +Please see attachment,"Por favor, véase el documento adjunto" Please select Bank Account,Por favor seleccione la cuenta bancaria Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Por favor seleccione Carry Forward si también desea incluir el saldo del ejercicio anterior deja a este año fiscal Please select Category first,Por favor seleccione primero Categoría @@ -2005,14 +2103,17 @@ Please select Charge Type first,"Por favor, seleccione Tipo de Cargo primero" Please select Fiscal Year,"Por favor, seleccione el año fiscal" Please select Group or Ledger value,"Por favor, seleccione Grupo o Ledger valor" Please select Incharge Person's name,"Por favor, seleccione el nombre de InCharge persona" +Please select Invoice Type and Invoice Number in atleast one row,"Por favor, seleccione Factura Tipo y número de factura en al menos una fila" "Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Sales BOM","Por favor, seleccione el ítem donde "" Es Stock Item"" es "" No"" y ""¿ Punto de Ventas"" es "" Sí "", y no hay otra lista de materiales de ventas" Please select Price List,"Por favor, seleccione Lista de precios" Please select Start Date and End Date for Item {0},"Por favor, seleccione Fecha de inicio y Fecha de finalización para el punto {0}" +Please select Time Logs.,Por favor seleccione registros de tiempo. Please select a csv file,"Por favor, seleccione un archivo csv" Please select a valid csv file with data,"Por favor, seleccione un archivo csv válidos con datos" Please select a value for {0} quotation_to {1},"Por favor, seleccione un valor para {0} {1} quotation_to" "Please select an ""Image"" first","Por favor seleccione una "" imagen"" primera" Please select charge type first,Por favor seleccione el tipo de carga primero +Please select company first,Por favor seleccione la empresa primero Please select company first.,Por favor seleccione la empresa en primer lugar. Please select item code,"Por favor, seleccione el código del artículo" Please select month and year,Por favor seleccione el mes y el año @@ -2021,6 +2122,7 @@ Please select the document type first,Por favor seleccione el tipo de documento Please select weekly off day,Por favor seleccione el día libre semanal Please select {0},"Por favor, seleccione {0}" Please select {0} first,"Por favor, seleccione {0} primero" +Please select {0} first.,"Por favor, seleccione {0} primero." Please set Dropbox access keys in your site config,"Por favor, establece las claves de acceso de Dropbox en tu config sitio" Please set Google Drive access keys in {0},"Por favor, establece las claves de acceso de Google Drive en {0}" Please set default Cash or Bank account in Mode of Payment {0},"Por favor, ajuste de cuenta bancaria Efectivo por defecto o en el modo de pago {0}" @@ -2047,6 +2149,7 @@ Postal,postal Postal Expenses,gastos postales Posting Date,Fecha de publicación Posting Time,Hora de publicación +Posting date and posting time is mandatory,Fecha de publicación y el envío tiempo es obligatorio Posting timestamp must be after {0},Fecha y hora de publicación deberá ser posterior a {0} Potential opportunities for selling.,Posibles oportunidades para vender . Preferred Billing Address,Preferida Dirección de Facturación @@ -2073,8 +2176,10 @@ Price List not selected,Lista de precios no seleccionado Price List {0} is disabled,Lista de precios {0} está deshabilitado Price or Discount,Precio o Descuento Pricing Rule,Regla Precios -Pricing Rule For Discount,Precios Regla para el descuento -Pricing Rule For Price,Precios Regla para Precio +Pricing Rule Help,Regla precios Ayuda +"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Regla precios se selecciona por primera vez basado en 'Aplicar On' de campo, que puede ser elemento, elemento de grupo o Marca." +"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Regla de precios está sobrescribir Precio de lista / definir porcentaje de descuento, sobre la base de algunos criterios." +Pricing Rules are further filtered based on quantity.,Reglas de las tarifas se filtran más basado en la cantidad. Print Format Style,Formato de impresión Estilo Print Heading,Imprimir Rubro Print Without Amount,Imprimir sin Importe @@ -2102,7 +2207,9 @@ Production Plan Sales Orders,Plan de Producción de órdenes de venta Production Planning Tool,Herramienta de Planificación de la producción Products,Productos "Products will be sorted by weight-age in default searches. More the weight-age, higher the product will appear in the list.","Los productos se clasifican por peso-edad en las búsquedas por defecto. Más del peso-edad , más alto es el producto aparecerá en la lista." +Professional Tax,Profesional de Impuestos Profit and Loss,Pérdidas y Ganancias +Profit and Loss Statement,Ganancias y Pérdidas Project,proyecto Project Costing,Proyecto de Costos Project Details,Detalles del Proyecto @@ -2125,7 +2232,9 @@ Projects & System,Proyectos y Sistema Prompt for Email on Submission of,Preguntar por el correo electrónico en la presentación de Proposal Writing,Redacción de Propuestas Provide email id registered in company,Proporcionar correo electrónico de identificación registrado en la compañía +Provisional Profit / Loss (Credit),Beneficio Provisional / Pérdida (Crédito) Public,público +Published on website at: {0},Publicado en el sitio web en: {0} Publishing,publicación Pull sales orders (pending to deliver) based on the above criteria,Tire de las órdenes de venta (pendiente de entregar ) sobre la base de los criterios anteriores Purchase,compra @@ -2134,7 +2243,6 @@ Purchase Analytics,Compra Analytics Purchase Common,Compra común Purchase Details,compra Detalles Purchase Discounts,Compra Descuentos -Purchase In Transit,Compra In Transit Purchase Invoice,Compra factura Purchase Invoice Advance,Compra Factura Anticipada Purchase Invoice Advances,Avances Compra Factura @@ -2142,7 +2250,6 @@ Purchase Invoice Item,Factura de compra del artículo Purchase Invoice Trends,Compra Tendencias Factura Purchase Invoice {0} is already submitted,Compra Factura {0} ya está presentado Purchase Order,Orden de Compra -Purchase Order Date,Orden de Compra Fecha Purchase Order Item,Orden de compra de artículos Purchase Order Item No,Orden de compra del artículo Purchase Order Item Supplied,Orden de compra del artículo suministrado @@ -2206,7 +2313,6 @@ Quarter,trimestre Quarterly,trimestral Quick Help,Ayuda Rápida Quotation,cita -Quotation Date,Cotización Fecha Quotation Item,Cotización del artículo Quotation Items,Cotización Artículos Quotation Lost Reason,Cita Perdida Razón @@ -2284,6 +2390,7 @@ Recurring Invoice,factura recurrente Recurring Type,Tipo recurrente Reduce Deduction for Leave Without Pay (LWP),Reducir Deducción por licencia sin sueldo ( LWP ) Reduce Earning for Leave Without Pay (LWP),Reduzca la ganancia por licencia sin sueldo ( LWP ) +Ref,Referencia Ref Code,Código Ref Ref SQ,Ref SQ Reference,referencia @@ -2307,6 +2414,7 @@ Relieving Date,Aliviar Fecha Relieving Date must be greater than Date of Joining,Aliviar fecha debe ser mayor que Fecha de acceso Remark,observación Remarks,observaciones +Remarks Custom,Observaciones Custom Rename,rebautizar Rename Log,Cambiar el nombre de sesión Rename Tool,Cambiar el nombre de la herramienta @@ -2322,6 +2430,7 @@ Report Type,Tipo de informe Report Type is mandatory,Tipo de informe es obligatorio Reports to,Informes al Reqd By Date,Reqd Por Fecha +Reqd by Date,Reqd Fecha Request Type,Tipo de solicitud Request for Information,Solicitud de Información Request for purchase.,Solicitar a la venta. @@ -2375,21 +2484,34 @@ Rounded Total,total redondeado Rounded Total (Company Currency),Total redondeado ( Compañía de divisas ) Row # ,Fila # Row # {0}: , +Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,Fila # {0}: Cantidad ordenada no puede menos que mínima cantidad de pedido de material (definido en maestro de artículos). +Row #{0}: Please specify Serial No for Item {1},"Fila # {0}: Por favor, especifique No para la serie de artículos {1}" "Row {0}: Account does not match with \ - Purchase Invoice Credit To account",Fila {0}: Cuenta no coincide con \ \ n Compra Factura de Crédito Para tener en cuenta + Purchase Invoice Credit To account","Fila {0}: Cuenta no coincide con \ + Compra Factura de Crédito Para tener en cuenta" "Row {0}: Account does not match with \ - Sales Invoice Debit To account",Fila {0}: Cuenta no coincide con \ \ n Factura Débito Para tener en cuenta + Sales Invoice Debit To account","Fila {0}: Cuenta no coincide con \ + Factura Débito Para tener en cuenta" +Row {0}: Conversion Factor is mandatory,Fila {0}: Factor de conversión es obligatoria Row {0}: Credit entry can not be linked with a Purchase Invoice,Fila {0}: entrada de crédito no puede vincularse con una factura de compra Row {0}: Debit entry can not be linked with a Sales Invoice,Fila {0}: entrada de débito no se puede vincular con una factura de venta +Row {0}: Payment amount must be less than or equals to invoice outstanding amount. Please refer Note below.,"Fila {0}: Cantidad de pagos debe ser menor o igual a facturar cantidad pendiente. Por favor, consulte la nota a continuación." +Row {0}: Qty is mandatory,Fila {0}: Cantidad es obligatorio +"Row {0}: Qty not avalable in warehouse {1} on {2} {3}. + Available Qty: {4}, Transfer Qty: {5}","Fila {0}: Cantidad no avalable en almacén {1} del {2} {3}. + Disponible Cantidad: {4}, Traslado Cantidad: {5}" "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 \ \ n debe ser mayor que o igual a {2}" + must be greater than or equal to {2}","Fila {0}: Para establecer {1} periodicidad, diferencia entre desde y hasta la fecha \ + debe ser mayor o igual que {2}" Row {0}:Start Date must be before End Date,Fila {0}: Fecha de inicio debe ser anterior Fecha de finalización Rules for adding shipping costs.,Reglas para la adición de los gastos de envío . Rules for applying pricing and discount.,Reglas para la aplicación de precios y descuentos . Rules to calculate shipping amount for a sale,Reglas para calcular el importe de envío para una venta S.O. No.,S.O. No. +SHE Cess on Excise,SHE Cess sobre Impuestos Especiales +SHE Cess on Service Tax,SHE CESS en Tax Service +SHE Cess on TDS,SHE CESS en TDS SMS Center,Centro SMS -SMS Control,control de SMS SMS Gateway URL,SMS Gateway URL SMS Log,SMS Iniciar sesión SMS Parameter,Parámetro SMS @@ -2494,15 +2616,20 @@ Securities and Deposits,Valores y Depósitos "Select ""Yes"" if this item represents some work like training, designing, consulting etc.","Seleccione "" Sí"" si este artículo representa un poco de trabajo al igual que la formación, el diseño, consultoría , etc" "Select ""Yes"" if you are maintaining stock of this item in your Inventory.","Seleccione "" Sí"" si usted está manteniendo un balance de este artículo en su inventario." "Select ""Yes"" if you supply raw materials to your supplier to manufacture this item.","Seleccione "" Sí"" si usted suministra materias primas a su proveedor para la fabricación de este artículo." +Select Brand...,Seleccionar Marca ... Select Budget Distribution to unevenly distribute targets across months.,Seleccione Asignaciones para distribuir de manera desigual a través de objetivos meses . "Select Budget Distribution, if you want to track based on seasonality.","Seleccione Presupuesto Distribución , si desea realizar un seguimiento basado en la estacionalidad." +Select Company...,Seleccione la empresa ... Select DocType,Seleccione tipo de documento +Select Fiscal Year...,Seleccione el año fiscal ... Select Items,Seleccione Artículos +Select Project...,Seleccionar Proyecto ... Select Purchase Receipts,Seleccionar Compra Receipts Select Sales Orders,Selección de órdenes de venta Select Sales Orders from which you want to create Production Orders.,Seleccione órdenes de venta a partir del cual desea crear órdenes de producción. Select Time Logs and Submit to create a new Sales Invoice.,Seleccionar registros de tiempo e Presentar después de crear una nueva factura de venta . Select Transaction,Seleccione Transacción +Select Warehouse...,Seleccione Almacén ... Select Your Language,Seleccione su idioma Select account head of the bank where cheque was deposited.,Seleccione la cuenta la cabeza del banco donde cheque fue depositado . Select company name first.,Seleccionar nombre de la empresa en primer lugar. @@ -2520,6 +2647,7 @@ Select your home country and check the timezone and currency.,Seleccione su paí "Selecting ""Yes"" will give a unique identity to each entity of this item which can be viewed in the Serial No master.","Al seleccionar "" Sí"" le dará una identidad única a cada entidad de este artículo que se puede ver en la serie No amo." Selling,de venta Selling Settings,La venta de Ajustes +"Selling must be checked, if Applicable For is selected as {0}","Selling debe comprobar, si se selecciona aplicable Para que {0}" Send,enviar Send Autoreply,Enviar Respuesta automática Send Email,Enviar Email @@ -2556,7 +2684,8 @@ Serial Nos Required for Serialized Item {0},Serie n Necesario para artículo ser Serial Number Series,Número de Serie Serie Serial number {0} entered more than once,Número de serie {0} entraron más de una vez "Serialized Item {0} cannot be updated \ - using Stock Reconciliation",Artículo Serialized {0} no se puede actualizar \ \ n usando Stock Reconciliación + using Stock Reconciliation","Artículo Serialized {0} no se puede actualizar \ + mediante Stock Reconciliación" Series,serie Series List for this Transaction,Lista de series para esta transacción Series Updated,Series Actualizado @@ -2565,15 +2694,18 @@ Series is mandatory,Serie es obligatorio Series {0} already used in {1},Serie {0} ya se utiliza en {1} Service,servicio Service Address,Dirección del Servicio +Service Tax,Impuestos de Servicio Services,servicios Set,conjunto "Set Default Values like Company, Currency, Current Fiscal Year, etc.","Establecer valores predeterminados , como empresa , vigencia actual año fiscal , etc" 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 . +Set Status as Available,Estado Establecer como disponible Set as Default,Establecer como predeterminado Set as Lost,Establecer como Perdidos Set prefix for numbering series on your transactions,Establecer prefijo de numeración de serie en sus transacciones Set targets Item Group-wise for this Sales Person.,Establecer objetivos artículo grupo que tienen para este vendedor. Setting Account Type helps in selecting this Account in transactions.,Ajuste del tipo de cuenta le ayuda en la selección de esta cuenta en las transacciones. +Setting this Address Template as default as there is no other default,Al establecer esta plantilla de dirección por defecto ya que no hay otra manera predeterminada Setting up...,Configuración ... Settings,Configuración Settings for HR Module,Ajustes para el Módulo de Recursos Humanos @@ -2581,6 +2713,7 @@ Settings for HR Module,Ajustes para el Módulo de Recursos Humanos Setup,disposición Setup Already Complete!!,Configuración ya completo ! Setup Complete,Instalación completa +Setup SMS gateway settings,Configuración de puerta de enlace de configuración de SMS Setup Series,Serie de configuración Setup Wizard,Asistente de configuración Setup incoming server for jobs email id. (e.g. jobs@example.com),Configuración del servidor de correo entrante para los trabajos de identificación del email . (por ejemplo jobs@example.com ) @@ -2606,6 +2739,7 @@ Short biography for website and other publications.,Breve biografía de la pági Show In Website,Mostrar En Sitio Web Show a slideshow at the top of the page,Mostrar una presentación de diapositivas en la parte superior de la página Show in Website,Mostrar en Sitio Web +Show rows with zero values,Mostrar filas con valores de cero Show this slideshow at the top of the page,Mostrar esta presentación de diapositivas en la parte superior de la página Sick Leave,baja por enfermedad Signature,firma @@ -2635,9 +2769,9 @@ Specifications,Especificaciones "Specify the operations, operating cost and give a unique Operation no to your operations.","Especifique la operación , el costo de operación y dar una operación única que no a sus operaciones." Split Delivery Note into packages.,Dividir nota de entrega en paquetes . Sports,deportes +Sr,Sr Standard,estándar Standard Buying,Compra estándar -Standard Rate,Tarifa estandar Standard Reports,Informes estándar Standard Selling,Venta estándar Standard contract terms for Sales or Purchase.,Condiciones contractuales estándar para Ventas o Compra. @@ -2646,6 +2780,7 @@ Start Date,Fecha de inicio Start date of current invoice's period,Fecha del período de facturación actual Inicie Start date should be less than end date for Item {0},La fecha de inicio debe ser menor que la fecha de finalización para el punto {0} State,estado +Statement of Account,Estado de cuenta Static Parameters,Parámetros estáticos Status,estado Status must be one of {0},Estado debe ser uno de {0} @@ -2687,6 +2822,7 @@ Stock Value Difference,Stock valor de la diferencia Stock balances updated,Saldos archivo actualizado Stock cannot be updated against Delivery Note {0},Stock no puede actualizarse contra entrega Nota {0} Stock entries exist against warehouse {0} cannot re-assign or modify 'Master Name',Existen entradas de archivo contra almacén {0} no se puede volver a asignar o modificar ' Maestro Name' +Stock transactions before {0} are frozen,Operaciones bursátiles antes de {0} se congelan Stop,Deténgase Stop Birthday Reminders,Detener Birthday Reminders Stop Material Request,Solicitud Detener material @@ -2706,13 +2842,13 @@ Submit this Production Order for further processing.,Enviar esta Orden de Produc Submitted,Enviado Subsidiary,filial Successful: ,Con éxito: -Successfully allocated,exitosamente asignado +Successfully Reconciled,Con éxito Reconciled Suggestions,Sugerencias Sunday,domingo Supplier,proveedor Supplier (Payable) Account,Proveedor (A pagar ) Cuenta Supplier (vendor) name as entered in supplier master,Proveedor (vendedor ) nombre que ingresó en el maestro de proveedores -Supplier Account,cuenta Proveedor +Supplier > Supplier Type,Proveedor> Tipo de Proveedor Supplier Account Head,Cuenta Proveedor Head Supplier Address,Dirección del proveedor Supplier Addresses and Contacts,Direcciones del surtidor y Contactos @@ -2750,6 +2886,12 @@ Sync with Google Drive,Sincronización con Google Drive System,sistema System Settings,Configuración del sistema "System User (login) ID. If set, it will become default for all HR forms.","Usuario del sistema (login ) de diámetro. Si se establece , será por defecto para todas las formas de recursos humanos." +TDS (Advertisement),TDS (Publicidad) +TDS (Commission),TDS (Comisión) +TDS (Contractor),TDS (Contratista) +TDS (Interest),TDS (Intereses) +TDS (Rent),TDS (Alquiler) +TDS (Salary),TDS (Salario) Target Amount,Monto Target Target Detail,Objetivo Detalle Target Details,Detalles Target @@ -2770,10 +2912,12 @@ Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are no Tax Rate,Tasa de Impuesto Tax and other salary deductions.,Tributaria y otras deducciones salariales. "Tax detail table fetched from item master as a string and stored in this field. -Used for Taxes and Charges",Impuesto tabla de detalles descargue de maestro de artículos en forma de cadena y se almacenan en este campo. \ Nused de Impuestos y Cargos +Used for Taxes and Charges","Tabla de detalles de impuestos recoger del maestro de artículos en forma de cadena y se almacena en este campo. + Se utiliza para las tasas y cargos" Tax template for buying transactions.,Plantilla de impuestos para la compra de las transacciones. Tax template for selling transactions.,Plantilla Tributaria para la venta de las transacciones. Taxable,imponible +Taxes,Impuestos Taxes and Charges,Impuestos y Cargos Taxes and Charges Added,Impuestos y cargos adicionales Taxes and Charges Added (Company Currency),Impuestos y cargos adicionales ( Compañía de divisas ) @@ -2786,6 +2930,7 @@ Technology,tecnología Telecommunications,Telecomunicaciones Telephone Expenses,gastos por servicios telefónicos Television,televisión +Template,Plantilla Template for performance appraisals.,Plantilla para las evaluaciones de desempeño . Template of terms or contract.,Plantilla de términos o contrato. Temporary Accounts (Assets),Cuentas Temporales ( Activos ) @@ -2815,7 +2960,8 @@ The First User: You,La Primera Usuario: The Organization,La Organización "The account head under Liability, in which Profit/Loss will be booked","El director cuenta con la responsabilidad civil , en el que será reservado Ganancias / Pérdidas" "The date on which next invoice will be generated. It is generated on submit. -",La fecha en que se generará la próxima factura. +","La fecha en que se generará la próxima factura. Se genera en enviar. +" The date on which recurring invoice will be stop,La fecha en que se detiene la factura recurrente "The day of the month on which auto invoice will be generated e.g. 05, 28 etc ","El día del mes en el que se generará factura auto por ejemplo 05, 28, etc" The day(s) on which you are applying for leave are holiday. You need not apply for leave.,El día ( s ) sobre el cual está solicitando la licencia son vacaciones. Usted no tiene que solicitar la licencia . @@ -2827,6 +2973,7 @@ The net weight of this package. (calculated automatically as sum of net weight o The new BOM after replacement,La nueva lista de materiales después de la sustitución The rate at which Bill Currency is converted into company's base currency,La velocidad a la que Bill moneda se convierte en la moneda base de la compañía 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 en enviar . +"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Entonces reglas de precios son filtradas en base a cliente, grupo de clientes, Territorio, proveedor, tipo de proveedor, Campaña, socio de ventas, etc" There are more holidays than working days this month.,Hay más vacaciones que los días de trabajo de este mes. "There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Sólo puede haber una regla Condición inicial con 0 o valor en blanco de ""To Value""" There is not enough leave balance for Leave Type {0},No hay equilibrio permiso suficiente para Dejar Escriba {0} @@ -2838,6 +2985,7 @@ This Leave Application is pending approval. Only the Leave Apporver can update s This Time Log Batch has been billed.,Este lote Hora de registro se ha facturado . This Time Log Batch has been cancelled.,Este lote Hora de registro ha sido cancelado . This Time Log conflicts with {0},This Time Entrar en conflicto con {0} +This format is used if country specific format is not found,Este formato se utiliza si no se encuentra en formato específico del país This is a root account and cannot be edited.,Esta es una cuenta de la raíz y no se puede editar . This is a root customer group and cannot be edited.,Se trata de un grupo de clientes de la raíz y no se puede editar . This is a root item group and cannot be edited.,Se trata de un grupo de elementos de raíz y no se puede editar . @@ -2853,7 +3001,9 @@ Time Log Batch,Lote Hora de registro Time Log Batch Detail,Detalle de lotes Hora de registro Time Log Batch Details,Tiempo de registro incluye el detalle de lotes Time Log Batch {0} must be 'Submitted',Lote Hora de registro {0} debe ser ' Enviado ' +Time Log Status must be Submitted.,Hora de registro de estado debe ser presentada. Time Log for tasks.,Hora de registro para las tareas. +Time Log is not billable,Hora de registro no es facturable Time Log {0} must be 'Submitted',Hora de registro {0} debe ser ' Enviado ' Time Zone,huso horario Time Zones,Husos horarios @@ -2866,6 +3016,7 @@ To,a To Currency,Para moneda To Date,Hasta la fecha To Date should be same as From Date for Half Day leave,Hasta la fecha debe ser igual a partir de la fecha para la licencia de medio día +To Date should be within the Fiscal Year. Assuming To Date = {0},Hasta la fecha debe estar dentro del año fiscal. Asumiendo la fecha = {0} To Discuss,Para Discuta To Do List,Para hacer la lista To Package No.,Al paquete No. @@ -2875,8 +3026,8 @@ To Value,Con el valor To Warehouse,Para Almacén "To add child nodes, explore tree and click on the node under which you want to add more nodes.","Para agregar nodos secundarios , explorar el árbol y haga clic en el nodo en el que desea agregar más nodos." "To assign this issue, use the ""Assign"" button in the sidebar.","Para asignar este problema, utilice el botón "" Assign"" en la barra lateral ." -To create a Bank Account:,Para crear una cuenta de banco: -To create a Tax Account:,Para crear una cuenta de impuestos : +To create a Bank Account,Para crear una Cuenta Bancaria +To create a Tax Account,Para crear una cuenta de impuestos "To create an Account Head under a different company, select the company and save customer.","Para crear un Jefe de Cuenta bajo una compañía diferente , seleccione la empresa y salvar a los clientes." To date cannot be before from date,Hasta la fecha no puede ser antes de la fecha de To enable Point of Sale features,Para activar punto de venta características @@ -2884,22 +3035,23 @@ To enable Point of Sale view,Para activar punto de venta < / b > Vist To get Item Group in details table,Para obtener Grupo artículo en la tabla detalles "To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Para incluir el impuesto de la fila {0} en la tasa de artículo , los impuestos en filas {1} también deben ser incluidos" "To merge, following properties must be same for both items","Para combinar , siguientes propiedades deben ser el mismo para ambos ítems" -"To report an issue, go to ", +"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 normas sobre tarifas aplicables deben ser desactivados." "To set this Fiscal Year as Default, click on 'Set as Default'","Para establecer este año fiscal como predeterminada , haga clic en "" Establecer como predeterminado """ To track any installation or commissioning related work after sales,Para el seguimiento de cualquier instalación o puesta en obra relacionada postventa "To track brand name in the following documents Delivery Note, Opportunity, Material Request, Item, Purchase Order, Purchase Voucher, Purchaser Receipt, Quotation, Sales Invoice, Sales BOM, Sales Order, Serial No","Para realizar el seguimiento de marca en el siguiente documento Nota de entrega , Oportunidad , solicitud de material , artículo , Orden de Compra, Comprar Bono , el recibo de compra , cotización , factura de venta , lista de materiales de ventas , órdenes de venta , Número de Serie" To track item in sales and purchase documents based on their serial nos. This is can also used to track warranty details of the product.,Para rastrear artículo en ventas y documentos de compra en base a sus nn serie. Esto se puede también utilizar para rastrear información sobre la garantía del producto. To track items in sales and purchase documents with batch nos
Preferred Industry: Chemicals etc,Para realizar un seguimiento de los elementos de las ventas y la compra de los documentos con lotes nos
Industria preferido: Productos químicos etc < / b > To track items using barcode. You will be able to enter items in Delivery Note and Sales Invoice by scanning barcode of item.,Para realizar un seguimiento de elementos mediante código de barras. Usted será capaz de entrar en los elementos de la nota de entrega y la factura de venta mediante el escaneo de código de barras del artículo. +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. Tools,instrumentos Total,total +Total ({0}),Total ({0}) Total Advance,Avance total -Total Allocated Amount,Total Asignado -Total Allocated Amount can not be greater than unmatched amount,Total distribuidos no puede ser mayor que la cantidad sin precedentes Total Amount,Importe total Total Amount To Pay,Monto total a pagar Total Amount in Words,Monto total de Palabras Total Billing This Year: ,Facturación total de este año: +Total Characters,Total Jugadores Total Claimed Amount,Total Reclamado Total Commission,total Comisión Total Cost,Coste total @@ -2923,14 +3075,13 @@ Total Score (Out of 5),Puntaje total (de 5 ) Total Tax (Company Currency),Impuesto total ( Compañía de divisas ) Total Taxes and Charges,Total Impuestos y Cargos Total Taxes and Charges (Company Currency),Total Impuestos y Cargos ( Compañía de divisas ) -Total Words,Palabras totales -Total Working Days In The Month,Días laborables totales en el mes Total allocated percentage for sales team should be 100,Porcentaje del total asignado para el equipo de ventas debe ser de 100 Total amount of invoices received from suppliers during the digest period,Importe total de las facturas recibidas de los proveedores durante el período de digestión Total amount of invoices sent to the customer during the digest period,Importe total de las facturas enviadas a los clientes durante el período de digestión Total cannot be zero,Total no puede ser cero Total in words,Total en palabras Total points for all goals should be 100. It is {0},Total de puntos para todos los objetivos deben ser 100 . Es {0} +Total valuation for manufactured or repacked item(s) can not be less than total valuation of raw materials,Valoración total para cada elemento (s) de la empresa o embalados de nuevo no puede ser inferior al valor total de las materias primas Total weightage assigned should be 100%. It is {0},Weightage total asignado debe ser de 100 %. Es {0} Totals,totales Track Leads by Industry Type.,Pista conduce por tipo de industria . @@ -2966,7 +3117,7 @@ UOM Conversion Details,UOM Detalles de conversión UOM Conversion Factor,UOM Factor de Conversión UOM Conversion factor is required in row {0},Se requiere el factor de conversión de la UOM en la fila {0} UOM Name,Nombre UOM -UOM coversion factor required for UOM {0} in Item {1},Factor de coversion UOM requerido para UOM {0} en el punto {1} +UOM coversion factor required for UOM: {0} in Item: {1},Factor de coversion UOM requerido para UOM: {0} en el artículo: {1} Under AMC,Bajo AMC Under Graduate,Bajo de Postgrado Under Warranty,Bajo Garantía @@ -2976,8 +3127,8 @@ Unit of Measure {0} has been entered more than once in Conversion Factor Table,U "Unit of measurement of this item (e.g. Kg, Unit, No, Pair).","Unidad de medida de este material ( por ejemplo, Kg , Unidad , No, par) ." Units/Hour,Unidades / hora Units/Shifts,Unidades / Turnos -Unmatched Amount,Importe sin igual Unpaid,no pagado +Unreconciled Payment Details,No reconciliadas Detalles de pago Unscheduled,no programada Unsecured Loans,Préstamos sin garantía Unstop,desatascar @@ -2992,7 +3143,6 @@ Update Landed Cost,Actualice el costo de aterrizaje Update Series,Series Update Update Series Number,Actualización de los números de serie Update Stock,Actualización de Stock -"Update allocated amount in the above table and then click ""Allocate"" button","Update asignado cantidad en la tabla de arriba y luego haga clic en el botón "" Asignar """ Update bank payment dates with journals.,Actualización de las fechas de pago del banco con las revistas . Update clearance date of Journal Entries marked as 'Bank Vouchers',Fecha de despacho de actualización de entradas de diario marcado como ' Banco vales ' Updated,actualizado @@ -3009,6 +3159,7 @@ Upper Income,Ingresos superior Urgent,urgente Use Multi-Level BOM,Utilice Multi - Nivel BOM Use SSL,Utilice SSL +Used for Production Plan,Se utiliza para el Plan de Producción User,usuario User ID,ID de usuario User ID not set for Employee {0},ID de usuario no se establece para el empleado {0} @@ -3047,9 +3198,9 @@ View Now,ver Ahora Visit report for maintenance call.,Visita informe de llamada de mantenimiento . Voucher #,Bono # Voucher Detail No,Detalle hoja no +Voucher Detail Number,Vale Número Detalle Voucher ID,vale ID Voucher No,vale No -Voucher No is not valid,No vale no es válida Voucher Type,Tipo de Vales Voucher Type and Date,Tipo Bono y Fecha Walk In,Walk In @@ -3065,11 +3216,12 @@ Warehouse is mandatory for stock Item {0} in row {1},Warehouse es obligatoria pa Warehouse is missing in Purchase Order,Almacén falta en la Orden de Compra Warehouse not found in the system,Almacén no se encuentra en el sistema Warehouse required for stock Item {0},Depósito requerido para la acción del artículo {0} -Warehouse required in POS Setting,Depósito requerido en POS Ajuste Warehouse where you are maintaining stock of rejected items,Almacén en el que está manteniendo un balance de los artículos rechazados Warehouse {0} can not be deleted as quantity exists for Item {1},Almacén {0} no se puede eliminar mientras exista cantidad de artículo {1} Warehouse {0} does not belong to company {1},Almacén {0} no pertenece a la empresa {1} Warehouse {0} does not exist,Almacén {0} no existe +Warehouse {0}: Company is mandatory,Almacén {0}: Company es obligatoria +Warehouse {0}: Parent account {1} does not bolong to the company {2},Almacén {0}: cuenta Parent {1} no bolong a la empresa {2} Warehouse-Wise Stock Balance,Warehouse- Wise Stock Equilibrio Warehouse-wise Item Reorder,- Almacén sabio artículo reorden Warehouses,Almacenes @@ -3114,13 +3266,14 @@ Will be updated when batched.,Se actualizará cuando por lotes. Will be updated when billed.,Se actualizará cuando se facturan . Wire Transfer,Transferencia Bancaria With Operations,Con operaciones -With period closing entry,Con la entrada de cierre del período +With Period Closing Entry,Con la entrada del período de cierre Work Details,Detalles de trabajo Work Done,trabajo realizado Work In Progress,Trabajos en curso Work-in-Progress Warehouse,Trabajos en Progreso Almacén Work-in-Progress Warehouse is required before Submit,Se requiere un trabajo - en - progreso almacén antes Presentar Working,laboral +Working Days,Días de trabajo Workstation,puesto de trabajo Workstation Name,Estación de trabajo Nombre Write Off Account,Escribe Off Cuenta @@ -3136,9 +3289,6 @@ Year Closed,Año Cerrado Year End Date,Año Fecha de finalización Year Name,Nombre Año Year Start Date,Año Fecha de inicio -Year Start Date and Year End Date are already set in Fiscal Year {0},Año Fecha de inicio y de fin de año Fecha ya están establecidas en el Año Fiscal {0} -Year Start Date and Year End Date are not within Fiscal Year.,Año Fecha de inicio y de fin de año La fecha no se encuentran dentro del año fiscal . -Year Start Date should not be greater than Year End Date,Año Fecha de inicio no debe ser mayor que el año Fecha de finalización Year of Passing,Año de fallecimiento Yearly,anual Yes,sí @@ -3148,7 +3298,6 @@ You are the Expense Approver for this record. Please Update the 'Status' and Sav You are the Leave Approver for this record. Please Update the 'Status' and Save,Usted es el aprobador Dejar para este registro. Actualice el 'Estado' y Save You can enter any date manually,Puede introducir cualquier fecha manualmente You can enter the minimum quantity of this item to be ordered.,Puede introducir la cantidad mínima de este artículo será condenada . -You can not assign itself as parent account,No se puede asignar como cuenta primaria You can not change rate if BOM mentioned agianst any item,No se puede cambiar la velocidad si BOM mencionó agianst cualquier artículo You can not enter both Delivery Note No and Sales Invoice No. Please enter any one.,No se puede introducir tanto Entrega Nota No y Factura No. Por favor ingrese cualquiera . You can not enter current voucher in 'Against Journal Voucher' column,Usted no puede entrar bono actual en ' Contra Diario Vale ' columna @@ -3160,7 +3309,6 @@ You cannot credit and debit same account at the same time,No se puede de crédit You have entered duplicate items. Please rectify and try again.,Ha introducido los elementos duplicados . Por favor rectifique y vuelva a intentarlo . You may need to update: {0},Puede que tenga que actualizar : {0} You must Save the form before proceeding,Debe guardar el formulario antes de proceder -You must allocate amount before reconcile,Debe asignar cantidad antes de conciliar Your Customer's TAX registration numbers (if applicable) or any general information,Los números de registro de impuestos de su cliente ( si es aplicable) o cualquier información de carácter general Your Customers,Sus Clientes Your Login Id,Su usuario Id @@ -3173,11 +3321,13 @@ Your sales person who will contact the customer in future,Su persona de ventas q Your sales person will get a reminder on this date to contact the customer,Su persona de ventas se pondrá un aviso en esta fecha para ponerse en contacto con el cliente Your setup is complete. Refreshing...,Su configuración se ha completado . Refrescante ... Your support email id - must be a valid email - this is where your emails will come!,Su apoyo correo electrónico de identificación - debe ser un correo electrónico válido - aquí es donde tus correos electrónicos vendrán! +[Error],[Error] [Select],[Seleccionar ] `Freeze Stocks Older Than` should be smaller than %d days.,` Acciones Freeze viejo que ` debe ser menor que % d días . and,y are not allowed.,no están permitidos. assigned by,asignado por +cannot be greater than 100,no puede ser mayor que 100 "e.g. ""Build tools for builders""","por ejemplo "" Construir herramientas para los constructores """ "e.g. ""MC""","por ejemplo ""MC """ "e.g. ""My Company LLC""","por ejemplo ""Mi Company LLC """ @@ -3190,32 +3340,34 @@ example: Next Day Shipping,ejemplo : Envío Día Siguiente lft,lft old_parent,old_parent rgt,RGT +subject,Asunto +to,a website page link,el vínculo web {0} '{1}' not in Fiscal Year {2},{0} '{1}' no en el Año Fiscal {2} {0} Credit limit {0} crossed,{0} Límite de crédito {0} cruzado {0} Serial Numbers required for Item {0}. Only {0} provided.,{0} de números de serie de artículos requeridos para {0} . Sólo {0} prevista . {0} budget for Account {1} against Cost Center {2} will exceed by {3},{0} presupuesto para la cuenta {1} en contra de centros de coste {2} superará por {3} +{0} can not be negative,{0} no puede ser negativo {0} created,{0} creado {0} does not belong to Company {1},{0} no pertenece a la empresa {1} {0} entered twice in Item Tax,{0} entrado dos veces en el Impuesto de artículos {0} is an invalid email address in 'Notification Email Address',{0} es una dirección de correo electrónico válida en el ' Notificación de E-mail ' {0} is mandatory,{0} es obligatorio {0} is mandatory for Item {1},{0} no es obligatorio para el elemento {1} +{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} es obligatorio. Tal vez no se crea registro de cambio para {1} a {2}. {0} is not a stock Item,{0} no es un producto imprescindible {0} is not a valid Batch Number for Item {1},{0} no es un número de lote válida para el elemento {1} -{0} is not a valid Leave Approver,{0} no es un Dejar aprobador válida +{0} is not a valid Leave Approver. Removing row #{1}.,{0} no es un Dejar aprobador válida. La eliminación de la fila # {1}. {0} is not a valid email id,{0} no es un correo electrónico de identificación válida {0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,"{0} es ahora la predeterminada año fiscal . Por favor, actualice su navegador para que el cambio surta efecto." {0} is required,{0} es necesario {0} must be a Purchased or Sub-Contracted Item in row {1},{0} debe ser un objeto de compra o de subcontratación en la fila {1} -{0} must be less than or equal to {1},{0} debe ser menor o igual a {1} +{0} must be reduced by {1} or you should increase overflow tolerance,{0} debe reducirse en {1} o se debe aumentar la tolerancia de desbordamiento {0} must have role 'Leave Approver',{0} debe tener rol ' Dejar aprobador ' {0} valid serial nos for Item {1},{0} nn serie válidos para el elemento {1} {0} {1} against Bill {2} dated {3},{0} {1} { 2 contra Bill } {3} de fecha {0} {1} against Invoice {2},{0} {1} contra Factura {2} {0} {1} has already been submitted,{0} {1} ya ha sido presentado -{0} {1} has been modified. Please Refresh,{0} {1} ha sido modificado. recargar -{0} {1} has been modified. Please refresh,"{0} {1} ha sido modificado. Por favor, actualice" {0} {1} has been modified. Please refresh.,{0} {1} ha sido modificado. Por favor regenere . {0} {1} is not submitted,{0} {1} no se presenta {0} {1} must be submitted,{0} {1} debe ser presentado @@ -3223,3 +3375,5 @@ website page link,el vínculo web {0} {1} status is 'Stopped',{0} {1} Estado se ' Detenido ' {0} {1} status is Stopped,{0} {1} estado es Detenido {0} {1} status is Unstopped,{0} {1} Estado es destapados +{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Centro de Costo es obligatorio para el punto {2} +{0}: {1} not found in Invoice Details table,{0}: {1} no se encuentra en la factura Detalles mesa diff --git a/erpnext/translations/fr.csv b/erpnext/translations/fr.csv index 6650486223..16bf387acc 100644 --- a/erpnext/translations/fr.csv +++ b/erpnext/translations/fr.csv @@ -14,7 +14,6 @@ % of materials delivered against this Sales Order,% Des matériaux livrés contre cette ordonnance ventes % of materials ordered against this Material Request,% De matériaux ordonnée contre cette Demande de Matériel % of materials received against this Purchase Order,% Des documents reçus contre ce bon de commande -%(conversion_rate_label)s is mandatory. Maybe Currency Exchange record is not created for %(from_currency)s to %(to_currency)s,% ( conversion_rate_label ) s est obligatoire . Peut-être que dossier de change n'est pas créé pour % ( from_currency ) s à % ( to_currency ) s 'Actual Start Date' can not be greater than 'Actual End Date',« Date de Début réel » ne peut être supérieur à ' Date réelle de fin » 'Based On' and 'Group By' can not be same,"Types d'emploi ( permanent, contractuel , stagiaire , etc ) ." 'Days Since Last Order' must be greater than or equal to zero,Arbre de centres de coûts finanial . @@ -30,11 +29,35 @@ 'Update Stock' for Sales Invoice {0} must be set,Remarque: la date d'échéance dépasse les jours de crédit accordés par {0} jour (s ) * Will be calculated in the transaction.,* Sera calculé de la transaction. "1 Currency = [?] Fraction -For e.g. 1 USD = 100 Cent",1 devise = [ ? ] Fraction \ nPour exemple +For e.g. 1 USD = 100 Cent","1 devise = [?] Fraction + Pour exemple, 1 USD = 100 cents" 1. To maintain the customer wise item code and to make them searchable based on their code use this option,1. Pour maintenir le code de référence du client sage et de les rendre consultables en fonction de leur code d'utiliser cette option "
Add / Edit"," Ajouter / Modifier < / a>" "Add / Edit"," Ajouter / Modifier < / a>" "Add / Edit"," Ajouter / Modifier < / a>" +"

Default Template

+

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

+
{{ address_line1 }}<br>
+{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}
+{{ city }}<br>
+{% if state %}{{ state }}<br>{% endif -%}
+{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}
+{{ country }}<br>
+{% if phone %}Phone: {{ phone }}<br>{% endif -%}
+{% if fax %}Fax: {{ fax }}<br>{% endif -%}
+{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
+
","

modèle par défaut +

Utilise Jinja création de modèles et tous les domaines de l'Adresse ( y compris les champs personnalisés cas échéant) sera disponible +

  {{}} address_line1 Photos 
+ {% si address_line2%} {{}} address_line2 
{ % endif -%} + {{ville}} Photos + {% si l'état%} {{état}} {% endif Photos -%} + {% if%} code PIN PIN: {{code PIN}} {% endif Photos -%} + {{pays}} Photos + {% si le téléphone%} Téléphone: {{phone}} {
% endif -%} + {% if%} fax Fax: {{fax}} {% endif Photos -%} + {% if%} email_id Email: {{}} email_id Photos ; {% endif -%} + " A Customer Group exists with same name please change the Customer name or rename the Customer Group,BOM récursivité : {0} ne peut pas être le parent ou l'enfant de {2} A Customer exists with same name,Une clientèle existe avec le même nom A Lead with this email id should exist,Un responsable de cette id e-mail doit exister @@ -44,7 +67,6 @@ A symbol for this currency. For e.g. $,Un symbole de cette monnaie. Pour exemple AMC Expiry Date,AMC Date d'expiration Abbr,Abbr Abbreviation cannot have more than 5 characters,Compte avec la transaction existante ne peut pas être converti en groupe. -About,Sur Above Value,Au-dessus de la valeur Absent,Absent Acceptance Criteria,Critères d'acceptation @@ -59,6 +81,8 @@ Account Details,Détails du compte Account Head,Chef du compte Account Name,Nom du compte Account Type,Type de compte +"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Le solde du compte déjà en crédit, vous n'êtes pas autorisé à mettre en 'équilibre doit être' comme 'débit'" +"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Le solde du compte déjà en débit, vous n'êtes pas autorisé à définir 'équilibre doit être' comme 'Crédit'" Account for the warehouse (Perpetual Inventory) will be created under this Account.,Compte de l'entrepôt ( de l'inventaire permanent ) sera créé sous ce compte . Account head {0} created,Employé soulagé sur {0} doit être défini comme «gauche» Account must be a balance sheet account,arrhes @@ -68,13 +92,20 @@ Account with existing transaction can not be deleted,Compte avec la transaction Account with existing transaction cannot be converted to ledger,Compte avec la transaction existante ne peut pas être converti en livre Account {0} cannot be a Group,Compte {0} ne peut pas être un groupe Account {0} does not belong to Company {1},{0} créé +Account {0} does not belong to company: {1},Compte {0} n'appartient pas à l'entreprise: {1} Account {0} does not exist,Votre adresse e-mail Account {0} has been entered more than once for fiscal year {1},S'il vous plaît entrer « Répétez le jour du Mois de la« valeur de champ Account {0} is frozen,Attention: Commande {0} existe déjà contre le même numéro de bon de commande Account {0} is inactive,dépenses directes +Account {0} is not valid,Compte {0} n'est pas valide Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item,Compte {0} doit être de type ' actif fixe ' comme objet {1} est un atout article +Account {0}: Parent account {1} can not be a ledger,Compte {0}: compte de Parent {1} ne peut pas être un grand livre +Account {0}: Parent account {1} does not belong to company: {2},Compte {0}: compte de Parent {1} n'appartient pas à l'entreprise: {2} +Account {0}: Parent account {1} does not exist,Compte {0}: compte de Parent {1} n'existe pas +Account {0}: You can not assign itself as parent account,Compte {0}: Vous ne pouvez pas lui attribuer que compte parent "Account: {0} can only be updated via \ - Stock Transactions",Compte : {0} ne peut être mis à jour via \ \ n stock Transactions + Stock Transactions","Compte: {0} ne peut être mise à jour via \ + Transactions de stock" Accountant,comptable Accounting,Comptabilité "Accounting Entries can be made against leaf nodes, called","Écritures comptables peuvent être faites contre nœuds feuilles , appelé" @@ -124,6 +155,7 @@ Address Details,Détails de l'adresse Address HTML,Adresse HTML Address Line 1,Adresse ligne 1 Address Line 2,Adresse ligne 2 +Address Template,Adresse modèle Address Title,Titre Adresse Address Title is mandatory.,Vous n'êtes pas autorisé à imprimer ce document Address Type,Type d'adresse @@ -144,7 +176,6 @@ Against Docname,Contre docName Against Doctype,Contre Doctype Against Document Detail No,Contre Détail document n Against Document No,Contre le document n ° -Against Entries,contre les entrées Against Expense Account,Contre compte de dépenses Against Income Account,Contre compte le revenu Against Journal Voucher,Contre Bon Journal @@ -180,10 +211,8 @@ All Territories,Compte racine ne peut pas être supprimé "All export related fields like currency, conversion rate, export total, export grand total etc are available in Delivery Note, POS, Quotation, Sales Invoice, Sales Order etc.","Tous les champs liés à l'exportation comme monnaie , taux de conversion , l'exportation totale , l'exportation totale grandiose etc sont disponibles dans la note de livraison , POS , offre , facture de vente , Sales Order etc" "All import related fields like currency, conversion rate, import total, import grand total etc are available in Purchase Receipt, Supplier Quotation, Purchase Invoice, Purchase Order etc.","Tous les champs importation connexes comme monnaie , taux de conversion , totale d'importation , importation grande etc totale sont disponibles en Achat réception , Fournisseur d'offre , facture d'achat , bon de commande , etc" All items have already been invoiced,Tous les articles ont déjà été facturés -All items have already been transferred for this Production Order.,Tous les articles ont déjà été transférés à cet ordre de fabrication . All these items have already been invoiced,Existe compte de l'enfant pour ce compte . Vous ne pouvez pas supprimer ce compte . Allocate,Allouer -Allocate Amount Automatically,Allouer Montant automatiquement Allocate leaves for a period.,Compte temporaire ( actif) Allocate leaves for the year.,Allouer des feuilles de l'année. Allocated Amount,Montant alloué @@ -204,13 +233,13 @@ Allow Users,Autoriser les utilisateurs Allow the following users to approve Leave Applications for block days.,Autoriser les utilisateurs suivants d'approuver demandes d'autorisation pour les jours de bloc. Allow user to edit Price List Rate in transactions,Permettre à l'utilisateur d'éditer Prix List Noter dans les transactions Allowance Percent,Pourcentage allocation -Allowance for over-delivery / over-billing crossed for Item {0},Maître de liste de prix . +Allowance for over-{0} crossed for Item {1},Allocation pour les plus de {0} croisés pour objet {1} +Allowance for over-{0} crossed for Item {1}.,Allocation pour les plus de {0} franchi pour objet {1}. Allowed Role to Edit Entries Before Frozen Date,Autorisé rôle à modifier les entrées Avant Frozen date Amended From,De modifiée Amount,Montant Amount (Company Currency),Montant (Société Monnaie) -Amount <=,Montant <= -Amount >=,Montant> = +Amount Paid,Montant payé Amount to Bill,Montant du projet de loi An Customer exists with same name,Il existe un client avec le même nom "An Item Group exists with same name, please change the item name or rename the item group","Un groupe d'objet existe avec le même nom , s'il vous plaît changer le nom de l'élément ou de renommer le groupe de l'article" @@ -260,6 +289,7 @@ As per Stock UOM,Selon Stock UDM Asset,atout Assistant,assistant Associate,associé +Atleast one of the Selling or Buying must be selected,Au moins un de la vente ou l'achat doit être sélectionné Atleast one warehouse is mandatory,Atleast un entrepôt est obligatoire Attach Image,suivant Attach Letterhead,Fixez -tête @@ -319,6 +349,7 @@ Balance for Account {0} must always be {1},Point {0} avec Serial Non {1} est dé Balance must be,avec des grands livres "Balances of Accounts of type ""Bank"" or ""Cash""",Date de vieillissement est obligatoire pour l'ouverture d'entrée Bank,Banque +Bank / Cash Account,Banque / Compte de trésorerie Bank A/C No.,Bank A / C No. Bank Account,Compte bancaire Bank Account No.,N ° de compte bancaire @@ -397,18 +428,24 @@ Budget Distribution Details,Détails de la répartition du budget Budget Variance Report,Rapport sur les écarts de budget Budget cannot be set for Group Cost Centers,Imprimer et stationnaire Build Report,construire Rapport -Built on,Vous ne pouvez pas imprimer des documents annulés Bundle items at time of sale.,Regrouper des envois au moment de la vente. Business Development Manager,Directeur du développement des affaires Buying,Achat Buying & Selling,Fin d'année financière Date Buying Amount,Montant d'achat Buying Settings,Réglages d'achat +"Buying must be checked, if Applicable For is selected as {0}","Achat doit être vérifiée, si pour Applicable est sélectionné comme {0}" C-Form,C-Form C-Form Applicable,C-Form applicable C-Form Invoice Detail,C-Form Détail Facture C-Form No,C-formulaire n ° C-Form records,Enregistrements C -Form +CENVAT Capital Goods,CENVAT biens d'équipement +CENVAT Edu Cess,CENVAT Edu Cess +CENVAT SHE Cess,CENVAT ELLE Cess +CENVAT Service Tax,Service Tax CENVAT +CENVAT Service Tax Cess 1,Service CENVAT impôt Cess 1 +CENVAT Service Tax Cess 2,Service CENVAT impôt Cess 2 Calculate Based On,Calculer en fonction Calculate Total Score,Calculer Score total Calendar Events,Calendrier des événements @@ -432,7 +469,7 @@ Cannot approve leave as you are not authorized to approve leaves on Block Dates, Cannot cancel because Employee {0} is already approved for {1},Vous ne pouvez pas annuler parce employés {0} est déjà approuvé pour {1} Cannot cancel because submitted Stock Entry {0} exists,Vous ne pouvez pas annuler car soumis Stock entrée {0} existe Cannot carry forward {0},Point {0} doit être un achat article -Cannot change Year Start Date and Year End Date once the Fiscal Year is saved.,Vous ne pouvez pas modifier Année date de début et de fin d'année Date de fois l'exercice est enregistré . +Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,Vous ne pouvez pas modifier Exercice Date de départ et de l'exercice Date de fin une fois l'exercice est enregistré. "Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.",Voyage Cannot convert Cost Center to ledger as it has child nodes,Vous ne pouvez pas convertir le centre de coûts à livre car il possède des nœuds enfant Cannot covert to Group because Master Type or Account Type is selected.,Il y avait des erreurs lors de l'envoi de courriel . S'il vous plaît essayez de nouveau . @@ -441,7 +478,7 @@ Cannot deactive or cancle BOM as it is linked with other BOMs,Données du projet Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Vous ne pouvez pas déduire lorsqu'une catégorie est pour « évaluation » ou « évaluation et Total """ "Cannot delete Serial No {0} in stock. First remove from stock, then delete.",Heure du journal {0} doit être « déposés » "Cannot directly set amount. For 'Actual' charge type, use the rate field",Programme de maintenance {0} existe contre {0} -"Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in 'Setup' > 'Global Defaults'",Set +"Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in Stock Settings","Vous ne pouvez pas surfacturer pour objet {0} à la ligne {0} plus de {1}. Pour permettre la surfacturation, s'il vous plaît mettre dans les paramètres de droits" Cannot produce more Item {0} than Sales Order quantity {1},effondrement Cannot refer row number greater than or equal to current row number for this Charge type,Nos série requis pour Serialized article {0} Cannot return more than {0} for Item {1},développer @@ -500,10 +537,12 @@ Clearance Date,Date de la clairance Clearance Date not mentioned,"Désignation des employés (par exemple de chef de la direction , directeur , etc.)" Clearance date cannot be before check date in row {0},Chefs de lettre pour des modèles d'impression . Click on 'Make Sales Invoice' button to create a new Sales Invoice.,Cliquez sur le bouton pour créer une nouvelle facture de vente «Facture de vente Make '. -Click on a link to get options to expand get options , +Click on a link to get options to expand get options ,Cliquer sur un lien pour voir les options Client,Client Close Balance Sheet and book Profit or Loss.,Fermer Bilan et livre Bénéfice ou perte . Closed,Fermé +Closing (Cr),Fermeture (Cr) +Closing (Dr),Fermeture (Dr) Closing Account Head,Fermeture chef Compte Closing Account {0} must be of type 'Liability',S'il vous plaît sélectionner valide volet n ° de procéder Closing Date,Date de clôture @@ -514,7 +553,9 @@ CoA Help,Aide CoA Code,Code Cold Calling,Cold Calling Color,Couleur +Column Break,Saut de colonne Comma separated list of email addresses,Comma liste séparée par des adresses e-mail +Comment,Commenter Comments,Commentaires Commercial,Reste du monde Commission,commission @@ -599,7 +640,6 @@ Cosmetics,produits de beauté Cost Center,Centre de coûts Cost Center Details,Coût Center Détails Cost Center Name,Coût Nom du centre -Cost Center is mandatory for Item {0},"Pour exécuter un test ajouter le nom du module dans la route après '{0}' . Par exemple, {1}" Cost Center is required for 'Profit and Loss' account {0},Quantité de minute Cost Center is required in row {0} in Taxes table for type {1},Livré de série n ° {0} ne peut pas être supprimé Cost Center with existing transactions can not be converted to group,S'il vous plaît entrer les détails de l' article @@ -609,6 +649,7 @@ Cost of Goods Sold,Montant payé + Write Off montant ne peut être supérieur à Costing,Costing Country,Pays Country Name,Nom Pays +Country wise default Address Templates,Modèles pays sage d'adresses par défaut "Country, Timezone and Currency","Pays , Fuseau horaire et devise" Create Bank Voucher for the total salary paid for the above selected criteria,Créer Chèques de la Banque pour le salaire total payé pour les critères ci-dessus sélectionnées Create Customer,créer clientèle @@ -662,10 +703,12 @@ Customer (Receivable) Account,Compte client (à recevoir) Customer / Item Name,Client / Nom d'article Customer / Lead Address,Client / plomb adresse Customer / Lead Name,Entrepôt {0} n'existe pas +Customer > Customer Group > Territory,Client> Groupe de clientèle> Territoire Customer Account Head,Compte client Head Customer Acquisition and Loyalty,Acquisition et fidélisation client Customer Address,Adresse du client Customer Addresses And Contacts,Adresses et contacts clients +Customer Addresses and Contacts,Les adresses de clients et contacts Customer Code,Code client Customer Codes,Codes du Client Customer Details,Détails du client @@ -727,6 +770,8 @@ Deduction1,Deduction1 Deductions,Déductions Default,Par défaut Default Account,Compte par défaut +Default Address Template cannot be deleted,Adresse par défaut modèle ne peut pas être supprimé +Default Amount,Montant en défaut Default BOM,Nomenclature par défaut Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,Par défaut Banque / argent compte sera automatiquement mis à jour dans la facture POS lorsque ce mode est sélectionné. Default Bank Account,Compte bancaire par défaut @@ -734,7 +779,6 @@ Default Buying Cost Center,Centre de coûts d'achat par défaut Default Buying Price List,Défaut d'achat Liste des Prix Default Cash Account,Compte de trésorerie par défaut Default Company,Société défaut -Default Cost Center for tracking expense for this item.,Centre de coûts par défaut pour le suivi de charge pour ce poste. Default Currency,Devise par défaut Default Customer Group,Groupe de clients par défaut Default Expense Account,Compte de dépenses par défaut @@ -761,6 +805,7 @@ Default settings for selling transactions.,principal Default settings for stock transactions.,minute Defense,défense "Define Budget for this Cost Center. To set budget action, see
Company Master","Définir le budget pour ce centre de coûts. Pour définir l'action budgétaire, voir Maître Société" +Del,Eff Delete,Effacer Delete {0} {1}?,Supprimer {0} {1} ? Delivered,Livré @@ -809,6 +854,7 @@ Discount (%),Remise (%) Discount Amount,S'il vous plaît tirer des articles de livraison Note "Discount Fields will be available in Purchase Order, Purchase Receipt, Purchase Invoice","Les champs d'actualisation sera disponible en commande, reçu d'achat, facture d'achat" Discount Percentage,Annuler Matériel Visiter {0} avant d'annuler ce numéro de client +Discount Percentage can be applied either against a Price List or for all Price List.,Pourcentage de réduction peut être appliquée contre une liste de prix ou pour toute liste de prix. Discount must be less than 100,La remise doit être inférieure à 100 Discount(%),Remise (%) Dispatch,envoi @@ -841,7 +887,8 @@ Download Template,Télécharger le modèle Download a report containing all raw materials with their latest inventory status,Télécharger un rapport contenant toutes les matières premières avec leur dernier état des stocks "Download the Template, fill appropriate data and attach the modified file.","Télécharger le modèle , remplir les données appropriées et joindre le fichier modifié ." "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écharger le modèle , remplir les données appropriées et joindre le fichier modifié . \ NLes dates et la combinaison de l'employé dans la période sélectionnée apparaît dans le modèle , avec les records de fréquentation existants" +All dates and employee combination in the selected period will come in the template, with existing attendance records","Télécharger le modèle, remplir les données appropriées et joindre le fichier modifié. + Toutes les dates et la combinaison de l'employé dans la période sélectionnée viendront dans le modèle, avec les records de fréquentation existants" Draft,Avant-projet Dropbox,Dropbox Dropbox Access Allowed,Dropbox accès autorisé @@ -863,6 +910,9 @@ Earning & Deduction,Gains et déduction Earning Type,Gagner Type d' Earning1,Earning1 Edit,Éditer +Edu. Cess on Excise,Edu. Cess sur l'accise +Edu. Cess on Service Tax,Edu. Cess sur des services fiscaux +Edu. Cess on TDS,Edu. Cess sur TDS Education,éducation Educational Qualification,Qualification pour l'éducation Educational Qualification Details,Détails de qualification d'enseignement @@ -937,16 +987,27 @@ Enter url parameter for receiver nos,Entrez le paramètre url pour nos récepteu Entertainment & Leisure,Entertainment & Leisure Entertainment Expenses,Frais de représentation Entries,Entrées -Entries against,entrées contre +Entries against , Entries are not allowed against this Fiscal Year if the year is closed.,Les inscriptions ne sont pas autorisés contre cette exercice si l'année est fermé. -Entries before {0} are frozen,«Notification d'adresses électroniques » non spécifiés pour la facture récurrente Equity,Opération {0} est répété dans le tableau des opérations Error: {0} > {1},Erreur: {0} > {1} Estimated Material Cost,Coût des matières premières estimée +"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Même s'il existe plusieurs règles de tarification avec la plus haute priorité, les priorités internes alors suivantes sont appliquées:" Everyone can read,Tout le monde peut lire "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.","Exemple: . ABCD # # # # # \ nSi série est réglé et n ° de série n'est pas mentionné dans les transactions , puis le numéro de série automatique sera créé sur la base de cette série ." +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.",". Exemple: ABCD # # # # # + Si la série est réglé et n ° de série n'est pas mentionné dans les transactions, le numéro de série alors automatique sera créé sur la base de cette série. Si vous voulez toujours de mentionner explicitement série n ° de cet article. laisser ce champ vide." Exchange Rate,Taux de change +Excise Duty 10,Droits d'accise 10 +Excise Duty 14,Droits d'accise 14 +Excise Duty 4,Droits d'accise 4 +Excise Duty 8,Droits d'accise 8 +Excise Duty @ 10,Droits d'accise @ 10 +Excise Duty @ 14,Droits d'accise @ 14 +Excise Duty @ 4,Droits d'accise @ 4 +Excise Duty @ 8,Droits d'accise @ 8 +Excise Duty Edu Cess 2,Droits d'accise Edu Cess 2 +Excise Duty SHE Cess 1,Droits d'accise ELLE Cess 1 Excise Page Number,Numéro de page d'accise Excise Voucher,Bon d'accise Execution,exécution @@ -965,6 +1026,7 @@ Expected Delivery Date cannot be before Sales Order Date,"Stock réconciliation Expected End Date,Date de fin prévue Expected Start Date,Date de début prévue Expense,frais +Expense / Difference account ({0}) must be a 'Profit or Loss' account,Dépenses / compte de la différence ({0}) doit être un compte «de résultat» Expense Account,Compte de dépenses Expense Account is mandatory,Compte de dépenses est obligatoire Expense Claim,Demande d'indemnité de @@ -1015,12 +1077,16 @@ Finished Goods,Produits finis First Name,Prénom First Responded On,D'abord répondu le Fiscal Year,Exercice +Fiscal Year Start Date and Fiscal Year End Date are already set in Fiscal Year {0},Exercice Date de début et de fin d'exercice la date sont réglées dans l'année fiscale {0} +Fiscal Year Start Date and Fiscal Year End Date cannot be more than a year apart.,Exercice date de début et de fin d'exercice date ne peut être plus d'un an d'intervalle. +Fiscal Year Start Date should not be greater than Fiscal Year End Date,Exercice Date de début ne doit pas être supérieure à fin d'exercice Date de Fixed Asset,des immobilisations Fixed Assets,Facteur de conversion est requis Follow via Email,Suivez par e-mail "Following table will show values if items are sub - contracted. These values will be fetched from the master of ""Bill of Materials"" of sub - contracted items.",Le tableau suivant indique les valeurs si les articles sont en sous - traitance. Ces valeurs seront extraites de la maîtrise de la «Bill of Materials" de sous - traitance articles. Food,prix "Food, Beverage & Tobacco","Alimentation , boissons et tabac" +"For 'Sales BOM' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Sales BOM' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Pour les articles ""ventes de nomenclature», Entrepôt, N ° de série et de lot n ° sera considéré comme de la table la «Liste d'emballage. Si Entrepôt et lot n ° sont les mêmes pour tous les articles d'emballage pour tout article 'Sales nomenclature », ces valeurs peuvent être entrées dans le tableau principal de l'article, les valeurs seront copiés sur« Liste d'emballage »table." For Company,Pour l'entreprise For Employee,Pour les employés For Employee Name,Pour Nom de l'employé @@ -1050,7 +1116,9 @@ From Currency and To Currency cannot be same,De leur monnaie et à devises ne pe From Customer,De clientèle From Customer Issue,De émission à la clientèle From Date,Partir de la date +From Date cannot be greater than To Date,Date d'entrée ne peut pas être supérieur à ce jour From Date must be before To Date,Partir de la date doit être antérieure à ce jour +From Date should be within the Fiscal Year. Assuming From Date = {0},De la date doit être dans l'exercice. En supposant Date d'= {0} From Delivery Note,De bon de livraison From Employee,De employés From Lead,Du plomb @@ -1072,7 +1140,9 @@ Frozen Accounts Modifier,Frozen comptes modificateur Fulfilled,Remplies Full Name,Nom et Prénom Full-time,À plein temps +Fully Billed,Entièrement Qualifié Fully Completed,Entièrement complété +Fully Delivered,Entièrement Livré Furniture and Fixture,Meubles et articles d'ameublement Further accounts can be made under Groups but entries can be made against Ledger,D'autres comptes peuvent être faites dans les groupes mais les entrées peuvent être faites contre Ledger "Further accounts can be made under Groups, but entries can be made against Ledger",Frais de vente @@ -1090,7 +1160,6 @@ Generate Schedule,Générer annexe Generates HTML to include selected image in the description,Génère du code HTML pour inclure l'image sélectionnée dans la description Get Advances Paid,Obtenez Avances et acomptes versés Get Advances Received,Obtenez Avances et acomptes reçus -Get Against Entries,Obtenez contre les entrées Get Current Stock,Obtenez Stock actuel Get Items,Obtenir les éléments Get Items From Sales Orders,Obtenir des éléments de Sales Orders @@ -1103,6 +1172,7 @@ Get Specification Details,Obtenez les détails Spécification Get Stock and Rate,Obtenez stock et taux Get Template,Obtenez modèle Get Terms and Conditions,Obtenez Termes et Conditions +Get Unreconciled Entries,Obtenez non rapprochés entrées Get Weekly Off Dates,Obtenez hebdomadaires Dates Off "Get valuation rate and available stock at source/target warehouse on mentioned posting date-time. If serialized item, please press this button after entering serial nos.","Obtenez taux d'évaluation et le stock disponible à la source / cible d'entrepôt sur l'affichage mentionné de date-heure. Si sérialisé article, s'il vous plaît appuyez sur cette touche après avoir entré numéros de série." Global Defaults,Par défaut mondiaux @@ -1171,6 +1241,7 @@ Hour,{0} ' {1}' pas l'Exercice {2} Hour Rate,Taux heure Hour Rate Labour,Travail heure Tarif Hours,Heures +How Pricing Rule is applied?,Comment Prix règle est appliquée? How frequently?,Quelle est la fréquence? "How should this currency be formatted? If not set, will use system defaults","Comment cette monnaie est formaté? S'il n'est pas défini, utilisera par défaut du système" Human Resources,Ressources humaines @@ -1187,12 +1258,15 @@ If different than customer address,Point {0} a déjà été renvoyé "If disable, 'Rounded Total' field will not be visible in any transaction","Si désactiver, 'arrondi totale «champ ne sera pas visible dans toute transaction" "If enabled, the system will post accounting entries for inventory automatically.","S'il est activé, le système affichera les écritures comptables pour l'inventaire automatiquement." If more than one package of the same type (for print),Si plus d'un paquet du même type (pour l'impression) +"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Si plusieurs règles de tarification continuent de prévaloir, les utilisateurs sont invités à définir manuellement la priorité à résoudre les conflits." "If no change in either Quantity or Valuation Rate, leave the cell blank.","Si aucun changement soit Quantité ou évaluation noter , laisser la cellule vide." If not applicable please enter: NA,S'il n'est pas applicable s'il vous plaît entrez: NA "If not checked, the list will have to be added to each Department where it has to be applied.","Si ce n'est pas cochée, la liste devra être ajouté à chaque département où il doit être appliqué." +"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 Tarif choisi la règle est faite pour 'Prix', il va écraser Prix. Prix Prix de la règle est le prix définitif, donc pas de réduction supplémentaire doit être appliquée. Ainsi, dans les transactions comme des commandes clients, bons de commande, etc, il sera récupéré dans le champ «Taux», plutôt que le champ 'Prix List Noter »." "If specified, send the newsletter using this email address","S'il est spécifié, envoyer le bulletin en utilisant cette adresse e-mail" "If the account is frozen, entries are allowed to restricted users.","Si le compte est gelé , les entrées sont autorisés pour les utilisateurs restreints ." "If this Account represents a Customer, Supplier or Employee, set it here.","Si ce compte représente un client, fournisseur ou employé, l'indiquer ici." +"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Si on trouve deux ou plusieurs règles de tarification sur la base des conditions ci-dessus, la priorité est appliqué. Priorité est un nombre compris entre 0 à 20 alors que la valeur par défaut est zéro (blanc). Nombre plus élevé signifie qu'il sera prioritaire s'il existe plusieurs règles de tarification avec les mêmes conditions." If you follow Quality Inspection. Enables Item QA Required and QA No in Purchase Receipt,Si vous suivez contrôle de la qualité . Permet article AQ requis et AQ Pas de ticket de caisse If you have Sales Team and Sale Partners (Channel Partners) they can be tagged and maintain their contribution in the sales activity,"Si vous avez équipe de vente et Partenaires Vente (Channel Partners), ils peuvent être marqués et maintenir leur contribution à l'activité commerciale" "If you have created a standard template in Purchase Taxes and Charges Master, select one and click on the button below.","Si vous avez créé un modèle standard de taxes à l'achat et Master accusations, sélectionnez-le et cliquez sur le bouton ci-dessous." @@ -1200,6 +1274,7 @@ If you have Sales Team and Sale Partners (Channel Partners) they can be tagged "If you have long print formats, this feature can be used to split the page to be printed on multiple pages with all headers and footers on each page","Si vous avez longtemps imprimer des formats, cette fonction peut être utilisée pour diviser la page à imprimer sur plusieurs pages avec tous les en-têtes et pieds de page sur chaque page" If you involve in manufacturing activity. Enables Item 'Is Manufactured',Invalid Nom d'utilisateur Mot de passe ou de soutien . S'il vous plaît corriger et essayer à nouveau. Ignore,Ignorer +Ignore Pricing Rule,Ignorer Prix règle Ignored: ,Ignoré: Image,Image Image View,Voir l'image @@ -1236,8 +1311,9 @@ Income booked for the digest period,Revenu réservée pour la période digest Incoming,Nouveau Incoming Rate,Taux d'entrée Incoming quality inspection.,Contrôle de la qualité entrant. +Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Nombre incorrect de General Ledger Entrées trouvées. Vous avez peut-être choisi le bon compte dans la transaction. Incorrect or Inactive BOM {0} for Item {1} at row {2},Mauvaise ou inactif BOM {0} pour objet {1} à la ligne {2} -Indicates that the package is a part of this delivery,Indique que le paquet est une partie de cette prestation +Indicates that the package is a part of this delivery (Only Draft),Indique que le package est une partie de cette livraison (Seuls les projets) Indirect Expenses,N ° de série {0} créé Indirect Income,{0} {1} statut est débouchées Individual,Individuel @@ -1263,6 +1339,7 @@ Intern,interne Internal,Interne Internet Publishing,Publication Internet Introduction,Introduction +Invalid Barcode,Barcode invalide Invalid Barcode or Serial No,"Soldes de comptes de type "" banque "" ou "" Cash""" Invalid Mail Server. Please rectify and try again.,électrique Invalid Master Name,Invalid Nom du Maître @@ -1275,9 +1352,12 @@ Investments,Laisser Bill of Materials devrait être «oui» . Parce que un ou pl Invoice Date,Date de la facture Invoice Details,Détails de la facture Invoice No,Aucune facture -Invoice Period From Date,Période Facture De Date +Invoice Number,Numéro de facture +Invoice Period From,Période facture de Invoice Period From and Invoice Period To dates mandatory for recurring invoice,Période facture et la période de facturation Pour les dates obligatoires pour la facture récurrente -Invoice Period To Date,Période facture à ce jour +Invoice Period To,Période facture Pour +Invoice Type,Type de facture +Invoice/Journal Voucher Details,Facture / Journal Chèques Détails Invoiced Amount (Exculsive Tax),Montant facturé ( impôt Exculsive ) Is Active,Est active Is Advance,Est-Advance @@ -1308,6 +1388,7 @@ Item Advanced,Article avancée Item Barcode,Barcode article Item Batch Nos,Nos lots d'articles Item Code,Code de l'article +Item Code > Item Group > Brand,Code de l'article> Le groupe d'articles> Marque Item Code and Warehouse should already exist.,Code article et entrepôt doivent déjà exister. Item Code cannot be changed for Serial No.,Code article ne peut pas être modifié pour le numéro de série Item Code is mandatory because Item is not automatically numbered,"Code de l'article est obligatoire, car l'article n'est pas numéroté automatiquement" @@ -1319,6 +1400,7 @@ Item Details,Détails d'article Item Group,Groupe d'éléments Item Group Name,Nom du groupe d'article Item Group Tree,Point arborescence de groupe +Item Group not mentioned in item master for item {0},Le groupe d'articles ne sont pas mentionnés dans le maître de l'article pour l'article {0} Item Groups in Details,Groupes d'articles en détails Item Image (if not slideshow),Image Article (si ce n'est diaporama) Item Name,Nom d'article @@ -1389,7 +1471,8 @@ Item-wise Purchase Register,S'enregistrer Achat point-sage Item-wise Sales History,Point-sage Historique des ventes Item-wise Sales Register,Ventes point-sage S'enregistrer "Item: {0} managed batch-wise, can not be reconciled using \ - Stock Reconciliation, instead use Stock Entry","Article : {0} discontinu géré , ne peut être conciliée avec \ \ n Stock réconciliation , au lieu d'utiliser Stock entrée" + Stock Reconciliation, instead use Stock Entry","Article: {0} discontinu géré, ne peut être conciliée à l'aide \ + Stock réconciliation, au lieu d'utiliser Stock entrée" Item: {0} not found in the system,Article : {0} introuvable dans le système Items,Articles Items To Be Requested,Articles à demander @@ -1492,6 +1575,7 @@ Loading...,Chargement en cours ... Loans (Liabilities),Prêts ( passif) Loans and Advances (Assets),Prêts et avances ( actif) Local,arrondis +Login,Connexion Login with your new User ID,Connectez-vous avec votre nouveau nom d'utilisateur Logo,Logo Logo and Letter Heads,Logo et lettres chefs @@ -1536,6 +1620,7 @@ Make Maint. Schedule,Assurez- Maint . calendrier Make Maint. Visit,Assurez- Maint . Visiter Make Maintenance Visit,Assurez visite d'entretien Make Packing Slip,Faites le bordereau d' +Make Payment,Effectuer un paiement Make Payment Entry,Effectuer un paiement d'entrée Make Purchase Invoice,Faire la facture d'achat Make Purchase Order,Faites bon de commande @@ -1545,8 +1630,10 @@ Make Salary Structure,Faire structure salariale Make Sales Invoice,Faire la facture de vente Make Sales Order,Assurez- Commande Make Supplier Quotation,Faire Fournisseur offre +Make Time Log Batch,Prenez le temps Connexion lot Male,Masculin Manage Customer Group Tree.,Gérer l'arborescence de groupe de clients . +Manage Sales Partners.,Gérer partenaires commerciaux. Manage Sales Person Tree.,Gérer les ventes personne Arbre . Manage Territory Tree.,"Un élément existe avec le même nom ( {0} ) , s'il vous plaît changer le nom du groupe de l'article ou renommer l'élément" Manage cost of operations,Gérer les coûts d'exploitation @@ -1597,6 +1684,8 @@ Max 5 characters,5 caractères maximum Max Days Leave Allowed,Laisser jours Max admis Max Discount (%),Max Réduction (%) Max Qty,Vous ne pouvez pas Désactiver ou cancle BOM car elle est liée à d'autres nomenclatures +Max discount allowed for item: {0} is {1}%,Réduction de Max permis pour l'article: {0} {1} est% +Maximum Amount,Montant maximal Maximum allowed credit is {0} days after posting date,Crédit maximum autorisé est de {0} jours après la date de report Maximum {0} rows allowed,"Afficher / Masquer les caractéristiques de série comme nos , POS , etc" Maxiumm discount for Item {0} is {1}%,Remise Maxiumm pour objet {0} {1} est % @@ -1617,6 +1706,7 @@ Milestones will be added as Events in the Calendar,Jalons seront ajoutées au fu Min Order Qty,Quantité de commande minimale Min Qty,Compte {0} est gelé Min Qty can not be greater than Max Qty,Quantité de minute ne peut être supérieure à Max Quantité +Minimum Amount,Montant minimum Minimum Order Qty,Quantité de commande minimum Minute,Le salaire net ne peut pas être négatif Misc Details,Détails Divers @@ -1626,7 +1716,6 @@ Mobile No,Aucun mobile Mobile No.,Mobile n ° Mode of Payment,Mode de paiement Modern,Moderne -Modified Amount,Montant de modification Monday,Lundi Month,Mois Monthly,Mensuel @@ -1643,7 +1732,8 @@ Mr,M. Ms,Mme Multiple Item prices.,Prix ​​des ouvrages multiples. "Multiple Price Rule exists with same criteria, please resolve \ - conflict by assigning priority. Price Rules: {0}","Multiple règle de prix existe avec les mêmes critères , s'il vous plaît résoudre \ \ n conflit en attribuant des priorités ." + conflict by assigning priority. Price Rules: {0}","Multiple règle de prix existe avec les mêmes critères, s'il vous plaît résoudre \ + conflit en attribuant des priorités. Règles de prix: {0}" Music,musique Must be Whole Number,Doit être un nombre entier Name,Nom @@ -1659,6 +1749,7 @@ Negative Valuation Rate is not allowed,Négatif évaluation Taux n'est pas autor Negative balance in Batch {0} for Item {1} at Warehouse {2} on {3} {4},Coût Nom Centre existe déjà Net Pay,Salaire net Net Pay (in words) will be visible once you save the Salary Slip.,Salaire net (en lettres) sera visible une fois que vous enregistrez le bulletin de salaire. +Net Profit / Loss,Bénéfice net / perte nette Net Total,Total net Net Total (Company Currency),Total net (Société Monnaie) Net Weight,Poids net @@ -1699,7 +1790,6 @@ Newsletter,Bulletin Newsletter Content,Newsletter Content Newsletter Status,Statut newsletter Newsletter has already been sent,Entrepôt requis pour stock Article {0} -Newsletters is not allowed for Trial users,Bulletins n'est pas autorisé pour les utilisateurs d'essai "Newsletters to contacts, leads.","Bulletins aux contacts, prospects." Newspaper Publishers,Éditeurs de journaux Next,Nombre purchse de commande requis pour objet {0} @@ -1721,6 +1811,7 @@ No Supplier Accounts found. Supplier Accounts are identified based on 'Master Ty No accounting entries for the following warehouses,Pas d'entrées comptables pour les entrepôts suivants No addresses created,Aucune adresse créés No contacts created,Pas de contacts créés +No default Address Template found. Please create a new one from Setup > Printing and Branding > Address Template.,Aucune valeur par défaut Adresse modèle trouvé. S'il vous plaît créer un nouveau à partir de Configuration> Presse et Branding> Adresse modèle. No default BOM exists for Item {0},services impressionnants No description given,Le jour (s ) sur lequel vous postulez pour congé sont les vacances . Vous n'avez pas besoin de demander l'autorisation . No employee found,Aucun employé @@ -1730,6 +1821,8 @@ No of Sent SMS,Pas de SMS envoyés No of Visits,Pas de visites No permission,État d'approbation doit être « approuvé » ou « Rejeté » No record found,Aucun enregistrement trouvé +No records found in the Invoice table,Aucun documents trouvés dans le tableau de la facture +No records found in the Payment table,Aucun documents trouvés dans le tableau de paiement No salary slip found for month: ,Pas de bulletin de salaire trouvé en un mois: Non Profit,À but non lucratif Nos,Transaction non autorisée contre arrêté l'ordre de fabrication {0} @@ -1739,7 +1832,7 @@ Not Available,Indisponible Not Billed,Non Facturé Not Delivered,Non Livré Not Set,non définie -Not allowed to update entries older than {0},construit sur +Not allowed to update stock transactions older than {0},Non autorisé à mettre à jour les transactions boursières de plus que {0} Not authorized to edit frozen Account {0},Message totale (s ) Not authroized since {0} exceeds limits,{0} {1} a été modifié . S'il vous plaît Actualiser Not permitted,Sélectionnez à télécharger: @@ -1780,7 +1873,6 @@ Only the selected Leave Approver can submit this Leave Application,Seul le cong Open,Ouvert Open Production Orders,Commandes ouverte de production Open Tickets,Open Billets -Open source ERP built for the web,recharger la page Opening (Cr),Ouverture ( Cr ) Opening (Dr),{0} doit être inférieur ou égal à {1} Opening Date,Date d'ouverture @@ -1805,7 +1897,7 @@ Opportunity Lost,Une occasion manquée Opportunity Type,Type d'opportunité Optional. This setting will be used to filter in various transactions.,Facultatif. Ce paramètre sera utilisé pour filtrer dans diverses opérations . Order Type,Type d'ordre -Order Type must be one of {1},Type d'ordre doit être l'un des {1} +Order Type must be one of {0},type d'ordre doit être l'un des {0} Ordered,ordonné Ordered Items To Be Billed,Articles commandés à facturer Ordered Items To Be Delivered,Articles commandés à livrer @@ -1817,7 +1909,6 @@ Organization Name,Nom de l'organisme Organization Profile,Maître de l'employé . Organization branch master.,Point impôt Row {0} doit avoir un compte de type de l'impôt sur le revenu ou de dépenses ou ou taxé Organization unit (department) master.,Unité d'organisation (département) maître . -Original Amount,Montant d'origine Other,Autre Other Details,Autres détails Others,autres @@ -1834,6 +1925,7 @@ Overlapping conditions found between:,S'il vous plaît entrez l'adresse e-mail Overview,vue d'ensemble Owned,Détenue Owner,propriétaire +P L A - Cess Portion,PLA - Cess Portion PL or BS,PL ou BS PO Date,date de PO PO No,PO Non @@ -1846,7 +1938,6 @@ POS Setting required to make POS Entry,POS Réglage nécessaire pour faire POS E POS Setting {0} already created for user: {1} and company {2},Point {0} a été saisi deux fois POS View,POS View PR Detail,Détail PR -PR Posting Date,PR Date de publication Package Item Details,Détails d'article de l'emballage Package Items,Articles paquet Package Weight Details,Détails Poids de l'emballage @@ -1876,8 +1967,6 @@ Parent Sales Person,Parent Sales Person Parent Territory,Territoire Parent Parent Website Page,«Sur la base » et « Regrouper par » ne peut pas être la même Parent Website Route,Montant de l'impôt après réduction Montant -Parent account can not be a ledger,Entrepôt requis POS Cadre -Parent account does not exist,N'existe pas compte des parents Parenttype,ParentType Part-time,À temps partiel Partially Completed,Partiellement réalisé @@ -1886,6 +1975,8 @@ Partly Delivered,Livré en partie Partner Target Detail,Détail Cible partenaire Partner Type,Type de partenaire Partner's Website,Le site web du partenaire +Party,Intervenants +Party Account,Compte Parti Party Type,Type de partie Party Type Name,This Time Connexion conflit avec {0} Passive,Passif @@ -1898,10 +1989,14 @@ Payables Group,Groupe Dettes Payment Days,Jours de paiement Payment Due Date,Date d'échéance Payment Period Based On Invoice Date,Période de paiement basé sur Date de la facture +Payment Reconciliation,Rapprochement des paiements +Payment Reconciliation Invoice,Rapprochement des paiements de facture +Payment Reconciliation Invoices,Les factures de réconciliation de paiement +Payment Reconciliation Payment,Rapprochement des paiements Paiement +Payment Reconciliation Payments,Paiements de réconciliation de paiement Payment Type,Type de paiement +Payment cannot be made for empty cart,Le paiement ne peut être fait pour le chariot vide Payment of salary for the month {0} and year {1},Centre de coûts est nécessaire à la ligne {0} dans le tableau des impôts pour le type {1} -Payment to Invoice Matching Tool,Paiement à l'outil Invoice Matching -Payment to Invoice Matching Tool Detail,Paiement à l'outil Détail Facture Matching Payments,Paiements Payments Made,Paiements effectués Payments Received,Paiements reçus @@ -1944,7 +2039,9 @@ Planning,planification Plant,Plante Plant and Machinery,Facture d'achat {0} est déjà soumis Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,S'il vous plaît Entrez Abréviation ou nom court correctement car il sera ajouté comme suffixe à tous les chefs de compte. +Please Update SMS Settings,S'il vous plaît Mettre à jour les paramètres de SMS Please add expense voucher details,Attachez votre image +Please add to Modes of Payment from Setup.,S'il vous plaît ajoutez à Modes de paiement de configuration. Please check 'Is Advance' against Account {0} if this is an advance entry.,Exercice / comptabilité . Please click on 'Generate Schedule',"S'il vous plaît cliquer sur "" Générer annexe '" Please click on 'Generate Schedule' to fetch Serial No added for Item {0},"S'il vous plaît cliquer sur "" Générer annexe ' pour aller chercher de série n ° ajouté pour objet {0}" @@ -1992,12 +2089,13 @@ Please enter valid Company Email,S'il vous plaît entrer une adresse valide Soci Please enter valid Email Id,Maître Organisation de branche . Please enter valid Personal Email,S'il vous plaît entrer une adresse valide personnels Please enter valid mobile nos,nos +Please find attached Sales Invoice #{0},S'il vous plaît trouver ci-joint la facture de vente # {0} Please install dropbox python module,S'il vous plaît installer Dropbox module Python Please mention no of visits required,Paiement du salaire pour le mois {0} et {1} an Please pull items from Delivery Note,POS- Cadre . # Please save the Newsletter before sending,{0} {1} n'est pas soumis Please save the document before generating maintenance schedule,S'il vous plaît enregistrer le document avant de générer le calendrier d'entretien -Please select Account first,S'il vous plaît sélectionnez compte d'abord +Please see attachment,S'il vous plaît voir la pièce jointe Please select Bank Account,S'il vous plaît sélectionner compte bancaire Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,S'il vous plaît sélectionnez Report si vous souhaitez également inclure le solde de l'exercice précédent ne laisse à cet exercice Please select Category first,S'il vous plaît sélectionnez d'abord Catégorie @@ -2005,14 +2103,17 @@ Please select Charge Type first,S'il vous plaît sélectionnez le type de Factur Please select Fiscal Year,S'il vous plaît sélectionner l'Exercice Please select Group or Ledger value,Nombre BOM pas permis non manufacturé article {0} à la ligne {1} Please select Incharge Person's name,S'il vous plaît sélectionnez le nom de la personne Incharge +Please select Invoice Type and Invoice Number in atleast one row,S'il vous plaît sélectionnez facture type et numéro de facture dans atleast une rangée "Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Sales BOM",Contactez- maître . Please select Price List,S'il vous plaît sélectionnez Liste des Prix Please select Start Date and End Date for Item {0},S'il vous plaît sélectionnez Date de début et date de fin de l'article {0} +Please select Time Logs.,S'il vous plaît sélectionner registres de temps. Please select a csv file,S'il vous plaît sélectionner un fichier csv Please select a valid csv file with data,Date de liquidation ne peut pas être avant le check date dans la ligne {0} Please select a value for {0} quotation_to {1},S'il vous plaît sélectionnez une valeur pour {0} {1} quotation_to "Please select an ""Image"" first","S'il vous plaît sélectionnez ""Image "" première" Please select charge type first,Immobilisations +Please select company first,S'il vous plaît sélectionnez première entreprise Please select company first.,S'il vous plaît sélectionnez première entreprise. Please select item code,Etes-vous sûr de vouloir unstop Please select month and year,S'il vous plaît sélectionner le mois et l'année @@ -2021,6 +2122,7 @@ Please select the document type first,S'il vous plaît sélectionner le type Please select weekly off day,Laissez uniquement les applications ayant le statut « Approuvé » peut être soumis Please select {0},S'il vous plaît sélectionnez {0} Please select {0} first,S'il vous plaît sélectionnez {0} premier +Please select {0} first.,S'il vous plaît sélectionnez {0} en premier. Please set Dropbox access keys in your site config,S'il vous plaît définir les clés d'accès Dropbox sur votre site config Please set Google Drive access keys in {0},S'il vous plaît définir les clés d'accès Google lecteurs dans {0} Please set default Cash or Bank account in Mode of Payment {0},Les frais de téléphone @@ -2047,6 +2149,7 @@ Postal,Postal Postal Expenses,Frais postaux Posting Date,Date de publication Posting Time,Affichage Temps +Posting date and posting time is mandatory,Date d'affichage et l'affichage est obligatoire Posting timestamp must be after {0},Horodatage affichage doit être après {0} Potential opportunities for selling.,Possibilités pour la vente. Preferred Billing Address,Préféré adresse de facturation @@ -2073,8 +2176,10 @@ Price List not selected,Barcode valide ou N ° de série Price List {0} is disabled,Série {0} déjà utilisé dans {1} Price or Discount,Frais d'administration Pricing Rule,Provision pour plus - livraison / facturation excessive franchi pour objet {0} -Pricing Rule For Discount,"Pour signaler un problème, passez à" -Pricing Rule For Price,Prix ​​règle de prix +Pricing Rule Help,Prix règle Aide +"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Prix règle est d'abord sélectionné sur la base de «postuler en« champ, qui peut être l'article, groupe d'articles ou de marque." +"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Prix règle est faite pour remplacer la liste des prix / définir le pourcentage de remise, sur la base de certains critères." +Pricing Rules are further filtered based on quantity.,Les règles de tarification sont encore filtrés en fonction de la quantité. Print Format Style,Format d'impression style Print Heading,Imprimer Cap Print Without Amount,Imprimer Sans Montant @@ -2102,7 +2207,9 @@ Production Plan Sales Orders,Vente Plan d'ordres de production Production Planning Tool,Outil de planification de la production Products,Point {0} n'existe pas dans {1} {2} "Products will be sorted by weight-age in default searches. More the weight-age, higher the product will appear in the list.","Les produits seront triés par poids-âge dans les recherches par défaut. Plus le poids-âge, plus le produit apparaîtra dans la liste." +Professional Tax,Taxe Professionnelle Profit and Loss,Pertes et profits +Profit and Loss Statement,Compte de résultat Project,Projet Project Costing,Des coûts de projet Project Details,Détails du projet @@ -2125,7 +2232,9 @@ Projects & System,Pas de commande de production créées Prompt for Email on Submission of,Prompt for Email relative à la présentation des Proposal Writing,Rédaction de propositions Provide email id registered in company,Fournir id e-mail enregistrée dans la société +Provisional Profit / Loss (Credit),Résultat provisoire / Perte (crédit) Public,Public +Published on website at: {0},Publié sur le site Web au: {0} Publishing,édition Pull sales orders (pending to deliver) based on the above criteria,Tirez les ordres de vente (en attendant de livrer) sur la base des critères ci-dessus Purchase,Acheter @@ -2134,7 +2243,6 @@ Purchase Analytics,Achat Analytics Purchase Common,Achat commune Purchase Details,Conditions de souscription Purchase Discounts,Rabais sur l'achat -Purchase In Transit,Achat En transit Purchase Invoice,Achetez facture Purchase Invoice Advance,Paiement à l'avance Facture Purchase Invoice Advances,Achat progrès facture @@ -2142,7 +2250,6 @@ Purchase Invoice Item,Achat d'article de facture Purchase Invoice Trends,Achat Tendances facture Purchase Invoice {0} is already submitted,Voulez-vous vraiment de soumettre tout bulletin de salaire pour le mois {0} et {1} an Purchase Order,Bon de commande -Purchase Order Date,Date d'achat Ordre Purchase Order Item,Achat Passer commande Purchase Order Item No,Achetez article ordonnance n Purchase Order Item Supplied,Point de commande fourni @@ -2206,7 +2313,6 @@ Quarter,Trimestre Quarterly,Trimestriel Quick Help,Aide rapide Quotation,Citation -Quotation Date,Date de Cotation Quotation Item,Article devis Quotation Items,Articles de devis Quotation Lost Reason,Devis perdu la raison @@ -2284,6 +2390,7 @@ Recurring Invoice,Facture récurrente Recurring Type,Type de courant Reduce Deduction for Leave Without Pay (LWP),Réduire la déduction de congé sans solde (PLT) Reduce Earning for Leave Without Pay (LWP),Réduire Gagner de congé sans solde (PLT) +Ref,Réf Ref Code,Code de référence de Ref SQ,Réf SQ Reference,Référence @@ -2307,6 +2414,7 @@ Relieving Date,Date de soulager Relieving Date must be greater than Date of Joining,Vous n'êtes pas autorisé à ajouter ou mettre à jour les entrées avant {0} Remark,Remarque Remarks,Remarques +Remarks Custom,Remarques sur commande Rename,rebaptiser Rename Log,Renommez identifiez-vous Rename Tool,Renommer l'outil @@ -2322,6 +2430,7 @@ Report Type,Rapport Genre Report Type is mandatory,Bulletin de salaire de l'employé {0} déjà créé pour ce mois-ci Reports to,Rapports au Reqd By Date,Reqd par date +Reqd by Date,Reqd par date Request Type,Type de demande Request for Information,Demande de renseignements Request for purchase.,Demande d'achat. @@ -2375,21 +2484,34 @@ Rounded Total,Totale arrondie Rounded Total (Company Currency),Totale arrondie (Société Monnaie) Row # ,Row # Row # {0}: , +Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,Ligne # {0}: quantité Commandé ne peut pas moins que l'ordre minimum quantité de produit (défini dans le maître de l'article). +Row #{0}: Please specify Serial No for Item {1},Ligne # {0}: S'il vous plaît spécifier Pas de série pour objet {1} "Row {0}: Account does not match with \ - Purchase Invoice Credit To account",Ligne {0} : compte ne correspond pas à \ \ n Facture d'achat crédit du compte + Purchase Invoice Credit To account","Ligne {0}: compte ne correspond pas à \ + Facture d'achat crédit du compte" "Row {0}: Account does not match with \ - Sales Invoice Debit To account",Ligne {0} : compte ne correspond pas à \ \ n la facture de vente de débit Pour tenir compte + Sales Invoice Debit To account","Ligne {0}: compte ne correspond pas à \ + la facture de vente de débit Pour tenir compte" +Row {0}: Conversion Factor is mandatory,Ligne {0}: facteur de conversion est obligatoire Row {0}: Credit entry can not be linked with a Purchase Invoice,Ligne {0} : entrée de crédit ne peut pas être lié à une facture d'achat Row {0}: Debit entry can not be linked with a Sales Invoice,Ligne {0} : entrée de débit ne peut pas être lié à une facture de vente +Row {0}: Payment amount must be less than or equals to invoice outstanding amount. Please refer Note below.,Ligne {0}: Montant du paiement doit être inférieur ou égal montant de la facture exceptionnelle. S'il vous plaît se référer note ci-dessous. +Row {0}: Qty is mandatory,Ligne {0}: Quantité est obligatoire +"Row {0}: Qty not avalable in warehouse {1} on {2} {3}. + Available Qty: {4}, Transfer Qty: {5}","Ligne {0}: Qté pas avalable dans l'entrepôt {1} sur {2} {3}. + Disponible Quantité: {4}, Transfert Quantité: {5}" "Row {0}: To set {1} periodicity, difference between from and to date \ - must be greater than or equal to {2}","Ligne {0} : Pour définir {1} périodicité , la différence entre de et à la date \ \ n doit être supérieur ou égal à {2}" + must be greater than or equal to {2}","Ligne {0}: Pour définir {1} périodicité, la différence entre de et à jour \ + doit être supérieur ou égal à {2}" Row {0}:Start Date must be before End Date,Ligne {0} : Date de début doit être avant Date de fin Rules for adding shipping costs.,S'il vous plaît entrer atleast une facture dans le tableau Rules for applying pricing and discount.,Tous ces éléments ont déjà été facturés Rules to calculate shipping amount for a sale,Règles de calcul du montant de l'expédition pour une vente S.O. No.,S.O. Non. +SHE Cess on Excise,ELLE CESS sur l'accise +SHE Cess on Service Tax,ELLE CESS sur des services fiscaux +SHE Cess on TDS,ELLE CESS sur TDS SMS Center,Centre SMS -SMS Control,SMS Control SMS Gateway URL,URL SMS Gateway SMS Log,SMS Log SMS Parameter,Paramètre SMS @@ -2494,15 +2616,20 @@ Securities and Deposits,Titres et des dépôts "Select ""Yes"" if this item represents some work like training, designing, consulting etc.","Sélectionnez "Oui" si cet objet représente un travail comme la formation, la conception, la consultation, etc" "Select ""Yes"" if you are maintaining stock of this item in your Inventory.",Sélectionnez "Oui" si vous le maintien des stocks de cet article dans votre inventaire. "Select ""Yes"" if you supply raw materials to your supplier to manufacture this item.",Sélectionnez "Oui" si vous fournir des matières premières à votre fournisseur pour la fabrication de cet article. +Select Brand...,Sélectionnez une marque ... Select Budget Distribution to unevenly distribute targets across months.,Sélectionnez Répartition du budget à répartir inégalement cibles à travers mois. "Select Budget Distribution, if you want to track based on seasonality.","Sélectionnez Répartition du budget, si vous voulez suivre en fonction de la saisonnalité." +Select Company...,Sélectionnez Société ... Select DocType,Sélectionnez DocType +Select Fiscal Year...,Sélectionnez Exercice ... Select Items,Sélectionner les objets +Select Project...,Sélectionnez Projet ... Select Purchase Receipts,Sélectionnez reçus d'achat Select Sales Orders,Sélectionnez les commandes clients Select Sales Orders from which you want to create Production Orders.,Sélectionnez les commandes clients à partir de laquelle vous souhaitez créer des ordres de fabrication. Select Time Logs and Submit to create a new Sales Invoice.,Sélectionnez registres de temps et de soumettre à créer une nouvelle facture de vente. Select Transaction,Sélectionnez Transaction +Select Warehouse...,Sélectionnez Entrepôt ... Select Your Language,« Jours depuis la dernière commande» doit être supérieur ou égal à zéro Select account head of the bank where cheque was deposited.,Sélectionnez tête compte de la banque où chèque a été déposé. Select company name first.,Sélectionnez le nom de la première entreprise. @@ -2520,6 +2647,7 @@ Select your home country and check the timezone and currency.,Choisissez votre p "Selecting ""Yes"" will give a unique identity to each entity of this item which can be viewed in the Serial No master.",La sélection de "Oui" donner une identité unique à chaque entité de cet article qui peut être consulté dans le N ° de série maître. Selling,Vente Selling Settings,Réglages de vente +"Selling must be checked, if Applicable For is selected as {0}","Vente doit être vérifiée, si pour Applicable est sélectionné comme {0}" Send,Envoyer Send Autoreply,Envoyer Autoreply Send Email,Envoyer un email @@ -2556,7 +2684,8 @@ Serial Nos Required for Serialized Item {0},Dupliquer entrée . S'il vous plaît Serial Number Series,Série Série Nombre Serial number {0} entered more than once,Numéro de série {0} est entré plus d'une fois "Serialized Item {0} cannot be updated \ - using Stock Reconciliation",Sérialisé article {0} ne peut pas être mis à jour \ \ n utilisant Stock réconciliation + using Stock Reconciliation","Sérialisé article {0} ne peut pas être mis à jour \ + utilisant Stock réconciliation" Series,série Series List for this Transaction,Liste série pour cette transaction Series Updated,Mise à jour de la série @@ -2565,15 +2694,18 @@ Series is mandatory,Congé de type {0} ne peut pas être plus long que {1} Series {0} already used in {1},La date à laquelle la prochaine facture sera générée . Il est généré lors de la soumission . Service,service Service Address,Adresse du service +Service Tax,Service Tax Services,Services Set,Série est obligatoire "Set Default Values like Company, Currency, Current Fiscal Year, etc.","Des valeurs par défaut comme la Compagnie , devise , année financière en cours , etc" Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,Set Point du Groupe sages budgets sur ce territoire. Vous pouvez également inclure la saisonnalité en réglant la distribution. +Set Status as Available,Définir l'état comme disponible Set as Default,Définir par défaut Set as Lost,Définir comme perdu Set prefix for numbering series on your transactions,Définir le préfixe de numérotation des séries sur vos transactions Set targets Item Group-wise for this Sales Person.,Fixer des objectifs élément de groupe-sage pour cette personne des ventes. Setting Account Type helps in selecting this Account in transactions.,Type de compte Configuration aide à sélectionner ce compte dans les transactions. +Setting this Address Template as default as there is no other default,"La définition de cette adresse modèle par défaut, car il n'ya pas d'autre défaut" Setting up...,Mise en place ... Settings,Réglages Settings for HR Module,Utilisateur {0} est désactivé @@ -2581,6 +2713,7 @@ Settings for HR Module,Utilisateur {0} est désactivé Setup,Installation Setup Already Complete!!,Configuration déjà complet ! Setup Complete,installation terminée +Setup SMS gateway settings,paramètres de la passerelle SMS de configuration Setup Series,Série de configuration Setup Wizard,actif à court terme Setup incoming server for jobs email id. (e.g. jobs@example.com),Configuration serveur entrant pour les emplois id e-mail . (par exemple jobs@example.com ) @@ -2606,6 +2739,7 @@ Short biography for website and other publications.,Courte biographie pour le si Show In Website,Afficher dans un site Web Show a slideshow at the top of the page,Afficher un diaporama en haut de la page Show in Website,Afficher dans Site Web +Show rows with zero values,Afficher lignes avec des valeurs nulles Show this slideshow at the top of the page,Voir ce diaporama en haut de la page Sick Leave,{0} numéros de série valides pour objet {1} Signature,Signature @@ -2635,9 +2769,9 @@ Specifications,caractéristiques "Specify the operations, operating cost and give a unique Operation no to your operations.","Précisez les activités, le coût d'exploitation et de donner une opération unique, non à vos opérations ." Split Delivery Note into packages.,Séparer le bon de livraison dans des packages. Sports,sportif +Sr,Sr Standard,Standard Standard Buying,achat standard -Standard Rate,Prix ​​Standard Standard Reports,Rapports standard Standard Selling,vente standard Standard contract terms for Sales or Purchase.,Date prévue d'achèvement ne peut pas être inférieure à projet Date de début @@ -2646,6 +2780,7 @@ Start Date,Date de début Start date of current invoice's period,Date de début de la période de facturation en cours Start date should be less than end date for Item {0},{0} budget pour compte {1} contre des centres de coûts {2} dépassera par {3} State,État +Statement of Account,Relevé de compte Static Parameters,Paramètres statiques Status,Statut Status must be one of {0},Le statut doit être l'un des {0} @@ -2687,6 +2822,7 @@ Stock Value Difference,Stock Value Différence Stock balances updated,"Profil de l' emploi , les qualifications requises , etc" Stock cannot be updated against Delivery Note {0},désactiver Stock entries exist against warehouse {0} cannot re-assign or modify 'Master Name',Warehouse est obligatoire pour les stock Article {0} à la ligne {1} +Stock transactions before {0} are frozen,transactions d'actions avant {0} sont gelés Stop,Stop Stop Birthday Reminders,Arrêter anniversaire rappels Stop Material Request,Matériel de demande d'arrêt @@ -2706,13 +2842,13 @@ Submit this Production Order for further processing.,Envoyer cette ordonnance de Submitted,Soumis Subsidiary,Filiale Successful: ,Succès: -Successfully allocated,S'il vous plaît entrer un texte ! +Successfully Reconciled,Réconcilié avec succès Suggestions,Suggestions Sunday,Dimanche Supplier,Fournisseur Supplier (Payable) Account,Fournisseur compte (à payer) Supplier (vendor) name as entered in supplier master,Fournisseur (vendeur) le nom saisi dans master fournisseur -Supplier Account,Compte fournisseur +Supplier > Supplier Type,Fournisseur> Type de fournisseur Supplier Account Head,Fournisseur compte Head Supplier Address,Adresse du fournisseur Supplier Addresses and Contacts,Adresses des fournisseurs et contacts @@ -2750,6 +2886,12 @@ Sync with Google Drive,Synchronisation avec Google Drive System,Système System Settings,Paramètres système "System User (login) ID. If set, it will become default for all HR forms.","L'utilisateur du système (login) ID. S'il est défini, il sera par défaut pour toutes les formes de ressources humaines." +TDS (Advertisement),TDS (Publicité) +TDS (Commission),TDS (Commission) +TDS (Contractor),TDS (entrepreneur) +TDS (Interest),TDS (Intérêts) +TDS (Rent),TDS (Location) +TDS (Salary),TDS (Salaire) Target Amount,Montant Cible Target Detail,Détail cible Target Details,Détails cibles @@ -2770,10 +2912,12 @@ Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are no Tax Rate,Taux d'imposition Tax and other salary deductions.,De l'impôt et autres déductions salariales. "Tax detail table fetched from item master as a string and stored in this field. -Used for Taxes and Charges",L'impôt sur le tableau extraites de maître de l'article sous forme de chaîne et stockée dans ce domaine en détail . \ Nused des redevances et impôts +Used for Taxes and Charges","table détail d'impôt alla chercher du maître de l'article sous forme de chaîne et stockée dans ce domaine. + Utilisé pour les impôts et charges" Tax template for buying transactions.,Modèle d'impôt pour l'achat d' opérations . Tax template for selling transactions.,Modèle de la taxe pour la vente de transactions . Taxable,Imposable +Taxes,Impôts Taxes and Charges,Impôts et taxes Taxes and Charges Added,Taxes et redevances Ajouté Taxes and Charges Added (Company Currency),Les impôts et les frais supplémentaires (Société Monnaie) @@ -2786,6 +2930,7 @@ Technology,technologie Telecommunications,télécommunications Telephone Expenses,Location de bureaux Television,télévision +Template,Modèle Template for performance appraisals.,Modèle pour l'évaluation du rendement . Template of terms or contract.,Modèle de termes ou d'un contrat. Temporary Accounts (Assets),Évaluation Taux requis pour objet {0} @@ -2815,7 +2960,8 @@ The First User: You,Le premier utilisateur: Vous The Organization,l'Organisation "The account head under Liability, in which Profit/Loss will be booked","Le compte tête sous la responsabilité , dans lequel Bénéfice / perte sera comptabilisée" "The date on which next invoice will be generated. It is generated on submit. -",La date à laquelle la prochaine facture sera générée . +","La date à laquelle la prochaine facture sera générée. Il est généré lors de la soumission. +" The date on which recurring invoice will be stop,La date à laquelle la facture récurrente sera arrêter "The day of the month on which auto invoice will be generated e.g. 05, 28 etc ","Le jour du mois au cours duquel la facture automatique sera généré, par exemple 05, 28, etc" The day(s) on which you are applying for leave are holiday. You need not apply for leave.,S'il vous plaît entrer comptes débiteurs groupe / à payer en master de l'entreprise @@ -2827,6 +2973,7 @@ The net weight of this package. (calculated automatically as sum of net weight o The new BOM after replacement,La nouvelle nomenclature après le remplacement The rate at which Bill Currency is converted into company's base currency,La vitesse à laquelle le projet de loi Monnaie est convertie en monnaie de base entreprise 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. +"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Ensuite, les règles de tarification sont filtrés sur la base de clientèle, par groupe de clients, Territoire, fournisseur, le type de fournisseur, campagne, etc Sales Partner" There are more holidays than working days this month.,Compte de capital "There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Il ne peut y avoir une règle de livraison Etat avec 0 ou valeur vide pour "" To Value """ There is not enough leave balance for Leave Type {0},Il n'y a pas assez de solde de congés d'autorisation de type {0} @@ -2838,6 +2985,7 @@ This Leave Application is pending approval. Only the Leave Apporver can update s This Time Log Batch has been billed.,This Time Connexion lot a été facturé. This Time Log Batch has been cancelled.,This Time Connexion lot a été annulé. This Time Log conflicts with {0},N ° de série {0} ne fait pas partie de l'article {1} +This format is used if country specific format is not found,Ce format est utilisé si le format spécifique au pays n'est pas trouvé This is a root account and cannot be edited.,Il s'agit d'un compte root et ne peut être modifié . This is a root customer group and cannot be edited.,Il s'agit d'un groupe de clients de la racine et ne peut être modifié . This is a root item group and cannot be edited.,Ceci est un groupe d'élément de racine et ne peut être modifié . @@ -2853,7 +3001,9 @@ Time Log Batch,Temps connecter Batch Time Log Batch Detail,Temps connecter Détail du lot Time Log Batch Details,Le journal du temps les détails du lot Time Log Batch {0} must be 'Submitted',Geler stocks Older Than [ jours] +Time Log Status must be Submitted.,Log Time Etat doit être soumis. Time Log for tasks.,Le journal du temps pour les tâches. +Time Log is not billable,Heure du journal n'est pas facturable Time Log {0} must be 'Submitted',« Pertes et profits » compte de type {0} n'est pas autorisé dans l'ouverture d'entrée Time Zone,Fuseau horaire Time Zones,Fuseaux horaires @@ -2866,6 +3016,7 @@ To,À To Currency,Pour Devise To Date,À ce jour To Date should be same as From Date for Half Day leave,Pour la date doit être le même que Date d' autorisation pour une demi-journée +To Date should be within the Fiscal Year. Assuming To Date = {0},Pour la date doit être dans l'exercice. En supposant à ce jour = {0} To Discuss,Pour discuter To Do List,To Do List To Package No.,Pour Emballer n ° @@ -2875,8 +3026,8 @@ To Value,To Value To Warehouse,Pour Entrepôt "To add child nodes, explore tree and click on the node under which you want to add more nodes.","Pour ajouter des nœuds de l'enfant , explorer arborescence et cliquez sur le nœud sous lequel vous voulez ajouter d'autres nœuds ." "To assign this issue, use the ""Assign"" button in the sidebar.","Pour attribuer ce problème, utilisez le bouton "Affecter" dans la barre latérale." -To create a Bank Account:,Pour créer un compte bancaire : -To create a Tax Account:,Pour créer un compte d'impôt : +To create a Bank Account,Pour créer un compte bancaire +To create a Tax Account,Pour créer un compte d'impôt "To create an Account Head under a different company, select the company and save customer.","Pour créer un compte Head en vertu d'une autre entreprise, sélectionnez l'entreprise et sauver client." To date cannot be before from date,À ce jour ne peut pas être avant la date To enable Point of Sale features,Pour permettre Point de Vente fonctionnalités @@ -2884,22 +3035,23 @@ To enable Point of Sale view,Pour activer point de vente < / b > vue To get Item Group in details table,Pour obtenir Groupe d'éléments dans le tableau de détails "To include tax in row {0} in Item rate, taxes in rows {1} must also be included","D'inclure la taxe dans la ligne {0} dans le prix de l'article , les impôts dans les lignes {1} doivent également être inclus" "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" -"To report an issue, go to ", +"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","De ne pas appliquer la règle Prix dans une transaction particulière, toutes les règles de tarification applicables doivent être désactivés." "To set this Fiscal Year as Default, click on 'Set as Default'","Pour définir cette Année financière que par défaut , cliquez sur "" Définir par défaut """ To track any installation or commissioning related work after sales,Pour suivre toute installation ou mise en service après-vente des travaux connexes "To track brand name in the following documents Delivery Note, Opportunity, Material Request, Item, Purchase Order, Purchase Voucher, Purchaser Receipt, Quotation, Sales Invoice, Sales BOM, Sales Order, Serial No",Impossible de charge : {0} To track item in sales and purchase documents based on their serial nos. This is can also used to track warranty details of the product.,Pour suivre pièce documents de vente et d'achat en fonction de leurs numéros de série. Ce n'est peut également être utilisé pour suivre les détails de la garantie du produit. To track items in sales and purchase documents with batch nos
Preferred Industry: Chemicals etc,"Pour suivre les articles de chiffre d'affaires et des documents d'achat avec nos lots
Industrie préféré: produits chimiques, etc" To track items using barcode. You will be able to enter items in Delivery Note and Sales Invoice by scanning barcode of item.,Pour suivre les éléments à l'aide de code à barres. Vous serez en mesure d'entrer dans les articles bon de livraison et la facture de vente par balayage de code à barres de l'article. +Too many columns. Export the report and print it using a spreadsheet application.,Trop de colonnes. Exporter le rapport et l'imprimer à l'aide d'un tableur. Tools,Outils Total,Total +Total ({0}),Total ({0}) Total Advance,Advance totale -Total Allocated Amount,Montant total alloué -Total Allocated Amount can not be greater than unmatched amount,Montant total alloué ne peut être supérieur au montant inégalé Total Amount,Montant total Total Amount To Pay,Montant total à payer Total Amount in Words,Montant total en mots Total Billing This Year: ,Facturation totale de cette année: +Total Characters,Nombre de caractères Total Claimed Amount,Montant total réclamé Total Commission,Total de la Commission Total Cost,Coût total @@ -2923,14 +3075,13 @@ Total Score (Out of 5),Score total (sur 5) Total Tax (Company Currency),Total des Taxes (Société Monnaie) Total Taxes and Charges,Total Taxes et frais Total Taxes and Charges (Company Currency),Total des taxes et charges (Société Monnaie) -Total Words,Slip (s ) d'emballage annulé -Total Working Days In The Month,Nombre total de jours ouvrables du mois Total allocated percentage for sales team should be 100,Pourcentage total alloué à l'équipe de vente devrait être de 100 Total amount of invoices received from suppliers during the digest period,Montant total des factures reçues des fournisseurs durant la période digest Total amount of invoices sent to the customer during the digest period,Montant total des factures envoyées au client au cours de la période digest Total cannot be zero,Total ne peut pas être zéro Total in words,Total en mots Total points for all goals should be 100. It is {0},Date de fin ne peut pas être inférieure à Date de début +Total valuation for manufactured or repacked item(s) can not be less than total valuation of raw materials,Évaluation totale pour article (s) sont manufacturés ou reconditionnés ne peut pas être inférieur à l'évaluation totale des matières premières Total weightage assigned should be 100%. It is {0},Weightage totale attribuée devrait être de 100 % . Il est {0} Totals,Totaux Track Leads by Industry Type.,Piste mène par type d'industrie . @@ -2966,7 +3117,7 @@ UOM Conversion Details,Détails conversion UOM UOM Conversion Factor,Facteur de conversion Emballage UOM Conversion factor is required in row {0},Point {0} a été saisi plusieurs fois avec la même description ou la date ou de l'entrepôt UOM Name,Nom UDM -UOM coversion factor required for UOM {0} in Item {1},Facteur de coversion Emballage Emballage requis pour {0} au point {1} +UOM coversion factor required for UOM: {0} in Item: {1},Facteur de coversion Emballage requis pour Emballage: {0} dans l'article: {1} Under AMC,En vertu de l'AMC Under Graduate,Sous Graduate Under Warranty,Sous garantie @@ -2976,8 +3127,8 @@ Unit of Measure {0} has been entered more than once in Conversion Factor Table,U "Unit of measurement of this item (e.g. Kg, Unit, No, Pair).","Unité de mesure de cet article (Kg par exemple, unité, Non, Pair)." Units/Hour,Unités / heure Units/Shifts,Unités / Quarts de travail -Unmatched Amount,Montant inégalée Unpaid,Non rémunéré +Unreconciled Payment Details,Non rapprochés détails de paiement Unscheduled,Non programmé Unsecured Loans,Les prêts non garantis Unstop,déboucher @@ -2992,7 +3143,6 @@ Update Landed Cost,Mise à jour d'arrivée Coût Update Series,Update Series Update Series Number,Numéro de série mise à jour Update Stock,Mise à jour Stock -"Update allocated amount in the above table and then click ""Allocate"" button","Mise à jour montant alloué dans le tableau ci-dessus, puis cliquez sur "Occupation" bouton" Update bank payment dates with journals.,Mise à jour bancaire dates de paiement des revues. Update clearance date of Journal Entries marked as 'Bank Vouchers',Date d'autorisation de mise à jour des entrées de journal marqué comme « Banque Bons » Updated,Mise à jour @@ -3009,6 +3159,7 @@ Upper Income,Revenu élevé Urgent,Urgent Use Multi-Level BOM,Utilisez Multi-Level BOM Use SSL,Utiliser SSL +Used for Production Plan,Utilisé pour plan de production User,Utilisateur User ID,ID utilisateur User ID not set for Employee {0},ID utilisateur non défini pour les employés {0} @@ -3047,9 +3198,9 @@ View Now,voir maintenant Visit report for maintenance call.,Visitez le rapport de l'appel d'entretien. Voucher #,bon # Voucher Detail No,Détail volet n ° +Voucher Detail Number,Bon nombre de Détail Voucher ID,ID Bon Voucher No,Bon Pas -Voucher No is not valid,Pas de bon de réduction n'est pas valable Voucher Type,Type de Bon Voucher Type and Date,Type de chèques et date Walk In,Walk In @@ -3065,11 +3216,12 @@ Warehouse is mandatory for stock Item {0} in row {1},Facteur de conversion ne pe Warehouse is missing in Purchase Order,Entrepôt est manquant dans la commande d'achat Warehouse not found in the system,Entrepôt pas trouvé dans le système Warehouse required for stock Item {0},{0} est obligatoire -Warehouse required in POS Setting,privilège congé Warehouse where you are maintaining stock of rejected items,Entrepôt où vous êtes maintenant le bilan des éléments rejetés Warehouse {0} can not be deleted as quantity exists for Item {1},Entrepôt {0} ne peut pas être supprimé car il existe quantité pour objet {1} Warehouse {0} does not belong to company {1},Entrepôt {0} n'appartient pas à la société {1} Warehouse {0} does not exist,{0} n'est pas un courriel valide Identifiant +Warehouse {0}: Company is mandatory,Entrepôt {0}: Société est obligatoire +Warehouse {0}: Parent account {1} does not bolong to the company {2},Entrepôt {0}: compte de Parent {1} ne BOLONG à la société {2} Warehouse-Wise Stock Balance,Warehouse-Wise Stock Solde Warehouse-wise Item Reorder,Warehouse-sage Réorganiser article Warehouses,Entrepôts @@ -3114,13 +3266,14 @@ Will be updated when batched.,Sera mis à jour lorsque lots. Will be updated when billed.,Sera mis à jour lorsqu'ils sont facturés. Wire Transfer,Virement With Operations,Avec des opérations -With period closing entry,Avec l'entrée période de fermeture +With Period Closing Entry,Avec l'entrée de clôture de la période Work Details,Détails de travail Work Done,Travaux effectués Work In Progress,Work In Progress Work-in-Progress Warehouse,Entrepôt Work-in-Progress Work-in-Progress Warehouse is required before Submit,Les travaux en progrès entrepôt est nécessaire avant Soumettre Working,De travail +Working Days,Jours ouvrables Workstation,Workstation Workstation Name,Nom de station de travail Write Off Account,Ecrire Off compte @@ -3136,9 +3289,6 @@ Year Closed,L'année Fermé Year End Date,Fin de l'exercice Date de Year Name,Nom Année Year Start Date,Date de début Année -Year Start Date and Year End Date are already set in Fiscal Year {0},Création / modification par -Year Start Date and Year End Date are not within Fiscal Year.,Année Date de début et de fin d'année date ne sont pas dans l'année fiscale . -Year Start Date should not be greater than Year End Date,Année Date de début ne doit pas être supérieure à fin de l'année Date d' Year of Passing,Année de passage Yearly,Annuel Yes,Oui @@ -3148,7 +3298,6 @@ You are the Expense Approver for this record. Please Update the 'Status' and Sav You are the Leave Approver for this record. Please Update the 'Status' and Save,Vous êtes l'approbateur congé pour cet enregistrement . S'il vous plaît mettre à jour le «Status» et Save You can enter any date manually,Vous pouvez entrer une date manuellement You can enter the minimum quantity of this item to be ordered.,Vous pouvez entrer la quantité minimale de cet élément à commander. -You can not assign itself as parent account,Vous ne pouvez pas lui attribuer que compte parent You can not change rate if BOM mentioned agianst any item,Vous ne pouvez pas modifier le taux si BOM mentionné agianst un article You can not enter both Delivery Note No and Sales Invoice No. Please enter any one.,Vous ne pouvez pas entrer à la fois bon de livraison et la facture de vente n ° n ° S'il vous plaît entrer personne. You can not enter current voucher in 'Against Journal Voucher' column,"D'autres comptes peuvent être faites dans les groupes , mais les entrées peuvent être faites contre Ledger" @@ -3160,7 +3309,6 @@ You cannot credit and debit same account at the same time,Vous ne pouvez pas cr You have entered duplicate items. Please rectify and try again.,Vous avez entré les doublons . S'il vous plaît corriger et essayer à nouveau. You may need to update: {0},Vous devez mettre à jour : {0} You must Save the form before proceeding,produits impressionnants -You must allocate amount before reconcile,Vous devez allouer montant avant réconciliation Your Customer's TAX registration numbers (if applicable) or any general information,Votre Client numéros d'immatriculation fiscale (le cas échéant) ou toute autre information générale Your Customers,vos clients Your Login Id,Votre ID de connexion @@ -3173,11 +3321,13 @@ Your sales person who will contact the customer in future,Votre personne de vent Your sales person will get a reminder on this date to contact the customer,Votre personne de ventes recevoir un rappel de cette date pour contacter le client Your setup is complete. Refreshing...,Votre installation est terminée. Rafraîchissant ... Your support email id - must be a valid email - this is where your emails will come!,Votre e-mail id soutien - doit être une adresse email valide - c'est là que vos e-mails viendra! +[Error],[Error] [Select],[Sélectionner ] `Freeze Stocks Older Than` should be smaller than %d days.,Fichier source and,et are not allowed.,ne sont pas autorisés . assigned by,attribué par +cannot be greater than 100,ne peut pas être supérieure à 100 "e.g. ""Build tools for builders""","par exemple "" Construire des outils pour les constructeurs """ "e.g. ""MC""","par exemple ""MC""" "e.g. ""My Company LLC""","par exemple "" Mon Company LLC """ @@ -3190,32 +3340,34 @@ example: Next Day Shipping,Exemple: Jour suivant Livraison lft,lft old_parent,old_parent rgt,rgt +subject,sujet +to,à website page link,Lien vers page web {0} '{1}' not in Fiscal Year {2},Profil d'emploi {0} Credit limit {0} crossed,N ° de série {0} ne fait pas partie d' entrepôt {1} {0} Serial Numbers required for Item {0}. Only {0} provided.,{0} numéros de série requis pour objet {0} . Seulement {0} fournie . {0} budget for Account {1} against Cost Center {2} will exceed by {3},Alternative lien de téléchargement +{0} can not be negative,{0} ne peut pas être négatif {0} created,L'article est mis à jour {0} does not belong to Company {1},joindre l'image {0} entered twice in Item Tax,{0} est entré deux fois dans l'impôt de l'article {0} is an invalid email address in 'Notification Email Address',{0} est une adresse e-mail valide dans 'Notification Email ' {0} is mandatory,Restrictions de l'utilisateur {0} is mandatory for Item {1},{0} est obligatoire pour objet {1} +{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} est obligatoire. Peut-être que dossier de change n'est pas créé pour {1} et {2}. {0} is not a stock Item,« De Date ' est nécessaire {0} is not a valid Batch Number for Item {1},{0} n'est pas un numéro de lot valable pour objet {1} -{0} is not a valid Leave Approver,Maître de vacances . +{0} is not a valid Leave Approver. Removing row #{1}.,{0} n'est pas un congé approbateur valide. Retrait rangée # {1}. {0} is not a valid email id,S'il vous plaît sélectionner la valeur de groupe ou Ledger {0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,matériel {0} is required,{0} ne peut pas être acheté en utilisant Panier {0} must be a Purchased or Sub-Contracted Item in row {1},{0} doit être un article acheté ou sous-traitées à la ligne {1} -{0} must be less than or equal to {1},Catégorie des employés . +{0} must be reduced by {1} or you should increase overflow tolerance,{0} doit être réduite par {1} ou vous devez augmenter la tolérance de dépassement {0} must have role 'Leave Approver',Nouveau Stock UDM est nécessaire {0} valid serial nos for Item {1},BOM {0} pour objet {1} à la ligne {2} est inactif ou non soumis {0} {1} against Bill {2} dated {3},S'il vous plaît entrer le titre ! {0} {1} against Invoice {2},investissements {0} {1} has already been submitted,"S'il vous plaît entrer » est sous-traitée "" comme Oui ou Non" -{0} {1} has been modified. Please Refresh,Maître de taux de change . -{0} {1} has been modified. Please refresh,{0} {1} a été modifié . S'il vous plaît rafraîchir {0} {1} has been modified. Please refresh.,Point ou Entrepôt à la ligne {0} ne correspond pas à la Demande de Matériel {0} {1} is not submitted,Accepté Rejeté + Quantité doit être égale à la quantité reçue pour objet {0} {0} {1} must be submitted,{0} {1} doit être soumis @@ -3223,3 +3375,5 @@ website page link,Lien vers page web {0} {1} status is 'Stopped',Type Nom de la partie {0} {1} status is Stopped,{0} {1} statut est arrêté {0} {1} status is Unstopped,Vous ne pouvez pas reporter le numéro de rangée supérieure ou égale à numéro de la ligne actuelle pour ce type de charge +{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Centre de coûts est obligatoire pour objet {2} +{0}: {1} not found in Invoice Details table,{0}: {1} ne trouve pas dans la table Détails de la facture diff --git a/erpnext/translations/hi.csv b/erpnext/translations/hi.csv index f657f663ff..5e933fdb43 100644 --- a/erpnext/translations/hi.csv +++ b/erpnext/translations/hi.csv @@ -14,7 +14,6 @@ % of materials delivered against this Sales Order,इस बिक्री आदेश के खिलाफ दिया सामग्री का% % of materials ordered against this Material Request,सामग्री का% इस सामग्री अनुरोध के खिलाफ आदेश दिया % of materials received against this Purchase Order,इस खरीद के आदेश के खिलाफ प्राप्त सामग्री की% -%(conversion_rate_label)s is mandatory. Maybe Currency Exchange record is not created for %(from_currency)s to %(to_currency)s,% ( conversion_rate_label ) अनिवार्य है . हो सकता है कि विनिमय दर रिकॉर्ड % के लिए नहीं बनाई गई है ( from_currency ) एस % करने के लिए ( to_currency ) है 'Actual Start Date' can not be greater than 'Actual End Date',' वास्तविक प्रारंभ दिनांक ' वास्तविक अंत तिथि ' से बड़ा नहीं हो सकता 'Based On' and 'Group By' can not be same,'पर आधारित ' और ' समूह द्वारा ' ही नहीं किया जा सकता है 'Days Since Last Order' must be greater than or equal to zero,' पिछले आदेश के बाद दिन ' से अधिक है या शून्य के बराबर होना चाहिए @@ -30,11 +29,35 @@ 'Update Stock' for Sales Invoice {0} must be set,बिक्री चालान के लिए 'अपडेट शेयर ' {0} सेट किया जाना चाहिए * Will be calculated in the transaction.,* लेनदेन में गणना की जाएगी. "1 Currency = [?] Fraction -For e.g. 1 USD = 100 Cent",1 मुद्रा = [ ?] अंश \ Nfor उदा +For e.g. 1 USD = 100 Cent","1 मुद्रा = [?] अंश + जैसे 1 अमरीकी डालर = 100 प्रतिशत के लिए" 1. To maintain the customer wise item code and to make them searchable based on their code use this option,1. इस विकल्प का उपयोग ग्राहक बुद्धिमान आइटम कोड को बनाए रखने और अपने कोड के आधार पर बनाने के लिए उन्हें खोजा "Add / Edit"," जोड़ें / संपादित करें " "Add / Edit"," जोड़ें / संपादित करें " "Add / Edit"," जोड़ें / संपादित करें " +"

Default Template

+

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

+
{{ address_line1 }}<br>
+{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}
+{{ city }}<br>
+{% if state %}{{ state }}<br>{% endif -%}
+{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}
+{{ country }}<br>
+{% if phone %}Phone: {{ phone }}<br>{% endif -%}
+{% if fax %}Fax: {{ fax }}<br>{% endif -%}
+{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
+
","

डिफ़ॉल्ट टेम्पलेट +

Jinja Templating और पते के सभी क्षेत्रों (का उपयोग करता है कस्टम फील्ड्स यदि कोई हो) सहित उपलब्ध हो जाएगा +

  {{address_line1}} वेयरहाउस 
+ {% अगर address_line2%} {{address_line2}} वेयरहाउस { % endif -%} 
+ {{नगर}} वेयरहाउस 
+ {% अगर राज्य%} {{राज्य}} वेयरहाउस {% endif -%} 
+ {% अगर पिनकोड%} पिन: {{पिन कोड}} वेयरहाउस {% endif -%} 
+ {{देश}} वेयरहाउस 
+ {% अगर फोन%} फोन: {{फोन}} वेयरहाउस { % endif -%} 
+ {% अगर फैक्स%} फैक्स: {{फैक्स}} वेयरहाउस {% endif -%} 
+ {% email_id%} ईमेल: {{email_id}} 
; {% endif -%} + " A Customer Group exists with same name please change the Customer name or rename the Customer Group,एक ग्राहक समूह में एक ही नाम के साथ मौजूद ग्राहक का नाम बदलने के लिए या ग्राहक समूह का नाम बदलने के लिए कृपया A Customer exists with same name,एक ग्राहक एक ही नाम के साथ मौजूद है A Lead with this email id should exist,इस ईमेल आईडी के साथ एक लीड मौजूद होना चाहिए @@ -44,7 +67,6 @@ A symbol for this currency. For e.g. $,इस मुद्रा के लि AMC Expiry Date,एएमसी समाप्ति तिथि Abbr,Abbr Abbreviation cannot have more than 5 characters,संक्षिप्त 5 से अधिक वर्ण नहीं हो सकता -About,के बारे में Above Value,मूल्य से ऊपर Absent,अनुपस्थित Acceptance Criteria,स्वीकृति मानदंड @@ -59,6 +81,8 @@ Account Details,खाता विवरण Account Head,लेखाशीर्ष Account Name,खाते का नाम Account Type,खाता प्रकार +"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","खाता शेष राशि पहले से ही क्रेडिट में, आप सेट करने की अनुमति नहीं है 'डेबिट' के रूप में 'बैलेंस होना चाहिए'" +"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","पहले से ही डेबिट में खाता शेष, आप के रूप में 'क्रेडिट' 'बैलेंस होना चाहिए' स्थापित करने के लिए अनुमति नहीं है" Account for the warehouse (Perpetual Inventory) will be created under this Account.,गोदाम ( सदा सूची ) के लिए खाते में इस खाते के तहत बनाया जाएगा . Account head {0} created,खाता सिर {0} बनाया Account must be a balance sheet account,खाता एक बैलेंस शीट खाता होना चाहिए @@ -68,13 +92,20 @@ Account with existing transaction can not be deleted,मौजूदा ले Account with existing transaction cannot be converted to ledger,मौजूदा लेन - देन के साथ खाता लेजर को परिवर्तित नहीं किया जा सकता है Account {0} cannot be a Group,खाते {0} एक समूह नहीं हो सकता Account {0} does not belong to Company {1},खाते {0} कंपनी से संबंधित नहीं है {1} +Account {0} does not belong to company: {1},खाते {0} कंपनी से संबंधित नहीं है: {1} Account {0} does not exist,खाते {0} मौजूद नहीं है Account {0} has been entered more than once for fiscal year {1},खाते {0} अधिक वित्तीय वर्ष के लिए एक बार से अधिक दर्ज किया गया है {1} Account {0} is frozen,खाते {0} जमे हुए है Account {0} is inactive,खाते {0} निष्क्रिय है +Account {0} is not valid,खाते {0} मान्य नहीं है Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item,आइटम {1} एक एसेट आइटम के रूप में खाते {0} प्रकार की ' फिक्स्ड एसेट ' होना चाहिए +Account {0}: Parent account {1} can not be a ledger,खाते {0}: माता पिता के खाते {1} एक खाता नहीं हो सकता +Account {0}: Parent account {1} does not belong to company: {2},खाते {0}: माता पिता के खाते {1} कंपनी से संबंधित नहीं है: {2} +Account {0}: Parent account {1} does not exist,खाते {0}: माता पिता के खाते {1} मौजूद नहीं है +Account {0}: You can not assign itself as parent account,खाते {0}: तुम माता पिता के खाते के रूप में खुद को आवंटन नहीं कर सकते "Account: {0} can only be updated via \ - Stock Transactions",खाता: {0} केवल टाइम शेयर लेनदेन \ \ के माध्यम से अद्यतन किया जा सकता है + Stock Transactions","खाता: \ + शेयर लेनदेन {0} केवल के माध्यम से अद्यतन किया जा सकता है" Accountant,मुनीम Accounting,लेखांकन "Accounting Entries can be made against leaf nodes, called","लेखांकन प्रविष्टियों बुलाया , पत्ती नोड्स के खिलाफ किया जा सकता है" @@ -124,6 +155,7 @@ Address Details,पते की जानकारी Address HTML,HTML पता करने के लिए Address Line 1,पता पंक्ति 1 Address Line 2,पता पंक्ति 2 +Address Template,पता खाका Address Title,पता शीर्षक Address Title is mandatory.,पता शीर्षक अनिवार्य है . Address Type,पता प्रकार @@ -144,7 +176,6 @@ Against Docname,Docname खिलाफ Against Doctype,Doctype के खिलाफ Against Document Detail No,दस्तावेज़ विस्तार नहीं के खिलाफ Against Document No,दस्तावेज़ के खिलाफ कोई -Against Entries,प्रविष्टियों के खिलाफ Against Expense Account,व्यय खाते के खिलाफ Against Income Account,आय खाता के खिलाफ Against Journal Voucher,जर्नल वाउचर के खिलाफ @@ -180,10 +211,8 @@ All Territories,सभी प्रदेशों "All export related fields like currency, conversion rate, export total, export grand total etc are available in Delivery Note, POS, Quotation, Sales Invoice, Sales Order etc.","मुद्रा , रूपांतरण दर , निर्यात , कुल , निर्यात महायोग आदि की तरह सभी निर्यात संबंधित क्षेत्रों डिलिवरी नोट , स्थिति , कोटेशन , बिक्री चालान , बिक्री आदेश आदि में उपलब्ध हैं" "All import related fields like currency, conversion rate, import total, import grand total etc are available in Purchase Receipt, Supplier Quotation, Purchase Invoice, Purchase Order etc.","मुद्रा , रूपांतरण दर , आयात कुल , आयात महायोग आदि जैसे सभी आयात संबंधित क्षेत्रों खरीद रसीद , प्रदायक कोटेशन , खरीद चालान , खरीद आदेश आदि में उपलब्ध हैं" All items have already been invoiced,सभी आइटम पहले से चालान कर दिया गया है -All items have already been transferred for this Production Order.,सभी आइटम पहले से ही इस उत्पादन आदेश के लिए स्थानांतरित कर दिया गया है . All these items have already been invoiced,इन सभी मदों पहले से चालान कर दिया गया है Allocate,आवंटित -Allocate Amount Automatically,स्वचालित रूप से राशि आवंटित Allocate leaves for a period.,एक अवधि के लिए पत्तियों का आवंटन . Allocate leaves for the year.,वर्ष के लिए पत्तियों आवंटित. Allocated Amount,आवंटित राशि @@ -204,13 +233,13 @@ Allow Users,उपयोगकर्ताओं को अनुमति द Allow the following users to approve Leave Applications for block days.,निम्नलिखित उपयोगकर्ता ब्लॉक दिनों के लिए छोड़ एप्लीकेशन को स्वीकृत करने की अनुमति दें. Allow user to edit Price List Rate in transactions,उपयोगकर्ता लेनदेन में मूल्य सूची दर को संपादित करने की अनुमति दें Allowance Percent,भत्ता प्रतिशत -Allowance for over-delivery / over-billing crossed for Item {0},भत्ता से अधिक प्रसव / अधिक बिलिंग के लिए आइटम के लिए पार कर गया {0} +Allowance for over-{0} crossed for Item {1},भत्ता खत्म-{0} मद के लिए पार कर लिए {1} +Allowance for over-{0} crossed for Item {1}.,भत्ता खत्म-{0} मद के लिए पार कर लिए {1}. Allowed Role to Edit Entries Before Frozen Date,फ्रोजन तारीख से पहले संपादित प्रविष्टियां करने की अनुमति दी रोल Amended From,से संशोधित Amount,राशि Amount (Company Currency),राशि (कंपनी मुद्रा) -Amount <=,राशि <= -Amount >=,राशि> = +Amount Paid,राशि का भुगतान Amount to Bill,बिल राशि An Customer exists with same name,एक ग्राहक एक ही नाम के साथ मौजूद है "An Item Group exists with same name, please change the item name or rename the item group","एक आइटम समूह में एक ही नाम के साथ मौजूद है , वस्तु का नाम बदलने के लिए या आइटम समूह का नाम बदलने के लिए कृपया" @@ -260,6 +289,7 @@ As per Stock UOM,स्टॉक UOM के अनुसार Asset,संपत्ति Assistant,सहायक Associate,सहयोगी +Atleast one of the Selling or Buying must be selected,बेचने या खरीदने का कम से कम एक का चयन किया जाना चाहिए Atleast one warehouse is mandatory,कम से कम एक गोदाम अनिवार्य है Attach Image,छवि संलग्न करें Attach Letterhead,लेटरहेड अटैच @@ -319,6 +349,7 @@ Balance for Account {0} must always be {1},{0} हमेशा होना च Balance must be,बैलेंस होना चाहिए "Balances of Accounts of type ""Bank"" or ""Cash""","प्रकार "" "" बैंक के खातों की शेष या "" कैश """ Bank,बैंक +Bank / Cash Account,बैंक / रोकड़ लेखा Bank A/C No.,बैंक ए / सी सं. Bank Account,बैंक खाता Bank Account No.,बैंक खाता नहीं @@ -397,18 +428,24 @@ Budget Distribution Details,बजट वितरण विवरण Budget Variance Report,बजट विचरण रिपोर्ट Budget cannot be set for Group Cost Centers,बजट समूह लागत केन्द्रों के लिए निर्धारित नहीं किया जा सकता Build Report,रिपोर्ट बनाएँ -Built on,पर बनाया गया Bundle items at time of sale.,बिक्री के समय में आइटम बंडल. Business Development Manager,व्यापार विकास प्रबंधक Buying,क्रय Buying & Selling,खरीदना और बेचना Buying Amount,राशि ख़रीदना Buying Settings,सेटिंग्स ख़रीदना +"Buying must be checked, if Applicable For is selected as {0}","लागू करने के लिए के रूप में चुना जाता है तो खरीदना, जाँच की जानी चाहिए {0}" C-Form,सी - फार्म C-Form Applicable,लागू सी फार्म C-Form Invoice Detail,सी - फार्म के चालान विस्तार C-Form No,कोई सी - फार्म C-Form records,सी फार्म रिकॉर्ड +CENVAT Capital Goods,सेनवैट कैपिटल गुड्स +CENVAT Edu Cess,सेनवैट शिक्षा उपकर +CENVAT SHE Cess,सेनवैट वह उपकर +CENVAT Service Tax,सेनवैट सर्विस टैक्स +CENVAT Service Tax Cess 1,सेनवैट सर्विस टैक्स उपकर 1 +CENVAT Service Tax Cess 2,सेनवैट सर्विस टैक्स उपकर 2 Calculate Based On,के आधार पर गणना करें Calculate Total Score,कुल स्कोर की गणना Calendar Events,कैलेंडर घटनाओं @@ -432,7 +469,7 @@ Cannot approve leave as you are not authorized to approve leaves on Block Dates, Cannot cancel because Employee {0} is already approved for {1},"कर्मचारी {0} पहले से ही के लिए मंजूरी दे दी है , क्योंकि रद्द नहीं कर सकते {1}" Cannot cancel because submitted Stock Entry {0} exists,"प्रस्तुत स्टॉक एंट्री {0} मौजूद है , क्योंकि रद्द नहीं कर सकते" Cannot carry forward {0},आगे नहीं ले जा सकता {0} -Cannot change Year Start Date and Year End Date once the Fiscal Year is saved.,वर्ष प्रारंभ तिथि और वित्तीय वर्ष सहेजा जाता है एक बार वर्ष समाप्ति तिथि नहीं बदल सकते. +Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,वित्तीय वर्ष प्रारंभ तिथि और वित्तीय वर्ष सहेजा जाता है एक बार वित्तीय वर्ष के अंत तिथि नहीं बदल सकते. "Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","मौजूदा लेनदेन कर रहे हैं , क्योंकि कंपनी के डिफ़ॉल्ट मुद्रा में परिवर्तन नहीं कर सकते हैं . लेनदेन डिफ़ॉल्ट मुद्रा बदलने के लिए रद्द कर दिया जाना चाहिए ." Cannot convert Cost Center to ledger as it has child nodes,यह बच्चे नोड्स के रूप में खाता बही के लिए लागत केंद्र बदला नहीं जा सकता Cannot covert to Group because Master Type or Account Type is selected.,मास्टर टाइप करें या खाता प्रकार को चुना है क्योंकि समूह को गुप्त नहीं कर सकते हैं . @@ -441,7 +478,7 @@ Cannot deactive or cancle BOM as it is linked with other BOMs,यह अन् Cannot deduct when category is for 'Valuation' or 'Valuation and Total',श्रेणी ' मूल्यांकन ' या ' मूल्यांकन और कुल ' के लिए है जब घटा नहीं कर सकते "Cannot delete Serial No {0} in stock. First remove from stock, then delete.","स्टॉक में {0} धारावाहिक नहीं हटाया नहीं जा सकता . सबसे पहले हटाना तो , स्टॉक से हटा दें." "Cannot directly set amount. For 'Actual' charge type, use the rate field","सीधे राशि निर्धारित नहीं कर सकते . 'वास्तविक ' आरोप प्रकार के लिए, दर फ़ील्ड का उपयोग" -"Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in 'Setup' > 'Global Defaults'","{1} से {0} अधिक पंक्ति में आइटम {0} के लिए overbill नहीं कर सकते हैं . Overbilling अनुमति देने के लिए , ' वैश्विक मूलभूत '> ' सेटअप' में सेट करें" +"Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in Stock Settings","{1} से {0} अधिक पंक्ति में आइटम {0} के लिए overbill नहीं कर सकते हैं. Overbilling अनुमति देने के लिए, शेयर सेटिंग्स में सेट करें" Cannot produce more Item {0} than Sales Order quantity {1},अधिक आइटम उत्पादन नहीं कर सकते {0} से बिक्री आदेश मात्रा {1} Cannot refer row number greater than or equal to current row number for this Charge type,इस आरोप प्रकार के लिए अधिक से अधिक या वर्तमान पंक्ति संख्या के बराबर पंक्ति संख्या का उल्लेख नहीं कर सकते Cannot return more than {0} for Item {1},से अधिक नहीं लौट सकते हैं {0} मद के लिए {1} @@ -504,6 +541,8 @@ Click on a link to get options to expand get options , Client,ग्राहक Close Balance Sheet and book Profit or Loss.,बंद बैलेंस शीट और पुस्तक लाभ या हानि . Closed,बंद +Closing (Cr),समापन (सीआर) +Closing (Dr),समापन (डॉ.) Closing Account Head,बंद लेखाशीर्ष Closing Account {0} must be of type 'Liability',खाते {0} समापन प्रकार की देयता ' का होना चाहिए Closing Date,तिथि समापन @@ -514,7 +553,9 @@ CoA Help,सीओए मदद Code,कोड Cold Calling,सर्द पहुँच Color,रंग +Column Break,स्तंभ विराम Comma separated list of email addresses,ईमेल पतों की अल्पविराम अलग सूची +Comment,टिप्पणी Comments,टिप्पणियां Commercial,वाणिज्यिक Commission,आयोग @@ -599,7 +640,6 @@ Cosmetics,प्रसाधन सामग्री Cost Center,लागत केंद्र Cost Center Details,लागत केंद्र विवरण Cost Center Name,लागत केन्द्र का नाम -Cost Center is mandatory for Item {0},लागत केंद्र मद के लिए अनिवार्य है {0} Cost Center is required for 'Profit and Loss' account {0},लागत केंद्र ' लाभ और हानि के खाते के लिए आवश्यक है {0} Cost Center is required in row {0} in Taxes table for type {1},लागत केंद्र पंक्ति में आवश्यक है {0} कर तालिका में प्रकार के लिए {1} Cost Center with existing transactions can not be converted to group,मौजूदा लेनदेन के साथ लागत केंद्र समूह परिवर्तित नहीं किया जा सकता है @@ -609,6 +649,7 @@ Cost of Goods Sold,बेच माल की लागत Costing,लागत Country,देश Country Name,देश का नाम +Country wise default Address Templates,देश बुद्धिमान डिफ़ॉल्ट पता टेम्पलेट्स "Country, Timezone and Currency","देश , समय क्षेत्र और मुद्रा" Create Bank Voucher for the total salary paid for the above selected criteria,कुल ऊपर चयनित मानदंड के लिए वेतन भुगतान के लिए बैंक वाउचर बनाएँ Create Customer,ग्राहक बनाएँ @@ -662,10 +703,12 @@ Customer (Receivable) Account,ग्राहक (प्राप्ति) ख Customer / Item Name,ग्राहक / मद का नाम Customer / Lead Address,ग्राहक / लीड पता Customer / Lead Name,ग्राहक / लीड नाम +Customer > Customer Group > Territory,ग्राहक> ग्राहक समूह> टेरिटरी Customer Account Head,ग्राहक खाता हेड Customer Acquisition and Loyalty,ग्राहक अधिग्रहण और वफादारी Customer Address,ग्राहक पता Customer Addresses And Contacts,ग्राहक के पते और संपर्क +Customer Addresses and Contacts,ग्राहकों के पते और संपर्क Customer Code,ग्राहक कोड Customer Codes,ग्राहक संहिताओं Customer Details,ग्राहक विवरण @@ -727,6 +770,8 @@ Deduction1,Deduction1 Deductions,कटौती Default,चूक Default Account,डिफ़ॉल्ट खाता +Default Address Template cannot be deleted,डिफ़ॉल्ट पता खाका हटाया नहीं जा सकता +Default Amount,चूक की राशि Default BOM,Default बीओएम Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,डिफ़ॉल्ट खाता / बैंक कैश स्वतः स्थिति चालान में अद्यतन किया जाएगा जब इस मोड का चयन किया जाता है. Default Bank Account,डिफ़ॉल्ट बैंक खाता @@ -734,7 +779,6 @@ Default Buying Cost Center,डिफ़ॉल्ट ख़रीदना ला Default Buying Price List,डिफ़ॉल्ट खरीद मूल्य सूची Default Cash Account,डिफ़ॉल्ट नकद खाता Default Company,Default कंपनी -Default Cost Center for tracking expense for this item.,इस मद के लिए खर्च पर नज़र रखने के लिए डिफ़ॉल्ट लागत केंद्र. Default Currency,डिफ़ॉल्ट मुद्रा Default Customer Group,डिफ़ॉल्ट ग्राहक समूह Default Expense Account,डिफ़ॉल्ट व्यय खाते @@ -761,6 +805,7 @@ Default settings for selling transactions.,लेनदेन को बेच Default settings for stock transactions.,शेयर लेनदेन के लिए डिफ़ॉल्ट सेटिंग्स . Defense,रक्षा "Define Budget for this Cost Center. To set budget action, see
Company Master","इस लागत केंद्र के लिए बजट निर्धारित. बजट कार्रवाई तय करने के लिए, देखने के लिए कंपनी मास्टर" +Del,डेल Delete,हटाना Delete {0} {1}?,हटाएँ {0} {1} ? Delivered,दिया गया @@ -809,6 +854,7 @@ Discount (%),डिस्काउंट (%) Discount Amount,छूट राशि "Discount Fields will be available in Purchase Order, Purchase Receipt, Purchase Invoice","डिस्काउंट फील्ड्स खरीद आदेश, खरीद रसीद, खरीद चालान में उपलब्ध हो जाएगा" Discount Percentage,डिस्काउंट प्रतिशत +Discount Percentage can be applied either against a Price List or for all Price List.,डिस्काउंट प्रतिशत एक मूल्य सूची के खिलाफ या सभी मूल्य सूची के लिए या तो लागू किया जा सकता है. Discount must be less than 100,सबसे कम से कम 100 होना चाहिए Discount(%),डिस्काउंट (%) Dispatch,प्रेषण @@ -841,7 +887,8 @@ Download Template,टेम्पलेट डाउनलोड करें Download a report containing all raw materials with their latest inventory status,उनकी नवीनतम सूची की स्थिति के साथ सभी कच्चे माल युक्त रिपोर्ट डाउनलोड करें "Download the Template, fill appropriate data and attach the modified file.","टेम्पलेट डाउनलोड करें , उचित डेटा को भरने और संशोधित फाइल देते हैं ." "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","टेम्पलेट डाउनलोड करें , उचित डेटा को भरने और संशोधित फाइल देते हैं . \ Nall तिथि और चयनित अवधि में कर्मचारी संयोजन मौजूदा उपस्थिति रिकॉर्ड के साथ , टेम्पलेट में आ जाएगा" +All dates and employee combination in the selected period will come in the template, with existing attendance records","टेम्पलेट डाउनलोड करें, उचित डेटा को भरने और संशोधित फाइल देते हैं. + चयनित अवधि में सभी दिनांक और कर्मचारी संयोजन मौजूदा उपस्थिति रिकॉर्ड के साथ, टेम्पलेट में आ जाएगा" Draft,मसौदा Dropbox,ड्रॉपबॉक्स Dropbox Access Allowed,ड्रॉपबॉक्स उपयोग की अनुमति दी @@ -863,6 +910,9 @@ Earning & Deduction,अर्जन कटौती Earning Type,प्रकार कमाई Earning1,Earning1 Edit,संपादित करें +Edu. Cess on Excise,शैक्षिक योग्यता आबकारी पर उपकर +Edu. Cess on Service Tax,शैक्षिक योग्यता सर्विस टैक्स पर उपकर +Edu. Cess on TDS,शैक्षिक योग्यता टीडीएस पर उपकर Education,शिक्षा Educational Qualification,शैक्षिक योग्यता Educational Qualification Details,शैक्षिक योग्यता विवरण @@ -937,16 +987,27 @@ Enter url parameter for receiver nos,रिसीवर ओपन स्कू Entertainment & Leisure,मनोरंजन और आराम Entertainment Expenses,मनोरंजन खर्च Entries,प्रविष्टियां -Entries against,प्रविष्टियों के खिलाफ +Entries against , Entries are not allowed against this Fiscal Year if the year is closed.,"प्रविष्टियों इस वित्त वर्ष के खिलाफ की अनुमति नहीं है, अगर साल बंद कर दिया जाता है." -Entries before {0} are frozen,{0} पहले प्रविष्टियां जमे हुए हैं Equity,इक्विटी Error: {0} > {1},त्रुटि: {0} > {1} Estimated Material Cost,अनुमानित मटेरियल कॉस्ट +"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","सर्वोच्च प्राथमिकता के साथ कई मूल्य निर्धारण नियम हैं, भले ही उसके बाद निम्न आंतरिक प्राथमिकताओं लागू कर रहे हैं:" Everyone can read,हर कोई पढ़ सकता है "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.","उदाहरण: . एबीसीडी # # # # # \ n यदि श्रृंखला के लिए निर्धारित है और धारावाहिक नहीं स्वत: सीरियल नंबर इस श्रृंखला के आधार पर बनाया जाएगा तो , लेनदेन में उल्लेख नहीं है ." +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.",". उदाहरण: एबीसीडी # # # # # + श्रृंखला के लिए निर्धारित है और धारावाहिक नहीं लेनदेन में उल्लेख नहीं किया है, तो स्वत: सीरियल नंबर इस श्रृंखला के आधार पर बनाया जाएगा. आप हमेशा स्पष्ट रूप से इस मद के लिए सीरियल नं उल्लेख करना चाहते हैं. इस खाली छोड़ दें." Exchange Rate,विनिमय दर +Excise Duty 10,एक्साइज ड्यूटी 10 +Excise Duty 14,एक्साइज ड्यूटी 14 +Excise Duty 4,एक्साइज ड्यूटी 4 +Excise Duty 8,उत्पाद शुल्क 8 +Excise Duty @ 10,@ 10 एक्साइज ड्यूटी +Excise Duty @ 14,14 @ एक्साइज ड्यूटी +Excise Duty @ 4,4 @ एक्साइज ड्यूटी +Excise Duty @ 8,8 @ एक्साइज ड्यूटी +Excise Duty Edu Cess 2,उत्पाद शुल्क शिक्षा उपकर 2 +Excise Duty SHE Cess 1,एक्साइज ड्यूटी वह उपकर 1 Excise Page Number,आबकारी पृष्ठ संख्या Excise Voucher,आबकारी वाउचर Execution,निष्पादन @@ -965,6 +1026,7 @@ Expected Delivery Date cannot be before Sales Order Date,उम्मीद क Expected End Date,उम्मीद समाप्ति तिथि Expected Start Date,उम्मीद प्रारंभ दिनांक Expense,व्यय +Expense / Difference account ({0}) must be a 'Profit or Loss' account,व्यय / अंतर खाते ({0}) एक 'लाभ या हानि' खाता होना चाहिए Expense Account,व्यय लेखा Expense Account is mandatory,व्यय खाता अनिवार्य है Expense Claim,व्यय दावा @@ -1015,12 +1077,16 @@ Finished Goods,निर्मित माल First Name,प्रथम नाम First Responded On,पर पहले जवाब Fiscal Year,वित्तीय वर्ष +Fiscal Year Start Date and Fiscal Year End Date are already set in Fiscal Year {0},वित्तीय वर्ष प्रारंभ तिथि और वित्तीय वर्ष के अंत तिथि पहले से ही वित्त वर्ष में स्थापित कर रहे हैं {0} +Fiscal Year Start Date and Fiscal Year End Date cannot be more than a year apart.,वित्तीय वर्ष प्रारंभ तिथि और वित्तीय वर्ष के अंत दिनांक के अलावा एक साल से अधिक नहीं हो सकता. +Fiscal Year Start Date should not be greater than Fiscal Year End Date,वित्तीय वर्ष प्रारंभ तिथि वित्तीय वर्ष के अंत तिथि से बड़ा नहीं होना चाहिए Fixed Asset,स्थायी परिसम्पत्ति Fixed Assets,स्थायी संपत्तियाँ Follow via Email,ईमेल के माध्यम से पालन करें "Following table will show values if items are sub - contracted. These values will be fetched from the master of ""Bill of Materials"" of sub - contracted items.",तालिका के बाद मूल्यों को दिखाने अगर आइटम उप - अनुबंध. अनुबंधित आइटम - इन मूल्यों को उप "सामग्री के विधेयक" के मालिक से दिलवाया जाएगा. Food,भोजन "Food, Beverage & Tobacco","खाद्य , पेय और तंबाकू" +"For 'Sales BOM' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Sales BOM' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","'सेल्स बीओएम' आइटम, वेयरहाउस, धारावाहिक नहीं और बैच के लिए नहीं 'पैकिंग सूची' मेज से विचार किया जाएगा. वेयरहाउस और बैच नहीं कोई 'सेल्स बीओएम' आइटम के लिए सभी मदों पैकिंग के लिए ही कर रहे हैं, तो उन मानों मुख्य मद तालिका में दर्ज किया जा सकता है, मूल्यों 'पैकिंग सूची' तालिका में कॉपी किया जायेगा." For Company,कंपनी के लिए For Employee,कर्मचारी के लिए For Employee Name,कर्मचारी का नाम @@ -1050,7 +1116,9 @@ From Currency and To Currency cannot be same,मुद्रा से और From Customer,ग्राहक से From Customer Issue,ग्राहक मुद्दे से From Date,दिनांक से +From Date cannot be greater than To Date,तिथि से आज तक से बड़ा नहीं हो सकता From Date must be before To Date,दिनांक से पहले तिथि करने के लिए होना चाहिए +From Date should be within the Fiscal Year. Assuming From Date = {0},दिनांक से वित्तीय वर्ष के भीतर होना चाहिए. दिनांक से मान लिया जाये = {0} From Delivery Note,डिलिवरी नोट से From Employee,कर्मचारी से From Lead,लीड से @@ -1072,7 +1140,9 @@ Frozen Accounts Modifier,बंद खाते संशोधक Fulfilled,पूरा Full Name,पूरा नाम Full-time,पूर्णकालिक +Fully Billed,पूरी तरह से किसी तरह का बिल Fully Completed,पूरी तरह से पूरा +Fully Delivered,पूरी तरह से वितरित Furniture and Fixture,फर्नीचर और जुड़नार Further accounts can be made under Groups but entries can be made against Ledger,इसके अलावा खातों समूह के तहत बनाया जा सकता है लेकिन प्रविष्टियों लेजर के खिलाफ किया जा सकता है "Further accounts can be made under Groups, but entries can be made against Ledger","इसके अलावा खातों समूह के तहत बनाया जा सकता है , लेकिन प्रविष्टियों लेजर के खिलाफ किया जा सकता है" @@ -1090,7 +1160,6 @@ Generate Schedule,कार्यक्रम तय करें उत्प Generates HTML to include selected image in the description,विवरण में चयनित छवि को शामिल करने के लिए HTML उत्पन्न Get Advances Paid,भुगतान किए गए अग्रिम जाओ Get Advances Received,अग्रिम प्राप्त -Get Against Entries,प्रविष्टियों के खिलाफ करें Get Current Stock,मौजूदा स्टॉक Get Items,आइटम पाने के लिए Get Items From Sales Orders,विक्रय आदेश से आइटम प्राप्त करें @@ -1103,6 +1172,7 @@ Get Specification Details,विशिष्टता विवरण Get Stock and Rate,स्टॉक और दर Get Template,टेम्पलेट जाओ Get Terms and Conditions,नियम और शर्तें +Get Unreconciled Entries,Unreconciled प्रविष्टियां प्राप्त करें Get Weekly Off Dates,साप्ताहिक ऑफ तिथियां "Get valuation rate and available stock at source/target warehouse on mentioned posting date-time. If serialized item, please press this button after entering serial nos.","मूल्यांकन और स्रोत / लक्ष्य पर गोदाम में उपलब्ध स्टाक दर दिनांक - समय पोस्टिंग का उल्लेख किया. यदि आइटम serialized, धारावाहिक नग में प्रवेश करने के बाद इस बटन को दबाएं." Global Defaults,वैश्विक मूलभूत @@ -1171,6 +1241,7 @@ Hour,घंटा Hour Rate,घंटा दर Hour Rate Labour,घंटो के लिए दर श्रम Hours,घंटे +How Pricing Rule is applied?,कैसे मूल्य निर्धारण नियम लागू किया जाता है? How frequently?,कितनी बार? "How should this currency be formatted? If not set, will use system defaults","इस मुद्रा को कैसे स्वरूपित किया जाना चाहिए? अगर सेट नहीं किया, प्रणाली चूक का उपयोग करेगा" Human Resources,मानवीय संसाधन @@ -1187,12 +1258,15 @@ If different than customer address,यदि ग्राहक पते से "If disable, 'Rounded Total' field will not be visible in any transaction","निष्क्रिय कर देते हैं, 'गोल कुल' अगर क्षेत्र किसी भी लेन - देन में दिखाई नहीं देगा" "If enabled, the system will post accounting entries for inventory automatically.","यदि सक्रिय है, प्रणाली स्वतः सूची के लिए लेखांकन प्रविष्टियों के बाद होगा." If more than one package of the same type (for print),यदि एक ही प्रकार के एक से अधिक पैकेज (प्रिंट के लिए) +"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","कई डालती प्रबल करने के लिए जारी रखते हैं, उपयोगकर्ताओं संघर्ष को हल करने के लिए मैन्युअल रूप से प्राथमिकता सेट करने के लिए कहा जाता है." "If no change in either Quantity or Valuation Rate, leave the cell blank.","मात्रा या मूल्यांकन दर में कोई परिवर्तन , सेल खाली छोड़ देते हैं ." If not applicable please enter: NA,यदि लागू नहीं दर्ज करें: NA "If not checked, the list will have to be added to each Department where it has to be applied.","अगर जाँच नहीं किया गया है, इस सूची के लिए प्रत्येक विभाग है जहां इसे लागू किया गया है के लिए जोड़ा जा होगा." +"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.","चयनित मूल्य निर्धारण नियम 'मूल्य' के लिए किया जाता है, यह मूल्य सूची लिख देगा. मूल्य निर्धारण नियम मूल्य अंतिम कीमत है, ताकि आगे कोई छूट लागू किया जाना चाहिए. इसलिए, बिक्री आदेश, खरीद आदेश आदि की तरह के लेनदेन में, बल्कि यह 'मूल्य सूची रेट' क्षेत्र से, 'दर' क्षेत्र में लाया जाएगा." "If specified, send the newsletter using this email address","अगर निर्दिष्ट, न्यूज़लेटर भेजने के इस ईमेल पते का उपयोग" "If the account is frozen, entries are allowed to restricted users.","खाता जमे हुए है , तो प्रविष्टियों प्रतिबंधित उपयोगकर्ताओं की अनुमति है." "If this Account represents a Customer, Supplier or Employee, set it here.","अगर यह खाता एक ग्राहक प्रदायक, या कर्मचारी का प्रतिनिधित्व करता है, इसे यहां सेट." +"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","दो या दो से अधिक मूल्य निर्धारण नियमों उपरोक्त शर्तों के आधार पर मिलते हैं, तो प्राथमिकता लागू किया जाता है. डिफ़ॉल्ट मान शून्य (खाली) है, जबकि प्राथमिकता 0-20 के बीच एक संख्या है. अधिक संख्या में एक ही शर्तों के साथ एकाधिक मूल्य निर्धारण नियम हैं, तो यह पूर्वता ले जाएगा मतलब है." If you follow Quality Inspection. Enables Item QA Required and QA No in Purchase Receipt,आप गुणवत्ता निरीक्षण का पालन करें . If you have Sales Team and Sale Partners (Channel Partners) they can be tagged and maintain their contribution in the sales activity,यदि आप बिक्री टीम और बिक्री (चैनल पार्टनर्स) पार्टनर्स वे चिह्नित किया जा सकता है और बिक्री गतिविधि में बनाए रखने के लिए उनके योगदान "If you have created a standard template in Purchase Taxes and Charges Master, select one and click on the button below.","यदि आप खरीद कर और शुल्क मास्टर में एक मानक टेम्पलेट बनाया है, एक का चयन करें और नीचे के बटन पर क्लिक करें." @@ -1200,6 +1274,7 @@ If you have Sales Team and Sale Partners (Channel Partners) they can be tagged "If you have long print formats, this feature can be used to split the page to be printed on multiple pages with all headers and footers on each page","यदि आप लंबे समय स्वरूपों मुद्रित किया है, इस सुविधा के लिए प्रत्येक पृष्ठ पर सभी हेडर और पाद लेख के साथ एकाधिक पृष्ठों पर मुद्रित विभाजित करने के लिए इस्तेमाल किया जा सकता है" If you involve in manufacturing activity. Enables Item 'Is Manufactured',आप विनिर्माण गतिविधि में शामिल हैं . Ignore,उपेक्षा +Ignore Pricing Rule,मूल्य निर्धारण नियम की अनदेखी Ignored: ,उपेक्षित: Image,छवि Image View,छवि देखें @@ -1236,8 +1311,9 @@ Income booked for the digest period,आय पचाने अवधि के Incoming,आवक Incoming Rate,आवक दर Incoming quality inspection.,इनकमिंग गुणवत्ता निरीक्षण. +Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,सामान्य लेज़र प्रविष्टियों का गलत नंबर मिला. आप लेन - देन में एक गलत खाते चयनित हो सकता है. Incorrect or Inactive BOM {0} for Item {1} at row {2},गलत या निष्क्रिय बीओएम {0} मद के लिए {1} पंक्ति में {2} -Indicates that the package is a part of this delivery,इंगित करता है कि पैकेज इस वितरण का एक हिस्सा है +Indicates that the package is a part of this delivery (Only Draft),पैकेज इस वितरण का एक हिस्सा है कि संकेत करता है (केवल मसौदा) Indirect Expenses,अप्रत्यक्ष व्यय Indirect Income,अप्रत्यक्ष आय Individual,व्यक्ति @@ -1263,6 +1339,7 @@ Intern,प्रशिक्षु Internal,आंतरिक Internet Publishing,इंटरनेट प्रकाशन Introduction,परिचय +Invalid Barcode,अवैध बारकोड Invalid Barcode or Serial No,अवैध बारकोड या धारावाहिक नहीं Invalid Mail Server. Please rectify and try again.,अमान्य मेल सर्वर. सुधारने और पुन: प्रयास करें . Invalid Master Name,अवैध मास्टर नाम @@ -1275,9 +1352,12 @@ Investments,निवेश Invoice Date,चालान तिथि Invoice Details,चालान विवरण Invoice No,कोई चालान -Invoice Period From Date,दिनांक से चालान अवधि +Invoice Number,चालान क्रमांक +Invoice Period From,से चालान अवधि Invoice Period From and Invoice Period To dates mandatory for recurring invoice,चालान आवर्ती के लिए अनिवार्य तिथियों के लिए और चालान काल से चालान अवधि -Invoice Period To Date,तिथि करने के लिए चालान अवधि +Invoice Period To,के लिए चालान अवधि +Invoice Type,चालान का प्रकार +Invoice/Journal Voucher Details,चालान / जर्नल वाउचर विवरण Invoiced Amount (Exculsive Tax),चालान राशि ( Exculsive टैक्स ) Is Active,सक्रिय है Is Advance,अग्रिम है @@ -1308,6 +1388,7 @@ Item Advanced,आइटम उन्नत Item Barcode,आइटम बारकोड Item Batch Nos,आइटम बैच Nos Item Code,आइटम कोड +Item Code > Item Group > Brand,मद कोड> मद समूह> ब्रांड Item Code and Warehouse should already exist.,मद कोड और गोदाम पहले से ही मौजूद होना चाहिए . Item Code cannot be changed for Serial No.,मद कोड सीरियल नंबर के लिए बदला नहीं जा सकता Item Code is mandatory because Item is not automatically numbered,आइटम स्वचालित रूप से गिने नहीं है क्योंकि मद कोड अनिवार्य है @@ -1319,6 +1400,7 @@ Item Details,आइटम विवरण Item Group,आइटम समूह Item Group Name,आइटम समूह का नाम Item Group Tree,आइटम समूह ट्री +Item Group not mentioned in item master for item {0},आइटम के लिए आइटम मास्टर में उल्लेख नहीं मद समूह {0} Item Groups in Details,विवरण में आइटम समूह Item Image (if not slideshow),छवि (यदि नहीं स्लाइड शो) Item Name,मद का नाम @@ -1389,7 +1471,8 @@ Item-wise Purchase Register,आइटम के लिहाज से खरी Item-wise Sales History,आइटम के लिहाज से बिक्री इतिहास Item-wise Sales Register,आइटम के लिहाज से बिक्री रजिस्टर "Item: {0} managed batch-wise, can not be reconciled using \ - Stock Reconciliation, instead use Stock Entry","आइटम: {0} बैच के लिहाज से प्रबंधित , \ \ n स्टॉक सुलह का उपयोग समझौता नहीं किया जा सकता है , बजाय शेयर प्रविष्टि का उपयोग" + Stock Reconciliation, instead use Stock Entry","आइटम: {0} बैच के लिहाज से प्रबंधित, का उपयोग समझौता नहीं किया जा सकता है \ + शेयर सुलह, बजाय शेयर प्रविष्टि का उपयोग" Item: {0} not found in the system,आइटम: {0} सिस्टम में नहीं मिला Items,आइटम Items To Be Requested,अनुरोध किया जा करने के लिए आइटम @@ -1492,6 +1575,7 @@ Loading...,लोड हो रहा है ... Loans (Liabilities),ऋण (देनदारियों) Loans and Advances (Assets),ऋण और अग्रिम ( संपत्ति) Local,स्थानीय +Login,लॉगिन Login with your new User ID,अपना नया यूजर आईडी के साथ लॉगिन Logo,लोगो Logo and Letter Heads,लोगो और प्रमुखों पत्र @@ -1536,6 +1620,7 @@ Make Maint. Schedule,Maint बनाओ . अनुसूची Make Maint. Visit,Maint बनाओ . भेंट Make Maintenance Visit,रखरखाव भेंट बनाओ Make Packing Slip,स्लिप पैकिंग बनाना +Make Payment,भुगतान करें Make Payment Entry,भुगतान प्रवेश कर Make Purchase Invoice,खरीद चालान बनाएं Make Purchase Order,बनाओ खरीद आदेश @@ -1545,8 +1630,10 @@ Make Salary Structure,वेतन संरचना बनाना Make Sales Invoice,बिक्री चालान बनाएं Make Sales Order,बनाओ बिक्री आदेश Make Supplier Quotation,प्रदायक कोटेशन बनाओ +Make Time Log Batch,समय लॉग बैच बनाना Male,नर Manage Customer Group Tree.,ग्राहक समूह ट्री प्रबंधन . +Manage Sales Partners.,बिक्री भागीदारों की व्यवस्था करें. Manage Sales Person Tree.,बिक्री व्यक्ति पेड़ की व्यवस्था करें. Manage Territory Tree.,टेरिटरी ट्री प्रबंधन . Manage cost of operations,संचालन की लागत का प्रबंधन @@ -1597,6 +1684,8 @@ Max 5 characters,अधिकतम 5 अक्षर Max Days Leave Allowed,अधिकतम दिन छोड़ने की अनुमति दी Max Discount (%),अधिकतम डिस्काउंट (%) Max Qty,अधिकतम मात्रा +Max discount allowed for item: {0} is {1}%,अधिकतम छूट मद के लिए अनुमति दी: {0} {1}% है +Maximum Amount,अधिकतम राशि Maximum allowed credit is {0} days after posting date,अधिकतम स्वीकृत क्रेडिट तारीख पोस्टिंग के बाद {0} दिन है Maximum {0} rows allowed,अधिकतम {0} पंक्तियों की अनुमति दी Maxiumm discount for Item {0} is {1}%,आइटम के लिए Maxiumm छूट {0} {1} % है @@ -1617,6 +1706,7 @@ Milestones will be added as Events in the Calendar,उपलब्धि कै Min Order Qty,न्यूनतम आदेश मात्रा Min Qty,न्यूनतम मात्रा Min Qty can not be greater than Max Qty,न्यूनतम मात्रा अधिकतम मात्रा से ज्यादा नहीं हो सकता +Minimum Amount,न्यूनतम राशि Minimum Order Qty,न्यूनतम आदेश मात्रा Minute,मिनट Misc Details,विविध विवरण @@ -1626,7 +1716,6 @@ Mobile No,नहीं मोबाइल Mobile No.,मोबाइल नंबर Mode of Payment,भुगतान की रीति Modern,आधुनिक -Modified Amount,संशोधित राशि Monday,सोमवार Month,माह Monthly,मासिक @@ -1643,7 +1732,8 @@ Mr,श्री Ms,सुश्री Multiple Item prices.,एकाधिक आइटम कीमतों . "Multiple Price Rule exists with same criteria, please resolve \ - conflict by assigning priority. Price Rules: {0}","एकाधिक मूल्य नियम एक ही मापदंड के साथ मौजूद है , प्राथमिकता बताए द्वारा \ \ n संघर्ष का समाधान करें." + conflict by assigning priority. Price Rules: {0}","एकाधिक मूल्य नियम एक ही मापदंड के साथ मौजूद है, हल कृपया \ + प्राथमिकता बताए द्वारा संघर्ष. मूल्य नियम: {0}" Music,संगीत Must be Whole Number,पूर्ण संख्या होनी चाहिए Name,नाम @@ -1659,6 +1749,7 @@ Negative Valuation Rate is not allowed,नकारात्मक मूल् Negative balance in Batch {0} for Item {1} at Warehouse {2} on {3} {4},बैच में नकारात्मक शेष {0} मद के लिए {1} गोदाम में {2} को {3} {4} Net Pay,शुद्ध वेतन Net Pay (in words) will be visible once you save the Salary Slip.,शुद्ध वेतन (शब्दों में) दिखाई हो सकता है एक बार आप वेतन पर्ची बचाने के लिए होगा. +Net Profit / Loss,शुद्ध लाभ / हानि Net Total,शुद्ध जोड़ Net Total (Company Currency),नेट कुल (कंपनी मुद्रा) Net Weight,निवल भार @@ -1699,7 +1790,6 @@ Newsletter,न्यूज़लैटर Newsletter Content,न्यूजलेटर सामग्री Newsletter Status,न्यूज़लैटर स्थिति Newsletter has already been sent,समाचार पत्र के पहले ही भेज दिया गया है -Newsletters is not allowed for Trial users,न्यूज़लेटर परीक्षण उपयोगकर्ताओं के लिए अनुमति नहीं है "Newsletters to contacts, leads.","संपर्क करने के लिए समाचार पत्र, होता है." Newspaper Publishers,अखबार के प्रकाशक Next,अगला @@ -1721,6 +1811,7 @@ No Supplier Accounts found. Supplier Accounts are identified based on 'Master Ty No accounting entries for the following warehouses,निम्नलिखित गोदामों के लिए कोई लेखा प्रविष्टियों No addresses created,बनाया नहीं पते No contacts created,बनाया कोई संपर्क नहीं +No default Address Template found. Please create a new one from Setup > Printing and Branding > Address Template.,कोई डिफ़ॉल्ट पता खाका पाया. सेटअप> मुद्रण और ब्रांडिंग से एक नया एक> पता टेम्पलेट बनाने के लिए धन्यवाद. No default BOM exists for Item {0},कोई डिफ़ॉल्ट बीओएम मौजूद मद के लिए {0} No description given,दिया का कोई विवरण नहीं No employee found,नहीं मिला कर्मचारी @@ -1730,6 +1821,8 @@ No of Sent SMS,भेजे गए एसएमएस की संख्या No of Visits,यात्राओं की संख्या No permission,कोई अनुमति नहीं No record found,कोई रिकॉर्ड पाया +No records found in the Invoice table,चालान तालिका में कोई अभिलेख +No records found in the Payment table,भुगतान तालिका में कोई अभिलेख No salary slip found for month: ,महीने के लिए नहीं मिला वेतन पर्ची: Non Profit,गैर लाभ Nos,ओपन स्कूल @@ -1739,7 +1832,7 @@ Not Available,उपलब्ध नहीं Not Billed,नहीं बिल Not Delivered,नहीं वितरित Not Set,सेट नहीं -Not allowed to update entries older than {0},से प्रविष्टियां पुराने अद्यतन करने की अनुमति नहीं है {0} +Not allowed to update stock transactions older than {0},से शेयर लेनदेन पुराने अद्यतन करने की अनुमति नहीं है {0} Not authorized to edit frozen Account {0},जमे खाता संपादित करने के लिए अधिकृत नहीं {0} Not authroized since {0} exceeds limits,{0} सीमा से अधिक के बाद से Authroized नहीं Not permitted,अनुमति नहीं @@ -1780,7 +1873,6 @@ Only the selected Leave Approver can submit this Leave Application,केवल Open,खुला Open Production Orders,ओपन उत्पादन के आदेश Open Tickets,ओपन टिकट -Open source ERP built for the web,वेब के लिए बनाया खुला स्रोत ईआरपी Opening (Cr),उद्घाटन (सीआर ) Opening (Dr),उद्घाटन ( डॉ. ) Opening Date,तिथि खुलने की @@ -1805,7 +1897,7 @@ Opportunity Lost,मौका खो दिया Opportunity Type,अवसर प्रकार Optional. This setting will be used to filter in various transactions.,वैकल्पिक . यह सेटिंग विभिन्न लेनदेन में फिल्टर करने के लिए इस्तेमाल किया जाएगा . Order Type,आदेश प्रकार -Order Type must be one of {1},आदेश प्रकार का होना चाहिए {1} +Order Type must be one of {0},आदेश प्रकार का होना चाहिए {0} Ordered,आदेशित Ordered Items To Be Billed,हिसाब से बिलिंग किए आइटम Ordered Items To Be Delivered,हिसाब से दिया जा आइटम @@ -1817,7 +1909,6 @@ Organization Name,संगठन का नाम Organization Profile,संगठन प्रोफाइल Organization branch master.,संगठन शाखा मास्टर . Organization unit (department) master.,संगठन इकाई ( विभाग ) मास्टर . -Original Amount,मूल राशि Other,अन्य Other Details,अन्य विवरण Others,दूसरों @@ -1834,6 +1925,7 @@ Overlapping conditions found between:,बीच पाया ओवरलैप Overview,अवलोकन Owned,स्वामित्व Owner,स्वामी +P L A - Cess Portion,पीएलए - उपकर भाग PL or BS,पी एल या बी एस PO Date,पीओ तिथि PO No,पीओ नहीं @@ -1846,7 +1938,6 @@ POS Setting required to make POS Entry,पीओएस एंट्री बन POS Setting {0} already created for user: {1} and company {2},पीओएस स्थापना {0} पहले से ही उपयोगकर्ता के लिए बनाया : {1} और कंपनी {2} POS View,स्थिति देखें PR Detail,पीआर विस्तार -PR Posting Date,पीआर पोस्ट दिनांक Package Item Details,संकुल आइटम विवरण Package Items,पैकेज आइटम Package Weight Details,पैकेज वजन विवरण @@ -1876,8 +1967,6 @@ Parent Sales Person,माता - पिता बिक्री व्यक Parent Territory,माता - पिता टेरिटरी Parent Website Page,जनक वेबसाइट पृष्ठ Parent Website Route,जनक वेबसाइट ट्रेन -Parent account can not be a ledger,माता पिता के खाते एक खाता नहीं हो सकता -Parent account does not exist,माता पिता के खाते में मौजूद नहीं है Parenttype,Parenttype Part-time,अंशकालिक Partially Completed,आंशिक रूप से पूरा @@ -1886,6 +1975,8 @@ Partly Delivered,आंशिक रूप से वितरित Partner Target Detail,साथी लक्ष्य विवरण Partner Type,साथी के प्रकार Partner's Website,साथी की वेबसाइट +Party,पार्टी +Party Account,पार्टी खाता Party Type,पार्टी के प्रकार Party Type Name,पार्टी प्रकार नाम Passive,निष्क्रिय @@ -1898,10 +1989,14 @@ Payables Group,देय समूह Payment Days,भुगतान दिन Payment Due Date,भुगतान की नियत तिथि Payment Period Based On Invoice Date,चालान तिथि के आधार पर भुगतान की अवधि +Payment Reconciliation,भुगतान सुलह +Payment Reconciliation Invoice,भुगतान सुलह चालान +Payment Reconciliation Invoices,भुगतान सुलह चालान +Payment Reconciliation Payment,भुगतान सुलह भुगतान +Payment Reconciliation Payments,भुगतान सुलह भुगतान Payment Type,भुगतान के प्रकार +Payment cannot be made for empty cart,भुगतान खाली गाड़ी के लिए नहीं बनाया जा सकता Payment of salary for the month {0} and year {1},महीने के वेतन का भुगतान {0} और वर्ष {1} -Payment to Invoice Matching Tool,चालान मिलान उपकरण के लिए भुगतान -Payment to Invoice Matching Tool Detail,चालान मिलान उपकरण विस्तार करने के लिए भुगतान Payments,भुगतान Payments Made,भुगतान मेड Payments Received,भुगतान प्राप्त @@ -1944,7 +2039,9 @@ Planning,आयोजन Plant,पौधा Plant and Machinery,संयंत्र और मशीनें Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,संक्षिप्त या लघु नाम ठीक से दर्ज करें सभी खाता प्रमुखों को प्रत्यय के रूप में जोड़ दिया जाएगा. +Please Update SMS Settings,एसएमएस सेटिंग को अपडेट करें Please add expense voucher details,व्यय वाउचर जानकारी जोड़ने के लिए धन्यवाद +Please add to Modes of Payment from Setup.,सेटअप से भुगतान के तरीके को जोड़ने के लिए धन्यवाद. Please check 'Is Advance' against Account {0} if this is an advance entry.,खाते के विरुद्ध ' अग्रिम है ' की जांच करें {0} यह एक अग्रिम प्रविष्टि है. Please click on 'Generate Schedule','उत्पन्न अनुसूची' पर क्लिक करें Please click on 'Generate Schedule' to fetch Serial No added for Item {0},सीरियल मद के लिए जोड़ा लाने के लिए 'उत्पन्न अनुसूची' पर क्लिक करें {0} @@ -1992,12 +2089,13 @@ Please enter valid Company Email,वैध कंपनी ईमेल दर Please enter valid Email Id,वैध ईमेल आईडी दर्ज करें Please enter valid Personal Email,वैध व्यक्तिगत ईमेल दर्ज करें Please enter valid mobile nos,वैध मोबाइल नंबर दर्ज करें +Please find attached Sales Invoice #{0},संलग्न मिल कृपया बिक्री चालान # {0} Please install dropbox python module,ड्रॉपबॉक्स अजगर मॉड्यूल स्थापित करें Please mention no of visits required,कृपया उल्लेख आवश्यक यात्राओं की कोई Please pull items from Delivery Note,डिलिवरी नोट से आइटम खींच कृपया Please save the Newsletter before sending,भेजने से पहले न्यूज़लेटर बचा लो Please save the document before generating maintenance schedule,रखरखाव अनुसूची पैदा करने से पहले दस्तावेज़ को बचाने के लिए धन्यवाद -Please select Account first,पहले खाते का चयन करें +Please see attachment,लगाव को देखने के लिए धन्यवाद Please select Bank Account,बैंक खाते का चयन करें Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,का चयन करें कृपया आगे ले जाना है अगर तुम भी शामिल करना चाहते हैं पिछले राजकोषीय वर्ष की शेष राशि इस वित्त वर्ष के लिए छोड़ देता है Please select Category first,प्रथम श्रेणी का चयन करें @@ -2005,14 +2103,17 @@ Please select Charge Type first,प्रभारी प्रकार पह Please select Fiscal Year,वित्तीय वर्ष का चयन करें Please select Group or Ledger value,समूह या खाता बही मूल्य का चयन करें Please select Incharge Person's name,प्रभारी व्यक्ति के नाम का चयन करें +Please select Invoice Type and Invoice Number in atleast one row,कम से कम एक पंक्ति में चालान प्रकार और चालान संख्या का चयन करें "Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Sales BOM",""" स्टॉक मद है "" ""नहीं"" है और "" बिक्री आइटम है "" ""हाँ "" है और कोई अन्य बिक्री बीओएम है, जहां आइटम चुनें" Please select Price List,मूल्य सूची का चयन करें Please select Start Date and End Date for Item {0},प्रारंभ तिथि और आइटम के लिए अंतिम तिथि का चयन करें {0} +Please select Time Logs.,समय लॉग्स का चयन करें. Please select a csv file,एक csv फ़ाइल का चयन करें Please select a valid csv file with data,डेटा के साथ एक मान्य सीएसवी फाइल चुनें Please select a value for {0} quotation_to {1},के लिए एक मूल्य का चयन करें {0} quotation_to {1} "Please select an ""Image"" first","पहले एक ""छवि "" का चयन करें" Please select charge type first,पहला आरोप प्रकार का चयन करें +Please select company first,पहले कंपनी का चयन करें Please select company first.,पहले कंपनी का चयन करें . Please select item code,आइटम कोड का चयन करें Please select month and year,माह और वर्ष का चयन करें @@ -2021,6 +2122,7 @@ Please select the document type first,पहला दस्तावेज़ Please select weekly off day,साप्ताहिक छुट्टी के दिन का चयन करें Please select {0},कृपया चुनें {0} Please select {0} first,पहला {0} का चयन करें +Please select {0} first.,पहला {0} का चयन करें. Please set Dropbox access keys in your site config,आपकी साइट config में ड्रॉपबॉक्स का उपयोग चाबियां सेट करें Please set Google Drive access keys in {0},में गूगल ड्राइव का उपयोग चाबियां सेट करें {0} Please set default Cash or Bank account in Mode of Payment {0},भुगतान की विधि में डिफ़ॉल्ट नकद या बैंक खाता सेट करें {0} @@ -2047,6 +2149,7 @@ Postal,डाक का Postal Expenses,पोस्टल व्यय Posting Date,तिथि पोस्टिंग Posting Time,बार पोस्टिंग +Posting date and posting time is mandatory,पोस्ट दिनांक और पोस्टिंग समय अनिवार्य है Posting timestamp must be after {0},पोस्टिंग टाइमस्टैम्प के बाद होना चाहिए {0} Potential opportunities for selling.,बेचने के लिए संभावित अवसरों. Preferred Billing Address,पसंदीदा बिलिंग पता @@ -2073,8 +2176,10 @@ Price List not selected,मूल्य सूची चयनित नही Price List {0} is disabled,मूल्य सूची {0} अक्षम है Price or Discount,मूल्य या डिस्काउंट Pricing Rule,मूल्य निर्धारण नियम -Pricing Rule For Discount,मूल्य निर्धारण शासन के लिए सबसे कम -Pricing Rule For Price,मूल्य निर्धारण शासन के लिए मूल्य +Pricing Rule Help,मूल्य निर्धारण नियम मदद +"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","मूल्य निर्धारण नियम पहला आइटम, आइटम समूह या ब्रांड हो सकता है, जो क्षेत्र 'पर लागू होते हैं' के आधार पर चुना जाता है." +"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","मूल्य निर्धारण नियम कुछ मानदंडों के आधार पर, मूल्य सूची / छूट प्रतिशत परिभाषित अधिलेखित करने के लिए किया जाता है." +Pricing Rules are further filtered based on quantity.,मूल्य निर्धारण नियमों आगे मात्रा के आधार पर छान रहे हैं. Print Format Style,प्रिंट प्रारूप शैली Print Heading,शीर्षक प्रिंट Print Without Amount,राशि के बिना प्रिंट @@ -2102,7 +2207,9 @@ Production Plan Sales Orders,उत्पादन योजना विक् Production Planning Tool,उत्पादन योजना उपकरण Products,उत्पाद "Products will be sorted by weight-age in default searches. More the weight-age, higher the product will appear in the list.","उत्पाद डिफ़ॉल्ट खोजों में वजन उम्र के द्वारा हल किया जाएगा. अधिक वजन उम्र, उच्च उत्पाद की सूची में दिखाई देगा." +Professional Tax,व्यवसाय कर Profit and Loss,लाभ और हानि +Profit and Loss Statement,लाभ एवं हानि के विवरण Project,परियोजना Project Costing,लागत परियोजना Project Details,परियोजना विवरण @@ -2125,7 +2232,9 @@ Projects & System,प्रोजेक्ट्स एंड सिस्टम Prompt for Email on Submission of,प्रस्तुत करने पर ईमेल के लिए संकेत Proposal Writing,प्रस्ताव लेखन Provide email id registered in company,कंपनी में पंजीकृत ईमेल आईडी प्रदान +Provisional Profit / Loss (Credit),अनंतिम लाभ / हानि (क्रेडिट) Public,सार्वजनिक +Published on website at: {0},पर वेबसाइट पर प्रकाशित: {0} Publishing,प्रकाशन Pull sales orders (pending to deliver) based on the above criteria,उपरोक्त मानदंडों के आधार पर बिक्री के आदेश (वितरित करने के लिए लंबित) खींचो Purchase,क्रय @@ -2134,7 +2243,6 @@ Purchase Analytics,खरीद विश्लेषिकी Purchase Common,आम खरीद Purchase Details,खरीद विवरण Purchase Discounts,खरीद छूट -Purchase In Transit,ट्रांजिट में खरीद Purchase Invoice,चालान खरीद Purchase Invoice Advance,चालान अग्रिम खरीद Purchase Invoice Advances,चालान अग्रिम खरीद @@ -2142,7 +2250,6 @@ Purchase Invoice Item,चालान आइटम खरीद Purchase Invoice Trends,चालान रुझान खरीद Purchase Invoice {0} is already submitted,खरीद चालान {0} पहले से ही प्रस्तुत किया जाता है Purchase Order,आदेश खरीद -Purchase Order Date,खरीद आदेश दिनांक Purchase Order Item,खरीद आदेश आइटम Purchase Order Item No,आदेश आइटम नहीं खरीद Purchase Order Item Supplied,खरीद आदेश आइटम की आपूर्ति @@ -2206,7 +2313,6 @@ Quarter,तिमाही Quarterly,त्रैमासिक Quick Help,त्वरित मदद Quotation,उद्धरण -Quotation Date,कोटेशन तिथि Quotation Item,कोटेशन आइटम Quotation Items,कोटेशन आइटम Quotation Lost Reason,कोटेशन कारण खोया @@ -2284,6 +2390,7 @@ Recurring Invoice,आवर्ती चालान Recurring Type,आवर्ती प्रकार Reduce Deduction for Leave Without Pay (LWP),बिना वेतन छुट्टी के लिए कटौती में कमी (LWP) Reduce Earning for Leave Without Pay (LWP),वेतन (LWP) के बिना छुट्टी लिए कमाई कम करें +Ref,संदर्भ ....................... Ref Code,रेफरी कोड Ref SQ,रेफरी वर्ग Reference,संदर्भ @@ -2307,6 +2414,7 @@ Relieving Date,तिथि राहत Relieving Date must be greater than Date of Joining,तिथि राहत शामिल होने की तिथि से अधिक होना चाहिए Remark,टिप्पणी Remarks,टिप्पणियाँ +Remarks Custom,टिप्पणियां कस्टम Rename,नाम बदलें Rename Log,प्रवेश का नाम बदलें Rename Tool,उपकरण का नाम बदलें @@ -2322,6 +2430,7 @@ Report Type,टाइप रिपोर्ट Report Type is mandatory,रिपोर्ट प्रकार अनिवार्य है Reports to,करने के लिए रिपोर्ट Reqd By Date,तिथि reqd +Reqd by Date,Reqd तिथि द्वारा Request Type,अनुरोध प्रकार Request for Information,सूचना के लिए अनुरोध Request for purchase.,खरीद के लिए अनुरोध. @@ -2375,21 +2484,34 @@ Rounded Total,गोल कुल Rounded Total (Company Currency),गोल कुल (कंपनी मुद्रा) Row # ,# पंक्ति Row # {0}: , +Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,Row # {0}: आदेश दिया मात्रा (आइटम मास्टर में परिभाषित) मद की न्यूनतम आदेश मात्रा से कम नहीं कर सकते हैं. +Row #{0}: Please specify Serial No for Item {1},Row # {0}: आइटम के लिए धारावाहिक नहीं निर्दिष्ट करें {1} "Row {0}: Account does not match with \ - Purchase Invoice Credit To account",पंक्ति {0} : खाता करने के लिए \ \ n खरीद चालान क्रेडिट के साथ मेल नहीं खाता + Purchase Invoice Credit To account","पंक्ति {0}: \ + खरीद चालान क्रेडिट खाते के साथ मेल नहीं खाता" "Row {0}: Account does not match with \ - Sales Invoice Debit To account",पंक्ति {0} : खाता करने के लिए \ \ n बिक्री चालान डेबिट के साथ मेल नहीं खाता + Sales Invoice Debit To account","पंक्ति {0}: \ + बिक्री चालान डेबिट खाते के साथ मेल नहीं खाता" +Row {0}: Conversion Factor is mandatory,पंक्ति {0}: रूपांतरण कारक अनिवार्य है Row {0}: Credit entry can not be linked with a Purchase Invoice,पंक्ति {0} : क्रेडिट प्रविष्टि एक खरीद चालान के साथ नहीं जोड़ा जा सकता Row {0}: Debit entry can not be linked with a Sales Invoice,पंक्ति {0} : डेबिट प्रविष्टि एक बिक्री चालान के साथ नहीं जोड़ा जा सकता +Row {0}: Payment amount must be less than or equals to invoice outstanding amount. Please refer Note below.,पंक्ति {0}: भुगतान राशि से कम या बकाया राशि चालान के बराबर होती होना चाहिए. नीचे नोट संदर्भ लें. +Row {0}: Qty is mandatory,पंक्ति {0}: मात्रा अनिवार्य है +"Row {0}: Qty not avalable in warehouse {1} on {2} {3}. + Available Qty: {4}, Transfer Qty: {5}","पंक्ति {0}: मात्रा गोदाम में उपलब्ध {1} पर नहीं {2} {3}. + उपलब्ध मात्रा: {4}, मात्रा स्थानांतरण: {5}" "Row {0}: To set {1} periodicity, difference between from and to date \ - must be greater than or equal to {2}","पंक्ति {0} {1} दौरा , \ \ n और तिथि करने के लिए बीच का अंतर अधिक से अधिक या बराबर होना चाहिए सेट करने के लिए {2}" + must be greater than or equal to {2}","पंक्ति {0}: सेट करने के लिए {1} दौरा, से और तिथि करने के लिए बीच का अंतर \ + से अधिक या बराबर होना चाहिए {2}" Row {0}:Start Date must be before End Date,पंक्ति {0} : आरंभ तिथि समाप्ति तिथि से पहले होना चाहिए Rules for adding shipping costs.,शिपिंग लागत को जोड़ने के लिए नियम. Rules for applying pricing and discount.,मूल्य निर्धारण और छूट लागू करने के लिए नियम. Rules to calculate shipping amount for a sale,एक बिक्री के लिए शिपिंग राशि की गणना करने के नियम S.O. No.,S.O. नहीं. +SHE Cess on Excise,वह आबकारी पर उपकर +SHE Cess on Service Tax,वह सर्विस टैक्स पर उपकर +SHE Cess on TDS,वह टीडीएस पर उपकर SMS Center,एसएमएस केंद्र -SMS Control,एसएमएस नियंत्रण SMS Gateway URL,एसएमएस गेटवे URL SMS Log,एसएमएस प्रवेश SMS Parameter,एसएमएस पैरामीटर @@ -2494,15 +2616,20 @@ Securities and Deposits,प्रतिभूति और जमाओं "Select ""Yes"" if this item represents some work like training, designing, consulting etc.","चुनें यदि इस मद के प्रशिक्षण जैसे कुछ काम करते हैं, डिजाइन, परामर्श आदि का प्रतिनिधित्व करता है "हाँ"" "Select ""Yes"" if you are maintaining stock of this item in your Inventory.","हाँ" अगर आप अपनी सूची में इस मद के शेयर को बनाए रखने रहे हैं. "Select ""Yes"" if you supply raw materials to your supplier to manufacture this item.","हाँ" अगर आप अपने सप्लायर के लिए कच्चे माल की आपूर्ति करने के लिए इस मद के निर्माण. +Select Brand...,ब्रांड का चयन करें ... Select Budget Distribution to unevenly distribute targets across months.,बजट वितरण चुनें unevenly महीने भर में लक्ष्य को वितरित करने के लिए. "Select Budget Distribution, if you want to track based on seasonality.","बजट वितरण का चयन करें, यदि आप मौसमी आधार पर ट्रैक करना चाहते हैं." +Select Company...,कंपनी का चयन करें ... Select DocType,Doctype का चयन करें +Select Fiscal Year...,वित्तीय वर्ष का चयन करें ... Select Items,आइटम का चयन करें +Select Project...,प्रोजेक्ट का चयन करें ... Select Purchase Receipts,क्रय रसीद का चयन करें Select Sales Orders,विक्रय आदेश का चयन करें Select Sales Orders from which you want to create Production Orders.,विक्रय आदेश का चयन करें जिसमें से आप उत्पादन के आदेश बनाना चाहते. Select Time Logs and Submit to create a new Sales Invoice.,समय लॉग्स का चयन करें और एक नया बिक्री चालान बनाने के लिए भेजें. Select Transaction,लेन - देन का चयन करें +Select Warehouse...,गोदाम का चयन करें ... Select Your Language,अपनी भाषा का चयन Select account head of the bank where cheque was deposited.,बैंक के खाते में जहां चेक जमा किया गया था सिर का चयन करें. Select company name first.,कंपनी 1 नाम का चयन करें. @@ -2520,6 +2647,7 @@ Select your home country and check the timezone and currency.,अपने घ "Selecting ""Yes"" will give a unique identity to each entity of this item which can be viewed in the Serial No master.","हाँ" का चयन जो कोई मास्टर सीरियल में देखा जा सकता है इस मद की प्रत्येक इकाई के लिए एक अद्वितीय पहचान दे देंगे. Selling,विक्रय Selling Settings,सेटिंग्स बेचना +"Selling must be checked, if Applicable For is selected as {0}","लागू करने के लिए के रूप में चुना जाता है तो बेचना, जाँच की जानी चाहिए {0}" Send,भेजें Send Autoreply,स्वतः भेजें Send Email,ईमेल भेजें @@ -2556,7 +2684,8 @@ Serial Nos Required for Serialized Item {0},श्रृंखलाबद्ध Serial Number Series,सीरियल नंबर सीरीज Serial number {0} entered more than once,सीरियल नंबर {0} एक बार से अधिक दर्ज किया "Serialized Item {0} cannot be updated \ - using Stock Reconciliation",श्रृंखलाबद्ध मद {0} शेयर सुलह का उपयोग \ \ n अद्यतन नहीं किया जा सकता है + using Stock Reconciliation","श्रृंखलाबद्ध मद {0} को अपडेट नहीं किया जा सकता \ + शेयर सुलह का उपयोग" Series,कई Series List for this Transaction,इस लेन - देन के लिए सीरीज सूची Series Updated,सीरीज नवीनीकृत @@ -2565,15 +2694,18 @@ Series is mandatory,सीरीज अनिवार्य है Series {0} already used in {1},सीरीज {0} पहले से ही प्रयोग किया जाता में {1} Service,सेवा Service Address,सेवा पता +Service Tax,सेवा कर Services,सेवाएं Set,समूह "Set Default Values like Company, Currency, Current Fiscal Year, etc.","आदि कंपनी , मुद्रा , चालू वित्त वर्ष , की तरह सेट डिफ़ॉल्ट मान" Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,इस क्षेत्र पर आइटम ग्रुप - वाईस बजट निर्धारित करें. तुम भी वितरण की स्थापना द्वारा मौसमी शामिल कर सकते हैं. +Set Status as Available,के रूप में उपलब्ध सेट स्थिति Set as Default,डिफ़ॉल्ट रूप में सेट करें Set as Lost,खोया के रूप में सेट करें Set prefix for numbering series on your transactions,अपने लेनदेन पर श्रृंखला नंबरिंग के लिए उपसर्ग सेट Set targets Item Group-wise for this Sales Person.,सेट आइटम इस बिक्री व्यक्ति के लिए समूह - वार लक्ष्य. Setting Account Type helps in selecting this Account in transactions.,की स्थापना खाता प्रकार के लेनदेन में इस खाते का चयन करने में मदद करता है. +Setting this Address Template as default as there is no other default,कोई अन्य डिफ़ॉल्ट रूप में वहाँ डिफ़ॉल्ट के रूप में इस का पता खाका स्थापना Setting up...,स्थापना ... Settings,सेटिंग्स Settings for HR Module,मानव संसाधन मॉड्यूल के लिए सेटिंग्स @@ -2581,6 +2713,7 @@ Settings for HR Module,मानव संसाधन मॉड्यूल क Setup,व्यवस्था Setup Already Complete!!,सेटअप पहले से ही पूरा ! Setup Complete,सेटअप पूरा हुआ +Setup SMS gateway settings,सेटअप एसएमएस के प्रवेश द्वार सेटिंग्स Setup Series,सेटअप सीरीज Setup Wizard,सेटअप विज़ार्ड Setup incoming server for jobs email id. (e.g. jobs@example.com),जॉब ईमेल आईडी के लिए सेटअप आवक सर्वर . (जैसे jobs@example.com ) @@ -2606,6 +2739,7 @@ Short biography for website and other publications.,वेबसाइट और Show In Website,वेबसाइट में दिखाएँ Show a slideshow at the top of the page,पृष्ठ के शीर्ष पर एक स्लाइड शो दिखाएँ Show in Website,वेबसाइट में दिखाने +Show rows with zero values,शून्य मान के साथ पंक्तियों दिखाएं Show this slideshow at the top of the page,पृष्ठ के शीर्ष पर इस स्लाइड शो दिखाएँ Sick Leave,बीमारी छुट्टी Signature,हस्ताक्षर @@ -2635,9 +2769,9 @@ Specifications,निर्दिष्टीकरण "Specify the operations, operating cost and give a unique Operation no to your operations.","संचालन, परिचालन लागत निर्दिष्ट और अपने संचालन के लिए एक अनूठा आपरेशन नहीं दे ." Split Delivery Note into packages.,संकुल में डिलिवरी नोट भाजित. Sports,खेल +Sr,सीनियर Standard,मानक Standard Buying,मानक खरीद -Standard Rate,मानक दर Standard Reports,मानक रिपोर्ट Standard Selling,मानक बेच Standard contract terms for Sales or Purchase.,बिक्री या खरीद के लिए मानक अनुबंध शर्तों . @@ -2646,6 +2780,7 @@ Start Date,प्रारंभ दिनांक Start date of current invoice's period,वर्तमान चालान की अवधि के आरंभ तिथि Start date should be less than end date for Item {0},प्रारंभ तिथि मद के लिए समाप्ति तिथि से कम होना चाहिए {0} State,राज्य +Statement of Account,लेखा - विवरण Static Parameters,स्टेटिक पैरामीटर Status,हैसियत Status must be one of {0},स्थिति का एक होना चाहिए {0} @@ -2687,6 +2822,7 @@ Stock Value Difference,स्टॉक मूल्य अंतर Stock balances updated,शेयर शेष अद्यतन Stock cannot be updated against Delivery Note {0},शेयर वितरण नोट के खिलाफ अद्यतन नहीं किया जा सकता {0} Stock entries exist against warehouse {0} cannot re-assign or modify 'Master Name',शेयर प्रविष्टियों {0} ' मास्टर नाम ' फिर से आवंटित या संशोधित नहीं कर सकते गोदाम के खिलाफ मौजूद +Stock transactions before {0} are frozen,{0} से पहले शेयर लेनदेन जमे हुए हैं Stop,रोक Stop Birthday Reminders,बंद करो जन्मदिन अनुस्मारक Stop Material Request,बंद करो सामग्री अनुरोध @@ -2706,13 +2842,13 @@ Submit this Production Order for further processing.,आगे की प्र Submitted,पेश Subsidiary,सहायक Successful: ,सफल: -Successfully allocated,सफलतापूर्वक आवंटित +Successfully Reconciled,सफलतापूर्वक राज़ी Suggestions,सुझाव Sunday,रविवार Supplier,प्रदायक Supplier (Payable) Account,प्रदायक (देय) खाता Supplier (vendor) name as entered in supplier master,प्रदायक नाम (विक्रेता) के रूप में आपूर्तिकर्ता मास्टर में प्रवेश -Supplier Account,प्रदायक खाता +Supplier > Supplier Type,प्रदायक> प्रदायक प्रकार Supplier Account Head,प्रदायक लेखाशीर्ष Supplier Address,प्रदायक पता Supplier Addresses and Contacts,प्रदायक पते और संपर्क @@ -2750,6 +2886,12 @@ Sync with Google Drive,गूगल ड्राइव के साथ सि System,प्रणाली System Settings,सिस्टम सेटिंग्स "System User (login) ID. If set, it will become default for all HR forms.","सिस्टम प्रयोक्ता आईडी (प्रवेश). अगर सेट किया जाता है, यह सभी मानव संसाधन रूपों के लिए डिफ़ॉल्ट बन जाएगा." +TDS (Advertisement),टीडीएस (विज्ञापन) +TDS (Commission),टीडीएस (कमीशन) +TDS (Contractor),टीडीएस (ठेकेदार) +TDS (Interest),टीडीएस (ब्याज) +TDS (Rent),टीडीएस (किराया) +TDS (Salary),टीडीएस (वेतन) Target Amount,लक्ष्य की राशि Target Detail,लक्ष्य विस्तार Target Details,लक्ष्य विवरण @@ -2770,10 +2912,12 @@ Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are no Tax Rate,कर की दर Tax and other salary deductions.,टैक्स और अन्य वेतन कटौती. "Tax detail table fetched from item master as a string and stored in this field. -Used for Taxes and Charges",एक स्ट्रिंग है और इस क्षेत्र में संग्रहीत के रूप में आइटम मास्टर से दिलवाया टैक्स विस्तार तालिका . \ करों और शुल्कों के लिए प्रयुक्त +Used for Taxes and Charges","टैक्स विस्तार तालिका एक स्ट्रिंग के रूप में आइटम मास्टर से दिलवाया और इस क्षेत्र में संग्रहीत. + करों और शुल्कों के लिए प्रयुक्त" Tax template for buying transactions.,लेनदेन खरीदने के लिए टैक्स टेम्पलेट . Tax template for selling transactions.,लेनदेन को बेचने के लिए टैक्स टेम्पलेट . Taxable,कर योग्य +Taxes,कर Taxes and Charges,करों और प्रभार Taxes and Charges Added,कर और शुल्क जोड़ा Taxes and Charges Added (Company Currency),करों और शुल्कों जोड़ा (कंपनी मुद्रा) @@ -2786,6 +2930,7 @@ Technology,प्रौद्योगिकी Telecommunications,दूरसंचार Telephone Expenses,टेलीफोन व्यय Television,दूरदर्शन +Template,टेम्पलेट Template for performance appraisals.,प्रदर्शन मूल्यांकन के लिए खाका . Template of terms or contract.,शब्दों या अनुबंध के टेम्पलेट. Temporary Accounts (Assets),अस्थाई लेखा ( संपत्ति) @@ -2815,7 +2960,8 @@ The First User: You,पहले उपयोगकर्ता : आप The Organization,संगठन "The account head under Liability, in which Profit/Loss will be booked","लाभ / हानि बुक किया जा जाएगा जिसमें दायित्व के तहत खाता सिर ," "The date on which next invoice will be generated. It is generated on submit. -",अगले चालान उत्पन्न हो जाएगा जिस पर तारीख . +","अगले चालान उत्पन्न हो जाएगा जिस पर तारीख. इसे प्रस्तुत पर उत्पन्न होता है. +" The date on which recurring invoice will be stop,"तारीख, जिस पर आवर्ती चालान रोकने के लिए किया जाएगा" "The day of the month on which auto invoice will be generated e.g. 05, 28 etc ","ऑटो चालान जैसे 05, 28 आदि उत्पन्न हो जाएगा, जिस पर इस महीने के दिन" The day(s) on which you are applying for leave are holiday. You need not apply for leave.,आप छुट्टी के लिए आवेदन कर रहे हैं जिस दिन (ओं ) अवकाश हैं . तुम्हें छोड़ के लिए लागू की जरूरत नहीं . @@ -2827,6 +2973,7 @@ The net weight of this package. (calculated automatically as sum of net weight o The new BOM after replacement,बदलने के बाद नए बीओएम The rate at which Bill Currency is converted into company's base currency,जिस दर पर विधेयक मुद्रा कंपनी के बेस मुद्रा में परिवर्तित किया जाता है The unique id for tracking all recurring invoices. It is generated on submit.,सभी आवर्ती चालान पर नज़र रखने के लिए अद्वितीय पहचान. इसे प्रस्तुत करने पर उत्पन्न होता है. +"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","तो मूल्य निर्धारण नियमों ग्राहकों के आधार पर बाहर छान रहे हैं, ग्राहक समूह, क्षेत्र, प्रदायक, प्रदायक प्रकार, अभियान, बिक्री साथी आदि" There are more holidays than working days this month.,इस महीने के दिन काम की तुलना में अधिक छुट्टियां कर रहे हैं . "There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","केवल "" मूल्य "" के लिए 0 या रिक्त मान के साथ एक शिपिंग शासन की स्थिति नहीं हो सकता" There is not enough leave balance for Leave Type {0},छोड़ दो प्रकार के लिए पर्याप्त छुट्टी संतुलन नहीं है {0} @@ -2838,6 +2985,7 @@ This Leave Application is pending approval. Only the Leave Apporver can update s This Time Log Batch has been billed.,इस बार प्रवेश बैच बिल भेजा गया है. This Time Log Batch has been cancelled.,इस बार प्रवेश बैच रद्द कर दिया गया. This Time Log conflicts with {0},इस बार प्रवेश के साथ संघर्ष {0} +This format is used if country specific format is not found,"देश विशिष्ट प्रारूप नहीं मिला है, तो यह प्रारूप प्रयोग किया जाता है" This is a root account and cannot be edited.,इस रुट खाता है और संपादित नहीं किया जा सकता है . This is a root customer group and cannot be edited.,यह एक रूट ग्राहक समूह है और संपादित नहीं किया जा सकता है . This is a root item group and cannot be edited.,यह एक रूट आइटम समूह है और संपादित नहीं किया जा सकता है . @@ -2853,7 +3001,9 @@ Time Log Batch,समय प्रवेश बैच Time Log Batch Detail,समय प्रवेश बैच विस्तार Time Log Batch Details,समय प्रवेश बैच विवरण Time Log Batch {0} must be 'Submitted',समय लॉग बैच {0} ' प्रस्तुत ' होना चाहिए +Time Log Status must be Submitted.,समय लॉग स्थिति प्रस्तुत किया जाना चाहिए. Time Log for tasks.,कार्यों के लिए समय प्रवेश. +Time Log is not billable,समय लॉग बिल नहीं है Time Log {0} must be 'Submitted',समय लॉग {0} ' प्रस्तुत ' होना चाहिए Time Zone,समय क्षेत्र Time Zones,टाइम जोन @@ -2866,6 +3016,7 @@ To,से To Currency,मुद्रा के लिए To Date,तिथि करने के लिए To Date should be same as From Date for Half Day leave,तिथि करने के लिए आधे दिन की छुट्टी के लिए तिथि से ही होना चाहिए +To Date should be within the Fiscal Year. Assuming To Date = {0},तिथि वित्तीय वर्ष के भीतर होना चाहिए. तिथि करने के लिए मान लिया जाये = {0} To Discuss,चर्चा करने के लिए To Do List,सूची To Package No.,सं पैकेज @@ -2875,8 +3026,8 @@ To Value,मूल्य के लिए To Warehouse,गोदाम के लिए "To add child nodes, explore tree and click on the node under which you want to add more nodes.","बच्चे नोड्स जोड़ने के लिए, पेड़ लगाने और आप अधिक नोड्स जोड़ना चाहते हैं जिसके तहत नोड पर क्लिक करें." "To assign this issue, use the ""Assign"" button in the sidebar.","इस मुद्दे को असाइन करने के लिए, साइडबार में "निरुपित" बटन का उपयोग करें." -To create a Bank Account:,एक बैंक खाता बनाने के लिए: -To create a Tax Account:,एक टैक्स खाता बनाने के लिए: +To create a Bank Account,एक बैंक खाता बनाने के लिए +To create a Tax Account,एक टैक्स खाता बनाने के लिए "To create an Account Head under a different company, select the company and save customer.","एक अलग कंपनी के तहत एक खाता प्रमुख बनाने के लिए, कंपनी का चयन करें और ग्राहक को बचाने." To date cannot be before from date,तिथि करने के लिए तिथि से पहले नहीं हो सकता To enable Point of Sale features,बिक्री सुविधाओं के प्वाइंट को सक्षम @@ -2884,22 +3035,23 @@ To enable Point of Sale view,बिक्री < / b > देखने To get Item Group in details table,विवरण तालिका में आइटम समूह "To include tax in row {0} in Item rate, taxes in rows {1} must also be included","पंक्ति में कर शामिल करने के लिए {0} आइटम रेट में , पंक्तियों में करों {1} भी शामिल किया जाना चाहिए" "To merge, following properties must be same for both items","मर्ज करने के लिए , निम्नलिखित गुण दोनों मदों के लिए ही होना चाहिए" -"To report an issue, go to ", +"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","एक विशेष लेन - देन में मूल्य निर्धारण नियम लागू नहीं करने के लिए, सभी लागू नहीं डालती निष्क्रिय किया जाना चाहिए." "To set this Fiscal Year as Default, click on 'Set as Default'","डिफ़ॉल्ट रूप में इस वित्तीय वर्ष में सेट करने के लिए , 'मूलभूत रूप में सेट करें ' पर क्लिक करें" To track any installation or commissioning related work after sales,किसी भी स्थापना या बिक्री के बाद कमीशन से संबंधित काम को ट्रैक "To track brand name in the following documents Delivery Note, Opportunity, Material Request, Item, Purchase Order, Purchase Voucher, Purchaser Receipt, Quotation, Sales Invoice, Sales BOM, Sales Order, Serial No","निम्नलिखित दस्तावेज डिलिवरी नोट , अवसर , सामग्री अनुरोध , मद , खरीद आदेश , खरीद वाउचर , क्रेता रसीद , कोटेशन , बिक्री चालान , बिक्री बीओएम , बिक्री आदेश , धारावाहिक नहीं में ब्रांड नाम को ट्रैक करने के लिए" To track item in sales and purchase documents based on their serial nos. This is can also used to track warranty details of the product.,बिक्री और खरीद के दस्तावेजों के आधार पर उनके धारावाहिक नग में आइटम पर नज़र रखने के लिए. यह भी उत्पाद की वारंटी के विवरण को ट्रैक करने के लिए प्रयोग किया जाता है. To track items in sales and purchase documents with batch nos
Preferred Industry: Chemicals etc,बैच ओपन स्कूल के साथ बिक्री और खरीद दस्तावेजों में आइटम्स ट्रैक
पसंदीदा उद्योग: आदि रसायन To track items using barcode. You will be able to enter items in Delivery Note and Sales Invoice by scanning barcode of item.,बारकोड का उपयोग करके आइटम्स ट्रैक. आप आइटम के बारकोड स्कैनिंग द्वारा डिलिवरी नोट और बिक्री चालान में आइटम दर्ज करने में सक्षम हो जाएगा. +Too many columns. Export the report and print it using a spreadsheet application.,बहुत अधिक कॉलम. रिपोर्ट निर्यात और एक स्प्रेडशीट अनुप्रयोग का उपयोग कर इसे मुद्रित. Tools,उपकरण Total,संपूर्ण +Total ({0}),कुल ({0}) Total Advance,कुल अग्रिम -Total Allocated Amount,कुल आवंटित राशि -Total Allocated Amount can not be greater than unmatched amount,कुल आवंटित राशि बेजोड़ राशि से अधिक नहीं हो सकता Total Amount,कुल राशि Total Amount To Pay,कुल भुगतान राशि Total Amount in Words,शब्दों में कुल राशि Total Billing This Year: ,कुल बिलिंग इस वर्ष: +Total Characters,कुल वर्ण Total Claimed Amount,कुल दावा किया राशि Total Commission,कुल आयोग Total Cost,कुल लागत @@ -2923,14 +3075,13 @@ Total Score (Out of 5),कुल स्कोर (5 से बाहर) Total Tax (Company Currency),कुल टैक्स (कंपनी मुद्रा) Total Taxes and Charges,कुल कर और शुल्क Total Taxes and Charges (Company Currency),कुल करों और शुल्कों (कंपनी मुद्रा) -Total Words,कुल शब्द -Total Working Days In The Month,महीने में कुल कार्य दिन Total allocated percentage for sales team should be 100,बिक्री टीम के लिए कुल आवंटित 100 प्रतिशत होना चाहिए Total amount of invoices received from suppliers during the digest period,चालान की कुल राशि को पचाने की अवधि के दौरान आपूर्तिकर्ताओं से प्राप्त Total amount of invoices sent to the customer during the digest period,चालान की कुल राशि को पचाने की अवधि के दौरान ग्राहक को भेजा Total cannot be zero,कुल शून्य नहीं हो सकते Total in words,शब्दों में कुल Total points for all goals should be 100. It is {0},सभी लक्ष्यों के लिए कुल अंक 100 होना चाहिए . यह है {0} +Total valuation for manufactured or repacked item(s) can not be less than total valuation of raw materials,निर्मित या repacked मद (ओं) के लिए कुल मूल्यांकन कच्चे माल की कुल मूल्यांकन से कम नहीं हो सकता Total weightage assigned should be 100%. It is {0},कुल आवंटित वेटेज 100 % होना चाहिए . यह है {0} Totals,योग Track Leads by Industry Type.,ट्रैक उद्योग प्रकार के द्वारा होता है . @@ -2966,7 +3117,7 @@ UOM Conversion Details,UOM रूपांतरण विवरण UOM Conversion Factor,UOM रूपांतरण फैक्टर UOM Conversion factor is required in row {0},UOM रूपांतरण कारक पंक्ति में आवश्यक है {0} UOM Name,UOM नाम -UOM coversion factor required for UOM {0} in Item {1},UOM के लिए आवश्यक UOM coversion कारक {0} मद में {1} +UOM coversion factor required for UOM: {0} in Item: {1},UOM के लिए आवश्यक UOM coversion पहलू: {0} मद में: {1} Under AMC,एएमसी के तहत Under Graduate,पूर्व - स्नातक Under Warranty,वारंटी के अंतर्गत @@ -2976,8 +3127,8 @@ Unit of Measure {0} has been entered more than once in Conversion Factor Table, "Unit of measurement of this item (e.g. Kg, Unit, No, Pair).","इस मद के माप की इकाई (जैसे किलोग्राम, यूनिट, नहीं, जोड़ी)." Units/Hour,इकाइयों / घंटा Units/Shifts,इकाइयों / पाली -Unmatched Amount,बेजोड़ राशि Unpaid,अवैतनिक +Unreconciled Payment Details,Unreconciled भुगतान विवरण Unscheduled,अनिर्धारित Unsecured Loans,असुरक्षित ऋण Unstop,आगे बढ़ाना @@ -2992,7 +3143,6 @@ Update Landed Cost,अद्यतन लागत उतरा Update Series,अद्यतन श्रृंखला Update Series Number,अद्यतन सीरीज नंबर Update Stock,स्टॉक अद्यतन -"Update allocated amount in the above table and then click ""Allocate"" button",उपरोक्त तालिका में आवंटित राशि का अद्यतन और फिर "आवंटित" बटन पर क्लिक करें Update bank payment dates with journals.,अद्यतन बैंक भुगतान पत्रिकाओं के साथ तिथियाँ. Update clearance date of Journal Entries marked as 'Bank Vouchers',जर्नल प्रविष्टियों का अद्यतन निकासी की तारीख ' बैंक वाउचर ' के रूप में चिह्नित Updated,अद्यतित @@ -3009,6 +3159,7 @@ Upper Income,ऊपरी आय Urgent,अत्यावश्यक Use Multi-Level BOM,मल्टी लेवल बीओएम का उपयोग करें Use SSL,SSL का उपयोग +Used for Production Plan,उत्पादन योजना के लिए प्रयुक्त User,उपयोगकर्ता User ID,प्रयोक्ता आईडी User ID not set for Employee {0},यूजर आईडी कर्मचारी के लिए सेट नहीं {0} @@ -3047,9 +3198,9 @@ View Now,अब देखें Visit report for maintenance call.,रखरखाव कॉल के लिए रिपोर्ट पर जाएँ. Voucher #,वाउचर # Voucher Detail No,वाउचर विस्तार नहीं +Voucher Detail Number,वाउचर विस्तार संख्या Voucher ID,वाउचर आईडी Voucher No,कोई वाउचर -Voucher No is not valid,वाउचर कोई मान्य नहीं है Voucher Type,वाउचर प्रकार Voucher Type and Date,वाउचर का प्रकार और तिथि Walk In,में चलो @@ -3065,11 +3216,12 @@ Warehouse is mandatory for stock Item {0} in row {1},गोदाम स्ट Warehouse is missing in Purchase Order,गोदाम क्रय आदेश में लापता है Warehouse not found in the system,सिस्टम में नहीं मिला वेयरहाउस Warehouse required for stock Item {0},शेयर मद के लिए आवश्यक वेयरहाउस {0} -Warehouse required in POS Setting,स्थिति की स्थापना में आवश्यक वेयरहाउस Warehouse where you are maintaining stock of rejected items,वेअरहाउस जहाँ आप को अस्वीकार कर दिया आइटम के शेयर को बनाए रखने रहे हैं Warehouse {0} can not be deleted as quantity exists for Item {1},मात्रा मद के लिए मौजूद वेयरहाउस {0} मिटाया नहीं जा सकता {1} Warehouse {0} does not belong to company {1},वेयरहाउस {0} से संबंधित नहीं है कंपनी {1} Warehouse {0} does not exist,वेयरहाउस {0} मौजूद नहीं है +Warehouse {0}: Company is mandatory,वेयरहाउस {0}: कंपनी अनिवार्य है +Warehouse {0}: Parent account {1} does not bolong to the company {2},वेयरहाउस {0}: माता पिता के खाते {1} कंपनी को Bolong नहीं है {2} Warehouse-Wise Stock Balance,वेयरहाउस वार शेयर बैलेंस Warehouse-wise Item Reorder,गोदाम वार आइटम पुनः क्रमित करें Warehouses,गोदामों @@ -3114,13 +3266,14 @@ Will be updated when batched.,Batched जब अद्यतन किया ज Will be updated when billed.,बिल भेजा जब अद्यतन किया जाएगा. Wire Transfer,वायर ट्रांसफर With Operations,आपरेशनों के साथ -With period closing entry,अवधि समापन प्रवेश के साथ +With Period Closing Entry,अवधि समापन प्रवेश के साथ Work Details,कार्य विवरण Work Done,करेंकिया गया काम Work In Progress,अर्धनिर्मित उत्पादन Work-in-Progress Warehouse,कार्य में प्रगति गोदाम Work-in-Progress Warehouse is required before Submit,वर्क प्रगति वेयरहाउस प्रस्तुत करने से पहले आवश्यक है Working,कार्य +Working Days,कार्यकारी दिनों Workstation,वर्कस्टेशन Workstation Name,वर्कस्टेशन नाम Write Off Account,ऑफ खाता लिखें @@ -3136,9 +3289,6 @@ Year Closed,साल बंद कर दिया Year End Date,वर्षांत तिथि Year Name,वर्ष नाम Year Start Date,वर्ष प्रारंभ दिनांक -Year Start Date and Year End Date are already set in Fiscal Year {0},वर्ष प्रारंभ तिथि और वर्ष के अंत तिथि पहले से ही वित्त वर्ष में स्थापित कर रहे हैं {0} -Year Start Date and Year End Date are not within Fiscal Year.,वर्ष प्रारंभ तिथि और वर्ष के अंत तिथि वित्त वर्ष के भीतर नहीं हैं . -Year Start Date should not be greater than Year End Date,वर्ष प्रारंभ दिनांक वर्ष अन्त तिथि से बड़ा नहीं होना चाहिए Year of Passing,पासिंग का वर्ष Yearly,वार्षिक Yes,हां @@ -3148,7 +3298,6 @@ You are the Expense Approver for this record. Please Update the 'Status' and Sav You are the Leave Approver for this record. Please Update the 'Status' and Save,आप इस रिकॉर्ड के लिए छोड़ अनुमोदक हैं . 'स्थिति' अद्यतन और बचा लो You can enter any date manually,आप किसी भी तारीख को मैन्युअल रूप से दर्ज कर सकते हैं You can enter the minimum quantity of this item to be ordered.,आप इस मद की न्यूनतम मात्रा में करने के लिए आदेश दिया जा में प्रवेश कर सकते हैं. -You can not assign itself as parent account,तुम माता पिता के खाते के रूप में खुद को आवंटन नहीं कर सकते You can not change rate if BOM mentioned agianst any item,बीओएम किसी भी आइटम agianst उल्लेख अगर आप दर में परिवर्तन नहीं कर सकते You can not enter both Delivery Note No and Sales Invoice No. Please enter any one.,आप नहीं दोनों डिलिवरी नोट में प्रवेश नहीं कर सकते हैं और बिक्री चालान नहीं किसी भी एक दर्ज करें. You can not enter current voucher in 'Against Journal Voucher' column,आप स्तंभ ' जर्नल वाउचर के खिलाफ' में मौजूदा वाउचर प्रवेश नहीं कर सकते @@ -3160,7 +3309,6 @@ You cannot credit and debit same account at the same time,आप क्रेड You have entered duplicate items. Please rectify and try again.,आप डुप्लिकेट आइटम दर्ज किया है . सुधारने और पुन: प्रयास करें . You may need to update: {0},आप अद्यतन करना पड़ सकता है: {0} You must Save the form before proceeding,आगे बढ़ने से पहले फार्म सहेजना चाहिए -You must allocate amount before reconcile,आप सामंजस्य से पहले राशि का आवंटन करना चाहिए Your Customer's TAX registration numbers (if applicable) or any general information,अपने ग्राहक कर पंजीकरण संख्या (यदि लागू हो) या किसी भी सामान्य जानकारी Your Customers,अपने ग्राहकों Your Login Id,आपके लॉगिन आईडी @@ -3173,11 +3321,13 @@ Your sales person who will contact the customer in future,अपनी बिक Your sales person will get a reminder on this date to contact the customer,अपनी बिक्री व्यक्ति इस तिथि पर एक चेतावनी प्राप्त करने के लिए ग्राहकों से संपर्क करेंगे Your setup is complete. Refreshing...,आपकी सेटअप पूरा हो गया है . रिफ्रेशिंग ... Your support email id - must be a valid email - this is where your emails will come!,आपका समर्थन ईमेल आईडी - एक मान्य ईमेल होना चाहिए - यह है जहाँ आपके ईमेल आ जाएगा! +[Error],[त्रुटि] [Select],[ चुनें ] `Freeze Stocks Older Than` should be smaller than %d days.,` से अधिक उम्र रुक स्टॉक `% d दिनों से कम होना चाहिए . and,और are not allowed.,अनुमति नहीं है. assigned by,द्वारा सौंपा +cannot be greater than 100,100 से अधिक नहीं हो सकता "e.g. ""Build tools for builders""",उदाहरणार्थ "e.g. ""MC""",उदाहरणार्थ "e.g. ""My Company LLC""",उदाहरणार्थ @@ -3190,32 +3340,34 @@ example: Next Day Shipping,उदाहरण: अगले दिन शिप lft,LFT old_parent,old_parent rgt,rgt +subject,कर्ता +to,से website page link,वेबसाइट के पेज लिंक {0} '{1}' not in Fiscal Year {2},{0} ' {1}' नहीं वित्त वर्ष में {2} {0} Credit limit {0} crossed,{0} क्रेडिट सीमा {0} को पार कर गया {0} Serial Numbers required for Item {0}. Only {0} provided.,{0} मद के लिए आवश्यक सीरियल नंबर {0} . केवल {0} प्रदान की . {0} budget for Account {1} against Cost Center {2} will exceed by {3},{0} खाते के लिए बजट {1} लागत केंद्र के खिलाफ {2} {3} से अधिक होगा +{0} can not be negative,{0} ऋणात्मक नहीं हो सकता {0} created,{0} बनाया {0} does not belong to Company {1},{0} कंपनी से संबंधित नहीं है {1} {0} entered twice in Item Tax,{0} मद टैक्स में दो बार दर्ज {0} is an invalid email address in 'Notification Email Address',{0} ' सूचना ईमेल पते ' में एक अवैध ईमेल पता है {0} is mandatory,{0} अनिवार्य है {0} is mandatory for Item {1},{0} मद के लिए अनिवार्य है {1} +{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} अनिवार्य है. हो सकता है कि विनिमय दर रिकॉर्ड {2} को {1} के लिए नहीं बनाई गई है. {0} is not a stock Item,{0} भंडार वस्तु नहीं है {0} is not a valid Batch Number for Item {1},{0} आइटम के लिए एक वैध बैच नंबर नहीं है {1} -{0} is not a valid Leave Approver,{0} एक वैध लीव अनुमोदक नहीं है +{0} is not a valid Leave Approver. Removing row #{1}.,{0} एक वैध लीव अनुमोदक नहीं है. निकाल रहा पंक्ति # {1}. {0} is not a valid email id,{0} एक मान्य ईमेल आईडी नहीं है {0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} अब मूलभूत वित्त वर्ष है . परिवर्तन को प्रभावी बनाने के लिए अपने ब्राउज़र को ताज़ा करें. {0} is required,{0} के लिए आवश्यक है {0} must be a Purchased or Sub-Contracted Item in row {1},{0} पंक्ति में एक खरीदे या उप अनुबंधित आइटम होना चाहिए {1} -{0} must be less than or equal to {1},{0} से कम या बराबर होना चाहिए {1} +{0} must be reduced by {1} or you should increase overflow tolerance,{0} {1} से कम किया जाना चाहिए या आप अतिप्रवाह सहिष्णुता में वृद्धि करनी चाहिए {0} must have role 'Leave Approver',{0} भूमिका ' लीव अनुमोदक ' होना चाहिए {0} valid serial nos for Item {1},आइटम के लिए {0} वैध धारावाहिक नग {1} {0} {1} against Bill {2} dated {3},{0} {1} विधेयक के खिलाफ {2} दिनांक {3} {0} {1} against Invoice {2},{0} {1} चालान के खिलाफ {2} {0} {1} has already been submitted,{0} {1} पहले से ही प्रस्तुत किया गया है -{0} {1} has been modified. Please Refresh,{0} {1} संशोधित किया गया है . ताज़ा करें -{0} {1} has been modified. Please refresh,{0} {1} संशोधित किया गया है . ताज़ा करें {0} {1} has been modified. Please refresh.,{0} {1} संशोधित किया गया है . ताज़ा करें. {0} {1} is not submitted,{0} {1} प्रस्तुत नहीं किया गया है {0} {1} must be submitted,{0} {1} प्रस्तुत किया जाना चाहिए @@ -3223,3 +3375,5 @@ website page link,वेबसाइट के पेज लिंक {0} {1} status is 'Stopped',{0} {1} स्थिति ' रूका ' है {0} {1} status is Stopped,{0} {1} स्थिति बंद कर दिया है {0} {1} status is Unstopped,{0} {1} स्थिति unstopped है +{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: लागत केंद्र मद के लिए अनिवार्य है {2} +{0}: {1} not found in Invoice Details table,{0} {1} चालान विवरण तालिका में नहीं मिला diff --git a/erpnext/translations/hr.csv b/erpnext/translations/hr.csv index 7467bb5d63..63b726bd21 100644 --- a/erpnext/translations/hr.csv +++ b/erpnext/translations/hr.csv @@ -14,7 +14,6 @@ % of materials delivered against this Sales Order,% Materijala dostavljenih od ovog prodajnog naloga % of materials ordered against this Material Request,% Materijala naredio protiv ovog materijala Zahtjeva % of materials received against this Purchase Order,% Materijala dobio protiv ove narudžbenice -%(conversion_rate_label)s is mandatory. Maybe Currency Exchange record is not created for %(from_currency)s to %(to_currency)s,% ( conversion_rate_label ) s je obavezno . Možda Mjenjačnica zapis nije stvoren za % ( from_currency ) s% ( to_currency ) s 'Actual Start Date' can not be greater than 'Actual End Date',"' Stvarni datum početka ' ne može biti veći od stvarnih datuma završetka """ 'Based On' and 'Group By' can not be same,' Temelji se na' i 'Grupiranje po ' ne mogu biti isti 'Days Since Last Order' must be greater than or equal to zero,' Dani od posljednjeg reda ' mora biti veći ili jednak nuli @@ -30,11 +29,35 @@ 'Update Stock' for Sales Invoice {0} must be set,' Update Stock ' za prodaje fakture {0} mora biti postavljen * Will be calculated in the transaction.,* Hoće li biti izračunata u transakciji. "1 Currency = [?] Fraction -For e.g. 1 USD = 100 Cent",1 Valuta = Frakcija [ ? ] \ NFor pr +For e.g. 1 USD = 100 Cent","1 valuta = [?] Frakcija + Za npr. 1 USD = 100 centi" 1. To maintain the customer wise item code and to make them searchable based on their code use this option,1. Za održavanje kupaca mudar Šifra i kako bi ih pretraživati ​​na temelju svog koda koristiti ovu opciju "Add / Edit"," Dodaj / Uredi < />" "Add / Edit"," Dodaj / Uredi < />" "Add / Edit"," Dodaj / Uredi < />" +"

Default Template

+

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

+
{{ address_line1 }}<br>
+{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}
+{{ city }}<br>
+{% if state %}{{ state }}<br>{% endif -%}
+{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}
+{{ country }}<br>
+{% if phone %}Phone: {{ phone }}<br>{% endif -%}
+{% if fax %}Fax: {{ fax }}<br>{% endif -%}
+{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
+
","

zadani predložak +

Koristi Jinja templating i sva polja adresa ( uključujući Custom Fields ako postoje) će biti dostupan +

  {{address_line1}} 
+ {% ako address_line2%} {{}} address_line2
{ endif% -%} + {{grad}}
+ {% ako je državna%} {{}} Država
{% endif -%} + {% ako pincode%} PIN: {{pincode}}
{% endif -%} + {{country}}
+ {% ako je telefon%} Telefon: {{telefonski}}
{ endif% -%} + {% ako fax%} Fax: {{fax}}
{% endif -%} + {% ako email_id%} E: {{email_id}}
; {% endif -%} + " A Customer Group exists with same name please change the Customer name or rename the Customer Group,Kupac Grupa postoji s istim imenom molimo promijenite ime kupca ili preimenovati grupi kupaca A Customer exists with same name,Kupac postoji s istim imenom A Lead with this email id should exist,Olovo s ovom e-mail id trebala postojati @@ -44,7 +67,6 @@ A symbol for this currency. For e.g. $,Simbol za ovu valutu. Za npr. $ AMC Expiry Date,AMC Datum isteka Abbr,Abbr Abbreviation cannot have more than 5 characters,Kratica ne može imati više od 5 znakova -About,Oko Above Value,Iznad Vrijednost Absent,Odsutan Acceptance Criteria,Kriterij prihvaćanja @@ -59,6 +81,8 @@ Account Details,Account Details Account Head,Račun voditelj Account Name,Naziv računa Account Type,Vrsta računa +"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Stanje računa već u kredit, što se ne smije postaviti 'ravnoteža se mora' kao 'zaduženje """ +"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'" Account for the warehouse (Perpetual Inventory) will be created under this Account.,Račun za skladište ( Perpetual inventar) stvorit će se na temelju ovog računa . Account head {0} created,Glava račun {0} stvorio Account must be a balance sheet account,Račun mora biti računabilance @@ -68,13 +92,20 @@ Account with existing transaction can not be deleted,Račun s postojećim transa Account with existing transaction cannot be converted to ledger,Račun s postojećim transakcije ne može pretvoriti u knjizi Account {0} cannot be a Group,Račun {0} ne može bitiGroup Account {0} does not belong to Company {1},Račun {0} ne pripada Društvu {1} +Account {0} does not belong to company: {1},Račun {0} ne pripada tvrtki: {1} Account {0} does not exist,Račun {0} ne postoji Account {0} has been entered more than once for fiscal year {1},Račun {0} je ušao više od jednom za fiskalnu godinu {1} Account {0} is frozen,Račun {0} je zamrznuta Account {0} is inactive,Račun {0} nije aktivan +Account {0} is not valid,Račun {0} nije ispravan Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item,Račun {0} mora biti tipa ' Fixed Asset ' kao točka {1} jeAsset artikla +Account {0}: Parent account {1} can not be a ledger,Račun {0}: Parent račun {1} Ne može biti knjiga +Account {0}: Parent account {1} does not belong to company: {2},Račun {0}: Parent račun {1} ne pripadaju tvrtki: {2} +Account {0}: Parent account {1} does not exist,Račun {0}: Parent račun {1} ne postoji +Account {0}: You can not assign itself as parent account,Račun {0}: Ne može se dodijeliti roditeljskog računa "Account: {0} can only be updated via \ - Stock Transactions",Račun : {0} se može ažurirati samo preko \ \ n Stock transakcije + Stock Transactions","Račun: {0} se može ažurirati samo putem \ + Stock transakcije" Accountant,računovođa Accounting,Računovodstvo "Accounting Entries can be made against leaf nodes, called","Računovodstvo Prijave se mogu podnijeti protiv lisnih čvorova , pozvao" @@ -124,6 +155,7 @@ Address Details,Adresa Detalji Address HTML,Adresa HTML Address Line 1,Adresa Linija 1 Address Line 2,Adresa Linija 2 +Address Template,Adresa Predložak Address Title,Adresa Naslov Address Title is mandatory.,Adresa Naslov je obavezno . Address Type,Adresa Tip @@ -144,7 +176,6 @@ Against Docname,Protiv Docname Against Doctype,Protiv DOCTYPE Against Document Detail No,Protiv dokumenta Detalj No Against Document No,Protiv dokumentu nema -Against Entries,protiv upise Against Expense Account,Protiv Rashodi račun Against Income Account,Protiv računu dohotka Against Journal Voucher,Protiv Journal Voucheru @@ -180,10 +211,8 @@ All Territories,Svi Territories "All export related fields like currency, conversion rate, export total, export grand total etc are available in Delivery Note, POS, Quotation, Sales Invoice, Sales Order etc.","Sve izvoz srodnih područja poput valute , stopa pretvorbe , izvoz ukupno , izvoz sveukupnom itd su dostupni u Dostavnica, POS , ponude, prodaje fakture , prodajnog naloga i sl." "All import related fields like currency, conversion rate, import total, import grand total etc are available in Purchase Receipt, Supplier Quotation, Purchase Invoice, Purchase Order etc.","Svi uvoz srodnih područja poput valute , stopa pretvorbe , uvoz ukupno , uvoz sveukupnom itd su dostupni u Račun kupnje , dobavljač kotaciju , prilikom kupnje proizvoda, narudžbenice i sl." All items have already been invoiced,Svi predmeti su već fakturirano -All items have already been transferred for this Production Order.,Svi predmeti su već prebačeni za ovu produkciju Reda . All these items have already been invoiced,Svi ovi predmeti su već fakturirano Allocate,Dodijeliti -Allocate Amount Automatically,Izdvojiti iznos se automatski Allocate leaves for a period.,Dodijeliti lišće za razdoblje . Allocate leaves for the year.,Dodjela lišće za godinu dana. Allocated Amount,Dodijeljeni iznos @@ -204,13 +233,13 @@ Allow Users,Omogućiti korisnicima Allow the following users to approve Leave Applications for block days.,Dopusti sljedeći korisnici odobriti ostavite aplikacije za blok dana. Allow user to edit Price List Rate in transactions,Dopustite korisniku da uredite Ocijenite cjeniku u prometu Allowance Percent,Dodatak posto -Allowance for over-delivery / over-billing crossed for Item {0},Doplatak za više - dostavu / nad - naplate prešao za točke {0} +Allowance for over-{0} crossed for Item {1},Dodatak za prekomjerno {0} prešao za točku {1} +Allowance for over-{0} crossed for Item {1}.,Dodatak za prekomjerno {0} prešao za točku {1}. Allowed Role to Edit Entries Before Frozen Date,Dopuštenih uloga za uređivanje upise Prije Frozen Datum Amended From,Izmijenjena Od Amount,Iznos Amount (Company Currency),Iznos (Društvo valuta) -Amount <=,Iznos <= -Amount >=,Iznos> = +Amount Paid,Iznos plaćen Amount to Bill,Iznositi Billa An Customer exists with same name,Kupac postoji s istim imenom "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" @@ -260,6 +289,7 @@ As per Stock UOM,Kao po burzi UOM Asset,Asset Assistant,asistent Associate,pomoćnik +Atleast one of the Selling or Buying must be selected,Barem jedan od prodajete ili kupujete mora biti odabran Atleast one warehouse is mandatory,Atleast jednom skladištu je obavezno Attach Image,Pričvrstite slike Attach Letterhead,Pričvrstite zaglavljem @@ -319,6 +349,7 @@ Balance for Account {0} must always be {1},Bilanca za račun {0} mora uvijek bit Balance must be,Bilanca mora biti "Balances of Accounts of type ""Bank"" or ""Cash""","Stanja računa tipa "" Banka"" ili "" Cash """ Bank,Banka +Bank / Cash Account,Banka / Cash račun Bank A/C No.,Banka / C br Bank Account,Žiro račun Bank Account No.,Žiro račun broj @@ -397,18 +428,24 @@ Budget Distribution Details,Proračun raspodjele Detalji Budget Variance Report,Proračun varijance Prijavi Budget cannot be set for Group Cost Centers,Proračun ne može biti postavljen za grupe troška Build Report,Izgradite Prijavite -Built on,izgrađen na Bundle items at time of sale.,Bala stavke na vrijeme prodaje. Business Development Manager,Business Development Manager Buying,Kupovina Buying & Selling,Kupnja i Prodaja Buying Amount,Kupnja Iznos Buying Settings,Kupnja postavki +"Buying must be checked, if Applicable For is selected as {0}","Kupnja treba provjeriti, ako je primjenjivo za odabrano kao {0}" C-Form,C-Form C-Form Applicable,C-obrascu C-Form Invoice Detail,C-Obrazac Račun Detalj C-Form No,C-Obrazac br C-Form records,C - Form zapisi +CENVAT Capital Goods,CENVAT Kapitalni proizvodi +CENVAT Edu Cess,CENVAT Edu Posebni porez +CENVAT SHE Cess,CENVAT ONA Posebni porez +CENVAT Service Tax,CENVAT usluga Porezne +CENVAT Service Tax Cess 1,CENVAT usluga Porezne Posebni porez na 1 +CENVAT Service Tax Cess 2,CENVAT usluga Porezne Posebni porez 2 Calculate Based On,Izračunajte Na temelju Calculate Total Score,Izračunajte ukupni rezultat Calendar Events,Kalendar događanja @@ -432,7 +469,7 @@ Cannot approve leave as you are not authorized to approve leaves on Block Dates, Cannot cancel because Employee {0} is already approved for {1},"Ne mogu otkazati , jer zaposlenika {0} već je odobren za {1}" Cannot cancel because submitted Stock Entry {0} exists,"Ne mogu otkazati , jer podnijela Stock Stupanje {0} postoji" Cannot carry forward {0},Ne mogu prenositi {0} -Cannot change Year Start Date and Year End Date once the Fiscal Year is saved.,Ne mogu promijeniti godina datum početka i datum završetka Godina jednomFiskalna godina se sprema . +Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,Ne možete promijeniti fiskalnu godinu datum početka i datum završetka fiskalne godine kada Fiskalna godina se sprema. "Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Ne mogu promijeniti tvrtke zadanu valutu , jer postoje neki poslovi . Transakcije mora biti otkazana promijeniti zadanu valutu ." Cannot convert Cost Center to ledger as it has child nodes,"Ne može se pretvoriti troška za knjigu , kao da ima djece čvorova" Cannot covert to Group because Master Type or Account Type is selected.,"Ne može tajno da Grupe , jer je izabran Master Type ili račun Type ." @@ -441,7 +478,7 @@ Cannot deactive or cancle BOM as it is linked with other BOMs,Ne možete DEACTIV Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Ne mogu odbiti kada kategorija je "" vrednovanje "" ili "" Vrednovanje i Total '" "Cannot delete Serial No {0} in stock. First remove from stock, then delete.","Ne možete izbrisati rednim brojem {0} na lageru . Prvo izvadite iz zalihe , a zatim izbrisati ." "Cannot directly set amount. For 'Actual' charge type, use the rate field","Ne može se izravno postaviti iznos . Za stvarnu ' tipa naboja , koristiti polje rate" -"Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in 'Setup' > 'Global Defaults'","Ne možete overbill za točku {0} u redu {0} više od {1} . Da bi se omogućilo overbilling , molimo postavljena u "" Setup "" > "" Globalni Zadani '" +"Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in Stock Settings","Ne možete overbill za točku {0} u redu {0} više od {1}. Da bi se omogućilo overbilling, molimo vas postavljen u Stock Settings" Cannot produce more Item {0} than Sales Order quantity {1},Ne može proizvesti više predmeta {0} od prodajnog naloga količina {1} Cannot refer row number greater than or equal to current row number for this Charge type,Ne mogu se odnositi broj retka veći ili jednak trenutnom broju red za ovu vrstu Charge Cannot return more than {0} for Item {1},Ne može se vratiti više od {0} za točku {1} @@ -504,6 +541,8 @@ Click on a link to get options to expand get options , Client,Klijent Close Balance Sheet and book Profit or Loss.,Zatvori bilanca i knjiga dobit ili gubitak . Closed,Zatvoreno +Closing (Cr),Zatvaranje (Cr) +Closing (Dr),Zatvaranje (DR) Closing Account Head,Zatvaranje računa šefa Closing Account {0} must be of type 'Liability',Zatvaranje računa {0} mora biti tipa ' odgovornosti ' Closing Date,Datum zatvaranja @@ -514,7 +553,9 @@ CoA Help,CoA Pomoć Code,Šifra Cold Calling,Hladno pozivanje Color,Boja +Column Break,Kolona Break Comma separated list of email addresses,Zarez odvojen popis e-mail adrese +Comment,Komentirati Comments,Komentari Commercial,trgovački Commission,provizija @@ -599,7 +640,6 @@ Cosmetics,kozmetika Cost Center,Troška Cost Center Details,Troška Detalji Cost Center Name,Troška Name -Cost Center is mandatory for Item {0},Troška je obvezna za točke {0} Cost Center is required for 'Profit and Loss' account {0},Troška je potrebno za račun ' dobiti i gubitka ' {0} Cost Center is required in row {0} in Taxes table for type {1},Troška potrebno je u redu {0} poreza stolom za vrstu {1} Cost Center with existing transactions can not be converted to group,Troška s postojećim transakcija ne može se prevesti u skupini @@ -609,6 +649,7 @@ Cost of Goods Sold,Troškovi prodane robe Costing,Koštanje Country,Zemlja Country Name,Država Ime +Country wise default Address Templates,Država mudar zadana adresa predlošci "Country, Timezone and Currency","Država , vremenske zone i valute" Create Bank Voucher for the total salary paid for the above selected criteria,Stvaranje Bank bon za ukupne plaće isplaćene za gore odabranih kriterija Create Customer,izraditi korisnika @@ -662,10 +703,12 @@ Customer (Receivable) Account,Kupac (Potraživanja) račun Customer / Item Name,Kupac / Stavka Ime Customer / Lead Address,Kupac / Olovo Adresa Customer / Lead Name,Kupac / Olovo Ime +Customer > Customer Group > Territory,Kupac> Korisnička Group> Regija Customer Account Head,Kupac račun Head Customer Acquisition and Loyalty,Stjecanje kupaca i lojalnost Customer Address,Kupac Adresa Customer Addresses And Contacts,Kupac adrese i kontakti +Customer Addresses and Contacts,Kupca adrese i kontakti Customer Code,Kupac Šifra Customer Codes,Kupac Kodovi Customer Details,Korisnički podaci @@ -727,6 +770,8 @@ Deduction1,Deduction1 Deductions,Odbici Default,Zadani Default Account,Zadani račun +Default Address Template cannot be deleted,Default Adresa Predložak se ne može izbrisati +Default Amount,Zadani iznos Default BOM,Zadani BOM Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,"Zadani banka / Novčani račun će se automatski ažuriraju u POS računu, kada je ovaj mod odabran." Default Bank Account,Zadani bankovni račun @@ -734,7 +779,6 @@ Default Buying Cost Center,Default Kupnja troška Default Buying Price List,Default Kupnja Cjenik Default Cash Account,Default Novac račun Default Company,Zadani Tvrtka -Default Cost Center for tracking expense for this item.,Zadani troška za praćenje trošak za tu stavku. Default Currency,Zadani valuta Default Customer Group,Zadani Korisnik Grupa Default Expense Account,Zadani Rashodi račun @@ -761,6 +805,7 @@ Default settings for selling transactions.,Zadane postavke za prodaju transakcij Default settings for stock transactions.,Zadane postavke za burzovne transakcije . Defense,odbrana "Define Budget for this Cost Center. To set budget action, see
Company Master","Odredite proračun za ovu troška. Da biste postavili proračuna akciju, vidi Tvrtka Master" +Del,Del Delete,Izbrisati Delete {0} {1}?,Brisanje {0} {1} ? Delivered,Isporučena @@ -809,6 +854,7 @@ Discount (%),Popust (%) Discount Amount,Popust Iznos "Discount Fields will be available in Purchase Order, Purchase Receipt, Purchase Invoice","Popust Polja će biti dostupan u narudžbenice, Otkup primitka, Otkup fakturu" Discount Percentage,Popust Postotak +Discount Percentage can be applied either against a Price List or for all Price List.,Popust Postotak se može primijeniti prema cjeniku ili za sve cjeniku. Discount must be less than 100,Popust mora biti manji od 100 Discount(%),Popust (%) Dispatch,otpremanje @@ -841,7 +887,8 @@ Download Template,Preuzmite predložak Download a report containing all raw materials with their latest inventory status,Preuzmite izvješće koje sadrži sve sirovine sa svojim najnovijim inventara statusa "Download the Template, fill appropriate data and attach the modified file.","Preuzmite predložak , ispunite odgovarajuće podatke i priložite izmijenjenu datoteku ." "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žite izmijenjenu datoteku . \ NAll datira i kombinacija zaposlenika u odabranom razdoblju će doći u predlošku , s postojećim izostancima" +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žite izmijenjenu datoteku. + Svi datumi i kombinacija zaposlenika u odabranom razdoblju će doći u predlošku, s postojećim izostancima" Draft,Skica Dropbox,Dropbox Dropbox Access Allowed,Dropbox Pristup dopuštenih @@ -863,6 +910,9 @@ Earning & Deduction,Zarada & Odbitak Earning Type,Zarada Vid Earning1,Earning1 Edit,Uredi +Edu. Cess on Excise,Edu. Posebni porez na trošarine +Edu. Cess on Service Tax,Edu. Posebni porez na porez na uslugu +Edu. Cess on TDS,Edu. Posebni porez na TDS Education,obrazovanje Educational Qualification,Obrazovne kvalifikacije Educational Qualification Details,Obrazovni Pojedinosti kvalifikacije @@ -937,16 +987,27 @@ Enter url parameter for receiver nos,Unesite URL parametar za prijemnike br Entertainment & Leisure,Zabava i slobodno vrijeme Entertainment Expenses,Zabava Troškovi Entries,Prijave -Entries against,Prijave protiv +Entries against , Entries are not allowed against this Fiscal Year if the year is closed.,"Prijave nisu dozvoljeni protiv ove fiskalne godine, ako se godina zatvoren." -Entries before {0} are frozen,Upisi prije {0} su zamrznuta Equity,pravičnost Error: {0} > {1},Pogreška : {0} > {1} Estimated Material Cost,Procjena troškova materijala +"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Čak i ako postoji više Cijene pravila s najvišim prioritetom, onda sljedeći interni prioriteti primjenjuje se:" Everyone can read,Svatko može pročitati "Example: ABCD.##### -If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.","Primjer : . ABCD # # # # # \ nAko serija je postavljena i Serial No ne spominje u transakcijama , a zatim automatski serijski broj će biti izrađen na temelju ove serije ." +If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.",". Primjer: ABCD # # # # # + Ako serija je postavljena i Serial No ne spominje u transakcijama, a zatim automatski serijski broj će biti izrađen na temelju ove serije. Ako ste oduvijek željeli izrijekom spomenuti Serial brojeva za tu stavku. ostavite praznim." Exchange Rate,Tečaj +Excise Duty 10,Trošarina 10 +Excise Duty 14,Trošarina 14 +Excise Duty 4,Trošarina 4 +Excise Duty 8,Trošarina 8 +Excise Duty @ 10,Trošarina @ 10. +Excise Duty @ 14,Trošarina @ 14 +Excise Duty @ 4,Trošarina @ 4 +Excise Duty @ 8,Trošarina @ 8. +Excise Duty Edu Cess 2,Trošarina Edu Posebni porez 2 +Excise Duty SHE Cess 1,Trošarina ONA Posebni porez na 1 Excise Page Number,Trošarina Broj stranice Excise Voucher,Trošarina bon Execution,izvršenje @@ -965,6 +1026,7 @@ Expected Delivery Date cannot be before Sales Order Date,Očekuje se dostava Dat Expected End Date,Očekivani Datum završetka Expected Start Date,Očekivani datum početka Expense,rashod +Expense / Difference account ({0}) must be a 'Profit or Loss' account,Rashodi / Razlika računa ({0}) mora biti račun 'dobit ili gubitak' Expense Account,Rashodi račun Expense Account is mandatory,Rashodi račun je obvezna Expense Claim,Rashodi polaganja @@ -1015,12 +1077,16 @@ Finished Goods,gotovih proizvoda First Name,Ime First Responded On,Prvo Odgovorili Na Fiscal Year,Fiskalna godina +Fiscal Year Start Date and Fiscal Year End Date are already set in Fiscal Year {0},Fiskalna godina Datum početka i datum završetka fiskalne godine već su postavljeni u fiskalnoj godini {0} +Fiscal Year Start Date and Fiscal Year End Date cannot be more than a year apart.,Fiskalna godina Datum početka i datum završetka fiskalne godine ne može biti više od godine dana. +Fiscal Year Start Date should not be greater than Fiscal Year End Date,Fiskalna godina Start Date ne bi trebao biti veći od Fiskalna godina End Date Fixed Asset,Dugotrajne imovine Fixed Assets,Dugotrajna imovina Follow via Email,Slijedite putem e-maila "Following table will show values if items are sub - contracted. These values will be fetched from the master of ""Bill of Materials"" of sub - contracted items.",Nakon stol će pokazati vrijednosti ako su stavke pod - ugovoreno. Ove vrijednosti će biti preuzeta od zapovjednika "Bill of Materials" pod - ugovoreni stavke. Food,hrana "Food, Beverage & Tobacco","Hrana , piće i duhan" +"For 'Sales BOM' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Sales BOM' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Za 'Prodaja BOM ""predmeta, skladište, rednim brojem i hrpa Ne smatrat će se iz' Popis pakiranja 'stolom. Ako Warehouse i šarže su isti za sve pakiranje predmeta za bilo 'Prodaja' sastavnice točke, te vrijednosti mogu se unijeti u glavni predmet stola, vrijednosti će se kopirati 'pakiranje popis' stolom." For Company,Za tvrtke For Employee,Za zaposlenom For Employee Name,Za ime zaposlenika @@ -1050,7 +1116,9 @@ From Currency and To Currency cannot be same,Od valute i valuta ne mogu biti ist From Customer,Od kupca From Customer Issue,Od kupca Issue From Date,Od datuma +From Date cannot be greater than To Date,Od datuma ne može biti veća od To Date From Date must be before To Date,Od datuma mora biti prije do danas +From Date should be within the Fiscal Year. Assuming From Date = {0},Od datuma trebao biti u fiskalnoj godini. Uz pretpostavku Od datuma = {0} From Delivery Note,Od otpremnici From Employee,Od zaposlenika From Lead,Od Olovo @@ -1072,7 +1140,9 @@ Frozen Accounts Modifier,Blokiran Računi Modifikacijska Fulfilled,Ispunjena Full Name,Ime i prezime Full-time,Puno radno vrijeme +Fully Billed,Potpuno Naplaćeno Fully Completed,Potpuno Završeni +Fully Delivered,Potpuno Isporučeno Furniture and Fixture,Namještaj i susret Further accounts can be made under Groups but entries can be made against Ledger,"Daljnje računi mogu biti u skupinama , ali unose možete izvoditi protiv Ledgera" "Further accounts can be made under Groups, but entries can be made against Ledger","Daljnje računi mogu biti u skupinama , ali unose možete izvoditi protiv Ledgera" @@ -1090,7 +1160,6 @@ Generate Schedule,Generiranje Raspored Generates HTML to include selected image in the description,Stvara HTML uključuju odabrane slike u opisu Get Advances Paid,Nabavite plaćenim avansima Get Advances Received,Get Napredak pozicija -Get Against Entries,Nabavite Protiv upise Get Current Stock,Nabavite trenutne zalihe Get Items,Nabavite artikle Get Items From Sales Orders,Get artikle iz narudžbe @@ -1103,6 +1172,7 @@ Get Specification Details,Nabavite Specifikacija Detalji Get Stock and Rate,Nabavite Stock i stopa Get Template,Nabavite predloška Get Terms and Conditions,Nabavite Uvjeti i pravila +Get Unreconciled Entries,Nabavite nesaglašen objave Get Weekly Off Dates,Nabavite Tjedno Off datumi "Get valuation rate and available stock at source/target warehouse on mentioned posting date-time. If serialized item, please press this button after entering serial nos.","Nabavite stopa za vrednovanje i dostupni zaliha na izvor / cilj skladištu na spomenuti datum knjiženja radno vrijeme. Ako serijaliziranom stavku, molimo pritisnite ovu tipku nakon ulaska serijskih brojeva." Global Defaults,Globalni Zadano @@ -1171,6 +1241,7 @@ Hour,sat Hour Rate,Sat Ocijenite Hour Rate Labour,Sat Ocijenite rada Hours,Sati +How Pricing Rule is applied?,Kako se primjenjuje cijena pravilo? How frequently?,Kako često? "How should this currency be formatted? If not set, will use system defaults","Kako bi se to valuta biti formatiran? Ako nije postavljeno, koristit će zadane postavke sustava" Human Resources,Ljudski resursi @@ -1187,12 +1258,15 @@ If different than customer address,Ako se razlikuje od kupaca adresu "If disable, 'Rounded Total' field will not be visible in any transaction","Ako onemogućite, 'Ukupno' Zaobljeni polje neće biti vidljiv u bilo kojoj transakciji" "If enabled, the system will post accounting entries for inventory automatically.","Ako je omogućeno, sustav će objaviti računovodstvene stavke za popis automatski." If more than one package of the same type (for print),Ako je više od jedan paket od iste vrste (za tisak) +"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." "If no change in either Quantity or Valuation Rate, leave the cell blank.","Ako nema promjena u bilo Količina ili procjena stope , ostaviti prazno stanica ." If not applicable please enter: NA,Ako ne odnosi unesite: NA "If not checked, the list will have to be added to each Department where it has to be applied.","Ako nije označeno, popis će biti dodan u svakom odjela gdje se mora primjenjivati." +"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 za 'Cijena', to će prebrisati cjenik. Cijene Pravilo cijena je konačna cijena, tako da nema dalje popusta treba primijeniti. Dakle, u prometu kao što su prodajni nalog, narudžbenica itd, to će biti preuzeta u 'stopi' polju, a ne 'cjenik' stopi polju." "If specified, send the newsletter using this email address","Ako je navedeno, pošaljite newsletter koristeći ovu e-mail adresu" "If the account is frozen, entries are allowed to restricted users.","Ako je račun zamrznut , unosi dopušteno ograničene korisnike ." "If this Account represents a Customer, Supplier or Employee, set it here.","Ako se to računa predstavlja kupac, dobavljač ili zaposlenik, postavite ga ovdje." +"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Ako su dva ili više Cijene Pravila naći na temelju gore navedenih uvjeta, prednost se primjenjuju. Prioritet je broj od 0 do 20, a zadana vrijednost je nula (prazno). Veći broj znači da će imati prednost ako postoji više Cijene pravila s istim uvjetima." If you follow Quality Inspection. Enables Item QA Required and QA No in Purchase Receipt,Ako slijedite kvalitete . Omogućuje predmet QA potrebno i QA Ne u Račun kupnje If you have Sales Team and Sale Partners (Channel Partners) they can be tagged and maintain their contribution in the sales activity,Ako imate prodajnog tima i prodaja partnerima (partneri) mogu biti označene i održavati svoj doprinos u prodajne aktivnosti "If you have created a standard template in Purchase Taxes and Charges Master, select one and click on the button below.","Ako ste stvorili standardni predložak za kupnju poreze i pristojbe magisterij, odaberite jednu i kliknite na gumb ispod." @@ -1200,6 +1274,7 @@ If you have Sales Team and Sale Partners (Channel Partners) they can be tagged "If you have long print formats, this feature can be used to split the page to be printed on multiple pages with all headers and footers on each page","Ako ste dugo ispis formata, ova značajka može se koristiti za podijeliti stranicu na koju se ispisuje više stranica sa svim zaglavljima i podnožjima na svakoj stranici" If you involve in manufacturing activity. Enables Item 'Is Manufactured',Ako uključiti u proizvodnom djelatnošću . Omogućuje stavci je proizveden ' Ignore,Ignorirati +Ignore Pricing Rule,Ignorirajte Cijene pravilo Ignored: ,Zanemareni: Image,Slika Image View,Slika Pogledaj @@ -1236,8 +1311,9 @@ Income booked for the digest period,Prihodi rezervirano za razdoblje digest Incoming,Dolazni Incoming Rate,Dolazni Stopa Incoming quality inspection.,Dolazni kvalitete inspekcije. +Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Neispravan broj glavnu knjigu unose naći. Možda ste odabrali krivi račun u transakciji. Incorrect or Inactive BOM {0} for Item {1} at row {2},Pogrešne ili Neaktivno BOM {0} za točku {1} po redu {2} -Indicates that the package is a part of this delivery,Ukazuje na to da je paket dio ovog poroda +Indicates that the package is a part of this delivery (Only Draft),Ukazuje da je paket je dio ove isporuke (samo nacrti) Indirect Expenses,neizravni troškovi Indirect Income,Neizravno dohodak Individual,Pojedinac @@ -1263,6 +1339,7 @@ Intern,stažista Internal,Interni Internet Publishing,Internet Izdavaštvo Introduction,Uvod +Invalid Barcode,Invalid Barcode Invalid Barcode or Serial No,Invalid Barcode ili Serial Ne Invalid Mail Server. Please rectify and try again.,Invalid Server Mail . Molimo ispraviti i pokušajte ponovno . Invalid Master Name,Invalid Master Ime @@ -1275,9 +1352,12 @@ Investments,investicije Invoice Date,Račun Datum Invoice Details,Pojedinosti dostavnice Invoice No,Račun br -Invoice Period From Date,Račun Razdoblje od datuma +Invoice Number,Račun broj +Invoice Period From,Račun razdoblju od Invoice Period From and Invoice Period To dates mandatory for recurring invoice,Račun razdoblju od računa i period za datume obveznih za ponavljajuće fakture -Invoice Period To Date,Račun razdoblju do datuma +Invoice Period To,Račun Razdoblje Da +Invoice Type,Tip fakture +Invoice/Journal Voucher Details,Račun / Časopis bon Detalji Invoiced Amount (Exculsive Tax),Dostavljeni iznos ( Exculsive poreza ) Is Active,Je aktivna Is Advance,Je Predujam @@ -1308,6 +1388,7 @@ Item Advanced,Stavka Napredna Item Barcode,Stavka Barkod Item Batch Nos,Stavka Batch Nos Item Code,Stavka Šifra +Item Code > Item Group > Brand,Kod Stavka> Stavka Group> Brand Item Code and Warehouse should already exist.,Šifra i skladišta trebao već postoje . Item Code cannot be changed for Serial No.,Kod stavka ne može se mijenjati za serijskog broja Item Code is mandatory because Item is not automatically numbered,Kod artikla je obvezno jer točka nije automatski numerirani @@ -1319,6 +1400,7 @@ Item Details,Stavka Detalji Item Group,Stavka Grupa Item Group Name,Stavka Ime grupe Item Group Tree,Stavka Group Tree +Item Group not mentioned in item master for item {0},Stavka Grupa ne spominje u točki majstora za predmet {0} Item Groups in Details,Stavka Grupe u detaljima Item Image (if not slideshow),Stavka slike (ako ne Slideshow) Item Name,Stavka Ime @@ -1389,7 +1471,8 @@ Item-wise Purchase Register,Stavka-mudar Kupnja Registracija Item-wise Sales History,Stavka-mudar Prodaja Povijest Item-wise Sales Register,Stavka-mudri prodaja registar "Item: {0} managed batch-wise, can not be reconciled using \ - Stock Reconciliation, instead use Stock Entry","Stavka : {0} uspio turi, ne može se pomiriti pomoću \ \ n Stock pomirenje, umjesto da koristite Stock stupanja" + Stock Reconciliation, instead use Stock Entry","Stavka: {0} uspio turi, ne može se pomiriti korištenja \ + Stock pomirenje, umjesto da koristite Stock stupanja" Item: {0} not found in the system,Stavka : {0} ne nalaze u sustavu Items,Proizvodi Items To Be Requested,Predmeti se zatražiti @@ -1492,6 +1575,7 @@ Loading...,Loading ... Loans (Liabilities),Zajmovi ( pasiva) Loans and Advances (Assets),Zajmovi i predujmovi ( aktiva ) Local,mjesni +Login,prijava Login with your new User ID,Prijavite se s novim User ID Logo,Logo Logo and Letter Heads,Logo i pismo glave @@ -1536,6 +1620,7 @@ Make Maint. Schedule,Napravite Maint . raspored Make Maint. Visit,Napravite Maint . posjet Make Maintenance Visit,Provjerite održavanja Posjetite Make Packing Slip,Napravite popis zapakiranih +Make Payment,Uplati Make Payment Entry,Napravite unos Plaćanje Make Purchase Invoice,Napravite kupnje proizvoda Make Purchase Order,Provjerite narudžbenice @@ -1545,8 +1630,10 @@ Make Salary Structure,Provjerite Plaća Struktura Make Sales Invoice,Ostvariti prodaju fakturu Make Sales Order,Provjerite prodajnog naloga Make Supplier Quotation,Provjerite Supplier kotaciji +Make Time Log Batch,Nađite vremena Prijavite Hrpa Male,Muški Manage Customer Group Tree.,Upravljanje grupi kupaca stablo . +Manage Sales Partners.,Upravljanje prodajnih partnera. Manage Sales Person Tree.,Upravljanje prodavač stablo . Manage Territory Tree.,Upravljanje teritorij stablo . Manage cost of operations,Upravljanje troškove poslovanja @@ -1597,6 +1684,8 @@ Max 5 characters,Max 5 znakova Max Days Leave Allowed,Max Dani Ostavite dopuštenih Max Discount (%),Maks Popust (%) Max Qty,Max Kol +Max discount allowed for item: {0} is {1}%,Maksimalni popust dopušteno za predmet: {0} je {1}% +Maximum Amount,Maksimalni iznos Maximum allowed credit is {0} days after posting date,Najveća dopuštena kredit je {0} dana nakon objavljivanja datuma Maximum {0} rows allowed,Maksimalne {0} redovi dopušteno Maxiumm discount for Item {0} is {1}%,Maxiumm popusta za točke {0} je {1} % @@ -1617,6 +1706,7 @@ Milestones will be added as Events in the Calendar,Dostignuća će biti dodan ka Min Order Qty,Min Red Kol Min Qty,min Kol Min Qty can not be greater than Max Qty,Min Kol ne može biti veći od Max Kol +Minimum Amount,Minimalni iznos Minimum Order Qty,Minimalna narudžba Količina Minute,minuta Misc Details,Razni podaci @@ -1626,7 +1716,6 @@ Mobile No,Mobitel Nema Mobile No.,Mobitel broj Mode of Payment,Način plaćanja Modern,Moderna -Modified Amount,Promijenio Iznos Monday,Ponedjeljak Month,Mjesec Monthly,Mjesečno @@ -1643,7 +1732,8 @@ Mr,G. Ms,Gospođa Multiple Item prices.,Više cijene stavke. "Multiple Price Rule exists with same criteria, please resolve \ - conflict by assigning priority. Price Rules: {0}","Višestruki Cijena Pravilo postoji sa istim kriterijima , molimo rješavanje \ \ n sukob dodjeljivanjem prioritet ." + conflict by assigning priority. Price Rules: {0}","Višestruki Cijena Pravilo postoji sa istim kriterijima, molimo riješiti \ + Sukob dodjeljivanjem prioritet. Cijena pravila: {0}" Music,glazba Must be Whole Number,Mora biti cijeli broj Name,Ime @@ -1659,6 +1749,7 @@ Negative Valuation Rate is not allowed,Negativna stopa Vrednovanje nije dopušte Negative balance in Batch {0} for Item {1} at Warehouse {2} on {3} {4},Negativna bilanca u batch {0} za točku {1} na skladište {2} na {3} {4} Net Pay,Neto Pay Net Pay (in words) will be visible once you save the Salary Slip.,Neto plaća (u riječima) će biti vidljiv nakon što spremite plaće Slip. +Net Profit / Loss,Neto dobit / gubitak Net Total,Neto Ukupno Net Total (Company Currency),Neto Ukupno (Društvo valuta) Net Weight,Neto težina @@ -1699,7 +1790,6 @@ Newsletter,Bilten Newsletter Content,Newsletter Sadržaj Newsletter Status,Newsletter Status Newsletter has already been sent,Newsletter je već poslana -Newsletters is not allowed for Trial users,Newslettere nije dopušteno za suđenje korisnike "Newsletters to contacts, leads.","Brošure za kontakte, vodi." Newspaper Publishers,novinski izdavači Next,sljedeći @@ -1721,6 +1811,7 @@ No Supplier Accounts found. Supplier Accounts are identified based on 'Master Ty No accounting entries for the following warehouses,Nema računovodstvene unosi za sljedeće skladišta No addresses created,Nema adrese stvoreni No contacts created,Nema kontakata stvoreni +No default Address Template found. Please create a new one from Setup > Printing and Branding > Address Template.,Ne zadana adresa Predložak pronađena. Molimo stvoriti novu s Setup> Tisak i Branding> adresu predložak. No default BOM exists for Item {0},Ne default BOM postoji točke {0} No description given,Nema opisa dano No employee found,Niti jedan zaposlenik pronađena @@ -1730,6 +1821,8 @@ No of Sent SMS,Ne poslanih SMS No of Visits,Bez pregleda No permission,nema dozvole No record found,Ne rekord naći +No records found in the Invoice table,Nisu pronađeni u tablici fakturu +No records found in the Payment table,Nisu pronađeni u tablici plaćanja No salary slip found for month: ,Bez plaće slip naći za mjesec dana: Non Profit,Neprofitne Nos,Nos @@ -1739,7 +1832,7 @@ Not Available,nije dostupno Not Billed,Ne Naplaćeno Not Delivered,Ne Isporučeno Not Set,ne Set -Not allowed to update entries older than {0},Nije dopušteno ažurirati unose stariji od {0} +Not allowed to update stock transactions older than {0},Nije dopušteno osvježavanje burzovnih transakcija stariji od {0} Not authorized to edit frozen Account {0},Nije ovlašten za uređivanje smrznute račun {0} Not authroized since {0} exceeds limits,Ne authroized od {0} prelazi granice Not permitted,nije dopušteno @@ -1780,7 +1873,6 @@ Only the selected Leave Approver can submit this Leave Application,Samoodabrani Open,Otvoreno Open Production Orders,Otvoren Radni nalozi Open Tickets,Otvoreni Ulaznice -Open source ERP built for the web,Open source ERP izgrađena za web Opening (Cr),Otvaranje ( Cr ) Opening (Dr),Otvaranje ( DR) Opening Date,Otvaranje Datum @@ -1805,7 +1897,7 @@ Opportunity Lost,Prilika Izgubili Opportunity Type,Prilika Tip Optional. This setting will be used to filter in various transactions.,Izborni . Ova postavka će se koristiti za filtriranje u raznim transakcijama . Order Type,Vrsta narudžbe -Order Type must be one of {1},Vrsta narudžbe mora biti jedan od {1} +Order Type must be one of {0},Vrsta narudžbe mora biti jedan od {0} Ordered,A do Ž Ordered Items To Be Billed,Naručeni Stavke biti naplaćeno Ordered Items To Be Delivered,Naručeni Proizvodi se dostavljaju @@ -1817,7 +1909,6 @@ Organization Name,Naziv organizacije Organization Profile,Organizacija Profil Organization branch master.,Organizacija grana majstor . Organization unit (department) master.,Organizacija jedinica ( odjela ) majstor . -Original Amount,Izvorni Iznos Other,Drugi Other Details,Ostali podaci Others,drugi @@ -1834,6 +1925,7 @@ Overlapping conditions found between:,Preklapanje uvjeti nalaze između : Overview,pregled Owned,U vlasništvu Owner,vlasnik +P L A - Cess Portion,PLA - Posebni porez porcija PL or BS,PL ili BS PO Date,PO Datum PO No,PO Nema @@ -1846,7 +1938,6 @@ POS Setting required to make POS Entry,POS postavke potrebne da bi POS stupanja POS Setting {0} already created for user: {1} and company {2},POS Setting {0} već stvorena za korisnika : {1} i tvrtka {2} POS View,POS Pogledaj PR Detail,PR Detalj -PR Posting Date,PR datum Poruke Package Item Details,Paket Stavka Detalji Package Items,Paket Proizvodi Package Weight Details,Paket Težina Detalji @@ -1876,8 +1967,6 @@ Parent Sales Person,Roditelj Prodaja Osoba Parent Territory,Roditelj Regija Parent Website Page,Roditelj Web Stranica Parent Website Route,Roditelj Web Route -Parent account can not be a ledger,Parent račun ne može bitiknjiga -Parent account does not exist,Parent račun ne postoji Parenttype,Parenttype Part-time,Part - time Partially Completed,Djelomično Završeni @@ -1886,6 +1975,8 @@ Partly Delivered,Djelomično Isporučeno Partner Target Detail,Partner Ciljana Detalj Partner Type,Partner Tip Partner's Website,Web stranica partnera +Party,Stranka +Party Account,Party račun Party Type,Party Tip Party Type Name,Party Vrsta Naziv Passive,Pasivan @@ -1898,10 +1989,14 @@ Payables Group,Obveze Grupa Payment Days,Plaćanja Dana Payment Due Date,Plaćanje Due Date Payment Period Based On Invoice Date,Razdoblje za naplatu po Datum fakture +Payment Reconciliation,Pomirenje plaćanja +Payment Reconciliation Invoice,Pomirenje Plaćanje fakture +Payment Reconciliation Invoices,Pomirenje Plaćanje računa +Payment Reconciliation Payment,Pomirenje Plaćanje Plaćanje +Payment Reconciliation Payments,Pomirenje Plaćanje Plaćanja Payment Type,Vrsta plaćanja +Payment cannot be made for empty cart,Plaćanje ne može biti za prazan košaricu Payment of salary for the month {0} and year {1},Isplata plaće za mjesec {0} i godina {1} -Payment to Invoice Matching Tool,Plaćanje fakture podudaranje alat -Payment to Invoice Matching Tool Detail,Plaćanje fakture podudaranje alat Detalj Payments,Plaćanja Payments Made,Uplate Izrađen Payments Received,Uplate primljeni @@ -1944,7 +2039,9 @@ Planning,planiranje Plant,Biljka Plant and Machinery,Postrojenja i strojevi Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,Molimo unesite Skraćenica ili skraćeni naziv ispravno jer će biti dodan kao sufiks na sve računa šefova. +Please Update SMS Settings,Obnovite SMS Settings Please add expense voucher details,Molimo dodati trošak bon pojedinosti +Please add to Modes of Payment from Setup.,Molimo dodati načina plaćanja iz programa za postavljanje. Please check 'Is Advance' against Account {0} if this is an advance entry.,Molimo provjerite ' Je Advance ' protiv računu {0} ako je tounaprijed ulaz . Please click on 'Generate Schedule',"Molimo kliknite na ""Generiraj raspored '" Please click on 'Generate Schedule' to fetch Serial No added for Item {0},"Molimo kliknite na ""Generiraj raspored ' dohvatiti Serial No dodao je za točku {0}" @@ -1992,12 +2089,13 @@ Please enter valid Company Email,Unesite ispravnu tvrtke E-mail Please enter valid Email Id,Unesite ispravnu e-mail ID Please enter valid Personal Email,Unesite važeću osobnu e-mail Please enter valid mobile nos,Unesite valjane mobilne br +Please find attached Sales Invoice #{0},U prilogu Prodaja Račun # {0} Please install dropbox python module,Molimo instalirajte Dropbox piton modul Please mention no of visits required,Molimo spomenuti nema posjeta potrebnih Please pull items from Delivery Note,Molimo povucite stavke iz Dostavnica Please save the Newsletter before sending,Molimo spremite Newsletter prije slanja Please save the document before generating maintenance schedule,Molimo spremite dokument prije stvaranja raspored za održavanje -Please select Account first,Molimo odaberite račun prva +Please see attachment,Pogledajte prilog Please select Bank Account,Odaberite bankovni račun 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 Please select Category first,Molimo odaberite kategoriju prvi @@ -2005,14 +2103,17 @@ Please select Charge Type first,Odaberite Naknada za prvi Please select Fiscal Year,Odaberite Fiskalna godina Please select Group or Ledger value,Odaberite vrijednost grupi ili Ledger Please select Incharge Person's name,Odaberite incharge ime osobe +Please select Invoice Type and Invoice Number in atleast one row,Odaberite fakture Vid i broj računa u atleast jednom redu "Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Sales BOM","Odaberite stavku u kojoj "" Je Stock Stavka "" je ""ne "" i "" Je Prodaja Stavka "" je "" Da "" i ne postoji drugi Prodaja BOM" Please select Price List,Molimo odaberite Cjenik Please select Start Date and End Date for Item {0},Molimo odaberite datum početka i datum završetka za točke {0} +Please select Time Logs.,Odaberite vrijeme Evidencije. Please select a csv file,Odaberite CSV datoteku Please select a valid csv file with data,Odaberite valjanu CSV datoteku s podacima Please select a value for {0} quotation_to {1},Molimo odabir vrijednosti za {0} quotation_to {1} "Please select an ""Image"" first","Molimo odaberite ""Slika"" Prvi" Please select charge type first,Odaberite vrstu naboja prvi +Please select company first,Odaberite tvrtku prvi Please select company first.,Odaberite tvrtku prvi. Please select item code,Odaberite Šifra Please select month and year,Molimo odaberite mjesec i godinu @@ -2021,6 +2122,7 @@ Please select the document type first,Molimo odaberite vrstu dokumenta prvi Please select weekly off day,Odaberite tjednik off dan Please select {0},Odaberite {0} Please select {0} first,Odaberite {0} Prvi +Please select {0} first.,Odaberite {0} na prvom mjestu. Please set Dropbox access keys in your site config,Molimo postaviti Dropbox pristupnih tipki u vašem web config Please set Google Drive access keys in {0},Molimo postaviti Google Drive pristupnih tipki u {0} 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} @@ -2047,6 +2149,7 @@ Postal,Poštanski Postal Expenses,Poštanski troškovi Posting Date,Objavljivanje Datum Posting Time,Objavljivanje Vrijeme +Posting date and posting time is mandatory,Datum knjiženja i knjiženje vrijeme je obvezna Posting timestamp must be after {0},Objavljivanje timestamp mora biti poslije {0} Potential opportunities for selling.,Potencijalni mogućnosti za prodaju. Preferred Billing Address,Željena adresa za naplatu @@ -2073,8 +2176,10 @@ Price List not selected,Popis Cijena ne bira Price List {0} is disabled,Cjenik {0} je onemogućen Price or Discount,Cijena i popust Pricing Rule,cijene Pravilo -Pricing Rule For Discount,Cijene pravilo za popust -Pricing Rule For Price,Cijene Pravilo Za Cijena +Pricing Rule Help,Cijene Pravilo Pomoć +"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." +"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Cijene Pravilo je napravljen prebrisati Cjenik / definirati postotak popusta, na temelju nekih kriterija." +Pricing Rules are further filtered based on quantity.,Pravilnik o određivanju cijena dodatno se filtrira na temelju količine. Print Format Style,Print Format Style Print Heading,Ispis Naslov Print Without Amount,Ispis Bez visini @@ -2102,7 +2207,9 @@ Production Plan Sales Orders,Plan proizvodnje narudžbe Production Planning Tool,Planiranje proizvodnje alat Products,Proizvodi "Products will be sorted by weight-age in default searches. More the weight-age, higher the product will appear in the list.","Proizvodi će biti razvrstani po težine dobi u zadane pretraživanja. Više težina-dob, veća proizvod će se pojaviti na popisu." +Professional Tax,Stručni Porezni Profit and Loss,Račun dobiti i gubitka +Profit and Loss Statement,Račun dobiti i gubitka Project,Projekt Project Costing,Projekt Costing Project Details,Projekt Detalji @@ -2125,7 +2232,9 @@ Projects & System,Projekti i sustav Prompt for Email on Submission of,Pitaj za e-poštu na podnošenje Proposal Writing,Pisanje prijedlog Provide email id registered in company,Osigurati e id registriran u tvrtki +Provisional Profit / Loss (Credit),Privremeni dobit / gubitak (Credit) Public,Javni +Published on website at: {0},Objavljeni na web stranici: {0} Publishing,objavljivanje Pull sales orders (pending to deliver) based on the above criteria,Povucite prodajne naloge (na čekanju za isporuku) na temelju navedenih kriterija Purchase,Kupiti @@ -2134,7 +2243,6 @@ Purchase Analytics,Kupnja Analytics Purchase Common,Kupnja Zajednička Purchase Details,Kupnja Detalji Purchase Discounts,Kupnja Popusti -Purchase In Transit,Kupnja u tranzitu Purchase Invoice,Kupnja fakture Purchase Invoice Advance,Kupnja fakture Predujam Purchase Invoice Advances,Kupnja fakture Napredak @@ -2142,7 +2250,6 @@ Purchase Invoice Item,Kupnja fakture predmet Purchase Invoice Trends,Trendovi kupnje proizvoda Purchase Invoice {0} is already submitted,Kupnja Račun {0} već je podnijela Purchase Order,Narudžbenica -Purchase Order Date,Narudžbenica Datum Purchase Order Item,Narudžbenica predmet Purchase Order Item No,Narudžbenica Br. Purchase Order Item Supplied,Narudžbenica artikla Isporuka @@ -2206,7 +2313,6 @@ Quarter,Četvrtina Quarterly,Tromjesečni Quick Help,Brza pomoć Quotation,Citat -Quotation Date,Ponuda Datum Quotation Item,Citat artikla Quotation Items,Kotaciji Proizvodi Quotation Lost Reason,Citat Izgubili razlog @@ -2284,6 +2390,7 @@ Recurring Invoice,Ponavljajući Račun Recurring Type,Ponavljajući Tip Reduce Deduction for Leave Without Pay (LWP),Smanjite odbitak za ostaviti bez plaća (lwp) Reduce Earning for Leave Without Pay (LWP),Smanjenje plaća za ostaviti bez plaće (lwp) +Ref,Ref. Ref Code,Ref. Šifra Ref SQ,Ref. SQ Reference,Upućivanje @@ -2307,6 +2414,7 @@ Relieving Date,Rasterećenje Datum Relieving Date must be greater than Date of Joining,Olakšavanja Datum mora biti veći od dana ulaska u Remark,Primjedba Remarks,Primjedbe +Remarks Custom,Primjedbe Custom Rename,preimenovati Rename Log,Preimenovanje Prijavite Rename Tool,Preimenovanje alat @@ -2322,6 +2430,7 @@ Report Type,Prijavi Vid Report Type is mandatory,Vrsta izvješća je obvezno Reports to,Izvješća Reqd By Date,Reqd Po datumu +Reqd by Date,Reqd po datumu Request Type,Zahtjev Tip Request for Information,Zahtjev za informacije Request for purchase.,Zahtjev za kupnju. @@ -2375,21 +2484,34 @@ Rounded Total,Zaobljeni Ukupno Rounded Total (Company Currency),Zaobljeni Ukupno (Društvo valuta) Row # ,Redak # Row # {0}: , +Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,Row # {0}: Ž Količina ne može manje od stavke minimalne narudžbe kom (definiranom u točki gospodara). +Row #{0}: Please specify Serial No for Item {1},Row # {0}: Navedite rednim brojem predmeta za {1} "Row {0}: Account does not match with \ - Purchase Invoice Credit To account",Red {0} : račun ne odgovara \ \ n kupnje proizvoda Credit na račun + Purchase Invoice Credit To account","Red {0}: račun ne odgovara \ + Kupnja Račun kredit za račun" "Row {0}: Account does not match with \ - Sales Invoice Debit To account",Red {0} : račun ne odgovara \ \ n prodaje Račun terećenja na računu + Sales Invoice Debit To account","Red {0}: račun ne odgovara \ + Prodaja Račun terećenja na računu" +Row {0}: Conversion Factor is mandatory,Red {0}: pretvorbe Factor je obvezno Row {0}: Credit entry can not be linked with a Purchase Invoice,Red {0} : Kreditni unos ne može biti povezan s kupnje proizvoda Row {0}: Debit entry can not be linked with a Sales Invoice,Red {0} : debitne unos ne može biti povezan s prodaje fakture +Row {0}: Payment amount must be less than or equals to invoice outstanding amount. Please refer Note below.,Red {0}: Iznos uplate mora biti manji ili jednak da računa preostali iznos. Pogledajte Napomena nastavku. +Row {0}: Qty is mandatory,Red {0}: Količina je obvezno +"Row {0}: Qty not avalable in warehouse {1} on {2} {3}. + Available Qty: {4}, Transfer Qty: {5}","Red {0}: Kol ne stavi na raspolaganje u skladištu {1} na {2} {3}. + Dostupan Količina: {4}, prijenos Kol: {5}" "Row {0}: To set {1} periodicity, difference between from and to date \ - must be greater than or equal to {2}","Red {0} : Za postavljanje {1} periodičnost , razlika između od i do danas \ \ n mora biti veći ili jednak {2}" + must be greater than or equal to {2}","Red {0}: Za postavljanje {1} periodičnost, razlika između od i do sada \ + mora biti veći ili jednak {2}" Row {0}:Start Date must be before End Date,Red {0} : Datum početka mora biti prije datuma završetka Rules for adding shipping costs.,Pravila za dodavanjem troškove prijevoza . Rules for applying pricing and discount.,Pravila za primjenu cijene i popust . Rules to calculate shipping amount for a sale,Pravila za izračun shipping iznos za prodaju S.O. No.,S.O. Ne. +SHE Cess on Excise,ONA procesni o akcizama +SHE Cess on Service Tax,ONA procesni na usluga poreza +SHE Cess on TDS,ONA procesni na TDS SMS Center,SMS centar -SMS Control,SMS kontrola SMS Gateway URL,SMS Gateway URL SMS Log,SMS Prijava SMS Parameter,SMS parametra @@ -2494,15 +2616,20 @@ Securities and Deposits,Vrijednosni papiri i depoziti "Select ""Yes"" if this item represents some work like training, designing, consulting etc.","Odaberite "Da" ako ova stavka predstavlja neki posao poput treninga, projektiranje, konzalting i sl." "Select ""Yes"" if you are maintaining stock of this item in your Inventory.",Odaberite "Da" ako ste održavanju zaliha ove točke u vašem inventaru. "Select ""Yes"" if you supply raw materials to your supplier to manufacture this item.",Odaberite "Da" ako opskrbu sirovina na svoj dobavljača za proizvodnju ovu stavku. +Select Brand...,Odaberite Marka ... Select Budget Distribution to unevenly distribute targets across months.,Odaberite Budget distribuciju neravnomjerno raspodijeliti ciljeve diljem mjeseci. "Select Budget Distribution, if you want to track based on seasonality.","Odaberite Budget Distribution, ako želite pratiti na temelju sezonalnosti." +Select Company...,Odaberite tvrtku ... Select DocType,Odaberite DOCTYPE +Select Fiscal Year...,Odaberite Fiskalna godina ... Select Items,Odaberite stavke +Select Project...,Odaberite projekt ... Select Purchase Receipts,Odaberite Kupnja priznanica Select Sales Orders,Odaberite narudžbe Select Sales Orders from which you want to create Production Orders.,Odaberite narudžbe iz koje želite stvoriti radne naloge. Select Time Logs and Submit to create a new Sales Invoice.,Odaberite vrijeme Evidencije i slanje stvoriti novi prodajni fakture. Select Transaction,Odaberite transakcija +Select Warehouse...,Odaberite Warehouse ... Select Your Language,Odaberite svoj jezik Select account head of the bank where cheque was deposited.,Odaberite račun šefa banke gdje je ček bio pohranjen. Select company name first.,Odaberite naziv tvrtke prvi. @@ -2520,6 +2647,7 @@ Select your home country and check the timezone and currency.,Odaberite svoju do "Selecting ""Yes"" will give a unique identity to each entity of this item which can be viewed in the Serial No master.",Odabir "Da" će dati jedinstveni identitet svakog entiteta ove točke koja se može vidjeti u rednim brojem učitelja. Selling,Prodaja Selling Settings,Prodaja postavki +"Selling must be checked, if Applicable For is selected as {0}","Prodaje se mora provjeriti, ako je primjenjivo za odabrano kao {0}" Send,Poslati Send Autoreply,Pošalji Automatski Send Email,Pošaljite e-poštu @@ -2556,7 +2684,8 @@ Serial Nos Required for Serialized Item {0},Serijski Nos potrebna za serijalizir Serial Number Series,Serijski broj serije Serial number {0} entered more than once,Serijski broj {0} ušao više puta "Serialized Item {0} cannot be updated \ - using Stock Reconciliation",Serijaliziranom Stavka {0} ne može biti obnovljeno \ \ n pomoću Stock pomirenja + using Stock Reconciliation","Serijaliziranom Stavka {0} ne može biti obnovljeno \ + korištenjem Stock pomirenja" Series,serija Series List for this Transaction,Serija Popis za ovu transakciju Series Updated,Serija Updated @@ -2565,15 +2694,18 @@ Series is mandatory,Serija je obvezno Series {0} already used in {1},Serija {0} već koristi u {1} Service,usluga Service Address,Usluga Adresa +Service Tax,Usluga Porezne Services,Usluge Set,set "Set Default Values like Company, Currency, Current Fiscal Year, etc.","Zadane vrijednosti kao što su tvrtke , valute , tekuće fiskalne godine , itd." Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,Postavite Stavka Grupa-mudre proračune na ovom području. Također možete uključiti sezonalnost postavljanjem Distribution. +Set Status as Available,Postavi kao Status Available Set as Default,Postavi kao zadano Set as Lost,Postavi kao Lost Set prefix for numbering series on your transactions,Postavite prefiks za numeriranje niza na svoje transakcije Set targets Item Group-wise for this Sales Person.,Set cilja predmet Grupa-mudar za ovaj prodavač. Setting Account Type helps in selecting this Account in transactions.,Postavljanje Vrsta računa pomaže u odabiru ovaj račun u prometu. +Setting this Address Template as default as there is no other default,"Postavljanje Ova adresa predloška kao zadano, jer nema drugog zadano" Setting up...,Postavljanje ... Settings,Postavke Settings for HR Module,Postavke za HR modula @@ -2581,6 +2713,7 @@ Settings for HR Module,Postavke za HR modula Setup,Postavljanje Setup Already Complete!!,Postavljanje Već Kompletan ! Setup Complete,postavljanje dovršeno +Setup SMS gateway settings,Postavke Setup SMS gateway Setup Series,Postavljanje Serija Setup Wizard,Čarobnjak za postavljanje Setup incoming server for jobs email id. (e.g. jobs@example.com),Postavljanje dolazni poslužitelj za poslove e-ID . ( npr. jobs@example.com ) @@ -2606,6 +2739,7 @@ Short biography for website and other publications.,Kratka biografija za web str Show In Website,Pokaži Na web stranice Show a slideshow at the top of the page,Prikaži slideshow na vrhu stranice Show in Website,Prikaži u web +Show rows with zero values,Prikaži retke s nula vrijednosti Show this slideshow at the top of the page,Prikaži ovaj slideshow na vrhu stranice Sick Leave,bolovanje Signature,Potpis @@ -2635,9 +2769,9 @@ Specifications,tehnički podaci "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 ." Split Delivery Note into packages.,Split otpremnici u paketima. Sports,sportovi +Sr,Sr Standard,Standard Standard Buying,Standardna kupnju -Standard Rate,Standardna stopa Standard Reports,Standardni Izvješća Standard Selling,Standardna prodaja Standard contract terms for Sales or Purchase.,Standardni uvjeti ugovora za prodaju ili kupnju. @@ -2646,6 +2780,7 @@ Start Date,Datum početka Start date of current invoice's period,Početak datum tekućeg razdoblja dostavnice Start date should be less than end date for Item {0},Početak bi trebao biti manji od krajnjeg datuma za točke {0} State,Država +Statement of Account,Izjava o računu Static Parameters,Statički parametri Status,Status Status must be one of {0},Status mora biti jedan od {0} @@ -2687,6 +2822,7 @@ Stock Value Difference,Stock Vrijednost razlika Stock balances updated,Stock stanja izmijenjena Stock cannot be updated against Delivery Note {0},Dionica ne može biti obnovljeno protiv isporuke Napomena {0} Stock entries exist against warehouse {0} cannot re-assign or modify 'Master Name',Stock navodi koji postoje protiv skladište {0} se ne može ponovno zauzeti ili mijenjati ' Master Ime ' +Stock transactions before {0} are frozen,Stock transakcije prije {0} se zamrznut Stop,Stop Stop Birthday Reminders,Zaustavi Rođendan Podsjetnici Stop Material Request,Zaustavi Materijal Zahtjev @@ -2706,13 +2842,13 @@ Submit this Production Order for further processing.,Pošaljite ovaj radnog nalo Submitted,Prijavljen Subsidiary,Podružnica Successful: ,Uspješna: -Successfully allocated,uspješno dodijeljeno +Successfully Reconciled,Uspješno Pomirio Suggestions,Prijedlozi Sunday,Nedjelja Supplier,Dobavljač Supplier (Payable) Account,Dobavljač (Plaća) račun Supplier (vendor) name as entered in supplier master,Dobavljač (prodavatelja) ime kao ušao u dobavljača gospodara -Supplier Account,dobavljač račun +Supplier > Supplier Type,Dobavljač> proizvođač tip Supplier Account Head,Dobavljač račun Head Supplier Address,Dobavljač Adresa Supplier Addresses and Contacts,Supplier Adrese i kontakti @@ -2750,6 +2886,12 @@ Sync with Google Drive,Sinkronizacija s Google Drive System,Sistem System Settings,Postavke sustava "System User (login) ID. If set, it will become default for all HR forms.","Sustav Korisničko (login) ID. Ako je postavljen, to će postati zadana za sve HR oblicima." +TDS (Advertisement),TDS (Reklama) +TDS (Commission),TDS (komisija) +TDS (Contractor),TDS (Izvođač) +TDS (Interest),TDS (kamate) +TDS (Rent),TDS (Rent) +TDS (Salary),TDS (plaće) Target Amount,Ciljana Iznos Target Detail,Ciljana Detalj Target Details,Ciljane Detalji @@ -2770,10 +2912,12 @@ Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are no Tax Rate,Porezna stopa Tax and other salary deductions.,Porez i drugih isplata plaća. "Tax detail table fetched from item master as a string and stored in this field. -Used for Taxes and Charges",Porezna detalj stol preuzeta iz točke majstora kao gudački i pohranjene u ovom području . \ NIskorišteno za poreze i troškove +Used for Taxes and Charges","Porezna detalj stol preuzeta iz točke majstora kao string i pohranjene u ovom području. + Koristi se za poreze i troškove" Tax template for buying transactions.,Porezna Predložak za kupnju transakcije . Tax template for selling transactions.,Porezna predložak za prodaju transakcije . Taxable,Oporeziva +Taxes,Porezi Taxes and Charges,Porezi i naknade Taxes and Charges Added,Porezi i naknade Dodano Taxes and Charges Added (Company Currency),Porezi i naknade uvrštenja (Društvo valuta) @@ -2786,6 +2930,7 @@ Technology,tehnologija Telecommunications,telekomunikacija Telephone Expenses,Telefonski troškovi Television,televizija +Template,Predložak Template for performance appraisals.,Predložak za ocjene rada . Template of terms or contract.,Predložak termina ili ugovor. Temporary Accounts (Assets),Privremene banke ( aktiva ) @@ -2815,7 +2960,8 @@ The First User: You,Prvo Korisnik : Vi The Organization,Organizacija "The account head under Liability, in which Profit/Loss will be booked","Glava računa pod odgovornosti , u kojoj dobit / gubitak će biti rezerviran" "The date on which next invoice will be generated. It is generated on submit. -",Datum na koji pored faktura će biti generiran . +","Datum na koji pored faktura će biti generiran. To je izrađen podnose. +" The date on which recurring invoice will be stop,Datum na koji se ponavlja faktura će se zaustaviti "The day of the month on which auto invoice will be generated e.g. 05, 28 etc ","Dan u mjesecu na koji se automatski faktura će biti generiran npr. 05, 28 itd." The day(s) on which you are applying for leave are holiday. You need not apply for leave.,Dan (a ) na koji se prijavljujete za dopust su odmor . Ne trebaju podnijeti zahtjev za dopust . @@ -2827,6 +2973,7 @@ The net weight of this package. (calculated automatically as sum of net weight o The new BOM after replacement,Novi BOM nakon zamjene The rate at which Bill Currency is converted into company's base currency,Stopa po kojoj Bill valuta pretvara u tvrtke bazne valute 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. +"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Zatim Cjenovna Pravila filtriraju se temelji na Kupca, Kupac Group, Teritorij, dobavljač, proizvođač tip, Kampanja, prodajni partner i sl." There are more holidays than working days this month.,Postoji više odmor nego radnih dana ovog mjeseca . "There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Tu može biti samo jedan Dostava Pravilo Stanje sa 0 ili prazni vrijednost za "" Da Value """ There is not enough leave balance for Leave Type {0},Nema dovoljno ravnotežu dopust za dozvolu tipa {0} @@ -2838,6 +2985,7 @@ This Leave Application is pending approval. Only the Leave Apporver can update s This Time Log Batch has been billed.,Ovo Batch Vrijeme Log je naplaćeno. This Time Log Batch has been cancelled.,Ovo Batch Vrijeme Log je otkazan. This Time Log conflicts with {0},Ovaj put Prijavite se kosi s {0} +This format is used if country specific format is not found,Ovaj format se koristi ako država specifičan format nije pronađena This is a root account and cannot be edited.,To jekorijen račun i ne može se mijenjati . This is a root customer group and cannot be edited.,To jekorijen skupini kupaca i ne može se mijenjati . This is a root item group and cannot be edited.,To jekorijen stavka grupa i ne može se mijenjati . @@ -2853,7 +3001,9 @@ Time Log Batch,Vrijeme Log Hrpa Time Log Batch Detail,Vrijeme Log Batch Detalj Time Log Batch Details,Time Log Hrpa Brodu Time Log Batch {0} must be 'Submitted',"Vrijeme Log Batch {0} mora biti "" Postavio '" +Time Log Status must be Submitted.,Vrijeme Log Status moraju biti dostavljeni. Time Log for tasks.,Vrijeme Prijava za zadatke. +Time Log is not billable,Vrijeme Log nije naplatnih Time Log {0} must be 'Submitted',"Vrijeme Log {0} mora biti "" Postavio '" Time Zone,Time Zone Time Zones,Vremenske zone @@ -2866,6 +3016,7 @@ To,Na To Currency,Valutno To Date,Za datum To Date should be same as From Date for Half Day leave,Za datum bi trebao biti isti kao i od datuma za poludnevni dopust +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} To Discuss,Za Raspravljajte To Do List,Da li popis To Package No.,Za Paket br @@ -2875,8 +3026,8 @@ To Value,Za vrijednost To Warehouse,Za galeriju "To add child nodes, explore tree and click on the node under which you want to add more nodes.","Da biste dodali djece čvorova , istražiti stablo i kliknite na čvoru pod kojima želite dodati više čvorova ." "To assign this issue, use the ""Assign"" button in the sidebar.","Za dodjelu taj problem, koristite "dodijeliti" gumb u sidebar." -To create a Bank Account:,Za stvaranje bankovni račun : -To create a Tax Account:,Za stvaranje porezni račun : +To create a Bank Account,Za stvaranje bankovni račun +To create a Tax Account,Za stvaranje porezno "To create an Account Head under a different company, select the company and save customer.","Za stvaranje računa glavu pod drugom tvrtkom, odaberite tvrtku i spasiti kupca." To date cannot be before from date,Do danas ne može biti prije od datuma To enable Point of Sale features,Da biste omogućili Point of Sale značajke @@ -2884,22 +3035,23 @@ To enable Point of Sale view,Da biste omogućili prodajnom pogl To get Item Group in details table,Da biste dobili predmeta Group u tablici pojedinosti "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" "To merge, following properties must be same for both items","Spojiti , ova svojstva moraju biti isti za obje stavke" -"To report an issue, go to ", +"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." "To set this Fiscal Year as Default, click on 'Set as Default'","Za postavljanje ove fiskalne godine kao zadano , kliknite na "" Set as Default '" To track any installation or commissioning related work after sales,Za praćenje bilo koju instalaciju ili puštanje vezane raditi nakon prodaje "To track brand name in the following documents Delivery Note, Opportunity, Material Request, Item, Purchase Order, Purchase Voucher, Purchaser Receipt, Quotation, Sales Invoice, Sales BOM, Sales Order, Serial No","Za praćenje branda u sljedećim dokumentima Dostavnica, Opportunity , materijal zahtjev, predmet, narudžbenice , kupnju vouchera Kupac prijemu, ponude, prodaje fakture , prodaje sastavnice , prodajnog naloga , rednim brojem" To track item in sales and purchase documents based on their serial nos. This is can also used to track warranty details of the product.,Za praćenje stavke u prodaji i kupnji dokumenata na temelju njihovih serijskih br. To je također može koristiti za praćenje jamstvene podatke o proizvodu. To track items in sales and purchase documents with batch nos
Preferred Industry: Chemicals etc,Za praćenje stavke u prodaji i kupnji dokumenata s batch br
Prošle Industrija: Kemikalije itd To track items using barcode. You will be able to enter items in Delivery Note and Sales Invoice by scanning barcode of item.,Za praćenje stavki pomoću barkod. Vi ćete biti u mogućnosti da unesete stavke u otpremnici i prodaje Računa skeniranjem barkod stavke. +Too many columns. Export the report and print it using a spreadsheet application.,Previše stupovi. Izvesti izvješće i ispisati pomoću aplikacije za proračunske tablice. Tools,Alat Total,Ukupan +Total ({0}),Ukupno ({0}) Total Advance,Ukupno Predujam -Total Allocated Amount,Ukupno odobrenim iznosom -Total Allocated Amount can not be greater than unmatched amount,Ukupni raspoređeni iznos ne može biti veći od iznosa neusporedivu Total Amount,Ukupan iznos Total Amount To Pay,Ukupan iznos platiti Total Amount in Words,Ukupan iznos u riječi Total Billing This Year: ,Ukupno naplate Ova godina: +Total Characters,Ukupno Likovi Total Claimed Amount,Ukupno Zatražio Iznos Total Commission,Ukupno komisija Total Cost,Ukupan trošak @@ -2923,14 +3075,13 @@ Total Score (Out of 5),Ukupna ocjena (od 5) Total Tax (Company Currency),Ukupno poreza (Društvo valuta) Total Taxes and Charges,Ukupno Porezi i naknade Total Taxes and Charges (Company Currency),Ukupno Porezi i naknade (Društvo valuta) -Total Words,Ukupno riječi -Total Working Days In The Month,Ukupno radnih dana u mjesecu Total allocated percentage for sales team should be 100,Ukupno dodijeljeno postotak za prodajni tim bi trebao biti 100 Total amount of invoices received from suppliers during the digest period,Ukupan iznos primljenih računa od dobavljača tijekom razdoblja digest Total amount of invoices sent to the customer during the digest period,Ukupan iznos računa šalje kupcu tijekom razdoblja digest Total cannot be zero,Ukupna ne može biti nula Total in words,Ukupno je u riječima Total points for all goals should be 100. It is {0},Ukupni broj bodova za sve ciljeve trebao biti 100 . To je {0} +Total valuation for manufactured or repacked item(s) can not be less than total valuation of raw materials,Ukupna procjena za proizvodnu ili prepakirani točke (a) ne može biti manja od ukupnog vrednovanja sirovina Total weightage assigned should be 100%. It is {0},Ukupno bi trebalo biti dodijeljena weightage 100 % . To je {0} Totals,Ukupan rezultat Track Leads by Industry Type.,Trag vodi prema tip industrije . @@ -2966,7 +3117,7 @@ UOM Conversion Details,UOM pretvorbe Detalji UOM Conversion Factor,UOM konverzijski faktor UOM Conversion factor is required in row {0},Faktor UOM pretvorbe je potrebno u redu {0} UOM Name,UOM Ime -UOM coversion factor required for UOM {0} in Item {1},UOM faktor coversion potrebno za UOM {0} u točki {1} +UOM coversion factor required for UOM: {0} in Item: {1},UOM faktor coversion potrebna za UOM: {0} u točki: {1} Under AMC,Pod AMC Under Graduate,Pod diplomski Under Warranty,Pod jamstvo @@ -2976,8 +3127,8 @@ Unit of Measure {0} has been entered more than once in Conversion Factor Table,J "Unit of measurement of this item (e.g. Kg, Unit, No, Pair).","Jedinica za mjerenje ove točke (npr. kg, Jedinica Ne, Par)." Units/Hour,Jedinice / sat Units/Shifts,Jedinice / smjene -Unmatched Amount,Nenadmašan Iznos Unpaid,Neplaćen +Unreconciled Payment Details,Nesaglašen Detalji plaćanja Unscheduled,Neplanski Unsecured Loans,unsecured krediti Unstop,otpušiti @@ -2992,7 +3143,6 @@ Update Landed Cost,Update Sletio trošak Update Series,Update serija Update Series Number,Update serije Broj Update Stock,Ažurirajte Stock -"Update allocated amount in the above table and then click ""Allocate"" button","Ažurirajte dodijeljeni iznos u gornjoj tablici, a zatim kliknite na "alocirati" gumb" Update bank payment dates with journals.,Update banka datum plaćanja s časopisima. Update clearance date of Journal Entries marked as 'Bank Vouchers',"Datum Update klirens navoda označene kao ""Banka bon '" Updated,Obnovljeno @@ -3009,6 +3159,7 @@ Upper Income,Gornja Prihodi Urgent,Hitan Use Multi-Level BOM,Koristite multi-level BOM Use SSL,Koristite SSL +Used for Production Plan,Koristi se za plan proizvodnje User,Korisnik User ID,Korisnički ID User ID not set for Employee {0},Korisnik ID nije postavljen za zaposlenika {0} @@ -3047,9 +3198,9 @@ View Now,Pregled Sada Visit report for maintenance call.,Posjetite izvješće za održavanje razgovora. Voucher #,bon # Voucher Detail No,Bon Detalj Ne +Voucher Detail Number,Bon Detalj broj Voucher ID,Bon ID Voucher No,Bon Ne -Voucher No is not valid,Bon No ne vrijedi Voucher Type,Bon Tip Voucher Type and Date,Tip bon i datum Walk In,Šetnja u @@ -3065,11 +3216,12 @@ Warehouse is mandatory for stock Item {0} in row {1},Skladište je obvezna za di Warehouse is missing in Purchase Order,Skladište nedostaje u narudžbenice Warehouse not found in the system,Skladište se ne nalaze u sustavu Warehouse required for stock Item {0},Skladište potreban dionica točke {0} -Warehouse required in POS Setting,Skladište potrebni u POS Setting Warehouse where you are maintaining stock of rejected items,Skladište gdje ste održavanju zaliha odbijenih stavki Warehouse {0} can not be deleted as quantity exists for Item {1},Skladište {0} ne može biti izbrisan kao količina postoji točka {1} Warehouse {0} does not belong to company {1},Skladište {0} ne pripada tvrtka {1} Warehouse {0} does not exist,Skladište {0} ne postoji +Warehouse {0}: Company is mandatory,Skladište {0}: Društvo je obvezno +Warehouse {0}: Parent account {1} does not bolong to the company {2},Skladište {0}: Parent račun {1} ne Bolong tvrtki {2} Warehouse-Wise Stock Balance,Skladište-Wise Stock Balance Warehouse-wise Item Reorder,Warehouse-mudar Stavka redoslijeda Warehouses,Skladišta @@ -3114,13 +3266,14 @@ Will be updated when batched.,Hoće li biti ažurirani kada izmiješane. Will be updated when billed.,Hoće li biti promjena kada je naplaćeno. Wire Transfer,Wire Transfer With Operations,Uz operacije -With period closing entry,Ulaskom razdoblje zatvaranja +With Period Closing Entry,S Zatvaranje razdoblja upisa Work Details,Radni Brodu Work Done,Rad Done Work In Progress,Radovi u tijeku Work-in-Progress Warehouse,Rad u tijeku Warehouse Work-in-Progress Warehouse is required before Submit,Rad u tijeku Warehouse je potrebno prije Podnijeti Working,Rad +Working Days,Radnih dana Workstation,Workstation Workstation Name,Ime Workstation Write Off Account,Napišite Off račun @@ -3136,9 +3289,6 @@ Year Closed,Godina Zatvoreno Year End Date,Godina Datum završetka Year Name,Godina Ime Year Start Date,Godina Datum početka -Year Start Date and Year End Date are already set in Fiscal Year {0},Godina Početak Datum i Godina End Date već postavljena u fiskalnoj godini {0} -Year Start Date and Year End Date are not within Fiscal Year.,Godina Početak Datum i Godina End Date nisu u fiskalnoj godini . -Year Start Date should not be greater than Year End Date,Godine Datum početka ne bi trebao biti veći od Godina End Date Year of Passing,Godina Prolazeći Yearly,Godišnje Yes,Da @@ -3148,7 +3298,6 @@ You are the Expense Approver for this record. Please Update the 'Status' and Sav You are the Leave Approver for this record. Please Update the 'Status' and Save,"Vi steOstavite Odobritelj za ovaj rekord . Molimo Ažuriranje "" status"" i Save" You can enter any date manually,Možete unijeti bilo koji datum ručno You can enter the minimum quantity of this item to be ordered.,Možete unijeti minimalnu količinu ove točke biti naređeno. -You can not assign itself as parent account,Ne može se dodijeliti roditeljskog računa You can not change rate if BOM mentioned agianst any item,Ne možete promijeniti brzinu ako BOM spomenuo agianst bilo predmet You can not enter both Delivery Note No and Sales Invoice No. Please enter any one.,Vi ne možete unositi oba isporuke Napomena Ne i prodaje Račun br Unesite bilo jedno . You can not enter current voucher in 'Against Journal Voucher' column,Ne možete unijeti trenutni voucher u ' Protiv Journal vaučer ' kolonu @@ -3160,7 +3309,6 @@ You cannot credit and debit same account at the same time,Ne možete kreditnim i You have entered duplicate items. Please rectify and try again.,Unijeli duple stavke . Molimo ispraviti i pokušajte ponovno . You may need to update: {0},Možda ćete morati ažurirati : {0} You must Save the form before proceeding,Morate spremiti obrazac prije nastavka -You must allocate amount before reconcile,Morate izdvojiti iznos prije pomire Your Customer's TAX registration numbers (if applicable) or any general information,Vaš klijent je poreznoj registraciji brojevi (ako je primjenjivo) ili bilo opće informacije Your Customers,vaši klijenti Your Login Id,Vaš Id Prijava @@ -3173,11 +3321,13 @@ Your sales person who will contact the customer in future,Vaš prodaje osobi koj Your sales person will get a reminder on this date to contact the customer,Vaš prodavač će dobiti podsjetnik na taj datum kontaktirati kupca Your setup is complete. Refreshing...,Vaš postava je potpuni . Osvježavajući ... Your support email id - must be a valid email - this is where your emails will come!,Vaša podrška e-mail id - mora biti valjana e-mail - ovo je mjesto gdje svoje e-mailove će doći! +[Error],[Error] [Select],[ Select ] `Freeze Stocks Older Than` should be smaller than %d days.,` Freeze Dionice starije od ` bi trebao biti manji od % d dana . and,i are not allowed.,nisu dopušteni. assigned by,dodjeljuje +cannot be greater than 100,ne može biti veća od 100 "e.g. ""Build tools for builders""","na primjer "" Izgraditi alate za graditelje """ "e.g. ""MC""","na primjer "" MC """ "e.g. ""My Company LLC""","na primjer "" Moja tvrtka LLC """ @@ -3190,32 +3340,34 @@ example: Next Day Shipping,Primjer: Sljedeći dan Dostava lft,LFT old_parent,old_parent rgt,ustaša +subject,subjekt +to,na website page link,web stranica vode {0} '{1}' not in Fiscal Year {2},{0} ' {1} ' nije u fiskalnoj godini {2} {0} Credit limit {0} crossed,{0} Kreditni limit {0} prešao {0} Serial Numbers required for Item {0}. Only {0} provided.,{0} serijski brojevi potrebni za točke {0} . Samo {0} uvjetom . {0} budget for Account {1} against Cost Center {2} will exceed by {3},{0} proračun za račun {1} od troška {2} premašit će po {3} +{0} can not be negative,{0} ne može biti negativna {0} created,{0} stvorio {0} does not belong to Company {1},{0} ne pripada Društvu {1} {0} entered twice in Item Tax,{0} dva puta ušao u točki poreza {0} is an invalid email address in 'Notification Email Address',"{0} jenevažeća e-mail adresu u "" obavijesti e-mail adresa '" {0} is mandatory,{0} je obavezno {0} is mandatory for Item {1},{0} je obavezno za točku {1} +{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} je obavezno. Možda Mjenjačnica zapis nije stvoren za {1} na {2}. {0} is not a stock Item,{0} nijestock Stavka {0} is not a valid Batch Number for Item {1},{0} nije ispravan broj serije za točku {1} -{0} is not a valid Leave Approver,{0} nije ispravan Leave Odobritelj +{0} is not a valid Leave Approver. Removing row #{1}.,{0} nije ispravan Leave Odobritelj. Uklanjanje red # {1}. {0} is not a valid email id,{0} nije ispravan id e-mail {0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} je sadazadana Fiskalna godina . Osvježite svoj preglednik za promjene stupiti na snagu. {0} is required,{0} je potrebno {0} must be a Purchased or Sub-Contracted Item in row {1},{0} mora bitikupljen ili pod-ugovori stavka u nizu {1} -{0} must be less than or equal to {1},{0} mora biti manji ili jednak {1} +{0} must be reduced by {1} or you should increase overflow tolerance,{0} mora biti smanjena za {1} ili bi trebali povećati overflow toleranciju {0} must have role 'Leave Approver',{0} mora imati ulogu ' Leave odobravatelju ' {0} valid serial nos for Item {1},{0} valjani serijski nos za Stavka {1} {0} {1} against Bill {2} dated {3},{0} {1} od {2} Billa od {3} {0} {1} against Invoice {2},{0} {1} protiv fakture {2} {0} {1} has already been submitted,{0} {1} je već poslan -{0} {1} has been modified. Please Refresh,{0} {1} je izmijenjen . Osvježite -{0} {1} has been modified. Please refresh,{0} {1} je izmijenjen . osvježite {0} {1} has been modified. Please refresh.,{0} {1} je izmijenjen . Osvježite. {0} {1} is not submitted,{0} {1} nije podnesen {0} {1} must be submitted,{0} {1} mora biti podnesen @@ -3223,3 +3375,5 @@ website page link,web stranica vode {0} {1} status is 'Stopped',{0} {1} status ' Zaustavljen ' {0} {1} status is Stopped,{0} {1} status zaustavljen {0} {1} status is Unstopped,{0} {1} status Unstopped +{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: troška je obvezno za točku {2} +{0}: {1} not found in Invoice Details table,{0}: {1} nije pronađen u Pojedinosti dostavnice stolu diff --git a/erpnext/translations/id.csv b/erpnext/translations/id.csv index f42f13a553..0f7bb076a5 100644 --- a/erpnext/translations/id.csv +++ b/erpnext/translations/id.csv @@ -1,39 +1,40 @@ (Half Day), and year: , -""" does not exists",Standar BOM -% Delivered,Tidak bisa meneruskan {0} -% Amount Billed,Gudang Reserved hilang di Sales Order -% Billed,Produk Disampaikan Akan Ditagih -% Completed,Faktur ada -% Delivered,Pasif -% Installed,Master Gaji Template. -% Received,Workstation -% of materials billed against this Purchase Order.,Membuka Waktu -% of materials billed against this Sales Order,Dapat disetujui oleh {0} -% of materials delivered against this Delivery Note,Filter berdasarkan pelanggan -% of materials delivered against this Sales Order,Tanggal Mulai -% of materials ordered against this Material Request,Aktual Tanggal Mulai -% of materials received against this Purchase Order,Masukkan Produksi Barang pertama -'Actual Start Date' can not be greater than 'Actual End Date',Pemasok (vendor) nama sebagaimana tercantum dalam pemasok utama -'Based On' and 'Group By' can not be same,% Terpasang -'Days Since Last Order' must be greater than or equal to zero,Pilih Bahasa Anda -'Entries' cannot be empty,Silakan tarik item dari Delivery Note -'Expected Start Date' can not be greater than 'Expected End Date',Terhadap Doctype -'From Date' is required,{0} bukan merupakan saham Barang -'From Date' must be after 'To Date',Struktur Gaji Pengurangan -'Has Serial No' can not be 'Yes' for non-stock item,Kontak utama. -'Notification Email Addresses' not specified for recurring invoice,Barang -'Profit and Loss' type account {0} not allowed in Opening Entry,Waktu Log {0} harus 'Dikirim' -'To Case No.' cannot be less than 'From Case No.',Pajak Pembelian dan Biaya Guru -'To Date' is required,Anda tidak dapat memasukkan kedua Delivery Note ada dan Faktur Penjualan No Masukkan salah satu. -'Update Stock' for Sales Invoice {0} must be set,Kirim Autoreply -* Will be calculated in the transaction.,Sumber Gudang +""" does not exists","""Tidak ada" +% Delivered,Disampaikan% +% Amount Billed,% Jumlah Ditagih +% Billed,Ditagih% +% Completed,Selesai% +% Delivered,Disampaikan% +% Installed,% Terpasang +% Received,% Diterima +% of materials billed against this Purchase Order.,% Bahan ditagih terhadap Purchase Order ini. +% of materials billed against this Sales Order,% Bahan ditagih terhadap Sales Order ini +% of materials delivered against this Delivery Note,% Dari materi yang disampaikan terhadap Pengiriman ini Note +% of materials delivered against this Sales Order,% Dari materi yang disampaikan terhadap Sales Order ini +% of materials ordered against this Material Request,% Bahan memerintahkan terhadap Permintaan Material ini +% of materials received against this Purchase Order,% Dari bahan yang diterima terhadap Purchase Order ini +'Actual Start Date' can not be greater than 'Actual End Date','Sebenarnya Tanggal Mulai' tidak dapat lebih besar dari 'Aktual Tanggal End' +'Based On' and 'Group By' can not be same,'Berdasarkan' dan 'Group By' tidak bisa sama +'Days Since Last Order' must be greater than or equal to zero,'Hari Sejak Orde terakhir' harus lebih besar dari atau sama dengan nol +'Entries' cannot be empty,'Entries' tidak boleh kosong +'Expected Start Date' can not be greater than 'Expected End Date',"""Diharapkan Tanggal Mulai 'tidak dapat lebih besar dari' Diharapkan Tanggal End '" +'From Date' is required,'Dari Tanggal' diperlukan +'From Date' must be after 'To Date','Dari Tanggal' harus setelah 'To Date' +'Has Serial No' can not be 'Yes' for non-stock item,"""Apakah ada Serial 'tidak bisa' Ya 'untuk item non-saham" +'Notification Email Addresses' not specified for recurring invoice,'Pemberitahuan Email Addresses' tidak ditentukan untuk berulang faktur +'Profit and Loss' type account {0} not allowed in Opening Entry,'Laba Rugi' jenis account {0} tidak diperbolehkan dalam Pembukaan Entri +'To Case No.' cannot be less than 'From Case No.','Untuk Kasus No' tidak bisa kurang dari 'Dari Kasus No' +'To Date' is required,'To Date' diperlukan +'Update Stock' for Sales Invoice {0} must be set,'Update Stock' untuk Sales Invoice {0} harus diatur +* Will be calculated in the transaction.,* Akan dihitung dalam transaksi. "1 Currency = [?] Fraction -For e.g. 1 USD = 100 Cent",Rencana kunjungan pemeliharaan. -1. To maintain the customer wise item code and to make them searchable based on their code use this option,Serial ada adalah wajib untuk Item {0} -"Add / Edit",{0} diperlukan -"Add / Edit",Dari Delivery Note -"Add / Edit",Mata Uang diperlukan untuk Daftar Harga {0} +For e.g. 1 USD = 100 Cent","1 Currency = [?] Fraksi + Untuk misalnya 1 USD = 100 Cent" +1. To maintain the customer wise item code and to make them searchable based on their code use this option,1.5. Untuk menjaga pelanggan bijaksana kode barang dan membuat mereka dicari berdasarkan penggunaan kode mereka pilihan ini +"Add / Edit"," Add / Edit " +"Add / Edit"," Add / Edit " +"Add / Edit"," Tambah / Edit " "

Default Template

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

{{ address_line1 }}<br>
@@ -45,3234 +46,3334 @@ For e.g. 1 USD = 100 Cent",Rencana kunjungan pemeliharaan.
 {% if phone %}Phone: {{ phone }}<br>{% endif -%}
 {% if fax %}Fax: {{ fax }}<br>{% endif -%}
 {% if email_id %}Email: {{ email_id }}<br>{% endif -%}
-
",Material Transfer -A Customer Group exists with same name please change the Customer name or rename the Customer Group,Kerja-in-Progress Gudang -A Customer exists with same name,Belum Menikah -A Lead with this email id should exist,Proyeksi -A Product or Service,"Jual harus diperiksa, jika Berlaku Untuk dipilih sebagai {0}" -A Supplier exists with same name,Waktu Pembuatan -A symbol for this currency. For e.g. $,Kirim sekarang -AMC Expiry Date,Sasaran -Abbr,ada -Abbreviation cannot have more than 5 characters,Tinggalkan approver harus menjadi salah satu {0} -Above Value,Untuk Menghargai -Absent,Instruksi -Acceptance Criteria,Aset saham -Accepted,Penyesuaian Stock Akun -Accepted + Rejected Qty must be equal to Received quantity for Item {0},Status Pengiriman -Accepted Quantity,Atleast satu gudang adalah wajib -Accepted Warehouse,Perihal -Account,Timbal Waktu Tanggal -Account Balance,Tinggalkan Type -Account Created: {0},Layanan Alamat -Account Details,Tutup Neraca dan Perhitungan Laba Rugi atau buku. -Account Head,Mata uang -Account Name,Kami menjual item ini -Account Type,"Kemudian Pricing Aturan disaring berdasarkan Pelanggan, Kelompok Pelanggan, Wilayah, Supplier, Supplier Type, Kampanye, Penjualan Mitra dll" -"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'",Jangan menunjukkan simbol seperti $ etc sebelah mata uang. -"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",Atleast salah satu Jual atau Beli harus dipilih -Account for the warehouse (Perpetual Inventory) will be created under this Account.,Silakan pilih awalan pertama -Account head {0} created,Upload keseimbangan saham melalui csv. -Account must be a balance sheet account,Nilai saat ini -Account with child nodes cannot be converted to ledger,Diharapkan Tanggal tidak bisa sebelum Material Request Tanggal -Account with existing transaction can not be converted to group.,Standard Jual -Account with existing transaction can not be deleted,Apakah Carry Teruskan -Account with existing transaction cannot be converted to ledger,Harap menyebutkan tidak ada kunjungan yang diperlukan -Account {0} cannot be a Group,Biarkan kosong jika dipertimbangkan untuk semua departemen -Account {0} does not belong to Company {1},Voucher Tidak ada -Account {0} does not exist,satria pasha -Account {0} has been entered more than once for fiscal year {1},Nomor registrasi PAJAK Pelanggan Anda (jika ada) atau informasi umum setiap -Account {0} is frozen,Janda -Account {0} is inactive,Nasabah ada dengan nama yang sama -Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item,Beban Klaim Ditolak Pesan +
","

default Template +

Menggunakan Jinja template dan semua bidang Address ( termasuk Custom Fields jika ada) akan tersedia +

  {{}} address_line1 
+ {% jika% address_line2} {{}} address_line2
{ endif% -%} + {{kota}}
+ {% jika negara%} {{negara}}
{% endif -%} + {% jika pincode%} PIN: {{}} pincode
{% endif -%} + {{negara}}
+ {% jika telepon%} Telepon: {{ponsel}} {
endif% -%} + {% jika faks%} Fax: {{}} fax
{% endif -%} + {% jika email_id%} Email: {{}} email_id
; {% endif -%} + " +A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Sebuah Kelompok Pelanggan ada dengan nama yang sama, silakan mengubah nama Nasabah atau mengubah nama Grup Pelanggan" +A Customer exists with same name,Nasabah ada dengan nama yang sama +A Lead with this email id should exist,Sebuah Lead dengan id email ini harus ada +A Product or Service,Sebuah Produk atau Jasa +A Supplier exists with same name,Sebuah Pemasok ada dengan nama yang sama +A symbol for this currency. For e.g. $,Sebuah simbol untuk mata uang ini. Untuk misalnya $ +AMC Expiry Date,AMC Tanggal Berakhir +Abbr,Abbr +Abbreviation cannot have more than 5 characters,Singkatan tak bisa memiliki lebih dari 5 karakter +Above Value,Nilai di atas +Absent,Absen +Acceptance Criteria,Kriteria Penerimaan +Accepted,Diterima +Accepted + Rejected Qty must be equal to Received quantity for Item {0},Diterima Ditolak + Qty harus sama dengan jumlah yang diterima untuk Item {0} +Accepted Quantity,Diterima Kuantitas +Accepted Warehouse,Gudang Diterima +Account,Akun +Account Balance,Saldo Rekening +Account Created: {0},Akun Dibuat: {0} +Account Details,Rincian Account +Account Head,Akun Kepala +Account Name,Nama Akun +Account Type,Jenis Account +"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Saldo rekening sudah Kredit, Anda tidak diizinkan untuk mengatur 'Balance Harus' sebagai 'Debit'" +"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Saldo rekening sudah di Debit, Anda tidak diizinkan untuk mengatur 'Balance Harus' sebagai 'Kredit'" +Account for the warehouse (Perpetual Inventory) will be created under this Account.,Rekening untuk gudang (Inventaris Perpetual) akan dibuat di bawah Rekening ini. +Account head {0} created,Kepala akun {0} dibuat +Account must be a balance sheet account,Rekening harus menjadi akun neraca +Account with child nodes cannot be converted to ledger,Akun dengan node anak tidak dapat dikonversi ke buku +Account with existing transaction can not be converted to group.,Akun dengan transaksi yang ada tidak dapat dikonversi ke grup. +Account with existing transaction can not be deleted,Akun dengan transaksi yang ada tidak dapat dihapus +Account with existing transaction cannot be converted to ledger,Akun dengan transaksi yang ada tidak dapat dikonversi ke buku +Account {0} cannot be a Group,Akun {0} tidak dapat Kelompok a +Account {0} does not belong to Company {1},Akun {0} bukan milik Perusahaan {1} +Account {0} does not belong to company: {1},Akun {0} bukan milik perusahaan: {1} +Account {0} does not exist,Akun {0} tidak ada +Account {0} has been entered more than once for fiscal year {1},Akun {0} telah dimasukkan lebih dari sekali untuk tahun fiskal {1} +Account {0} is frozen,Akun {0} beku +Account {0} is inactive,Akun {0} tidak aktif +Account {0} is not valid,Akun {0} tidak valid +Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item,Akun {0} harus bertipe 'Aset Tetap' sebagai Barang {1} adalah sebuah Aset Barang +Account {0}: Parent account {1} can not be a ledger,Akun {0}: akun Parent {1} tidak dapat buku besar +Account {0}: Parent account {1} does not belong to company: {2},Akun {0}: akun Parent {1} bukan milik perusahaan: {2} +Account {0}: Parent account {1} does not exist,Akun {0}: akun Parent {1} tidak ada +Account {0}: You can not assign itself as parent account,Akun {0}: Anda tidak dapat menetapkan dirinya sebagai rekening induk "Account: {0} can only be updated via \ - Stock Transactions",Menghentikan pengguna dari membuat Aplikasi Leave pada hari-hari berikutnya. -Accountant,"Item harus item pembelian, karena hadir dalam satu atau banyak BOMs Aktif" -Accounting,Dalam Kata-kata akan terlihat setelah Anda menyimpan Purchase Order. -"Accounting Entries can be made against leaf nodes, called",Baru -"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.",Rekonsiliasi JSON -Accounting journal entries.,Waktu Log Batch Detil -Accounts,Tidak ada dari Sent SMS -Accounts Browser,Perempat -Accounts Frozen Upto,Berulang Type -Accounts Payable,Ditagih% -Accounts Receivable,Memerintahkan Items Akan Ditagih -Accounts Settings,Akuntansi -Active,Buat Bank Voucher untuk gaji total yang dibayarkan untuk kriteria pilihan di atas + Stock Transactions","Account: {0} hanya dapat diperbarui melalui \ + Transaksi Bursa" +Accountant,Akuntan +Accounting,Akuntansi +"Accounting Entries can be made against leaf nodes, called","Entri Akuntansi dapat dilakukan terhadap node daun, yang disebut" +"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","Entri Akuntansi beku up to date ini, tak seorang pun bisa melakukan / memodifikasi entri kecuali peran ditentukan di bawah ini." +Accounting journal entries.,Jurnal akuntansi. +Accounts,Rekening +Accounts Browser,Account Browser +Accounts Frozen Upto,Account Frozen Upto +Accounts Payable,Hutang +Accounts Receivable,Piutang +Accounts Settings,Account Settings +Active,Aktif Active: Will extract emails from , -Activity,Faktur Periode Dari Tanggal -Activity Log,Nasabah Purchase Order Nomor -Activity Log:,Penjualan Browser -Activity Type,Departmen Store -Actual,Waktu Log Detail Batch -Actual Budget,Makanan -Actual Completion Date,Sabtu -Actual Date,Jumlah total tagihan yang diterima dari pemasok selama periode digest -Actual End Date,Piutang -Actual Invoice Date,misalnya PPN -Actual Posting Date,Sukses: -Actual Qty,Tahun Fiskal Tanggal Mulai dan Akhir Tahun Fiskal Tanggal tidak bisa lebih dari satu tahun terpisah. -Actual Qty (at source/target),Realisasi Qty -Actual Qty After Transaction,Pengaturan standar -Actual Qty: Quantity available in the warehouse.,Batch ada -Actual Quantity,Diperbarui Ulang Tahun Pengingat -Actual Start Date,Masukkan Gudang yang Material Permintaan akan dibangkitkan -Add,Item {0} dibatalkan -Add / Edit Taxes and Charges,Alasan pengunduran diri -Add Child,Tidak ada yang menyetujui Beban. Silakan menetapkan 'Beban Approver' Peran untuk minimal satu pengguna -Add Serial No,Standar Warehouse adalah wajib bagi saham Barang. -Add Taxes,"Untuk misalnya 2012, 2012-13" -Add Taxes and Charges,Nomor Cell -Add or Deduct,Tahun Nama -Add rows to set annual budgets on Accounts.,Material Receipt -Add to Cart,Item Pemasok Rincian -Add to calendar on this date,SO Qty -Add/Remove Recipients,BOM saat ini -Address,Syarat dan Conditions1 -Address & Contact,Membuat Slip Gaji -Address & Contacts,Mengagumkan Produk -Address Desc,Posisi untuk {0} tidak bisa kurang dari nol ({1}) -Address Details,Perbankan Investasi -Address HTML,Pemasok Kutipan Baru -Address Line 1,Jumlah Transfer -Address Line 2,Peluang Dari -Address Template,"Perusahaan, Bulan dan Tahun Anggaran adalah wajib" -Address Title,Tersedia Stock untuk Packing Produk -Address Title is mandatory.,Ini adalah kelompok pelanggan akar dan tidak dapat diedit. -Address Type,Impor Sukses! -Address master.,Quotation Pesan -Administrative Expenses,Root tidak dapat memiliki pusat biaya orang tua -Administrative Officer,Entah Target qty atau jumlah target adalah wajib. -Advance Amount,Slip Gaji Produktif -Advance amount,Menampilkan semua item individual disampaikan dengan item utama -Advances,Dikirim Pada -Advertisement,Masukkan Penerimaan Pembelian ada untuk melanjutkan -Advertising,"Stock Rekonsiliasi dapat digunakan untuk memperbarui saham pada tanggal tertentu, biasanya sesuai persediaan fisik." -Aerospace,Dari Nilai -After Sale Installations,Beban utilitas -Against,Fax -Against Account,Tambah Anak -Against Bill {0} dated {1},Menghasilkan HTML untuk memasukkan gambar yang dipilih dalam deskripsi -Against Docname,Kesalahan Stock negatif ({} 6) untuk Item {0} Gudang {1} pada {2} {3} di {4} {5} -Against Doctype,Unit / Jam -Against Document Detail No,Standar Sasaran Gudang -Against Document No,Pilih yang Anda ingin mengirim newsletter ini untuk -Against Entries,Bulan -Against Expense Account,Merek Nama -Against Income Account,Kehilangan Alasan -Against Journal Voucher,Biografi singkat untuk website dan publikasi lainnya. -Against Journal Voucher {0} does not have any unmatched {1} entry,Kondisi Tumpang Tindih ditemukan antara: -Against Purchase Invoice,Penilaian Tingkat diperlukan untuk Item {0} -Against Sales Invoice,Beku -Against Sales Order,Gudang-Wise Stock Balance -Against Voucher,Pelanggan / Lead Nama -Against Voucher Type,Gudang adalah wajib bagi saham Barang {0} berturut-turut {1} -Ageing Based On,Apakah Anda benar-benar ingin BERHENTI -Ageing Date is mandatory for opening entry,Untuk Daftar Harga -Ageing date is mandatory for opening entry,"Jika dicentang, BOM untuk item sub-assembly akan dipertimbangkan untuk mendapatkan bahan baku. Jika tidak, semua item sub-assembly akan diperlakukan sebagai bahan baku." -Agent,Berat Bersih -Aging Date,Penjualan Mitra Sasaran -Aging Date is mandatory for opening entry,Aturan harga selanjutnya disaring berdasarkan kuantitas. -Agriculture,Jika Penghasilan atau Beban -Airline,Masa Garansi (Hari) -All Addresses.,Permintaan Bahan maksimal {0} dapat dibuat untuk Item {1} terhadap Sales Order {2} -All Contact,Lelang Online -All Contacts.,Barang akan disimpan dengan nama ini dalam data base. -All Customer Contact,Alamat Baris 2 -All Customer Groups,Pesanan produksi {0} harus dibatalkan sebelum membatalkan Sales Order ini -All Day,Autoreply ketika mail baru diterima -All Employee (Active),Sync Dukungan Email -All Item Groups,Serial Number Series -All Lead (Open),Pemeliharaan Type -All Products or Services.,Silahkan pilih Kategori pertama -All Sales Partner Contact,Membeli Jumlah -All Sales Person,Waktu Log Batch -All Supplier Contact,Ukuran Sampel -All Supplier Types,Bundel item pada saat penjualan. -All Territories,Peluang Hilang -"All export related fields like currency, conversion rate, export total, export grand total etc are available in Delivery Note, POS, Quotation, Sales Invoice, Sales Order etc.",Tanggal -"All import related fields like currency, conversion rate, import total, import grand total etc are available in Purchase Receipt, Supplier Quotation, Purchase Invoice, Purchase Order etc.",Akun {0} harus bertipe 'Aset Tetap' sebagai Barang {1} adalah sebuah Aset Barang -All items have already been invoiced,Tempat Issue -All these items have already been invoiced,Karyawan Email Id -Allocate,"Item Grup ada dengan nama yang sama, ubah nama item atau mengubah nama kelompok barang" -Allocate Amount Automatically,Sinkronisasi dengan Google Drive -Allocate leaves for a period.,Masukkan alamat email -Allocate leaves for the year.,Pengaturan default untuk menjual transaksi. -Allocated Amount,Dapatkan Stok saat ini -Allocated Budget,"Untuk mengatur Tahun Anggaran ini sebagai Default, klik 'Set as Default'" -Allocated amount,Silakan pilih perusahaan pertama. -Allocated amount can not be negative,Gandakan entri. Silakan periksa Peraturan Otorisasi {0} -Allocated amount can not greater than unadusted amount,Gandakan Serial yang dimasukkan untuk Item {0} -Allow Bill of Materials,Row {0}: entry Debit tidak dapat dihubungkan dengan Faktur Penjualan -Allow Bill of Materials should be 'Yes'. Because one or many active BOMs present for this item,Dapatkan Spesifikasi Detail -Allow Children,Mendesak -Allow Dropbox Access,Client (Nasabah) -Allow Google Drive Access,Daun baru Dialokasikan (Dalam Hari) -Allow Negative Balance,Contact Person -Allow Negative Stock,Untuk Paket No -Allow Production Order,Rabu -Allow User,Serial ada Status -Allow Users,Insinyur -Allow the following users to approve Leave Applications for block days.,Pilih template dari mana Anda ingin mendapatkan Goals -Allow user to edit Price List Rate in transactions,Diterima Tanggal -Allowance Percent,Berlaku untuk Wilayah -Allowance for over-delivery / over-billing crossed for Item {0},Instalasi Catatan Barang -Allowance for over-delivery / over-billing crossed for Item {0}.,Catatan -Allowed Role to Edit Entries Before Frozen Date,"""Diharapkan Tanggal Mulai 'tidak dapat lebih besar dari' Diharapkan Tanggal End '" -Amended From,Penjualan Faktur Pesan -Amount,Dalam Kata-kata (Ekspor) akan terlihat setelah Anda menyimpan Delivery Note. -Amount (Company Currency),Tingkat Jam -Amount <=,Komputer -Amount >=,Sumber gudang adalah wajib untuk baris {0} -Amount to Bill,New BOM -An Customer exists with same name,Industri -"An Item Group exists with same name, please change the item name or rename the item group",Batch Waktu Log ini telah dibatalkan. -"An item exists with same name ({0}), please change the item group name or rename the item",Order produksi yang terpisah akan dibuat untuk setiap item barang jadi. -Analyst,Tambahkan ke kalender pada tanggal ini -Annual,Anda tidak dapat mengubah tingkat jika BOM disebutkan agianst item -Another Period Closing Entry {0} has been made after {1},Ekspor -Another Salary Structure {0} is active for employee {0}. Please make its status 'Inactive' to proceed.,Diharapkan Pengiriman Tanggal tidak bisa sebelum Purchase Order Tanggal -"Any other comments, noteworthy effort that should go in the records.",Merek -Apparel & Accessories,Aturan Otorisasi -Applicability,Sales Order Barang -Applicable For,{0} {1} terhadap Faktur {2} -Applicable Holiday List,% Dari materi yang disampaikan terhadap Pengiriman ini Note -Applicable Territory,Aset Pajak -Applicable To (Designation),"Hanya ada satu Peraturan Pengiriman Kondisi dengan nilai kosong atau 0 untuk ""To Nilai""" -Applicable To (Employee),Penjualan Person Nama -Applicable To (Role),"Bahkan jika ada beberapa Aturan Harga dengan prioritas tertinggi, kemudian mengikuti prioritas internal diterapkan:" -Applicable To (User),Mengabaikan -Applicant Name,Alamat permanen Apakah -Applicant for a Job.,Itemwise Diskon -Application of Funds (Assets),Miscelleneous -Applications for leave.,Pertanyaan Baru -Applies to Company,Gudang dan Referensi -Apply On,Sebenarnya Posting Tanggal -Appraisal,Qty Tersedia di Gudang -Appraisal Goal,"Pergi ke grup yang sesuai (biasanya Penerapan Dana> Aset Lancar> Rekening Bank dan membuat Akun baru Ledger (dengan mengklik Tambahkan Child) tipe ""Bank""" -Appraisal Goals,Perbedaan (Dr - Cr) -Appraisal Template,Dari Pemeliharaan Jadwal -Appraisal Template Goal,Dapat merujuk baris hanya jika jenis biaya adalah 'On Sebelumnya Row Jumlah' atau 'Sebelumnya Row Jumlah' -Appraisal Template Title,Tidak ada Alamat bawaan Template ditemukan. Harap membuat yang baru dari Pengaturan> Percetakan dan Branding> Template Alamat. -Appraisal {0} created for Employee {1} in the given date range,Cetak dan Alat Tulis -Apprentice,Pembelian -Approval Status,Berulang Id -Approval Status must be 'Approved' or 'Rejected',Tidak ada izin -Approved,"
Add / Edit " -Approver,Selesai -Approving Role,Lembar Kehadiran Bulanan -Approving Role cannot be same as role the rule is Applicable To,Dukungan Tiket -Approving User,{0} {1} tidak disampaikan -Approving User cannot be same as user the rule is Applicable To,Convert to Ledger +Activity,Aktivitas +Activity Log,Log Aktivitas +Activity Log:,Log Aktivitas: +Activity Type,Jenis Kegiatan +Actual,Aktual +Actual Budget,Realisasi Anggaran +Actual Completion Date,Realisasi Tanggal Penyelesaian +Actual Date,Realisasi Tanggal +Actual End Date,Realisasi Tanggal Akhir +Actual Invoice Date,Sebenarnya Faktur Tanggal +Actual Posting Date,Sebenarnya Posting Tanggal +Actual Qty,Realisasi Qty +Actual Qty (at source/target),Aktual Qty (di sumber / target) +Actual Qty After Transaction,Realisasi Qty Setelah Transaksi +Actual Qty: Quantity available in the warehouse.,Jumlah yang sebenarnya: Kuantitas yang tersedia di gudang. +Actual Quantity,Realisasi Kuantitas +Actual Start Date,Aktual Tanggal Mulai +Add,Tambahkan +Add / Edit Taxes and Charges,Tambah / Edit Pajak dan Biaya +Add Child,Tambah Anak +Add Serial No,Tambahkan Serial No +Add Taxes,Tambahkan Pajak +Add Taxes and Charges,Tambahkan Pajak dan Biaya +Add or Deduct,Tambah atau Dikurangi +Add rows to set annual budgets on Accounts.,Tambahkan baris untuk mengatur anggaran tahunan Accounts. +Add to Cart,Add to Cart +Add to calendar on this date,Tambahkan ke kalender pada tanggal ini +Add/Remove Recipients,Tambah / Hapus Penerima +Address,Alamat +Address & Contact,Alamat Kontak +Address & Contacts,Alamat & Kontak +Address Desc,Alamat Penj +Address Details,Alamat Detail +Address HTML,Alamat HTML +Address Line 1,Alamat Baris 1 +Address Line 2,Alamat Baris 2 +Address Template,Template Alamat +Address Title,Alamat Judul +Address Title is mandatory.,Alamat Judul adalah wajib. +Address Type,Alamat Type +Address master.,Alamat utama. +Administrative Expenses,Beban Administrasi +Administrative Officer,Petugas Administrasi +Advance Amount,Jumlah muka +Advance amount,Jumlah muka +Advances,Uang Muka +Advertisement,iklan +Advertising,Pengiklanan +Aerospace,Aerospace +After Sale Installations,Setelah Sale Instalasi +Against,Terhadap +Against Account,Terhadap Rekening +Against Bill {0} dated {1},Melawan Bill {0} tanggal {1} +Against Docname,Melawan Docname +Against Doctype,Terhadap Doctype +Against Document Detail No,Terhadap Dokumen Detil ada +Against Document No,Melawan Dokumen Tidak +Against Expense Account,Terhadap Beban Akun +Against Income Account,Terhadap Akun Penghasilan +Against Journal Voucher,Melawan Journal Voucher +Against Journal Voucher {0} does not have any unmatched {1} entry,Terhadap Journal Voucher {0} tidak memiliki tertandingi {1} entri +Against Purchase Invoice,Terhadap Purchase Invoice +Against Sales Invoice,Terhadap Faktur Penjualan +Against Sales Order,Terhadap Sales Order +Against Voucher,Melawan Voucher +Against Voucher Type,Terhadap Voucher Type +Ageing Based On,Penuaan Berdasarkan +Ageing Date is mandatory for opening entry,Penuaan Tanggal adalah wajib untuk membuka entri +Ageing date is mandatory for opening entry,Penuaan saat ini adalah wajib untuk membuka entri +Agent,Agen +Aging Date,Penuaan Tanggal +Aging Date is mandatory for opening entry,Penuaan Tanggal adalah wajib untuk membuka entri +Agriculture,Agriculture +Airline,Perusahaan penerbangan +All Addresses.,Semua Addresses. +All Contact,Semua Kontak +All Contacts.,All Contacts. +All Customer Contact,Semua Kontak Pelanggan +All Customer Groups,Semua Grup Pelanggan +All Day,Semua Hari +All Employee (Active),Semua Karyawan (Active) +All Item Groups,Semua Barang Grup +All Lead (Open),Semua Timbal (Open) +All Products or Services.,Semua Produk atau Jasa. +All Sales Partner Contact,Semua Penjualan Partner Kontak +All Sales Person,Semua Penjualan Orang +All Supplier Contact,Semua Pemasok Kontak +All Supplier Types,Semua Jenis Pemasok +All Territories,Semua Territories +"All export related fields like currency, conversion rate, export total, export grand total etc are available in Delivery Note, POS, Quotation, Sales Invoice, Sales Order etc.","Semua bidang ekspor terkait seperti mata uang, tingkat konversi, jumlah ekspor, total ekspor dll besar tersedia dalam Pengiriman Catatan, POS, Quotation, Faktur Penjualan, Sales Order dll" +"All import related fields like currency, conversion rate, import total, import grand total etc are available in Purchase Receipt, Supplier Quotation, Purchase Invoice, Purchase Order etc.","Semua bidang impor terkait seperti mata uang, tingkat konversi, jumlah impor, impor besar jumlah dll tersedia dalam Penerimaan Pembelian, Supplier Quotation, Purchase Invoice, Purchase Order dll" +All items have already been invoiced,Semua item telah ditagih +All these items have already been invoiced,Semua barang-barang tersebut telah ditagih +Allocate,Menyediakan +Allocate leaves for a period.,Mengalokasikan daun untuk suatu periode. +Allocate leaves for the year.,Mengalokasikan daun untuk tahun ini. +Allocated Amount,Dialokasikan Jumlah +Allocated Budget,Anggaran Dialokasikan +Allocated amount,Jumlah yang dialokasikan +Allocated amount can not be negative,Jumlah yang dialokasikan tidak dapat negatif +Allocated amount can not greater than unadusted amount,Jumlah yang dialokasikan tidak bisa lebih besar dari jumlah unadusted +Allow Bill of Materials,Biarkan Bill of Material +Allow Bill of Materials should be 'Yes'. Because one or many active BOMs present for this item,Biarkan Bill of Material harus 'Ya'. Karena satu atau banyak BOMs aktif hadir untuk item ini +Allow Children,Biarkan Anak-anak +Allow Dropbox Access,Izinkan Dropbox Access +Allow Google Drive Access,Izinkan Google Drive Access +Allow Negative Balance,Biarkan Saldo Negatif +Allow Negative Stock,Izinkan Bursa Negatif +Allow Production Order,Izinkan Pesanan Produksi +Allow User,Izinkan Pengguna +Allow Users,Izinkan Pengguna +Allow the following users to approve Leave Applications for block days.,Memungkinkan pengguna berikut untuk menyetujui Leave Aplikasi untuk blok hari. +Allow user to edit Price List Rate in transactions,Memungkinkan pengguna untuk mengedit Daftar Harga Tingkat dalam transaksi +Allowance Percent,Penyisihan Persen +Allowance for over-{0} crossed for Item {1},Penyisihan over-{0} menyeberang untuk Item {1} +Allowance for over-{0} crossed for Item {1}.,Penyisihan over-{0} menyeberang untuk Item {1}. +Allowed Role to Edit Entries Before Frozen Date,Diizinkan Peran ke Sunting Entri Sebelum Frozen Tanggal +Amended From,Diubah Dari +Amount,Jumlah +Amount (Company Currency),Jumlah (Perusahaan Mata Uang) +Amount Paid,Jumlah Dibayar +Amount to Bill,Sebesar Bill +An Customer exists with same name,Sebuah Pelanggan ada dengan nama yang sama +"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 barang" +"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 barang atau mengubah nama item" +Analyst,Analis +Annual,Tahunan +Another Period Closing Entry {0} has been made after {1},Lain Periode Pendaftaran penutupan {0} telah dibuat setelah {1} +Another Salary Structure {0} is active for employee {0}. Please make its status 'Inactive' to proceed.,Struktur Gaji lain {0} aktif untuk karyawan {0}. Silakan membuat status 'aktif' untuk melanjutkan. +"Any other comments, noteworthy effort that should go in the records.","Ada komentar lain, upaya penting yang harus pergi dalam catatan." +Apparel & Accessories,Pakaian & Aksesoris +Applicability,Penerapan +Applicable For,Berlaku Untuk +Applicable Holiday List,Berlaku Libur +Applicable Territory,Wilayah yang berlaku +Applicable To (Designation),Berlaku Untuk (Penunjukan) +Applicable To (Employee),Berlaku Untuk (Karyawan) +Applicable To (Role),Berlaku Untuk (Peran) +Applicable To (User),Berlaku Untuk (User) +Applicant Name,Nama Pemohon +Applicant for a Job.,Pemohon untuk pekerjaan. +Application of Funds (Assets),Penerapan Dana (Aset) +Applications for leave.,Aplikasi untuk cuti. +Applies to Company,Berlaku untuk Perusahaan +Apply On,Terapkan On +Appraisal,Penilaian +Appraisal Goal,Penilaian Goal +Appraisal Goals,Penilaian Gol +Appraisal Template,Appraisal Template +Appraisal Template Goal,Gol Appraisal Template +Appraisal Template Title,Appraisal Template Judul +Appraisal {0} created for Employee {1} in the given date range,Penilaian {0} diciptakan untuk Employee {1} dalam rentang tanggal tertentu +Apprentice,Magang +Approval Status,Status Persetujuan +Approval Status must be 'Approved' or 'Rejected',Status Persetujuan harus 'Disetujui' atau 'Ditolak' +Approved,Disetujui +Approver,Approver +Approving Role,Menyetujui Peran +Approving Role cannot be same as role the rule is Applicable To,Menyetujui Peran tidak bisa sama dengan peran aturan yang Berlaku Untuk +Approving User,Menyetujui Pengguna +Approving User cannot be same as user the rule is Applicable To,Menyetujui Pengguna tidak bisa sama dengan pengguna aturan yang Berlaku Untuk Are you sure you want to STOP , Are you sure you want to UNSTOP , -Arrear Amount,Setup Anda selesai. Refreshing ... -"As Production Order can be made for this item, it must be a stock item.","Berat disebutkan, \ nSilakan menyebutkan ""Berat UOM"" terlalu" -As per Stock UOM,{0} masuk dua kali dalam Pajak Barang -"As there are existing stock transactions for this item, you can not change the values of 'Has Serial No', 'Is Stock Item' and 'Valuation Method'",Lampirkan Surat -Asset,Carry Teruskan -Assistant,Batas Pembebasan -Associate,Publik -Atleast one of the Selling or Buying must be selected,Pesanan Produksi Selesai -Atleast one warehouse is mandatory,Penerimaan Pembelian Produk -Attach Image,Dikirim -Attach Letterhead,Ubah -Attach Logo,Berlaku Untuk -Attach Your Picture,Mengelola biaya operasi -Attendance,Pemasok Barang Quotation -Attendance Date,Melawan Voucher -Attendance Details,Batch (banyak) dari Item. -Attendance From Date,Apakah POS -Attendance From Date and Attendance To Date is mandatory,Format ini digunakan jika format khusus negara tidak ditemukan -Attendance To Date,Pilih Penjualan Pesanan dari mana Anda ingin membuat Pesanan Produksi. -Attendance can not be marked for future dates,Barang UOM -Attendance for employee {0} is already marked,PL atau BS -Attendance record.,MTN Detail -Authorization Control,Tampilkan Di Website -Authorization Rule,Atas Nilai -Auto Accounting For Stock Settings,Menghilangkan Tanggal harus lebih besar dari Tanggal Bergabung -Auto Material Request,Masuk -Auto-raise Material Request if quantity goes below re-order level in a warehouse,Pengiriman Note No -Automatically compose message on submission of transactions.,Landed Biaya Wisaya +Arrear Amount,Jumlah tunggakan +"As Production Order can be made for this item, it must be a stock item.","Seperti Orde Produksi dapat dibuat untuk item ini, itu harus menjadi barang saham." +As per Stock UOM,Per Saham UOM +"As there are existing stock transactions for this item, you can not change the values of 'Has Serial No', 'Is Stock Item' and 'Valuation Method'","Karena ada transaksi saham yang ada untuk item ini, Anda tidak dapat mengubah nilai-nilai 'Memiliki Serial No', 'Apakah Stock Barang' dan 'Metode Penilaian'" +Asset,Aset +Assistant,Asisten +Associate,Rekan +Atleast one of the Selling or Buying must be selected,Atleast salah satu Jual atau Beli harus dipilih +Atleast one warehouse is mandatory,Atleast satu gudang adalah wajib +Attach Image,Pasang Gambar +Attach Letterhead,Lampirkan Surat +Attach Logo,Pasang Logo +Attach Your Picture,Pasang Gambar Anda +Attendance,Kehadiran +Attendance Date,Kehadiran Tanggal +Attendance Details,Rincian Kehadiran +Attendance From Date,Kehadiran Dari Tanggal +Attendance From Date and Attendance To Date is mandatory,Kehadiran Dari Tanggal dan Kehadiran To Date adalah wajib +Attendance To Date,Kehadiran To Date +Attendance can not be marked for future dates,Kehadiran tidak dapat ditandai untuk tanggal masa depan +Attendance for employee {0} is already marked,Kehadiran bagi karyawan {0} sudah ditandai +Attendance record.,Catatan kehadiran. +Authorization Control,Pengendalian Otorisasi +Authorization Rule,Aturan Otorisasi +Auto Accounting For Stock Settings,Auto Akuntansi Untuk Stock Pengaturan +Auto Material Request,Auto Material Permintaan +Auto-raise Material Request if quantity goes below re-order level in a warehouse,Auto-meningkatkan Permintaan Material jika kuantitas berjalan di bawah tingkat re-order di gudang +Automatically compose message on submission of transactions.,Secara otomatis menulis pesan pada pengajuan transaksi. Automatically extract Job Applicants from a mail box , -Automatically extract Leads from a mail box e.g.,Newsletter telah terkirim -Automatically updated via Stock Entry of type Manufacture/Repack,Stock Analytics -Automotive,Impor -Autoreply when a new mail is received,Tingkat di mana mata uang Daftar Harga dikonversi ke mata uang dasar pelanggan -Available,"Periksa apakah Anda memerlukan faktur berulang otomatis. Setelah mengirimkan setiap faktur penjualan, bagian Berulang akan terlihat." -Available Qty at Warehouse,Walk In -Available Stock for Packing Items,Master proyek. -"Available in BOM, Delivery Note, Purchase Invoice, Production Order, Purchase Order, Purchase Receipt, Sales Invoice, Sales Order, Stock Entry, Timesheet",Pilih Gudang ... -Average Age,Sebagian Selesai -Average Commission Rate,Log Aktivitas: -Average Discount,Ponsel Nomor -Awesome Products,Upload file csv dengan dua kolom:. Nama lama dan nama baru. Max 500 baris. -Awesome Services,Tidak ada standar BOM ada untuk Item {0} -BOM Detail No,Perawatan Kesehatan -BOM Explosion Item,Acara Scheduler Gagal -BOM Item,Pendahuluan -BOM No,'Untuk Kasus No' tidak bisa kurang dari 'Dari Kasus No' -BOM No. for a Finished Good Item,Pilih periode ketika invoice akan dibuat secara otomatis -BOM Operation,Untuk membuat Akun Pajak: -BOM Operations,Pinjaman Tanpa Jaminan -BOM Replace Tool,Item {0} telah dikembalikan -BOM number is required for manufactured Item {0} in row {1},BOM yang akan diganti -BOM number not allowed for non-manufactured Item {0} in row {1},Kamis -BOM recursion: {0} cannot be parent or child of {2},"Sebuah Kelompok Pelanggan ada dengan nama yang sama, silakan mengubah nama Nasabah atau mengubah nama Grup Pelanggan" -BOM replaced,Lain Periode Pendaftaran penutupan {0} telah dibuat setelah {1} -BOM {0} for Item {1} in row {2} is inactive or not submitted,Penerimaan Pembelian Pesan -BOM {0} is not active or not submitted,Skor Total (Out of 5) -BOM {0} is not submitted or inactive BOM for Item {1},Seri Diperbarui -Backup Manager,Pemasok Gudang -Backup Right Now,Sewaan -Backups will be uploaded to,Masa Garansi (dalam hari) -Balance Qty,Pengaturan -Balance Sheet,% Bahan ditagih terhadap Purchase Order ini. -Balance Value,Serial ada {0} berada di bawah kontrak pemeliharaan upto {1} -Balance for Account {0} must always be {1},Tanggal jatuh tempo tidak bisa sebelum Tanggal Posting -Balance must be,Nomor -"Balances of Accounts of type ""Bank"" or ""Cash""",Diproduksi Kuantitas -Bank,{0} Status {1} adalah Berhenti -Bank A/C No.,Garansi / Detail AMC -Bank Account,Memimpin Waktu Hari -Bank Account No.,Privilege Cuti -Bank Accounts,Komunikasi HTML -Bank Clearance Summary,Perusahaan Baru -Bank Draft,Status pemeliharaan -Bank Name,Dari Package No -Bank Overdraft Account,"misalnya Kg, Unit, Nos, m" -Bank Reconciliation,Kirim SMS massal ke kontak Anda -Bank Reconciliation Detail,Faktur Penjualan -Bank Reconciliation Statement,Silakan pilih file csv dengan data yang valid -Bank Voucher,"Jika disable, lapangan 'Rounded Jumlah' tidak akan terlihat dalam setiap transaksi" -Bank/Cash Balance,Operasi {0} tidak hadir dalam Operasi Tabel -Banking,Mata uang ini dinonaktifkan. Aktifkan untuk digunakan dalam transaksi -Barcode,Wilayah Sasaran Variance Barang Group-Wise -Barcode {0} already used in Item {1},Minggu -Based On,Pending Items {0} diperbarui -Basic,Penutup Qty -Basic Info,Mengalokasikan daun untuk tahun ini. -Basic Information,Perjalanan -Basic Rate,Peralatan Modal -Basic Rate (Company Currency),Voucher periode penutupan -Batch,Target Penjualan Orang -Batch (lot) of an Item.,Dalam Nilai -Batch Finished Date,Pengecer -Batch ID,Tahun Penghasilan Tanggal -Batch No,Total -Batch Started Date,Peringatan: Sales Order {0} sudah ada terhadap nomor Purchase Order yang sama -Batch Time Logs for billing.,Rekan -Batch-Wise Balance History,Pernyataan Rekening -Batched for Billing,Tidak ada Izin -Better Prospects,"Account kepala di bawah Kewajiban, di mana Laba / Rugi akan dipesan" -Bill Date,Detail Resolusi -Bill No,Penghasilan / Beban -Bill No {0} already booked in Purchase Invoice {1},Masukkan item dan qty direncanakan untuk yang Anda ingin meningkatkan pesanan produksi atau download bahan baku untuk analisis. -Bill of Material,Debit Note -Bill of Material to be considered for manufacturing,Olahraga -Bill of Materials (BOM),Kredit Jumlah Yang -Billable,"Entri Akuntansi beku up to date ini, tak seorang pun bisa melakukan / memodifikasi entri kecuali peran ditentukan di bawah ini." -Billed,Anda tidak diizinkan untuk membalas tiket ini. -Billed Amount,Non Profit -Billed Amt,Dengan Operasi -Billing,'Dari Tanggal' diperlukan -Billing Address,lft -Billing Address Name,Catatan: Karena Tanggal melebihi hari-hari kredit diperbolehkan oleh {0} hari (s) -Billing Status,Aplikasi untuk cuti. -Bills raised by Suppliers.,Block Hari -Bills raised to Customers.,Ditagih Jumlah -Bin,Keterangan Pengguna akan ditambahkan ke Auto Remark -Bio,Bin -Biotechnology,Duduk diam sementara sistem anda sedang setup. Ini mungkin memerlukan beberapa saat. -Birthday,Nama Bank -Block Date,Jika tidak berlaku silahkan masukkan: NA -Block Days,Target Distribusi -Block leave applications by department.,5. Bank Reconciliation (Rekonsiliasi Bank) -Blog Post,LR ada -Blog Subscriber,Konsultasi -Blood Group,Penjualan BOM -Both Warehouse must belong to same Company,{0} adalah wajib -Box,Bills diangkat ke Pelanggan. -Branch,Harap masukkan tanggal Referensi -Brand,Tanggal mulai pemeliharaan tidak bisa sebelum tanggal pengiriman untuk Serial No {0} -Brand Name,Tanggal Berakhir -Brand master.,Penyisihan over-pengiriman / over-billing menyeberang untuk Item {0} -Brands,Rencana Produksi Produk -Breakdown,Apakah Stock Barang -Broadcasting,Grand Total -Brokerage,Pembukaan (Dr) -Budget,Items -Budget Allocated,Saldo negatif dalam Batch {0} untuk Item {1} di Gudang {2} pada {3} {4} -Budget Detail,Valid Upto -Budget Details,Reserved Kuantitas -Budget Distribution,Alamat HTML -Budget Distribution Detail,Beban -Budget Distribution Details,Jadwal pemeliharaan {0} ada terhadap {0} -Budget Variance Report,Nomor pesanan purchse diperlukan untuk Item {0} -Budget cannot be set for Group Cost Centers,Saldo Nilai -Build Report,Untuk Karyawan -Bundle items at time of sale.,Ditolak Kuantitas -Business Development Manager,Skor Earned -Buying,Situs Barang Grup -Buying & Selling,Item Batch Nos -Buying Amount,Penghasilan dipesan untuk periode digest -Buying Settings,Mengagumkan Jasa -"Buying must be checked, if Applicable For is selected as {0}",Info Transporter -C-Form,Item diperlukan -C-Form Applicable,Cash In Hand -C-Form Invoice Detail,Nama Libur -C-Form No,Upload Kehadiran -C-Form records,Pengiriman -Calculate Based On,Tidak berwenang untuk mengedit Akun beku {0} -Calculate Total Score,Beban Klaim sedang menunggu persetujuan. Hanya Approver Beban dapat memperbarui status. -Calendar Events,Paket Items -Call,Pilih Transaksi -Calls,Kirim Ke -Campaign,Tidak Cuti yang menyetujui. Silakan menetapkan Peran 'Leave Approver' untuk minimal satu pengguna -Campaign Name,'Laba Rugi' jenis account {0} tidak diperbolehkan dalam Pembukaan Entri -Campaign Name is required,Detail Timbal -Campaign Naming By,New Stock UOM -Campaign-.####,POP3 server misalnya (pop.gmail.com) -Can be approved by {0},Kutipan -"Can not filter based on Account, if grouped by Account",Apakah Anda yakin ingin unstop -"Can not filter based on Voucher No, if grouped by Voucher",Diproduksi Qty -Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',Tanggal pembukaan -Cancel Material Visit {0} before cancelling this Customer Issue,Persentase Diskon -Cancel Material Visits {0} before cancelling this Maintenance Visit,Pay Bersih (dalam kata-kata) akan terlihat setelah Anda menyimpan Slip Gaji. -Cancelled,Penerimaan Pembelian Barang Supplieds -Cancelling this Stock Reconciliation will nullify its effect.,Pengaturan -Cannot Cancel Opportunity as Quotation Exists,Biarkan Saldo Negatif -Cannot approve leave as you are not authorized to approve leaves on Block Dates,Stock Rekonsiliasi -Cannot cancel because Employee {0} is already approved for {1},Frozen Account Modifier -Cannot cancel because submitted Stock Entry {0} exists,Semua Barang Grup -Cannot carry forward {0},Jadwal pemeliharaan Barang -Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,Sehari-hari -"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.",Terjadwal -Cannot convert Cost Center to ledger as it has child nodes,Alamat Baris 1 -Cannot covert to Group because Master Type or Account Type is selected.,Gudang tidak ditemukan dalam sistem -Cannot deactive or cancle BOM as it is linked with other BOMs,Hal ini juga dapat digunakan untuk membuat entri saham membuka dan memperbaiki nilai saham. -"Cannot declare as lost, because Quotation has been made.",Karyawan {0} sedang cuti pada {1}. Tidak bisa menandai kehadiran. -Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Dibesarkan Oleh -"Cannot delete Serial No {0} in stock. First remove from stock, then delete.",Bank Account/Rekening Bank -"Cannot directly set amount. For 'Actual' charge type, use the rate field",Referensi Row # -"Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in Stock Settings",Klasik -Cannot produce more Item {0} than Sales Order quantity {1},Bill of Material untuk dipertimbangkan untuk manufaktur -Cannot refer row number greater than or equal to current row number for this Charge type,Penerimaan Pembelian Barang -Cannot return more than {0} for Item {1},Pemasok-Wise Penjualan Analytics -Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,Pay To / RECD Dari -Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for valuation. You can select only 'Total' option for previous row amount or previous row total,Pembelian Kembali -Cannot set as Lost as Sales Order is made.,Distributor -Cannot set authorization on basis of Discount for {0},Diskon harus kurang dari 100 -Capacity,Valid Nama Pengguna atau Dukungan Password. Harap memperbaiki dan coba lagi. -Capacity Units,Tinggalkan dicairkan? -Capital Account,Silahkan buat akun baru dari Bagan Akun. -Capital Equipments,Upload kop surat dan logo - Anda dapat mengedit mereka nanti. -Carry Forward,Kepala Pemasaran dan Penjualan -Carry Forwarded Leaves,Pengirim SMS Nama -Case No(s) already in use. Try from Case No {0},Pengaturan server masuk untuk email penjualan id. (Misalnya sales@example.com) -Case No. cannot be 0,Proyek Tanggal Mulai -Cash,Jenis Kelamin -Cash In Hand,Tinggalkan Saldo Sebelum Aplikasi -Cash Voucher,"Silakan pilih ""Gambar"" pertama" -Cash or Bank Account is mandatory for making payment entry," Add / Edit " -Cash/Bank Account,Jumlah Uang Muka -Casual Leave,Rekonsiliasi HTML -Cell Number,Daftar item yang membentuk paket. -Change UOM for an Item.,Inspeksi Diperlukan -Change the starting / current sequence number of an existing series.,Nilai Tukar -Channel Partner,Kredit Untuk -Charge of type 'Actual' in row {0} cannot be included in Item Rate,Akun Dibuat: {0} -Chargeable,Inang -Charity and Donations,{0} nos seri berlaku untuk Item {1} -Chart Name,Dinonaktifkan -Chart of Accounts,Singkatan Perusahaan -Chart of Cost Centers,Kirim SMS -Check how the newsletter looks in an email by sending it to your email.,Mendukung -"Check if recurring invoice, uncheck to stop recurring or put proper End Date","Setelan email untuk mengekstrak Memimpin dari id email penjualan misalnya ""sales@example.com""" -"Check if you need automatic recurring invoices. After submitting any sales invoice, Recurring section will be visible.",Di bawah AMC -Check if you want to send salary slip in mail to each employee while submitting salary slip,Upload HTML -Check this if you want to force the user to select a series before saving. There will be no default if you check this.,Apakah Layanan Barang -Check this if you want to show in website,Dari Material Permintaan -Check this to disallow fractions. (for Nos),"Untuk bergabung, sifat berikut harus sama untuk kedua item" -Check this to pull emails from your mailbox,Hiburan & Kenyamanan -Check to activate,Halaman Utama -Check to make Shipping Address,Tingkat di mana Bill Currency diubah menjadi mata uang dasar perusahaan -Check to make primary address,Berlaku Untuk Wilayah -Chemical,Account Settings -Cheque,Grup -Cheque Date,Acak -Cheque Number,Serial number {0} masuk lebih dari sekali -Child account exists for this account. You can not delete this account.,"Pilih Distribusi Anggaran, jika Anda ingin melacak berdasarkan musim." -City,Tanggal Kontrak End -City/Town,Batch Dimulai Tanggal -Claim Amount,Syarat dan Ketentuan Template -Claims for company expense.,Rencana Produksi Sales Order -Class / Percentage,Pernyataan Bank Rekonsiliasi -Classic,Bawaan Pelanggan Grup -Clear Table,Barang Untuk Industri -Clearance Date,Tidak bisa Batal Peluang sebagai Quotation Exists -Clearance Date not mentioned,Pekerjaan Selesai -Clearance date cannot be before check date in row {0},Rata-rata Diskon -Click on 'Make Sales Invoice' button to create a new Sales Invoice.,Item Serial Nos +Automatically extract Leads from a mail box e.g.,Secara otomatis mengekstrak Memimpin dari kotak surat misalnya +Automatically updated via Stock Entry of type Manufacture/Repack,Secara otomatis diperbarui melalui Bursa Masuknya jenis Industri / Repack +Automotive,Ot +Autoreply when a new mail is received,Autoreply ketika mail baru diterima +Available,Tersedia +Available Qty at Warehouse,Qty Tersedia di Gudang +Available Stock for Packing Items,Tersedia Stock untuk Packing Produk +"Available in BOM, Delivery Note, Purchase Invoice, Production Order, Purchase Order, Purchase Receipt, Sales Invoice, Sales Order, Stock Entry, Timesheet","Tersedia dalam BOM, Pengiriman Catatan, Purchase Invoice, Pesanan Produksi, Purchase Order, Penerimaan Pembelian, Faktur Penjualan, Sales Order, Stock Masuk, Timesheet" +Average Age,Rata-rata Usia +Average Commission Rate,Rata-rata Komisi Tingkat +Average Discount,Rata-rata Diskon +Awesome Products,Mengagumkan Produk +Awesome Services,Layanan yang mengagumkan +BOM Detail No,BOM Detil ada +BOM Explosion Item,BOM Ledakan Barang +BOM Item,BOM Barang +BOM No,BOM ada +BOM No. for a Finished Good Item,BOM No untuk jadi baik Barang +BOM Operation,BOM Operasi +BOM Operations,BOM Operasi +BOM Replace Tool,BOM Ganti Alat +BOM number is required for manufactured Item {0} in row {1},Nomor BOM diperlukan untuk diproduksi Barang {0} berturut-turut {1} +BOM number not allowed for non-manufactured Item {0} in row {1},Nomor BOM tidak diperbolehkan untuk non-manufaktur Barang {0} berturut-turut {1} +BOM recursion: {0} cannot be parent or child of {2},BOM rekursi: {0} tidak dapat orang tua atau anak dari {2} +BOM replaced,BOM diganti +BOM {0} for Item {1} in row {2} is inactive or not submitted,BOM {0} untuk Item {1} berturut-turut {2} tidak aktif atau tidak disampaikan +BOM {0} is not active or not submitted,BOM {0} tidak aktif atau tidak disampaikan +BOM {0} is not submitted or inactive BOM for Item {1},BOM {0} bukan disampaikan atau tidak aktif BOM untuk Item {1} +Backup Manager,Backup Manager +Backup Right Now,Backup Right Now +Backups will be uploaded to,Backup akan di-upload ke +Balance Qty,Balance Qty +Balance Sheet,Neraca +Balance Value,Saldo Nilai +Balance for Account {0} must always be {1},Saldo Rekening {0} harus selalu {1} +Balance must be,Balance harus +"Balances of Accounts of type ""Bank"" or ""Cash""","Saldo Rekening jenis ""Bank"" atau ""Cash""" +Bank,Bank +Bank / Cash Account,Bank / Kas Rekening +Bank A/C No.,Bank A / C No +Bank Account,Bank Account/Rekening Bank +Bank Account No.,Rekening Bank No +Bank Accounts,Rekening Bank +Bank Clearance Summary,Izin Bank Summary +Bank Draft,Bank Draft +Bank Name,Nama Bank +Bank Overdraft Account,Cerukan Bank Akun +Bank Reconciliation,5. Bank Reconciliation (Rekonsiliasi Bank) +Bank Reconciliation Detail,Rekonsiliasi Bank Detil +Bank Reconciliation Statement,Pernyataan Bank Rekonsiliasi +Bank Voucher,Bank Voucher +Bank/Cash Balance,Bank / Cash Balance +Banking,Perbankan +Barcode,barcode +Barcode {0} already used in Item {1},Barcode {0} sudah digunakan dalam Butir {1} +Based On,Berdasarkan +Basic,Dasar +Basic Info,Info Dasar +Basic Information,Informasi Dasar +Basic Rate,Tingkat Dasar +Basic Rate (Company Currency),Tingkat Dasar (Perusahaan Mata Uang) +Batch,Sejumlah +Batch (lot) of an Item.,Batch (banyak) dari Item. +Batch Finished Date,Batch Selesai Tanggal +Batch ID,Batch ID +Batch No,Ada Batch +Batch Started Date,Batch Dimulai Tanggal +Batch Time Logs for billing.,Batch Sisa log untuk penagihan. +Batch-Wise Balance History,Batch-Wise Balance Sejarah +Batched for Billing,Batched untuk Billing +Better Prospects,Prospek yang lebih baik +Bill Date,Bill Tanggal +Bill No,Bill ada +Bill No {0} already booked in Purchase Invoice {1},Bill ada {0} sudah memesan di Purchase Invoice {1} +Bill of Material,Bill of Material +Bill of Material to be considered for manufacturing,Bill of Material untuk dipertimbangkan untuk manufaktur +Bill of Materials (BOM),Bill of Material (BOM) +Billable,Ditagih +Billed,Ditagih +Billed Amount,Ditagih Jumlah +Billed Amt,Ditagih Amt +Billing,Penagihan +Billing Address,Alamat Penagihan +Billing Address Name,Alamat Penagihan Nama +Billing Status,Status Penagihan +Bills raised by Suppliers.,Bills diajukan oleh Pemasok. +Bills raised to Customers.,Bills diangkat ke Pelanggan. +Bin,Bin +Bio,Bio +Biotechnology,Bioteknologi +Birthday,Ulang tahun +Block Date,Blok Tanggal +Block Days,Block Hari +Block leave applications by department.,Memblokir aplikasi cuti oleh departemen. +Blog Post,Posting Blog +Blog Subscriber,Blog Subscriber +Blood Group,Kelompok darah +Both Warehouse must belong to same Company,Kedua Gudang harus milik Perusahaan yang sama +Box,Kotak +Branch,Cabang +Brand,Merek +Brand Name,Merek Nama +Brand master.,Master merek. +Brands,Merek +Breakdown,Kerusakan +Broadcasting,Penyiaran +Brokerage,Perdagangan perantara +Budget,Anggaran belanja +Budget Allocated,Anggaran Dialokasikan +Budget Detail,Anggaran Detil +Budget Details,Rincian Anggaran +Budget Distribution,Distribusi anggaran +Budget Distribution Detail,Detil Distribusi Anggaran +Budget Distribution Details,Rincian Distribusi Anggaran +Budget Variance Report,Varians Anggaran Laporan +Budget cannot be set for Group Cost Centers,Anggaran tidak dapat ditetapkan untuk Biaya Pusat Grup +Build Report,Buat Laporan +Bundle items at time of sale.,Bundel item pada saat penjualan. +Business Development Manager,Business Development Manager +Buying,Pembelian +Buying & Selling,Jual Beli & +Buying Amount,Membeli Jumlah +Buying Settings,Membeli Pengaturan +"Buying must be checked, if Applicable For is selected as {0}","Membeli harus diperiksa, jika Berlaku Untuk dipilih sebagai {0}" +C-Form,C-Form +C-Form Applicable,C-Form Berlaku +C-Form Invoice Detail,C-Form Faktur Detil +C-Form No,C-Form ada +C-Form records,C-Form catatan +CENVAT Capital Goods,Cenvat Barang Modal +CENVAT Edu Cess,Cenvat Edu Cess +CENVAT SHE Cess,Cenvat SHE Cess +CENVAT Service Tax,Pelayanan Pajak Cenvat +CENVAT Service Tax Cess 1,Cenvat Pelayanan Pajak Cess 1 +CENVAT Service Tax Cess 2,Cenvat Pelayanan Pajak Cess 2 +Calculate Based On,Hitung Berbasis On +Calculate Total Score,Hitung Total Skor +Calendar Events,Kalender Acara +Call,Panggilan +Calls,Panggilan +Campaign,Kampanye +Campaign Name,Nama Kampanye +Campaign Name is required,Nama Kampanye diperlukan +Campaign Naming By,Kampanye Penamaan Dengan +Campaign-.####,Kampanye-.# # # # +Can be approved by {0},Dapat disetujui oleh {0} +"Can not filter based on Account, if grouped by Account","Tidak dapat menyaring berdasarkan Account, jika dikelompokkan berdasarkan Rekening" +"Can not filter based on Voucher No, if grouped by Voucher","Tidak dapat menyaring berdasarkan Voucher Tidak, jika dikelompokkan berdasarkan Voucher" +Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',Dapat merujuk baris hanya jika jenis biaya adalah 'On Sebelumnya Row Jumlah' atau 'Sebelumnya Row Jumlah' +Cancel Material Visit {0} before cancelling this Customer Issue,Batal Bahan Visit {0} sebelum membatalkan ini Issue Pelanggan +Cancel Material Visits {0} before cancelling this Maintenance Visit,Batal Kunjungan Material {0} sebelum membatalkan ini Maintenance Visit +Cancelled,Cancelled +Cancelling this Stock Reconciliation will nullify its effect.,Membatalkan ini Stock Rekonsiliasi akan meniadakan efeknya. +Cannot Cancel Opportunity as Quotation Exists,Tidak bisa Batal Peluang sebagai Quotation Exists +Cannot approve leave as you are not authorized to approve leaves on Block Dates,Tidak dapat menyetujui cuti karena Anda tidak berwenang untuk menyetujui daun di Blok Dates +Cannot cancel because Employee {0} is already approved for {1},Tidak dapat membatalkan karena Employee {0} sudah disetujui untuk {1} +Cannot cancel because submitted Stock Entry {0} exists,Tidak bisa membatalkan karena disampaikan Stock entri {0} ada +Cannot carry forward {0},Tidak bisa meneruskan {0} +Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,Tidak dapat mengubah Tahun Anggaran Tanggal Mulai dan Tanggal Akhir Tahun Anggaran setelah Tahun Anggaran disimpan. +"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Tidak dapat mengubah mata uang default perusahaan, karena ada transaksi yang ada. Transaksi harus dibatalkan untuk mengubah mata uang default." +Cannot convert Cost Center to ledger as it has child nodes,Tidak dapat mengkonversi Biaya Center untuk buku karena memiliki node anak +Cannot covert to Group because Master Type or Account Type is selected.,Tidak dapat mengkonversi ke Grup karena Guru Ketik atau Rekening Type dipilih. +Cannot deactive or cancle BOM as it is linked with other BOMs,Tidak dapat deactive atau cancle BOM seperti yang dihubungkan dengan BOMs lain +"Cannot declare as lost, because Quotation has been made.","Tidak dapat mendeklarasikan sebagai hilang, karena Quotation telah dibuat." +Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Tidak bisa mengurangi ketika kategori adalah untuk 'Penilaian' atau 'Penilaian dan Total' +"Cannot delete Serial No {0} in stock. First remove from stock, then delete.","Tidak dapat menghapus Serial ada {0} di saham. Pertama menghapus dari saham, kemudian hapus." +"Cannot directly set amount. For 'Actual' charge type, use the rate field","Tidak bisa langsung menetapkan jumlah. Untuk 'sebenarnya' jenis biaya, menggunakan kolom tingkat" +"Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in Stock Settings","Tidak bisa overbill untuk Item {0} di baris {0} lebih dari {1}. Untuk memungkinkan mark up, atur di Bursa Settings" +Cannot produce more Item {0} than Sales Order quantity {1},Tidak dapat menghasilkan lebih Barang {0} daripada kuantitas Sales Order {1} +Cannot refer row number greater than or equal to current row number for this Charge type,Tidak dapat merujuk nomor baris yang lebih besar dari atau sama dengan nomor baris saat ini untuk jenis Biaya ini +Cannot return more than {0} for Item {1},Tidak dapat kembali lebih dari {0} untuk Item {1} +Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,Tidak dapat memilih jenis biaya sebagai 'Pada Row Sebelumnya Jumlah' atau 'On Sebelumnya Row Jumlah' untuk baris pertama +Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for valuation. You can select only 'Total' option for previous row amount or previous row total,Tidak bisa memilih jenis biaya sebagai 'Pada Row Sebelumnya Jumlah' atau 'On Sebelumnya Row Jumlah' untuk penilaian. Anda dapat memilih hanya 'Jumlah' pilihan untuk jumlah baris sebelumnya atau total baris sebelumnya +Cannot set as Lost as Sales Order is made.,Tidak dapat ditetapkan sebagai Hilang sebagai Sales Order dibuat. +Cannot set authorization on basis of Discount for {0},Tidak dapat mengatur otorisasi atas dasar Diskon untuk {0} +Capacity,kapasitas +Capacity Units,Unit Kapasitas +Capital Account,Transaksi Modal +Capital Equipments,Peralatan Modal +Carry Forward,Carry Teruskan +Carry Forwarded Leaves,Carry Leaves Diteruskan +Case No(s) already in use. Try from Case No {0},Kasus ada (s) sudah digunakan. Coba dari Case ada {0} +Case No. cannot be 0,Kasus No tidak bisa 0 +Cash,kas +Cash In Hand,Cash In Hand +Cash Voucher,Voucher Cash +Cash or Bank Account is mandatory for making payment entry,Kas atau Rekening Bank wajib untuk membuat entri pembayaran +Cash/Bank Account,Rekening Kas / Bank +Casual Leave,Santai Cuti +Cell Number,Nomor Cell +Change UOM for an Item.,Mengubah UOM untuk Item. +Change the starting / current sequence number of an existing series.,Mengubah mulai / nomor urut saat ini dari seri yang ada. +Channel Partner,Mitra Channel +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 +Chargeable,Dibebankan +Charity and Donations,Amal dan Sumbangan +Chart Name,Bagan Nama +Chart of Accounts,Chart of Account +Chart of Cost Centers,Bagan Pusat Biaya +Check how the newsletter looks in an email by sending it to your email.,Periksa bagaimana newsletter terlihat dalam email dengan mengirimkannya ke email Anda. +"Check if recurring invoice, uncheck to stop recurring or put proper End Date","Periksa apakah berulang faktur, hapus centang untuk menghentikan berulang atau menempatkan tepat Tanggal Akhir" +"Check if you need automatic recurring invoices. After submitting any sales invoice, Recurring section will be visible.","Periksa apakah Anda memerlukan faktur berulang otomatis. Setelah mengirimkan setiap faktur penjualan, bagian Berulang akan terlihat." +Check if you want to send salary slip in mail to each employee while submitting salary slip,Periksa apakah Anda ingin mengirim Slip gaji mail ke setiap karyawan saat mengirimkan Slip gaji +Check this if you want to force the user to select a series before saving. There will be no default if you check this.,Periksa ini jika Anda ingin untuk memaksa pengguna untuk memilih seri sebelum menyimpan. Tidak akan ada default jika Anda memeriksa ini. +Check this if you want to show in website,Periksa ini jika Anda ingin menunjukkan di website +Check this to disallow fractions. (for Nos),Centang untuk melarang fraksi. (Untuk Nos) +Check this to pull emails from your mailbox,Periksa ini untuk menarik email dari kotak surat Anda +Check to activate,Periksa untuk mengaktifkan +Check to make Shipping Address,Periksa untuk memastikan Alamat Pengiriman +Check to make primary address,Periksa untuk memastikan alamat utama +Chemical,Kimia +Cheque,Cek +Cheque Date,Cek Tanggal +Cheque Number,Nomor Cek +Child account exists for this account. You can not delete this account.,Akun anak ada untuk akun ini. Anda tidak dapat menghapus akun ini. +City,Kota +City/Town,Kota / Kota +Claim Amount,Klaim Jumlah +Claims for company expense.,Klaim untuk biaya perusahaan. +Class / Percentage,Kelas / Persentase +Classic,Klasik +Clear Table,Jelas Table +Clearance Date,Izin Tanggal +Clearance Date not mentioned,Izin Tanggal tidak disebutkan +Clearance date cannot be before check date in row {0},Tanggal clearance tidak bisa sebelum tanggal check-in baris {0} +Click on 'Make Sales Invoice' button to create a new Sales Invoice.,Klik 'Buat Sales Invoice' tombol untuk membuat Faktur Penjualan baru. Click on a link to get options to expand get options , -Client,Tunggal -Close Balance Sheet and book Profit or Loss.,Item {0} tidak setup untuk Serial Nos Kolom harus kosong -Closed,Tanggal Jatuh Tempo Pembayaran -Closing Account Head,Alamat Type -Closing Account {0} must be of type 'Liability',Pemasok Rincian -Closing Date,GL Entri -Closing Fiscal Year,Karyawan -Closing Qty,Masukkan 'Apakah subkontrak' sebagai Ya atau Tidak -Closing Value,Anda telah memasuki duplikat item. Harap memperbaiki dan coba lagi. -CoA Help,Permintaan Material -Code,Pemasok> Pemasok Type -Cold Calling,Untuk Gudang diperlukan sebelum Submit -Color,Tidak ada entri akuntansi untuk gudang berikut -Comma separated list of email addresses,Sembunyikan Currency Symbol -Comment,Sebelumnya -Comments,Login Id Anda -Commercial,Voucher Cukai -Commission,"misalnya ""Membangun alat untuk pembangun """ -Commission Rate,Peluang Produk -Commission Rate (%),Template istilah atau kontrak. -Commission on Sales,Mr -Commission rate cannot be greater than 100,Istilah -Communication,Berlaku Untuk (User) -Communication HTML,Content Type -Communication History,Dari Bill of Material -Communication log.,Anak Perusahaan -Communications,Stock UOM Ganti Utilitas -Company,Daftar Belanja Daftar Harga -Company (not Customer or Supplier) master.,Sales Order {0} tidak valid -Company Abbreviation,Untuk Diskusikan -Company Details,Tidak ada Status {0} Serial harus 'Tersedia' untuk Menyampaikan -Company Email,"Row {0}: Qty tidak avalable di gudang {1} pada {2} {3} \ n Tersedia Qty:. {4}, transfer Qty: {5}" -"Company Email ID not found, hence mail not sent",Item {0} bukan merupakan Barang serial -Company Info,Hutang -Company Name,Instalasi Catatan {0} telah disampaikan -Company Settings,Berlaku Untuk (Penunjukan) -Company is missing in warehouses {0},Nomor BOM diperlukan untuk diproduksi Barang {0} berturut-turut {1} -Company is required,Kriteria Pemeriksaan -Company registration numbers for your reference. Example: VAT Registration Numbers etc.,Menutup Akun {0} harus bertipe 'Kewajiban' -Company registration numbers for your reference. Tax numbers etc.,Diterima Ditolak + Qty harus sama dengan jumlah yang diterima untuk Item {0} -"Company, Month and Fiscal Year is mandatory","Pilih ""Ya"" jika item ini mewakili beberapa pekerjaan seperti pelatihan, merancang, konsultasi dll" -Compensatory Off,Untuk Gudang -Complete,Mengubah mulai / nomor urut saat ini dari seri yang ada. -Complete Setup,Tidak ada kontak dibuat -Completed,Out Qty -Completed Production Orders,Total penilaian untuk diproduksi atau dikemas ulang item (s) tidak bisa kurang dari penilaian total bahan baku -Completed Qty,Transfer -Completion Date,Beban Tanggal -Completion Status,Jadwal Tanggal -Computer,Item {0} diabaikan karena bukan barang stok -Computers,Terhadap Faktur Penjualan -Confirmation Date,Tidak ada karyawan ditemukan! -Confirmed orders from Customers.,Perbarui tanggal pembayaran bank dengan jurnal. -Consider Tax or Charge for,Set as Default -Considered as Opening Balance,Piutang Grup -Considered as an Opening Balance,Sejarah Dalam Perusahaan -Consultant,PR Detil -Consulting,Untuk Nama Karyawan -Consumable,Ditagih -Consumable Cost,Membatalkan ini Stock Rekonsiliasi akan meniadakan efeknya. -Consumable cost per hour,Harga untuk Memimpin atau Pelanggan. -Consumed Qty,Pengiriman Note {0} tidak disampaikan -Consumer Products,"Makanan, Minuman dan Tembakau" -Contact,Jumlah sanksi -Contact Control,Pesanan Pembelian Trends -Contact Desc,Alamat email Anda -Contact Details,Entri terhadap -Contact Email,Nama Distribusi Anggaran -Contact HTML,Selesai -Contact Info,Gudang {0} tidak ada -Contact Mobile No,Perangkat keras -Contact Name,Template Default Address tidak bisa dihapus -Contact No.,Pengaturan POS -Contact Person,Barang-bijaksana Pembelian Register -Contact Type,Tambahkan Pajak dan Biaya -Contact master.,"Silakan pilih Barang di mana ""Apakah Stock Item"" adalah ""Tidak"" dan ""Apakah Penjualan Item"" adalah ""Ya"" dan tidak ada Penjualan BOM lainnya" -Contacts,kapasitas -Content,"Pilih ""Ya"" jika item ini digunakan untuk tujuan internal perusahaan Anda." -Content Type,Nilai atau Qty -Contra Voucher,Dijadwalkan -Contract,Kriteria Penerimaan -Contract End Date,Alamat Pelanggan Dan Kontak -Contract End Date must be greater than Date of Joining,Sebenarnya Faktur Tanggal -Contribution (%),Kualifikasi pendidikan -Contribution to Net Total,Purchase Order Barang Disediakan -Conversion Factor,"misalnya Bank, Kas, Kartu Kredit" -Conversion Factor is required,Doc Type -Conversion factor cannot be in fractions,Terhadap Voucher Type -Conversion factor for default Unit of Measure must be 1 in row {0},Masters -Conversion rate cannot be 0 or 1,Paket Item detail -Convert into Recurring Invoice,Email Terkirim? -Convert to Group,Komunikasi -Convert to Ledger,Thread HTML -Converted,Silakan pilih nilai untuk {0} quotation_to {1} -Copy From Item Group,Gudang tidak dapat dihapus sebagai entri stok buku ada untuk gudang ini. -Cosmetics,Apakah Anda benar-benar ingin menghentikan pesanan produksi: -Cost Center,Private Equity -Cost Center Details,Menunggu -Cost Center Name,Pribadi -Cost Center is required for 'Profit and Loss' account {0},Bioteknologi -Cost Center is required in row {0} in Taxes table for type {1},Pembayaran gaji untuk bulan {0} dan tahun {1} -Cost Center with existing transactions can not be converted to group,Penutup Tahun Anggaran -Cost Center with existing transactions can not be converted to ledger,Bill ada {0} sudah memesan di Purchase Invoice {1} -Cost Center {0} does not belong to Company {1},Material Transfer -Cost of Goods Sold,Default Jual Biaya Pusat -Costing,Dealer (Pelaku) -Country,Pay Net -Country Name,Header -Country wise default Address Templates,Serial No Layanan Kontrak kadaluarsa -"Country, Timezone and Currency",Kontrak -Create Bank Voucher for the total salary paid for the above selected criteria,Pengguna Keterangan adalah wajib -Create Customer,tes -Create Material Requests,Terretory -Create New,Jumlah yang luar biasa -Create Opportunity,Tidak ada catatan ditemukan -Create Production Orders,Dengan masuknya penutupan periode -Create Quotation,Tahun keuangan Tanggal Mulai -Create Receiver List,Kalender Acara -Create Salary Slip,Mohon masukkan untuk Item {0} -Create Stock Ledger Entries when you submit a Sales Invoice,Dapatkan Saham dan Tingkat -"Create and manage daily, weekly and monthly email digests.",Tahun keuangan Anda berakhir pada -Create rules to restrict transactions based on values.,Kontribusi terhadap Net Jumlah -Created By,Stock Proyeksi Jumlah -Creates salary slip for above mentioned criteria.,Cerukan Bank Rekening -Creation Date,Daftar Series Transaksi ini -Creation Document No,Nasabah Item Code -Creation Document Type,Impor Log -Creation Time,Silakan set nilai default {0} di Perusahaan {0} -Credentials,Bursa Ledger entri -Credit,Santai Cuti -Credit Amt,Qty Untuk Industri -Credit Card,Jumlah Pajak dan Biaya -Credit Card Voucher,Catatan: {0} -Credit Controller,Situs Gudang -Credit Days,POP3 Mail Server -Credit Limit,Deduction1 -Credit Note,"Set Nilai Default seperti Perusahaan, Mata Uang, Tahun Anggaran Current, dll" -Credit To,Tidak ada karyawan yang ditemukan -Currency,Aturan Pengiriman Kondisi -Currency Exchange,Tanggal akhir periode faktur saat ini -Currency Name,Kualitas Inspeksi diperlukan untuk Item {0} -Currency Settings,Stock UoM -Currency and Price List,Toko -Currency exchange rate master.,Tidak Authroized sejak {0} melebihi batas -Current Address,Frappe.io Portal -Current Address Is,Jumlah Total Dialokasikan tidak dapat lebih besar dari jumlah yang tak tertandingi -Current Assets,Tinggalkan Block List Diizinkan -Current BOM,Liburan -Current BOM and New BOM can not be same,"Tidak dapat menyaring berdasarkan Account, jika dikelompokkan berdasarkan Rekening" -Current Fiscal Year,Tinggalkan Alokasi -Current Liabilities,Rincian Beban Klaim -Current Stock,{0} {1} tidak dalam Tahun Anggaran -Current Stock UOM,Terhadap -Current Value,Masukkan Item Code untuk mendapatkan bets tidak -Custom,Sebuah Lead dengan id email ini harus ada -Custom Autoreply Message,Ulang Tahun Karyawan -Custom Message,"Seperti Orde Produksi dapat dibuat untuk item ini, itu harus menjadi barang saham." -Customer,All Contacts. -Customer (Receivable) Account,Toko bahan makanan -Customer / Item Name,Pengiriman Dokumen Tidak -Customer / Lead Address,Disukai Alamat Penagihan -Customer / Lead Name,Pemohon untuk pekerjaan. -Customer > Customer Group > Territory,Layanan -Customer Account Head,C-Form Faktur Detil -Customer Acquisition and Loyalty,Hubungi Nomor -Customer Address,Jumlah Pengalaman -Customer Addresses And Contacts,Grup -Customer Code,Alokasikan Jumlah otomatis -Customer Codes,Pemasok Part Number -Customer Details,Beban Kepala -Customer Feedback,Voucher Cash -Customer Group,"Rule harga dibuat untuk menimpa Daftar Harga / mendefinisikan persentase diskon, berdasarkan beberapa kriteria." -Customer Group / Customer,Kantor Sewa -Customer Group Name,Utama -Customer Intro,Stock Penuaan -Customer Issue,Simpan web 900px ramah (w) oleh 100px (h) -Customer Issue against Serial No.,Berlaku Untuk (Karyawan) -Customer Name,Membuat Struktur Gaji -Customer Naming By,Aturan untuk menerapkan harga dan diskon. -Customer Service,Bercerai -Customer database.,Debit Untuk -Customer is required,Silahkan pilih {0} pertama -Customer master.,Workstation Nama -Customer required for 'Customerwise Discount',Level -Customer {0} does not belong to project {1},Jumlah Tagihan (Pajak exculsive) -Customer {0} does not exist,New Stock UOM diperlukan -Customer's Item Code,Setelah Sale Instalasi -Customer's Purchase Order Date,Persentase Diskon dapat diterapkan baik terhadap Daftar Harga atau untuk semua List Price. -Customer's Purchase Order No,"Periksa apakah berulang faktur, hapus centang untuk menghentikan berulang atau menempatkan tepat Tanggal Akhir" -Customer's Purchase Order Number,Daftar Harga Nama -Customer's Vendor,Pengiriman Jumlah -Customers Not Buying Since Long Time,Mayor / Opsional Subjek -Customerwise Discount,Gudang tidak dapat diubah untuk Serial Number -Customize,Berat kotor paket. Berat + kemasan biasanya net berat bahan. (Untuk mencetak) -Customize the Notification,"Untuk kenyamanan pelanggan, kode ini dapat digunakan dalam format cetak seperti Faktur dan Pengiriman Catatan" -Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,Row {0}: Akun tidak sesuai dengan \ \ n Purchase Invoice Kredit Untuk account -DN Detail,Sales Order Diperlukan -Daily,Penjualan Mitra Komisi -Daily Time Log Summary,Pemeliharaan -Database Folder ID,Itemwise Rekomendasi Reorder Tingkat -Database of potential customers.,Syarat dan Ketentuan -Date,Sebagian Disampaikan -Date Format,Total Penghasilan -Date Of Retirement,Quotation {0} bukan dari jenis {1} -Date Of Retirement must be greater than Date of Joining,Buat Laporan -Date is repeated,Penamaan Pelanggan Dengan -Date of Birth,Landed Biaya Penerimaan Pembelian -Date of Issue,Nama Kelompok Pelanggan -Date of Joining,Dijadwalkan Tanggal -Date of Joining must be greater than Date of Birth,Tinggalkan Type Nama -Date on which lorry started from supplier warehouse,Data proyek-bijaksana tidak tersedia untuk Quotation -Date on which lorry started from your warehouse,Waktu di mana bahan yang diterima -Dates,misalnya 5 -Days Since Last Order,Stock Queue (FIFO) -Days for which Holidays are blocked for this department.,Laba Kotor (%) -Dealer,% Dari materi yang disampaikan terhadap Sales Order ini -Debit,Apakah Masuk Membuka -Debit Amt,Referensi Nama -Debit Note,Nama dan Deskripsi -Debit To,Jumlah Cuti Hari -Debit and Credit not equal for this voucher. Difference is {0}.,Transaksi -Deduct,Selamat Datang di ERPNext. Selama beberapa menit berikutnya kami akan membantu Anda setup account ERPNext Anda. Cobalah dan mengisi sebanyak mungkin informasi sebagai Anda memiliki bahkan jika dibutuhkan sedikit lebih lama. Ini akan menghemat banyak waktu. Selamat! -Deduction,Serial ada {0} tidak ada -Deduction Type,Semua Hari -Deduction1,Menghasilkan Jadwal -Deductions,"Ada komentar lain, upaya penting yang harus pergi dalam catatan." -Default,HR Manager -Default Account,Purchase Invoice {0} sudah disampaikan -Default Address Template cannot be deleted,Permintaan Detil Material ada -Default BOM,Sesuaikan teks pengantar yang berlangsung sebagai bagian dari email itu. Setiap transaksi memiliki teks pengantar yang terpisah. -Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,Barang pembaruan Selesai -Default Bank Account,Sumber dan target gudang tidak bisa sama untuk baris {0} -Default Buying Cost Center,Nama Karyawan -Default Buying Price List,Jumlah yang dialokasikan tidak bisa lebih besar dari jumlah unadusted -Default Cash Account,Membuat Maintenance Visit -Default Company,Unit / Shift -Default Currency,Milestones -Default Customer Group,Silahkan menulis sesuatu dalam subjek dan pesan! -Default Expense Account,Piutang akun / Hutang akan diidentifikasi berdasarkan bidang Guru Type -Default Income Account,Timbal Nama -Default Item Group,"Masukkan id email dipisahkan dengan koma, invoice akan dikirimkan secara otomatis pada tanggal tertentu" -Default Price List,Penuaan saat ini adalah wajib untuk membuka entri -Default Purchase Account in which cost of the item will be debited.,Keluar -Default Selling Cost Center,Reserved Gudang diperlukan untuk stok Barang {0} berturut-turut {1} -Default Settings,Item {0} telah dimasukkan beberapa kali terhadap operasi yang sama -Default Source Warehouse,Dapatkan item dari BOM -Default Stock UOM,Televisi -Default Supplier,Bulanan -Default Supplier Type,Bahan yang dibutuhkan (Meledak) -Default Target Warehouse,Standar Perusahaan -Default Territory,Silakan tentukan mata uang di Perusahaan -Default Unit of Measure,Pembaruan Series -"Default Unit of Measure can not be changed directly because you have already made some transaction(s) with another UOM. To change default UOM, use 'UOM Replace Utility' tool under Stock module.",Item {0} harus Layanan Barang -Default Valuation Method,"Membuat dan mengelola harian, mingguan dan bulanan mencerna email." -Default Warehouse,POP3 Mail Settings -Default Warehouse is mandatory for stock Item.,Pemberitahuan Alamat Email -Default settings for accounting transactions.,Quotation Trends -Default settings for buying transactions.,"

default Template \ n

Menggunakan Jinja template dan semua bidang Address (termasuk Custom Fields jika ada) akan tersedia \ n

  {{}} address_line1 
\ n {% jika% address_line2} {{}} address_line2
{% endif - \ n%} {{kota}}
\ n {% jika negara%} {{negara}}
{% endif -%} \ n {% jika pincode%} PIN: {{} kode PIN }
{% endif -%} \ n {{negara}}
\ n {% jika telepon%} Telepon: {{ponsel}}
{% endif - \%} n { % jika faks%} Fax: {{}} fax
{% endif -%} \ n {% jika email_id%} Email: {{}} email_id
{% endif - \ n%} < / code> " -Default settings for selling transactions.,Pilih Distribusi Anggaran untuk merata mendistribusikan target di bulan. -Default settings for stock transactions.,Dukungan Analtyics -Defense,Ada lebih dari libur hari kerja bulan ini. -"Define Budget for this Cost Center. To set budget action, see
Company Master",Terhadap Entri -Delete,Barang Jadi -Delete {0} {1}?,"Tinggalkan dapat disetujui oleh pengguna dengan Role, ""Tinggalkan Approver""" -Delivered,"Jika ditentukan, mengirim newsletter menggunakan alamat email ini" -Delivered Items To Be Billed,Parent Situs Route -Delivered Qty,Senin -Delivered Serial No {0} cannot be deleted,Biaya Pusat diperlukan berturut-turut {0} dalam tabel Pajak untuk jenis {1} -Delivery Date,Item {0} sudah dimasukkan beberapa kali dengan deskripsi atau tanggal yang sama -Delivery Details,Untuk Gudang -Delivery Document No,Berat Bersih dari setiap Item -Delivery Document Type,% Dari bahan yang diterima terhadap Purchase Order ini -Delivery Note,Multiple Item harga. -Delivery Note Item,Pembaruan Landed Cost -Delivery Note Items,Manage Group Pelanggan Pohon. -Delivery Note Message,Transaksi Modal -Delivery Note No,'Hari Sejak Orde terakhir' harus lebih besar dari atau sama dengan nol -Delivery Note Required,Umum -Delivery Note Trends,Item {0} harus Penjualan atau Jasa Barang di {1} -Delivery Note {0} is not submitted,Item Code adalah wajib karena Item tidak secara otomatis nomor -Delivery Note {0} must not be submitted,Toko -Delivery Notes {0} must be cancelled before cancelling this Sales Order,Pohon rekening finanial. -Delivery Status,Detail Penjualan -Delivery Time,Rekening -Delivery To,Email Id -Department,Qty to Order -Department Stores,Penerima -Depends on LWP,View Ledger -Depreciation,Nama Kampanye -Description,Catatan Pengiriman Baru -Description HTML,Sabun & Deterjen -Designation,Jumlah Total Kata -Designer,Harga -Detailed Breakup of the totals,Biaya Landed berhasil diperbarui -Details,Berikutnya Tanggal -Difference (Dr - Cr),Pengiriman Note Pesan -Difference Account,Metode Penilaian -"Difference Account must be a 'Liability' type account, since this Stock Reconciliation is an Opening Entry",Penawaran Tanggal -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.,Untuk referensi saja. -Direct Expenses,Terhadap Rekening -Direct Income,Tanggal dimana faktur berikutnya akan dihasilkan. Hal ini dihasilkan di submit. \ N -Disable,Detail Proyek -Disable Rounded Total,Daftar harga Master. -Disabled,Agen -Discount %,Email berikutnya akan dikirim pada: -Discount %,Newsletter Status -Discount (%),Ini adalah kelompok barang akar dan tidak dapat diedit. -Discount Amount,Faktur Penjualan {0} harus dibatalkan sebelum membatalkan Sales Order ini -"Discount Fields will be available in Purchase Order, Purchase Receipt, Purchase Invoice",Daftar beberapa pemasok Anda. Mereka bisa menjadi organisasi atau individu. -Discount Percentage,Diharapkan Tanggal Penyelesaian tidak bisa kurang dari Tanggal Mulai Proyek -Discount Percentage can be applied either against a Price List or for all Price List.,Row {0}: Qty adalah wajib -Discount must be less than 100,"Untuk mencakup pajak berturut-turut {0} di tingkat Barang, pajak dalam baris {1} juga harus disertakan" -Discount(%),Mendarat Penerimaan Biaya Pembelian -Dispatch,Anda dapat memperbarui baik Quantity atau Tingkat Penilaian atau keduanya. -Display all the individual items delivered with the main items,Pratayang -Distribute transport overhead across items.,Pajak dan Biaya Perhitungan -Distribution,Item Grup -Distribution Id,Pilih nama perusahaan yang bersangkutan jika Anda memiliki beberapa perusahaan. -Distribution Name,Serial ada {0} tidak dalam stok -Distributor,Terpenuhi -Divorced,Dapatkan Item Dari Penjualan Pesanan -Do Not Contact,Informasi Kontak -Do not show any symbol like $ etc next to currencies.,Template Alamat +Client,Client (Nasabah) +Close Balance Sheet and book Profit or Loss.,Tutup Neraca dan Perhitungan Laba Rugi atau buku. +Closed,Tertutup +Closing (Cr),Penutup (Cr) +Closing (Dr),Penutup (Dr) +Closing Account Head,Menutup Akun Kepala +Closing Account {0} must be of type 'Liability',Menutup Akun {0} harus bertipe 'Kewajiban' +Closing Date,Closing Date +Closing Fiscal Year,Penutup Tahun Anggaran +Closing Qty,Penutup Qty +Closing Value,Penutup Nilai +CoA Help,CoA Bantuan +Code,Kode +Cold Calling,Calling Dingin +Color,Warna +Column Break,Kolom Istirahat +Comma separated list of email addresses,Koma daftar alamat email dipisahkan +Comment,Komentar +Comments,Komentar +Commercial,Komersial +Commission,Komisi +Commission Rate,Komisi Tingkat +Commission Rate (%),Komisi Rate (%) +Commission on Sales,Komisi Penjualan +Commission rate cannot be greater than 100,Tingkat komisi tidak dapat lebih besar dari 100 +Communication,Komunikasi +Communication HTML,Komunikasi HTML +Communication History,Sejarah Komunikasi +Communication log.,Log komunikasi. +Communications,Komunikasi +Company,Perusahaan +Company (not Customer or Supplier) master.,Perusahaan (tidak Pelanggan atau Pemasok) Master. +Company Abbreviation,Singkatan Perusahaan +Company Details,Detail Perusahaan +Company Email,Perusahaan Email +"Company Email ID not found, hence mail not sent","Perusahaan Email ID tidak ditemukan, maka surat tidak terkirim" +Company Info,Info Perusahaan +Company Name,Company Name +Company Settings,Pengaturan Perusahaan +Company is missing in warehouses {0},Perusahaan hilang di gudang {0} +Company is required,Perusahaan diwajibkan +Company registration numbers for your reference. Example: VAT Registration Numbers etc.,Nomor registrasi perusahaan untuk referensi Anda. Contoh: Pendaftaran PPN Nomor dll +Company registration numbers for your reference. Tax numbers etc.,Nomor registrasi perusahaan untuk referensi Anda. Nomor pajak dll +"Company, Month and Fiscal Year is mandatory","Perusahaan, Bulan dan Tahun Anggaran adalah wajib" +Compensatory Off,Kompensasi Off +Complete,Selesai +Complete Setup,Pengaturan Lengkap +Completed,Selesai +Completed Production Orders,Pesanan Produksi Selesai +Completed Qty,Selesai Qty +Completion Date,Tanggal Penyelesaian +Completion Status,Status Penyelesaian +Computer,Komputer +Computers,Komputer +Confirmation Date,Konfirmasi Tanggal +Confirmed orders from Customers.,Dikonfirmasi pesanan dari pelanggan. +Consider Tax or Charge for,Pertimbangkan Pajak atau Biaya untuk +Considered as Opening Balance,Dianggap sebagai Membuka Balance +Considered as an Opening Balance,Dianggap sebagai Saldo Pembukaan +Consultant,Konsultan +Consulting,Konsultasi +Consumable,Consumable +Consumable Cost,Biaya Consumable +Consumable cost per hour,Biaya konsumsi per jam +Consumed Qty,Dikonsumsi Qty +Consumer Products,Produk Konsumen +Contact,Kontak +Contact Control,Kontak Kontrol +Contact Desc,Contact Info +Contact Details,Kontak Detail +Contact Email,Email Kontak +Contact HTML,Hubungi HTML +Contact Info,Informasi Kontak +Contact Mobile No,Kontak Mobile No +Contact Name,Nama Kontak +Contact No.,Hubungi Nomor +Contact Person,Contact Person +Contact Type,Hubungi Type +Contact master.,Kontak utama. +Contacts,Kontak +Content,Isi Halaman +Content Type,Content Type +Contra Voucher,Contra Voucher +Contract,Kontrak +Contract End Date,Tanggal Kontrak End +Contract End Date must be greater than Date of Joining,Kontrak Tanggal Akhir harus lebih besar dari Tanggal Bergabung +Contribution (%),Kontribusi (%) +Contribution to Net Total,Kontribusi terhadap Net Jumlah +Conversion Factor,Faktor konversi +Conversion Factor is required,Faktor konversi diperlukan +Conversion factor cannot be in fractions,Faktor konversi tidak dapat di fraksi +Conversion factor for default Unit of Measure must be 1 in row {0},Faktor konversi untuk Unit default Ukur harus 1 berturut-turut {0} +Conversion rate cannot be 0 or 1,Tingkat konversi tidak bisa 0 atau 1 +Convert into Recurring Invoice,Mengkonversi menjadi Faktur Berulang +Convert to Group,Konversikan ke Grup +Convert to Ledger,Convert to Ledger +Converted,Dikonversi +Copy From Item Group,Salin Dari Barang Grup +Cosmetics,Kosmetik +Cost Center,Biaya Pusat +Cost Center Details,Biaya Pusat Detail +Cost Center Name,Biaya Nama Pusat +Cost Center is required for 'Profit and Loss' account {0},Biaya Pusat diperlukan untuk akun 'Laba Rugi' {0} +Cost Center is required in row {0} in Taxes table for type {1},Biaya Pusat diperlukan dalam baris {0} dalam tabel Pajak untuk tipe {1} +Cost Center with existing transactions can not be converted to group,Biaya Center dengan transaksi yang ada tidak dapat dikonversi ke grup +Cost Center with existing transactions can not be converted to ledger,Biaya Center dengan transaksi yang ada tidak dapat dikonversi ke buku +Cost Center {0} does not belong to Company {1},Biaya Pusat {0} bukan milik Perusahaan {1} +Cost of Goods Sold,Harga Pokok Penjualan +Costing,Biaya +Country,Negara +Country Name,Nama Negara +Country wise default Address Templates,Negara bijaksana Alamat bawaan Template +"Country, Timezone and Currency","Country, Timezone dan Mata Uang" +Create Bank Voucher for the total salary paid for the above selected criteria,Buat Bank Voucher untuk gaji total yang dibayarkan untuk kriteria pilihan di atas +Create Customer,Buat Pelanggan +Create Material Requests,Buat Permintaan Material +Create New,Buat New +Create Opportunity,Buat Peluang +Create Production Orders,Buat Pesanan Produksi +Create Quotation,Buat Quotation +Create Receiver List,Buat Daftar Penerima +Create Salary Slip,Buat Slip Gaji +Create Stock Ledger Entries when you submit a Sales Invoice,Buat Bursa Ledger Entries ketika Anda mengirimkan Faktur Penjualan +"Create and manage daily, weekly and monthly email digests.","Membuat dan mengelola harian, mingguan dan bulanan mencerna email." +Create rules to restrict transactions based on values.,Buat aturan untuk membatasi transaksi berdasarkan nilai-nilai. +Created By,Dibuat Oleh +Creates salary slip for above mentioned criteria.,Membuat Slip gaji untuk kriteria yang disebutkan di atas. +Creation Date,Tanggal Pembuatan +Creation Document No,Penciptaan Dokumen Tidak +Creation Document Type,Pembuatan Dokumen Type +Creation Time,Waktu Pembuatan +Credentials,Surat kepercayaan +Credit,Piutang +Credit Amt,Kredit Jumlah Yang +Credit Card,Kartu Kredit +Credit Card Voucher,Voucher Kartu Kredit +Credit Controller,Kontroler Kredit +Credit Days,Hari Kredit +Credit Limit,Batas Kredit +Credit Note,Nota Kredit +Credit To,Kredit Untuk +Currency,Mata uang +Currency Exchange,Kurs Mata Uang +Currency Name,Nama Mata Uang +Currency Settings,Pengaturan Mata Uang +Currency and Price List,Mata Uang dan Daftar Harga +Currency exchange rate master.,Menguasai nilai tukar mata uang. +Current Address,Alamat saat ini +Current Address Is,Alamat saat ini adalah +Current Assets,Aset Lancar +Current BOM,BOM saat ini +Current BOM and New BOM can not be same,BOM Lancar dan New BOM tidak bisa sama +Current Fiscal Year,Tahun Anggaran saat ini +Current Liabilities,Kewajiban Lancar +Current Stock,Stok saat ini +Current Stock UOM,Stok saat ini UOM +Current Value,Nilai saat ini +Custom,Disesuaikan +Custom Autoreply Message,Kustom Autoreply Pesan +Custom Message,Custom Pesan +Customer,Layanan Pelanggan +Customer (Receivable) Account,Pelanggan (Piutang) Rekening +Customer / Item Name,Pelanggan / Item Nama +Customer / Lead Address,Pelanggan / Lead Alamat +Customer / Lead Name,Pelanggan / Lead Nama +Customer > Customer Group > Territory,Pelanggan> Grup Pelanggan> Wilayah +Customer Account Head,Nasabah Akun Kepala +Customer Acquisition and Loyalty,Akuisisi Pelanggan dan Loyalitas +Customer Address,Alamat pelanggan +Customer Addresses And Contacts,Alamat Pelanggan Dan Kontak +Customer Addresses and Contacts,Alamat pelanggan dan Kontak +Customer Code,Kode Pelanggan +Customer Codes,Kode Pelanggan +Customer Details,Rincian pelanggan +Customer Feedback,Pelanggan Umpan +Customer Group,Kelompok Pelanggan +Customer Group / Customer,Kelompok Pelanggan / Pelanggan +Customer Group Name,Nama Kelompok Pelanggan +Customer Intro,Intro Pelanggan +Customer Issue,Nasabah Isu +Customer Issue against Serial No.,Issue pelanggan terhadap Serial Number +Customer Name,Nama nasabah +Customer Naming By,Penamaan Pelanggan Dengan +Customer Service,Layanan Pelanggan +Customer database.,Database pelanggan. +Customer is required,Pelanggan diwajibkan +Customer master.,Master pelanggan. +Customer required for 'Customerwise Discount',Pelanggan yang dibutuhkan untuk 'Customerwise Diskon' +Customer {0} does not belong to project {1},Pelanggan {0} bukan milik proyek {1} +Customer {0} does not exist,Pelanggan {0} tidak ada +Customer's Item Code,Nasabah Item Code +Customer's Purchase Order Date,Nasabah Purchase Order Tanggal +Customer's Purchase Order No,Nasabah Purchase Order No +Customer's Purchase Order Number,Nasabah Purchase Order Nomor +Customer's Vendor,Penjual Nasabah +Customers Not Buying Since Long Time,Pelanggan Tidak Membeli Sejak Long Time +Customerwise Discount,Customerwise Diskon +Customize,Sesuaikan +Customize the Notification,Sesuaikan Pemberitahuan +Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,Sesuaikan teks pengantar yang berlangsung sebagai bagian dari email itu. Setiap transaksi memiliki teks pengantar yang terpisah. +DN Detail,DN Detil +Daily,Sehari-hari +Daily Time Log Summary,Harian Waktu Log Summary +Database Folder ID,Database Folder ID +Database of potential customers.,Database pelanggan potensial. +Date,Tanggal +Date Format,Format Tanggal +Date Of Retirement,Tanggal Of Pensiun +Date Of Retirement must be greater than Date of Joining,Tanggal Of Pensiun harus lebih besar dari Tanggal Bergabung +Date is repeated,Tanggal diulang +Date of Birth,Tanggal Lahir +Date of Issue,Tanggal Issue +Date of Joining,Tanggal Bergabung +Date of Joining must be greater than Date of Birth,Tanggal Bergabung harus lebih besar dari Tanggal Lahir +Date on which lorry started from supplier warehouse,Tanggal truk mulai dari pemasok gudang +Date on which lorry started from your warehouse,Tanggal truk mulai dari gudang Anda +Dates,Tanggal +Days Since Last Order,Hari Sejak Orde terakhir +Days for which Holidays are blocked for this department.,Hari yang Holidays diblokir untuk departemen ini. +Dealer,Dealer (Pelaku) +Debit,Debet +Debit Amt,Debit Amt +Debit Note,Debit Note +Debit To,Debit Untuk +Debit and Credit not equal for this voucher. Difference is {0}.,Debit dan Kredit tidak sama untuk voucher ini. Perbedaan adalah {0}. +Deduct,Mengurangi +Deduction,Deduksi +Deduction Type,Pengurangan Type +Deduction1,Deduction1 +Deductions,Pengurangan +Default,Dfault +Default Account,Standar Akun +Default Address Template cannot be deleted,Template Default Address tidak bisa dihapus +Default Amount,Jumlah standar +Default BOM,Standar BOM +Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,Standar rekening Bank / Cash akan secara otomatis diperbarui di POS Invoice saat mode ini dipilih. +Default Bank Account,Standar Rekening Bank +Default Buying Cost Center,Standar Biaya Membeli Pusat +Default Buying Price List,Standar Membeli Daftar Harga +Default Cash Account,Standar Rekening Kas +Default Company,Standar Perusahaan +Default Currency,Currency Default +Default Customer Group,Bawaan Pelanggan Grup +Default Expense Account,Beban standar Akun +Default Income Account,Akun Pendapatan standar +Default Item Group,Default Item Grup +Default Price List,Standar List Harga +Default Purchase Account in which cost of the item will be debited.,Standar Pembelian Akun di mana biaya tersebut akan didebet. +Default Selling Cost Center,Default Jual Biaya Pusat +Default Settings,Pengaturan standar +Default Source Warehouse,Sumber standar Gudang +Default Stock UOM,Bawaan Stock UOM +Default Supplier,Standar Pemasok +Default Supplier Type,Standar Pemasok Type +Default Target Warehouse,Standar Sasaran Gudang +Default Territory,Wilayah standar +Default Unit of Measure,Standar Satuan Ukur +"Default Unit of Measure can not be changed directly because you have already made some transaction(s) with another UOM. To change default UOM, use 'UOM Replace Utility' tool under Stock module.","Standar Unit Ukur tidak dapat diubah secara langsung karena Anda telah membuat beberapa transaksi (s) dengan UOM lain. Untuk mengubah UOM default, gunakan 'UOM Ganti Utilitas' alat di bawah modul Stock." +Default Valuation Method,Metode standar Penilaian +Default Warehouse,Standar Gudang +Default Warehouse is mandatory for stock Item.,Standar Warehouse adalah wajib bagi saham Barang. +Default settings for accounting transactions.,Pengaturan default untuk transaksi akuntansi. +Default settings for buying transactions.,Pengaturan default untuk membeli transaksi. +Default settings for selling transactions.,Pengaturan default untuk menjual transaksi. +Default settings for stock transactions.,Pengaturan default untuk transaksi saham. +Defense,Pertahanan +"Define Budget for this Cost Center. To set budget action, see Company Master","Tentukan Anggaran Biaya Pusat ini. Untuk mengatur aksi anggaran, lihat Perusahaan Master " +Del,Del +Delete,Hapus +Delete {0} {1}?,Hapus {0} {1}? +Delivered,Disampaikan +Delivered Items To Be Billed,Produk Disampaikan Akan Ditagih +Delivered Qty,Disampaikan Qty +Delivered Serial No {0} cannot be deleted,Disampaikan Serial ada {0} tidak dapat dihapus +Delivery Date,Tanggal Pengiriman +Delivery Details,Detail Pengiriman +Delivery Document No,Pengiriman Dokumen Tidak +Delivery Document Type,Pengiriman Dokumen Type +Delivery Note,Pengiriman Note +Delivery Note Item,Pengiriman Barang Note +Delivery Note Items,Pengiriman Note Items +Delivery Note Message,Pengiriman Note Pesan +Delivery Note No,Pengiriman Note No +Delivery Note Required,Pengiriman Note Diperlukan +Delivery Note Trends,Tren pengiriman Note +Delivery Note {0} is not submitted,Pengiriman Note {0} tidak disampaikan +Delivery Note {0} must not be submitted,Pengiriman Note {0} tidak boleh disampaikan +Delivery Notes {0} must be cancelled before cancelling this Sales Order,Catatan pengiriman {0} harus dibatalkan sebelum membatalkan Sales Order ini +Delivery Status,Status Pengiriman +Delivery Time,Waktu Pengiriman +Delivery To,Pengiriman Untuk +Department,Departemen +Department Stores,Departmen Store +Depends on LWP,Tergantung pada LWP +Depreciation,Penyusutan +Description,Deskripsi +Description HTML,Deskripsi HTML +Designation,Penunjukan +Designer,Perancang +Detailed Breakup of the totals,Breakup rinci dari total +Details,Penjelasan +Difference (Dr - Cr),Perbedaan (Dr - Cr) +Difference Account,Perbedaan Akun +"Difference Account must be a 'Liability' type account, since this Stock Reconciliation is an Opening Entry","Perbedaan Akun harus rekening jenis 'Kewajiban', karena ini Stock Rekonsiliasi adalah sebuah entri Opening" +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. +Direct Expenses,Beban Langsung +Direct Income,Penghasilan Langsung +Disable,Nonaktifkan +Disable Rounded Total,Nonaktifkan Rounded Jumlah +Disabled,Dinonaktifkan +Discount %,Diskon% +Discount %,Diskon% +Discount (%),Diskon (%) +Discount Amount,Jumlah Diskon +"Discount Fields will be available in Purchase Order, Purchase Receipt, Purchase Invoice","Diskon Fields akan tersedia dalam Purchase Order, Penerimaan Pembelian, Purchase Invoice" +Discount Percentage,Persentase Diskon +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. +Discount must be less than 100,Diskon harus kurang dari 100 +Discount(%),Diskon (%) +Dispatch,Pengiriman +Display all the individual items delivered with the main items,Menampilkan semua item individual disampaikan dengan item utama +Distribute transport overhead across items.,Mendistribusikan overhead transportasi di seluruh item. +Distribution,Distribusi +Distribution Id,Id Distribusi +Distribution Name,Nama Distribusi +Distributor,Distributor +Divorced,Bercerai +Do Not Contact,Jangan Hubungi +Do not show any symbol like $ etc next to currencies.,Jangan menunjukkan simbol seperti $ etc sebelah mata uang. Do really want to unstop production order: , Do you really want to STOP , -Do you really want to STOP this Material Request?,Prevdoc Doctype -Do you really want to Submit all Salary Slip for month {0} and year {1},Pesanan Produksi +Do you really want to STOP this Material Request?,Apakah Anda benar-benar ingin BERHENTI Permintaan Bahan ini? +Do you really want to Submit all Salary Slip for month {0} and year {1},Apakah Anda benar-benar ingin Menyerahkan semua Slip Gaji untuk bulan {0} dan tahun {1} Do you really want to UNSTOP , -Do you really want to UNSTOP this Material Request?,Item {0} tidak aktif atau akhir hidup telah tercapai +Do you really want to UNSTOP this Material Request?,Apakah Anda benar-benar ingin unstop Permintaan Bahan ini? Do you really want to stop production order: , -Doc Name,Row # {0}: Silakan tentukan Serial ada untuk Item {1} -Doc Type,Aktiva Tetap -Document Description,Diskon (%) -Document Type,Tingkat Dasar -Documents,"Masukkan parameter url statis di sini (Misalnya pengirim = ERPNext, username = ERPNext, password = 1234 dll)" -Domain,Item-wise Daftar Penjualan -Don't send Employee Birthday Reminders,Masukkan penunjukan Kontak ini -Download Materials Required,Peran yang diperbolehkan untuk mengirimkan transaksi yang melebihi batas kredit yang ditetapkan. -Download Reconcilation Data,Berikutnya Hubungi Tanggal -Download Template,Point of Sale -Download a report containing all raw materials with their latest inventory status,Warna -"Download the Template, fill appropriate data and attach the modified file.",Gol Appraisal Template +Doc Name,Doc Nama +Doc Type,Doc Type +Document Description,Dokumen Deskripsi +Document Type,Jenis Dokumen +Documents,Docuements +Domain,Domain +Don't send Employee Birthday Reminders,Jangan mengirim Karyawan Ulang Tahun Pengingat +Download Materials Required,Unduh Bahan yang dibutuhkan +Download Reconcilation Data,Ambil rekonsiliasi data +Download Template,Download Template +Download a report containing all raw materials with their latest inventory status,Download laporan yang berisi semua bahan baku dengan status persediaan terbaru mereka +"Download the Template, fill appropriate data and attach the modified file.","Unduh Template, isi data yang tepat dan melampirkan file dimodifikasi." "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",Faktor coversion UOM diperlukan untuk UOM: {0} di Item: {1} -Draft,C-Form Berlaku -Dropbox,iklan -Dropbox Access Allowed,Entah debit atau jumlah kredit diperlukan untuk {0} -Dropbox Access Key,Membuat Perbedaan Entri -Dropbox Access Secret,Diharapkan Pengiriman Tanggal tidak bisa sebelum Sales Order Tanggal -Due Date,Pengaturan Jobs Email -Due Date cannot be after {0},Peluang Tanggal -Due Date cannot be before Posting Date,Komunikasi Baru -Duplicate Entry. Please check Authorization Rule {0},"Catatan: Backup dan file tidak dihapus dari Dropbox, Anda harus menghapusnya secara manual." -Duplicate Serial No entered for Item {0},Dibayar Jumlah -Duplicate entry,"Tabel berikut akan menunjukkan nilai jika item sub - kontrak. Nilai-nilai ini akan diambil dari master ""Bill of Material"" sub - kontrak item." -Duplicate row {0} with same {1},Pemeliharaan Kunjungan {0} harus dibatalkan sebelum membatalkan Sales Order ini -Duties and Taxes,Profil Job -ERPNext Setup,Daftar Harga Mata uang tidak dipilih -Earliest,Biarkan Bill of Material harus 'Ya'. Karena satu atau banyak BOMs aktif hadir untuk item ini -Earnest Money,Rekening harus menjadi akun neraca -Earning,Sales Order {0} tidak disampaikan -Earning & Deduction,Gaji perpisahan berdasarkan Produktif dan Pengurangan. -Earning Type,Kontroler Kredit -Earning1,Dari Penerimaan Pembelian -Edit,Mailing massa -Education,Detail lainnya -Educational Qualification,Jumlah Poin -Educational Qualification Details,Triwulanan -Eg. smsgateway.com/api/send_sms.cgi,File Folder ID -Either debit or credit amount is required for {0},Biaya Consumable -Either target qty or target amount is mandatory,Isu -Either target qty or target amount is mandatory.,Stock Entri -Electrical,Silakan pilih Mengisi Tipe pertama -Electricity Cost,Beban Rekening wajib -Electricity cost per hour,"Memilih ""Ya"" akan memungkinkan Anda untuk membuat Order Produksi untuk item ini." -Electronics,{0} sekarang default Tahun Anggaran. Silahkan refresh browser Anda untuk perubahan untuk mengambil efek. -Email,Waktu di mana barang dikirim dari gudang -Email Digest,Tanggal Akhir Tahun -Email Digest Settings,Asisten +All dates and employee combination in the selected period will come in the template, with existing attendance records","Unduh Template, isi data yang tepat dan melampirkan file dimodifikasi. + Semua tanggal dan kombinasi karyawan dalam jangka waktu yang dipilih akan datang dalam template, dengan catatan kehadiran yang ada" +Draft,Konsep +Dropbox,Dropbox +Dropbox Access Allowed,Dropbox Access Diizinkan +Dropbox Access Key,Dropbox Access Key +Dropbox Access Secret,Dropbox Access Rahasia +Due Date,Tanggal Jatuh Tempo +Due Date cannot be after {0},Tanggal jatuh tempo tidak boleh setelah {0} +Due Date cannot be before Posting Date,Tanggal jatuh tempo tidak bisa sebelum Tanggal Posting +Duplicate Entry. Please check Authorization Rule {0},Gandakan entri. Silakan periksa Peraturan Otorisasi {0} +Duplicate Serial No entered for Item {0},Gandakan Serial ada dimasukkan untuk Item {0} +Duplicate entry,Gandakan entri +Duplicate row {0} with same {1},Baris duplikat {0} dengan sama {1} +Duties and Taxes,Tugas dan Pajak +ERPNext Setup,ERPNext Pengaturan +Earliest,Terlama +Earnest Money,Uang Earnest +Earning,Earning +Earning & Deduction,Earning & Pengurangan +Earning Type,Produktif Type +Earning1,Earning1 +Edit,Ubah +Edu. Cess on Excise,Edu. Cess tentang Cukai +Edu. Cess on Service Tax,Edu. Cess Pajak Layanan +Edu. Cess on TDS,Edu. Cess pada TDS +Education,Pendidikan +Educational Qualification,Kualifikasi pendidikan +Educational Qualification Details,Kualifikasi Pendidikan Detail +Eg. smsgateway.com/api/send_sms.cgi,Misalnya. smsgateway.com / api / send_sms.cgi +Either debit or credit amount is required for {0},Entah debit atau jumlah kredit diperlukan untuk {0} +Either target qty or target amount is mandatory,Entah sasaran qty atau jumlah target adalah wajib +Either target qty or target amount is mandatory.,Entah Target qty atau jumlah target adalah wajib. +Electrical,Listrik +Electricity Cost,Biaya Listrik +Electricity cost per hour,Biaya listrik per jam +Electronics,Elektronik +Email,siska_chute34@yahoo.com +Email Digest,Email Digest +Email Digest Settings,Email Digest Pengaturan Email Digest: , -Email Id,Upload Backup ke Google Drive -"Email Id where a job applicant will email e.g. ""jobs@example.com""",Bio -Email Notifications,Periksa ini untuk melarang fraksi. (Untuk Nos) -Email Sent?,Tanggal Bergabung harus lebih besar dari Tanggal Lahir -"Email id must be unique, already exists for {0}",Jumlah Debit -Email ids separated by commas.,Tambahkan Pajak -"Email settings to extract Leads from sales email id e.g. ""sales@example.com""",Stock Frozen Upto -Emergency Contact,Anda tidak bisa masuk voucher saat ini di 'Melawan Journal Voucher' kolom -Emergency Contact Details,Masukkan pesan sebelum mengirim -Emergency Phone,Gross Margin% -Employee,Kampanye-.# # # # -Employee Birthday,Konsep -Employee Details,Klaim untuk biaya perusahaan. -Employee Education,Silakan set Cash standar atau rekening Bank Mode Pembayaran {0} -Employee External Work History,Silakan pilih dari hari mingguan -Employee Information,Anda adalah Approver Beban untuk catatan ini. Silakan Update 'Status' dan Simpan -Employee Internal Work History,Biaya -Employee Internal Work Historys,Rincian Biaya -Employee Leave Approver,Penjualan BOM Bantuan -Employee Leave Balance,The Approver Cuti pertama dalam daftar akan ditetapkan sebagai default Tinggalkan Approver -Employee Name,Semua Addresses. -Employee Number,"Tentukan Anggaran Biaya Pusat ini. Untuk mengatur aksi anggaran, lihat Perusahaan Master " -Employee Records to be created by,{0} {1} harus diserahkan -Employee Settings,Tunggakan -Employee Type,Incoming -"Employee designation (e.g. CEO, Director etc.).",Prospek yang lebih baik -Employee master.,Penilaian kinerja. +Email Id,Email Id +"Email Id where a job applicant will email e.g. ""jobs@example.com""","Email Id di mana pelamar pekerjaan akan mengirimkan email misalnya ""jobs@example.com""" +Email Notifications,Notifikasi Email +Email Sent?,Email Terkirim? +"Email id must be unique, already exists for {0}","Email id harus unik, sudah ada untuk {0}" +Email ids separated by commas.,Id email dipisahkan dengan koma. +"Email settings to extract Leads from sales email id e.g. ""sales@example.com""","Setelan email untuk mengekstrak Memimpin dari id email penjualan misalnya ""sales@example.com""" +Emergency Contact,Darurat Kontak +Emergency Contact Details,Detail Darurat Kontak +Emergency Phone,Darurat Telepon +Employee,Karyawan +Employee Birthday,Ulang Tahun Karyawan +Employee Details,Detail Karyawan +Employee Education,Pendidikan Karyawan +Employee External Work History,Karyawan Eksternal Riwayat Pekerjaan +Employee Information,Informasi Karyawan +Employee Internal Work History,Karyawan Kerja internal Sejarah +Employee Internal Work Historys,Karyawan internal Kerja historys +Employee Leave Approver,Karyawan Tinggalkan Approver +Employee Leave Balance,Cuti Karyawan Balance +Employee Name,Nama Karyawan +Employee Number,Jumlah Karyawan +Employee Records to be created by,Rekaman Karyawan yang akan dibuat oleh +Employee Settings,Pengaturan Karyawan +Employee Type,Tipe Karyawan +"Employee designation (e.g. CEO, Director etc.).","Penunjukan Karyawan (misalnya CEO, Direktur dll)." +Employee master.,Master Karyawan. Employee record is created using selected field. , -Employee records.,UOM Detail Konversi -Employee relieved on {0} must be set as 'Left',Tampilkan slide ini di bagian atas halaman -Employee {0} has already applied for {1} between {2} and {3},Tingkat di mana pajak ini diterapkan -Employee {0} is not active or does not exist,Dapatkan Entries Relevan -Employee {0} was on leave on {1}. Cannot mark attendance.,Disampaikan% -Employees Email Id,Akar Type -Employment Details,Penerbitan -Employment Type,Tidak dapat kembali lebih dari {0} untuk Item {1} -Enable / disable currencies.,Gudang-bijaksana Barang Reorder -Enabled,Jumlah (Perusahaan Mata Uang) -Encashment Date,Fitur Pengaturan -End Date,Pelanggan / Item Nama -End Date can not be less than Start Date,Jumlah poin untuk semua tujuan harus 100. Ini adalah {0} -End date of current invoice's period,Terbaru -End of Life,Mendistribusikan overhead transportasi di seluruh item. -Energy,Barang Wise Detil Pajak -Engineer,Rekening Bank No -Enter Verification Code,Enquiry Produk -Enter campaign name if the source of lead is campaign.,Sumber Dana (Kewajiban) -Enter department to which this Contact belongs,Kedua Gudang harus milik Perusahaan yang sama -Enter designation of this Contact,Beban lain-lain -"Enter email id separated by commas, invoice will be mailed automatically on particular date",Waktu Log Batch {0} harus 'Dikirim' -Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,"Update dialokasikan jumlah dalam tabel di atas dan kemudian klik ""Alokasikan"" tombol" -Enter name of campaign if source of enquiry is campaign,"Profil pekerjaan, kualifikasi yang dibutuhkan dll" -"Enter static url parameters here (Eg. sender=ERPNext, username=ERPNext, password=1234 etc.)",Tidak diberikan deskripsi -Enter the company name under which Account Head will be created for this Supplier,Penjualan dan Pembelian -Enter url parameter for message,Penerapan Dana (Aset) -Enter url parameter for receiver nos,Pengalaman Kerja Sebelumnya -Entertainment & Leisure,Pembuatan Dokumen Type -Entertainment Expenses,Biaya Listrik -Entries,Pemasok Type induk. -Entries against,Pengiriman Barang Note -Entries are not allowed against this Fiscal Year if the year is closed.,Landed Biaya Produk -Entries before {0} are frozen,Kasus ada (s) sudah digunakan. Coba dari Case ada {0} -Equity,Ini adalah account root dan tidak dapat diedit. -Error: {0} > {1},Tidak bisa membatalkan karena Karyawan {0} sudah disetujui untuk {1} -Estimated Material Cost,Tinggalkan Aplikasi -"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Daftar produk atau jasa yang Anda membeli atau menjual. Pastikan untuk memeriksa Grup Barang, Satuan Ukur dan properti lainnya ketika Anda mulai." -Everyone can read,Project Tracking Stock bijaksana +Employee records.,Catatan karyawan. +Employee relieved on {0} must be set as 'Left',Karyawan lega pada {0} harus ditetapkan sebagai 'Kiri' +Employee {0} has already applied for {1} between {2} and {3},Karyawan {0} telah diterapkan untuk {1} antara {2} dan {3} +Employee {0} is not active or does not exist,Karyawan {0} tidak aktif atau tidak ada +Employee {0} was on leave on {1}. Cannot mark attendance.,Karyawan {0} sedang cuti pada {1}. Tidak bisa menandai kehadiran. +Employees Email Id,Karyawan Email Id +Employment Details,Rincian Pekerjaan +Employment Type,Jenis Pekerjaan +Enable / disable currencies.,Mengaktifkan / menonaktifkan mata uang. +Enabled,Diaktifkan +Encashment Date,Pencairan Tanggal +End Date,Tanggal Berakhir +End Date can not be less than Start Date,Tanggal akhir tidak boleh kurang dari Tanggal Mulai +End date of current invoice's period,Tanggal akhir periode faktur saat ini +End of Life,Akhir Kehidupan +Energy,Energi +Engineer,Insinyur +Enter Verification Code,Masukkan Kode Verifikasi +Enter campaign name if the source of lead is campaign.,Masukkan nama kampanye jika sumber timbal adalah kampanye. +Enter department to which this Contact belongs,Memasukkan departemen yang Kontak ini milik +Enter designation of this Contact,Masukkan penunjukan Kontak ini +"Enter email id separated by commas, invoice will be mailed automatically on particular date","Masukkan id email dipisahkan dengan koma, invoice akan dikirimkan secara otomatis pada tanggal tertentu" +Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,Masukkan item dan qty direncanakan untuk yang Anda ingin meningkatkan pesanan produksi atau download bahan baku untuk analisis. +Enter name of campaign if source of enquiry is campaign,Masukkan nama kampanye jika sumber penyelidikan adalah kampanye +"Enter static url parameters here (Eg. sender=ERPNext, username=ERPNext, password=1234 etc.)","Masukkan parameter url statis di sini (Misalnya pengirim = ERPNext, username = ERPNext, password = 1234 dll)" +Enter the company name under which Account Head will be created for this Supplier,Masukkan nama perusahaan di mana Akun Kepala akan dibuat untuk Pemasok ini +Enter url parameter for message,Masukkan parameter url untuk pesan +Enter url parameter for receiver nos,Masukkan parameter url untuk penerima nos +Entertainment & Leisure,Hiburan & Kenyamanan +Entertainment Expenses,Beban Hiburan +Entries,Entri +Entries against , +Entries are not allowed against this Fiscal Year if the year is closed.,Entri tidak diperbolehkan melawan Tahun Anggaran ini jika tahun ditutup. +Equity,Modal +Error: {0} > {1},Kesalahan: {0}> {1} +Estimated Material Cost,Perkiraan Biaya Material +"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Bahkan jika ada beberapa Aturan Harga dengan prioritas tertinggi, kemudian mengikuti prioritas internal diterapkan:" +Everyone can read,Setiap orang dapat membaca "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.",Jenis Dokumen -Exchange Rate,"Memilih ""Ya"" akan memungkinkan item ini untuk mencari di Sales Order, Delivery Note" -Excise Page Number,Jumlah Jam -Excise Voucher,Disampaikan Qty -Execution,{0} bukan milik Perusahaan {1} -Executive Search,Pajak dan Biaya -Exemption Limit,Aturan Harga -Exhibition,Tidak dapat menghasilkan lebih Barang {0} daripada kuantitas Sales Order {1} -Existing Customer,Info Statutory dan informasi umum lainnya tentang Pemasok Anda -Exit,Sebesar Bill -Exit Interview Details,Total Biaya Operasional -Expected,"Tidak dapat mengubah mata uang default perusahaan, karena ada transaksi yang ada. Transaksi harus dibatalkan untuk mengubah mata uang default." -Expected Completion Date can not be less than Project Start Date,Dialokasikan Jumlah -Expected Date cannot be before Material Request Date,Kena PPN -Expected Delivery Date,Kehadiran Dari Tanggal -Expected Delivery Date cannot be before Purchase Order Date,Karyawan Tinggalkan Approver -Expected Delivery Date cannot be before Sales Order Date,Penuaan Tanggal adalah wajib untuk membuka entri -Expected End Date,Database pelanggan potensial. -Expected Start Date,Batas Kredit -Expense,Distribusi -Expense / Difference account ({0}) must be a 'Profit or Loss' account,Item Grup tidak disebutkan dalam master barang untuk item {0} -Expense Account,Dfault -Expense Account is mandatory,Mengurangi Produktif untuk Tinggalkan Tanpa Bayar (LWP) -Expense Claim,Orang penjualan Anda yang akan menghubungi pelanggan di masa depan -Expense Claim Approved,Diskon% -Expense Claim Approved Message,Tidak diizinkan untuk memperbarui entri yang lebih tua dari {0} -Expense Claim Detail,Peralatan Kantor -Expense Claim Details,Dari Tanggal -Expense Claim Rejected,"Barang, Garansi, AMC (Tahunan Kontrak Pemeliharaan) detail akan otomatis diambil ketika Serial Number dipilih." -Expense Claim Rejected Message,Sasaran Detil -Expense Claim Type,Jumlah weightage ditugaskan harus 100%. Ini adalah {0} -Expense Claim has been approved.,Target gudang di baris {0} harus sama dengan Orde Produksi -Expense Claim has been rejected.,Potensi peluang untuk menjual. -Expense Claim is pending approval. Only the Expense Approver can update status.,Penjualan Saluran -Expense Date,Persentase total yang dialokasikan untuk tim penjualan harus 100 -Expense Details,Alamat Detail -Expense Head,"Unduh Template, isi data yang tepat dan melampirkan file dimodifikasi." -Expense account is mandatory for item {0},Quotation Items -Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Buku Pembantu -Expenses,"Lihat ""Rate Of Material Berbasis"" dalam Biaya Bagian" -Expenses Booked,Info Dasar -Expenses Included In Valuation,Quotation Tanggal -Expenses booked for the digest period,Buat Slip Gaji -Expiry Date,Furniture dan Fixture -Exports,Barang atau Gudang untuk baris {0} tidak cocok Material Permintaan -External,Rounded Jumlah (Perusahaan Mata Uang) -Extract Emails,Rincian Anggaran -FCFS Rate,Induk Website Halaman +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.",". Contoh: ABCD # # # # # + Jika seri diatur Serial dan ada tidak disebutkan dalam transaksi, nomor seri maka otomatis akan dibuat berdasarkan seri ini. Jika Anda selalu ingin secara eksplisit menyebutkan Serial Nos untuk item ini. biarkan kosong ini." +Exchange Rate,Nilai Tukar +Excise Duty 10,Cukai Tugas 10 +Excise Duty 14,Cukai Tugas 14 +Excise Duty 4,Cukai Duty 4 +Excise Duty 8,Cukai Duty 8 +Excise Duty @ 10,Cukai Duty @ 10 +Excise Duty @ 14,Cukai Duty @ 14 +Excise Duty @ 4,Cukai Duty @ 4 +Excise Duty @ 8,Cukai Duty @ 8 +Excise Duty Edu Cess 2,Cukai Edu Cess 2 +Excise Duty SHE Cess 1,Cukai SHE Cess 1 +Excise Page Number,Jumlah Cukai Halaman +Excise Voucher,Voucher Cukai +Execution,Eksekusi +Executive Search,Pencarian eksekutif +Exemption Limit,Batas Pembebasan +Exhibition,Pameran +Existing Customer,Pelanggan yang sudah ada +Exit,Keluar +Exit Interview Details,Detail Exit Interview +Expected,Diharapkan +Expected Completion Date can not be less than Project Start Date,Diharapkan Tanggal Penyelesaian tidak bisa kurang dari Tanggal mulai Proyek +Expected Date cannot be before Material Request Date,Diharapkan Tanggal tidak bisa sebelum Material Request Tanggal +Expected Delivery Date,Diharapkan Pengiriman Tanggal +Expected Delivery Date cannot be before Purchase Order Date,Diharapkan Pengiriman Tanggal tidak bisa sebelum Purchase Order Tanggal +Expected Delivery Date cannot be before Sales Order Date,Diharapkan Pengiriman Tanggal tidak bisa sebelum Sales Order Tanggal +Expected End Date,Diharapkan Tanggal Akhir +Expected Start Date,Diharapkan Tanggal Mulai +Expense,Biaya +Expense / Difference account ({0}) must be a 'Profit or Loss' account,Beban akun / Difference ({0}) harus akun 'Laba atau Rugi' +Expense Account,Beban Akun +Expense Account is mandatory,Beban Rekening wajib +Expense Claim,Beban Klaim +Expense Claim Approved,Beban Klaim Disetujui +Expense Claim Approved Message,Beban Klaim Disetujui Pesan +Expense Claim Detail,Beban Klaim Detil +Expense Claim Details,Rincian Beban Klaim +Expense Claim Rejected,Beban Klaim Ditolak +Expense Claim Rejected Message,Beban Klaim Ditolak Pesan +Expense Claim Type,Beban Klaim Type +Expense Claim has been approved.,Beban Klaim telah disetujui. +Expense Claim has been rejected.,Beban Klaim telah ditolak. +Expense Claim is pending approval. Only the Expense Approver can update status.,Beban Klaim sedang menunggu persetujuan. Hanya Approver Beban dapat memperbarui status. +Expense Date,Beban Tanggal +Expense Details,Rincian Biaya +Expense Head,Beban Kepala +Expense account is mandatory for item {0},Rekening pengeluaran adalah wajib untuk item {0} +Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Beban atau Selisih akun adalah wajib untuk Item {0} karena dampak keseluruhan nilai saham +Expenses,Beban +Expenses Booked,Beban Dipesan +Expenses Included In Valuation,Biaya Termasuk Dalam Penilaian +Expenses booked for the digest period,Biaya dipesan untuk periode digest +Expiry Date,Tanggal Berakhir +Exports,Ekspor +External,Eksternal +Extract Emails,Ekstrak Email +FCFS Rate,FCFS Tingkat Failed: , -Family Background,Silahkan lakukan validasi Email Pribadi -Fax,Tingkat konversi tidak bisa 0 atau 1 -Features Setup,Ditagih -Feed,Perangkat lunak -Feed Type,Voucher # -Feedback,Catatan Pengguna -Female,Pengguna dengan peran ini diperbolehkan untuk mengatur account beku dan membuat / memodifikasi entri akuntansi terhadap rekening beku -Fetch exploded BOM (including sub-assemblies),Jumlah yang tak tertandingi -"Field available in Delivery Note, Quotation, Sales Invoice, Sales Order",Pesanan terbuka Produksi -Files Folder ID,Transaksi tidak diperbolehkan berhenti melawan Orde Produksi {0} -Fill the form and save it,Standar -Filter based on customer,Kami membeli item ini -Filter based on item,Atur Ulang Filter -Financial / accounting year.,Anggaran Detil -Financial Analytics,Pesanan produksi di Progress -Financial Services,Informasi Gaji -Financial Year End Date,Moving Average Tingkat -Financial Year Start Date,Analis -Finished Goods,Item Code -First Name,Aturan untuk menghitung jumlah pengiriman untuk penjualan -First Responded On,Detil UOM Konversi -Fiscal Year,Tidak Berlaku -Fiscal Year Start Date and Fiscal Year End Date are already set in Fiscal Year {0},Rincian pembelian -Fiscal Year Start Date and Fiscal Year End Date cannot be more than a year apart.,Apakah Membuka -Fiscal Year Start Date should not be greater than Fiscal Year End Date,Appraisal Template -Fixed Asset,Salah atau Nonaktif BOM {0} untuk Item {1} pada baris {2} -Fixed Assets,Silakan pilih jenis charge pertama -Follow via Email,Jumlah Pajak dan Biaya (Perusahaan Mata Uang) -"Following table will show values if items are sub - contracted. These values will be fetched from the master of ""Bill of Materials"" of sub - contracted items.",Guru Type -Food,Bahasa -"Food, Beverage & Tobacco",Dalam Kata-kata akan terlihat setelah Anda menyimpan Penerimaan Pembelian. -For Company,Hanya node daun yang diperbolehkan dalam transaksi -For Employee,Item {0} harus stok Barang -For Employee Name,Tambah atau Dikurangi -For Price List,Account: {0} hanya dapat diperbarui melalui \ \ Transaksi Bursa n -For Production,Tahun -For Reference Only.,Penilaian -For Sales Invoice,Biaya Center dengan transaksi yang ada tidak dapat dikonversi ke buku -For Server Side Print Formats,Permintaan Jenis Bahan -For Supplier,Status Persetujuan -For Warehouse,Pilih Perusahaan ... -For Warehouse is required before Submit,'Sebenarnya Tanggal Mulai' tidak dapat lebih besar dari 'Aktual Tanggal End' -"For e.g. 2012, 2012-13",Alamat Penj -For reference,Sepenuhnya Selesai -For reference only.,Mengubah UOM untuk Item. -"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes",Contoh -Fraction,Inventarisasi -Fraction Units,Penilaian {0} diciptakan untuk Karyawan {1} dalam rentang tanggal tertentu -Freeze Stock Entries,"Item ada dengan nama yang sama ({0}), silakan mengubah nama kelompok barang atau mengubah nama item" -Freeze Stocks Older Than [Days],Alamat Pengiriman -Freight and Forwarding Charges,Kerja -Friday,Secara otomatis mengekstrak Memimpin dari kotak surat misalnya -From,Tinggalkan Control Panel -From Bill of Materials,Item {0} tidak Pembelian Barang -From Company,Retail & Grosir -From Currency,Bill of Material -From Currency and To Currency cannot be same,Tanggal Lahir -From Customer,User Specific -From Customer Issue,Varians Anggaran Laporan -From Date,Print Format Style -From Date must be before To Date,Melawan Bill {0} tanggal {1} -From Delivery Note,Pemasok Referensi -From Employee,Daftar beberapa pelanggan Anda. Mereka bisa menjadi organisasi atau individu. -From Lead,Cabang master organisasi. -From Maintenance Schedule,Proyek Milestone -From Material Request,Pengajuan cuti telah ditolak. -From Opportunity,Silakan pilih Daftar Harga -From Package No.,Gandakan entri -From Purchase Order,Penulisan Proposal -From Purchase Receipt,Operasi Tidak ada -From Quotation,Cuti Karyawan Balance -From Sales Order,Jumlah Jam (Diharapkan) -From Supplier Quotation,Max Hari Cuti Diizinkan -From Time,Penyisihan Persen -From Value,Item-wise Penjualan Sejarah -From and To dates required,Jumlah kata -From value must be less than to value in row {0},Surat Kepala -Frozen,Penjualan Kembali -Frozen Accounts Modifier,Item Code tidak dapat diubah untuk Serial Number -Fulfilled,Penjualan Analytics -Full Name,Rincian Kerja -Full-time,Tinggalkan Block List Tanggal -Fully Billed,Masa haid -Fully Completed,C-Form catatan -Fully Delivered,Isi formulir dan menyimpannya -Furniture and Fixture,Jadwal pemeliharaan {0} harus dibatalkan sebelum membatalkan Sales Order ini -Further accounts can be made under Groups but entries can be made against Ledger,Status {0} {1} sekarang {2} -"Further accounts can be made under Groups, but entries can be made against Ledger",Silakan pilih Carry Teruskan jika Anda juga ingin menyertakan keseimbangan fiskal tahun sebelumnya daun tahun fiskal ini -Further nodes can be only created under 'Group' type nodes,Daun untuk jenis {0} sudah dialokasikan untuk Karyawan {1} Tahun Anggaran {0} -GL Entry,Terlama -Gantt Chart,Kontak -Gantt chart of all tasks.,Tanggal Jatuh Tempo -Gender,Rincian Tim Penjualan -General,Memerintahkan Kuantitas -General Ledger,Item Lanjutan -Generate Description HTML,Akun Sementara (Aset) -Generate Material Requests (MRP) and Production Orders.,Format Tanggal -Generate Salary Slips,Item Barcode -Generate Schedule,Dimiliki -Generates HTML to include selected image in the description,Sumber -Get Advances Paid,Syarat dan Ketentuan Konten -Get Advances Received,Intro Pelanggan -Get Against Entries,Komisi Penjualan -Get Current Stock,Nama Item -Get Items,Jurnal akuntansi. -Get Items From Sales Orders,Kerja-in-Progress Gudang diperlukan sebelum Submit -Get Items from BOM,Sejarah Komunikasi -Get Last Purchase Rate,Mengalokasikan daun untuk suatu periode. -Get Outstanding Invoices,Detail Maintenance -Get Relevant Entries,Tidak bisa membatalkan karena disampaikan Stock entri {0} ada -Get Sales Orders,Piutang -Get Specification Details,Investasi -Get Stock and Rate,"Tersedia dalam BOM, Pengiriman Catatan, Purchase Invoice, Pesanan Produksi, Purchase Order, Penerimaan Pembelian, Faktur Penjualan, Sales Order, Stock Masuk, Timesheet" -Get Template,Jumlah Bersih -Get Terms and Conditions,Situs Barang Grup -Get Weekly Off Dates,BOM {0} tidak disampaikan atau tidak aktif BOM untuk Item {1} -"Get valuation rate and available stock at source/target warehouse on mentioned posting date-time. If serialized item, please press this button after entering serial nos.",New UOM TIDAK harus dari jenis Whole Number -Global Defaults,Jumlah Pajak Barang -Global POS Setting {0} already created for company {1},Operasi Deskripsi -Global Settings,Target gudang adalah wajib untuk baris {0} -"Go to the appropriate group (usually Application of Funds > Current Assets > Bank Accounts and create a new Account Ledger (by clicking on Add Child) of type ""Bank""",Tambah / Edit Pajak dan Biaya -"Go to the appropriate group (usually Source of Funds > Current Liabilities > Taxes and Duties and create a new Account Ledger (by clicking on Add Child) of type ""Tax"" and do mention the Tax rate.",Untuk melacak item dalam penjualan dan dokumen pembelian berdasarkan nos serial mereka. Hal ini juga dapat digunakan untuk melacak rincian garansi produk. -Goal,Realisasi Tanggal Penyelesaian -Goals,BOM {0} tidak aktif atau tidak disampaikan -Goods received from Suppliers.,Jum'at -Google Drive,Pilih Produk -Google Drive Access Allowed,Detail Pembelian / Industri -Government,Info Pendaftaran -Graduate,Komentar -Grand Total,Stock rekonsiliasi data -Grand Total (Company Currency),SO No -"Grid """,Perencanaan -Grocery,Sertakan Entri Berdamai -Gross Margin %,Laki-laki -Gross Margin Value,Receiver List kosong. Silakan membuat Receiver Daftar -Gross Pay,Pengiriman Note {0} tidak boleh disampaikan -Gross Pay + Arrear Amount +Encashment Amount - Total Deduction,Tidak ada Barang dengan Serial No {0} -Gross Profit,Group by Akun -Gross Profit (%),Biaya Pusat Detail -Gross Weight,Pembayaran dilakukan selama periode digest -Gross Weight UOM,Buat Pesanan Produksi -Group,Nasabah Purchase Order Tanggal -Group by Account,Jumlah <= -Group by Voucher,Jumlah Total Alokasi -Group or Ledger,Item {0} bukan merupakan saham Barang -Groups,Masukkan Menyetujui Peran atau Menyetujui Pengguna -HR Manager,Implementasi Mitra -HR Settings,Tidak ada yang meminta -HTML / Banner that will show on the top of product list.,"Tentukan daftar Territories, yang, Daftar Harga ini berlaku" -Half Day,Tanda tangan yang akan ditambahkan pada akhir setiap email -Half Yearly,Dikonversi -Half-yearly,Produsen Part Number -Happy Birthday!,Berat Bersih UOM -Hardware,Elektronik -Has Batch No,Masukkan rekening kelompok orangtua untuk account warehouse -Has Child Node,Faktur Penjualan Produk -Has Serial No,Daftar Harga {0} dinonaktifkan -Head of Marketing and Sales,Silahkan Perbarui Pengaturan SMS -Header,Status Perkawinan -Health Care,Dukungan Analytics -Health Concerns,Skor harus kurang dari atau sama dengan 5 -Health Details,{0} adalah alamat email yang tidak valid dalam 'Pemberitahuan Alamat Email' -Held On,Item Tax1 -Help HTML,Pembayaran untuk Faktur Alat Matching -"Help: To link to another record in the system, use ""#Form/Note/[Note Name]"" as the Link URL. (don't use ""http://"")",Masukkan nos ponsel yang valid -"Here you can maintain family details like name and occupation of parent, spouse and children",Serial Barang {0} tidak dapat diperbarui \ \ n menggunakan Stock Rekonsiliasi -"Here you can maintain height, weight, allergies, medical concerns etc",Terhadap Beban Akun -Hide Currency Symbol,"Wajib jika Stock Item ""Yes"". Juga gudang standar di mana kuantitas milik diatur dari Sales Order." -High,Packing List -History In Company,"Jika dicentang, total ada. dari Hari Kerja akan mencakup libur, dan ini akan mengurangi nilai Gaji Per Hari" -Hold,Tanggal instalasi tidak bisa sebelum tanggal pengiriman untuk Item {0} -Holiday,Baru Serial ada tidak dapat memiliki Gudang. Gudang harus diatur oleh Bursa Masuk atau Penerimaan Pembelian -Holiday List,Entri sebelum {0} dibekukan -Holiday List Name,Melacak Pengiriman ini Catatan terhadap Proyek apapun -Holiday master.,Tabah -Holidays,Faktur Tanggal -Home,Pemilik -Host,Pajak Penghasilan -"Host, Email and Password required if emails are to be pulled",Tahun Keuangan Akhir Tanggal -Hour,Penilaian Gol -Hour Rate,Menilai -Hour Rate Labour,Anggaran Dialokasikan -Hours,Izin Tanggal -How Pricing Rule is applied?,BOM Operasi -How frequently?,AMC Tanggal Berakhir -"How should this currency be formatted? If not set, will use system defaults",Tambahkan Serial No -Human Resources,Status diperbarui untuk {0} -Identification of the package for the delivery (for print),Item-wise Daftar Harga Tingkat -If Income or Expense,Hubungi Type -If Monthly Budget Exceeded,Silakan periksa 'Apakah Muka' terhadap Rekening {0} jika ini adalah sebuah entri muka. -"If Sale BOM is defined, the actual BOM of the Pack is displayed as table. Available in Delivery Note and Sales Order",Re-Order Tingkat -"If Supplier Part Number exists for given Item, it gets stored here",Instalasi Waktu -If Yearly Budget Exceeded,Pengiriman Note Diperlukan -"If checked, BOM for sub-assembly items will be considered for getting raw materials. Otherwise, all sub-assembly items will be treated as a raw material.",Masukkan Perusahaan valid Email -"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Pilih ""Ya"" untuk sub - kontraktor item" -"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount","Unduh Template, isi data yang tepat dan melampirkan file dimodifikasi. \ NSemua tanggal dan kombinasi karyawan dalam jangka waktu yang dipilih akan datang dalam template, dengan catatan kehadiran yang ada" -If different than customer address,Permanent Alamat -"If disable, 'Rounded Total' field will not be visible in any transaction",Jenis Pekerjaan -"If enabled, the system will post accounting entries for inventory automatically.",Bills diajukan oleh Pemasok. -If more than one package of the same type (for print),Farmasi -"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.",Citra Tampilan -"If no change in either Quantity or Valuation Rate, leave the cell blank.",Wilayah Nama -If not applicable please enter: NA,Row # {0}: qty Memerintahkan tidak bisa kurang dari minimum qty pesanan item (didefinisikan dalam master barang). -"If not checked, the list will have to be added to each Department where it has to be applied.",Induk Pelanggan Grup -"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.",Batch Waktu Log ini telah ditagih. -"If specified, send the newsletter using this email address",Entri Stock ada terhadap gudang {0} tidak dapat menetapkan kembali atau memodifikasi 'Guru Nama' -"If the account is frozen, entries are allowed to restricted users.",Wilayah Induk -"If this Account represents a Customer, Supplier or Employee, set it here.",Hubungan -"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.",Ref SQ -If you follow Quality Inspection. Enables Item QA Required and QA No in Purchase Receipt,"Daun harus dialokasikan dalam kelipatan 0,5" -If you have Sales Team and Sale Partners (Channel Partners) they can be tagged and maintain their contribution in the sales activity,Aktual Qty (di sumber / target) -"If you have created a standard template in Purchase Taxes and Charges Master, select one and click on the button below.",Alasan -"If you have created a standard template in Sales Taxes and Charges Master, select one and click on the button below.",Mengurangi -"If you have long print formats, this feature can be used to split the page to be printed on multiple pages with all headers and footers on each page",Pemasok Akun Kepala -If you involve in manufacturing activity. Enables Item 'Is Manufactured',Item {0} tidak ada dalam sistem atau telah berakhir -Ignore,Perusahaan Email -Ignore Pricing Rule,Silakan membuat pelanggan dari Lead {0} +Family Background,Latar Belakang Keluarga +Fax,Fax +Features Setup,Fitur Pengaturan +Feed,Makan varg +Feed Type,Pakan Type +Feedback,Umpan balik +Female,Perempuan +Fetch exploded BOM (including sub-assemblies),Fetch meledak BOM (termasuk sub-rakitan) +"Field available in Delivery Note, Quotation, Sales Invoice, Sales Order","Bidang yang tersedia di Delivery Note, Quotation, Faktur Penjualan, Sales Order" +Files Folder ID,File Folder ID +Fill the form and save it,Isi formulir dan menyimpannya +Filter based on customer,Filter berdasarkan pelanggan +Filter based on item,Filter berdasarkan pada item +Financial / accounting year.,Keuangan / akuntansi tahun. +Financial Analytics,Analytics keuangan +Financial Services,Jasa Keuangan +Financial Year End Date,Tahun Keuangan Akhir Tanggal +Financial Year Start Date,Tahun Buku Tanggal mulai +Finished Goods,Barang Jadi +First Name,Nama Depan +First Responded On,Pertama Menanggapi On +Fiscal Year,Tahun Fiskal +Fiscal Year Start Date and Fiscal Year End Date are already set in Fiscal Year {0},Tahun Anggaran Tanggal Mulai dan Akhir Tahun Fiskal Tanggal sudah ditetapkan pada Tahun Anggaran {0} +Fiscal Year Start Date and Fiscal Year End Date cannot be more than a year apart.,Tahun Fiskal Tanggal Mulai dan Akhir Tahun Fiskal Tanggal tidak bisa lebih dari satu tahun terpisah. +Fiscal Year Start Date should not be greater than Fiscal Year End Date,Tahun Anggaran Tanggal Mulai tidak boleh lebih besar dari Fiscal Year End Tanggal +Fixed Asset,Fixed Asset +Fixed Assets,Aktiva Tetap +Follow via Email,Ikuti via Email +"Following table will show values if items are sub - contracted. These values will be fetched from the master of ""Bill of Materials"" of sub - contracted items.","Tabel berikut akan menunjukkan nilai jika item sub - kontrak. Nilai-nilai ini akan diambil dari master ""Bill of Materials"" dari sub - kontrak item." +Food,Makanan +"Food, Beverage & Tobacco","Makanan, Minuman dan Tembakau" +"For 'Sales BOM' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Sales BOM' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Untuk 'Penjualan BOM' item, Gudang, Serial No dan Batch ada akan dipertimbangkan dari meja 'Daftar Packing'. Jika Gudang dan Batch ada yang sama untuk semua item kemasan untuk setiap 'Penjualan BOM' item, nilai-nilai dapat dimasukkan dalam tabel Barang utama, nilai akan disalin ke meja 'Daftar Packing'." +For Company,Untuk Perusahaan +For Employee,Untuk Karyawan +For Employee Name,Untuk Nama Karyawan +For Price List,Untuk Daftar Harga +For Production,Untuk Produksi +For Reference Only.,Untuk Referensi Only. +For Sales Invoice,Untuk Sales Invoice +For Server Side Print Formats,Untuk Server Side Format Cetak +For Supplier,Untuk Pemasok +For Warehouse,Untuk Gudang +For Warehouse is required before Submit,Untuk Gudang diperlukan sebelum Submit +"For e.g. 2012, 2012-13","Untuk misalnya 2012, 2012-13" +For reference,Untuk referensi +For reference only.,Untuk referensi saja. +"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Untuk kenyamanan pelanggan, kode ini dapat digunakan dalam format cetak seperti Faktur dan Pengiriman Catatan" +Fraction,Pecahan +Fraction Units,Unit Fraksi +Freeze Stock Entries,Freeze Entries Stock +Freeze Stocks Older Than [Days],Bekukan Saham Lama Dari [Hari] +Freight and Forwarding Charges,Pengangkutan dan Forwarding Biaya +Friday,Jum'at +From,Dari +From Bill of Materials,Dari Bill of Material +From Company,Dari Perusahaan +From Currency,Dari Mata +From Currency and To Currency cannot be same,Dari Mata dan Mata Uang Untuk tidak bisa sama +From Customer,Dari Pelanggan +From Customer Issue,Dari Pelanggan Issue +From Date,Dari Tanggal +From Date cannot be greater than To Date,Dari Tanggal tidak dapat lebih besar dari To Date +From Date must be before To Date,Dari Tanggal harus sebelum To Date +From Date should be within the Fiscal Year. Assuming From Date = {0},Dari tanggal harus dalam Tahun Anggaran. Dengan asumsi Dari Tanggal = {0} +From Delivery Note,Dari Delivery Note +From Employee,Dari Karyawan +From Lead,Dari Timbal +From Maintenance Schedule,Dari Pemeliharaan Jadwal +From Material Request,Dari Material Permintaan +From Opportunity,Dari Peluang +From Package No.,Dari Package No +From Purchase Order,Dari Purchase Order +From Purchase Receipt,Dari Penerimaan Pembelian +From Quotation,Dari Quotation +From Sales Order,Dari Sales Order +From Supplier Quotation,Dari Pemasok Quotation +From Time,Dari Waktu +From Value,Dari Nilai +From and To dates required,Dari dan Untuk tanggal yang Anda inginkan +From value must be less than to value in row {0},Dari nilai harus kurang dari nilai dalam baris {0} +Frozen,Beku +Frozen Accounts Modifier,Frozen Account Modifier +Fulfilled,Terpenuhi +Full Name,Nama Lengkap +Full-time,Full-time +Fully Billed,Sepenuhnya Ditagih +Fully Completed,Sepenuhnya Selesai +Fully Delivered,Sepenuhnya Disampaikan +Furniture and Fixture,Furniture dan Fixture +Further accounts can be made under Groups but entries can be made against Ledger,Rekening lebih lanjut dapat dibuat di bawah Grup tetapi entri dapat dilakukan terhadap Ledger +"Further accounts can be made under Groups, but entries can be made against Ledger","Rekening lebih lanjut dapat dibuat di bawah Grup, namun entri dapat dilakukan terhadap Ledger" +Further nodes can be only created under 'Group' type nodes,Node lebih lanjut dapat hanya dibuat di bawah tipe node 'Grup' +GL Entry,GL Entri +Gantt Chart,Gantt Bagan +Gantt chart of all tasks.,Gantt chart dari semua tugas. +Gender,Jenis Kelamin +General,Umum +General Ledger,General Ledger +Generate Description HTML,Hasilkan Deskripsi HTML +Generate Material Requests (MRP) and Production Orders.,Menghasilkan Permintaan Material (MRP) dan Pesanan Produksi. +Generate Salary Slips,Menghasilkan Gaji Slips +Generate Schedule,Menghasilkan Jadwal +Generates HTML to include selected image in the description,Menghasilkan HTML untuk memasukkan gambar yang dipilih dalam deskripsi +Get Advances Paid,Dapatkan Uang Muka Dibayar +Get Advances Received,Dapatkan Uang Muka Diterima +Get Current Stock,Dapatkan Stok saat ini +Get Items,Dapatkan Produk +Get Items From Sales Orders,Dapatkan Item Dari Penjualan Pesanan +Get Items from BOM,Dapatkan item dari BOM +Get Last Purchase Rate,Dapatkan Terakhir Purchase Rate +Get Outstanding Invoices,Dapatkan Posisi Faktur +Get Relevant Entries,Dapatkan Entries Relevan +Get Sales Orders,Dapatkan Pesanan Penjualan +Get Specification Details,Dapatkan Spesifikasi Detail +Get Stock and Rate,Dapatkan Saham dan Tingkat +Get Template,Dapatkan Template +Get Terms and Conditions,Dapatkan Syarat dan Ketentuan +Get Unreconciled Entries,Dapatkan Entries Unreconciled +Get Weekly Off Dates,Dapatkan Weekly Off Tanggal +"Get valuation rate and available stock at source/target warehouse on mentioned posting date-time. If serialized item, please press this button after entering serial nos.","Dapatkan tingkat penilaian dan stok yang tersedia di sumber / target gudang di postingan disebutkan tanggal-waktu. Jika serial barang, silahkan tekan tombol ini setelah memasuki nos serial." +Global Defaults,Default global +Global POS Setting {0} already created for company {1},Pengaturan POS global {0} sudah dibuat untuk perusahaan {1} +Global Settings,Pengaturan global +"Go to the appropriate group (usually Application of Funds > Current Assets > Bank Accounts and create a new Account Ledger (by clicking on Add Child) of type ""Bank""","Pergi ke grup yang sesuai (biasanya Penerapan Dana> Aset Lancar> Rekening Bank dan membuat Akun baru Ledger (dengan mengklik Tambahkan Child) tipe ""Bank""" +"Go to the appropriate group (usually Source of Funds > Current Liabilities > Taxes and Duties and create a new Account Ledger (by clicking on Add Child) of type ""Tax"" and do mention the Tax rate.","Pergi ke grup yang sesuai (biasanya Sumber Dana> Kewajiban Lancar> Pajak dan Bea dan membuat Akun baru Ledger (dengan mengklik Tambahkan Child) tipe ""Pajak"" dan jangan menyebutkan tingkat pajak." +Goal,Sasaran +Goals,tujuan +Goods received from Suppliers.,Barang yang diterima dari pemasok. +Google Drive,Google Drive +Google Drive Access Allowed,Google Drive Access Diizinkan +Government,pemerintahan +Graduate,Lulusan +Grand Total,Grand Total +Grand Total (Company Currency),Grand Total (Perusahaan Mata Uang) +"Grid ""","Grid """ +Grocery,Toko bahan makanan +Gross Margin %,Gross Margin% +Gross Margin Value,Margin Nilai Gross +Gross Pay,Gross Bayar +Gross Pay + Arrear Amount +Encashment Amount - Total Deduction,Gross Pay + + Pencairan tunggakan Jumlah Jumlah - Total Pengurangan +Gross Profit,Laba Kotor +Gross Profit (%),Laba Kotor (%) +Gross Weight,Berat Kotor +Gross Weight UOM,Berat Kotor UOM +Group,Grup +Group by Account,Group by Akun +Group by Voucher,Group by Voucher +Group or Ledger,Grup atau Ledger +Groups,Grup +HR Manager,HR Manager +HR Settings,Pengaturan HR +HTML / Banner that will show on the top of product list.,HTML / Banner yang akan muncul di bagian atas daftar produk. +Half Day,Half Day +Half Yearly,Setengah Tahunan +Half-yearly,Setengah tahun sekali +Happy Birthday!,Happy Birthday! +Hardware,Perangkat keras +Has Batch No,Memiliki Batch ada +Has Child Node,Memiliki Anak Node +Has Serial No,Memiliki Serial No +Head of Marketing and Sales,Kepala Pemasaran dan Penjualan +Header,Header +Health Care,Perawatan Kesehatan +Health Concerns,Kekhawatiran Kesehatan +Health Details,Detail Kesehatan +Held On,Diadakan Pada +Help HTML,Bantuan HTML +"Help: To link to another record in the system, use ""#Form/Note/[Note Name]"" as the Link URL. (don't use ""http://"")","Bantuan: Untuk link ke catatan lain dalam sistem, gunakan ""# Form / Note / [Catatan Nama]"" sebagai link URL. (Tidak menggunakan ""http://"")" +"Here you can maintain family details like name and occupation of parent, spouse and children","Di sini Anda dapat mempertahankan rincian keluarga seperti nama dan pekerjaan orang tua, pasangan dan anak-anak" +"Here you can maintain height, weight, allergies, medical concerns etc","Di sini Anda dapat mempertahankan tinggi, berat, alergi, masalah medis dll" +Hide Currency Symbol,Sembunyikan Currency Symbol +High,Tinggi +History In Company,Sejarah Dalam Perusahaan +Hold,Memegang +Holiday,Liburan +Holiday List,Liburan List +Holiday List Name,Nama Libur +Holiday master.,Master Holiday. +Holidays,Liburan +Home,Halaman Utama +Host,Inang +"Host, Email and Password required if emails are to be pulled","Tuan, Email dan Password diperlukan jika email yang ditarik" +Hour,Jam +Hour Rate,Tingkat Jam +Hour Rate Labour,Jam Tingkat Buruh +Hours,Jam +How Pricing Rule is applied?,Bagaimana Rule Harga diterapkan? +How frequently?,Seberapa sering? +"How should this currency be formatted? If not set, will use system defaults","Bagaimana seharusnya mata uang ini akan diformat? Jika tidak diatur, akan menggunakan default sistem" +Human Resources,Sumber Daya Manusia +Identification of the package for the delivery (for print),Identifikasi paket untuk pengiriman (untuk mencetak) +If Income or Expense,Jika Penghasilan atau Beban +If Monthly Budget Exceeded,Jika Anggaran Bulanan Melebihi +"If Sale BOM is defined, the actual BOM of the Pack is displayed as table. Available in Delivery Note and Sales Order","Jika Sale BOM didefinisikan, BOM sebenarnya Pack ditampilkan sebagai tabel. Tersedia dalam Pengiriman Note dan Sales Order" +"If Supplier Part Number exists for given Item, it gets stored here","Jika Pemasok Part Number ada untuk keterberian Barang, hal itu akan disimpan di sini" +If Yearly Budget Exceeded,Jika Anggaran Tahunan Melebihi +"If checked, BOM for sub-assembly items will be considered for getting raw materials. Otherwise, all sub-assembly items will be treated as a raw material.","Jika dicentang, BOM untuk item sub-assembly akan dipertimbangkan untuk mendapatkan bahan baku. Jika tidak, semua item sub-assembly akan diperlakukan sebagai bahan baku." +"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Jika dicentang, total ada. dari Hari Kerja akan mencakup libur, dan ini akan mengurangi nilai Gaji Per Hari" +"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount","Jika dicentang, jumlah pajak akan dianggap sebagai sudah termasuk dalam Jumlah Tingkat Cetak / Print" +If different than customer address,Jika berbeda dari alamat pelanggan +"If disable, 'Rounded Total' field will not be visible in any transaction","Jika disable, lapangan 'Rounded Jumlah' tidak akan terlihat dalam setiap transaksi" +"If enabled, the system will post accounting entries for inventory automatically.","Jika diaktifkan, sistem akan posting entri akuntansi untuk persediaan otomatis." +If more than one package of the same type (for print),Jika lebih dari satu paket dari jenis yang sama (untuk mencetak) +"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." +"If no change in either Quantity or Valuation Rate, leave the cell blank.","Jika tidak ada perubahan baik Quantity atau Tingkat Penilaian, biarkan kosong sel." +If not applicable please enter: NA,Jika tidak berlaku silahkan masukkan: NA +"If not checked, the list will have to be added to each Department where it has to be applied.","Jika tidak diperiksa, daftar harus ditambahkan ke setiap departemen di mana itu harus diterapkan." +"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 Rule 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, itu akan diambil di lapangan 'Tingkat', daripada bidang 'Daftar Harga Tingkat'." +"If specified, send the newsletter using this email address","Jika ditentukan, mengirim newsletter menggunakan alamat email ini" +"If the account is frozen, entries are allowed to restricted users.","Jika account beku, entri yang diizinkan untuk pengguna terbatas." +"If this Account represents a Customer, Supplier or Employee, set it here.","Jika Akun ini merupakan Pelanggan, Pemasok atau Karyawan, mengaturnya di sini." +"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Jika dua atau lebih Aturan Harga yang ditemukan berdasarkan kondisi di atas, Prioritas diterapkan. Prioritas adalah angka antara 0 sampai 20, sementara nilai default adalah nol (kosong). Jumlah yang lebih tinggi berarti akan didahulukan jika ada beberapa Aturan Harga dengan kondisi yang sama." +If you follow Quality Inspection. Enables Item QA Required and QA No in Purchase Receipt,Jika Anda mengikuti Inspeksi Kualitas. Memungkinkan Barang QA Diperlukan dan QA ada di Penerimaan Pembelian +If you have Sales Team and Sale Partners (Channel Partners) they can be tagged and maintain their contribution in the sales activity,Jika Anda memiliki Tim Penjualan dan Penjualan Mitra (Mitra Channel) mereka dapat ditandai dan mempertahankan kontribusi mereka dalam aktivitas penjualan +"If you have created a standard template in Purchase Taxes and Charges Master, select one and click on the button below.","Jika Anda telah membuat template standar dalam Pajak Pembelian dan Guru Beban, pilih salah satu dan klik tombol di bawah." +"If you have created a standard template in Sales Taxes and Charges Master, select one and click on the button below.","Jika Anda telah membuat template standar dalam Penjualan Pajak dan Biaya Guru, pilih salah satu dan klik tombol di bawah." +"If you have long print formats, this feature can be used to split the page to be printed on multiple pages with all headers and footers on each page","Jika Anda memiliki format cetak yang panjang, fitur ini dapat digunakan untuk membagi halaman yang akan dicetak pada beberapa halaman dengan semua header dan footer pada setiap halaman" +If you involve in manufacturing activity. Enables Item 'Is Manufactured',Jika Anda terlibat dalam aktivitas manufaktur. Memungkinkan Barang 'Apakah Diproduksi' +Ignore,Mengabaikan +Ignore Pricing Rule,Abaikan Aturan Harga Ignored: , -Image,Tidak ada saldo cuti cukup bagi Leave Type {0} -Image View,Sales Order No -Implementation Partner,Beban pos -Import Attendance,Guru Nama -Import Failed!,Masukkan order penjualan pada tabel di atas -Import Log,Dukungan Tiket Baru -Import Successful!,Pemasok Type / Pemasok -Imports,Waktu Pengiriman -In Hours,Pengaturan untuk modul HR -In Process,Approver -In Qty,Tingkat di mana Pelanggan Mata Uang dikonversi ke mata uang dasar pelanggan -In Value,Tanggal truk mulai dari pemasok gudang -In Words,Wilayah standar -In Words (Company Currency),Gudang diperlukan untuk stok Barang {0} -In Words (Export) will be visible once you save the Delivery Note.,Item {0} dengan Serial No {1} sudah diinstal -In Words will be visible once you save the Delivery Note.,"Pengaturan untuk mengekstrak Pelamar Kerja dari misalnya mailbox ""jobs@example.com""" -In Words will be visible once you save the Purchase Invoice.,Produk Konsumen -In Words will be visible once you save the Purchase Order.,Musiman untuk menetapkan anggaran. -In Words will be visible once you save the Purchase Receipt.,Tidak Pemasok Akun ditemukan. Akun pemasok diidentifikasi berdasarkan nilai 'Guru Type' dalam catatan akun. -In Words will be visible once you save the Quotation.,Apakah subkontrak -In Words will be visible once you save the Sales Invoice.,"Memerintahkan Qty: Jumlah memerintahkan untuk pembelian, tetapi tidak diterima." -In Words will be visible once you save the Sales Order.,Akun -Incentives,Dapatkan Produk -Include Reconciled Entries,Jumlah Kredit -Include holidays in Total no. of Working Days,Mail Server tidak valid. Harap memperbaiki dan coba lagi. -Income,Membeli Diskon -Income / Expense,Sejumlah -Income Account,Alasan untuk kehilangan -Income Booked,Biarkan Bill of Material -Income Tax,Garansi / Status AMC -Income Year to Date,Tanggal truk mulai dari gudang Anda -Income booked for the digest period,"Jika Anda memiliki format cetak yang panjang, fitur ini dapat digunakan untuk membagi halaman yang akan dicetak pada beberapa halaman dengan semua header dan footer pada setiap halaman" -Incoming,Nos -Incoming Rate,Harga Barang -Incoming quality inspection.,Apakah benar-benar ingin unstop pesanan produksi: -Incorrect or Inactive BOM {0} for Item {1} at row {2},Total Biaya -Indicates that the package is a part of this delivery (Only Draft),"Saldo rekening sudah Kredit, Anda tidak diizinkan untuk mengatur 'Balance Harus' sebagai 'Debit'" -Indirect Expenses,Akan diperbarui saat ditagih. -Indirect Income,Blog Subscriber -Individual,Website Description -Industry,Pemasok Faktur ada -Industry Type,Tidak dapat ditetapkan sebagai Hilang sebagai Sales Order dibuat. -Inspected By,"Untuk tidak berlaku Rule Harga dalam transaksi tertentu, semua Aturan Harga yang berlaku harus dinonaktifkan." -Inspection Criteria,Latar Belakang Keluarga -Inspection Required,Menyediakan -Inspection Type,Tidak ada Pesanan Produksi dibuat -Installation Date,Kunjungi laporan untuk panggilan pemeliharaan. -Installation Note,[Daerah -Installation Note Item,Email Digest Pengaturan -Installation Note {0} has already been submitted,Pengiriman Note -Installation Status,Bekerja In Progress -Installation Time,No Item dengan Barcode {0} -Installation date cannot be before delivery date for Item {0},Nama Halaman -Installation record for a Serial No.,Tingkat Stock -Installed Qty,Mengatur awalan untuk penomoran seri pada transaksi Anda -Instructions,Bank -Integrate incoming support emails to Support Ticket,Tingkat Pembelian Terakhir -Interested,Penyisihan over-pengiriman / over-billing menyeberang untuk Item {0}. -Intern,"Sub-currency. Untuk misalnya ""Cent """ -Internal,Sasaran Qty -Internet Publishing,Lainnya -Introduction,Rincian Pekerjaan -Invalid Barcode or Serial No,Hari Kredit -Invalid Mail Server. Please rectify and try again.,Batal Bahan Visit {0} sebelum membatalkan ini Issue Pelanggan -Invalid Master Name,Closing Date -Invalid User Name or Support Password. Please rectify and try again.,Download Template -Invalid quantity specified for item {0}. Quantity should be greater than 0.,Efek dan Deposit -Inventory,Bank A / C No -Inventory & Support,Anggaran belanja -Investment Banking,Pelanggan / Lead Alamat -Investments,Standar Rekening Kas -Invoice Date,Faktur Penjualan {0} telah disampaikan -Invoice Details,"Tampilkan ""In Stock"" atau ""Tidak di Bursa"" didasarkan pada stok yang tersedia di gudang ini." -Invoice No,Biaya tidak langsung -Invoice Period From Date,'Pemberitahuan Email Addresses' tidak ditentukan untuk berulang faktur -Invoice Period From and Invoice Period To dates mandatory for recurring invoice,Diminta Untuk -Invoice Period To Date,Berikutnya Contact By -Invoiced Amount (Exculsive Tax),Pemasok Quotation -Is Active,Semua Kontak -Is Advance,Rekening Kas / Bank -Is Cancelled,Ekstrak Email -Is Carry Forward,Standar rekening Bank / Cash akan secara otomatis diperbarui di POS Invoice saat mode ini dipilih. -Is Default,Buku besar -Is Encash,Ponsel Tidak ada -Is Fixed Asset Item,Packing Slip Items -Is LWP,Karyawan Kerja internal Sejarah -Is Opening,Atas Penghasilan -Is Opening Entry,Hari (s) yang Anda lamar untuk cuti adalah liburan. Anda tidak perlu mengajukan cuti. -Is POS,"Contoh:. ABCD # # # # # \ nJika seri diatur dan Serial yang tidak disebutkan dalam transaksi, maka nomor urut otomatis akan dibuat berdasarkan seri ini. Jika Anda selalu ingin secara eksplisit menyebutkan Serial Nos untuk item ini. biarkan kosong ini." -Is Primary Contact,Penjualan team1 -Is Purchase Item,Anggaran Dialokasikan -Is Sales Item,Industri / Repack -Is Service Item,Nama -Is Stock Item,Biaya Center dengan transaksi yang ada tidak dapat dikonversi ke grup -Is Sub Contracted Item,Menulis Off Berbasis On -Is Subcontracted,Hanya Tinggalkan Aplikasi status 'Disetujui' dapat diajukan -Is this Tax included in Basic Rate?,tautan halaman situs web -Issue,Permintaan Material {0} dibatalkan atau dihentikan -Issue Date,Tambah / Hapus Penerima -Issue Details,Type Partai Induk -Issued Items Against Production Order,General Ledger -It can also be used to create opening stock entries and to fix stock value.,Tingkat di mana mata uang Daftar Harga dikonversi ke mata uang dasar perusahaan -Item,List Liburan -Item Advanced,Dari Mata dan Mata Uang Untuk tidak bisa sama -Item Barcode,Berdasarkan -Item Batch Nos,Periksa ini jika Anda ingin menunjukkan di website -Item Code,Mohon TIDAK membuat Account (Buku Pembantu) untuk Pelanggan dan Pemasok. Mereka diciptakan langsung dari Nasabah / Pemasok master. -Item Code > Item Group > Brand,Ditagih Amt -Item Code and Warehouse should already exist.,Memiliki Anak Node -Item Code cannot be changed for Serial No.,Master barang. -Item Code is mandatory because Item is not automatically numbered,Akun {0} tidak dapat Kelompok a -Item Code required at Row No {0},Disampaikan -Item Customer Detail,Jumlah Bersih (Perusahaan Mata Uang) -Item Description,Terpasang Qty -Item Desription,Berlaku Libur -Item Details,Qty -Item Group,Nasabah Purchase Order No -Item Group Name,Kesalahan: {0}> {1} -Item Group Tree,Masukkan Piutang / Hutang group in master perusahaan -Item Group not mentioned in item master for item {0},Kredit maksimum yang diijinkan adalah {0} hari setelah tanggal postingan -Item Groups in Details,Label -Item Image (if not slideshow),Liburan -Item Name,Logo dan Surat Kepala -Item Naming By,Ambil rekonsiliasi data -Item Price,Seberapa sering? -Item Prices,Calling Dingin -Item Quality Inspection Parameter,Reserved Qty -Item Reorder,Quotation Barang -Item Serial No,Min Order Qty -Item Serial Nos,Account root tidak bisa dihapus -Item Shortage Report,Informasi Dasar -Item Supplier,Aerospace -Item Supplier Details,Jenis Pohon -Item Tax,Anda tidak diizinkan untuk menetapkan nilai Beku -Item Tax Amount,"Jenis pekerjaan (permanen, kontrak, magang dll)." -Item Tax Rate,Untuk mengaktifkan Point of Sale fitur -Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Ya -Item Tax1,Item: {0} tidak ditemukan dalam sistem -Item To Manufacture,Pengaturan SMS -Item UOM,Tanggal Posting -Item Website Specification,Satuan -Item Website Specifications,Nilai Membuka -Item Wise Tax Detail,Pemberitahuan Kontrol +Image,Gambar +Image View,Citra Tampilan +Implementation Partner,Implementasi Mitra +Import Attendance,Impor Kehadiran +Import Failed!,Impor Gagal! +Import Log,Impor Log +Import Successful!,Impor Sukses! +Imports,Impor +In Hours,Pada Jam +In Process,Dalam Proses +In Qty,Dalam Qty +In Value,Dalam Nilai +In Words,Dalam Kata +In Words (Company Currency),Dalam Kata-kata (Perusahaan Mata Uang) +In Words (Export) will be visible once you save the Delivery Note.,Dalam Kata-kata (Ekspor) akan terlihat sekali Anda menyimpan Delivery Note. +In Words will be visible once you save the Delivery Note.,Dalam Kata-kata akan terlihat sekali Anda menyimpan Delivery Note. +In Words will be visible once you save the Purchase Invoice.,Dalam Kata-kata akan terlihat setelah Anda menyimpan Faktur Pembelian. +In Words will be visible once you save the Purchase Order.,Dalam Kata-kata akan terlihat setelah Anda menyimpan Purchase Order. +In Words will be visible once you save the Purchase Receipt.,Dalam Kata-kata akan terlihat setelah Anda menyimpan Penerimaan Pembelian. +In Words will be visible once you save the Quotation.,Dalam Kata-kata akan terlihat sekali Anda menyimpan Quotation tersebut. +In Words will be visible once you save the Sales Invoice.,Dalam Kata-kata akan terlihat setelah Anda menyimpan Faktur Penjualan. +In Words will be visible once you save the Sales Order.,Dalam Kata-kata akan terlihat setelah Anda menyimpan Sales Order. +Incentives,Insentif +Include Reconciled Entries,Sertakan Entri Berdamai +Include holidays in Total no. of Working Days,Sertakan liburan di total no. dari Hari Kerja +Income,Penghasilan +Income / Expense,Penghasilan / Beban +Income Account,Akun Penghasilan +Income Booked,Penghasilan Memesan +Income Tax,Pajak Penghasilan +Income Year to Date,Tahun Penghasilan Tanggal +Income booked for the digest period,Penghasilan dipesan untuk periode digest +Incoming,Incoming +Incoming Rate,Tingkat yang masuk +Incoming quality inspection.,Pemeriksaan mutu yang masuk. +Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Jumlah yang salah dari General Ledger Entries ditemukan. Anda mungkin telah memilih Account salah dalam transaksi. +Incorrect or Inactive BOM {0} for Item {1} at row {2},Salah atau Nonaktif BOM {0} untuk Item {1} pada baris {2} +Indicates that the package is a part of this delivery (Only Draft),Menunjukkan bahwa paket tersebut merupakan bagian dari pengiriman ini (Hanya Draft) +Indirect Expenses,Biaya tidak langsung +Indirect Income,Penghasilan tidak langsung +Individual,Individu +Industry,Industri +Industry Type,Jenis Industri +Inspected By,Diperiksa Oleh +Inspection Criteria,Kriteria Pemeriksaan +Inspection Required,Inspeksi Diperlukan +Inspection Type,Inspeksi Type +Installation Date,Instalasi Tanggal +Installation Note,Instalasi Note +Installation Note Item,Instalasi Catatan Barang +Installation Note {0} has already been submitted,Instalasi Catatan {0} telah disampaikan +Installation Status,Status Instalasi +Installation Time,Instalasi Waktu +Installation date cannot be before delivery date for Item {0},Tanggal instalasi tidak bisa sebelum tanggal pengiriman untuk Item {0} +Installation record for a Serial No.,Catatan instalasi untuk No Serial +Installed Qty,Terpasang Qty +Instructions,Instruksi +Integrate incoming support emails to Support Ticket,Mengintegrasikan email support masuk untuk Mendukung Tiket +Interested,Tertarik +Intern,Menginternir +Internal,Internal +Internet Publishing,Penerbitan Internet +Introduction,Pendahuluan +Invalid Barcode,Barcode valid +Invalid Barcode or Serial No,Barcode valid atau Serial No +Invalid Mail Server. Please rectify and try again.,Mail Server tidak valid. Harap memperbaiki dan coba lagi. +Invalid Master Name,Nama Guru tidak valid +Invalid User Name or Support Password. Please rectify and try again.,Valid Nama Pengguna atau Dukungan Password. Harap memperbaiki dan coba lagi. +Invalid quantity specified for item {0}. Quantity should be greater than 0.,Kuantitas tidak valid untuk item {0}. Jumlah harus lebih besar dari 0. +Inventory,Inventarisasi +Inventory & Support,Inventarisasi & Dukungan +Investment Banking,Perbankan Investasi +Investments,Investasi +Invoice Date,Faktur Tanggal +Invoice Details,Detail Invoice +Invoice No,Faktur ada +Invoice Number,Nomor Faktur +Invoice Period From,Faktur Periode Dari +Invoice Period From and Invoice Period To dates mandatory for recurring invoice,Faktur Periode Dari dan Faktur Period Untuk tanggal wajib untuk berulang faktur +Invoice Period To,Periode Faktur Untuk +Invoice Type,Invoice Type +Invoice/Journal Voucher Details,Invoice / Journal Voucher Detail +Invoiced Amount (Exculsive Tax),Faktur Jumlah (Pajak exculsive) +Is Active,Aktif +Is Advance,Apakah Muka +Is Cancelled,Apakah Dibatalkan +Is Carry Forward,Apakah Carry Teruskan +Is Default,Apakah default +Is Encash,Apakah menjual +Is Fixed Asset Item,Apakah Fixed Asset Barang +Is LWP,Apakah LWP +Is Opening,Apakah Membuka +Is Opening Entry,Apakah Masuk Membuka +Is POS,Apakah POS +Is Primary Contact,Apakah Kontak Utama +Is Purchase Item,Apakah Pembelian Barang +Is Sales Item,Apakah Penjualan Barang +Is Service Item,Apakah Layanan Barang +Is Stock Item,Apakah Stock Barang +Is Sub Contracted Item,Apakah Sub Kontrak Barang +Is Subcontracted,Apakah subkontrak +Is this Tax included in Basic Rate?,Apakah Pajak ini termasuk dalam Basic Rate? +Issue,Isu +Issue Date,Tanggal dibuat +Issue Details,Detail Issue +Issued Items Against Production Order,Tahun Produk Terhadap Orde Produksi +It can also be used to create opening stock entries and to fix stock value.,Hal ini juga dapat digunakan untuk membuat entri saham membuka dan memperbaiki nilai saham. +Item,Barang +Item Advanced,Item Lanjutan +Item Barcode,Item Barcode +Item Batch Nos,Item Batch Nos +Item Code,Item Code +Item Code > Item Group > Brand,Item Code> Barang Grup> Merek +Item Code and Warehouse should already exist.,Item Code dan Gudang harus sudah ada. +Item Code cannot be changed for Serial No.,Item Code tidak dapat diubah untuk Serial Number +Item Code is mandatory because Item is not automatically numbered,Item Code adalah wajib karena Item tidak secara otomatis nomor +Item Code required at Row No {0},Item Code dibutuhkan pada Row ada {0} +Item Customer Detail,Barang Pelanggan Detil +Item Description,Item Description +Item Desription,Item Desription +Item Details,Item detail +Item Group,Item Grup +Item Group Name,Nama Item Grup +Item Group Tree,Item Grup Pohon +Item Group not mentioned in item master for item {0},Item Grup tidak disebutkan dalam master barang untuk item {0} +Item Groups in Details,Item Grup dalam Rincian +Item Image (if not slideshow),Barang Gambar (jika tidak slideshow) +Item Name,Nama Item +Item Naming By,Item Penamaan Dengan +Item Price,Item Price +Item Prices,Harga Barang +Item Quality Inspection Parameter,Barang Kualitas Parameter Inspeksi +Item Reorder,Item Reorder +Item Serial No,Item Serial No +Item Serial Nos,Item Serial Nos +Item Shortage Report,Item Kekurangan Laporan +Item Supplier,Item Pemasok +Item Supplier Details,Item Pemasok Rincian +Item Tax,Pajak Barang +Item Tax Amount,Jumlah Pajak Barang +Item Tax Rate,Tarif Pajak Barang +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 +Item Tax1,Item Tax1 +Item To Manufacture,Barang Untuk Industri +Item UOM,Barang UOM +Item Website Specification,Item Situs Spesifikasi +Item Website Specifications,Item Situs Spesifikasi +Item Wise Tax Detail,Barang Wise Detil Pajak Item Wise Tax Detail , -Item is required,Gudang {0} bukan milik perusahaan {1} -Item is updated,Pemeliharaan Waktu -Item master.,Silahkan klik 'Menghasilkan Jadwal' untuk mengambil Serial yang ditambahkan untuk Item {0} -"Item must be a purchase item, as it is present in one or many Active BOMs",Membuat Entri Pembayaran -Item or Warehouse for row {0} does not match Material Request,Memungkinkan pengguna berikut untuk menyetujui Leave Aplikasi untuk blok hari. -Item table can not be blank,Pengguna -Item to be manufactured or repacked,Plot -Item valuation updated,Klik 'Buat Sales Invoice' tombol untuk membuat Faktur Penjualan baru. -Item will be saved by this name in the data base.,Tinggalkan Pencairan Jumlah -Item {0} appears multiple times in Price List {1},Permintaan Material yang Pemasok Kutipan tidak diciptakan -Item {0} does not exist,Realisasi Tanggal Akhir -Item {0} does not exist in the system or has expired,Membuat Pembelian Penerimaan -Item {0} does not exist in {1} {2},Untuk Referensi Only. -Item {0} has already been returned,Laporan berkala -Item {0} has been entered multiple times against same operation,Tidak Pernah -Item {0} has been entered multiple times with same description or date,Tugas -Item {0} has been entered multiple times with same description or date or warehouse,Faktor UOM Konversi diperlukan berturut-turut {0} -Item {0} has been entered twice,Dari Sales Order -Item {0} has reached its end of life on {1},Izin -Item {0} ignored since it is not a stock item,Item Code dan Gudang harus sudah ada. -Item {0} is cancelled,Biaya dipesan untuk periode digest -Item {0} is not Purchase Item,Rgt -Item {0} is not a serialized Item,Parameter Statis -Item {0} is not a stock Item,Komponen gaji. -Item {0} is not active or end of life has been reached,Ada kesalahan. -Item {0} is not setup for Serial Nos. Check Item master,Kota -Item {0} is not setup for Serial Nos. Column must be blank,Jenis -Item {0} must be Sales Item,Akuisisi Pelanggan dan Loyalitas -Item {0} must be Sales or Service Item in {1},Item {0} telah dimasukkan dua kali -Item {0} must be Service Item,Izinkan Pengguna -Item {0} must be a Purchase Item,Disampaikan% -Item {0} must be a Sales Item,Nama Kontak -Item {0} must be a Service Item.,Overhead -Item {0} must be a Sub-contracted Item,Packing slip (s) dibatalkan -Item {0} must be a stock Item,Semua Produk atau Jasa. -Item {0} must be manufactured or sub-contracted,Masukkan mata uang default di Perusahaan Guru -Item {0} not found,Re-order Tingkat -Item {0} with Serial No {1} is already installed,Segarkan -Item {0} with same description entered twice,Issue pelanggan terhadap Serial Number -"Item, Warranty, AMC (Annual Maintenance Contract) details will be automatically fetched when Serial Number is selected.",Newsletter tidak diperbolehkan untuk pengguna Percobaan -Item-wise Price List Rate,Pemegang Saham Dana -Item-wise Purchase History,Pengiriman Dokumen Type -Item-wise Purchase Register,Ada slip gaji yang ditemukan untuk bulan: -Item-wise Sales History,Dukungan Pengaturan Email -Item-wise Sales Register,Komentar +Item is required,Item diperlukan +Item is updated,Item diperbarui +Item master.,Master barang. +"Item must be a purchase item, as it is present in one or many Active BOMs","Item harus item pembelian, karena hadir dalam satu atau banyak BOMs Aktif" +Item or Warehouse for row {0} does not match Material Request,Item atau Gudang untuk baris {0} Material tidak cocok Permintaan +Item table can not be blank,Tabel barang tidak boleh kosong +Item to be manufactured or repacked,Item yang akan diproduksi atau dikemas ulang +Item valuation updated,Item penilaian diperbarui +Item will be saved by this name in the data base.,Barang akan disimpan dengan nama ini dalam data base. +Item {0} appears multiple times in Price List {1},Item {0} muncul beberapa kali dalam Daftar Harga {1} +Item {0} does not exist,Item {0} tidak ada +Item {0} does not exist in the system or has expired,Item {0} tidak ada dalam sistem atau telah berakhir +Item {0} does not exist in {1} {2},Item {0} tidak ada di {1} {2} +Item {0} has already been returned,Item {0} telah dikembalikan +Item {0} has been entered multiple times against same operation,Barang {0} telah dimasukkan beberapa kali melawan operasi yang sama +Item {0} has been entered multiple times with same description or date,Item {0} sudah dimasukkan beberapa kali dengan deskripsi atau tanggal yang sama +Item {0} has been entered multiple times with same description or date or warehouse,Item {0} sudah dimasukkan beberapa kali dengan deskripsi atau tanggal atau gudang yang sama +Item {0} has been entered twice,Item {0} telah dimasukkan dua kali +Item {0} has reached its end of life on {1},Item {0} telah mencapai akhir hidupnya pada {1} +Item {0} ignored since it is not a stock item,Item {0} diabaikan karena bukan barang stok +Item {0} is cancelled,Item {0} dibatalkan +Item {0} is not Purchase Item,Item {0} tidak Pembelian Barang +Item {0} is not a serialized Item,Item {0} bukan merupakan Barang serial +Item {0} is not a stock Item,Item {0} bukan merupakan saham Barang +Item {0} is not active or end of life has been reached,Item {0} tidak aktif atau akhir hidup telah tercapai +Item {0} is not setup for Serial Nos. Check Item master,Barang {0} tidak setup untuk Serial Nos Periksa Barang induk +Item {0} is not setup for Serial Nos. Column must be blank,Barang {0} tidak setup untuk Serial Nos Kolom harus kosong +Item {0} must be Sales Item,Item {0} harus Penjualan Barang +Item {0} must be Sales or Service Item in {1},Item {0} harus Penjualan atau Jasa Barang di {1} +Item {0} must be Service Item,Item {0} harus Layanan Barang +Item {0} must be a Purchase Item,Item {0} harus Pembelian Barang +Item {0} must be a Sales Item,Item {0} harus Item Penjualan +Item {0} must be a Service Item.,Item {0} harus Layanan Barang. +Item {0} must be a Sub-contracted Item,Item {0} harus Item Sub-kontrak +Item {0} must be a stock Item,Item {0} harus stok Barang +Item {0} must be manufactured or sub-contracted,Item {0} harus diproduksi atau sub-kontrak +Item {0} not found,Item {0} tidak ditemukan +Item {0} with Serial No {1} is already installed,Item {0} dengan Serial No {1} sudah diinstal +Item {0} with same description entered twice,Item {0} dengan deskripsi yang sama dimasukkan dua kali +"Item, Warranty, AMC (Annual Maintenance Contract) details will be automatically fetched when Serial Number is selected.","Barang, Garansi, AMC (Tahunan Kontrak Pemeliharaan) detail akan otomatis diambil ketika Serial Number dipilih." +Item-wise Price List Rate,Barang-bijaksana Daftar Harga Tingkat +Item-wise Purchase History,Barang-bijaksana Riwayat Pembelian +Item-wise Purchase Register,Barang-bijaksana Pembelian Register +Item-wise Sales History,Item-wise Penjualan Sejarah +Item-wise Sales Register,Item-wise Daftar Penjualan "Item: {0} managed batch-wise, can not be reconciled using \ - Stock Reconciliation, instead use Stock Entry",Tanggal dibuat -Item: {0} not found in the system,Izinkan Dropbox Access -Items,Menyetujui Peran -Items To Be Requested,Pengaturan Sudah Selesai!! -Items required,Merek -"Items to be requested which are ""Out of Stock"" considering all warehouses based on projected qty and minimum order qty",Spesifikasi -Items which do not exist in Item master can also be entered on customer's request,Penjualan New Orders -Itemwise Discount,Pesanan produksi {0} harus diserahkan -Itemwise Recommended Reorder Level,Darurat Kontak -Job Applicant,Faktur Periode Dari dan Faktur Period Untuk tanggal wajib untuk berulang faktur -Job Opening,Earning & Pengurangan -Job Profile,Sales Order {0} dihentikan -Job Title,Jumlah Pengurangan -"Job profile, qualifications required etc.",SO Pending Qty -Jobs Email Settings,Tugas -Journal Entries,Dari Timbal -Journal Entry,Biarkan kosong jika dipertimbangkan untuk semua cabang -Journal Voucher,Contra Voucher -Journal Voucher Detail,Dianggap sebagai Saldo Pembukaan -Journal Voucher Detail No,Gudang Ditolak -Journal Voucher {0} does not have account {1} or already matched,Pakan Type -Journal Vouchers {0} are un-linked,Rata-rata Usia -Keep a track of communication related to this enquiry which will help for future reference.,Master merek. -Keep it web friendly 900px (w) by 100px (h),Dianggap sebagai Membuka Balance -Key Performance Area,Item {0} harus Item Sub-kontrak -Key Responsibility Area,Tetap Diperbarui -Kg,"Dapatkan tingkat penilaian dan stok yang tersedia di sumber / target gudang di postingan disebutkan tanggal-waktu. Jika serial barang, silahkan tekan tombol ini setelah memasuki nos serial." -LR Date,Jadwal Detail -LR No,Pengaturan server masuk untuk email dukungan id. (Misalnya support@example.com) -Label,Gudang {0} tidak dapat dihapus sebagai kuantitas ada untuk Item {1} -Landed Cost Item,Listrik -Landed Cost Items,Segmen Pasar -Landed Cost Purchase Receipt,Pengaturan default untuk membeli transaksi. -Landed Cost Purchase Receipts,Bahan baku tidak bisa sama dengan Butir utama -Landed Cost Wizard,Stock UOM -Landed Cost updated successfully,Laju Bahan Berbasis On -Language,Account untuk gudang (Inventaris Perpetual) akan dibuat di bawah Rekening ini. -Last Name,Jumlah Komisi -Last Purchase Rate,Penghasilan Tengah -Latest,Mengesahkan -Lead,Sales Order Trends -Lead Details,Harian Waktu Log Summary -Lead Id,Dari Pemasok Quotation -Lead Name,Negara bijaksana Alamat bawaan Template -Lead Owner,Tanggal -Lead Source,Pengaturan saham -Lead Status,Karyawan {0} tidak aktif atau tidak ada -Lead Time Date,Mode Pembayaran -Lead Time Days,Tersesat -Lead Time days is number of days by which this item is expected in your warehouse. This days is fetched in Material Request when you select this item.,Jumlah tunggakan -Lead Type,Ref Kode -Lead must be set if Opportunity is made from Lead,Penjualan Induk Orang -Leave Allocation,Beban Klaim Disetujui -Leave Allocation Tool,Masukkan detil item -Leave Application,Nama Pemohon -Leave Approver,Penjualan Faktur ada -Leave Approvers,Menulis Off Biaya Pusat -Leave Balance Before Application,Peneliti -Leave Block List,Tahun keuangan Anda dimulai pada -Leave Block List Allow,Diskon (%) -Leave Block List Allowed,Setup Wizard -Leave Block List Date,Guru Nama adalah wajib jika jenis account adalah Gudang -Leave Block List Dates,Menit -Leave Block List Name,Jika berbeda dari alamat pelanggan -Leave Blocked,Satuan Ukur {0} telah dimasukkan lebih dari sekali dalam Faktor Konversi Tabel -Leave Control Panel,Memimpin Baru -Leave Encashed?,Pengangkutan dan Forwarding Biaya -Leave Encashment Amount,Pajak dan pemotongan gaji lainnya. -Leave Type,Valid Dari -Leave Type Name,Analytics keuangan -Leave Without Pay,Kampanye Penamaan Dengan -Leave application has been approved.,Unstop Material Permintaan -Leave application has been rejected.,Dari Pelanggan -Leave approver must be one of {0},Modifikasi Jumlah -Leave blank if considered for all branches,Quotation {0} dibatalkan -Leave blank if considered for all departments,Rencana Qty -Leave blank if considered for all designations,"misalnya ""MC """ -Leave blank if considered for all employee types,Harap tambahkan beban rincian voucher -"Leave can be approved by users with Role, ""Leave Approver""",Silakan pengaturan grafik Anda account sebelum Anda mulai Entries Akuntansi -Leave of type {0} cannot be longer than {1},Series adalah wajib -Leaves Allocated Successfully for {0},Pilih negara asal Anda dan memeriksa zona waktu dan mata uang. -Leaves for type {0} already allocated for Employee {1} for Fiscal Year {0},Pelanggan Umpan -Leaves must be allocated in multiples of 0.5,Konfirmasi Tanggal -Ledger,Apakah LWP -Ledgers,Catatan: Barang {0} masuk beberapa kali -Left,Pengaturan HR -Legal,Item diperbarui -Legal Expenses,Standar Rekening Bank -Letter Head,Dapatkan Syarat dan Ketentuan -Letter Heads for print templates.,Tanggal clearance tidak bisa sebelum tanggal check-in baris {0} -Level,Material Permintaan Barang -Lft,BOM No untuk jadi baik Barang -Liability,Tinggalkan Approver -List a few of your customers. They could be organizations or individuals.,Buat aturan untuk membatasi transaksi berdasarkan nilai-nilai. -List a few of your suppliers. They could be organizations or individuals.,Tinggalkan Block List Tanggal -List items that form the package.,Kampanye -List this Item in multiple groups on the website.,Masukkan Planned Qty untuk Item {0} pada baris {1} -"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.",Silahkan pilih Tahun Anggaran -"List your tax heads (e.g. VAT, Excise; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.",Skor (0-5) -Loading...,Pengguna dengan peran ini diperbolehkan untuk membuat / memodifikasi entri akuntansi sebelum tanggal beku -Loans (Liabilities),Masukkan Biaya Pusat -Loans and Advances (Assets),Packing Slip -Local,Landed Biaya Barang -Login,Hilang Kurs mata uang Tarif untuk {0} -Login with your new User ID,Peluang Type -Logo,Pengaturan Perusahaan -Logo and Letter Heads,Ketentuan kontrak standar untuk Penjualan atau Pembelian. -Lost,Dapatkan Uang Muka Diterima -Lost Reason,Bill Tanggal -Low,Musik -Lower Income,Proyek -MTN Details,Aktual -Main,Pesanan Pembelian Diperlukan -Main Reports,Kendaraan Dispatch Tanggal -Maintain Same Rate Throughout Sales Cycle,Kredit (Kewajiban) -Maintain same rate throughout purchase cycle,Reqd By Date -Maintenance,Tambahkan -Maintenance Date,Daftar Harga tidak dipilih -Maintenance Details,Nama Mata Uang -Maintenance Schedule,Pilih Tahun Anggaran ... -Maintenance Schedule Detail,Status Penagihan -Maintenance Schedule Item,Jumlah negatif tidak diperbolehkan -Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',"Rule harga pertama dipilih berdasarkan 'Terapkan On' lapangan, yang dapat Barang, Barang Grup atau Merek." -Maintenance Schedule {0} exists against {0},Gudang hanya dapat diubah melalui Bursa Masuk / Delivery Note / Penerimaan Pembelian -Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Diterima Kuantitas -Maintenance Schedules,Produk Diterima Akan Ditagih -Maintenance Status,Perbarui Izin Tanggal -Maintenance Time,Masa Pembayaran Berdasarkan Faktur Tanggal -Maintenance Type,Beban Klaim -Maintenance Visit,Tanggal posting dan posting waktu adalah wajib -Maintenance Visit Purpose,LR Tanggal -Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Jumlah Total Tagihan -Maintenance start date can not be before delivery date for Serial No {0},"Email Id di mana pelamar pekerjaan akan mengirimkan email misalnya ""jobs@example.com""" -Major/Optional Subjects,Jurnal Entri + Stock Reconciliation, instead use Stock Entry","Item: {0} dikelola batch-bijaksana, tidak dapat didamaikan dengan menggunakan \ + Bursa Rekonsiliasi, sebagai gantinya menggunakan Stock Entri" +Item: {0} not found in the system,Item: {0} tidak ditemukan dalam sistem +Items,Items +Items To Be Requested,Items Akan Diminta +Items required,Barang yang dibutuhkan +"Items to be requested which are ""Out of Stock"" considering all warehouses based on projected qty and minimum order qty","Item harus diminta yang ""Out of Stock"" mengingat semua gudang berdasarkan qty diproyeksikan dan pesanan minimum qty" +Items which do not exist in Item master can also be entered on customer's request,Barang-barang yang tidak ada dalam Butir utama juga dapat dimasukkan pada permintaan pelanggan +Itemwise Discount,Itemwise Diskon +Itemwise Recommended Reorder Level,Itemwise Rekomendasi Reorder Tingkat +Job Applicant,Pemohon Job +Job Opening,Pembukaan Job +Job Profile,Profil Job +Job Title,Jabatan +"Job profile, qualifications required etc.","Profil pekerjaan, kualifikasi yang dibutuhkan dll" +Jobs Email Settings,Pengaturan Jobs Email +Journal Entries,Entries Journal +Journal Entry,Jurnal Entri +Journal Voucher,Journal Voucher +Journal Voucher Detail,Journal Voucher Detil +Journal Voucher Detail No,Journal Voucher Detil ada +Journal Voucher {0} does not have account {1} or already matched,Journal Voucher {0} tidak memiliki akun {1} atau sudah cocok +Journal Vouchers {0} are un-linked,Journal Voucher {0} yang un-linked +Keep a track of communication related to this enquiry which will help for future reference.,Menyimpan melacak komunikasi yang berkaitan dengan penyelidikan ini yang akan membantu untuk referensi di masa mendatang. +Keep it web friendly 900px (w) by 100px (h),Simpan web 900px ramah (w) oleh 100px (h) +Key Performance Area,Key Bidang Kinerja +Key Responsibility Area,Key Responsibility area +Kg,Kg +LR Date,LR Tanggal +LR No,LR ada +Label,Label +Landed Cost Item,Landed Biaya Barang +Landed Cost Items,Landed Biaya Produk +Landed Cost Purchase Receipt,Landed Biaya Penerimaan Pembelian +Landed Cost Purchase Receipts,Mendarat Penerimaan Biaya Pembelian +Landed Cost Wizard,Landed Biaya Wisaya +Landed Cost updated successfully,Biaya Landed berhasil diperbarui +Language,Bahasa +Last Name,Nama Belakang +Last Purchase Rate,Tingkat Pembelian Terakhir +Latest,Terbaru +Lead,Lead +Lead Details,Detail Timbal +Lead Id,Timbal Id +Lead Name,Timbal Nama +Lead Owner,Timbal Owner +Lead Source,Sumber utama +Lead Status,Status Timbal +Lead Time Date,Timbal Waktu Tanggal +Lead Time Days,Memimpin Waktu Hari +Lead Time days is number of days by which this item is expected in your warehouse. This days is fetched in Material Request when you select this item.,Hari Waktu Timbal adalah jumlah hari dimana item ini diharapkan di gudang Anda. Hari ini diambil di Material Request ketika Anda memilih item ini. +Lead Type,Timbal Type +Lead must be set if Opportunity is made from Lead,Timbal harus diatur jika Peluang terbuat dari Timbal +Leave Allocation,Tinggalkan Alokasi +Leave Allocation Tool,Tinggalkan Alokasi Alat +Leave Application,Tinggalkan Aplikasi +Leave Approver,Tinggalkan Approver +Leave Approvers,Tinggalkan yang menyetujui +Leave Balance Before Application,Tinggalkan Saldo Sebelum Aplikasi +Leave Block List,Tinggalkan Block List +Leave Block List Allow,Tinggalkan Block List Izinkan +Leave Block List Allowed,Tinggalkan Block List Diizinkan +Leave Block List Date,Tinggalkan Block List Tanggal +Leave Block List Dates,Tinggalkan Block List Tanggal +Leave Block List Name,Tinggalkan Nama Block List +Leave Blocked,Tinggalkan Diblokir +Leave Control Panel,Tinggalkan Control Panel +Leave Encashed?,Tinggalkan dicairkan? +Leave Encashment Amount,Tinggalkan Pencairan Jumlah +Leave Type,Tinggalkan Type +Leave Type Name,Tinggalkan Type Nama +Leave Without Pay,Tinggalkan Tanpa Bayar +Leave application has been approved.,Pengajuan cuti telah disetujui. +Leave application has been rejected.,Pengajuan cuti telah ditolak. +Leave approver must be one of {0},Tinggalkan approver harus menjadi salah satu {0} +Leave blank if considered for all branches,Biarkan kosong jika dipertimbangkan untuk semua cabang +Leave blank if considered for all departments,Biarkan kosong jika dianggap untuk semua departemen +Leave blank if considered for all designations,Biarkan kosong jika dipertimbangkan untuk semua sebutan +Leave blank if considered for all employee types,Biarkan kosong jika dipertimbangkan untuk semua jenis karyawan +"Leave can be approved by users with Role, ""Leave Approver""","Tinggalkan dapat disetujui oleh pengguna dengan Role, ""Tinggalkan Approver""" +Leave of type {0} cannot be longer than {1},Tinggalkan jenis {0} tidak boleh lebih dari {1} +Leaves Allocated Successfully for {0},Daun Dialokasikan Berhasil untuk {0} +Leaves for type {0} already allocated for Employee {1} for Fiscal Year {0},Daun untuk tipe {0} sudah dialokasikan untuk Karyawan {1} Tahun Anggaran {0} +Leaves must be allocated in multiples of 0.5,"Daun harus dialokasikan dalam kelipatan 0,5" +Ledger,Buku besar +Ledgers,Buku Pembantu +Left,Waktu tersisa +Legal,Hukum +Legal Expenses,Beban Legal +Letter Head,Surat Kepala +Letter Heads for print templates.,Surat Kepala untuk mencetak template. +Level,Level +Lft,Lft +Liability,Kewajiban +List a few of your customers. They could be organizations or individuals.,Daftar beberapa pelanggan Anda. Mereka bisa menjadi organisasi atau individu. +List a few of your suppliers. They could be organizations or individuals.,Daftar beberapa pemasok Anda. Mereka bisa menjadi organisasi atau individu. +List items that form the package.,Daftar item yang membentuk paket. +List this Item in multiple groups on the website.,Daftar Barang ini dalam beberapa kelompok di website. +"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 Barang, Satuan Ukur dan properti lainnya ketika Anda mulai." +"List your tax heads (e.g. VAT, Excise; 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, Cukai, mereka harus memiliki nama yang unik) dan tingkat standar mereka. Ini akan membuat template standar, yang dapat Anda edit dan menambahkannya kemudian." +Loading...,Memuat... +Loans (Liabilities),Kredit (Kewajiban) +Loans and Advances (Assets),Pinjaman Uang Muka dan (Aset) +Local,[Daerah +Login,Masuk +Login with your new User ID,Login dengan User ID baru Anda +Logo,Logo +Logo and Letter Heads,Logo dan Surat Kepala +Lost,Tersesat +Lost Reason,Kehilangan Alasan +Low,Rendah +Lower Income,Penghasilan rendah +MTN Details,MTN Detail +Main,Utama +Main Reports,Laporan Utama +Maintain Same Rate Throughout Sales Cycle,Menjaga Tingkat Sama Sepanjang Siklus Penjualan +Maintain same rate throughout purchase cycle,Mempertahankan tingkat yang sama sepanjang siklus pembelian +Maintenance,Pemeliharaan +Maintenance Date,Pemeliharaan Tanggal +Maintenance Details,Detail Maintenance +Maintenance Schedule,Jadwal pemeliharaan +Maintenance Schedule Detail,Jadwal pemeliharaan Detil +Maintenance Schedule Item,Jadwal pemeliharaan Barang +Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',Jadwal pemeliharaan tidak dihasilkan untuk semua item. Silahkan klik 'Menghasilkan Jadwal' +Maintenance Schedule {0} exists against {0},Jadwal pemeliharaan {0} ada terhadap {0} +Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Jadwal pemeliharaan {0} harus dibatalkan sebelum membatalkan Sales Order ini +Maintenance Schedules,Jadwal pemeliharaan +Maintenance Status,Status pemeliharaan +Maintenance Time,Pemeliharaan Waktu +Maintenance Type,Pemeliharaan Type +Maintenance Visit,Pemeliharaan Visit +Maintenance Visit Purpose,Pemeliharaan Visit Tujuan +Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Pemeliharaan Kunjungan {0} harus dibatalkan sebelum membatalkan Sales Order ini +Maintenance start date can not be before delivery date for Serial No {0},Tanggal mulai pemeliharaan tidak bisa sebelum tanggal pengiriman untuk Serial No {0} +Major/Optional Subjects,Mayor / Opsional Subjek Make , -Make Accounting Entry For Every Stock Movement,Doc Nama -Make Bank Voucher,Apakah Penjualan Barang -Make Credit Note,"Jika Anda telah membuat template standar dalam Pajak Pembelian dan Guru Beban, pilih salah satu dan klik tombol di bawah." -Make Debit Note,Voucher Jenis dan Tanggal -Make Delivery,Penerimaan Pembelian Barang Disediakan -Make Difference Entry,Barang yang diterima dari pemasok. -Make Excise Invoice,old_parent -Make Installation Note,"Jika account beku, entri yang diizinkan untuk pengguna terbatas." -Make Invoice,Standar Akun -Make Maint. Schedule,Konversikan ke Grup -Make Maint. Visit,Nomor registrasi perusahaan untuk referensi Anda. Nomor pajak dll -Make Maintenance Visit,Darurat Telepon -Make Packing Slip,Penjelasan -Make Payment Entry,Tidak dapat mengkonversi Biaya Center untuk buku karena memiliki node anak -Make Purchase Invoice,Master Holiday. -Make Purchase Order,Biaya Pusat -Make Purchase Receipt,Part-time -Make Salary Slip,Purchase Order -Make Salary Structure,Tidak dapat deactive atau cancle BOM seperti yang dihubungkan dengan BOMs lain -Make Sales Invoice,"Memilih ""Ya"" akan memungkinkan item ini muncul di Purchase Order, Penerimaan Pembelian." -Make Sales Order,Berat Kotor -Make Supplier Quotation,Fixed Asset -Male,Tarif Pajak Barang -Manage Customer Group Tree.,Tertutup -Manage Sales Partners.,Setengah Tahunan -Manage Sales Person Tree.,Permintaan Bahan Baru -Manage Territory Tree.,Menghilangkan Tanggal -Manage cost of operations,Sampai saat ini tidak dapat sebelumnya dari tanggal -Management,Silakan pilih file csv -Manager,Nomor Cek -"Mandatory if Stock Item is ""Yes"". Also the default warehouse where reserved quantity is set from Sales Order.",Blok Tanggal -Manufacture against Sales Order,Untuk Perusahaan -Manufacture/Repack,Faktur Penjualan Trends -Manufactured Qty,Tidak Tersedia -Manufactured quantity will be updated in this warehouse,Tidak ada Rekening Nasabah ditemukan. -Manufactured quantity {0} cannot be greater than planned quanitity {1} in Production Order {2},"""Tidak ada" -Manufacturer,"Daftar kepala pajak Anda (misalnya PPN, Cukai, mereka harus memiliki nama yang unik) dan tingkat standar mereka. Ini akan membuat template standar, yang dapat Anda edit dan menambahkannya kemudian." -Manufacturer Part Number,Anda bisa mengirimkan ini Stock Rekonsiliasi. -Manufacturing,Penuaan Tanggal adalah wajib untuk membuka entri -Manufacturing Quantity,Untuk Tanggal -Manufacturing Quantity is mandatory,Pajak Pembelian dan Biaya -Margin,BOM diganti -Marital Status,Detail Kesehatan -Market Segment,Biaya -Marketing,Sesuaikan -Marketing Expenses,Identifikasi paket untuk pengiriman (untuk mencetak) -Married,Anda dapat memasukkan jumlah minimum dari item ini yang akan dipesan. -Mass Mailing,Nama Distribusi -Master Name,Perusahaan (tidak Pelanggan atau Pemasok) Master. -Master Name is mandatory if account type is Warehouse,Produk Diminta Akan Ditransfer -Master Type,simbol -Masters,Pilih Waktu Log dan Kirim untuk membuat Faktur Penjualan baru. -Match non-linked Invoices and Payments.,"Tentukan daftar Territories, yang, Aturan Pengiriman ini berlaku" -Material Issue,Permintaan Produk Bahan -Material Receipt,Kota / Kota -Material Request,Re-order Qty -Material Request Detail No,Keperluan -Material Request For Warehouse,Tidak Aktif -Material Request Item,Currency Default -Material Request Items,Transportasi -Material Request No,Periksa ini jika Anda ingin memaksa pengguna untuk memilih seri sebelum menyimpan. Tidak akan ada default jika Anda memeriksa ini. -Material Request Type,Sesuaikan Pemberitahuan -Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Kualifikasi Pendidikan Detail -Material Request used to make this Stock Entry,Pemasok Type -Material Request {0} is cancelled or stopped,Mengisi tipe 'sebenarnya' berturut-turut {0} tidak dapat dimasukkan dalam Butir Tingkat -Material Requests for which Supplier Quotations are not created,Bill ada -Material Requests {0} created,Nama Akun -Material Requirement,Pembaruan Biaya -Material Transfer,"Reserved Qty: Jumlah memerintahkan untuk dijual, tapi tidak disampaikan." -Materials,Jarak -Materials Required (Exploded),Kontak -Max 5 characters,HTML / Banner yang akan muncul di bagian atas daftar produk. -Max Days Leave Allowed,Anda dapat mengatur default Rekening Bank di induk Perusahaan -Max Discount (%),Biaya Pusat baru -Max Qty,Jumlah Karakter -Max discount allowed for item: {0} is {1}%,Tidak bisa memilih jenis biaya sebagai 'Pada Row Sebelumnya Jumlah' atau 'On Sebelumnya Row Jumlah' untuk penilaian. Anda dapat memilih hanya 'Jumlah' pilihan untuk jumlah baris sebelumnya atau total baris sebelumnya -Maximum allowed credit is {0} days after posting date,Aset Temporary -Maximum {0} rows allowed,Mitra Type -Maxiumm discount for Item {0} is {1}%,PPN -Medical,Jumlah barang yang diperoleh setelah manufaktur / repacking dari mengingat jumlah bahan baku -Medium,Tahun Ditutup -"Merging is only possible if following properties are same in both records. Group or Ledger, Root Type, Company",Gaji -Message,Hari Sejak Orde terakhir -Message Parameter,Struktur Gaji lain {0} aktif untuk karyawan {0}. Silakan membuat status 'aktif' untuk melanjutkan. -Message Sent,Aset Lancar -Message updated,Silakan pilih jenis dokumen pertama -Messages,Balance Qty -Messages greater than 160 characters will be split into multiple messages,pemerintahan -Middle Income,Selamat Datang di ERPNext. Silahkan pilih bahasa Anda untuk memulai Setup Wizard. -Milestone,Biaya Operasi -Milestone Date,Item Kekurangan Laporan -Milestones,Komentar -Milestones will be added as Events in the Calendar,Tidak dapat mengkonversi ke Grup karena Guru Ketik atau Rekening Type dipilih. -Min Order Qty,Pesan lebih dari 160 karakter akan dipecah menjadi beberapa pesan -Min Qty,Pengguna harus selalu pilih -Min Qty can not be greater than Max Qty,Judul untuk mencetak template misalnya Proforma Invoice. -Minimum Order Qty,Berat UOM -Minute,Jumlah Debit harus sama dengan total kredit. Perbedaannya adalah {0} -Misc Details,Manufaktur Kuantitas adalah wajib -Miscellaneous Expenses,Nama Pengguna -Miscelleneous,Pilih Pesanan Penjualan -Mobile No,Pengaturan Karyawan -Mobile No.,"Tentukan operasi, biaya operasi dan memberikan Operation unik ada pada operasi Anda." -Mode of Payment,"Saldo Rekening jenis ""Bank"" atau ""Cash""" -Modern,Selesai% -Modified Amount,Produktif Type -Monday,Komisi Rate (%) -Month,Auto-meningkatkan Permintaan Material jika kuantitas berjalan di bawah tingkat re-order di gudang -Monthly,New Stock UOM harus berbeda dari UOM saham saat ini -Monthly Attendance Sheet,Catatan: Sistem tidak akan memeriksa over-pengiriman dan over-booking untuk Item {0} kuantitas atau jumlah 0 -Monthly Earning & Deduction,"Karena ada transaksi saham yang ada untuk item ini, Anda tidak dapat mengubah nilai-nilai 'Memiliki Serial No', 'Apakah Stock Barang' dan 'Metode Penilaian'" -Monthly Salary Register,% Bahan ditagih terhadap Sales Order ini -Monthly salary statement.,Pilih Merek ... -More Details,Rename Alat -More Info,Kuantitas Diproduksi akan diperbarui di gudang ini -Motion Picture & Video,Ditolak Serial No -Moving Average,Lain-lain -Moving Average Rate,Pabrikan -Mr,Ms -Ms,% Jumlah Ditagih -Multiple Item prices.,Pengaturan Payroll +Make Accounting Entry For Every Stock Movement,Membuat Entri Akuntansi Untuk Setiap Gerakan Stock +Make Bank Voucher,Membuat Bank Voucher +Make Credit Note,Membuat Nota Kredit +Make Debit Note,Membuat Debit Note +Make Delivery,Membuat Pengiriman +Make Difference Entry,Membuat Perbedaan Entri +Make Excise Invoice,Membuat Cukai Faktur +Make Installation Note,Membuat Instalasi Note +Make Invoice,Membuat Invoice +Make Maint. Schedule,Buat Maint. Jadwal +Make Maint. Visit,Buat Maint. Kunjungan +Make Maintenance Visit,Membuat Maintenance Visit +Make Packing Slip,Membuat Packing Slip +Make Payment,Lakukan Pembayaran +Make Payment Entry,Membuat Entri Pembayaran +Make Purchase Invoice,Membuat Purchase Invoice +Make Purchase Order,Membuat Purchase Order +Make Purchase Receipt,Membuat Pembelian Penerimaan +Make Salary Slip,Membuat Slip Gaji +Make Salary Structure,Membuat Struktur Gaji +Make Sales Invoice,Membuat Sales Invoice +Make Sales Order,Membuat Sales Order +Make Supplier Quotation,Membuat Pemasok Quotation +Make Time Log Batch,Membuat Waktu Log Batch +Male,Laki-laki +Manage Customer Group Tree.,Manage Group Pelanggan Pohon. +Manage Sales Partners.,Mengelola Penjualan Partners. +Manage Sales Person Tree.,Mengelola Penjualan Orang Pohon. +Manage Territory Tree.,Kelola Wilayah Pohon. +Manage cost of operations,Mengelola biaya operasional +Management,Manajemen +Manager,Manajer +"Mandatory if Stock Item is ""Yes"". Also the default warehouse where reserved quantity is set from Sales Order.","Wajib jika Stock Item ""Yes"". Juga gudang standar di mana kuantitas milik diatur dari Sales Order." +Manufacture against Sales Order,Industri melawan Sales Order +Manufacture/Repack,Industri / Repack +Manufactured Qty,Diproduksi Qty +Manufactured quantity will be updated in this warehouse,Kuantitas Diproduksi akan diperbarui di gudang ini +Manufactured quantity {0} cannot be greater than planned quanitity {1} in Production Order {2},Kuantitas Diproduksi {0} Tidak dapat lebih besar dari yang direncanakan quanitity {1} dalam Orde Produksi {2} +Manufacturer,Pabrikan +Manufacturer Part Number,Produsen Part Number +Manufacturing,Manufaktur +Manufacturing Quantity,Manufacturing Quantity +Manufacturing Quantity is mandatory,Manufaktur Kuantitas adalah wajib +Margin,Margin +Marital Status,Status Perkawinan +Market Segment,Segmen Pasar +Marketing,Pemasaran +Marketing Expenses,Beban Pemasaran +Married,Belum Menikah +Mass Mailing,Mailing massa +Master Name,Guru Nama +Master Name is mandatory if account type is Warehouse,Guru Nama adalah wajib jika jenis account adalah Gudang +Master Type,Guru Type +Masters,Masters +Match non-linked Invoices and Payments.,Cocokkan Faktur non-linked dan Pembayaran. +Material Issue,Material Isu +Material Receipt,Material Receipt +Material Request,Permintaan Material +Material Request Detail No,Permintaan Detil Material ada +Material Request For Warehouse,Permintaan Material Untuk Gudang +Material Request Item,Material Permintaan Barang +Material Request Items,Permintaan Produk Bahan +Material Request No,Permintaan Material yang +Material Request Type,Permintaan Jenis Bahan +Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Permintaan Bahan maksimal {0} dapat dibuat untuk Item {1} terhadap Sales Order {2} +Material Request used to make this Stock Entry,Permintaan bahan yang digunakan untuk membuat Masuk Bursa ini +Material Request {0} is cancelled or stopped,Permintaan Material {0} dibatalkan atau dihentikan +Material Requests for which Supplier Quotations are not created,Permintaan Material yang Pemasok Kutipan tidak diciptakan +Material Requests {0} created,Permintaan Material {0} dibuat +Material Requirement,Material Requirement +Material Transfer,Material Transfer +Materials,bahan materi +Materials Required (Exploded),Bahan yang dibutuhkan (Meledak) +Max 5 characters,Max 5 karakter +Max Days Leave Allowed,Max Hari Cuti Diizinkan +Max Discount (%),Max Diskon (%) +Max Qty,Max Qty +Max discount allowed for item: {0} is {1}%,Diskon Max diperbolehkan untuk item: {0} {1}% +Maximum Amount,Jumlah Maksimum +Maximum allowed credit is {0} days after posting date,Kredit maksimum yang diijinkan adalah {0} hari setelah tanggal postingan +Maximum {0} rows allowed,Maksimum {0} baris diperbolehkan +Maxiumm discount for Item {0} is {1}%,Diskon Maxiumm untuk Item {0} adalah {1}% +Medical,Medis +Medium,Sedang +"Merging is only possible if following properties are same in both records. Group or Ledger, Root Type, Company","Penggabungan hanya mungkin jika sifat berikut sama di kedua catatan. Grup atau Ledger, Akar Type, Perusahaan" +Message,Pesan +Message Parameter,Parameter pesan +Message Sent,Pesan Terkirim +Message updated,Pesan diperbarui +Messages,Pesan +Messages greater than 160 characters will be split into multiple messages,Pesan lebih dari 160 karakter akan dipecah menjadi beberapa pesan +Middle Income,Penghasilan Tengah +Milestone,Batu +Milestone Date,Milestone Tanggal +Milestones,Milestones +Milestones will be added as Events in the Calendar,Milestones akan ditambahkan sebagai Acara di Kalender +Min Order Qty,Min Order Qty +Min Qty,Min Qty +Min Qty can not be greater than Max Qty,Min Qty tidak dapat lebih besar dari Max Qty +Minimum Amount,Jumlah Minimum +Minimum Order Qty,Minimum Order Qty +Minute,Menit +Misc Details,Lain-lain Detail +Miscellaneous Expenses,Beban lain-lain +Miscelleneous,Miscelleneous +Mobile No,Ponsel Tidak ada +Mobile No.,Ponsel Nomor +Mode of Payment,Mode Pembayaran +Modern,Modern +Monday,Senin +Month,Bulan +Monthly,Bulanan +Monthly Attendance Sheet,Lembar Kehadiran Bulanan +Monthly Earning & Deduction,Bulanan Pendapatan & Pengurangan +Monthly Salary Register,Gaji Bulanan Daftar +Monthly salary statement.,Pernyataan gaji bulanan. +More Details,Detail Lebih +More Info,Info Selengkapnya +Motion Picture & Video,Motion Picture & Video +Moving Average,Moving Average +Moving Average Rate,Moving Average Tingkat +Mr,Mr +Ms,Ms +Multiple Item prices.,Multiple Item harga. "Multiple Price Rule exists with same criteria, please resolve \ - conflict by assigning priority. Price Rules: {0}",Jumlah total tagihan dikirim ke pelanggan selama periode digest -Music,Sebuah Produk atau Jasa -Must be Whole Number,Ini akan digunakan untuk menetapkan aturan dalam modul HR -Name,Catatan: Tidak ada saldo cuti cukup bagi Leave Type {0} -Name and Description,Tahunan -Name and Employee ID,Reserved gudang diperlukan untuk item saham {0} -"Name of new Account. Note: Please don't create accounts for Customers and Suppliers, they are created automatically from the Customer and Supplier master",Akun Penghasilan -Name of person or organization that this address belongs to.,Tanggal Bergabung -Name of the Budget Distribution,"Beberapa Aturan Harga ada dengan kriteria yang sama, silahkan menyelesaikan \ \ n konflik dengan menetapkan prioritas. Aturan Harga: {0}" -Naming Series,Nama dan ID Karyawan -Negative Quantity is not allowed,Valuation -Negative Stock Error ({6}) for Item {0} in Warehouse {1} on {2} {3} in {4} {5},Manager Project -Negative Valuation Rate is not allowed,Dasar -Negative balance in Batch {0} for Item {1} at Warehouse {2} on {3} {4},Min Qty tidak dapat lebih besar dari Max Qty -Net Pay,Akun {0} tidak ada -Net Pay (in words) will be visible once you save the Salary Slip.,Detil Voucher ada -Net Total,Entri New Stock -Net Total (Company Currency),Kosmetik -Net Weight,Pajak Kategori tidak bisa 'Penilaian' atau 'Penilaian dan Total' karena semua item item non-saham -Net Weight UOM,kas -Net Weight of each Item,Disampaikan Serial ada {0} tidak dapat dihapus -Net pay cannot be negative,Secara otomatis mengekstrak Pelamar Kerja dari kotak surat -Never,Detail Darurat Kontak + conflict by assigning priority. Price Rules: {0}","Beberapa Aturan Harga ada dengan kriteria yang sama, silahkan menyelesaikan \ + konflik dengan menetapkan prioritas. Aturan Harga: {0}" +Music,Musik +Must be Whole Number,Harus Nomor Utuh +Name,Nama +Name and Description,Nama dan Deskripsi +Name and Employee ID,Nama dan ID Karyawan +"Name of new Account. Note: Please don't create accounts for Customers and Suppliers, they are created automatically from the Customer and Supplier master","Nama Akun baru. Catatan: Tolong jangan membuat account untuk Pelanggan dan Pemasok, mereka dibuat secara otomatis dari Nasabah dan Pemasok utama" +Name of person or organization that this address belongs to.,Nama orang atau organisasi yang alamat ini milik. +Name of the Budget Distribution,Nama Distribusi Anggaran +Naming Series,Penamaan Series +Negative Quantity is not allowed,Jumlah negatif tidak diperbolehkan +Negative Stock Error ({6}) for Item {0} in Warehouse {1} on {2} {3} in {4} {5},Kesalahan Stock negatif ({6}) untuk Item {0} Gudang {1} di {2} {3} in {4} {5} +Negative Valuation Rate is not allowed,Tingkat Penilaian negatif tidak diperbolehkan +Negative balance in Batch {0} for Item {1} at Warehouse {2} on {3} {4},Saldo negatif dalam Batch {0} untuk Item {1} di Gudang {2} pada {3} {4} +Net Pay,Pay Net +Net Pay (in words) will be visible once you save the Salary Slip.,Pay Bersih (dalam kata-kata) akan terlihat setelah Anda menyimpan Slip Gaji. +Net Profit / Loss,Laba / Rugi +Net Total,Jumlah Bersih +Net Total (Company Currency),Jumlah Bersih (Perusahaan Mata Uang) +Net Weight,Berat Bersih +Net Weight UOM,Berat Bersih UOM +Net Weight of each Item,Berat Bersih dari setiap Item +Net pay cannot be negative,Gaji bersih yang belum dapat negatif +Never,Tidak Pernah New , -New Account,Orang penjualan Anda akan mendapatkan pengingat pada tanggal ini untuk menghubungi pelanggan -New Account Name,"Pergi ke grup yang sesuai (biasanya Sumber Dana> Kewajiban Lancar> Pajak dan Bea dan membuat Akun baru Ledger (dengan mengklik Tambahkan Child) tipe ""Pajak"" dan jangan menyebutkan tingkat pajak." -New BOM,Silakan tentukan Perusahaan untuk melanjutkan -New Communications,Induk Barang Grup -New Company,Status Instalasi -New Cost Center,Silakan tentukan ID Row berlaku untuk {0} berturut-turut {1} -New Cost Center Name,Lft -New Delivery Notes,Kode Pelanggan -New Enquiries,Group by Voucher -New Leads,Gudang Diterima -New Leave Application,Akun dengan node anak tidak dapat dikonversi ke buku -New Leaves Allocated,Journal Voucher Detil -New Leaves Allocated (In Days),Penerimaan Pembelian {0} tidak disampaikan -New Material Requests,Daftar Harga Rate (Perusahaan Mata Uang) -New Projects,Pembelian -New Purchase Orders,Barang-barang yang tidak ada dalam Butir utama juga dapat dimasukkan pada permintaan pelanggan -New Purchase Receipts,Beban standar Akun -New Quotations,Rangkai Salindia -New Sales Orders,Untuk mengaktifkan Point of Sale Tampilan -New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Ikuti via Email -New Stock Entries,Bahan baku yang dibutuhkan dikeluarkan ke pemasok untuk memproduksi sub - item yang dikontrak. -New Stock UOM,Apakah Muka -New Stock UOM is required,Waktu Log -New Stock UOM must be different from current stock UOM,Membuat Sales Invoice -New Supplier Quotations,Entri Stock sudah diciptakan untuk Orde Produksi -New Support Tickets,Kewajiban -New UOM must NOT be of type Whole Number,Kuantitas untuk Item {0} harus kurang dari {1} -New Workplace,Pajak dan Biaya Jumlah -Newsletter,Tinggalkan Nama Block List -Newsletter Content,Partner Website -Newsletter Status,Item {0} dengan deskripsi yang sama dimasukkan dua kali -Newsletter has already been sent,Reserved Gudang di Sales Order / Barang Jadi Gudang -Newsletters is not allowed for Trial users,Penjualan -"Newsletters to contacts, leads.",Sewa Biaya -Newspaper Publishers,Pasang Gambar Anda -Next,Apakah menjual -Next Contact By,Tinggalkan Block List -Next Contact Date,"Country, Timezone dan Mata Uang" -Next Date,Pending SO Items Untuk Pembelian Permintaan -Next email will be sent on:,Hitung Total Skor -No,Kirim Email -No Customer Accounts found.,Batch Selesai Tanggal -No Customer or Supplier Accounts found,Batch ID -No Expense Approvers. Please assign 'Expense Approver' Role to atleast one user,Cocokkan Faktur non-linked dan Pembayaran. -No Item with Barcode {0},Daftar Harga Tukar -No Item with Serial No {0},Saldo Rekening -No Items to pack,Silakan set tombol akses Google Drive di {0} -No Leave Approvers. Please assign 'Leave Approver' Role to atleast one user,Tinggalkan Tanpa Bayar -No Permission,Tetapkan -No Production Orders created,Proyek & Sistem -No Supplier Accounts found. Supplier Accounts are identified based on 'Master Type' value in account record.,"Di sini Anda dapat mempertahankan tinggi, berat, alergi, masalah medis dll" -No accounting entries for the following warehouses,"Row {0}: Untuk mengatur {1} periodisitas, perbedaan antara dari dan sampai saat ini \ \ n harus lebih besar dari atau sama dengan {2}" -No addresses created,Jenis Pembayaran -No contacts created,Misalnya. smsgateway.com / api / send_sms.cgi -No default Address Template found. Please create a new one from Setup > Printing and Branding > Address Template.,Info Perusahaan -No default BOM exists for Item {0},Serial Tidak Detail -No description given,Berhenti berlangganan -No employee found,Item Grup dalam Rincian -No employee found!,Pada Sebelumnya Row Jumlah -No of Requested SMS,Silahkan pengaturan seri penomoran untuk Kehadiran melalui Pengaturan> Penomoran Series -No of Sent SMS,Diskon Maxiumm untuk Item {0} adalah {1}% -No of Visits,Weightage -No permission,Tim Penjualan -No record found,UOM berbeda untuk item akan menyebabkan salah (Total) Nilai Berat Bersih. Pastikan Berat Bersih dari setiap item di UOM sama. +New Account,Akun baru +New Account Name,New Account Name +New BOM,New BOM +New Communications,Komunikasi Baru +New Company,Perusahaan Baru +New Cost Center,Biaya Pusat baru +New Cost Center Name,Baru Nama Biaya Pusat +New Delivery Notes,Catatan Pengiriman Baru +New Enquiries,Pertanyaan Baru +New Leads,Memimpin Baru +New Leave Application,Tinggalkan Aplikasi Baru +New Leaves Allocated,Daun baru Dialokasikan +New Leaves Allocated (In Days),Daun baru Dialokasikan (Dalam Hari) +New Material Requests,Permintaan Bahan Baru +New Projects,Proyek Baru +New Purchase Orders,Pesanan Pembelian Baru +New Purchase Receipts,Penerimaan Pembelian Baru +New Quotations,Kutipan Baru +New Sales Orders,Penjualan New Orders +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 Masuk atau Penerimaan Pembelian +New Stock Entries,Entri New Stock +New Stock UOM,New Stock UOM +New Stock UOM is required,New Stock UOM diperlukan +New Stock UOM must be different from current stock UOM,New Stock UOM harus berbeda dari UOM saham saat ini +New Supplier Quotations,Pemasok Kutipan Baru +New Support Tickets,Dukungan Tiket Baru +New UOM must NOT be of type Whole Number,New UOM TIDAK harus dari jenis Whole Number +New Workplace,Kerja baru +Newsletter,Laporan berkala +Newsletter Content,Newsletter Konten +Newsletter Status,Newsletter Status +Newsletter has already been sent,Newsletter telah terkirim +"Newsletters to contacts, leads.","Newsletter ke kontak, memimpin." +Newspaper Publishers,Koran Publishers +Next,Berikutnya +Next Contact By,Berikutnya Contact By +Next Contact Date,Berikutnya Hubungi Tanggal +Next Date,Berikutnya Tanggal +Next email will be sent on:,Email berikutnya akan dikirim pada: +No,Nomor +No Customer Accounts found.,Tidak ada Rekening Nasabah ditemukan. +No Customer or Supplier Accounts found,"Tidak ada pelanggan, atau pemasok Akun ditemukan" +No Expense Approvers. Please assign 'Expense Approver' Role to atleast one user,Tidak ada yang menyetujui Beban. Silakan menetapkan 'Beban Approver' Peran untuk minimal satu pengguna +No Item with Barcode {0},Ada Barang dengan Barcode {0} +No Item with Serial No {0},Tidak ada Barang dengan Serial No {0} +No Items to pack,Tidak ada item untuk berkemas +No Leave Approvers. Please assign 'Leave Approver' Role to atleast one user,Tidak Cuti yang menyetujui. Silakan menetapkan Peran 'Leave Approver' untuk minimal satu pengguna +No Permission,Tidak ada Izin +No Production Orders created,Tidak ada Pesanan Produksi dibuat +No Supplier Accounts found. Supplier Accounts are identified based on 'Master Type' value in account record.,Tidak Pemasok Akun ditemukan. Akun pemasok diidentifikasi berdasarkan nilai 'Guru Type' dalam catatan akun. +No accounting entries for the following warehouses,Tidak ada entri akuntansi untuk gudang berikut +No addresses created,Tidak ada alamat dibuat +No contacts created,Tidak ada kontak dibuat +No default Address Template found. Please create a new one from Setup > Printing and Branding > Address Template.,Tidak ada Alamat bawaan Template ditemukan. Harap membuat yang baru dari Pengaturan> Percetakan dan Branding> Template Alamat. +No default BOM exists for Item {0},Tidak ada standar BOM ada untuk Item {0} +No description given,Tidak diberikan deskripsi +No employee found,Tidak ada karyawan yang ditemukan +No employee found!,Tidak ada karyawan ditemukan! +No of Requested SMS,Tidak ada dari Diminta SMS +No of Sent SMS,Tidak ada dari Sent SMS +No of Visits,Tidak ada Kunjungan +No permission,Tidak ada izin +No record found,Tidak ada catatan ditemukan +No records found in the Invoice table,Tidak ada catatan yang ditemukan dalam tabel Faktur +No records found in the Payment table,Tidak ada catatan yang ditemukan dalam tabel Pembayaran No salary slip found for month: , -Non Profit,Ot -Nos,Syarat dan Ketentuan Detail -Not Active,Tidak Ditagih -Not Applicable,Bulanan Pendapatan & Pengurangan -Not Available,Jadwal pemeliharaan -Not Billed,ERPNext Pengaturan -Not Delivered,Beban Administrasi -Not Set,Membuat Bank Voucher -Not allowed to update entries older than {0},Kartu Kredit -Not authorized to edit frozen Account {0},Terapkan On -Not authroized since {0} exceeds limits,Pengaturan situs web -Not permitted,Untuk Produksi -Note,Silahkan pilih kode barang -Note User,Pemeliharaan Tanggal -"Note: Backups and files are not deleted from Dropbox, you will have to delete them manually.",Total Biaya Bahan Baku -"Note: Backups and files are not deleted from Google Drive, you will have to delete them manually.",Beban Langsung -Note: Due Date exceeds the allowed credit days by {0} day(s),"Diskon Fields akan tersedia dalam Purchase Order, Penerimaan Pembelian, Purchase Invoice" -Note: Email will not be sent to disabled users,Semua Grup Pelanggan -Note: Item {0} entered multiple times,Nomor BOM tidak diperbolehkan untuk non-manufaktur Barang {0} berturut-turut {1} -Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,Bank Voucher -Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Sasaran On -Note: There is not enough leave balance for Leave Type {0},[Select] -Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Detil Distribusi Anggaran -Note: {0},"Di sini Anda dapat mempertahankan rincian keluarga seperti nama dan pekerjaan orang tua, pasangan dan anak-anak" -Notes,Peraturan Pengiriman Label -Notes:,Menguasai nilai tukar mata uang. -Nothing to request,Pemasok utama. -Notice (days),Diaktifkan -Notification Control,Pesanan Pembelian Baru -Notification Email Address,Ini adalah situs contoh auto-dihasilkan dari ERPNext -Notify by Email on creation of automatic Material Request,Kehadiran bagi karyawan {0} sudah ditandai -Number Format,Catatan: Entry Pembayaran tidak akan dibuat karena 'Cash atau Rekening Bank tidak ditentukan -Offer Date,Biaya Nama Pusat -Office,FCFS Tingkat -Office Equipments,"Barang yang akan diminta yang ""Out of Stock"" mengingat semua gudang berdasarkan qty diproyeksikan dan minimum order qty" -Office Maintenance Expenses,Barang-bijaksana Riwayat Pembelian -Office Rent,Tempat Kerja Baru -Old Parent,Item {0} harus diproduksi atau sub-kontrak -On Net Total,Catatan pengiriman {0} harus dibatalkan sebelum membatalkan Sales Order ini -On Previous Row Amount,Serial ada {0} kuantitas {1} tidak dapat pecahan -On Previous Row Total,Masukkan Kode Verifikasi -Online Auctions,Download laporan yang berisi semua bahan baku dengan status persediaan terbaru mereka -Only Leave Applications with status 'Approved' can be submitted,Karyawan Eksternal Riwayat Pekerjaan -"Only Serial Nos with status ""Available"" can be delivered.",Laporan standar -Only leaf nodes are allowed in transaction,Penjualan Pajak dan Biaya -Only the selected Leave Approver can submit this Leave Application,Gudang Detil -Open,Pertama Menanggapi On -Open Production Orders,Piutang -Open Tickets,Nama perusahaan Anda yang Anda sedang mengatur sistem ini. -Opening (Cr),{0} '{1}' tidak dalam Tahun Anggaran {2} -Opening (Dr),Karyawan internal Kerja historys -Opening Date,Keterangan Pengguna -Opening Entry,Packing Detail -Opening Qty,Mengkonversi menjadi Faktur Berulang -Opening Time,Beban Klaim telah ditolak. -Opening Value,Dari Perusahaan -Opening for a Job.,Tampilkan Website -Operating Cost,Out Nilai -Operation Description,Kelompok Pelanggan / Pelanggan -Operation No,Pajak dan Biaya Ditambahkan -Operation Time (mins),Jadwal pemeliharaan -Operation {0} is repeated in Operations Table,Jabatan -Operation {0} not present in Operations Table,Per Saham UOM -Operations,Appraisal Template Judul -Opportunity,Row {0}: Tanggal awal harus sebelum Tanggal Akhir -Opportunity Date,Penilaian Goal -Opportunity From,"Hari bulan yang auto faktur akan dihasilkan misalnya 05, 28 dll" -Opportunity Item,Id yang unik untuk melacak semua tagihan berulang. Hal ini dihasilkan di submit. -Opportunity Items,"Rencana Qty: Kuantitas, yang, Orde Produksi telah dibangkitkan, tetapi tertunda akan diproduksi." -Opportunity Lost,Detail Pengiriman -Opportunity Type,Silakan membuat Struktur Gaji untuk karyawan {0} -Optional. This setting will be used to filter in various transactions.,Penyesuaian Stock -Order Type,"Pengguna Sistem (login) ID. Jika diset, itu akan menjadi default untuk semua bentuk HR." -Order Type must be one of {0},Standar Satuan Ukur -Ordered,Pending Ulasan -Ordered Items To Be Billed,BOM ada -Ordered Items To Be Delivered,BOM rekursi: {0} tidak dapat orang tua atau anak dari {2} -Ordered Qty,misalnya. Nomor Cek -"Ordered Qty: Quantity ordered for purchase, but not received.",Status pesanan produksi adalah {0} -Ordered Quantity,Pernyataan gaji bulanan. -Orders released for production.,Faktor konversi tidak dapat di fraksi -Organization Name,Debet -Organization Profile,Penerimaan Pembelian -Organization branch master.,Voucher yang tidak valid -Organization unit (department) master.,Nama Item Grup -Original Amount,Penuaan Berdasarkan -Other,Nama Depan -Other Details,Stock Balance -Others,BOM Operasi -Out Qty,Material Requirement -Out Value,Sepenuhnya Disampaikan -Out of AMC,Amal dan Sumbangan -Out of Warranty,Daftar Harga harus berlaku untuk Membeli atau Jual -Outgoing,Row # -Outstanding Amount,Stok saat ini UOM -Outstanding for {0} cannot be less than zero ({1}),Silakan tentukan Perusahaan -Overhead,untuk -Overheads,Target Gudang -Overlapping conditions found between:,Aktivitas -Overview,Faktor konversi untuk Unit default Ukur harus 1 berturut-turut {0} -Owned,Tingkat di mana mata uang pemasok dikonversi ke mata uang dasar perusahaan -Owner,Diharapkan Tanggal Mulai -PL or BS,Id email dipisahkan dengan koma. -PO Date,Under Graduate -PO No,Operasi -POP3 Mail Server,periode -POP3 Mail Settings,Pelanggan {0} bukan milik proyek {1} -POP3 mail server (e.g. pop.gmail.com),Maksimum {0} baris diperbolehkan -POP3 server e.g. (pop.gmail.com),Catatan: -POS Setting,Debit dan Kredit tidak sama untuk voucher ini. Perbedaan adalah {0}. -POS Setting required to make POS Entry,Masukkan Barang pertama -POS Setting {0} already created for user: {1} and company {2},Daun Dialokasikan Berhasil untuk {0} -POS View,Produksi -PR Detail,Tidak ada Kunjungan -Package Item Details,Struktur Gaji -Package Items,"Bidang yang tersedia di Delivery Note, Quotation, Faktur Penjualan, Sales Order" -Package Weight Details,Akun orang tua tidak bisa menjadi buku besar -Packed Item,Masukkan 'Diharapkan Pengiriman Tanggal' -Packed quantity must equal quantity for Item {0} in row {1},"Semua bidang impor terkait seperti mata uang, tingkat konversi, jumlah impor, impor besar jumlah dll tersedia dalam Penerimaan Pembelian, Supplier Quotation, Purchase Invoice, Purchase Order dll" -Packing Details,Tren pengiriman Note -Packing List,Email Kontak -Packing Slip,Memegang -Packing Slip Item,Realisasi Kuantitas -Packing Slip Items,Menghasilkan Permintaan Material (MRP) dan Pesanan Produksi. -Packing Slip(s) cancelled,Milestones Proyek -Page Break,{0} {1} status unstopped -Page Name,Posting Blog -Paid Amount,Nomor Paspor -Paid amount + Write Off Amount can not be greater than Grand Total,Harga Pokok Penjualan -Pair,Inspeksi Kualitas Reading -Parameter,Untuk referensi -Parent Account,Silakan tentukan -Parent Cost Center,Periksa untuk memastikan Alamat Pengiriman -Parent Customer Group,Untuk Menghasilkan -Parent Detail docname,Anda tidak dapat kredit dan mendebit rekening yang sama pada waktu yang sama -Parent Item,Penjualan Kembali -Parent Item Group,Memungkinkan pengguna untuk mengedit Daftar Harga Tingkat dalam transaksi -Parent Item {0} must be not Stock Item and must be a Sales Item,Mentransfer Bahan Baku -Parent Party Type,Masukkan menghilangkan date. -Parent Sales Person,Item Description -Parent Territory,Nilai Proyek -Parent Website Page,Dari nilai harus kurang dari nilai berturut-turut {0} -Parent Website Route,Pending Jumlah -Parent account can not be a ledger,Agar Berhenti tidak dapat dibatalkan. Unstop untuk membatalkan. -Parent account does not exist,Menyiapkan ... -Parenttype,Dukungan Sandi -Part-time,Tanggal Pengiriman -Partially Completed,Baris duplikat {0} dengan sama {1} -Partly Billed,File Sumber -Partly Delivered,Istirahat Of The World -Partner Target Detail,Akan diperbarui bila batched. -Partner Type,Grup atau Ledger -Partner's Website,Penjual Nasabah -Party,Membuat Packing Slip -Party Type,Sales Order yang diperlukan untuk Item {0} -Party Type Name,Cek Tanggal -Passive,Sumber standar Gudang -Passport Number,Hapus {0} {1}? -Password,Tujuan -Pay To / Recd From,Menyetujui Peran tidak bisa sama dengan peran aturan yang Berlaku Untuk -Payable,Jumlah Daun Dialokasikan -Payables,Cancelled -Payables Group,Pengaturan Lengkap -Payment Days,Parenttype -Payment Due Date,Farmasi -Payment Period Based On Invoice Date,Percobaan -Payment Type,Penjualan Ekstra -Payment of salary for the month {0} and year {1},Komputer -Payment to Invoice Matching Tool,Apakah Anda benar-benar ingin unstop -Payment to Invoice Matching Tool Detail,Nama Proyek -Payments,Salam -Payments Made,"Diminta Qty: Jumlah yang diminta untuk pembelian, tetapi tidak memerintahkan." -Payments Received,Pembukaan Job -Payments made during the digest period,Jumlah Total Disahkan -Payments received during the digest period,Pemasok Nama -Payroll Settings,Menulis Off Voucher -Pending,"Grid """ -Pending Amount,Item {0} harus Pembelian Barang -Pending Items {0} updated,Timbal Id -Pending Review,Makan varg -Pending SO Items For Purchase Request,Ref -Pension Funds,Contoh: Hari Berikutnya Pengiriman -Percent Complete,Sales Order -Percentage Allocation,SMS Gateway URL -Percentage Allocation should be equal to 100%,Notifikasi Email -Percentage variation in quantity to be allowed while receiving or delivering this item.,Jadwal pemeliharaan Detil -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.,Resolusi -Performance appraisal.,Komunikasi -Period,Aktif: Akan mengambil email dari -Period Closing Voucher,Rekening Nasabah Kepala -Periodicity,Paket Berat Detail -Permanent Address,Item Serial No -Permanent Address Is,Daun baru Dialokasikan -Permission,Untuk Sales Invoice -Personal,Referensi # {0} tanggal {1} -Personal Details,Silakan tentukan Currency Default di Perusahaan Guru dan Default global -Personal Email,"misalnya ""My Company LLC """ -Pharmaceutical,Persen Lengkap -Pharmaceuticals,Kampanye penjualan. -Phone,Silakan Singkatan atau Nama pendek dengan benar karena akan ditambahkan sebagai Suffix kepada semua Kepala Akun. -Phone No,Anda dapat memasukkan setiap tanggal secara manual -Piecework,Sekretaris -Pincode,Pengaturan global -Place of Issue,Alamat saat ini -Plan for maintenance visits.,Business Development Manager -Planned Qty,BOM Detil ada -"Planned Qty: Quantity, for which, Production Order has been raised, but is pending to be manufactured.","Email id harus unik, sudah ada untuk {0}" -Planned Quantity,Secara otomatis menulis pesan pada pengajuan transaksi. -Planning,Tinggalkan Alokasi Alat -Plant,Pesan Terkirim -Plant and Machinery,Pilih Project ... -Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,Abaikan Aturan Harga -Please Update SMS Settings,Memerintahkan Qty -Please add expense voucher details,Jenis kegiatan untuk Waktu Sheets -Please check 'Is Advance' against Account {0} if this is an advance entry.,Total -Please click on 'Generate Schedule',Gudang Ditolak adalah wajib terhadap barang regected -Please click on 'Generate Schedule' to fetch Serial No added for Item {0},{0} tidak valid Tinggalkan Approver. Menghapus row # {1}. -Please click on 'Generate Schedule' to get schedule,Faktor konversi -Please create Customer from Lead {0},"Item: {0} dikelola batch-bijaksana, tidak dapat didamaikan dengan menggunakan \ \ n Stock Rekonsiliasi, sebagai gantinya menggunakan Stock Entri" -Please create Salary Structure for employee {0},Instalasi Tanggal -Please create new account from Chart of Accounts.,Modus Gaji -Please do NOT create Account (Ledgers) for Customers and Suppliers. They are created directly from the Customer / Supplier masters.,Silahkan masukkan nama perusahaan pertama -Please enter 'Expected Delivery Date',Kuantitas Diproduksi {0} tidak dapat lebih besar dari yang direncanakan quanitity {1} dalam Orde Produksi {2} -Please enter 'Is Subcontracted' as Yes or No,{0} {1} telah disampaikan -Please enter 'Repeat on Day of Month' field value,Beban Klaim telah disetujui. -Please enter Account Receivable/Payable group in company master,Dari Purchase Order -Please enter Approving Role or Approving User,Kutipan yang diterima dari pemasok. -Please enter BOM for Item {0} at row {1},Diterima dan Diterima -Please enter Company,Jumlah Total Untuk Bayar -Please enter Cost Center,Akuntan -Please enter Delivery Note No or Sales Invoice No to proceed,Buat Daftar Penerima -Please enter Employee Id of this sales parson,Silahkan pilih nama Incharge Orang -Please enter Expense Account,Tidak Disampaikan -Please enter Item Code to get batch no,Kualitas -Please enter Item Code.,CoA Bantuan -Please enter Item first,Jumlah> = -Please enter Maintaince Details first,Selasa -Please enter Master Name once the account is created.,Item {0} tidak setup untuk Serial Nos Periksa Barang induk -Please enter Planned Qty for Item {0} at row {1},Hukum -Please enter Production Item first,Jam -Please enter Purchase Receipt No to proceed,Laba Struktur Gaji -Please enter Reference date,Manajemen -Please enter Warehouse for which Material Request will be raised,"Jika Rule 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, itu akan diambil di lapangan 'Tingkat', daripada bidang 'Daftar Harga Tingkat'." -Please enter Write Off Account,BOM Ledakan Barang -Please enter atleast 1 invoice in the table,Memuat... -Please enter company first,Jenis Party Nama -Please enter company name first,Dibuat Oleh -Please enter default Unit of Measure,Kontak Detail -Please enter default currency in Company Master,Pelanggan yang dibutuhkan untuk 'Customerwise Diskon' -Please enter email address,Masukkan Item Code. -Please enter item details,Log Aktivitas -Please enter message before sending,Penjualan Orang Sasaran Variance Barang Group-Wise -Please enter parent account group for warehouse account,Purchase Order Items -Please enter parent cost center,Kuantitas tidak bisa menjadi fraksi berturut-turut {0} -Please enter quantity for Item {0},Gantt Bagan -Please enter relieving date.,Permintaan bahan yang digunakan untuk membuat Masuk Bursa ini -Please enter sales order in the above table,Buat Permintaan Material -Please enter valid Company Email,Logo -Please enter valid Email Id,Memerintahkan Items Akan Disampaikan -Please enter valid Personal Email,Cetak Pos -Please enter valid mobile nos,Surat Kepala untuk mencetak template. -Please install dropbox python module,Dokumen Deskripsi -Please mention no of visits required,Peluang Barang -Please pull items from Delivery Note,Pembelian Pesanan yang diberikan kepada Pemasok. -Please save the Newsletter before sending,Mitra Sasaran Detil -Please save the document before generating maintenance schedule,Transfer -Please select Account first,Masukkan Write Off Akun -Please select Bank Account,Gagal: -Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Membuat Instalasi Note -Please select Category first,Kirim ke Ketik -Please select Charge Type first,Sertakan liburan di total no. dari Hari Kerja -Please select Fiscal Year,Tidak ada dari Diminta SMS -Please select Group or Ledger value,{0} bukan id email yang valid -Please select Incharge Person's name,Reseller -"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Sales BOM",Akun Sementara (Kewajiban) -Please select Price List,Row # {0}: -Please select Start Date and End Date for Item {0},Komisi -Please select a csv file,Dimana operasi manufaktur dilakukan. -Please select a valid csv file with data,Pasang Logo -Please select a value for {0} quotation_to {1},Referensi Tanggal -"Please select an ""Image"" first",Grand Total (Perusahaan Mata Uang) -Please select charge type first,Jumlah Hari Kerja Dalam Bulan -Please select company first.,Hari Waktu Timbal adalah jumlah hari dimana item ini diharapkan di gudang Anda. Hari ini diambil di Material Request ketika Anda memilih item ini. -Please select item code,Nama UOM -Please select month and year,Company Name -Please select prefix first,Anda harus mengalokasikan jumlah sebelum mendamaikan -Please select the document type first,Minimum Order Qty -Please select weekly off day,Email Digest: -Please select {0},Proyeksi Jumlah -Please select {0} first,Dari AMC -Please set Dropbox access keys in your site config,Uji Email Id -Please set Google Drive access keys in {0},Produk Diminta Akan Memerintahkan -Please set default Cash or Bank account in Mode of Payment {0},Tugas dan Pajak -Please set default value {0} in Company {0},Standar Gudang -Please set {0},Diperlukan Qty -Please setup Employee Naming System in Human Resource > HR Settings,Dari Quotation -Please setup numbering series for Attendance via Setup > Numbering Series,Biarkan Anak-anak -Please setup your chart of accounts before you start Accounting Entries,Pemasok Intro -Please specify,Penagihan -Please specify Company,Rata-rata Komisi Tingkat -Please specify Company to proceed,Rincian pelanggan -Please specify Default Currency in Company Master and Global Defaults,Pesan -Please specify a,Masukkan nama kampanye jika sumber penyelidikan adalah kampanye -Please specify a valid 'From Case No.',"Catatan: Backup dan file tidak dihapus dari Google Drive, Anda harus menghapusnya secara manual." -Please specify a valid Row ID for {0} in row {1},Permintaan Material ada -Please specify either Quantity or Valuation Rate or both,Instalasi Note -Please submit to update Leave Balance.,Mitra Channel -Plot,Rekonsiliasi data -Plot By,Tinggalkan Diblokir -Point of Sale,Kelompok darah -Point-of-Sale Setting,Unit Kapasitas -Post Graduate,Entries Journal -Postal,Parameter pesan -Postal Expenses,Nomor Referensi -Posting Date,Eksekusi -Posting Time,Rekonsiliasi Bank Detil -Posting date and posting time is mandatory,Berikutnya -Posting timestamp must be after {0},Lead -Potential opportunities for selling.,Set Status sebagai Tersedia -Preferred Billing Address,Customerwise Diskon -Preferred Shipping Address,Pengaturan server masuk untuk pekerjaan email id. (Misalnya jobs@example.com) -Prefix,Item Code> Barang Grup> Merek -Present,Batu -Prevdoc DocType,Aturan Harga Bantuan -Prevdoc Doctype,Purchase Invoice Barang -Preview,Jumlah yang sebenarnya: Kuantitas yang tersedia di gudang. -Previous,Daftar Harga Tingkat -Previous Work Experience,C-Form -Price,Realisasi Anggaran -Price / Discount,Apa gunanya? -Price List," Add / Edit " -Price List Currency,"Bantuan: Untuk link ke catatan lain dalam sistem, gunakan ""# Form / Note / [Catatan Nama]"" sebagai link URL. (Tidak menggunakan ""http://"")" -Price List Currency not selected,Consumable -Price List Exchange Rate,Jumlah pajak Setelah Diskon Jumlah -Price List Name,Kerusakan -Price List Rate,Kontak Kontrol -Price List Rate (Company Currency),Posting timestamp harus setelah {0} -Price List master.,Menyimpan melacak komunikasi yang berkaitan dengan penyelidikan ini yang akan membantu untuk referensi di masa mendatang. -Price List must be applicable for Buying or Selling,Energi -Price List not selected,Pelanggan Issue -Price List {0} is disabled,Kelompok Pelanggan -Price or Discount,Semua Territories -Pricing Rule,Impor Gagal! -Pricing Rule Help,Modal Ventura -"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.",{0} {1} terhadap Bill {2} tanggal {3} -"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.",Trial Balance -Pricing Rules are further filtered based on quantity.,Barang Kualitas Parameter Inspeksi -Print Format Style,Alamat Pelanggan -Print Heading,Hanya dipilih Cuti Approver dapat mengirimkan Aplikasi Cuti ini -Print Without Amount,Kegiatan proyek / tugas. -Print and Stationary,Anggaran tidak dapat ditetapkan untuk Biaya Pusat Grup -Printing and Branding,Jumlah Total Diklaim -Priority,Dijadwalkan untuk mengirim ke {0} penerima -Private Equity,Pengaturan Penjualan Email -Privilege Leave,Gaji Manajer -Probation,Pembelian Analytics -Process Payroll,Rincian Distribusi Anggaran -Produced,Silakan tentukan -Produced Quantity,Wilayah / Pelanggan -Product Enquiry,{0} dibuat -Production,Manufaktur -Production Order,Rate (Perusahaan Mata Uang) -Production Order status is {0},Nilai saham -Production Order {0} must be cancelled before cancelling this Sales Order,Informasi Karyawan -Production Order {0} must be submitted,Serial ada -Production Orders,Biarkan kosong jika dipertimbangkan untuk semua sebutan -Production Orders in Progress,Quotation Untuk -Production Plan Item,Serial ada {0} masih dalam garansi upto {1} -Production Plan Items,tujuan -Production Plan Sales Order,Medis -Production Plan Sales Orders,Sepenuhnya Ditagih -Production Planning Tool,Sales Order Tanggal -Products,Barang yang dibutuhkan -"Products will be sorted by weight-age in default searches. More the weight-age, higher the product will appear in the list.",Nama Negara -Profit and Loss,Induk tua -Project,Journal Voucher {0} tidak memiliki akun {1} atau sudah cocok -Project Costing,Gudang yang hilang dalam Purchase Order -Project Details,Diabaikan: -Project Manager,Harga / Diskon -Project Milestone,Surat Pengunduran Diri Tanggal -Project Milestones,Re-Order Qty -Project Name,Menulis Off Jumlah Outstanding -Project Start Date,Set as Hilang -Project Type,{0} tidak Nomor Batch berlaku untuk Item {1} -Project Value,Membaca 10 -Project activity / task.,Telepon -Project master.,Stock tidak dapat diperbarui terhadap Delivery Note {0} -Project will get saved and will be searchable with project name given,Standar Pemasok Type -Project wise Stock Tracking,New Account Name -Project-wise data is not available for Quotation,Nama nasabah -Projected,Kontrak tambahan -Projected Qty,Serial ada {0} telah diterima -Projects,Slip Gaji Pengurangan -Projects & System,"Ketika salah satu transaksi yang diperiksa ""Dikirim"", email pop-up secara otomatis dibuka untuk mengirim email ke terkait ""Kontak"" dalam transaksi itu, dengan transaksi sebagai lampiran. Pengguna mungkin atau mungkin tidak mengirim email." -Prompt for Email on Submission of,Beban Klaim Detil -Proposal Writing,Apakah Pajak ini termasuk dalam Basic Rate? -Provide email id registered in company,Standar Membeli Daftar Harga -Public,Beban Legal -Published on website at: {0},Item Code dibutuhkan pada Row ada {0} -Publishing,Akun dengan transaksi yang ada tidak dapat dikonversi ke buku -Pull sales orders (pending to deliver) based on the above criteria,Secara otomatis diperbarui melalui Bursa Masuknya jenis Industri / Repack -Purchase,Daftar Harga -Purchase / Manufacture Details,Diperiksa Oleh -Purchase Analytics,Pada Sebelumnya Row Jumlah -Purchase Common,Laba Rugi -Purchase Details,Kontak Mobile No -Purchase Discounts,Jumlah berturut-turut {0} ({1}) harus sama dengan jumlah yang diproduksi {2} -Purchase Invoice,Log komunikasi. -Purchase Invoice Advance,Menyerahkan semua slip gaji kriteria pilihan di atas -Purchase Invoice Advances,Impor Kehadiran -Purchase Invoice Item,Penjualan Orang -Purchase Invoice Trends,Menghasilkan Gaji Slips -Purchase Invoice {0} is already submitted,Tanaman dan Mesin -Purchase Order,Akun {0} tidak aktif -Purchase Order Date,Penjualan Mitra -Purchase Order Item,Bahan Baku Disediakan -Purchase Order Item No,{0} tidak dapat negatif -Purchase Order Item Supplied,Pengguna {0} dinonaktifkan -Purchase Order Items,Detail Issue -Purchase Order Items Supplied,Menunjukkan bahwa paket tersebut merupakan bagian dari pengiriman ini (Hanya Draft) -Purchase Order Items To Be Billed,Max Qty -Purchase Order Items To Be Received,Cadangan dan Surplus -Purchase Order Message," Add / Edit " -Purchase Order Required,Pemasok Penamaan Dengan -Purchase Order Trends,Silakan pilih Rekening Bank -Purchase Order number required for Item {0},"Jika tidak diperiksa, daftar harus ditambahkan ke setiap departemen di mana itu harus diterapkan." -Purchase Order {0} is 'Stopped',Pertimbangkan Pajak atau Biaya untuk -Purchase Order {0} is not submitted,{0}Para{/0}{1}me{/1}{0}ter{/0} -Purchase Orders given to Suppliers.,Status -Purchase Receipt,Perancang -Purchase Receipt Item,Halaman Istirahat -Purchase Receipt Item Supplied,"Produk akan diurutkan menurut beratnya usia dalam pencarian default. Lebih berat usia, tinggi produk akan muncul dalam daftar." -Purchase Receipt Item Supplieds,Proyek -Purchase Receipt Items,Kg -Purchase Receipt Message,Untuk Server Side Format Cetak -Purchase Receipt No,Penerbit Koran -Purchase Receipt Required,Prioritas -Purchase Receipt Trends,Kustom Autoreply Pesan -Purchase Receipt number required for Item {0},Laporan Utama -Purchase Receipt {0} is not submitted,Penjualan Mitra Nama -Purchase Register,Detail Exit Interview -Purchase Return,Daftar Barang ini dalam beberapa kelompok di website. -Purchase Returned,Masukkan Maintaince Detail pertama -Purchase Taxes and Charges,Buka Tiket -Purchase Taxes and Charges Master,Catatan kehadiran. -Purchse Order number required for Item {0},Pemeliharaan Visit -Purpose,Nonaktifkan -Purpose must be one of {0},Silahkan klik 'Menghasilkan Jadwal' -QA Inspection,Semua barang-barang tersebut telah ditagih -Qty,Dengan berbagi -Qty Consumed Per Unit,Pengiriman Note Items -Qty To Manufacture,Efek & Bursa Komoditi -Qty as per Stock UOM,'To Date' diperlukan -Qty to Deliver,Purchase Order Pesan -Qty to Order,Aset -Qty to Receive,Setengah tahun sekali -Qty to Transfer,Backup Right Now -Qualification,Tidak bisa memilih jenis biaya sebagai 'Pada Row Sebelumnya Jumlah' atau 'On Sebelumnya Row Jumlah' untuk baris pertama -Quality,Request for Information -Quality Inspection,Membuat Entri Akuntansi Untuk Setiap Gerakan Stock -Quality Inspection Parameters,Silakan tentukan baik Quantity atau Tingkat Penilaian atau keduanya -Quality Inspection Reading,Template yang salah: Tidak dapat menemukan baris kepala. -Quality Inspection Readings,Jenis Beban Klaim. -Quality Inspection required for Item {0},Membuat Slip gaji untuk kriteria yang disebutkan di atas. -Quality Management,Berlaku untuk Perusahaan -Quantity,"Unit pengukuran item ini (misalnya Kg, Unit, No, Pair)." -Quantity Requested for Purchase,Nama Organisasi -Quantity and Rate,Jumlah yang dibayarkan + Write Off Jumlah tidak dapat lebih besar dari Grand Total -Quantity and Warehouse,Rename Log -Quantity cannot be a fraction in row {0},Milestone Tanggal -Quantity for Item {0} must be less than {1},Tanggal Penyelesaian -Quantity in row {0} ({1}) must be same as manufactured quantity {2},Sales Invoice Uang Muka -Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Tanggal Berakhir -Quantity required for Item {0} in row {1},Beban Akun -Quarter,Pembelian Umum -Quarterly,Type Partai -Quick Help,Penjualan -Quotation,Penjualan Pajak dan Biaya Guru -Quotation Date,Alamat Judul adalah wajib. -Quotation Item,Uji Newsletter -Quotation Items,Buat Maint. Kunjungan -Quotation Lost Reason,Sub Assemblies -Quotation Message,Reserved -Quotation To,Atas -Quotation Trends,Penjualan BOM Barang -Quotation {0} is cancelled,Motion Picture & Video -Quotation {0} not of type {1},Unstop -Quotations received from Suppliers.,Tahun Passing -Quotes to Leads or Customers.,Gaji bersih yang belum dapat negatif -Raise Material Request when stock reaches re-order level,Jika Anggaran Bulanan Melebihi -Raised By,Absen -Raised By (Email),Periksa untuk memastikan alamat utama -Random,Debit Amt -Range,Sebuah Pemasok ada dengan nama yang sama -Rate,Piutang / Hutang +Non Profit,Non Profit +Nos,Nos +Not Active,Tidak Aktif +Not Applicable,Tidak Berlaku +Not Available,Tidak Tersedia +Not Billed,Tidak Ditagih +Not Delivered,Tidak Disampaikan +Not Set,Tidak Diatur +Not allowed to update stock transactions older than {0},Tidak diizinkan untuk memperbarui transaksi saham lebih tua dari {0} +Not authorized to edit frozen Account {0},Tidak berwenang untuk mengedit Akun frozen {0} +Not authroized since {0} exceeds limits,Tidak Authroized sejak {0} melebihi batas +Not permitted,Tidak diijinkan +Note,Catatan +Note User,Catatan Pengguna +"Note: Backups and files are not deleted from Dropbox, you will have to delete them manually.","Catatan: backup dan file tidak dihapus dari Dropbox, Anda harus menghapusnya secara manual." +"Note: Backups and files are not deleted from Google Drive, you will have to delete them manually.","Catatan: backup dan file tidak dihapus dari Google Drive, Anda harus menghapusnya secara manual." +Note: Due Date exceeds the allowed credit days by {0} day(s),Catatan: Karena Tanggal melebihi hari-hari kredit diperbolehkan oleh {0} hari (s) +Note: Email will not be sent to disabled users,Catatan: Email tidak akan dikirim ke pengguna cacat +Note: Item {0} entered multiple times,Catatan: Barang {0} masuk beberapa kali +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 +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 +Note: There is not enough leave balance for Leave Type {0},Catatan: Tidak ada saldo cuti cukup bagi Leave Type {0} +Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Catatan: Biaya Pusat ini adalah Group. Tidak bisa membuat entri akuntansi terhadap kelompok-kelompok. +Note: {0},Catatan: {0} +Notes,Catatan +Notes:,Catatan: +Nothing to request,Tidak ada yang meminta +Notice (days),Notice (hari) +Notification Control,Pemberitahuan Kontrol +Notification Email Address,Pemberitahuan Alamat Email +Notify by Email on creation of automatic Material Request,Memberitahu melalui Email pada penciptaan Permintaan Bahan otomatis +Number Format,Nomor Format +Offer Date,Penawaran Tanggal +Office,Kantor +Office Equipments,Peralatan Kantor +Office Maintenance Expenses,Beban Pemeliharaan Kantor +Office Rent,Kantor Sewa +Old Parent,Induk tua +On Net Total,Pada Bersih Jumlah +On Previous Row Amount,Pada Sebelumnya Row Jumlah +On Previous Row Total,Pada Sebelumnya Row Jumlah +Online Auctions,Lelang Online +Only Leave Applications with status 'Approved' can be submitted,Hanya Tinggalkan Aplikasi status 'Disetujui' dapat diajukan +"Only Serial Nos with status ""Available"" can be delivered.","Hanya Serial Nos status ""Available"" dapat disampaikan." +Only leaf nodes are allowed in transaction,Hanya node daun yang diperbolehkan dalam transaksi +Only the selected Leave Approver can submit this Leave Application,Hanya dipilih Cuti Approver dapat mengirimkan Aplikasi Cuti ini +Open,Buka +Open Production Orders,Pesanan terbuka Produksi +Open Tickets,Buka Tiket +Opening (Cr),Pembukaan (Cr) +Opening (Dr),Pembukaan (Dr) +Opening Date,Tanggal pembukaan +Opening Entry,Membuka Entri +Opening Qty,Membuka Qty +Opening Time,Membuka Waktu +Opening Value,Nilai Membuka +Opening for a Job.,Membuka untuk Job. +Operating Cost,Biaya Operasi +Operation Description,Operasi Deskripsi +Operation No,Operasi Tidak ada +Operation Time (mins),Operasi Waktu (menit) +Operation {0} is repeated in Operations Table,Operasi {0} diulangi dalam Operasi Tabel +Operation {0} not present in Operations Table,Operasi {0} tidak hadir dalam Operasi Tabel +Operations,Operasi +Opportunity,Kesempatan +Opportunity Date,Peluang Tanggal +Opportunity From,Peluang Dari +Opportunity Item,Peluang Barang +Opportunity Items,Peluang Produk +Opportunity Lost,Peluang Hilang +Opportunity Type,Peluang Type +Optional. This setting will be used to filter in various transactions.,Opsional. Pengaturan ini akan digunakan untuk menyaring dalam berbagai transaksi. +Order Type,Pesanan Type +Order Type must be one of {0},Pesanan Type harus menjadi salah satu {0} +Ordered,Ordered +Ordered Items To Be Billed,Memerintahkan Items Akan Ditagih +Ordered Items To Be Delivered,Memerintahkan Items Akan Disampaikan +Ordered Qty,Memerintahkan Qty +"Ordered Qty: Quantity ordered for purchase, but not received.","Memerintahkan Qty: Jumlah memerintahkan untuk pembelian, tetapi tidak diterima." +Ordered Quantity,Memerintahkan Kuantitas +Orders released for production.,Pesanan dirilis untuk produksi. +Organization Name,Nama Organisasi +Organization Profile,Profil Organisasi +Organization branch master.,Cabang master organisasi. +Organization unit (department) master.,Unit Organisasi (kawasan) menguasai. +Other,Lain-lain +Other Details,Detail lainnya +Others,Lainnya +Out Qty,Out Qty +Out Value,Out Nilai +Out of AMC,Dari AMC +Out of Warranty,Out of Garansi +Outgoing,Ramah +Outstanding Amount,Jumlah yang luar biasa +Outstanding for {0} cannot be less than zero ({1}),Posisi untuk {0} tidak bisa kurang dari nol ({1}) +Overhead,Atas +Overheads,Overhead +Overlapping conditions found between:,Kondisi Tumpang Tindih ditemukan antara: +Overview,Pratinjau +Owned,Dimiliki +Owner,Pemilik +P L A - Cess Portion,PLA - Cess Bagian +PL or BS,PL atau BS +PO Date,PO Tanggal +PO No,PO No +POP3 Mail Server,POP3 Mail Server +POP3 Mail Settings,POP3 Mail Settings +POP3 mail server (e.g. pop.gmail.com),POP3 server mail (misalnya pop.gmail.com) +POP3 server e.g. (pop.gmail.com),POP3 server misalnya (pop.gmail.com) +POS Setting,Pengaturan POS +POS Setting required to make POS Entry,Pengaturan POS diperlukan untuk membuat POS Entri +POS Setting {0} already created for user: {1} and company {2},Pengaturan POS {0} sudah diciptakan untuk pengguna: {1} dan perusahaan {2} +POS View,Lihat POS +PR Detail,PR Detil +Package Item Details,Paket Item detail +Package Items,Paket Items +Package Weight Details,Paket Berat Detail +Packed Item,Barang Dikemas +Packed quantity must equal quantity for Item {0} in row {1},Dikemas kuantitas harus sama kuantitas untuk Item {0} berturut-turut {1} +Packing Details,Packing Detail +Packing List,Packing List +Packing Slip,Packing Slip +Packing Slip Item,Packing Slip Barang +Packing Slip Items,Packing Slip Items +Packing Slip(s) cancelled,Packing slip (s) dibatalkan +Page Break,Halaman Istirahat +Page Name,Nama Halaman +Paid Amount,Dibayar Jumlah +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 +Pair,Pasangkan +Parameter,{0}Para{/0}{1}me{/1}{0}ter{/0} +Parent Account,Rekening Induk +Parent Cost Center,Parent Biaya Pusat +Parent Customer Group,Induk Pelanggan Grup +Parent Detail docname,Induk Detil docname +Parent Item,Induk Barang +Parent Item Group,Induk Barang Grup +Parent Item {0} must be not Stock Item and must be a Sales Item,Induk Barang {0} harus tidak Stock Barang dan harus Item Penjualan +Parent Party Type,Type Partai Induk +Parent Sales Person,Penjualan Induk Orang +Parent Territory,Wilayah Induk +Parent Website Page,Induk Website Halaman +Parent Website Route,Parent Situs Route +Parenttype,Parenttype +Part-time,Part-time +Partially Completed,Sebagian Selesai +Partly Billed,Sebagian Ditagih +Partly Delivered,Sebagian Disampaikan +Partner Target Detail,Mitra Sasaran Detil +Partner Type,Mitra Type +Partner's Website,Partner Website +Party,Pihak +Party Account,Akun Party +Party Type,Type Partai +Party Type Name,Jenis Party Nama +Passive,Pasif +Passport Number,Nomor Paspor +Password,Kata sandi +Pay To / Recd From,Pay To / RECD Dari +Payable,Hutang +Payables,Hutang +Payables Group,Hutang Grup +Payment Days,Hari Pembayaran +Payment Due Date,Tanggal Jatuh Tempo Pembayaran +Payment Period Based On Invoice Date,Masa Pembayaran Berdasarkan Faktur Tanggal +Payment Reconciliation,Rekonsiliasi Pembayaran +Payment Reconciliation Invoice,Rekonsiliasi Pembayaran Faktur +Payment Reconciliation Invoices,Faktur Rekonsiliasi Pembayaran +Payment Reconciliation Payment,Rekonsiliasi Pembayaran Pembayaran +Payment Reconciliation Payments,Pembayaran Rekonsiliasi Pembayaran +Payment Type,Jenis Pembayaran +Payment cannot be made for empty cart,Pembayaran tidak dapat dibuat untuk keranjang kosong +Payment of salary for the month {0} and year {1},Pembayaran gaji untuk bulan {0} dan tahun {1} +Payments,2. Payment (Pembayaran) +Payments Made,Pembayaran Dibuat +Payments Received,Pembayaran Diterima +Payments made during the digest period,Pembayaran dilakukan selama periode digest +Payments received during the digest period,Pembayaran yang diterima selama periode digest +Payroll Settings,Pengaturan Payroll +Pending,Menunggu +Pending Amount,Pending Jumlah +Pending Items {0} updated,Pending Items {0} diperbarui +Pending Review,Pending Ulasan +Pending SO Items For Purchase Request,Pending SO Items Untuk Pembelian Permintaan +Pension Funds,Dana pensiun +Percent Complete,Persen Lengkap +Percentage Allocation,Persentase Alokasi +Percentage Allocation should be equal to 100%,Persentase Alokasi harus sama dengan 100% +Percentage variation in quantity to be allowed while receiving or delivering this item.,Variasi persentase kuantitas yang diizinkan saat menerima atau memberikan item ini. +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. +Performance appraisal.,Penilaian kinerja. +Period,periode +Period Closing Voucher,Voucher Periode penutupan +Periodicity,Masa haid +Permanent Address,Permanent Alamat +Permanent Address Is,Alamat permanen Apakah +Permission,Izin +Personal,Pribadi +Personal Details,Data Pribadi +Personal Email,Email Pribadi +Pharmaceutical,Farmasi +Pharmaceuticals,Farmasi +Phone,Telepon +Phone No,Telepon yang +Piecework,Pekerjaan yg dibayar menurut hasil yg dikerjakan +Pincode,Kode PIN +Place of Issue,Tempat Issue +Plan for maintenance visits.,Rencana kunjungan pemeliharaan. +Planned Qty,Rencana Qty +"Planned Qty: Quantity, for which, Production Order has been raised, but is pending to be manufactured.","Rencana Qty: Kuantitas, yang, Orde Produksi telah dibangkitkan, tetapi tertunda akan diproduksi." +Planned Quantity,Direncanakan Kuantitas +Planning,Perencanaan +Plant,Tanaman +Plant and Machinery,Tanaman dan Mesin +Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,Silakan Singkatan atau Nama pendek dengan benar karena akan ditambahkan sebagai Suffix kepada semua Kepala Akun. +Please Update SMS Settings,Silahkan Perbarui Pengaturan SMS +Please add expense voucher details,Harap tambahkan beban rincian voucher +Please add to Modes of Payment from Setup.,Silahkan menambah Mode Pembayaran dari Setup. +Please check 'Is Advance' against Account {0} if this is an advance entry.,Silakan periksa 'Apakah Muka' terhadap Rekening {0} jika ini adalah sebuah entri muka. +Please click on 'Generate Schedule',Silahkan klik 'Menghasilkan Jadwal' +Please click on 'Generate Schedule' to fetch Serial No added for Item {0},Silahkan klik 'Menghasilkan Jadwal' untuk mengambil Serial yang ditambahkan untuk Item {0} +Please click on 'Generate Schedule' to get schedule,Silahkan klik 'Menghasilkan Jadwal' untuk mendapatkan jadwal +Please create Customer from Lead {0},Silakan membuat pelanggan dari Lead {0} +Please create Salary Structure for employee {0},Silakan membuat Struktur Gaji untuk karyawan {0} +Please create new account from Chart of Accounts.,Silahkan buat akun baru dari Bagan Akun. +Please do NOT create Account (Ledgers) for Customers and Suppliers. They are created directly from the Customer / Supplier masters.,Mohon TIDAK membuat Account (Buku Pembantu) untuk Pelanggan dan Pemasok. Mereka diciptakan langsung dari Nasabah / Pemasok master. +Please enter 'Expected Delivery Date',Masukkan 'Diharapkan Pengiriman Tanggal' +Please enter 'Is Subcontracted' as Yes or No,Masukkan 'Apakah subkontrak' sebagai Ya atau Tidak +Please enter 'Repeat on Day of Month' field value,Masukkan 'Ulangi pada Hari Bulan' nilai bidang +Please enter Account Receivable/Payable group in company master,Cukup masukkan Piutang / Hutang group in master perusahaan +Please enter Approving Role or Approving User,Masukkan Menyetujui Peran atau Menyetujui Pengguna +Please enter BOM for Item {0} at row {1},Masukkan BOM untuk Item {0} pada baris {1} +Please enter Company,Masukkan Perusahaan +Please enter Cost Center,Masukkan Biaya Pusat +Please enter Delivery Note No or Sales Invoice No to proceed,Masukkan Pengiriman Note ada atau Faktur Penjualan Tidak untuk melanjutkan +Please enter Employee Id of this sales parson,Masukkan Id Karyawan pendeta penjualan ini +Please enter Expense Account,Masukkan Beban Akun +Please enter Item Code to get batch no,Masukkan Item Code untuk mendapatkan bets tidak +Please enter Item Code.,Masukkan Item Code. +Please enter Item first,Masukkan Barang pertama +Please enter Maintaince Details first,Cukup masukkan Maintaince Detail pertama +Please enter Master Name once the account is created.,Masukkan Nama Guru setelah account dibuat. +Please enter Planned Qty for Item {0} at row {1},Masukkan Planned Qty untuk Item {0} pada baris {1} +Please enter Production Item first,Masukkan Produksi Barang pertama +Please enter Purchase Receipt No to proceed,Masukkan Penerimaan Pembelian ada untuk melanjutkan +Please enter Reference date,Harap masukkan tanggal Referensi +Please enter Warehouse for which Material Request will be raised,Masukkan Gudang yang Material Permintaan akan dibangkitkan +Please enter Write Off Account,Cukup masukkan Write Off Akun +Please enter atleast 1 invoice in the table,Masukkan minimal 1 faktur dalam tabel +Please enter company first,Silahkan masukkan perusahaan pertama +Please enter company name first,Silahkan masukkan nama perusahaan pertama +Please enter default Unit of Measure,Masukkan Satuan default Ukur +Please enter default currency in Company Master,Masukkan mata uang default di Perusahaan Guru +Please enter email address,Masukkan alamat email +Please enter item details,Masukkan detil item +Please enter message before sending,Masukkan pesan sebelum mengirimnya +Please enter parent account group for warehouse account,Masukkan rekening kelompok orangtua untuk account warehouse +Please enter parent cost center,Masukkan pusat biaya orang tua +Please enter quantity for Item {0},Mohon masukkan untuk Item {0} +Please enter relieving date.,Silahkan masukkan menghilangkan date. +Please enter sales order in the above table,Masukkan order penjualan pada tabel di atas +Please enter valid Company Email,Masukkan Perusahaan valid Email +Please enter valid Email Id,Silahkan lakukan validasi Email Id +Please enter valid Personal Email,Silahkan lakukan validasi Email Pribadi +Please enter valid mobile nos,Masukkan nos ponsel yang valid +Please find attached Sales Invoice #{0},Silakan menemukan terlampir Faktur Penjualan # {0} +Please install dropbox python module,Silakan instal modul python dropbox +Please mention no of visits required,Harap menyebutkan tidak ada kunjungan yang diperlukan +Please pull items from Delivery Note,Silakan tarik item dari Pengiriman Note +Please save the Newsletter before sending,Harap menyimpan Newsletter sebelum dikirim +Please save the document before generating maintenance schedule,Harap menyimpan dokumen sebelum menghasilkan jadwal pemeliharaan +Please see attachment,Silakan lihat lampiran +Please select Bank Account,Silakan pilih Rekening Bank +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 daun tahun fiskal ini +Please select Category first,Silahkan pilih Kategori pertama +Please select Charge Type first,Silakan pilih Mengisi Tipe pertama +Please select Fiscal Year,Silahkan pilih Tahun Anggaran +Please select Group or Ledger value,Silahkan pilih Grup atau Ledger nilai +Please select Incharge Person's name,Silahkan pilih nama Incharge Orang +Please select Invoice Type and Invoice Number in atleast one row,Silakan pilih Invoice Type dan Faktur Jumlah minimal dalam satu baris +"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Sales BOM","Silakan pilih Barang di mana ""Apakah Stock Item"" adalah ""Tidak"" dan ""Apakah Penjualan Item"" adalah ""Ya"" dan tidak ada Penjualan BOM lainnya" +Please select Price List,Silakan pilih Daftar Harga +Please select Start Date and End Date for Item {0},Silakan pilih Tanggal Mulai dan Tanggal Akhir untuk Item {0} +Please select Time Logs.,Silakan pilih Sisa log. +Please select a csv file,Silakan pilih file csv +Please select a valid csv file with data,Silakan pilih file csv dengan data yang valid +Please select a value for {0} quotation_to {1},Silakan pilih nilai untuk {0} quotation_to {1} +"Please select an ""Image"" first","Harap pilih ""Gambar"" pertama" +Please select charge type first,Silakan pilih jenis charge pertama +Please select company first,Silakan pilih perusahaan pertama +Please select company first.,Silakan pilih perusahaan pertama. +Please select item code,Silahkan pilih kode barang +Please select month and year,Silakan pilih bulan dan tahun +Please select prefix first,Silakan pilih awalan pertama +Please select the document type first,Silakan pilih jenis dokumen pertama +Please select weekly off day,Silakan pilih dari hari mingguan +Please select {0},Silahkan pilih {0} +Please select {0} first,Silahkan pilih {0} pertama +Please select {0} first.,Silahkan pilih {0} pertama. +Please set Dropbox access keys in your site config,Silakan set tombol akses Dropbox di situs config Anda +Please set Google Drive access keys in {0},Silakan set tombol akses Google Drive di {0} +Please set default Cash or Bank account in Mode of Payment {0},Silakan set Cash standar atau rekening Bank Mode Pembayaran {0} +Please set default value {0} in Company {0},Silakan set nilai default {0} di Perusahaan {0} +Please set {0},Silakan set {0} +Please setup Employee Naming System in Human Resource > HR Settings,Silahkan pengaturan Penamaan Sistem Karyawan di Sumber Daya Manusia> Pengaturan SDM +Please setup numbering series for Attendance via Setup > Numbering Series,Silahkan pengaturan seri penomoran untuk Kehadiran melalui Pengaturan> Penomoran Series +Please setup your chart of accounts before you start Accounting Entries,Silakan pengaturan grafik Anda account sebelum Anda mulai Entries Akuntansi +Please specify,Silakan tentukan +Please specify Company,Silakan tentukan Perusahaan +Please specify Company to proceed,Silahkan tentukan Perusahaan untuk melanjutkan +Please specify Default Currency in Company Master and Global Defaults,Silakan tentukan Currency Default dalam Perseroan Guru dan Default global +Please specify a,Silakan tentukan +Please specify a valid 'From Case No.',Silakan tentukan valid 'Dari Kasus No' +Please specify a valid Row ID for {0} in row {1},Silakan tentukan ID Row berlaku untuk {0} berturut-turut {1} +Please specify either Quantity or Valuation Rate or both,Silakan tentukan baik Quantity atau Tingkat Penilaian atau keduanya +Please submit to update Leave Balance.,Harap kirimkan untuk memperbarui Leave Balance. +Plot,Plot +Plot By,Plot By +Point of Sale,Point of Sale +Point-of-Sale Setting,Point-of-Sale Pengaturan +Post Graduate,Pasca Sarjana +Postal,Pos +Postal Expenses,Beban pos +Posting Date,Tanggal Posting +Posting Time,Posting Waktu +Posting date and posting time is mandatory,Tanggal posting dan posting waktu adalah wajib +Posting timestamp must be after {0},Posting timestamp harus setelah {0} +Potential opportunities for selling.,Potensi peluang untuk menjual. +Preferred Billing Address,Disukai Alamat Penagihan +Preferred Shipping Address,Disukai Alamat Pengiriman +Prefix,Awalan +Present,ada +Prevdoc DocType,Prevdoc DocType +Prevdoc Doctype,Prevdoc Doctype +Preview,Pratayang +Previous,Sebelumnya +Previous Work Experience,Pengalaman Kerja Sebelumnya +Price,Harga +Price / Discount,Harga / Diskon +Price List,Daftar Harga +Price List Currency,Daftar Harga Mata uang +Price List Currency not selected,Daftar Harga Mata uang tidak dipilih +Price List Exchange Rate,Daftar Harga Tukar +Price List Name,Daftar Harga Nama +Price List Rate,Daftar Harga Tingkat +Price List Rate (Company Currency),Daftar Harga Rate (Perusahaan Mata Uang) +Price List master.,Daftar harga Master. +Price List must be applicable for Buying or Selling,Harga List harus berlaku untuk Membeli atau Jual +Price List not selected,Daftar Harga tidak dipilih +Price List {0} is disabled,Daftar Harga {0} dinonaktifkan +Price or Discount,Harga atau Diskon +Pricing Rule,Aturan Harga +Pricing Rule Help,Aturan Harga Bantuan +"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Rule harga pertama dipilih berdasarkan 'Terapkan On' lapangan, yang dapat Barang, Barang Grup atau Merek." +"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Rule harga dibuat untuk menimpa Daftar Harga / mendefinisikan persentase diskon, berdasarkan beberapa kriteria." +Pricing Rules are further filtered based on quantity.,Aturan harga selanjutnya disaring berdasarkan kuantitas. +Print Format Style,Print Format Style +Print Heading,Cetak Pos +Print Without Amount,Cetak Tanpa Jumlah +Print and Stationary,Cetak dan Alat Tulis +Printing and Branding,Percetakan dan Branding +Priority,Prioritas +Private Equity,Private Equity +Privilege Leave,Privilege Cuti +Probation,Percobaan +Process Payroll,Proses Payroll +Produced,Diproduksi +Produced Quantity,Diproduksi Jumlah +Product Enquiry,Enquiry Produk +Production,Produksi +Production Order,Pesanan Produksi +Production Order status is {0},Status pesanan produksi adalah {0} +Production Order {0} must be cancelled before cancelling this Sales Order,Pesanan produksi {0} harus dibatalkan sebelum membatalkan Sales Order ini +Production Order {0} must be submitted,Pesanan produksi {0} harus diserahkan +Production Orders,Pesanan Produksi +Production Orders in Progress,Pesanan produksi di Progress +Production Plan Item,Rencana Produksi Barang +Production Plan Items,Rencana Produksi Produk +Production Plan Sales Order,Rencana Produksi Sales Order +Production Plan Sales Orders,Rencana Produksi Pesanan Penjualan +Production Planning Tool,Alat Perencanaan Produksi +Products,Produk +"Products will be sorted by weight-age in default searches. More the weight-age, higher the product will appear in the list.","Produk akan diurutkan menurut beratnya usia dalam pencarian default. Lebih berat usia, tinggi produk akan muncul dalam daftar." +Professional Tax,Profesional Pajak +Profit and Loss,Laba Rugi +Profit and Loss Statement,Laba Rugi +Project,Proyek +Project Costing,Project Costing +Project Details,Detail Proyek +Project Manager,Manager Project +Project Milestone,Proyek Milestone +Project Milestones,Milestones Proyek +Project Name,Nama Proyek +Project Start Date,Proyek Tanggal Mulai +Project Type,Jenis proyek +Project Value,Nilai Proyek +Project activity / task.,Kegiatan proyek / tugas. +Project master.,Menguasai proyek. +Project will get saved and will be searchable with project name given,Proyek akan diselamatkan dan akan dicari dengan nama proyek yang diberikan +Project wise Stock Tracking,Project Tracking Stock bijaksana +Project-wise data is not available for Quotation,Data proyek-bijaksana tidak tersedia untuk Quotation +Projected,Proyeksi +Projected Qty,Proyeksi Jumlah +Projects,Proyek +Projects & System,Proyek & Sistem +Prompt for Email on Submission of,Prompt untuk Email pada Penyampaian +Proposal Writing,Penulisan Proposal +Provide email id registered in company,Menyediakan email id yang terdaftar di perusahaan +Provisional Profit / Loss (Credit),Laba Provisional / Rugi (Kredit) +Public,Publik +Published on website at: {0},Ditampilkan di website di: {0} +Publishing,Penerbitan +Pull sales orders (pending to deliver) based on the above criteria,Tarik pesanan penjualan (pending untuk memberikan) berdasarkan kriteria di atas +Purchase,Pembelian +Purchase / Manufacture Details,Detail Pembelian / Industri +Purchase Analytics,Pembelian Analytics +Purchase Common,Pembelian Umum +Purchase Details,Rincian pembelian +Purchase Discounts,Membeli Diskon +Purchase Invoice,Purchase Invoice +Purchase Invoice Advance,Pembelian Faktur Muka +Purchase Invoice Advances,Uang Muka Pembelian Faktur +Purchase Invoice Item,Purchase Invoice Barang +Purchase Invoice Trends,Pembelian Faktur Trends +Purchase Invoice {0} is already submitted,Purchase Invoice {0} sudah disampaikan +Purchase Order,Purchase Order +Purchase Order Item,Purchase Order Barang +Purchase Order Item No,Purchase Order Item No +Purchase Order Item Supplied,Purchase Order Barang Disediakan +Purchase Order Items,Purchase Order Items +Purchase Order Items Supplied,Purchase Order Items Disediakan +Purchase Order Items To Be Billed,Purchase Order Items Akan Ditagih +Purchase Order Items To Be Received,Purchase Order Items Akan Diterima +Purchase Order Message,Pesan Purchase Order +Purchase Order Required,Pesanan Pembelian Diperlukan +Purchase Order Trends,Pesanan Pembelian Trends +Purchase Order number required for Item {0},Nomor Purchase Order yang diperlukan untuk Item {0} +Purchase Order {0} is 'Stopped',Pesanan Pembelian {0} 'Berhenti' +Purchase Order {0} is not submitted,Purchase Order {0} tidak disampaikan +Purchase Orders given to Suppliers.,Pembelian Pesanan yang diberikan kepada Pemasok. +Purchase Receipt,Penerimaan Pembelian +Purchase Receipt Item,Penerimaan Pembelian Barang +Purchase Receipt Item Supplied,Penerimaan Pembelian Barang Disediakan +Purchase Receipt Item Supplieds,Penerimaan Pembelian Barang Supplieds +Purchase Receipt Items,Penerimaan Pembelian Produk +Purchase Receipt Message,Penerimaan Pembelian Pesan +Purchase Receipt No,Penerimaan Pembelian ada +Purchase Receipt Required,Penerimaan Pembelian Diperlukan +Purchase Receipt Trends,Tren Penerimaan Pembelian +Purchase Receipt number required for Item {0},Nomor Penerimaan Pembelian diperlukan untuk Item {0} +Purchase Receipt {0} is not submitted,Penerimaan Pembelian {0} tidak disampaikan +Purchase Register,Pembelian Register +Purchase Return,Pembelian Kembali +Purchase Returned,Pembelian Returned +Purchase Taxes and Charges,Pajak Pembelian dan Biaya +Purchase Taxes and Charges Master,Pajak Pembelian dan Biaya Guru +Purchse Order number required for Item {0},Nomor pesanan purchse diperlukan untuk Item {0} +Purpose,Tujuan +Purpose must be one of {0},Tujuan harus menjadi salah satu {0} +QA Inspection,QA Inspeksi +Qty,Qty +Qty Consumed Per Unit,Qty Dikonsumsi Per Unit +Qty To Manufacture,Qty Untuk Industri +Qty as per Stock UOM,Qty per Saham UOM +Qty to Deliver,Qty untuk Menyampaikan +Qty to Order,Qty to Order +Qty to Receive,Qty untuk Menerima +Qty to Transfer,Jumlah Transfer +Qualification,Kualifikasi +Quality,Kualitas +Quality Inspection,Inspeksi Kualitas +Quality Inspection Parameters,Parameter Inspeksi Kualitas +Quality Inspection Reading,Inspeksi Kualitas Reading +Quality Inspection Readings,Bacaan Inspeksi Kualitas +Quality Inspection required for Item {0},Kualitas Inspeksi diperlukan untuk Item {0} +Quality Management,Manajemen Kualitas +Quantity,Kuantitas +Quantity Requested for Purchase,Kuantitas Diminta Pembelian +Quantity and Rate,Jumlah dan Tingkat +Quantity and Warehouse,Kuantitas dan Gudang +Quantity cannot be a fraction in row {0},Kuantitas tidak bisa menjadi fraksi di baris {0} +Quantity for Item {0} must be less than {1},Kuantitas untuk Item {0} harus kurang dari {1} +Quantity in row {0} ({1}) must be same as manufactured quantity {2},Jumlah berturut-turut {0} ({1}) harus sama dengan jumlah yang diproduksi {2} +Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Jumlah barang yang diperoleh setelah manufaktur / repacking dari mengingat jumlah bahan baku +Quantity required for Item {0} in row {1},Kuantitas yang dibutuhkan untuk Item {0} berturut-turut {1} +Quarter,Perempat +Quarterly,Triwulanan +Quick Help,Bantuan Cepat +Quotation,Kutipan +Quotation Item,Quotation Barang +Quotation Items,Quotation Items +Quotation Lost Reason,Quotation Kehilangan Alasan +Quotation Message,Quotation Pesan +Quotation To,Quotation Untuk +Quotation Trends,Quotation Trends +Quotation {0} is cancelled,Quotation {0} dibatalkan +Quotation {0} not of type {1},Quotation {0} bukan dari jenis {1} +Quotations received from Suppliers.,Kutipan yang diterima dari pemasok. +Quotes to Leads or Customers.,Harga untuk Memimpin atau Pelanggan. +Raise Material Request when stock reaches re-order level,Angkat Permintaan Bahan ketika saham mencapai tingkat re-order +Raised By,Dibesarkan Oleh +Raised By (Email),Dibesarkan Oleh (Email) +Random,Acak +Range,Jarak +Rate,Menilai Rate , -Rate (%),Selamat Datang -Rate (Company Currency),Disetujui -Rate Of Materials Based On,Full-time -Rate and Amount,Penyiaran -Rate at which Customer Currency is converted to customer's base currency,SO Tanggal -Rate at which Price list currency is converted to company's base currency,Diperlukan Tanggal -Rate at which Price list currency is converted to customer's base currency,Penghasilan Memesan -Rate at which customer's currency is converted to company's base currency,Google Drive -Rate at which supplier's currency is converted to company's base currency,Nama Belakang -Rate at which this tax is applied,Dapatkan Template -Raw Material,Berhenti! -Raw Material Item Code,{0} adalah wajib. Mungkin record Kurs Mata Uang tidak diciptakan untuk {1} ke {2}. -Raw Materials Supplied,"Maaf, Serial Nos tidak dapat digabungkan" -Raw Materials Supplied Cost,Permintaan Material {0} dibuat -Raw material cannot be same as main Item,Waktu dan Anggaran -Re-Order Level,Masukkan departemen yang kontak ini milik -Re-Order Qty,Slip Gaji -Re-order,Docuements -Re-order Level,Jenis proyek -Re-order Qty,Terhadap Journal Voucher {0} tidak memiliki tertandingi {1} entri -Read,Pembayaran Dibuat -Reading 1,Membaca 6 -Reading 10,Purchase Order Item No -Reading 2,Membaca 3 -Reading 3,Membaca 1 -Reading 4,Membaca 5 -Reading 5,'Berdasarkan' dan 'Group By' tidak bisa sama -Reading 6,Membaca 7 -Reading 7,Membaca 4 -Reading 8,Membaca 9 -Reading 9,Kirim Slip Gaji -Real Estate,Row {0}: Akun tidak sesuai dengan \ \ n Faktur Penjualan Debit Untuk account -Reason,Dropbox Access Key -Reason for Leaving,Membeli Pengaturan -Reason for Resignation,'Dari Tanggal' harus setelah 'To Date' -Reason for losing,Diubah Dari -Recd Quantity,Membuat Pemasok Quotation -Receivable,"Pilih ""Ya"" jika Anda mempertahankan stok item dalam persediaan Anda." -Receivable / Payable account will be identified based on the field Master Type,Inspeksi Type -Receivables,Permintaan Type -Receivables / Payables,Kelola Wilayah Pohon. -Receivables Group,Pengguna Pertama: Anda -Received Date,Untuk melacak instalasi atau commissioning kerja terkait setelah penjualan -Received Items To Be Billed,Tanggal pembaruan clearance Entries Journal ditandai sebagai 'Bank Voucher' -Received Qty,Periksa ini untuk menarik email dari kotak surat Anda -Received and Accepted,Nota Kredit -Receiver List,Sekolah / Universitas -Receiver List is empty. Please create Receiver List,Territory Manager -Receiver Parameter,Pesan diperbarui -Recipients,Masukkan pusat biaya orang tua -Reconcile,Pilih nama perusahaan pertama. -Reconciliation Data,Half Day -Reconciliation HTML,Nomor Format -Reconciliation JSON,Untuk Mata -Record item movement.,"Tuan, Email dan Password diperlukan jika email yang ditarik" -Recurring Id,bahan materi -Recurring Invoice,Pengaturan POS diperlukan untuk membuat POS Entri -Recurring Type,Panggilan -Reduce Deduction for Leave Without Pay (LWP),Masukkan Perusahaan -Reduce Earning for Leave Without Pay (LWP),* Akan dihitung dalam transaksi. -Ref,Dalam Kata-kata akan terlihat setelah Anda menyimpan Sales Order. -Ref Code,Jika Anda mengikuti Inspeksi Kualitas. Memungkinkan Barang QA Diperlukan dan QA ada di Penerimaan Pembelian -Ref SQ,Carry Leaves Diteruskan -Reference,Mendamaikan -Reference #{0} dated {1},Pengajuan cuti telah disetujui. -Reference Date,Harus Nomor Utuh -Reference Name,{0} {1} status 'Berhenti' -Reference No & Reference Date is required for {0},"Untuk menetapkan masalah ini, gunakan ""Assign"" tombol di sidebar." -Reference No is mandatory if you entered Reference Date,Modern -Reference Number,Database Supplier. -Reference Row #,Penilaian dan Total -Refresh,Purchase Order Items Disediakan -Registration Details,Hitung Berbasis On -Registration Info,"Saldo rekening sudah di Debit, Anda tidak diizinkan untuk mengatur 'Balance Harus' sebagai 'Kredit'" -Rejected,Terselesaikan Dengan -Rejected Quantity,PO No -Rejected Serial No,Persentase Alokasi harus sama dengan 100% -Rejected Warehouse,"Untuk membuat Kepala Rekening bawah perusahaan yang berbeda, pilih perusahaan dan menyimpan pelanggan." -Rejected Warehouse is mandatory against regected item,Apakah Anda yakin ingin BERHENTI -Relation,Mengatur Tipe Akun membantu dalam memilih Akun ini dalam transaksi. -Relieving Date,Dapatkan Terakhir Purchase Rate -Relieving Date must be greater than Date of Joining,Sales Order Items -Remark,Jumlah tidak boleh nol -Remarks,Item {0} harus Layanan Barang. -Rename,Hapus -Rename Log,Bekukan Saham Lama Dari [Hari] -Rename Tool,Kekhawatiran Kesehatan -Rent Cost,Serial Nos Diperlukan untuk Serial Barang {0} -Rent per hour,Eksternal -Rented,Agriculture -Repeat on Day of Month,Induk Barang -Replace,Harga atau Diskon -Replace Item / BOM in all BOMs,Pengaturan default untuk transaksi saham. -Replied,Penghasilan Langsung -Report Date,Untuk melacak barang dalam penjualan dan pembelian dokumen dengan bets nos
Preferred Industri: Kimia etc -Report Type,BOM {0} untuk Item {1} berturut-turut {2} tidak aktif atau tidak disampaikan -Report Type is mandatory,Balance harus -Reports to,Jumlah Cukai Halaman -Reqd By Date,Gantt chart dari semua tugas. -Request Type,Kuantitas -Request for Information,Spesifikasi Detail -Request for purchase.,Kas atau Rekening Bank wajib untuk membuat entri pembayaran -Requested,Beban akun / Difference ({0}) harus akun 'Laba atau Rugi' -Requested For,Jenis dokumen untuk mengubah nama. -Requested Items To Be Ordered,Penjualan Orang-bijaksana Rangkuman Transaksi -Requested Items To Be Transferred,Pengaturan POS global {0} sudah dibuat untuk perusahaan {1} -Requested Qty,The BOM baru setelah penggantian -"Requested Qty: Quantity requested for purchase, but not ordered.",Apakah Dibatalkan -Requests for items.,Sewa per jam -Required By,Alamat Penagihan Nama -Required Date,dan tahun: -Required Qty,Pemasaran -Required only for sample item.,Nomor registrasi perusahaan untuk referensi Anda. Contoh: Pendaftaran PPN Nomor dll -Required raw materials issued to the supplier for producing a sub - contracted item.,Silahkan pengaturan Penamaan Sistem Karyawan di Sumber Daya Manusia> Pengaturan SDM -Research,Faktur Berulang -Research & Development,Catatan -Researcher,"Tidak ada pelanggan, atau pemasok Akun ditemukan" -Reseller,Pengaturan Series -Reserved,Unstop Purchase Order -Reserved Qty,Ulangi pada Hari Bulan -"Reserved Qty: Quantity ordered for sale, but not delivered.",Kuantitas Diminta Pembelian -Reserved Quantity,Beban atau Selisih akun adalah wajib untuk Item {0} karena dampak keseluruhan nilai saham -Reserved Warehouse,SMS Center -Reserved Warehouse in Sales Order / Finished Goods Warehouse,Jam Tingkat Buruh -Reserved Warehouse is missing in Sales Order,"Semua bidang ekspor terkait seperti mata uang, tingkat konversi, jumlah ekspor, total ekspor dll besar tersedia dalam Pengiriman Catatan, POS, Quotation, Faktur Penjualan, Sales Order dll" -Reserved Warehouse required for stock Item {0} in row {1},Operasi {0} diulangi dalam Operasi Tabel -Reserved warehouse required for stock item {0},Tarik pesanan penjualan (pending untuk memberikan) berdasarkan kriteria di atas -Reserves and Surplus,Dropbox Access Diizinkan -Reset Filters,Puntung -Resignation Letter Date,Pengiklanan -Resolution,Induk Detil docname -Resolution Date,{0} harus kurang dari atau sama dengan {1} -Resolution Details,"Jika dua atau lebih Aturan Harga yang ditemukan berdasarkan kondisi di atas, Prioritas diterapkan. Prioritas adalah angka antara 0 sampai 20, sementara nilai default adalah nol (kosong). Jumlah yang lebih tinggi berarti akan didahulukan jika ada beberapa Aturan Harga dengan kondisi yang sama." -Resolved By,Account Frozen Upto -Rest Of The World,Komersial -Retail,Bagaimana Rule Harga diterapkan? -Retail & Wholesale,Beban Klaim Disetujui Pesan -Retailer,"Item yang mewakili Paket tersebut. Barang ini harus ""Apakah Stock Item"" sebagai ""Tidak"" dan ""Apakah Penjualan Item"" sebagai ""Ya""" -Review Date,Jika Anggaran Tahunan Melebihi -Rgt,Pemeriksaan mutu yang masuk. -Role Allowed to edit frozen stock,Bagikan -Role that is allowed to submit transactions that exceed credit limits set.,Departemen -Root Type,Masukkan nama perusahaan di mana Akun Kepala akan dibuat untuk Pemasok ini -Root Type is mandatory,Isi Halaman -Root account can not be deleted,Tanggal akhir tidak boleh kurang dari Tanggal Mulai -Root cannot be edited.,Judul -Root cannot have a parent cost center,Happy Birthday! -Rounded Off,Parameter Inspeksi Kualitas -Rounded Total,{0} {1} telah dimodifikasi. Silahkan refresh. -Rounded Total (Company Currency),Kuantitas tidak valid untuk item {0}. Jumlah harus lebih besar dari 0. +Rate (%),Rate (%) +Rate (Company Currency),Rate (Perusahaan Mata Uang) +Rate Of Materials Based On,Laju Bahan Berbasis On +Rate and Amount,Rate dan Jumlah +Rate at which Customer Currency is converted to customer's base currency,Tingkat di mana Pelanggan Mata Uang dikonversi ke mata uang dasar pelanggan +Rate at which Price list currency is converted to company's base currency,Tingkat di mana mata uang Daftar Harga dikonversi ke mata uang dasar perusahaan +Rate at which Price list currency is converted to customer's base currency,Tingkat di mana mata uang Daftar Harga dikonversi ke mata uang dasar pelanggan +Rate at which customer's currency is converted to company's base currency,Tingkat di mana mata uang pelanggan dikonversi ke mata uang dasar perusahaan +Rate at which supplier's currency is converted to company's base currency,Tingkat di mana mata uang pemasok dikonversi ke mata uang dasar perusahaan +Rate at which this tax is applied,Tingkat di mana pajak ini diterapkan +Raw Material,Bahan Baku +Raw Material Item Code,Bahan Baku Item Code +Raw Materials Supplied,Disediakan Bahan Baku +Raw Materials Supplied Cost,Biaya Bahan Baku Disediakan +Raw material cannot be same as main Item,Bahan baku tidak bisa sama dengan Butir utama +Re-Order Level,Re-Order Tingkat +Re-Order Qty,Re-Order Qty +Re-order,Re-order +Re-order Level,Re-order Tingkat +Re-order Qty,Re-order Qty +Read,Membaca +Reading 1,Membaca 1 +Reading 10,Membaca 10 +Reading 2,Membaca 2 +Reading 3,Membaca 3 +Reading 4,Membaca 4 +Reading 5,Membaca 5 +Reading 6,Membaca 6 +Reading 7,Membaca 7 +Reading 8,Membaca 8 +Reading 9,Membaca 9 +Real Estate,Real Estate +Reason,Alasan +Reason for Leaving,Alasan Meninggalkan +Reason for Resignation,Alasan pengunduran diri +Reason for losing,Alasan untuk kehilangan +Recd Quantity,Recd Kuantitas +Receivable,Piutang +Receivable / Payable account will be identified based on the field Master Type,Piutang akun / Hutang akan diidentifikasi berdasarkan bidang Guru Type +Receivables,Piutang +Receivables / Payables,Piutang / Hutang +Receivables Group,Piutang Grup +Received Date,Diterima Tanggal +Received Items To Be Billed,Produk Diterima Akan Ditagih +Received Qty,Diterima Qty +Received and Accepted,Diterima dan Diterima +Receiver List,Receiver Daftar +Receiver List is empty. Please create Receiver List,Receiver List kosong. Silakan membuat Receiver List +Receiver Parameter,Receiver Parameter +Recipients,Penerima +Reconcile,Mendamaikan +Reconciliation Data,Rekonsiliasi data +Reconciliation HTML,Rekonsiliasi HTML +Reconciliation JSON,Rekonsiliasi JSON +Record item movement.,Gerakan barang Rekam. +Recurring Id,Berulang Id +Recurring Invoice,Faktur Berulang +Recurring Type,Berulang Type +Reduce Deduction for Leave Without Pay (LWP),Mengurangi Pengurangan untuk Tinggalkan Tanpa Bayar (LWP) +Reduce Earning for Leave Without Pay (LWP),Mengurangi Produktif untuk Tinggalkan Tanpa Bayar (LWP) +Ref,Ref +Ref Code,Ref Kode +Ref SQ,Ref SQ +Reference,Referensi +Reference #{0} dated {1},Referensi # {0} tanggal {1} +Reference Date,Referensi Tanggal +Reference Name,Referensi Nama +Reference No & Reference Date is required for {0},Referensi ada & Referensi Tanggal diperlukan untuk {0} +Reference No is mandatory if you entered Reference Date,Referensi ada adalah wajib jika Anda memasukkan Referensi Tanggal +Reference Number,Nomor Referensi +Reference Row #,Referensi Row # +Refresh,Segarkan +Registration Details,Detail Pendaftaran +Registration Info,Info Pendaftaran +Rejected,Ditolak +Rejected Quantity,Ditolak Kuantitas +Rejected Serial No,Ditolak Serial No +Rejected Warehouse,Gudang Ditolak +Rejected Warehouse is mandatory against regected item,Gudang Ditolak adalah wajib terhadap barang regected +Relation,Hubungan +Relieving Date,Menghilangkan Tanggal +Relieving Date must be greater than Date of Joining,Menghilangkan Tanggal harus lebih besar dari Tanggal Bergabung +Remark,Komentar +Remarks,Keterangan +Remarks Custom,Keterangan Kustom +Rename,Ubah nama +Rename Log,Rename Log +Rename Tool,Rename Alat +Rent Cost,Sewa Biaya +Rent per hour,Sewa per jam +Rented,Sewaan +Repeat on Day of Month,Ulangi pada Hari Bulan +Replace,Mengganti +Replace Item / BOM in all BOMs,Ganti Barang / BOM di semua BOMs +Replied,Menjawab +Report Date,Tanggal Laporan +Report Type,Jenis Laporan +Report Type is mandatory,Jenis Laporan adalah wajib +Reports to,Laporan untuk +Reqd By Date,Reqd By Date +Reqd by Date,Reqd berdasarkan Tanggal +Request Type,Permintaan Type +Request for Information,Request for Information +Request for purchase.,Permintaan pembelian. +Requested,Diminta +Requested For,Diminta Untuk +Requested Items To Be Ordered,Produk Diminta Akan Memerintahkan +Requested Items To Be Transferred,Produk Diminta Akan Ditransfer +Requested Qty,Diminta Qty +"Requested Qty: Quantity requested for purchase, but not ordered.","Diminta Qty: Jumlah yang diminta untuk pembelian, tetapi tidak memerintahkan." +Requests for items.,Permintaan untuk item. +Required By,Diperlukan Oleh +Required Date,Diperlukan Tanggal +Required Qty,Diperlukan Qty +Required only for sample item.,Diperlukan hanya untuk item sampel. +Required raw materials issued to the supplier for producing a sub - contracted item.,Bahan baku yang dibutuhkan dikeluarkan ke pemasok untuk memproduksi sub - item yang dikontrak. +Research,Penelitian +Research & Development,Penelitian & Pengembangan +Researcher,Peneliti +Reseller,Reseller +Reserved,Reserved +Reserved Qty,Reserved Qty +"Reserved Qty: Quantity ordered for sale, but not delivered.","Reserved Qty: Jumlah memerintahkan untuk dijual, tapi tidak disampaikan." +Reserved Quantity,Reserved Kuantitas +Reserved Warehouse,Gudang Reserved +Reserved Warehouse in Sales Order / Finished Goods Warehouse,Reserved Gudang di Sales Order / Barang Jadi Gudang +Reserved Warehouse is missing in Sales Order,Gudang Reserved hilang di Sales Order +Reserved Warehouse required for stock Item {0} in row {1},Reserved Gudang diperlukan untuk stok Barang {0} berturut-turut {1} +Reserved warehouse required for stock item {0},Reserved gudang diperlukan untuk item saham {0} +Reserves and Surplus,Cadangan dan Surplus +Reset Filters,Atur Ulang Filter +Resignation Letter Date,Surat Pengunduran Diri Tanggal +Resolution,Resolusi +Resolution Date,Resolusi Tanggal +Resolution Details,Detail Resolusi +Resolved By,Terselesaikan Dengan +Rest Of The World,Istirahat Of The World +Retail,Eceran +Retail & Wholesale,Retail & Grosir +Retailer,Pengecer +Review Date,Ulasan Tanggal +Rgt,Rgt +Role Allowed to edit frozen stock,Peran Diizinkan untuk mengedit saham beku +Role that is allowed to submit transactions that exceed credit limits set.,Peran yang diperbolehkan untuk mengirimkan transaksi yang melebihi batas kredit yang ditetapkan. +Root Type,Akar Type +Root Type is mandatory,Akar Type adalah wajib +Root account can not be deleted,Account root tidak bisa dihapus +Root cannot be edited.,Root tidak dapat diedit. +Root cannot have a parent cost center,Root tidak dapat memiliki pusat biaya orang tua +Rounded Off,Rounded Off +Rounded Total,Rounded Jumlah +Rounded Total (Company Currency),Rounded Jumlah (Perusahaan Mata Uang) Row # , Row # {0}: , -Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,Standar Pembelian Akun di mana biaya tersebut akan didebet. -Row #{0}: Please specify Serial No for Item {1},Izin Tanggal tidak disebutkan +Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,Row # {0}: qty Memerintahkan tidak bisa kurang dari minimum qty pesanan item (didefinisikan dalam master barang). +Row #{0}: Please specify Serial No for Item {1},Row # {0}: Silakan tentukan Serial ada untuk Item {1} "Row {0}: Account does not match with \ - Purchase Invoice Credit To account",Buat Bursa Ledger Entries ketika Anda mengirimkan Faktur Penjualan + Purchase Invoice Credit To account","Row {0}: Akun tidak cocok dengan \ + Purchase Invoice Kredit Untuk account" "Row {0}: Account does not match with \ - Sales Invoice Debit To account",Bawaan Stock UOM -Row {0}: Credit entry can not be linked with a Purchase Invoice,Apakah Pembelian Barang -Row {0}: Debit entry can not be linked with a Sales Invoice,Perusahaan -Row {0}: Qty is mandatory,Periksa untuk mengaktifkan + Sales Invoice Debit To account","Row {0}: Akun tidak cocok dengan \ + Penjualan Faktur Debit Untuk account" +Row {0}: Conversion Factor is mandatory,Row {0}: Faktor Konversi adalah wajib +Row {0}: Credit entry can not be linked with a Purchase Invoice,Row {0}: entry Kredit tidak dapat dihubungkan dengan Faktur Pembelian +Row {0}: Debit entry can not be linked with a Sales Invoice,Row {0}: entry Debit tidak dapat dihubungkan dengan Faktur Penjualan +Row {0}: Payment amount must be less than or equals to invoice outstanding amount. Please refer Note below.,Row {0}: Jumlah pembayaran harus kurang dari atau sama dengan faktur jumlah yang terhutang. Silakan lihat Catatan di bawah. +Row {0}: Qty is mandatory,Row {0}: Qty adalah wajib "Row {0}: Qty not avalable in warehouse {1} on {2} {3}. - Available Qty: {4}, Transfer Qty: {5}",Proyek akan diselamatkan dan akan dicari dengan nama proyek yang diberikan + Available Qty: {4}, Transfer Qty: {5}","Row {0}: Qty tidak avalable di gudang {1} pada {2} {3}. + Qty Tersedia: {4}, transfer Qty: {5}" "Row {0}: To set {1} periodicity, difference between from and to date \ - must be greater than or equal to {2}",Transaksi Tanggal -Row {0}:Start Date must be before End Date,Dropbox Access Rahasia -Rules for adding shipping costs.,Weightage (%) -Rules for applying pricing and discount.,Masukkan Pengiriman Note ada atau Faktur Penjualan Tidak untuk melanjutkan -Rules to calculate shipping amount for a sale,Pada Jam -S.O. No.,Pesanan Pembelian {0} 'Berhenti' -SMS Center,Garansi Tanggal Berakhir -SMS Gateway URL,Pesanan Type harus menjadi salah satu {0} -SMS Log,Dikonsumsi Qty -SMS Parameter,Bacaan Inspeksi Kualitas -SMS Sender Name,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. -SMS Settings,Aktif -SO Date,Milestones akan ditambahkan sebagai Acara di Kalender -SO Pending Qty,Semua Jenis Pemasok -SO Qty,Pengirim Nama -Salary,Penamaan Series -Salary Information,Kata sandi -Salary Manager,Detail Invoice -Salary Mode,Pertahanan -Salary Slip,Biaya listrik per jam -Salary Slip Deduction,Hari yang Holidays diblokir untuk departemen ini. -Salary Slip Earning,Disukai Alamat Pengiriman -Salary Slip of employee {0} already created for this month,Pajak Jumlah (Perusahaan Mata Uang) -Salary Structure,Melacak Pesanan Penjualan ini terhadap Proyek apapun -Salary Structure Deduction,Pesanan Produksi -Salary Structure Earning,Deskripsi -Salary Structure Earnings,tidak diperbolehkan. -Salary breakup based on Earning and Deduction.,Margin Nilai Gross -Salary components.,Earning -Salary template master.,PO Tanggal -Sales,Dalam Kata-kata (Perusahaan Mata Uang) -Sales Analytics,{0} Serial Number diperlukan untuk Item {0}. Hanya {0} disediakan. -Sales BOM,Lain-lain Detail -Sales BOM Help,Dalam Kata-kata akan terlihat setelah Anda menyimpan Quotation tersebut. -Sales BOM Item,Mengurangi Pengurangan untuk Tinggalkan Tanpa Bayar (LWP) -Sales BOM Items,Jika lebih dari satu paket dari jenis yang sama (untuk mencetak) -Sales Browser,Dapatkan Posisi Faktur -Sales Details,Menyetujui Pengguna -Sales Discounts,Tanggal Of Pensiun -Sales Email Settings,Semua Penjualan Orang -Sales Expenses,"Rekening lebih lanjut dapat dibuat di bawah Grup, namun entri dapat dilakukan terhadap Ledger" -Sales Extras,Posting Waktu -Sales Funnel,"Jika Pemasok Part Number ada untuk keterberian Barang, hal itu akan disimpan di sini" -Sales Invoice,Diproduksi -Sales Invoice Advance,"Jika diaktifkan, sistem akan posting entri akuntansi untuk persediaan otomatis." -Sales Invoice Item,Sasaran Detail -Sales Invoice Items,Menetapkan anggaran Group-bijaksana Barang di Wilayah ini. Anda juga bisa memasukkan musiman dengan menetapkan Distribusi. -Sales Invoice Message,Struktur Gaji Produktif -Sales Invoice No,Jumlah Total -Sales Invoice Trends,Buat Quotation -Sales Invoice {0} has already been submitted,Tidak ada yang mengedit. -Sales Invoice {0} must be cancelled before cancelling this Sales Order,Berhenti Ulang Tahun Pengingat -Sales Order,Gross Pay + + Pencairan tunggakan Jumlah Jumlah - Total Pengurangan -Sales Order Date,Cuti Sakit -Sales Order Item,Menulis Off Akun -Sales Order Items,Pilih Penerimaan Pembelian -Sales Order Message,Kasus No tidak bisa 0 -Sales Order No,Biarkan kosong jika dipertimbangkan untuk semua jenis karyawan -Sales Order Required,"Jika Anda telah membuat template standar dalam Penjualan Pajak dan Biaya Guru, pilih salah satu dan klik tombol di bawah." -Sales Order Trends,Semua item telah ditagih -Sales Order required for Item {0},Point-of-Sale Pengaturan -Sales Order {0} is not submitted,Penciptaan Dokumen Tidak -Sales Order {0} is not valid,Nama Guru tidak valid -Sales Order {0} is stopped,Ubah nama -Sales Partner,"Memilih ""Ya"" akan memungkinkan Anda untuk membuat Bill of Material yang menunjukkan bahan baku dan biaya operasional yang dikeluarkan untuk memproduksi item ini." -Sales Partner Name,Beban Klaim Type -Sales Partner Target,Jenis Kegiatan -Sales Partners Commission,Status harus menjadi salah satu {0} -Sales Person,Domain -Sales Person Name,Dapatkan Uang Muka Dibayar -Sales Person Target Variance Item Group-Wise,Tahun Anggaran Tanggal Mulai dan Akhir Tahun Fiskal Tanggal sudah ditetapkan pada Tahun Anggaran {0} -Sales Person Targets,Key Responsibility area -Sales Person-wise Transaction Summary,Ini adalah orang penjualan akar dan tidak dapat diedit. -Sales Register,Pajak Barang -Sales Return,Tidak bisa mengurangi ketika kategori adalah untuk 'Penilaian' atau 'Penilaian dan Total' -Sales Returned,Pihak -Sales Taxes and Charges,Semua Timbal (Open) -Sales Taxes and Charges Master,Menulis Off Jumlah <= -Sales Team,Serial ada {0} dibuat -Sales Team Details,Layanan Pelanggan -Sales Team1,Prevdoc DocType -Sales and Purchase,Ulasan Tanggal -Sales campaigns.,Kehadiran To Date -Salutation,"Jika tidak ada perubahan baik Quantity atau Tingkat Penilaian, biarkan kosong sel." -Sample Size,Persentase Alokasi -Sanctioned Amount,Max 5 karakter -Saturday,Peringatan: Tinggalkan aplikasi berisi tanggal blok berikut -Schedule,Semua Penjualan Partner Kontak -Schedule Date,Pohon Item Grup. -Schedule Details,Alat Perencanaan Produksi -Scheduled,Aturan Pengiriman Kondisi -Scheduled Date,Akun Pendapatan standar -Scheduled to send to {0},Entah sasaran qty atau jumlah target wajib -Scheduled to send to {0} recipients,Apakah Kontak Utama -Scheduler Failed Events,Tujuan harus menjadi salah satu {0} -School/University,Tinggalkan Aplikasi Baru -Score (0-5),Jual Beli & -Score Earned,Masukkan 'Ulangi pada Hari Bulan' nilai bidang -Score must be less than or equal to 5,Beban Pemasaran -Scrap %,% Bahan memerintahkan terhadap Permintaan Material ini -Seasonality for setting budgets.,Pajak dan Biaya Ditambahkan (Perusahaan Mata Uang) -Secretary,Perusahaan penerbangan -Secured Loans,Akun baru -Securities & Commodity Exchanges,POP3 server mail (misalnya pop.gmail.com) -Securities and Deposits,Masukkan parameter url untuk penerima nos -"See ""Rate Of Materials Based On"" in Costing Section",Item {0} telah mencapai akhir hidupnya pada {1} -"Select ""Yes"" for sub - contracting items",Kirim ke daftar ini -"Select ""Yes"" if this item is used for some internal purpose in your company.",Harap menyimpan dokumen sebelum menghasilkan jadwal pemeliharaan -"Select ""Yes"" if this item represents some work like training, designing, consulting etc.",Entri -"Select ""Yes"" if you are maintaining stock of this item in your Inventory.",Masukkan minimal 1 faktur dalam tabel -"Select ""Yes"" if you supply raw materials to your supplier to manufacture this item.",Periode Faktur To Date -Select Brand...,Tanggal diulang -Select Budget Distribution to unevenly distribute targets across months.,Tergantung pada LWP -"Select Budget Distribution, if you want to track based on seasonality.",Gudang -Select Company...,Untuk Pemasok -Select DocType,Akhir Kehidupan -Select Fiscal Year...,Timbal Type -Select Items,Tampilkan slideshow di bagian atas halaman -Select Project...,Dalam Proses -Select Purchase Receipts,Unit Fraksi -Select Sales Orders,Alamat -Select Sales Orders from which you want to create Production Orders.,Standar List Harga -Select Time Logs and Submit to create a new Sales Invoice.,{0} diperlukan -Select Transaction,"Newsletter ke kontak, memimpin." -Select Warehouse...,Tingkat Dasar (Perusahaan Mata Uang) -Select Your Language,Menjawab -Select account head of the bank where cheque was deposited.,Dana pensiun -Select company name first.,Tahunan -Select template from which you want to get the Goals,Rounded Jumlah -Select the Employee for whom you are creating the Appraisal.,Aturan untuk menambahkan biaya pengiriman. -Select the period when the invoice will be generated automatically,Kurs Mata Uang -Select the relevant company name if you have multiple companies,Jadwal pemeliharaan tidak dihasilkan untuk semua item. Silahkan klik 'Menghasilkan Jadwal' -Select the relevant company name if you have multiple companies.,Jumlah yang dialokasikan tidak dapat negatif -Select who you want to send this newsletter to,{0} limit kredit {0} menyeberangi -Select your home country and check the timezone and currency.,Dalam Kata-kata akan terlihat setelah Anda menyimpan Faktur Penjualan. -"Selecting ""Yes"" will allow this item to appear in Purchase Order , Purchase Receipt.",BOM Ganti Alat -"Selecting ""Yes"" will allow this item to figure in Sales Order, Delivery Note",Penjualan Diskon -"Selecting ""Yes"" will allow you to create Bill of Material showing raw material and operational costs incurred to manufacture this item.",Wilayah -"Selecting ""Yes"" will allow you to make a Production Order for this item.",Jangan mengirim Karyawan Ulang Tahun Pengingat -"Selecting ""Yes"" will give a unique identity to each entity of this item which can be viewed in the Serial No master.",Nomor Transporter truk -Selling,Barang Pelanggan Detil -Selling Settings,Hutang -"Selling must be checked, if Applicable For is selected as {0}",Apakah default -Send,Rekening pengeluaran adalah wajib untuk item {0} -Send Autoreply,Tahun Produk Terhadap Orde Produksi -Send Email,Jadwal -Send From,Rate (%) -Send Notifications To,Voucher ID -Send Now,Diperbarui -Send SMS,Silakan pilih bulan dan tahun -Send To,Menyetujui Pengguna tidak bisa sama dengan pengguna aturan yang Berlaku Untuk -Send To Type,Tidak dapat mengatur otorisasi atas dasar Diskon untuk {0} -Send mass SMS to your contacts,Apakah Fixed Asset Barang -Send to this list,Rencana Produksi Barang -Sender Name,"Tidak bisa overbill untuk Item {0} berturut-turut {0} lebih dari {1}. Untuk memungkinkan mark up, atur di Bursa Settings" -Sent On,Menutup Akun Kepala -Separate production order will be created for each finished good item.,Menilai -Serial No,Tanaman -Serial No / Batch,Standar Biaya Membeli Pusat -Serial No Details,Pinjaman Aman -Serial No Service Contract Expiry,Deskripsi HTML -Serial No Status,Beban Klaim Ditolak -Serial No Warranty Expiry,Tidak dapat menyetujui cuti karena Anda tidak berwenang untuk menyetujui daun di Blok Dates -Serial No is mandatory for Item {0},Silakan set tombol akses Dropbox di situs config Anda -Serial No {0} created,Referensi ada adalah wajib jika Anda memasukkan Referensi Tanggal -Serial No {0} does not belong to Delivery Note {1},Bahan Baku -Serial No {0} does not belong to Item {1},Perempuan -Serial No {0} does not belong to Warehouse {1},Terhadap Dokumen Tidak -Serial No {0} does not exist,Jam -Serial No {0} has already been received,Tahun Fiskal -Serial No {0} is under maintenance contract upto {1},Catatan: Email tidak akan dikirim ke pengguna cacat -Serial No {0} is under warranty upto {1},Row {0}: entry Kredit tidak dapat dihubungkan dengan Faktur Pembelian -Serial No {0} not in stock,"Nama Akun baru. Catatan: Tolong jangan membuat account untuk Pelanggan dan Pemasok, mereka dibuat secara otomatis dari Nasabah dan Pemasok utama" -Serial No {0} quantity {1} cannot be a fraction,Perbedaan Akun -Serial No {0} status must be 'Available' to Deliver,Pengiriman -Serial Nos Required for Serialized Item {0},Item Desription -Serial Number Series,Gambar -Serial number {0} entered more than once,Tanggal dimana berulang faktur akan berhenti + must be greater than or equal to {2}","Row {0}: Untuk mengatur {1} periodisitas, perbedaan antara dari dan sampai saat ini \ + harus lebih besar dari atau sama dengan {2}" +Row {0}:Start Date must be before End Date,Row {0}: Tanggal awal harus sebelum Tanggal Akhir +Rules for adding shipping costs.,Aturan untuk menambahkan biaya pengiriman. +Rules for applying pricing and discount.,Aturan untuk menerapkan harga dan diskon. +Rules to calculate shipping amount for a sale,Aturan untuk menghitung jumlah pengiriman untuk penjualan +S.O. No.,SO No +SHE Cess on Excise,SHE Cess tentang Cukai +SHE Cess on Service Tax,SHE CESS Pajak Layanan +SHE Cess on TDS,SHE Cess pada TDS +SMS Center,SMS Center +SMS Gateway URL,SMS Gateway URL +SMS Log,SMS Log +SMS Parameter,Parameter SMS +SMS Sender Name,Pengirim SMS Nama +SMS Settings,Pengaturan SMS +SO Date,SO Tanggal +SO Pending Qty,SO Pending Qty +SO Qty,SO Qty +Salary,Gaji +Salary Information,Informasi Gaji +Salary Manager,Gaji Manajer +Salary Mode,Modus Gaji +Salary Slip,Slip Gaji +Salary Slip Deduction,Slip Gaji Pengurangan +Salary Slip Earning,Slip Gaji Produktif +Salary Slip of employee {0} already created for this month,Slip Gaji karyawan {0} sudah diciptakan untuk bulan ini +Salary Structure,Struktur Gaji +Salary Structure Deduction,Struktur Gaji Pengurangan +Salary Structure Earning,Struktur Gaji Produktif +Salary Structure Earnings,Laba Struktur Gaji +Salary breakup based on Earning and Deduction.,Gaji perpisahan berdasarkan Produktif dan Pengurangan. +Salary components.,Komponen gaji. +Salary template master.,Master Gaji Template. +Sales,Penjualan +Sales Analytics,Penjualan Analytics +Sales BOM,Penjualan BOM +Sales BOM Help,Penjualan BOM Bantuan +Sales BOM Item,Penjualan BOM Barang +Sales BOM Items,Penjualan BOM Items +Sales Browser,Penjualan Browser +Sales Details,Detail Penjualan +Sales Discounts,Penjualan Diskon +Sales Email Settings,Pengaturan Penjualan Email +Sales Expenses,Beban Penjualan +Sales Extras,Penjualan Ekstra +Sales Funnel,Penjualan Saluran +Sales Invoice,Faktur Penjualan +Sales Invoice Advance,Faktur Penjualan Muka +Sales Invoice Item,Faktur Penjualan Barang +Sales Invoice Items,Faktur Penjualan Produk +Sales Invoice Message,Penjualan Faktur Pesan +Sales Invoice No,Penjualan Faktur ada +Sales Invoice Trends,Faktur Penjualan Trends +Sales Invoice {0} has already been submitted,Faktur Penjualan {0} telah disampaikan +Sales Invoice {0} must be cancelled before cancelling this Sales Order,Faktur Penjualan {0} harus dibatalkan sebelum membatalkan Sales Order ini +Sales Order,Sales Order +Sales Order Date,Sales Order Tanggal +Sales Order Item,Sales Order Barang +Sales Order Items,Sales Order Items +Sales Order Message,Sales Order Pesan +Sales Order No,Sales Order No +Sales Order Required,Sales Order Diperlukan +Sales Order Trends,Sales Order Trends +Sales Order required for Item {0},Sales Order yang diperlukan untuk Item {0} +Sales Order {0} is not submitted,Sales Order {0} tidak disampaikan +Sales Order {0} is not valid,Sales Order {0} tidak valid +Sales Order {0} is stopped,Sales Order {0} dihentikan +Sales Partner,Penjualan Mitra +Sales Partner Name,Penjualan Mitra Nama +Sales Partner Target,Penjualan Mitra Sasaran +Sales Partners Commission,Penjualan Mitra Komisi +Sales Person,Penjualan Orang +Sales Person Name,Penjualan Person Nama +Sales Person Target Variance Item Group-Wise,Penjualan Orang Sasaran Variance Barang Group-Wise +Sales Person Targets,Target Penjualan Orang +Sales Person-wise Transaction Summary,Penjualan Orang-bijaksana Rangkuman Transaksi +Sales Register,Daftar Penjualan +Sales Return,Penjualan Kembali +Sales Returned,Penjualan Kembali +Sales Taxes and Charges,Pajak Penjualan dan Biaya +Sales Taxes and Charges Master,Penjualan Pajak dan Biaya Guru +Sales Team,Tim Penjualan +Sales Team Details,Rincian Tim Penjualan +Sales Team1,Penjualan team1 +Sales and Purchase,Penjualan dan Pembelian +Sales campaigns.,Kampanye penjualan. +Salutation,Salam +Sample Size,Ukuran Sampel +Sanctioned Amount,Jumlah sanksi +Saturday,Sabtu +Schedule,Jadwal +Schedule Date,Jadwal Tanggal +Schedule Details,Jadwal Detail +Scheduled,Dijadwalkan +Scheduled Date,Dijadwalkan Tanggal +Scheduled to send to {0},Dijadwalkan untuk mengirim ke {0} +Scheduled to send to {0} recipients,Dijadwalkan untuk mengirim ke {0} penerima +Scheduler Failed Events,Acara Scheduler Gagal +School/University,Sekolah / Universitas +Score (0-5),Skor (0-5) +Score Earned,Skor Earned +Score must be less than or equal to 5,Skor harus kurang dari atau sama dengan 5 +Scrap %,Scrap% +Seasonality for setting budgets.,Musiman untuk menetapkan anggaran. +Secretary,Sekretaris +Secured Loans,Pinjaman Aman +Securities & Commodity Exchanges,Efek & Bursa Komoditi +Securities and Deposits,Efek dan Deposit +"See ""Rate Of Materials Based On"" in Costing Section","Lihat ""Rate Of Material Berbasis"" dalam Biaya Bagian" +"Select ""Yes"" for sub - contracting items","Pilih ""Ya"" untuk sub - kontraktor item" +"Select ""Yes"" if this item is used for some internal purpose in your company.","Pilih ""Ya"" jika item ini digunakan untuk tujuan internal perusahaan Anda." +"Select ""Yes"" if this item represents some work like training, designing, consulting etc.","Pilih ""Ya"" jika item ini mewakili beberapa pekerjaan seperti pelatihan, merancang, konsultasi dll" +"Select ""Yes"" if you are maintaining stock of this item in your Inventory.","Pilih ""Ya"" jika Anda mempertahankan stok item dalam persediaan Anda." +"Select ""Yes"" if you supply raw materials to your supplier to manufacture this item.","Pilih ""Ya"" jika Anda memasok bahan baku ke pemasok Anda untuk memproduksi item ini." +Select Brand...,Pilih Merek ... +Select Budget Distribution to unevenly distribute targets across months.,Pilih Distribusi Anggaran untuk merata mendistribusikan target di bulan. +"Select Budget Distribution, if you want to track based on seasonality.","Pilih Distribusi Anggaran, jika Anda ingin melacak berdasarkan musim." +Select Company...,Pilih Perusahaan ... +Select DocType,Pilih DocType +Select Fiscal Year...,Pilih Tahun Anggaran ... +Select Items,Pilih Produk +Select Project...,Pilih Project ... +Select Purchase Receipts,Pilih Penerimaan Pembelian +Select Sales Orders,Pilih Pesanan Penjualan +Select Sales Orders from which you want to create Production Orders.,Pilih Penjualan Pesanan dari mana Anda ingin membuat Pesanan Produksi. +Select Time Logs and Submit to create a new Sales Invoice.,Pilih Waktu Log dan Kirim untuk membuat Faktur Penjualan baru. +Select Transaction,Pilih Transaksi +Select Warehouse...,Pilih Gudang ... +Select Your Language,Pilih Bahasa Anda +Select account head of the bank where cheque was deposited.,Pilih kepala rekening bank mana cek diendapkan. +Select company name first.,Pilih nama perusahaan pertama. +Select template from which you want to get the Goals,Pilih template dari mana Anda ingin mendapatkan Goals +Select the Employee for whom you are creating the Appraisal.,Pilih Karyawan untuk siapa Anda menciptakan Appraisal. +Select the period when the invoice will be generated automatically,Pilih periode ketika invoice akan dibuat secara otomatis +Select the relevant company name if you have multiple companies,Pilih nama perusahaan yang bersangkutan jika Anda memiliki beberapa perusahaan +Select the relevant company name if you have multiple companies.,Pilih nama perusahaan yang bersangkutan jika Anda memiliki beberapa perusahaan. +Select who you want to send this newsletter to,Pilih yang Anda ingin mengirim newsletter ini untuk +Select your home country and check the timezone and currency.,Pilih negara asal Anda dan memeriksa zona waktu dan mata uang. +"Selecting ""Yes"" will allow this item to appear in Purchase Order , Purchase Receipt.","Memilih ""Ya"" akan memungkinkan item ini muncul di Purchase Order, Penerimaan Pembelian." +"Selecting ""Yes"" will allow this item to figure in Sales Order, Delivery Note","Memilih ""Ya"" akan memungkinkan item ini untuk mencari di Sales Order, Delivery Note" +"Selecting ""Yes"" will allow you to create Bill of Material showing raw material and operational costs incurred to manufacture this item.","Memilih ""Ya"" akan memungkinkan Anda untuk membuat Bill dari Material menunjukkan bahan baku dan biaya operasional yang dikeluarkan untuk memproduksi item ini." +"Selecting ""Yes"" will allow you to make a Production Order for this item.","Memilih ""Ya"" akan memungkinkan Anda untuk membuat Order Produksi untuk item ini." +"Selecting ""Yes"" will give a unique identity to each entity of this item which can be viewed in the Serial No master.","Memilih ""Ya"" akan memberikan identitas unik untuk setiap entitas dari produk ini yang dapat dilihat dalam Serial No guru." +Selling,Penjualan +Selling Settings,Jual Pengaturan +"Selling must be checked, if Applicable For is selected as {0}","Jual harus diperiksa, jika Berlaku Untuk dipilih sebagai {0}" +Send,Kirim +Send Autoreply,Kirim Autoreply +Send Email,Kirim Email +Send From,Kirim Dari +Send Notifications To,Kirim Pemberitahuan Untuk +Send Now,Kirim sekarang +Send SMS,Kirim SMS +Send To,Kirim Ke +Send To Type,Kirim ke Ketik +Send mass SMS to your contacts,Kirim SMS massal ke kontak Anda +Send to this list,Kirim ke daftar ini +Sender Name,Pengirim Nama +Sent On,Dikirim Pada +Separate production order will be created for each finished good item.,Order produksi yang terpisah akan dibuat untuk setiap item barang jadi. +Serial No,Serial ada +Serial No / Batch,Serial No / Batch +Serial No Details,Serial Tidak Detail +Serial No Service Contract Expiry,Serial No Layanan Kontrak kadaluarsa +Serial No Status,Serial ada Status +Serial No Warranty Expiry,Serial No Garansi kadaluarsa +Serial No is mandatory for Item {0},Serial ada adalah wajib untuk Item {0} +Serial No {0} created,Serial ada {0} dibuat +Serial No {0} does not belong to Delivery Note {1},Serial ada {0} bukan milik Pengiriman Note {1} +Serial No {0} does not belong to Item {1},Serial ada {0} bukan milik Barang {1} +Serial No {0} does not belong to Warehouse {1},Serial ada {0} bukan milik Gudang {1} +Serial No {0} does not exist,Serial ada {0} tidak ada +Serial No {0} has already been received,Serial ada {0} telah diterima +Serial No {0} is under maintenance contract upto {1},Serial ada {0} berada di bawah kontrak pemeliharaan upto {1} +Serial No {0} is under warranty upto {1},Serial ada {0} masih dalam garansi upto {1} +Serial No {0} not in stock,Serial ada {0} bukan dalam stok +Serial No {0} quantity {1} cannot be a fraction,Serial ada {0} kuantitas {1} tak bisa menjadi pecahan +Serial No {0} status must be 'Available' to Deliver,Tidak ada Status {0} Serial harus 'Tersedia' untuk Menyampaikan +Serial Nos Required for Serialized Item {0},Serial Nos Diperlukan untuk Serial Barang {0} +Serial Number Series,Serial Number Series +Serial number {0} entered more than once,Serial number {0} masuk lebih dari sekali "Serialized Item {0} cannot be updated \ - using Stock Reconciliation",Membagi Pengiriman Catatan ke dalam paket. -Series,Membaca 2 -Series List for this Transaction,Sedang -Series Updated,Izinkan Google Drive Access -Series Updated Successfully,Rekening Induk -Series is mandatory,Batched untuk Billing -Series {0} already used in {1},Dalam Kata -Service,Silahkan klik 'Menghasilkan Jadwal' untuk mendapatkan jadwal -Service Address,Status Timbal -Services,Pembayaran Diterima -Set,Pengguna pertama akan menjadi System Manager (Anda dapat mengubah nanti). -"Set Default Values like Company, Currency, Current Fiscal Year, etc.",rgt -Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,Tinggalkan Block List Izinkan -Set Status as Available,Tahun Anggaran saat ini -Set as Default,Diskon% -Set as Lost,Membuka Entri -Set prefix for numbering series on your transactions,Kewajiban saham -Set targets Item Group-wise for this Sales Person.,Layanan Pelanggan -Setting Account Type helps in selecting this Account in transactions.,Menulis Off Jumlah -Setting this Address Template as default as there is no other default,Jual Pengaturan -Setting up...,Masukkan BOM untuk Item {0} pada baris {1} -Settings,Permintaan Material Untuk Gudang -Settings for HR Module,"Standar Satuan Ukur tidak dapat diubah secara langsung karena Anda telah membuat beberapa transaksi (s) dengan UOM lain. Untuk mengubah UOM default, gunakan 'UOM Ganti Utilitas' alat di bawah modul Stock." -"Settings to extract Job Applicants from a mailbox e.g. ""jobs@example.com""",Melawan Docname -Setup,Semua Pemasok Kontak -Setup Already Complete!!,DN Detil -Setup Complete,Semua Karyawan (Active) -Setup SMS gateway settings,Permintaan dukungan dari pelanggan. -Setup Series,Pelanggan (Piutang) Rekening -Setup Wizard,Jumlah Penagihan Tahun ini: -Setup incoming server for jobs email id. (e.g. jobs@example.com),Bagan Nama -Setup incoming server for sales email id. (e.g. sales@example.com),Journal Voucher Detil ada -Setup incoming server for support email id. (e.g. support@example.com),Memperingatkan -Share,Penjualan BOM Items -Share With,Penghasilan tidak langsung -Shareholders Funds,"Tidak dapat menyaring berdasarkan Voucher Tidak, jika dikelompokkan berdasarkan Voucher" -Shipments to customers.,Dari Karyawan -Shipping,"Jika Sale BOM didefinisikan, BOM sebenarnya Pack ditampilkan sebagai tabel. Tersedia dalam Pengiriman Note dan Sales Order" -Shipping Account,Berlaku Untuk (Peran) -Shipping Address,Material Issue -Shipping Amount,Kimia -Shipping Rule,Tentukan Daftar Harga yang berlaku untuk Wilayah -Shipping Rule Condition,Items Akan Diminta -Shipping Rule Conditions,Unduh Bahan yang dibutuhkan -Shipping Rule Label,Detail Pendaftaran -Shop,Produk -Shopping Cart,"
Add / Edit " -Short biography for website and other publications.,BOM Lancar dan New BOM tidak bisa sama -"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",Rencana Produksi Pesanan Penjualan -"Show / Hide features like Serial Nos, POS etc.",Mulai -Show In Website,Dijadwalkan untuk mengirim ke {0} -Show a slideshow at the top of the page,"Perbedaan Akun harus rekening jenis 'Kewajiban', karena ini Stock Rekonsiliasi adalah sebuah entri Opening" -Show in Website,Telekomunikasi -Show this slideshow at the top of the page,Kepala akun {0} dibuat -Sick Leave,Hari Pembayaran -Signature,Kualifikasi -Signature to be appended at the end of every email,Transporter Nama -Single,Alat-alat -Single unit of an Item.,"Untuk melacak nama merek di berikut dokumen Delivery Note, Peluang, Permintaan Bahan, Barang, Purchase Order, Voucher Pembelian, Pembeli Penerimaan, Quotation, Faktur Penjualan, Penjualan BOM, Sales Order, Serial No" -Sit tight while your system is being setup. This may take a few moments.,Detail Karyawan -Slideshow,Alamat saat ini adalah -Soap & Detergent,Operasi Waktu (menit) -Software,Rate dan Jumlah -Software Developer,Mengintegrasikan email dukungan yang masuk untuk Mendukung Tiket -"Sorry, Serial Nos cannot be merged",Default global -"Sorry, companies cannot be merged",Tidak dapat merujuk nomor baris yang lebih besar dari atau sama dengan nomor baris saat ini untuk jenis Biaya ini -Source,Kirim -Source File,Pembelian Register -Source Warehouse,Membuat Debit Note -Source and target warehouse cannot be same for row {0},Filter berdasarkan pada item -Source of Funds (Liabilities),Saham UOM updatd untuk Item {0} -Source warehouse is mandatory for row {0},Gudang Nama -Spartan,Membuka Qty -"Special Characters except ""-"" and ""/"" not allowed in naming series",Waktu tersisa -Specification Details,Freeze Entries Stock -Specifications,Bantuan Cepat -"Specify a list of Territories, for which, this Price List is valid","Untuk menambahkan node anak, mengeksplorasi pohon dan klik pada node di mana Anda ingin menambahkan lebih banyak node." -"Specify a list of Territories, for which, this Shipping Rule is valid",Qty untuk Menerima -"Specify a list of Territories, for which, this Taxes Master is valid",Dari Mata -"Specify the operations, operating cost and give a unique Operation no to your operations.",Tanggal Laporan -Split Delivery Note into packages.,Item {0} tidak ada di {1} {2} -Sports,Node lebih lanjut dapat hanya dibuat di bawah tipe node 'Grup' -Standard,Karyawan {0} telah diterapkan untuk {1} antara {2} dan {3} -Standard Buying,Komisi Tingkat -Standard Reports,{0} adalah wajib untuk Item {1} -Standard Selling,Voucher Type -Standard contract terms for Sales or Purchase.,Fetch meledak BOM (termasuk sub-rakitan) -Start,Kirim Pemberitahuan Untuk -Start Date,"""Apakah ada Serial 'tidak bisa' Ya 'untuk item non-saham" -Start date of current invoice's period,Diskon Max diperbolehkan untuk item: {0} {1}% -Start date should be less than end date for Item {0},Resolusi Tanggal -State,Jenis Laporan -Statement of Account,Anda harus Simpan formulir sebelum melanjutkan -Static Parameters,Id Distribusi -Status,Jumlah Diskon -Status must be one of {0},Target Set Barang Group-bijaksana untuk Penjualan Orang ini. -Status of {0} {1} is now {2},Dimana item disimpan. -Status updated to {0},Abbr -Statutory info and other general information about your Supplier,"Tidak bisa langsung menetapkan jumlah. Untuk 'sebenarnya' jenis biaya, menggunakan kolom tingkat" -Stay Updated,Bank Draft -Stock,Pembayaran yang diterima selama periode digest -Stock Adjustment,Pembelian Faktur Muka -Stock Adjustment Account,Permintaan untuk item. -Stock Ageing,POS View -Stock Analytics,Slip Gaji karyawan {0} sudah diciptakan untuk bulan ini -Stock Assets,Batch Sisa log untuk penagihan. -Stock Balance,Purchase Order Barang + using Stock Reconciliation","Serial Barang {0} tidak dapat diperbarui \ + menggunakan Stock Rekonsiliasi" +Series,Seri +Series List for this Transaction,Daftar Series Transaksi ini +Series Updated,Seri Diperbarui +Series Updated Successfully,Seri Diperbarui Berhasil +Series is mandatory,Series adalah wajib +Series {0} already used in {1},Seri {0} sudah digunakan dalam {1} +Service,Layanan +Service Address,Layanan Alamat +Service Tax,Pelayanan Pajak +Services,Layanan +Set,Tetapkan +"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Set Nilai Default seperti Perusahaan, Mata Uang, Tahun Anggaran Current, dll" +Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,Menetapkan anggaran Group-bijaksana Barang di Wilayah ini. Anda juga bisa memasukkan musiman dengan menetapkan Distribusi. +Set Status as Available,Set Status sebagai Tersedia +Set as Default,Set sebagai Default +Set as Lost,Set as Hilang +Set prefix for numbering series on your transactions,Mengatur awalan untuk penomoran seri pada transaksi Anda +Set targets Item Group-wise for this Sales Person.,Target Set Barang Group-bijaksana untuk Penjualan Orang ini. +Setting Account Type helps in selecting this Account in transactions.,Mengatur Tipe Akun membantu dalam memilih Akun ini dalam transaksi. +Setting this Address Template as default as there is no other default,Mengatur Template Alamat ini sebagai default karena tidak ada standar lainnya +Setting up...,Menyiapkan ... +Settings,Pengaturan +Settings for HR Module,Pengaturan untuk modul HR +"Settings to extract Job Applicants from a mailbox e.g. ""jobs@example.com""","Pengaturan untuk mengekstrak Job Pelamar dari misalnya mailbox ""jobs@example.com""" +Setup,Pengaturan +Setup Already Complete!!,Pengaturan Sudah Selesai!! +Setup Complete,Pengaturan Selesai +Setup SMS gateway settings,Pengaturan gerbang Pengaturan SMS +Setup Series,Pengaturan Series +Setup Wizard,Setup Wizard +Setup incoming server for jobs email id. (e.g. jobs@example.com),Pengaturan server masuk untuk pekerjaan email id. (Misalnya jobs@example.com) +Setup incoming server for sales email id. (e.g. sales@example.com),Pengaturan server masuk untuk email penjualan id. (Misalnya sales@example.com) +Setup incoming server for support email id. (e.g. support@example.com),Pengaturan server masuk untuk email dukungan id. (Misalnya support@example.com) +Share,Bagikan +Share With,Dengan berbagi +Shareholders Funds,Pemegang Saham Dana +Shipments to customers.,Pengiriman ke pelanggan. +Shipping,Pengiriman +Shipping Account,Account Pengiriman +Shipping Address,Alamat Pengiriman +Shipping Amount,Pengiriman Jumlah +Shipping Rule,Aturan Pengiriman +Shipping Rule Condition,Aturan Pengiriman Kondisi +Shipping Rule Conditions,Aturan Pengiriman Kondisi +Shipping Rule Label,Peraturan Pengiriman Label +Shop,Toko +Shopping Cart,Daftar Belanja +Short biography for website and other publications.,Biografi singkat untuk website dan publikasi lainnya. +"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","Tampilkan ""In Stock"" atau ""Tidak di Bursa"" didasarkan pada stok yang tersedia di gudang ini." +"Show / Hide features like Serial Nos, POS etc.","Tampilkan / Sembunyikan fitur seperti Serial Nos, POS dll" +Show In Website,Tampilkan Di Website +Show a slideshow at the top of the page,Tampilkan slideshow di bagian atas halaman +Show in Website,Tampilkan Website +Show rows with zero values,Tampilkan baris dengan nilai nol +Show this slideshow at the top of the page,Tampilkan slide ini di bagian atas halaman +Sick Leave,Cuti Sakit +Signature,Tanda Tangan +Signature to be appended at the end of every email,Tanda tangan yang akan ditambahkan pada akhir setiap email +Single,Tunggal +Single unit of an Item.,Unit tunggal Item. +Sit tight while your system is being setup. This may take a few moments.,Duduk diam sementara sistem anda sedang setup. Ini mungkin memerlukan beberapa saat. +Slideshow,Rangkai Salindia +Soap & Detergent,Sabun & Deterjen +Software,Perangkat lunak +Software Developer,Software Developer +"Sorry, Serial Nos cannot be merged","Maaf, Serial Nos tidak dapat digabungkan" +"Sorry, companies cannot be merged","Maaf, perusahaan tidak dapat digabungkan" +Source,Sumber +Source File,File Sumber +Source Warehouse,Sumber Gudang +Source and target warehouse cannot be same for row {0},Sumber dan target gudang tidak bisa sama untuk baris {0} +Source of Funds (Liabilities),Sumber Dana (Kewajiban) +Source warehouse is mandatory for row {0},Sumber gudang adalah wajib untuk baris {0} +Spartan,Tabah +"Special Characters except ""-"" and ""/"" not allowed in naming series","Karakter khusus kecuali ""-"" dan ""/"" tidak diperbolehkan dalam penamaan seri" +Specification Details,Detail Spesifikasi +Specifications,Spesifikasi +"Specify a list of Territories, for which, this Price List is valid","Tentukan daftar Territories, yang, Daftar Harga ini berlaku" +"Specify a list of Territories, for which, this Shipping Rule is valid","Tentukan daftar Territories, yang, Aturan Pengiriman ini berlaku" +"Specify a list of Territories, for which, this Taxes Master is valid","Tentukan daftar Territories, yang, ini Pajak Guru berlaku" +"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." +Split Delivery Note into packages.,Membagi Pengiriman Catatan ke dalam paket. +Sports,Olahraga +Sr,Sr +Standard,Standar +Standard Buying,Standard Membeli +Standard Reports,Laporan standar +Standard Selling,Standard Jual +Standard contract terms for Sales or Purchase.,Ketentuan kontrak standar untuk Penjualan atau Pembelian. +Start,Mulai +Start Date,Tanggal Mulai +Start date of current invoice's period,Tanggal faktur periode saat ini mulai +Start date should be less than end date for Item {0},Tanggal mulai harus kurang dari tanggal akhir untuk Item {0} +State,Propinsi +Statement of Account,Pernyataan Rekening +Static Parameters,Parameter Statis +Status,Status +Status must be one of {0},Status harus menjadi salah satu {0} +Status of {0} {1} is now {2},Status {0} {1} sekarang {2} +Status updated to {0},Status diperbarui ke {0} +Statutory info and other general information about your Supplier,Info Statutory dan informasi umum lainnya tentang Pemasok Anda +Stay Updated,Tetap Diperbarui +Stock,Stock +Stock Adjustment,Penyesuaian Stock +Stock Adjustment Account,Penyesuaian Stock Akun +Stock Ageing,Stock Penuaan +Stock Analytics,Stock Analytics +Stock Assets,Aset saham +Stock Balance,Stock Balance Stock Entries already created for Production Order , -Stock Entry,Stock Masuk Detil -Stock Entry Detail,Pelanggan> Grup Pelanggan> Wilayah -Stock Expenses,Klaim Jumlah -Stock Frozen Upto,Pembaruan Series Number -Stock Ledger,Pajak dan Biaya Dikurangi (Perusahaan Mata Uang) -Stock Ledger Entry,Tabel barang tidak boleh kosong -Stock Ledger entries balances updated,Packing Slip Barang -Stock Level,Manajer -Stock Liabilities,Bantuan HTML -Stock Projected Qty,Deduksi -Stock Queue (FIFO),Pelanggan Anda -Stock Received But Not Billed,Penerimaan Pembelian ada -Stock Reconcilation Data,Key Bidang Kinerja -Stock Reconcilation Template,Tingkat komisi tidak dapat lebih besar dari 100 -Stock Reconciliation,Silahkan pilih {0} -"Stock Reconciliation can be used to update the stock on a particular date, usually as per physical inventory.",Tersedia -Stock Settings,Custom Pesan -Stock UOM,Kode Pelanggan -Stock UOM Replace Utility,Konsultan -Stock UOM updatd for Item {0},"Entri Akuntansi dapat dilakukan terhadap node daun, yang disebut" -Stock Uom,User ID tidak ditetapkan untuk Karyawan {0} -Stock Value,Apakah Anda benar-benar ingin BERHENTI Permintaan Bahan ini? -Stock Value Difference,Terhadap Dokumen Detil ada -Stock balances updated,Apakah Anda benar-benar ingin Menyerahkan semua Slip Gaji untuk bulan {0} dan tahun {1} -Stock cannot be updated against Delivery Note {0},Kontribusi (%) -Stock entries exist against warehouse {0} cannot re-assign or modify 'Master Name',C-Form ada -Stop,Laporan untuk -Stop Birthday Reminders,Dalam Kata-kata akan terlihat setelah Anda menyimpan Delivery Note. -Stop Material Request,Sistem -Stop users from making Leave Applications on following days.,Realisasi Qty Setelah Transaksi -Stop!,Memiliki Batch ada -Stopped,Pasangkan -Stopped order cannot be cancelled. Unstop to cancel.,Item {0} tidak ada -Stores,Sebagian Ditagih -Stub,Item Price -Sub Assemblies,Template untuk penilaian kinerja. -"Sub-currency. For e.g. ""Cent""",Membaca -Subcontract,Piutang -Subject,Masukkan Satuan default Ukur -Submit Salary Slip,Seri -Submit all salary slips for the above selected criteria,Pelanggan Tidak Membeli Sejak Long Time -Submit this Production Order for further processing.,Untuk membuat Rekening Bank: -Submitted,Kehadiran tidak dapat ditandai untuk tanggal di masa depan -Subsidiary,Profil Organisasi +Stock Entry,Stock Entri +Stock Entry Detail,Stock Masuk Detil +Stock Expenses,Beban saham +Stock Frozen Upto,Stock Frozen Upto +Stock Ledger,Bursa Ledger +Stock Ledger Entry,Bursa Ledger entri +Stock Ledger entries balances updated,Bursa Ledger entri saldo diperbarui +Stock Level,Tingkat Stock +Stock Liabilities,Kewajiban saham +Stock Projected Qty,Stock Proyeksi Jumlah +Stock Queue (FIFO),Stock Queue (FIFO) +Stock Received But Not Billed,Stock Diterima Tapi Tidak Ditagih +Stock Reconcilation Data,Stock rekonsiliasi data +Stock Reconcilation Template,Stock rekonsiliasi Template +Stock Reconciliation,Stock Rekonsiliasi +"Stock Reconciliation can be used to update the stock on a particular date, usually as per physical inventory.","Stock Rekonsiliasi dapat digunakan untuk memperbarui saham pada tanggal tertentu, biasanya sesuai persediaan fisik." +Stock Settings,Pengaturan saham +Stock UOM,Stock UOM +Stock UOM Replace Utility,Stock UOM Ganti Utilitas +Stock UOM updatd for Item {0},Saham UOM updatd untuk Item {0} +Stock Uom,Stock UoM +Stock Value,Nilai saham +Stock Value Difference,Nilai saham Perbedaan +Stock balances updated,Saldo saham diperbarui +Stock cannot be updated against Delivery Note {0},Stock tidak dapat diperbarui terhadap Delivery Note {0} +Stock entries exist against warehouse {0} cannot re-assign or modify 'Master Name',Entri Stock ada terhadap gudang {0} tidak dapat menetapkan kembali atau memodifikasi 'Guru Nama' +Stock transactions before {0} are frozen,Transaksi saham sebelum {0} dibekukan +Stop,Berhenti +Stop Birthday Reminders,Berhenti Ulang Tahun Pengingat +Stop Material Request,Berhenti Material Permintaan +Stop users from making Leave Applications on following days.,Menghentikan pengguna dari membuat Aplikasi Leave pada hari-hari berikutnya. +Stop!,Berhenti! +Stopped,Terhenti +Stopped order cannot be cancelled. Unstop to cancel.,Agar Berhenti tidak dapat dibatalkan. Unstop untuk membatalkan. +Stores,Toko +Stub,Puntung +Sub Assemblies,Sub Assemblies +"Sub-currency. For e.g. ""Cent""","Sub-currency. Untuk misalnya ""Cent """ +Subcontract,Kontrak tambahan +Subject,Perihal +Submit Salary Slip,Kirim Slip Gaji +Submit all salary slips for the above selected criteria,Menyerahkan semua slip gaji kriteria pilihan di atas +Submit this Production Order for further processing.,Kirim Produksi ini Order untuk diproses lebih lanjut. +Submitted,Dikirim +Subsidiary,Anak Perusahaan Successful: , -Successfully allocated,Item Reorder -Suggestions,Tinggalkan jenis {0} tidak boleh lebih dari {1} -Sunday,Keuangan / akuntansi tahun. -Supplier,Penghasilan -Supplier (Payable) Account,Perbarui -Supplier (vendor) name as entered in supplier master,Kehadiran Dari Tanggal dan Kehadiran To Date adalah wajib -Supplier > Supplier Type,Mengelola Penjualan Partners. -Supplier Account Head,Kewajiban Lancar -Supplier Address,BOM Barang -Supplier Addresses and Contacts,Keterangan -Supplier Details,Perbankan -Supplier Intro,Referensi -Supplier Invoice Date,Serial No Garansi kadaluarsa -Supplier Invoice No,Masukkan Id Karyawan pendeta penjualan ini -Supplier Name,Item penilaian diperbarui -Supplier Naming By,Beban Dipesan -Supplier Part Number,Stok saat ini -Supplier Quotation,'Update Stock' untuk Sales Invoice {0} harus diatur -Supplier Quotation Item,Kompensasi Off -Supplier Reference,Peran Diizinkan untuk mengedit saham beku -Supplier Type,% Diterima -Supplier Type / Supplier,Nomor Penerimaan Pembelian diperlukan untuk Item {0} -Supplier Type master.,ID Pemakai -Supplier Warehouse,Akun dengan transaksi yang ada tidak dapat dikonversi ke grup. -Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Periksa apakah Anda ingin mengirim Slip gaji mail ke setiap karyawan saat mengirimkan Slip gaji -Supplier database.,Buat Pelanggan -Supplier master.,Beban Hiburan -Supplier warehouse where you have issued raw materials for sub - contracting,Pohon Pusat Biaya finanial. -Supplier-Wise Sales Analytics,Aktif -Support,Masukkan Nama Guru setelah account dibuat. -Support Analtyics,Serial ada {0} bukan milik Gudang {1} -Support Analytics,Inventarisasi & Dukungan -Support Email,Faktur Penjualan Barang -Support Email Settings,siska_chute34@yahoo.com -Support Password,Hutang Grup -Support Ticket,Pelanggan diwajibkan -Support queries from customers.,Kesempatan -Symbol,Weekly Off -Sync Support Mails,Laba Kotor -Sync with Dropbox,"Membeli harus diperiksa, jika Berlaku Untuk dipilih sebagai {0}" -Sync with Google Drive,Anda mungkin perlu memperbarui: {0} -System,Distribusi anggaran -System Settings,Buka -"System User (login) ID. If set, it will become default for all HR forms.",Barang Dikemas -Target Amount,Dari dan Untuk tanggal yang Anda inginkan -Target Detail,Tanggal Kontrak Akhir harus lebih besar dari Tanggal Bergabung -Target Details,Terhadap Akun Penghasilan -Target Details1,Permintaan pembelian. -Target Distribution,Pada Bersih Jumlah -Target On,Direncanakan Kuantitas -Target Qty,Seri Diperbarui Berhasil -Target Warehouse,Berhenti -Target warehouse in row {0} must be same as Production Order,Akun {0} telah dimasukkan lebih dari sekali untuk tahun fiskal {1} -Target warehouse is mandatory for row {0},Peringatan: Material Diminta Qty kurang dari Minimum Order Qty -Task,"Penggabungan hanya mungkin jika sifat berikut sama di kedua catatan. Grup atau Ledger, Akar Type, Perusahaan" -Task Details,Salin Dari Barang Grup -Tasks,Berdasarkan Jaminan -Tax,Tarif Pajak -Tax Amount After Discount Amount,Hutang -Tax Assets,Penyusutan -Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,Pratinjau -Tax Rate,Industri melawan Sales Order -Tax and other salary deductions.,Membuat Purchase Invoice +Successfully Reconciled,Berhasil Berdamai +Suggestions,Saran +Sunday,Minggu +Supplier,Pemasok +Supplier (Payable) Account,Pemasok (Hutang) Rekening +Supplier (vendor) name as entered in supplier master,Pemasok (vendor) nama sebagai dimasukkan dalam pemasok utama +Supplier > Supplier Type,Pemasok> Pemasok Type +Supplier Account Head,Pemasok Akun Kepala +Supplier Address,Pemasok Alamat +Supplier Addresses and Contacts,Pemasok Alamat dan Kontak +Supplier Details,Pemasok Rincian +Supplier Intro,Pemasok Intro +Supplier Invoice Date,Pemasok Faktur Tanggal +Supplier Invoice No,Pemasok Faktur ada +Supplier Name,Pemasok Nama +Supplier Naming By,Pemasok Penamaan Dengan +Supplier Part Number,Pemasok Part Number +Supplier Quotation,Pemasok Quotation +Supplier Quotation Item,Pemasok Barang Quotation +Supplier Reference,Pemasok Referensi +Supplier Type,Pemasok Type +Supplier Type / Supplier,Pemasok Type / Pemasok +Supplier Type master.,Pemasok Type induk. +Supplier Warehouse,Pemasok Gudang +Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Pemasok Gudang wajib untuk Pembelian Penerimaan sub-kontrak +Supplier database.,Database Supplier. +Supplier master.,Pemasok utama. +Supplier warehouse where you have issued raw materials for sub - contracting,Pemasok gudang di mana Anda telah mengeluarkan bahan baku untuk sub - kontraktor +Supplier-Wise Sales Analytics,Pemasok-Wise Penjualan Analytics +Support,Mendukung +Support Analtyics,Dukungan Analtyics +Support Analytics,Dukungan Analytics +Support Email,Dukungan Email +Support Email Settings,Dukungan Pengaturan Email +Support Password,Dukungan Sandi +Support Ticket,Dukungan Tiket +Support queries from customers.,Permintaan dukungan dari pelanggan. +Symbol,simbol +Sync Support Mails,Sync Dukungan Email +Sync with Dropbox,Sinkron dengan Dropbox +Sync with Google Drive,Sinkronisasi dengan Google Drive +System,Sistem +System Settings,Pengaturan Sistem +"System User (login) ID. If set, it will become default for all HR forms.","Pengguna Sistem (login) ID. Jika diset, itu akan menjadi default untuk semua bentuk HR." +TDS (Advertisement),TDS (Iklan) +TDS (Commission),TDS (Komisi) +TDS (Contractor),TDS (Kontraktor) +TDS (Interest),TDS (Interest) +TDS (Rent),TDS (Rent) +TDS (Salary),TDS (Gaji) +Target Amount,Target Jumlah +Target Detail,Sasaran Detil +Target Details,Sasaran Detail +Target Details1,Sasaran Details1 +Target Distribution,Target Distribusi +Target On,Sasaran On +Target Qty,Sasaran Qty +Target Warehouse,Target Gudang +Target warehouse in row {0} must be same as Production Order,Target gudang di baris {0} harus sama dengan Orde Produksi +Target warehouse is mandatory for row {0},Target gudang adalah wajib untuk baris {0} +Task,Tugas +Task Details,Rincian Tugas +Tasks,Tugas +Tax,PPN +Tax Amount After Discount Amount,Jumlah pajak Setelah Diskon Jumlah +Tax Assets,Aset pajak +Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,Pajak Kategori tidak bisa 'Penilaian' atau 'Penilaian dan Total' karena semua item item non-saham +Tax Rate,Tarif Pajak +Tax and other salary deductions.,Pajak dan pemotongan gaji lainnya. "Tax detail table fetched from item master as a string and stored in this field. -Used for Taxes and Charges",Template pajak untuk membeli transaksi. -Tax template for buying transactions.,Kode -Tax template for selling transactions.,Ramah -Taxable,Diminta Qty -Taxes and Charges,Setiap orang dapat membaca -Taxes and Charges Added,Beban Penjualan -Taxes and Charges Added (Company Currency),Detail Term -Taxes and Charges Calculation,Stock -Taxes and Charges Deducted,Diperlukan hanya untuk item sampel. -Taxes and Charges Deducted (Company Currency),Dari Pelanggan Issue -Taxes and Charges Total,Beban Telepon -Taxes and Charges Total (Company Currency),Internal -Technology,Item Grup Pohon -Telecommunications,Anda adalah Leave Approver untuk catatan ini. Silakan Update 'Status' dan Simpan -Telephone Expenses,Pendidikan Karyawan -Television,"Jika beberapa Aturan Harga terus menang, pengguna akan diminta untuk mengatur Prioritas manual untuk menyelesaikan konflik." -Template,Membuka untuk Job. -Template for performance appraisals.,Semua Kontak Pelanggan -Template of terms or contract.,Chart of Account -Temporary Accounts (Assets),Nilai -Temporary Accounts (Liabilities),Jika Anda memiliki Tim Penjualan dan Penjualan Mitra (Mitra Channel) mereka dapat ditandai dan mempertahankan kontribusi mereka dalam aktivitas penjualan -Temporary Assets,Moving Average -Temporary Liabilities,Berat bersih paket ini. (Dihitung secara otomatis sebagai jumlah berat bersih item) -Term Details,Pilih nama perusahaan yang bersangkutan jika Anda memiliki beberapa perusahaan -Terms,Pengendalian Otorisasi -Terms and Conditions,Pembukaan (Cr) -Terms and Conditions Content,Tidak diijinkan -Terms and Conditions Details,Produk atau Jasa -Terms and Conditions Template,Ditolak -Terms and Conditions1,Membuat Sales Order -Terretory,Pajak dan Biaya Jumlah (Perusahaan Mata Uang) -Territory,Faktor konversi diperlukan -Territory / Customer,Barcode valid atau Serial No -Territory Manager,Project Costing -Territory Name,Contact Info -Territory Target Variance Item Group-Wise,Diminta -Territory Targets,Dukungan Email -Test,Pengaturan Mata Uang -Test Email Id,Pencarian eksekutif -Test the Newsletter,Rincian Kehadiran -The BOM which will be replaced,Layanan -The First User: You,Izinkan Pesanan Produksi -"The Item that represents the Package. This Item must have ""Is Stock Item"" as ""No"" and ""Is Sales Item"" as ""Yes""",Pemeliharaan Visit Tujuan -The Organization,Tidak ada item untuk berkemas -"The account head under Liability, in which Profit/Loss will be booked",Dalam Qty +Used for Taxes and Charges","Tabel rinci Pajak diambil dari master barang sebagai string dan disimpan dalam bidang ini. + Digunakan untuk Pajak dan Biaya" +Tax template for buying transactions.,Template pajak untuk membeli transaksi. +Tax template for selling transactions.,Template Pajak menjual transaksi. +Taxable,Kena PPN +Taxes,PPN +Taxes and Charges,Pajak dan Biaya +Taxes and Charges Added,Pajak dan Biaya Ditambahkan +Taxes and Charges Added (Company Currency),Pajak dan Biaya Ditambahkan (Perusahaan Mata Uang) +Taxes and Charges Calculation,Pajak dan Biaya Perhitungan +Taxes and Charges Deducted,Pajak dan Biaya Dikurangi +Taxes and Charges Deducted (Company Currency),Pajak dan Biaya Dikurangi (Perusahaan Mata Uang) +Taxes and Charges Total,Pajak dan Biaya Jumlah +Taxes and Charges Total (Company Currency),Pajak dan Biaya Jumlah (Perusahaan Mata Uang) +Technology,Teknologi +Telecommunications,Telekomunikasi +Telephone Expenses,Beban Telepon +Television,Televisi +Template,Contoh +Template for performance appraisals.,Template untuk penilaian kinerja. +Template of terms or contract.,Template istilah atau kontrak. +Temporary Accounts (Assets),Akun Sementara (Aset) +Temporary Accounts (Liabilities),Akun Sementara (Kewajiban) +Temporary Assets,Aset Temporary +Temporary Liabilities,Kewajiban Sementara +Term Details,Rincian Term +Terms,Istilah +Terms and Conditions,Syarat dan Ketentuan +Terms and Conditions Content,Syarat dan Ketentuan Konten +Terms and Conditions Details,Syarat dan Ketentuan Detail +Terms and Conditions Template,Syarat dan Ketentuan Template +Terms and Conditions1,Syarat dan Conditions1 +Terretory,Terretory +Territory,Wilayah +Territory / Customer,Wilayah / Pelanggan +Territory Manager,Territory Manager +Territory Name,Wilayah Nama +Territory Target Variance Item Group-Wise,Wilayah Sasaran Variance Barang Group-Wise +Territory Targets,Target Wilayah +Test,tes +Test Email Id,Uji Email Id +Test the Newsletter,Uji Newsletter +The BOM which will be replaced,BOM yang akan diganti +The First User: You,Pengguna Pertama: Anda +"The Item that represents the Package. This Item must have ""Is Stock Item"" as ""No"" and ""Is Sales Item"" as ""Yes""","Item yang mewakili Paket tersebut. Barang ini harus ""Apakah Stock Item"" sebagai ""Tidak"" dan ""Apakah Penjualan Item"" sebagai ""Ya""" +The Organization,Organisasi +"The account head under Liability, in which Profit/Loss will be booked","Account kepala di bawah Kewajiban, di mana Laba / Rugi akan dipesan" "The date on which next invoice will be generated. It is generated on submit. -",Seri {0} sudah digunakan dalam {1} -The date on which recurring invoice will be stop,Kode PIN +","Tanggal dimana faktur berikutnya akan dihasilkan. Hal ini dihasilkan di submit. +" +The date on which recurring invoice will be stop,Tanggal dimana berulang faktur akan berhenti "The day of the month on which auto invoice will be generated e.g. 05, 28 etc ", -The day(s) on which you are applying for leave are holiday. You need not apply for leave.,Izin Bank Summary -The first Leave Approver in the list will be set as the default Leave Approver,Root tidak dapat diedit. -The first user will become the System Manager (you can change that later).,Tingkat di mana mata uang pelanggan dikonversi ke mata uang dasar perusahaan -The gross weight of the package. Usually net weight + packaging material weight. (for print),Stock rekonsiliasi Template -The name of your company for which you are setting up this system.,Jika Anda terlibat dalam aktivitas manufaktur. Memungkinkan Barang 'Apakah Diproduksi' -The net weight of this package. (calculated automatically as sum of net weight of items),Kehadiran -The new BOM after replacement,Koma daftar alamat email dipisahkan -The rate at which Bill Currency is converted into company's base currency,Tinggi -The unique id for tracking all recurring invoices. It is generated on submit.,Email Pribadi -"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.",Pecahan -There are more holidays than working days this month.,Tanggal Pembuatan -"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",Item {0} tidak ditemukan -There is not enough leave balance for Leave Type {0},Baru Nama Biaya Pusat -There is nothing to edit.,Purchase Order Tanggal -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.,Catatan instalasi untuk No Serial -There were errors.,"Penunjukan Karyawan (misalnya CEO, Direktur dll)." -This Currency is disabled. Enable to use in transactions,Uang Muka Pembelian Faktur -This Leave Application is pending approval. Only the Leave Apporver can update status.,Terhenti -This Time Log Batch has been billed.,Jelas Table -This Time Log Batch has been cancelled.,Periksa bagaimana newsletter terlihat dalam email dengan mengirimkannya ke email Anda. -This Time Log conflicts with {0},Masukkan perusahaan pertama -This format is used if country specific format is not found,"Ketika disampaikan, sistem menciptakan entri perbedaan untuk mengatur saham yang diberikan dan penilaian pada tanggal ini." -This is a root account and cannot be edited.,Percetakan dan Branding -This is a root customer group and cannot be edited.,Serial ada {0} bukan milik Pengiriman Note {1} -This is a root item group and cannot be edited.,Dapatkan Terhadap Entri -This is a root sales person and cannot be edited.,Berat Kotor UOM -This is a root territory and cannot be edited.,Tren Penerimaan Pembelian -This is an example website auto-generated from ERPNext,Max Diskon (%) -This is the number of the last created transaction with this prefix,Izinkan Bursa Negatif -This will be used for setting rule in HR module,Peringatan: Sistem tidak akan memeriksa overbilling karena jumlahnya untuk Item {0} pada {1} adalah nol -Thread HTML,Harap kirimkan untuk memperbarui Leave Balance. -Thursday,Silahkan pilih Grup atau Ledger nilai -Time Log,{0} harus memiliki peran 'Leave Approver' -Time Log Batch,Terhadap Sales Order -Time Log Batch Detail,Ini adalah jumlah transaksi yang diciptakan terakhir dengan awalan ini -Time Log Batch Details,Pilih kepala rekening bank mana cek diendapkan. -Time Log Batch {0} must be 'Submitted',Daftar Belanja -Time Log for tasks.,Pembelian Faktur Trends -Time Log {0} must be 'Submitted',"Tidak dapat menghapus Serial ada {0} di saham. Pertama menghapus dari saham, kemudian hapus." -Time Zone,Pengiriman Untuk -Time Zones,Induk Barang {0} harus tidak Stock Barang dan harus Item Penjualan -Time and Budget,Alamat Judul -Time at which items were delivered from warehouse,Dibesarkan Oleh (Email) -Time at which materials were received,Gross Bayar -Title,Scrap% -Titles for print templates e.g. Proforma Invoice.,Individu -To,Pencairan Tanggal -To Currency,Target Wilayah -To Date,Membuat Purchase Order -To Date should be same as From Date for Half Day leave,Akan diperbarui setelah Faktur Penjualan yang Dikirim. -To Discuss,"Tampilkan / Sembunyikan fitur seperti Serial Nos, POS dll" -To Do List,Magang -To Package No.,Mengelola Penjualan Orang Pohon. -To Produce,Biaya Pusat {0} bukan milik Perusahaan {1} -To Time,Kirim Dari -To Value,Journal Voucher -To Warehouse,Serial ada {0} bukan milik Barang {1} -"To add child nodes, explore tree and click on the node under which you want to add more nodes.",Qty per Saham UOM -"To assign this issue, use the ""Assign"" button in the sidebar.",Pengurangan -To create a Bank Account:,Tipe Karyawan -To create a Tax Account:,Kuantitas yang dibutuhkan untuk Item {0} berturut-turut {1} -"To create an Account Head under a different company, select the company and save customer.",Masukkan parameter url untuk pesan -To date cannot be before from date,Real Estate -To enable Point of Sale features,Tinggalkan yang menyetujui -To enable Point of Sale view,Margin -To get Item Group in details table,Tanggal faktur periode saat ini mulai -"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",Dapatkan Weekly Off Tanggal -"To merge, following properties must be same for both items",Tidak dapat mengubah Tahun Anggaran Tanggal Mulai dan Tanggal Akhir Tahun Anggaran setelah Tahun Anggaran disimpan. -"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.",Satuan Ukur -"To set this Fiscal Year as Default, click on 'Set as Default'",Barcode {0} sudah digunakan dalam Butir {1} -To track any installation or commissioning related work after sales,Realisasi Tanggal -"To track brand name in the following documents Delivery Note, Opportunity, Material Request, Item, Purchase Order, Purchase Voucher, Purchaser Receipt, Quotation, Sales Invoice, Sales BOM, Sales Order, Serial No",Batch-Wise Balance Sejarah -To track item in sales and purchase documents based on their serial nos. This is can also used to track warranty details of the product.,Pengiriman ke pelanggan. -To track items in sales and purchase documents with batch nos
Preferred Industry: Chemicals etc,Kelas / Persentase -To track items using barcode. You will be able to enter items in Delivery Note and Sales Invoice by scanning barcode of item.,Catatan karyawan. -Tools,Apakah Sub Kontrak Barang -Total,Tambahkan baris untuk mengatur anggaran tahunan Accounts. -Total Advance,Recd Kuantitas -Total Allocated Amount,Earning1 -Total Allocated Amount can not be greater than unmatched amount,Neraca -Total Amount,Diharapkan Tanggal Akhir -Total Amount To Pay,Tingkat yang masuk -Total Amount in Words,Timbal Owner +The day(s) on which you are applying for leave are holiday. You need not apply for leave.,Hari (s) yang Anda lamar untuk cuti adalah liburan. Anda tidak perlu mengajukan cuti. +The first Leave Approver in the list will be set as the default Leave Approver,The Approver Cuti pertama dalam daftar akan ditetapkan sebagai default Tinggalkan Approver +The first user will become the System Manager (you can change that later).,Pengguna pertama akan menjadi System Manager (Anda dapat mengubah nanti). +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) +The name of your company for which you are setting up this system.,Nama perusahaan Anda yang Anda sedang mengatur sistem ini. +The net weight of this package. (calculated automatically as sum of net weight of items),Berat bersih package ini. (Dihitung secara otomatis sebagai jumlah berat bersih item) +The new BOM after replacement,The BOM baru setelah penggantian +The rate at which Bill Currency is converted into company's base currency,Tingkat di mana Bill Currency diubah menjadi mata uang dasar perusahaan +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. +"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Kemudian Pricing Aturan disaring berdasarkan Pelanggan, Kelompok Pelanggan, Wilayah, Supplier, Supplier Type, Kampanye, Penjualan Mitra dll" +There are more holidays than working days this month.,Ada lebih dari hari kerja libur bulan ini. +"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Hanya ada satu Peraturan Pengiriman Kondisi dengan nilai kosong atau 0 untuk ""To Nilai""" +There is not enough leave balance for Leave Type {0},Tidak ada saldo cuti cukup bagi Leave Type {0} +There is nothing to edit.,Tidak ada yang mengedit. +There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,Ada kesalahan. Salah satu alasan yang mungkin bisa jadi Anda belum menyimpan formulir. Silahkan hubungi support@erpnext.com jika masalah terus berlanjut. +There were errors.,Ada kesalahan. +This Currency is disabled. Enable to use in transactions,Mata uang ini dinonaktifkan. Aktifkan untuk digunakan dalam transaksi +This Leave Application is pending approval. Only the Leave Apporver can update status.,Aplikasi Cuti ini menunggu persetujuan. Hanya Tinggalkan Apporver dapat memperbarui status. +This Time Log Batch has been billed.,Batch Waktu Log ini telah ditagih. +This Time Log Batch has been cancelled.,Batch Waktu Log ini telah dibatalkan. +This Time Log conflicts with {0},Ini Waktu Log bertentangan dengan {0} +This format is used if country specific format is not found,Format ini digunakan jika format khusus negara tidak ditemukan +This is a root account and cannot be edited.,Ini adalah account root dan tidak dapat diedit. +This is a root customer group and cannot be edited.,Ini adalah kelompok pelanggan akar dan tidak dapat diedit. +This is a root item group and cannot be edited.,Ini adalah kelompok barang akar dan tidak dapat diedit. +This is a root sales person and cannot be edited.,Ini adalah orang penjualan akar dan tidak dapat diedit. +This is a root territory and cannot be edited.,Ini adalah wilayah akar dan tidak dapat diedit. +This is an example website auto-generated from ERPNext,Ini adalah situs contoh auto-dihasilkan dari ERPNext +This is the number of the last created transaction with this prefix,Ini adalah jumlah transaksi yang diciptakan terakhir dengan awalan ini +This will be used for setting rule in HR module,Ini akan digunakan untuk menetapkan aturan dalam modul HR +Thread HTML,Thread HTML +Thursday,Kamis +Time Log,Waktu Log +Time Log Batch,Waktu Log Batch +Time Log Batch Detail,Waktu Log Batch Detil +Time Log Batch Details,Waktu Log Detail Batch +Time Log Batch {0} must be 'Submitted',Waktu Log Batch {0} harus 'Dikirim' +Time Log Status must be Submitted.,Waktu Log Status harus Dikirim. +Time Log for tasks.,Waktu Log untuk tugas-tugas. +Time Log is not billable,Waktu Log tidak dapat ditagih +Time Log {0} must be 'Submitted',Waktu Log {0} harus 'Dikirim' +Time Zone,"Zona Waktu: GMT +2; CET +1, dan EST (AS-Timur) +7" +Time Zones,Zona Waktu +Time and Budget,Waktu dan Anggaran +Time at which items were delivered from warehouse,Waktu di mana barang dikirim dari gudang +Time at which materials were received,Waktu di mana bahan yang diterima +Title,Judul +Titles for print templates e.g. Proforma Invoice.,Judul untuk mencetak template misalnya Proforma Invoice. +To,untuk +To Currency,Untuk Mata +To Date,Untuk Tanggal +To Date should be same as From Date for Half Day leave,Untuk tanggal harus sama dengan Dari Tanggal untuk cuti Half Day +To Date should be within the Fiscal Year. Assuming To Date = {0},Untuk tanggal harus dalam Tahun Anggaran. Dengan asumsi To Date = {0} +To Discuss,Untuk Diskusikan +To Do List,To Do List +To Package No.,Untuk Paket No +To Produce,Untuk Menghasilkan +To Time,Untuk Waktu +To Value,Untuk Menghargai +To Warehouse,Untuk Gudang +"To add child nodes, explore tree and click on the node under which you want to add more nodes.","Untuk menambahkan node anak, mengeksplorasi pohon dan klik pada node di mana Anda ingin menambahkan lebih banyak node." +"To assign this issue, use the ""Assign"" button in the sidebar.","Untuk menetapkan masalah ini, gunakan ""Assign"" tombol di sidebar." +To create a Bank Account,Untuk membuat Rekening Bank +To create a Tax Account,Untuk membuat Akun Pajak +"To create an Account Head under a different company, select the company and save customer.","Untuk membuat Kepala Akun bawah perusahaan yang berbeda, pilih perusahaan dan menyimpan pelanggan." +To date cannot be before from date,Sampai saat ini tidak dapat sebelumnya dari tanggal +To enable Point of Sale features,Untuk mengaktifkan Point of Sale fitur +To enable Point of Sale view,Untuk mengaktifkan Point of Sale Tampilan +To get Item Group in details table,Untuk mendapatkan Barang Group di tabel rincian +"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 Barang, pajak dalam baris {1} juga harus disertakan" +"To merge, following properties must be same for both items","Untuk bergabung, sifat berikut harus sama untuk kedua item" +"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." +"To set this Fiscal Year as Default, click on 'Set as Default'","Untuk mengatur Tahun Anggaran ini sebagai Default, klik 'Set as Default'" +To track any installation or commissioning related work after sales,Untuk melacak instalasi atau commissioning kerja terkait setelah penjualan +"To track brand name in the following documents Delivery Note, Opportunity, Material Request, Item, Purchase Order, Purchase Voucher, Purchaser Receipt, Quotation, Sales Invoice, Sales BOM, Sales Order, Serial No","Untuk melacak nama merek di berikut dokumen Delivery Note, Opportunity, Permintaan Bahan, Barang, Purchase Order, Voucher Pembelian, Pembeli Penerimaan, Quotation, Faktur Penjualan, Penjualan BOM, Sales Order, Serial No" +To track item in sales and purchase documents based on their serial nos. This is can also used to track warranty details of the product.,Untuk melacak item dalam penjualan dan dokumen pembelian berdasarkan nos serial mereka. Hal ini juga dapat digunakan untuk melacak rincian garansi produk. +To track items in sales and purchase documents with batch nos
Preferred Industry: Chemicals etc,Untuk melacak barang dalam penjualan dan pembelian dokumen dengan bets nos
Preferred Industri: Kimia etc +To track items using barcode. You will be able to enter items in Delivery Note and Sales Invoice by scanning barcode of item.,Untuk melacak item menggunakan barcode. Anda akan dapat memasukkan item dalam Pengiriman Note dan Faktur Penjualan dengan memindai barcode barang. +Too many columns. Export the report and print it using a spreadsheet application.,Terlalu banyak kolom. Mengekspor laporan dan mencetaknya menggunakan aplikasi spreadsheet. +Tools,Alat-alat +Total,Total +Total ({0}),Jumlah ({0}) +Total Advance,Jumlah Uang Muka +Total Amount,Jumlah Total +Total Amount To Pay,Jumlah Total Untuk Bayar +Total Amount in Words,Jumlah Total Kata Total Billing This Year: , -Total Characters,Dari Waktu -Total Claimed Amount,Disesuaikan -Total Commission,SMS Log -Total Cost,Detail Lebih -Total Credit,Pekerjaan yg dibayar menurut hasil yg dikerjakan -Total Debit,Sebuah Pelanggan ada dengan nama yang sama -Total Debit must be equal to Total Credit. The difference is {0},Ganti Barang / BOM di semua BOMs -Total Deduction,Breakup rinci dari total -Total Earning,Pembayaran untuk Faktur Matching Alat Detil -Total Experience,Alasan Meninggalkan -Total Hours,"Hanya Serial Nos status ""Available"" dapat disampaikan." -Total Hours (Expected),Pengaturan POS {0} sudah diciptakan untuk pengguna: {1} dan perusahaan {2} -Total Invoiced Amount,barcode -Total Leave Days,1.5. Untuk menjaga pelanggan bijaksana kode barang dan membuat mereka dicari berdasarkan penggunaan kode mereka pilihan ini -Total Leaves Allocated,Akan dihitung secara otomatis ketika Anda memasukkan rincian -Total Message(s),Penelitian & Pengembangan -Total Operating Cost,`Freeze Saham Lama Dari` harus lebih kecil dari% d hari. -Total Points,Akun anak ada untuk akun ini. Anda tidak dapat menghapus akun ini. -Total Raw Material Cost,Panggilan -Total Sanctioned Amount,Pilih DocType -Total Score (Out of 5),Barang Gambar (jika tidak slideshow) -Total Tax (Company Currency),Jenis Laporan adalah wajib -Total Taxes and Charges,Jumlah Karyawan -Total Taxes and Charges (Company Currency),Rendah -Total Working Days In The Month,Uang Earnest -Total allocated percentage for sales team should be 100,Item Situs Spesifikasi -Total amount of invoices received from suppliers during the digest period,Membuat Pengiriman -Total amount of invoices sent to the customer during the digest period,Tahun Anggaran Tanggal Mulai tidak boleh lebih besar dari Fiscal Year End Tanggal -Total cannot be zero,Penerbitan Internet -Total in words,Sinkron dengan Dropbox -Total points for all goals should be 100. It is {0},Tanggal Issue -Total valuation for manufactured or repacked item(s) can not be less than total valuation of raw materials,Masukkan Beban Akun -Total weightage assigned should be 100%. It is {0},Pengguna {0} sudah ditugaskan untuk Karyawan {1} -Totals,Pengurangan Type -Track Leads by Industry Type.,Penghasilan rendah -Track this Delivery Note against any Project,Gaji Bulanan Daftar -Track this Sales Order against any Project,Pos -Transaction,Kredit dan Uang Muka (Aset) -Transaction Date,Pemasok Faktur Tanggal -Transaction not allowed against stopped Production Order {0},Kirim Produksi ini Order untuk diproses lebih lanjut. -Transfer,Pesanan dirilis untuk produksi. -Transfer Material,Nilai saham Perbedaan -Transfer Raw Materials,Klik link untuk mendapatkan opsi untuk memperluas pilihan get -Transferred Qty,Buat New -Transportation,Default Item Grup -Transporter Info,Teknologi -Transporter Name,{0} {1}: Biaya Pusat adalah wajib untuk Item {2} -Transporter lorry number,Beban saham -Travel,Diharapkan -Travel Expenses,Propinsi -Tree Type,Alamat & Kontak -Tree of Item Groups.,Template Pajak menjual transaksi. -Tree of finanial Cost Centers.,Barang Wise Detil Pajak -Tree of finanial accounts.,Unit tunggal Item. -Trial Balance,Penutup Nilai -Tuesday,Pesanan Type -Type,Menjaga Tingkat Sama Sepanjang Siklus Penjualan -Type of document to rename.,"Perusahaan Email ID tidak ditemukan, maka surat tidak terkirim" -"Type of leaves like casual, sick etc.",Alamat Kontak -Types of Expense Claim.,Nama dari orang atau organisasi yang alamat ini milik. -Types of activities for Time Sheets,Pagu Awal -"Types of employment (permanent, contract, intern etc.).",Kantor -UOM Conversion Detail,Saran -UOM Conversion Details,Telepon yang -UOM Conversion Factor,Akun {0} beku -UOM Conversion factor is required in row {0},Mengatur Template Alamat ini sebagai default karena tidak ada standar lainnya -UOM Name,Item Situs Spesifikasi -UOM coversion factor required for UOM: {0} in Item: {1},Nama Pengguna atau Dukungan Sandi hilang. Silakan masuk dan coba lagi. -Under AMC,Journal Voucher {0} yang un-linked -Under Graduate,Organisasi -Under Warranty,Nama Lengkap -Unit,"Jika Akun ini merupakan Pelanggan, Pemasok atau Karyawan, mengaturnya di sini." -Unit of Measure,1 Currency = [?] Fraksi \ nUntuk misalnya 1 USD = 100 Cent -Unit of Measure {0} has been entered more than once in Conversion Factor Table,Selesai Qty -"Unit of measurement of this item (e.g. Kg, Unit, No, Pair).",Pajak dan Biaya Dikurangi -Units/Hour,Login dengan User ID baru Anda -Units/Shifts,Rincian Tugas -Unmatched Amount,Akun Kepala -Unpaid,Pasang Gambar -Unscheduled,"Pilih ""Ya"" jika Anda memasok bahan baku ke pemasok Anda untuk memproduksi item ini." -Unsecured Loans,Referensi ada & Referensi Tanggal diperlukan untuk {0} -Unstop,Biaya Bahan Baku Disediakan -Unstop Material Request,Melawan Journal Voucher -Unstop Purchase Order,Data Pribadi -Unsubscribed,Email Digest -Update,Backup akan di-upload ke -Update Clearance Date,Pengaturan gerbang Pengaturan SMS -Update Cost,Waktu Log untuk tugas-tugas. -Update Finished Goods,Quotation Kehilangan Alasan -Update Landed Cost,Karyawan lega pada {0} harus ditetapkan sebagai 'Kiri' -Update Series,Perusahaan hilang di gudang {0} -Update Series Number,{0} anggaran untuk Akun {1} terhadap Biaya Pusat {2} akan melebihi oleh {3} -Update Stock,Master Karyawan. -"Update allocated amount in the above table and then click ""Allocate"" button",Wilayah yang berlaku -Update bank payment dates with journals.,Bahan Baku Item Code -Update clearance date of Journal Entries marked as 'Bank Vouchers',Bagan Pusat Biaya -Updated,Silahkan menulis sesuatu -Updated Birthday Reminders,Rekaman Karyawan yang akan dibuat oleh -Upload Attendance,Catatan: Biaya Pusat ini adalah Group. Tidak bisa membuat entri akuntansi terhadap kelompok-kelompok. -Upload Backups to Dropbox,"Jenis daun seperti kasual, dll sakit" -Upload Backups to Google Drive,Tingkat Penilaian -Upload HTML,Out of Garansi -Upload a .csv file with two columns: the old name and the new name. Max 500 rows.,Sales Order Pesan -Upload attendance from a .csv file,Gudang. -Upload stock balance via csv.,Software Developer -Upload your letter head and logo - you can edit them later.,Ada kesalahan. Salah satu alasan yang mungkin bisa jadi Anda belum menyimpan formulir. Silahkan hubungi support@erpnext.com jika masalah terus berlanjut. -Upper Income,Jumlah dan Tingkat -Urgent,Silakan pilih Akun pertama -Use Multi-Level BOM,Biaya Perjalanan -Use SSL,Pendidikan -User,Add to Cart -User ID,Kutipan Baru -User ID not set for Employee {0},Status Penyelesaian -User Name,Sebuah simbol untuk mata uang ini. Untuk misalnya $ -User Name or Support Password missing. Please enter and try again.,Anda dapat memulai dengan memilih frekuensi backup dan memberikan akses untuk sinkronisasi -User Remark,Pemasok Gudang wajib untuk Pembelian Penerimaan sub-kontrak -User Remark will be added to Auto Remark,"Tidak dapat mendeklarasikan sebagai hilang, karena Quotation telah dibuat." -User Remarks is mandatory,Cetak Tanpa Jumlah -User Specific,Master pelanggan. -User must always select,Biaya Pusat diperlukan untuk akun 'Laba Rugi' {0} -User {0} is already assigned to Employee {1},Saldo Rekening {0} harus selalu {1} -User {0} is disabled,Membaca 8 -Username,Jasa Keuangan -Users with this role are allowed to create / modify accounting entry before frozen date,Pilih Karyawan untuk siapa Anda menciptakan Appraisal. -Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Ini Waktu Log bertentangan dengan {0} -Utilities,Uang Muka -Utility Expenses,(Half Day) -Valid For Territories,Sasaran Details1 -Valid From,Voucher Kartu Kredit -Valid Upto,Angkat Permintaan Bahan ketika saham mencapai tingkat re-order -Valid for Territories,Item {0} sudah dimasukkan beberapa kali dengan deskripsi atau tanggal atau gudang yang sama -Validate,Eceran -Valuation,Nomor Purchase Order yang diperlukan untuk Item {0} -Valuation Method,Bank / Cash Balance -Valuation Rate,Masukkan nama kampanye jika sumber timbal adalah kampanye. -Valuation Rate required for Item {0},Hasilkan Deskripsi HTML -Valuation and Total,Buat Maint. Jadwal -Value,Total Pesan (s) -Value or Qty,Bursa Ledger -Vehicle Dispatch Date,Penerimaan Pembelian Diperlukan -Vehicle No,Gunakan Multi-Level BOM -Venture Capital,Jumlah muka -Verified By,Diperlukan Oleh -View Ledger,Tidak Diatur -View Now,Detail Perusahaan -Visit report for maintenance call.,Batal Kunjungan Material {0} sebelum membatalkan ini Maintenance Visit -Voucher #,Saldo saham diperbarui -Voucher Detail No,Lihat Sekarang -Voucher ID,Bill of Material (BOM) -Voucher No,Perkiraan Biaya Material -Voucher No is not valid,Silahkan lakukan validasi Email Id -Voucher Type,Singkatan tidak dapat memiliki lebih dari 5 karakter -Voucher Type and Date,Item yang akan diproduksi atau dikemas ulang -Walk In,Upload Backup ke Dropbox -Warehouse,Pameran -Warehouse Contact Info,Menyediakan email id yang terdaftar di perusahaan -Warehouse Detail,Rincian Account -Warehouse Name,Sumber Daya Manusia -Warehouse and Reference,Untuk Waktu -Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Pemasok -Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Pelanggan yang sudah ada -Warehouse cannot be changed for Serial No.,Purchase Order {0} tidak disampaikan -Warehouse is mandatory for stock Item {0} in row {1},Pengaturan Sistem -Warehouse is missing in Purchase Order,Zona Waktu -Warehouse not found in the system,Memberitahu melalui Email pada penciptaan Permintaan Bahan otomatis -Warehouse required for stock Item {0},Gudang Info Kontak -Warehouse where you are maintaining stock of rejected items,Cabang -Warehouse {0} can not be deleted as quantity exists for Item {1},Kotak -Warehouse {0} does not belong to company {1},Receiver Parameter -Warehouse {0} does not exist,Kehadiran Tanggal -Warehouse-Wise Stock Balance,Aturan Pengiriman -Warehouse-wise Item Reorder,Hubungi HTML -Warehouses,QA Inspeksi -Warehouses.,Ditampilkan di website di: {0} -Warn,Perusahaan diwajibkan -Warning: Leave application contains following block dates,Parent Biaya Pusat -Warning: Material Requested Qty is less than Minimum Order Qty,Akun dengan transaksi yang ada tidak dapat dihapus -Warning: Sales Order {0} already exists against same Purchase Order number,UOM Faktor Konversi -Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Diterima Qty -Warranty / AMC Details,Biaya konsumsi per jam -Warranty / AMC Status,Insentif -Warranty Expiry Date,Jumlah -Warranty Period (Days),Dibebankan -Warranty Period (in days),Target Jumlah -We buy this Item,Dan -We sell this Item,Akar Type adalah wajib -Website,Serial No / Batch -Website Description,Pemasok gudang di mana Anda telah mengeluarkan bahan baku untuk sub - kontraktor -Website Item Group,Perdagangan perantara -Website Item Groups,"Tentukan daftar Territories, yang, ini Pajak Guru berlaku" -Website Settings,Tidak ada alamat dibuat -Website Warehouse,Surat kepercayaan -Wednesday,Receiver Daftar -Weekly,Penerapan -Weekly Off,Rounded Off -Weight UOM,Berhenti Material Permintaan -"Weight is mentioned,\nPlease mention ""Weight UOM"" too", -Weightage,Purchase Invoice -Weightage (%),Variasi persentase kuantitas yang diizinkan saat menerima atau memberikan item ini. -Welcome,Penuaan Tanggal -Welcome to ERPNext. Over the next few minutes we will help you setup your ERPNext account. Try and fill in as much information as you have even if it takes a bit longer. It will save you a lot of time later. Good Luck!,Entri tidak diperbolehkan melawan Tahun Anggaran ini jika tahun ditutup. -Welcome to ERPNext. Please select your language to begin the Setup Wizard.,Mempertahankan tingkat yang sama sepanjang siklus pembelian -What does it do?,Item Pemasok -"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.",Gudang Reserved -"When submitted, the system creates difference entries to set the given stock and valuation on this date.",Unit Organisasi (kawasan) menguasai. -Where items are stored.,Pengaturan default untuk transaksi akuntansi. -Where manufacturing operations are carried out.,Sumber utama -Widowed,Min Qty -Will be calculated automatically when you enter the details,Item Penamaan Dengan -Will be updated after Sales Invoice is Submitted.,Anda tidak diizinkan untuk menambah atau memperbarui entri sebelum {0} -Will be updated when batched.,Berhasil dialokasikan -Will be updated when billed.,2. Payment (Pembayaran) -Wire Transfer,Proyek Baru -With Operations,Silakan pilih Tanggal Mulai dan Tanggal Akhir untuk Item {0} -With period closing entry,Tahun Tanggal Mulai -Work Details,Tanda Tangan -Work Done,Stock Diterima Tapi Tidak Ditagih -Work In Progress,Re-order -Work-in-Progress Warehouse,Ditransfer Qty -Work-in-Progress Warehouse is required before Submit,Diterima -Working,Account Pengiriman -Workstation,Manajemen Kualitas -Workstation Name,Nama Kampanye diperlukan -Write Off Account,Mengganti -Write Off Amount,Rinci tabel pajak diambil dari master barang sebagai string dan disimpan dalam bidang ini. \ NDigunakan Pajak dan Biaya -Write Off Amount <=,Cek -Write Off Based On,Auto Material Permintaan -Write Off Cost Center,Tingkat Penilaian negatif tidak diperbolehkan -Write Off Outstanding Amount,Buat Peluang -Write Off Voucher,Dapatkan Pesanan Penjualan -Wrong Template: Unable to find head row.,Gerakan barang Rekam. -Year,Status Persetujuan harus 'Disetujui' atau 'Ditolak' -Year Closed,Gudang -Year End Date,Diizinkan Peran ke Sunting Entri Sebelum Frozen Tanggal -Year Name,Notice (hari) -Year Start Date,Dropbox -Year of Passing,Dikemas kuantitas harus sama kuantitas untuk Item {0} berturut-turut {1} -Yearly,Standard Membeli -Yes,Pasca Sarjana -You are not authorized to add or update entries before {0},Auto Akuntansi Untuk Stock Pengaturan -You are not authorized to set Frozen value,Gudang di mana Anda mempertahankan stok item ditolak -You are the Expense Approver for this record. Please Update the 'Status' and Save,Rekening Bank -You are the Leave Approver for this record. Please Update the 'Status' and Save,Info Selengkapnya -You can enter any date manually,Dari -You can enter the minimum quantity of this item to be ordered.,Mata Uang dan Daftar Harga -You can not assign itself as parent account,Bursa Ledger entri saldo diperbarui -You can not change rate if BOM mentioned agianst any item,Petugas Administrasi -You can not enter both Delivery Note No and Sales Invoice No. Please enter any one.,Apakah Anda benar-benar ingin unstop Permintaan Bahan ini? -You can not enter current voucher in 'Against Journal Voucher' column,Kuantitas dan Gudang -You can set Default Bank Account in Company master,Untuk mendapatkan Barang Group di tabel rincian -You can start by selecting backup frequency and granting access for sync,Dari Peluang -You can submit this Stock Reconciliation.,Upload kehadiran dari file csv. -You can update either Quantity or Valuation Rate or both.,Alamat Penagihan -You cannot credit and debit same account at the same time,Backup Manager -You have entered duplicate items. Please rectify and try again.,Beban Pemeliharaan Kantor -You may need to update: {0},Metode standar Penilaian -You must Save the form before proceeding,Inspeksi Kualitas -You must allocate amount before reconcile,Modal -Your Customer's TAX registration numbers (if applicable) or any general information,Daftar Harga Mata uang -Your Customers,Item {0} muncul beberapa kali dalam Daftar Harga {1} -Your Login Id,Catatan karyawan dibuat menggunakan bidang yang dipilih. -Your Products or Services,Pakaian & Aksesoris -Your Suppliers,Daftar Penjualan -Your email address,Negara -Your financial year begins on,Ini adalah wilayah akar dan tidak dapat diedit. -Your financial year ends on,Pemasok Alamat -Your sales person who will contact the customer in future,Penelitian -Your sales person will get a reminder on this date to contact the customer,Alamat utama. -Your setup is complete. Refreshing...,Dukungan email id Anda - harus email yang valid - ini adalah di mana email akan datang! -Your support email id - must be a valid email - this is where your emails will come!,Anda tidak dapat menetapkan dirinya sebagai rekening induk -[Select],Pemohon Job -`Freeze Stocks Older Than` should be smaller than %d days.,Plot By -and,"Maaf, perusahaan tidak dapat digabungkan" -are not allowed.,Silakan set {0} -assigned by,Item Pajak Row {0} harus memiliki akun Pajak jenis atau Penghasilan atau Beban atau Dibebankan -"e.g. ""Build tools for builders""","Karakter khusus kecuali ""-"" dan ""/"" tidak diperbolehkan dalam penamaan seri" -"e.g. ""MC""",Qty untuk Menyampaikan -"e.g. ""My Company LLC""",Awalan -e.g. 5,"Memilih ""Ya"" akan memberikan identitas unik untuk setiap entitas dari produk ini yang dapat dilihat dalam Serial No guru." -"e.g. Bank, Cash, Credit Card",Pemasok Anda -"e.g. Kg, Unit, Nos, m",Penerimaan Pembelian Baru -e.g. VAT,Qty Dikonsumsi Per Unit -eg. Cheque Number,Standar Pemasok -example: Next Day Shipping,Ulang tahun -lft,Untuk melacak item menggunakan barcode. Anda akan dapat memasukkan item dalam Pengiriman Note dan Faktur Penjualan dengan memindai barcode barang. -old_parent,Dari Tanggal harus sebelum To Date -rgt,Purchase Order Items Akan Diterima -website page link,Silakan instal modul python dropbox -{0} '{1}' not in Fiscal Year {2},Situs Web -{0} Credit limit {0} crossed,Membuat Cukai Faktur -{0} Serial Numbers required for Item {0}. Only {0} provided.,Item {0} harus Penjualan Barang -{0} budget for Account {1} against Cost Center {2} will exceed by {3},Tanggal mulai harus kurang dari tanggal akhir untuk Item {0} -{0} can not be negative,Database Folder ID -{0} created,Akun {0} bukan milik Perusahaan {1} -{0} does not belong to Company {1},Nonaktifkan Rounded Jumlah -{0} entered twice in Item Tax,Rekening lebih lanjut dapat dibuat di bawah Grup tetapi entri dapat dilakukan terhadap Ledger -{0} is an invalid email address in 'Notification Email Address',Tanggal jatuh tempo tidak boleh setelah {0} -{0} is mandatory,Membuat Nota Kredit -{0} is mandatory for Item {1},"Jika dicentang, jumlah pajak akan dianggap sebagai sudah termasuk dalam Jumlah Tingkat Cetak / Print" -{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,Gunakan SSL -{0} is not a stock Item,Mingguan -{0} is not a valid Batch Number for Item {1},Akun orang tua tidak ada -{0} is not a valid Leave Approver. Removing row #{1}.,Tanggal Of Pensiun harus lebih besar dari Tanggal Bergabung -{0} is not a valid email id,Jangan Hubungi -{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,Untuk tanggal harus sama dengan Dari Tanggal untuk cuti Half Day -{0} is required,Aktifkan Keranjang Belanja -{0} must be a Purchased or Sub-Contracted Item in row {1},Prompt untuk Email pada Penyampaian -{0} must be less than or equal to {1},To Do List -{0} must have role 'Leave Approver',Proses Payroll -{0} valid serial nos for Item {1},Melacak Memimpin menurut Industri Type. -{0} {1} against Bill {2} dated {3},"Bagaimana seharusnya mata uang ini akan diformat? Jika tidak diatur, akan menggunakan default sistem" -{0} {1} against Invoice {2},Perbarui Stock -{0} {1} has already been submitted,Pelanggan {0} tidak ada -{0} {1} has been modified. Please refresh.,Silakan tentukan valid 'Dari Kasus No' -{0} {1} is not submitted,Harap menyimpan Newsletter sebelum mengirim -{0} {1} must be submitted,Pesan -{0} {1} not in any Fiscal Year,Izinkan Pengguna -{0} {1} status is 'Stopped',Terhadap Purchase Invoice -{0} {1} status is Stopped,Dalam Kata-kata akan terlihat setelah Anda menyimpan Faktur Pembelian. -{0} {1} status is Unstopped,Item detail -{0} {1}: Cost Center is mandatory for Item {2},{0} harus dibeli atau Sub-Kontrak Barang berturut-turut {1} +Total Characters,Jumlah Karakter +Total Claimed Amount,Jumlah Total Diklaim +Total Commission,Jumlah Komisi +Total Cost,Total Biaya +Total Credit,Jumlah Kredit +Total Debit,Jumlah Debit +Total Debit must be equal to Total Credit. The difference is {0},Jumlah Debit harus sama dengan total kredit. Perbedaannya adalah {0} +Total Deduction,Jumlah Pengurangan +Total Earning,Total Penghasilan +Total Experience,Jumlah Pengalaman +Total Hours,Jumlah Jam +Total Hours (Expected),Jumlah Jam (Diharapkan) +Total Invoiced Amount,Jumlah Total Tagihan +Total Leave Days,Jumlah Cuti Hari +Total Leaves Allocated,Jumlah Daun Dialokasikan +Total Message(s),Total Pesan (s) +Total Operating Cost,Total Biaya Operasional +Total Points,Jumlah Poin +Total Raw Material Cost,Total Biaya Bahan Baku +Total Sanctioned Amount,Jumlah Total Disahkan +Total Score (Out of 5),Skor Total (Out of 5) +Total Tax (Company Currency),Pajak Jumlah (Perusahaan Mata Uang) +Total Taxes and Charges,Jumlah Pajak dan Biaya +Total Taxes and Charges (Company Currency),Jumlah Pajak dan Biaya (Perusahaan Mata Uang) +Total allocated percentage for sales team should be 100,Persentase total yang dialokasikan untuk tim penjualan harus 100 +Total amount of invoices received from suppliers during the digest period,Jumlah total tagihan yang diterima dari pemasok selama periode digest +Total amount of invoices sent to the customer during the digest period,Jumlah total tagihan dikirim ke pelanggan selama masa digest +Total cannot be zero,Jumlah tidak boleh nol +Total in words,Jumlah kata +Total points for all goals should be 100. It is {0},Jumlah poin untuk semua tujuan harus 100. Ini adalah {0} +Total valuation for manufactured or repacked item(s) can not be less than total valuation of raw materials,Total penilaian untuk diproduksi atau dikemas ulang item (s) tidak bisa kurang dari penilaian total bahan baku +Total weightage assigned should be 100%. It is {0},Jumlah weightage ditugaskan harus 100%. Ini adalah {0} +Totals,Total +Track Leads by Industry Type.,Melacak Memimpin menurut Industri Type. +Track this Delivery Note against any Project,Melacak Pengiriman ini Catatan terhadap Proyek apapun +Track this Sales Order against any Project,Melacak Pesanan Penjualan ini terhadap Proyek apapun +Transaction,Transaksi +Transaction Date,Transaction Tanggal +Transaction not allowed against stopped Production Order {0},Transaksi tidak diperbolehkan berhenti melawan Orde Produksi {0} +Transfer,Transfer +Transfer Material,Material Transfer +Transfer Raw Materials,Mentransfer Bahan Baku +Transferred Qty,Ditransfer Qty +Transportation,Transportasi +Transporter Info,Info Transporter +Transporter Name,Transporter Nama +Transporter lorry number,Nomor Transporter truk +Travel,Perjalanan +Travel Expenses,Biaya Perjalanan +Tree Type,Jenis Pohon +Tree of Item Groups.,Pohon Item Grup. +Tree of finanial Cost Centers.,Pohon Pusat Biaya finanial. +Tree of finanial accounts.,Pohon rekening finanial. +Trial Balance,Trial Balance +Tuesday,Selasa +Type,Jenis +Type of document to rename.,Jenis dokumen untuk mengubah nama. +"Type of leaves like casual, sick etc.","Jenis daun seperti kasual, dll sakit" +Types of Expense Claim.,Jenis Beban Klaim. +Types of activities for Time Sheets,Jenis kegiatan untuk Waktu Sheets +"Types of employment (permanent, contract, intern etc.).","Jenis pekerjaan (permanen, kontrak, magang dll)." +UOM Conversion Detail,Detil UOM Konversi +UOM Conversion Details,UOM Detail Konversi +UOM Conversion Factor,UOM Faktor Konversi +UOM Conversion factor is required in row {0},Faktor UOM Konversi diperlukan berturut-turut {0} +UOM Name,Nama UOM +UOM coversion factor required for UOM: {0} in Item: {1},Faktor coversion UOM diperlukan untuk UOM: {0} di Item: {1} +Under AMC,Di bawah AMC +Under Graduate,Under Graduate +Under Warranty,Berdasarkan Jaminan +Unit,Satuan +Unit of Measure,Satuan Ukur +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 +"Unit of measurement of this item (e.g. Kg, Unit, No, Pair).","Unit pengukuran item ini (misalnya Kg, Unit, No, Pair)." +Units/Hour,Unit / Jam +Units/Shifts,Unit / Shift +Unpaid,Tunggakan +Unreconciled Payment Details,Rincian Pembayaran Unreconciled +Unscheduled,Terjadwal +Unsecured Loans,Pinjaman Tanpa Jaminan +Unstop,Unstop +Unstop Material Request,Unstop Material Permintaan +Unstop Purchase Order,Unstop Purchase Order +Unsubscribed,Berhenti berlangganan +Update,Perbarui +Update Clearance Date,Perbarui Izin Tanggal +Update Cost,Pembaruan Biaya +Update Finished Goods,Barang pembaruan Selesai +Update Landed Cost,Pembaruan Landed Cost +Update Series,Pembaruan Series +Update Series Number,Pembaruan Series Number +Update Stock,Perbarui Stock +Update bank payment dates with journals.,Perbarui tanggal pembayaran bank dengan jurnal. +Update clearance date of Journal Entries marked as 'Bank Vouchers',Tanggal pembaruan clearance Entries Journal ditandai sebagai 'Bank Voucher' +Updated,Diperbarui +Updated Birthday Reminders,Diperbarui Ulang Tahun Pengingat +Upload Attendance,Upload Kehadiran +Upload Backups to Dropbox,Upload Backup ke Dropbox +Upload Backups to Google Drive,Upload Backup ke Google Drive +Upload HTML,Upload HTML +Upload a .csv file with two columns: the old name and the new name. Max 500 rows.,Upload file csv dengan dua kolom:. Nama lama dan nama baru. Max 500 baris. +Upload attendance from a .csv file,Upload kehadiran dari file csv. +Upload stock balance via csv.,Upload keseimbangan saham melalui csv. +Upload your letter head and logo - you can edit them later.,Upload kop surat dan logo - Anda dapat mengedit mereka nanti. +Upper Income,Atas Penghasilan +Urgent,Mendesak +Use Multi-Level BOM,Gunakan Multi-Level BOM +Use SSL,Gunakan SSL +Used for Production Plan,Digunakan untuk Rencana Produksi +User,Pengguna +User ID,ID Pemakai +User ID not set for Employee {0},User ID tidak ditetapkan untuk Karyawan {0} +User Name,Nama Pengguna +User Name or Support Password missing. Please enter and try again.,Nama Pengguna atau Dukungan Sandi hilang. Silakan masuk dan coba lagi. +User Remark,Keterangan Pengguna +User Remark will be added to Auto Remark,Keterangan Pengguna akan ditambahkan ke Auto Remark +User Remarks is mandatory,Pengguna Keterangan adalah wajib +User Specific,User Specific +User must always select,Pengguna harus selalu pilih +User {0} is already assigned to Employee {1},Pengguna {0} sudah ditugaskan untuk Karyawan {1} +User {0} is disabled,Pengguna {0} dinonaktifkan +Username,satria pasha +Users with this role are allowed to create / modify accounting entry before frozen date,Pengguna dengan peran ini diperbolehkan untuk membuat / memodifikasi entri akuntansi sebelum tanggal beku +Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Pengguna dengan peran ini diperbolehkan untuk mengatur account beku dan membuat / memodifikasi entri akuntansi terhadap rekening beku +Utilities,Keperluan +Utility Expenses,Beban utilitas +Valid For Territories,Berlaku Untuk Wilayah +Valid From,Valid Dari +Valid Upto,Valid Upto +Valid for Territories,Berlaku untuk Wilayah +Validate,Mengesahkan +Valuation,Valuation +Valuation Method,Metode Penilaian +Valuation Rate,Tingkat Penilaian +Valuation Rate required for Item {0},Penilaian Tingkat diperlukan untuk Item {0} +Valuation and Total,Penilaian dan Total +Value,Nilai +Value or Qty,Nilai atau Qty +Vehicle Dispatch Date,Kendaraan Dispatch Tanggal +Vehicle No,Kendaraan yang +Venture Capital,Modal Ventura +Verified By,Diverifikasi oleh +View Ledger,View Ledger +View Now,Lihat Sekarang +Visit report for maintenance call.,Kunjungi laporan untuk panggilan pemeliharaan. +Voucher #,Voucher # +Voucher Detail No,Detil Voucher ada +Voucher Detail Number,Voucher Nomor Detil +Voucher ID,Voucher ID +Voucher No,Voucher Tidak ada +Voucher Type,Voucher Type +Voucher Type and Date,Voucher Jenis dan Tanggal +Walk In,Walk In +Warehouse,Gudang +Warehouse Contact Info,Gudang Info Kontak +Warehouse Detail,Gudang Detil +Warehouse Name,Gudang Nama +Warehouse and Reference,Gudang dan Referensi +Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Gudang tidak dapat dihapus sebagai entri stok buku ada untuk gudang ini. +Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Gudang hanya dapat diubah melalui Bursa Masuk / Delivery Note / Penerimaan Pembelian +Warehouse cannot be changed for Serial No.,Gudang tidak dapat diubah untuk Serial Number +Warehouse is mandatory for stock Item {0} in row {1},Gudang adalah wajib bagi saham Barang {0} berturut-turut {1} +Warehouse is missing in Purchase Order,Gudang yang hilang dalam Purchase Order +Warehouse not found in the system,Gudang tidak ditemukan dalam sistem +Warehouse required for stock Item {0},Gudang diperlukan untuk stok Barang {0} +Warehouse where you are maintaining stock of rejected items,Gudang di mana Anda mempertahankan stok item ditolak +Warehouse {0} can not be deleted as quantity exists for Item {1},Gudang {0} tidak dapat dihapus sebagai kuantitas ada untuk Item {1} +Warehouse {0} does not belong to company {1},Gudang {0} bukan milik perusahaan {1} +Warehouse {0} does not exist,Gudang {0} tidak ada +Warehouse {0}: Company is mandatory,Gudang {0}: Perusahaan wajib +Warehouse {0}: Parent account {1} does not bolong to the company {2},Gudang {0}: akun Parent {1} tidak Bolong kepada perusahaan {2} +Warehouse-Wise Stock Balance,Gudang-Wise Stock Balance +Warehouse-wise Item Reorder,Gudang-bijaksana Barang Reorder +Warehouses,Gudang +Warehouses.,Gudang. +Warn,Memperingatkan +Warning: Leave application contains following block dates,Peringatan: Tinggalkan aplikasi berisi tanggal blok berikut +Warning: Material Requested Qty is less than Minimum Order Qty,Peringatan: Material Diminta Qty kurang dari Minimum Order Qty +Warning: Sales Order {0} already exists against same Purchase Order number,Peringatan: Sales Order {0} sudah ada terhadap nomor Purchase Order yang sama +Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Peringatan: Sistem tidak akan memeriksa overbilling karena jumlahnya untuk Item {0} pada {1} adalah nol +Warranty / AMC Details,Garansi / Detail AMC +Warranty / AMC Status,Garansi / Status AMC +Warranty Expiry Date,Garansi Tanggal Berakhir +Warranty Period (Days),Masa Garansi (Hari) +Warranty Period (in days),Masa Garansi (dalam hari) +We buy this Item,Kami membeli item ini +We sell this Item,Kami menjual item ini +Website,Situs Web +Website Description,Website Description +Website Item Group,Situs Barang Grup +Website Item Groups,Situs Barang Grup +Website Settings,Pengaturan situs web +Website Warehouse,Situs Gudang +Wednesday,Rabu +Weekly,Mingguan +Weekly Off,Weekly Off +Weight UOM,Berat UOM +"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Berat disebutkan, \n Harap menyebutkan ""Berat UOM"" terlalu" +Weightage,Weightage +Weightage (%),Weightage (%) +Welcome,Selamat Datang +Welcome to ERPNext. Over the next few minutes we will help you setup your ERPNext account. Try and fill in as much information as you have even if it takes a bit longer. It will save you a lot of time later. Good Luck!,Selamat Datang di ERPNext. Selama beberapa menit berikutnya kami akan membantu Anda setup account ERPNext Anda. Cobalah dan mengisi sebanyak mungkin informasi sebagai Anda memiliki bahkan jika dibutuhkan sedikit lebih lama. Ini akan menghemat banyak waktu. Selamat! +Welcome to ERPNext. Please select your language to begin the Setup Wizard.,Selamat Datang di ERPNext. Silahkan pilih bahasa Anda untuk memulai Setup Wizard. +What does it do?,Apa gunanya? +"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.","Ketika salah satu transaksi yang diperiksa ""Dikirim"", email pop-up secara otomatis dibuka untuk mengirim email ke terkait ""Kontak"" dalam transaksi itu, dengan transaksi sebagai lampiran. Pengguna mungkin atau mungkin tidak mengirim email." +"When submitted, the system creates difference entries to set the given stock and valuation on this date.","Ketika disampaikan, sistem menciptakan entri perbedaan untuk mengatur saham yang diberikan dan penilaian pada tanggal ini." +Where items are stored.,Dimana item disimpan. +Where manufacturing operations are carried out.,Dimana operasi manufaktur dilakukan. +Widowed,Janda +Will be calculated automatically when you enter the details,Akan dihitung secara otomatis ketika Anda memasukkan rincian +Will be updated after Sales Invoice is Submitted.,Akan diperbarui setelah Faktur Penjualan yang Dikirim. +Will be updated when batched.,Akan diperbarui bila batched. +Will be updated when billed.,Akan diperbarui saat ditagih. +Wire Transfer,Transfer +With Operations,Dengan Operasi +With Period Closing Entry,Dengan Periode penutupan Entri +Work Details,Rincian Kerja +Work Done,Pekerjaan Selesai +Work In Progress,Bekerja In Progress +Work-in-Progress Warehouse,Kerja-in Progress-Gudang +Work-in-Progress Warehouse is required before Submit,Kerja-in-Progress Gudang diperlukan sebelum Submit +Working,Kerja +Working Days,Hari Kerja +Workstation,Workstation +Workstation Name,Workstation Nama +Write Off Account,Menulis Off Akun +Write Off Amount,Menulis Off Jumlah +Write Off Amount <=,Menulis Off Jumlah <= +Write Off Based On,Menulis Off Berbasis On +Write Off Cost Center,Menulis Off Biaya Pusat +Write Off Outstanding Amount,Menulis Off Jumlah Outstanding +Write Off Voucher,Menulis Off Voucher +Wrong Template: Unable to find head row.,Template yang salah: Tidak dapat menemukan baris kepala. +Year,Tahun +Year Closed,Tahun Ditutup +Year End Date,Tanggal Akhir Tahun +Year Name,Tahun Nama +Year Start Date,Tahun Tanggal Mulai +Year of Passing,Tahun Passing +Yearly,Tahunan +Yes,Ya +You are not authorized to add or update entries before {0},Anda tidak diizinkan untuk menambah atau memperbarui entri sebelum {0} +You are not authorized to set Frozen value,Anda tidak diizinkan untuk menetapkan nilai Beku +You are the Expense Approver for this record. Please Update the 'Status' and Save,Anda adalah Approver Beban untuk catatan ini. Silakan Update 'Status' dan Simpan +You are the Leave Approver for this record. Please Update the 'Status' and Save,Anda adalah Leave Approver untuk catatan ini. Silakan Update 'Status' dan Simpan +You can enter any date manually,Anda dapat memasukkan setiap tanggal secara manual +You can enter the minimum quantity of this item to be ordered.,Anda dapat memasukkan jumlah minimum dari item ini yang akan dipesan. +You can not change rate if BOM mentioned agianst any item,Anda tidak dapat mengubah tingkat jika BOM disebutkan agianst item +You can not enter both Delivery Note No and Sales Invoice No. Please enter any one.,Anda tidak dapat memasukkan kedua Delivery Note ada dan Faktur Penjualan No Masukkan salah satu. +You can not enter current voucher in 'Against Journal Voucher' column,Anda tidak bisa masuk voucher saat ini di 'Melawan Journal Voucher' kolom +You can set Default Bank Account in Company master,Anda dapat mengatur default Bank Account menguasai Perusahaan +You can start by selecting backup frequency and granting access for sync,Anda dapat memulai dengan memilih frekuensi backup dan memberikan akses untuk sinkronisasi +You can submit this Stock Reconciliation.,Anda bisa mengirimkan ini Stock Rekonsiliasi. +You can update either Quantity or Valuation Rate or both.,Anda dapat memperbarui baik Quantity atau Tingkat Penilaian atau keduanya. +You cannot credit and debit same account at the same time,Anda tidak dapat kredit dan mendebit rekening yang sama pada waktu yang sama +You have entered duplicate items. Please rectify and try again.,Anda telah memasuki duplikat item. Harap memperbaiki dan coba lagi. +You may need to update: {0},Anda mungkin perlu memperbarui: {0} +You must Save the form before proceeding,Anda harus Simpan formulir sebelum melanjutkan +Your Customer's TAX registration numbers (if applicable) or any general information,Nomor registrasi PAJAK Pelanggan Anda (jika ada) atau informasi umum setiap +Your Customers,Pelanggan Anda +Your Login Id,Login Id Anda +Your Products or Services,Produk atau Jasa +Your Suppliers,Pemasok Anda +Your email address,Alamat email Anda +Your financial year begins on,Tahun buku Anda dimulai di +Your financial year ends on,Tahun keuangan Anda berakhir pada +Your sales person who will contact the customer in future,Orang sales Anda yang akan menghubungi pelanggan di masa depan +Your sales person will get a reminder on this date to contact the customer,Orang penjualan Anda akan mendapatkan pengingat pada tanggal ini untuk menghubungi pelanggan +Your setup is complete. Refreshing...,Setup Anda selesai. Refreshing ... +Your support email id - must be a valid email - this is where your emails will come!,Dukungan email id Anda - harus email yang valid - ini adalah di mana email akan datang! +[Error],[Kesalahan] +[Select],[Select] +`Freeze Stocks Older Than` should be smaller than %d days.,`Freeze Saham Lama Dari` harus lebih kecil dari% d hari. +and,Dan +are not allowed.,tidak diperbolehkan. +assigned by,ditugaskan oleh +cannot be greater than 100,tidak dapat lebih besar dari 100 +"e.g. ""Build tools for builders""","misalnya ""Membangun alat untuk pembangun """ +"e.g. ""MC""","misalnya ""MC """ +"e.g. ""My Company LLC""","misalnya ""My Company LLC """ +e.g. 5,misalnya 5 +"e.g. Bank, Cash, Credit Card","misalnya Bank, Kas, Kartu Kredit" +"e.g. Kg, Unit, Nos, m","misalnya Kg, Unit, Nos, m" +e.g. VAT,misalnya PPN +eg. Cheque Number,misalnya. Nomor Cek +example: Next Day Shipping,Contoh: Hari Berikutnya Pengiriman +lft,lft +old_parent,old_parent +rgt,rgt +subject,subyek +to,to +website page link,tautan halaman situs web +{0} '{1}' not in Fiscal Year {2},{0} '{1}' tidak dalam Tahun Anggaran {2} +{0} Credit limit {0} crossed,{0} limit kredit {0} menyeberangi +{0} Serial Numbers required for Item {0}. Only {0} provided.,{0} Serial Number diperlukan untuk Item {0}. Hanya {0} disediakan. +{0} budget for Account {1} against Cost Center {2} will exceed by {3},{0} anggaran untuk Akun {1} terhadap Biaya Pusat {2} akan melebihi oleh {3} +{0} can not be negative,{0} tidak dapat negatif +{0} created,{0} dibuat +{0} does not belong to Company {1},{0} bukan milik Perusahaan {1} +{0} entered twice in Item Tax,{0} masuk dua kali dalam Pajak Barang +{0} is an invalid email address in 'Notification Email Address',{0} adalah alamat email yang tidak valid dalam 'Pemberitahuan Alamat Email' +{0} is mandatory,{0} adalah wajib +{0} is mandatory for Item {1},{0} adalah wajib untuk Item {1} +{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} adalah wajib. Mungkin catatan mata uang tidak diciptakan untuk {1} ke {} 2. +{0} is not a stock Item,{0} bukan merupakan saham Barang +{0} is not a valid Batch Number for Item {1},{0} tidak Nomor Batch berlaku untuk Item {1} +{0} is not a valid Leave Approver. Removing row #{1}.,{0} tidak valid Tinggalkan Approver. Menghapus row # {1}. +{0} is not a valid email id,{0} bukan id email yang valid +{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} sekarang default Tahun Anggaran. Silahkan refresh browser Anda untuk perubahan untuk mengambil efek. +{0} is required,{0} diperlukan +{0} must be a Purchased or Sub-Contracted Item in row {1},{0} harus Dibeli Sub-Kontrak atau Barang berturut-turut {1} +{0} must be reduced by {1} or you should increase overflow tolerance,{0} harus dikurangi oleh {1} atau Anda harus meningkatkan toleransi melimpah +{0} must have role 'Leave Approver',{0} harus memiliki peran 'Leave Approver' +{0} valid serial nos for Item {1},{0} nos seri berlaku untuk Item {1} +{0} {1} against Bill {2} dated {3},{0} {1} terhadap Bill {2} tanggal {3} +{0} {1} against Invoice {2},{0} {1} terhadap Faktur {2} +{0} {1} has already been submitted,{0} {1} telah diserahkan +{0} {1} has been modified. Please refresh.,{0} {1} telah dimodifikasi. Silahkan refresh. +{0} {1} is not submitted,{0} {1} tidak disampaikan +{0} {1} must be submitted,{0} {1} harus diserahkan +{0} {1} not in any Fiscal Year,{0} {1} tidak dalam Tahun Anggaran +{0} {1} status is 'Stopped',{0} {1} status 'Berhenti' +{0} {1} status is Stopped,{0} Status {1} adalah Berhenti +{0} {1} status is Unstopped,{0} {1} status unstopped +{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Biaya Pusat adalah wajib untuk Item {2} +{0}: {1} not found in Invoice Details table,{0}: {1} tidak ditemukan dalam Faktur Rincian table diff --git a/erpnext/translations/it.csv b/erpnext/translations/it.csv index 92d2cfc8c1..1a3d4c3e95 100644 --- a/erpnext/translations/it.csv +++ b/erpnext/translations/it.csv @@ -14,7 +14,6 @@ % of materials delivered against this Sales Order,% dei materiali consegnati su questo Ordine di Vendita % of materials ordered against this Material Request,% di materiali ordinati su questa Richiesta Materiale % of materials received against this Purchase Order,di materiali ricevuti su questo Ordine di Acquisto -%(conversion_rate_label)s is mandatory. Maybe Currency Exchange record is not created for %(from_currency)s to %(to_currency)s,% ( conversion_rate_label ) s è obbligatoria . Forse record di cambio di valuta non è stato creato per% ( from_currency ) s al % ( to_currency ) s 'Actual Start Date' can not be greater than 'Actual End Date',' Data Inizio effettivo ' non può essere maggiore di ' Data di fine effettiva ' 'Based On' and 'Group By' can not be same,' Basato su ' e ' Group By ' non può essere lo stesso 'Days Since Last Order' must be greater than or equal to zero,' Giorni dall'ultima Ordina ' deve essere maggiore o uguale a zero @@ -30,11 +29,35 @@ 'Update Stock' for Sales Invoice {0} must be set,'Aggiorna Archivio ' per Fattura {0} deve essere impostato * Will be calculated in the transaction.,'A Case N.' non puo essere minore di 'Da Case N.' "1 Currency = [?] Fraction -For e.g. 1 USD = 100 Cent",1 valuta = [ ? ] Frazione \ nPer ad esempio +For e.g. 1 USD = 100 Cent","1 valuta = [?] Frazione + Per esempio 1 USD = 100 Cent" 1. To maintain the customer wise item code and to make them searchable based on their code use this option,1.Per mantenere la voce codice cliente e renderli ricercabili in base al loro codice usare questa opzione "
Add / Edit"," Aggiungi / Modifica < / a>" "Add / Edit"," Aggiungi / Modifica < / a>" "Add / Edit"," Aggiungi / Modifica < / a>" +"

Default Template

+

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

+
{{ address_line1 }}<br>
+{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}
+{{ city }}<br>
+{% if state %}{{ state }}<br>{% endif -%}
+{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}
+{{ country }}<br>
+{% if phone %}Phone: {{ phone }}<br>{% endif -%}
+{% if fax %}Fax: {{ fax }}<br>{% endif -%}
+{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
+
","

modello predefinito +

Utilizza Jinja Templating e tutti i campi di indirizzo ( compresi i campi personalizzati se presenti) sarà disponibile +

  {{address_line1}} 
+ {% se address_line2%} {{address_line2}} {
% endif -%} + {{city}}
+ {% se lo stato%} {{stato}}
{% endif -%} + {% se pincode%} PIN: {{}} pincode
{% endif -%} + {{country}}
+ {% se il telefono%} Telefono: {{phone}} {
% endif -}% + {% se il fax%} Fax: {{fax}}
{% endif -%} + {% se email_id%} Email: {{email_id}}
{% endif -%} + " A Customer Group exists with same name please change the Customer name or rename the Customer Group,Un Gruppo cliente esiste con lo stesso nome si prega di modificare il nome del cliente o rinominare il gruppo di clienti A Customer exists with same name,Esiste un Cliente con lo stesso nome A Lead with this email id should exist,Un Lead con questa e-mail dovrebbe esistere @@ -44,7 +67,6 @@ A symbol for this currency. For e.g. $,Un simbolo per questa valuta. Per esempio AMC Expiry Date,AMC Data Scadenza Abbr,Abbr Abbreviation cannot have more than 5 characters,Abbreviazione non può avere più di 5 caratteri -About,About Above Value,Sopra Valore Absent,Assente Acceptance Criteria,Criterio Accettazione @@ -59,6 +81,8 @@ Account Details,Dettagli conto Account Head,Conto Capo Account Name,Nome Conto Account Type,Tipo Conto +"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Saldo del conto già in credito, non sei autorizzato a impostare 'saldo deve essere' come 'Debito'" +"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Saldo del conto già in debito, non ti è permesso di impostare 'saldo deve essere' come 'credito'" Account for the warehouse (Perpetual Inventory) will be created under this Account.,Conto per il magazzino ( Perpetual Inventory) verrà creato con questo account . Account head {0} created,Testa account {0} creato Account must be a balance sheet account,Account deve essere un account di bilancio @@ -68,13 +92,20 @@ Account with existing transaction can not be deleted,Conto con transazione esist Account with existing transaction cannot be converted to ledger,Conto con transazione esistente non può essere convertito in contabilità Account {0} cannot be a Group,Account {0} non può essere un gruppo Account {0} does not belong to Company {1},Account {0} non appartiene alla società {1} +Account {0} does not belong to company: {1},Account {0} non appartiene alla società: {1} Account {0} does not exist,Account {0} non esiste Account {0} has been entered more than once for fiscal year {1},Account {0} è stato inserito più di una volta per l'anno fiscale {1} Account {0} is frozen,Account {0} è congelato Account {0} is inactive,Account {0} è inattivo +Account {0} is not valid,Account {0} non è valido Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item,Account {0} deve essere di tipo ' Asset fisso ' come voce {1} è un Asset articolo +Account {0}: Parent account {1} can not be a ledger,Account {0}: conto Parent {1} non può essere un libro mastro +Account {0}: Parent account {1} does not belong to company: {2},Account {0}: conto Parent {1} non appartiene alla società: {2} +Account {0}: Parent account {1} does not exist,Account {0}: conto Parent {1} non esiste +Account {0}: You can not assign itself as parent account,Account {0}: Non è possibile assegnare stesso come conto principale "Account: {0} can only be updated via \ - Stock Transactions",Account : {0} può essere aggiornato solo tramite \ \ n Archivio Transazioni + Stock Transactions","Account: {0} può essere aggiornato solo tramite \ + transazioni di magazzino" Accountant,ragioniere Accounting,Contabilità "Accounting Entries can be made against leaf nodes, called","Scritture contabili può essere fatta contro nodi foglia , chiamato" @@ -124,6 +155,7 @@ Address Details,Dettagli dell'indirizzo Address HTML,Indirizzo HTML Address Line 1,"Indirizzo, riga 1" Address Line 2,"Indirizzo, riga 2" +Address Template,Indirizzo Template Address Title,Titolo indirizzo Address Title is mandatory.,Titolo Indirizzo è obbligatorio. Address Type,Tipo di indirizzo @@ -144,7 +176,6 @@ Against Docname,Per Nome Doc Against Doctype,Per Doctype Against Document Detail No,Per Dettagli Documento N Against Document No,Per Documento N -Against Entries,contro Entries Against Expense Account,Per Spesa Conto Against Income Account,Per Reddito Conto Against Journal Voucher,Per Buono Acquisto @@ -180,10 +211,8 @@ All Territories,tutti i Territori "All export related fields like currency, conversion rate, export total, export grand total etc are available in Delivery Note, POS, Quotation, Sales Invoice, Sales Order etc.","Campi Tutte le esportazioni correlati come valuta , il tasso di conversione , totale delle esportazioni , export gran etc totale sono disponibili nella nota di consegna , POS , Quotazione , fattura di vendita , ordini di vendita , ecc" "All import related fields like currency, conversion rate, import total, import grand total etc are available in Purchase Receipt, Supplier Quotation, Purchase Invoice, Purchase Order etc.","Tutti i campi importazione correlati come valuta , il tasso di conversione , totale import , importazione gran etc totale sono disponibili in Acquisto ricevuta , Quotazione fornitore , fattura di acquisto , ordine di acquisto , ecc" All items have already been invoiced,Tutti gli articoli sono già stati fatturati -All items have already been transferred for this Production Order.,Tutti gli articoli sono già stati trasferiti per questo ordine di produzione . All these items have already been invoiced,Tutti questi elementi sono già stati fatturati Allocate,Assegna -Allocate Amount Automatically,Allocare Importo Automaticamente Allocate leaves for a period.,Allocare le foglie per un periodo . Allocate leaves for the year.,Assegnare le foglie per l' anno. Allocated Amount,Assegna Importo @@ -204,13 +233,13 @@ Allow Users,Consentire Utenti Allow the following users to approve Leave Applications for block days.,Consentire i seguenti utenti per approvare le richieste per i giorni di blocco. Allow user to edit Price List Rate in transactions,Consenti all'utente di modificare Listino cambio nelle transazioni Allowance Percent,Tolleranza Percentuale -Allowance for over-delivery / over-billing crossed for Item {0},Indennità per over -delivery / over - billing incrociate per la voce {0} +Allowance for over-{0} crossed for Item {1},Indennità per over-{0} incrociate per la voce {1} +Allowance for over-{0} crossed for Item {1}.,Indennità per over-{0} attraversato per la voce {1}. Allowed Role to Edit Entries Before Frozen Date,Ruolo permesso di modificare le voci prima congelato Data Amended From,Corretto da Amount,Importo Amount (Company Currency),Importo (Valuta Azienda) -Amount <=,Importo <= -Amount >=,Importo >= +Amount Paid,Importo pagato Amount to Bill,Importo da Bill An Customer exists with same name,Esiste un cliente con lo stesso nome "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" @@ -260,6 +289,7 @@ As per Stock UOM,Per Stock UOM Asset,attività Assistant,assistente Associate,Associate +Atleast one of the Selling or Buying must be selected,", Almeno una delle vendere o acquistare deve essere selezionata" Atleast one warehouse is mandatory,Almeno un Magazzino è obbligatorio Attach Image,Allega immagine Attach Letterhead,Allega intestata @@ -319,6 +349,7 @@ Balance for Account {0} must always be {1},Bilancia per conto {0} deve essere se Balance must be,Saldo deve essere "Balances of Accounts of type ""Bank"" or ""Cash""","Saldi dei conti di tipo "" Banca"" o ""Cash """ Bank,Banca +Bank / Cash Account,Banca / Account Cash Bank A/C No.,Bank A/C No. Bank Account,Conto Banca Bank Account No.,Conto Banca N. @@ -397,18 +428,24 @@ Budget Distribution Details,Dettagli Distribuzione Budget Budget Variance Report,Report Variazione Budget Budget cannot be set for Group Cost Centers,Bilancio non può essere impostato per centri di costo del Gruppo Build Report,costruire Rapporto -Built on,costruito su Bundle items at time of sale.,Articoli Combinati e tempi di vendita. Business Development Manager,Development Business Manager Buying,Acquisto Buying & Selling,Acquisto e vendita Buying Amount,Importo Acquisto Buying Settings,Impostazioni Acquisto +"Buying must be checked, if Applicable For is selected as {0}","L'acquisto deve essere controllato, se applicabile per è selezionato come {0}" C-Form,C-Form C-Form Applicable,C-Form Applicable C-Form Invoice Detail,C-Form Detagli Fattura C-Form No,C-Form N. C-Form records,Record C -Form +CENVAT Capital Goods,CENVAT Beni +CENVAT Edu Cess,CENVAT Edu Cess +CENVAT SHE Cess,CENVAT SHE Cess +CENVAT Service Tax,CENVAT Tax Service +CENVAT Service Tax Cess 1,CENVAT Tax Service Cess 1 +CENVAT Service Tax Cess 2,CENVAT Tax Service Cess 2 Calculate Based On,Calcola in base a Calculate Total Score,Calcolare il punteggio totale Calendar Events,Eventi del calendario @@ -432,7 +469,7 @@ Cannot approve leave as you are not authorized to approve leaves on Block Dates, Cannot cancel because Employee {0} is already approved for {1},Impossibile annullare perché Employee {0} è già approvato per {1} Cannot cancel because submitted Stock Entry {0} exists,Impossibile annullare perché {0} esiste presentata dell'entrata Stock Cannot carry forward {0},Non è possibile portare avanti {0} -Cannot change Year Start Date and Year End Date once the Fiscal Year is saved.,"Impossibile modificare Anno data di inizio e di fine anno , una volta l' anno fiscale è stato salvato ." +Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,Impossibile modificare Fiscal Year data di inizio e di fine anno fiscale una volta l'anno fiscale è stato salvato. "Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Non è possibile cambiare la valuta di default dell'azienda , perché ci sono le transazioni esistenti . Le operazioni devono essere cancellate per cambiare la valuta di default ." Cannot convert Cost Center to ledger as it has child nodes,Impossibile convertire centro di costo a registro come ha nodi figlio Cannot covert to Group because Master Type or Account Type is selected.,Non può convertirsi Gruppo in quanto è stato selezionato Tipo di master o Tipo di account . @@ -441,7 +478,7 @@ Cannot deactive or cancle BOM as it is linked with other BOMs,Non è possibile d Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Non può dedurre quando categoria è di ' valutazione ' o ' Valutazione e Total ' "Cannot delete Serial No {0} in stock. First remove from stock, then delete.","Impossibile eliminare Serial No {0} in magazzino. Prima di tutto rimuovere dal magazzino , quindi eliminare ." "Cannot directly set amount. For 'Actual' charge type, use the rate field","Non è possibile impostare direttamente importo. Per il tipo di carica ' effettivo ' , utilizzare il campo tasso" -"Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in 'Setup' > 'Global Defaults'","Non può overbill per la voce {0} in riga {0} più {1} . Per consentire la fatturazione eccessiva , si prega di impostare in ' Setup' > ' Default Global" +"Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in Stock Settings","Non può overbill per la voce {0} in riga {0} più {1}. Per consentire la fatturazione eccessiva, si prega di impostare in Impostazioni Immagini" Cannot produce more Item {0} than Sales Order quantity {1},Non può produrre più Voce {0} di Sales Order quantità {1} Cannot refer row number greater than or equal to current row number for this Charge type,Non può consultare numero di riga maggiore o uguale al numero di riga corrente per questo tipo di carica Cannot return more than {0} for Item {1},Impossibile restituire più di {0} per la voce {1} @@ -504,6 +541,8 @@ Click on a link to get options to expand get options , Client,Intestatario Close Balance Sheet and book Profit or Loss.,Chiudere Stato Patrimoniale e il libro utile o perdita . Closed,Chiuso +Closing (Cr),Chiusura (Cr) +Closing (Dr),Chiusura (Dr) Closing Account Head,Chiudere Conto Primario Closing Account {0} must be of type 'Liability',Chiusura del conto {0} deve essere di tipo ' responsabilità ' Closing Date,Data Chiusura @@ -514,7 +553,9 @@ CoA Help,Aiuto CoA Code,Codice Cold Calling,Chiamata Fredda Color,Colore +Column Break,Interruzione Colonna Comma separated list of email addresses,Lista separata da virgola degli indirizzi email +Comment,Commento Comments,Commenti Commercial,commerciale Commission,commissione @@ -599,7 +640,6 @@ Cosmetics,cosmetici Cost Center,Centro di Costo Cost Center Details,Dettaglio Centro di Costo Cost Center Name,Nome Centro di Costo -Cost Center is mandatory for Item {0},Centro di costo è obbligatoria per la voce {0} Cost Center is required for 'Profit and Loss' account {0},È necessaria Centro di costo per ' economico ' conto {0} Cost Center is required in row {0} in Taxes table for type {1},Centro di costo è richiesto in riga {0} nella tabella Tasse per il tipo {1} Cost Center with existing transactions can not be converted to group,Centro di costo con le transazioni esistenti non può essere convertito in gruppo @@ -609,6 +649,7 @@ Cost of Goods Sold,Costo del venduto Costing,Valutazione Costi Country,Nazione Country Name,Nome Nazione +Country wise default Address Templates,Modelli Country saggio di default Indirizzo "Country, Timezone and Currency","Paese , Fuso orario e valuta" Create Bank Voucher for the total salary paid for the above selected criteria,Crea Buono Bancario per il totale dello stipendio da pagare per i seguenti criteri Create Customer,Crea clienti @@ -662,10 +703,12 @@ Customer (Receivable) Account,Cliente (Ricevibile) Account Customer / Item Name,Cliente / Nome voce Customer / Lead Address,Clienti / Lead Indirizzo Customer / Lead Name,Cliente / Nome di piombo +Customer > Customer Group > Territory,Clienti> Gruppi clienti> Territorio Customer Account Head,Conto Cliente Principale Customer Acquisition and Loyalty,Acquisizione e fidelizzazione dei clienti Customer Address,Indirizzo Cliente Customer Addresses And Contacts,Indirizzi e Contatti Cliente +Customer Addresses and Contacts,Indirizzi Clienti e Contatti Customer Code,Codice Cliente Customer Codes,Codici Cliente Customer Details,Dettagli Cliente @@ -727,6 +770,8 @@ Deduction1,Deduzione1 Deductions,Deduzioni Default,Predefinito Default Account,Account Predefinito +Default Address Template cannot be deleted,Indirizzo modello predefinito non può essere eliminato +Default Amount,Importo di default Default BOM,BOM Predefinito Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,Conto predefinito Banca / Contante aggiornato automaticamente in Fatture POS quando selezioni questo metodo Default Bank Account,Conto Banca Predefinito @@ -734,7 +779,6 @@ Default Buying Cost Center,Comprare Centro di costo predefinito Default Buying Price List,Predefinito acquisto Prezzo di listino Default Cash Account,Conto Monete predefinito Default Company,Azienda Predefinita -Default Cost Center for tracking expense for this item.,Centro di Costo Predefinito di Gestione spese per questo articolo Default Currency,Valuta Predefinito Default Customer Group,Gruppo Clienti Predefinito Default Expense Account,Account Spese Predefinito @@ -761,6 +805,7 @@ Default settings for selling transactions.,Impostazioni predefinite per la vendi Default settings for stock transactions.,Impostazioni predefinite per le transazioni di magazzino . Defense,difesa "Define Budget for this Cost Center. To set budget action, see
Company Master","Definire Budget per questo centro di costo. Per impostare l'azione di bilancio, vedi Azienda Maestro" +Del,Del Delete,Elimina Delete {0} {1}?,Eliminare {0} {1} ? Delivered,Consegnato @@ -809,6 +854,7 @@ Discount (%),(%) Sconto Discount Amount,Importo sconto "Discount Fields will be available in Purchase Order, Purchase Receipt, Purchase Invoice","Il Campo Sconto sarà abilitato in Ordine di acquisto, ricevuta di acquisto, Fattura Acquisto" Discount Percentage,Percentuale di sconto +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. Discount must be less than 100,Sconto deve essere inferiore a 100 Discount(%),Sconto(%) Dispatch,spedizione @@ -841,7 +887,8 @@ Download Template,Scarica Modello Download a report containing all raw materials with their latest inventory status,Scaricare un report contenete tutte le materie prime con il loro recente stato di inventario "Download the Template, fill appropriate data and attach the modified file.","Scarica il modello , compilare i dati appropriati e allegare il file modificato ." "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 . \ NI date e la combinazione dei dipendenti nel periodo selezionato entrerà nel modello , con record di presenze esistenti" +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. + Tutte le date e la combinazione dei dipendenti nel periodo selezionato entreranno nel modello, con record di presenze esistenti" Draft,Bozza Dropbox,Dropbox Dropbox Access Allowed,Consentire accesso Dropbox @@ -863,6 +910,9 @@ Earning & Deduction,Guadagno & Detrazione Earning Type,Tipo Rendimento Earning1,Rendimento1 Edit,Modifica +Edu. Cess on Excise,Edu. Cess su accise +Edu. Cess on Service Tax,Edu. Cess sul servizio Tax +Edu. Cess on TDS,Edu. Cess su TDS Education,educazione Educational Qualification,Titolo di studio Educational Qualification Details,Titolo di studio Dettagli @@ -937,16 +987,27 @@ Enter url parameter for receiver nos,Inserisci parametri url per NOS ricevuti Entertainment & Leisure,Intrattenimento e tempo libero Entertainment Expenses,Spese di rappresentanza Entries,Voci -Entries against,Voci contro +Entries against , Entries are not allowed against this Fiscal Year if the year is closed.,Voci non permesse in confronto ad un Anno Fiscale già chiuso. -Entries before {0} are frozen,Entries prima {0} sono congelati Equity,equità Error: {0} > {1},Errore: {0} > {1} Estimated Material Cost,Stima costo materiale +"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Anche se ci sono più regole sui prezzi con la priorità più alta, si applicano quindi le seguenti priorità interne:" Everyone can read,Tutti possono leggere "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.","Esempio : . ABCD # # # # # \ nSe serie è impostato e d'ordine non è menzionato nelle transazioni , quindi verrà creato il numero di serie automatico basato su questa serie ." +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.",". Esempio: ABCD # # # # # + Se serie è ambientata e Serial No non è menzionato nelle transazioni, verrà creato il numero di serie quindi automatico basato su questa serie. Se si vuole sempre parlare esplicitamente di serie nn per questo articolo. lasciare vuoto." Exchange Rate,Tasso di cambio: +Excise Duty 10,Excise Duty 10 +Excise Duty 14,Excise Duty 14 +Excise Duty 4,Excise Duty 4 +Excise Duty 8,Excise Duty 8 +Excise Duty @ 10,Excise Duty @ 10 +Excise Duty @ 14,Excise Duty @ 14 +Excise Duty @ 4,Excise Duty @ 4 +Excise Duty @ 8,Excise Duty @ 8 +Excise Duty Edu Cess 2,Excise Duty Edu Cess 2 +Excise Duty SHE Cess 1,Excise Duty SHE Cess 1 Excise Page Number,Accise Numero Pagina Excise Voucher,Buono Accise Execution,esecuzione @@ -965,6 +1026,7 @@ Expected Delivery Date cannot be before Sales Order Date,Data prevista di conseg Expected End Date,Data prevista di fine Expected Start Date,Data prevista di inizio Expense,spese +Expense / Difference account ({0}) must be a 'Profit or Loss' account,Expense / account Differenza ({0}) deve essere un 'utile o perdita' conto Expense Account,Conto uscite Expense Account is mandatory,Conto spese è obbligatorio Expense Claim,Rimborso Spese @@ -1015,12 +1077,16 @@ Finished Goods,Beni finiti First Name,Nome First Responded On,Ha risposto prima su Fiscal Year,Anno Fiscale +Fiscal Year Start Date and Fiscal Year End Date are already set in Fiscal Year {0},Anno fiscale Data di inizio e Data Fine dell'anno fiscale sono già impostati nel Fiscal Year {0} +Fiscal Year Start Date and Fiscal Year End Date cannot be more than a year apart.,Fiscal Year Data di inizio e Data Fine esercizio fiscale non può essere più di un anno di distanza. +Fiscal Year Start Date should not be greater than Fiscal Year End Date,Anno fiscale Data di inizio non deve essere maggiore di Data Fine dell'anno fiscale Fixed Asset,Asset fisso Fixed Assets,immobilizzazioni Follow via Email,Seguire via Email "Following table will show values if items are sub - contracted. These values will be fetched from the master of ""Bill of Materials"" of sub - contracted items.","Seguendo tabella mostrerà i valori, se i capi sono sub - contratto. Questi valori saranno prelevati dal maestro del "Bill of Materials" di sub - elementi contrattuali." Food,cibo "Food, Beverage & Tobacco","Prodotti alimentari , bevande e tabacco" +"For 'Sales BOM' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Sales BOM' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Per gli articoli «Le vendite delle distinte», Warehouse, Serial No e Batch No sarà considerata dalla tavola del 'Packing List'. Se Warehouse e Batch No sono uguali per tutti gli articoli imballaggio per tutto l'articolo 'Vendite distinta', questi valori possono essere inseriti nella tabella principale Item, i valori vengono copiati tabella 'Packing List'." For Company,Per Azienda For Employee,Per Dipendente For Employee Name,Per Nome Dipendente @@ -1050,7 +1116,9 @@ From Currency and To Currency cannot be same,Da Valuta e A Valuta non possono es From Customer,Da Cliente From Customer Issue,Da Issue clienti From Date,Da Data +From Date cannot be greater than To Date,Dalla data non può essere maggiore di A Data From Date must be before To Date,Da Data deve essere prima di A Data +From Date should be within the Fiscal Year. Assuming From Date = {0},Dalla data deve essere entro l'anno fiscale. Assumendo Dalla Data = {0} From Delivery Note,Nota di Consegna From Employee,Da Dipendente From Lead,Da LEAD @@ -1072,7 +1140,9 @@ Frozen Accounts Modifier,Congelati conti Modifier Fulfilled,Adempiuto Full Name,Nome Completo Full-time,Full-time +Fully Billed,Completamente Fatturato Fully Completed,Debitamente compilato +Fully Delivered,Completamente Consegnato Furniture and Fixture,Mobili e Fixture Further accounts can be made under Groups but entries can be made against Ledger,"Ulteriori conti possono essere fatti in Gruppi , ma le voci possono essere fatte contro Ledger" "Further accounts can be made under Groups, but entries can be made against Ledger","Ulteriori conti possono essere fatti in Gruppi , ma le voci possono essere fatte contro Ledger" @@ -1090,7 +1160,6 @@ Generate Schedule,Genera Programma Generates HTML to include selected image in the description,Genera HTML per includere immagine selezionata nella descrizione Get Advances Paid,Ottenere anticipo pagamento Get Advances Received,ottenere anticipo Ricevuto -Get Against Entries,Get Contro Entries Get Current Stock,Richiedi Disponibilità Get Items,Ottieni articoli Get Items From Sales Orders,Ottieni elementi da ordini di vendita @@ -1103,6 +1172,7 @@ Get Specification Details,Ottieni Specifiche Dettagli Get Stock and Rate,Ottieni Residui e Tassi Get Template,Ottieni Modulo Get Terms and Conditions,Ottieni Termini e Condizioni +Get Unreconciled Entries,Get non riconciliati Entries Get Weekly Off Dates,Get settimanali Date Off "Get valuation rate and available stock at source/target warehouse on mentioned posting date-time. If serialized item, please press this button after entering serial nos.","Ottieni tasso di valutazione e disposizione di magazzino sorgente/destinazione su magazzino menzionati distacco data-ora. Se voce serializzato, si prega di premere questo tasto dopo aver inserito i numeri di serie." Global Defaults,Predefiniti Globali @@ -1171,6 +1241,7 @@ Hour,ora Hour Rate,Vota ora Hour Rate Labour,Ora Vota Labour Hours,Ore +How Pricing Rule is applied?,Come regola tariffaria viene applicata? How frequently?,Con quale frequenza? "How should this currency be formatted? If not set, will use system defaults","Come dovrebbe essere formattata questa valuta? Se non impostato, userà valori predefiniti di sistema" Human Resources,Risorse umane @@ -1187,12 +1258,15 @@ If different than customer address,Se diverso da indirizzo del cliente "If disable, 'Rounded Total' field will not be visible in any transaction","Se disabilitare, 'Rounded totale' campo non sarà visibile in qualsiasi transazione" "If enabled, the system will post accounting entries for inventory automatically.","Se abilitato, il sistema pubblicherà le scritture contabili per l'inventario automatico." If more than one package of the same type (for print),Se più di un pacchetto dello stesso tipo (per la stampa) +"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." "If no change in either Quantity or Valuation Rate, leave the cell blank.","Se non cambia né Quantitativo o Tasso di valutazione , lasciare vuota la cella." If not applicable please enter: NA,Se non applicabile Inserisci: NA "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." +"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 Prezzi selezionato è fatta per 'Prezzo', si sovrascriverà listino prezzi. Prezzo Regola dei prezzi è il prezzo finale, in modo che nessun ulteriore sconto deve essere applicato. Quindi, in operazioni come ordini di vendita, ordine di acquisto, ecc, verrà prelevato in campo 'Tasso', piuttosto che il campo 'Prezzo di listino Rate'." "If specified, send the newsletter using this email address","Se specificato, inviare la newsletter tramite questo indirizzo e-mail" "If the account is frozen, entries are allowed to restricted users.","Se l'account viene bloccato , le voci sono autorizzati a utenti con restrizioni ." "If this Account represents a Customer, Supplier or Employee, set it here.","Se questo account rappresenta un cliente, fornitore o dipendente, impostare qui." +"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Se due o più regole dei prezzi si trovano in base alle condizioni di cui sopra, si applica priorità. La priorità è un numero compreso tra 0 e 20, mentre il valore di default è zero (blank). Numero più alto significa che avrà la precedenza se ci sono più regole dei prezzi con le stesse condizioni." If you follow Quality Inspection. Enables Item QA Required and QA No in Purchase Receipt,Se si seguono Controllo Qualità . Abilita Voce QA necessari e QA No in Acquisto Ricevuta If you have Sales Team and Sale Partners (Channel Partners) they can be tagged and maintain their contribution in the sales activity,Se si dispone di team di vendita e vendita Partners (Partner di canale) possono essere taggati e mantenere il loro contributo per l'attività di vendita "If you have created a standard template in Purchase Taxes and Charges Master, select one and click on the button below.","Se è stato creato un modello standard in Acquisto tasse e le spese master, selezionarne uno e fare clic sul pulsante qui sotto." @@ -1200,6 +1274,7 @@ If you have Sales Team and Sale Partners (Channel Partners) they can be tagged "If you have long print formats, this feature can be used to split the page to be printed on multiple pages with all headers and footers on each page","Se si è a lungo stampare formati, questa funzione può essere usato per dividere la pagina da stampare su più pagine con tutte le intestazioni e piè di pagina in ogni pagina" If you involve in manufacturing activity. Enables Item 'Is Manufactured',Se si coinvolgono in attività di produzione . Abilita Voce ' è prodotto ' Ignore,Ignora +Ignore Pricing Rule,Ignora regola tariffaria Ignored: ,Ignorato: Image,Immagine Image View,Visualizza immagine @@ -1236,8 +1311,9 @@ Income booked for the digest period,Reddito prenotato per il periodo digest Incoming,In arrivo Incoming Rate,Rate in ingresso Incoming quality inspection.,Controllo di qualità in arrivo. +Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Numero errato di contabilità generale dell `trovato. Potreste aver selezionato un conto sbagliato nella transazione. Incorrect or Inactive BOM {0} for Item {1} at row {2},Errata o Inattivo BOM {0} per la voce {1} alla riga {2} -Indicates that the package is a part of this delivery,Indica che il pacchetto è una parte di questa consegna +Indicates that the package is a part of this delivery (Only Draft),Indica che il pacchetto è una parte di questa consegna (solo Bozza) Indirect Expenses,spese indirette Indirect Income,reddito indiretta Individual,Individuale @@ -1263,6 +1339,7 @@ Intern,interno Internal,Interno Internet Publishing,Internet Publishing Introduction,Introduzione +Invalid Barcode,Codice a barre valido Invalid Barcode or Serial No,Codice a barre valido o Serial No Invalid Mail Server. Please rectify and try again.,Server di posta valido . Si prega di correggere e riprovare . Invalid Master Name,Valido Master Nome @@ -1275,9 +1352,12 @@ Investments,investimenti Invoice Date,Data fattura Invoice Details,Dettagli Fattura Invoice No,Fattura n -Invoice Period From Date,Fattura Periodo Dal Data +Invoice Number,Numero di fattura +Invoice Period From,Fattura Periodo Da Invoice Period From and Invoice Period To dates mandatory for recurring invoice,Fattura Periodo Da e fattura Periodo Per le date obbligatorie per la fattura ricorrenti -Invoice Period To Date,Periodo Fattura Per Data +Invoice Period To,Periodo fattura per +Invoice Type,Tipo Fattura +Invoice/Journal Voucher Details,Fattura / Journal Voucher Dettagli Invoiced Amount (Exculsive Tax),Importo fatturato ( Exculsive Tax) Is Active,È attivo Is Advance,È Advance @@ -1308,6 +1388,7 @@ Item Advanced,Voce Avanzata Item Barcode,Barcode articolo Item Batch Nos,Nn batch Voce Item Code,Codice Articolo +Item Code > Item Group > Brand,Codice Articolo> Articolo Group> Brand Item Code and Warehouse should already exist.,Articolo Codice e Magazzino dovrebbero già esistere. Item Code cannot be changed for Serial No.,Codice Articolo non può essere modificato per Serial No. Item Code is mandatory because Item is not automatically numbered,Codice Articolo è obbligatoria in quanto articolo non è numerato automaticamente @@ -1319,6 +1400,7 @@ Item Details,Dettagli articolo Item Group,Gruppo articoli Item Group Name,Articolo Group Item Group Tree,Voce Gruppo Albero +Item Group not mentioned in item master for item {0},Voce Gruppo non menzionato nella voce principale per l'elemento {0} Item Groups in Details,Gruppi di articoli in Dettagli Item Image (if not slideshow),Articolo Immagine (se non slideshow) Item Name,Nome dell'articolo @@ -1389,7 +1471,8 @@ Item-wise Purchase Register,Articolo-saggio Acquisto Registrati Item-wise Sales History,Articolo-saggio Storia Vendite Item-wise Sales Register,Vendite articolo-saggio Registrati "Item: {0} managed batch-wise, can not be reconciled using \ - Stock Reconciliation, instead use Stock Entry","Voce : {0} gestiti saggio - batch, non può conciliarsi con \ \ n riconciliazione Archivio , utilizzare invece dell'entrata Stock" + Stock Reconciliation, instead use Stock Entry","Voce: {0} gestiti saggio-batch, non può conciliarsi con \ + Riconciliazione Archivio invece utilizzare dell'entrata Stock" Item: {0} not found in the system,Voce : {0} non trovato nel sistema Items,Articoli Items To Be Requested,Articoli da richiedere @@ -1492,6 +1575,7 @@ Loading...,Caricamento in corso ... Loans (Liabilities),Prestiti (passività ) Loans and Advances (Assets),Crediti ( Assets ) Local,locale +Login,Entra Login with your new User ID,Accedi con il tuo nuovo ID Utente Logo,Logo Logo and Letter Heads,Logo e Letter Heads @@ -1536,6 +1620,7 @@ Make Maint. Schedule,Fai Maint . piano Make Maint. Visit,Fai Maint . visita Make Maintenance Visit,Effettuare la manutenzione Visita Make Packing Slip,Rendere la distinta di imballaggio +Make Payment,Fai di pagamento Make Payment Entry,Fai Pagamento Entry Make Purchase Invoice,Fai Acquisto Fattura Make Purchase Order,Fai Ordine di Acquisto @@ -1545,8 +1630,10 @@ Make Salary Structure,Fai la struttura salariale Make Sales Invoice,Fai la fattura di vendita Make Sales Order,Fai Sales Order Make Supplier Quotation,Fai Quotazione fornitore +Make Time Log Batch,Fai Tempo Log Batch Male,Maschio Manage Customer Group Tree.,Gestire Gruppi clienti Tree. +Manage Sales Partners.,Gestire partner commerciali. Manage Sales Person Tree.,Gestire Sales Person Tree. Manage Territory Tree.,Gestione Territorio Tree. Manage cost of operations,Gestione dei costi delle operazioni di @@ -1597,6 +1684,8 @@ Max 5 characters,Max 5 caratteri Max Days Leave Allowed,Max giorni di ferie domestici Max Discount (%),Sconto Max (%) Max Qty,Qtà max +Max discount allowed for item: {0} is {1}%,Sconto massimo consentito per la voce: {0} {1}% +Maximum Amount,Importo Massimo Maximum allowed credit is {0} days after posting date,Credito massimo consentito è {0} giorni dalla data di registrazione Maximum {0} rows allowed,Massimo {0} righe ammessi Maxiumm discount for Item {0} is {1}%,Sconto Maxiumm per la voce {0} {1} % @@ -1617,6 +1706,7 @@ Milestones will be added as Events in the Calendar,Pietre miliari saranno aggiun Min Order Qty,Qtà ordine minimo Min Qty,Qty Min Qty can not be greater than Max Qty,Min quantità non può essere maggiore di Max Qtà +Minimum Amount,Importo Minimo Minimum Order Qty,Qtà ordine minimo Minute,minuto Misc Details,Varie Dettagli @@ -1626,7 +1716,6 @@ Mobile No,Cellulare No Mobile No.,Cellulare No. Mode of Payment,Modalità di Pagamento Modern,Moderna -Modified Amount,Importo modificato Monday,Lunedi Month,Mese Monthly,Mensile @@ -1643,7 +1732,8 @@ Mr,Sig. Ms,Ms Multiple Item prices.,Molteplici i prezzi articolo. "Multiple Price Rule exists with same criteria, please resolve \ - conflict by assigning priority. Price Rules: {0}","Multipla Regola Prezzo esiste con gli stessi criteri , si prega di risolvere \ \ n conflitto assegnando priorità." + conflict by assigning priority. Price Rules: {0}","Multipla Regola Prezzo esiste con gli stessi criteri, si prega di risolvere \ + conflitto assegnando priorità. Regole Prezzo: {0}" Music,musica Must be Whole Number,Devono essere intere Numero Name,Nome @@ -1659,6 +1749,7 @@ Negative Valuation Rate is not allowed,Negativo Tasso valutazione non è consent Negative balance in Batch {0} for Item {1} at Warehouse {2} on {3} {4},Saldo negativo Lotto {0} per la voce {1} a Warehouse {2} su {3} {4} Net Pay,Retribuzione netta Net Pay (in words) will be visible once you save the Salary Slip.,Pay netto (in lettere) sarà visibile una volta che si salva il foglio paga. +Net Profit / Loss,Utile / Perdita Net Total,Total Net Net Total (Company Currency),Totale netto (Azienda valuta) Net Weight,Peso netto @@ -1699,7 +1790,6 @@ Newsletter,Newsletter Newsletter Content,Newsletter Contenuto Newsletter Status,Newsletter di stato Newsletter has already been sent,Newsletter è già stato inviato -Newsletters is not allowed for Trial users,Newsletter non è ammessa per gli utenti di prova "Newsletters to contacts, leads.","Newsletter ai contatti, lead." Newspaper Publishers,Editori Giornali Next,prossimo @@ -1721,6 +1811,7 @@ No Supplier Accounts found. Supplier Accounts are identified based on 'Master Ty No accounting entries for the following warehouses,Nessuna scritture contabili per le seguenti magazzini No addresses created,Nessun indirizzi creati No contacts created,No contatti creati +No default Address Template found. Please create a new one from Setup > Printing and Branding > Address Template.,Nessun valore predefinito Indirizzo Template trovato. Si prega di crearne uno nuovo da Setup> Stampa e Branding> Indirizzo Template. No default BOM exists for Item {0},Non esiste BOM predefinito per la voce {0} No description given,Nessuna descrizione fornita No employee found,Nessun dipendente trovato @@ -1730,6 +1821,8 @@ No of Sent SMS,No di SMS inviati No of Visits,No di visite No permission,Nessuna autorizzazione No record found,Nessun record trovato +No records found in the Invoice table,Nessun record trovati nella tabella Fattura +No records found in the Payment table,Nessun record trovati nella tabella di pagamento No salary slip found for month: ,Nessun foglio paga trovato per mese: Non Profit,non Profit Nos,nos @@ -1739,7 +1832,7 @@ Not Available,Non disponibile Not Billed,Non fatturata Not Delivered,Non consegnati Not Set,non impostato -Not allowed to update entries older than {0},Non è permesso di aggiornare le voci di età superiore a {0} +Not allowed to update stock transactions older than {0},Non è permesso di aggiornare le transazioni di magazzino di età superiore a {0} Not authorized to edit frozen Account {0},Non autorizzato a modificare account congelati {0} Not authroized since {0} exceeds limits,Non authroized dal {0} supera i limiti Not permitted,non consentito @@ -1780,7 +1873,6 @@ Only the selected Leave Approver can submit this Leave Application,Solo il selez Open,Aprire Open Production Orders,Aprire ordini di produzione Open Tickets,Biglietti Open -Open source ERP built for the web,ERP open source costruito per il web Opening (Cr),Opening ( Cr ) Opening (Dr),Opening ( Dr) Opening Date,Data di apertura @@ -1805,7 +1897,7 @@ Opportunity Lost,Occasione persa Opportunity Type,Tipo di Opportunità Optional. This setting will be used to filter in various transactions.,Facoltativo. Questa impostazione verrà utilizzato per filtrare in diverse operazioni . Order Type,Tipo di ordine -Order Type must be one of {1},Tipo ordine deve essere uno di {1} +Order Type must be one of {0},Tipo ordine deve essere uno dei {0} Ordered,ordinato Ordered Items To Be Billed,Articoli ordinati da fatturare Ordered Items To Be Delivered,Articoli ordinati da consegnare @@ -1817,7 +1909,6 @@ Organization Name,Nome organizzazione Organization Profile,Profilo dell'organizzazione Organization branch master.,Ramo Organizzazione master. Organization unit (department) master.,Unità organizzativa ( dipartimento) master. -Original Amount,Importo originale Other,Altro Other Details,Altri dettagli Others,altrui @@ -1834,6 +1925,7 @@ Overlapping conditions found between:,Condizioni sovrapposti trovati tra : Overview,Panoramica Owned,Di proprietà Owner,proprietario +P L A - Cess Portion,PLA - Cess Porzione PL or BS,PL o BS PO Date,PO Data PO No,PO No @@ -1846,7 +1938,6 @@ POS Setting required to make POS Entry,Impostazione POS necessario per rendere P POS Setting {0} already created for user: {1} and company {2},POS Ambito {0} già creato per l'utente : {1} e della società {2} POS View,POS View PR Detail,PR Dettaglio -PR Posting Date,PR Data Pubblicazione Package Item Details,Confezione Articolo Dettagli Package Items,Articoli della confezione Package Weight Details,Pacchetto peso @@ -1876,8 +1967,6 @@ Parent Sales Person,Parent Sales Person Parent Territory,Territorio genitore Parent Website Page,Parent Sito Pagina Parent Website Route,Parent Sito Percorso -Parent account can not be a ledger,Conto principale non può essere un libro mastro -Parent account does not exist,Conto principale non esiste Parenttype,ParentType Part-time,A tempo parziale Partially Completed,Parzialmente completato @@ -1886,6 +1975,8 @@ Partly Delivered,Parzialmente Consegnato Partner Target Detail,Partner di destinazione Dettaglio Partner Type,Tipo di partner Partner's Website,Sito del Partner +Party,Partito +Party Account,Account partito Party Type,Tipo partito Party Type Name,Tipo Parte Nome Passive,Passive @@ -1898,10 +1989,14 @@ Payables Group,Debiti Gruppo Payment Days,Giorni di Pagamento Payment Due Date,Pagamento Due Date Payment Period Based On Invoice Date,Periodo di pagamento basati su Data fattura +Payment Reconciliation,Pagamento Riconciliazione +Payment Reconciliation Invoice,Pagamento Riconciliazione fattura +Payment Reconciliation Invoices,Fatture di pagamento riconciliazione +Payment Reconciliation Payment,Pagamento Riconciliazione di pagamento +Payment Reconciliation Payments,Pagamento riconciliazione Pagamenti Payment Type,Tipo di pagamento +Payment cannot be made for empty cart,Il pagamento non può essere effettuato per carrello vuoto Payment of salary for the month {0} and year {1},Il pagamento dello stipendio del mese {0} e l'anno {1} -Payment to Invoice Matching Tool,Pagamento a fattura Matching Tool -Payment to Invoice Matching Tool Detail,Pagamento a fattura Corrispondenza Dettaglio Strumento Payments,Pagamenti Payments Made,Pagamenti effettuati Payments Received,Pagamenti ricevuti @@ -1944,7 +2039,9 @@ Planning,pianificazione Plant,Impianto Plant and Machinery,Impianti e macchinari Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,Inserisci Abbreviazione o Nome breve correttamente in quanto verrà aggiunto come suffisso a tutti i Capi account. +Please Update SMS Settings,Si prega di aggiornare le impostazioni SMS Please add expense voucher details,Si prega di aggiungere spese dettagli promozionali +Please add to Modes of Payment from Setup.,Si prega di aggiungere Modalità di pagamento da Setup. Please check 'Is Advance' against Account {0} if this is an advance entry.,Si prega di verificare 'È Advance ' contro Account {0} se questa è una voce di anticipo. Please click on 'Generate Schedule',Si prega di cliccare su ' Generate Schedule ' Please click on 'Generate Schedule' to fetch Serial No added for Item {0},Si prega di cliccare su ' Generate Schedule ' a prendere Serial No aggiunto per la voce {0} @@ -1992,12 +2089,13 @@ Please enter valid Company Email,Inserisci valido Mail Please enter valid Email Id,Inserisci valido Email Id Please enter valid Personal Email,Inserisci valido Email Personal Please enter valid mobile nos,Inserisci nos mobili validi +Please find attached Sales Invoice #{0},Si trasmette in allegato Fattura # {0} Please install dropbox python module,Si prega di installare dropbox modulo python Please mention no of visits required,Si prega di citare nessuna delle visite richieste Please pull items from Delivery Note,Si prega di tirare oggetti da DDT Please save the Newsletter before sending,Si prega di salvare la Newsletter prima di inviare Please save the document before generating maintenance schedule,Si prega di salvare il documento prima di generare il programma di manutenzione -Please select Account first,Si prega di selezionare Account primo +Please see attachment,Si prega di vedere allegato Please select Bank Account,Seleziona conto bancario 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 Please select Category first,Si prega di selezionare Categoria prima @@ -2005,14 +2103,17 @@ Please select Charge Type first,Seleziona il tipo di carica prima Please select Fiscal Year,Si prega di selezionare l'anno fiscale Please select Group or Ledger value,Si prega di selezionare un valore di gruppo o Ledger Please select Incharge Person's name,Si prega di selezionare il nome del Incharge persona +Please select Invoice Type and Invoice Number in atleast one row,Si prega di selezionare Fattura Tipo e numero di fattura in atleast una riga "Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Sales BOM","Si prega di selezionare Item dove "" è articolo di "" è "" No"" e ""La Voce di vendita "" è "" Sì"" e non c'è nessun altro BOM vendite" Please select Price List,Seleziona Listino Prezzi Please select Start Date and End Date for Item {0},Scegliere una data di inizio e di fine per la voce {0} +Please select Time Logs.,Si prega di selezionare Registri di tempo. Please select a csv file,Seleziona un file csv Please select a valid csv file with data,Selezionare un file csv valido con i dati Please select a value for {0} quotation_to {1},Si prega di selezionare un valore per {0} quotation_to {1} "Please select an ""Image"" first","Seleziona ""Immagine "" prima" Please select charge type first,Si prega di selezionare il tipo di carica prima +Please select company first,Si prega di selezionare prima azienda Please select company first.,Si prega di selezionare prima azienda . Please select item code,Si prega di selezionare il codice articolo Please select month and year,Si prega di selezionare mese e anno @@ -2021,6 +2122,7 @@ Please select the document type first,Si prega di selezionare il tipo di documen Please select weekly off day,Seleziona il giorno di riposo settimanale Please select {0},Si prega di selezionare {0} Please select {0} first,Si prega di selezionare {0} prima +Please select {0} first.,Si prega di selezionare {0} prima. Please set Dropbox access keys in your site config,Si prega di impostare tasti di accesso Dropbox nel tuo sito config Please set Google Drive access keys in {0},Si prega di impostare le chiavi di accesso di Google Drive in {0} 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} @@ -2047,6 +2149,7 @@ Postal,Postale Postal Expenses,spese postali Posting Date,Data di registrazione Posting Time,Tempo Distacco +Posting date and posting time is mandatory,Data di registrazione e il distacco ora è obbligatorio Posting timestamp must be after {0},Distacco timestamp deve essere successiva {0} Potential opportunities for selling.,Potenziali opportunità di vendita. Preferred Billing Address,Preferito Indirizzo di fatturazione @@ -2073,8 +2176,10 @@ Price List not selected,Listino Prezzi non selezionati Price List {0} is disabled,Prezzo di listino {0} è disattivato Price or Discount,Prezzo o Sconto Pricing Rule,Regola Prezzi -Pricing Rule For Discount,Prezzi regola per lo sconto -Pricing Rule For Price,Prezzi regola per Prezzo +Pricing Rule Help,Regola Prezzi Aiuto +"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." +"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Regola Pricing è fatto per sovrascrivere Listino Prezzi / definire la percentuale di sconto, sulla base di alcuni criteri." +Pricing Rules are further filtered based on quantity.,Regole dei prezzi sono ulteriormente filtrati in base alla quantità. Print Format Style,Formato Stampa Style Print Heading,Stampa Rubrica Print Without Amount,Stampare senza Importo @@ -2102,7 +2207,9 @@ Production Plan Sales Orders,Produzione piano di vendita Ordini Production Planning Tool,Production Planning Tool Products,prodotti "Products will be sorted by weight-age in default searches. More the weight-age, higher the product will appear in the list.","I prodotti saranno ordinati in peso-età nelle ricerche predefinite. Più il peso-età, più alto è il prodotto verrà visualizzato nell'elenco." +Professional Tax,Tasse professionale Profit and Loss,Economico +Profit and Loss Statement,Conto Economico Project,Progetto Project Costing,Progetto Costing Project Details,Dettagli del progetto @@ -2125,7 +2232,9 @@ Projects & System,Progetti & Sistema Prompt for Email on Submission of,Richiedi Email su presentazione di Proposal Writing,Scrivere proposta Provide email id registered in company,Fornire id-mail registrato in azienda +Provisional Profit / Loss (Credit),Risultato provvisorio / Perdita (credito) Public,Pubblico +Published on website at: {0},Pubblicato il sito web all'indirizzo: {0} Publishing,editoria Pull sales orders (pending to deliver) based on the above criteria,Tirare ordini di vendita (in attesa di consegnare) sulla base dei criteri di cui sopra Purchase,Acquisto @@ -2134,7 +2243,6 @@ Purchase Analytics,Acquisto Analytics Purchase Common,Comuni di acquisto Purchase Details,"Acquisto, i dati" Purchase Discounts,Acquisto Sconti -Purchase In Transit,Acquisto In Transit Purchase Invoice,Acquisto Fattura Purchase Invoice Advance,Acquisto Advance Fattura Purchase Invoice Advances,Acquisto anticipi fatture @@ -2142,7 +2250,6 @@ Purchase Invoice Item,Acquisto Articolo Fattura Purchase Invoice Trends,Acquisto Tendenze Fattura Purchase Invoice {0} is already submitted,Acquisto Fattura {0} è già presentato Purchase Order,Ordine di acquisto -Purchase Order Date,Ordine di acquisto Data Purchase Order Item,Ordine di acquisto dell'oggetto Purchase Order Item No,Acquisto fig Purchase Order Item Supplied,Ordine di acquisto Articolo inserito @@ -2206,7 +2313,6 @@ Quarter,Quartiere Quarterly,Trimestrale Quick Help,Guida rapida Quotation,Quotazione -Quotation Date,Preventivo Data Quotation Item,Quotazione articolo Quotation Items,Voci di quotazione Quotation Lost Reason,Quotazione Perso Motivo @@ -2284,6 +2390,7 @@ Recurring Invoice,Fattura ricorrente Recurring Type,Tipo ricorrente Reduce Deduction for Leave Without Pay (LWP),Ridurre Deduzione per aspettativa senza assegni (LWP) Reduce Earning for Leave Without Pay (LWP),Ridurre Guadagnare in aspettativa senza assegni (LWP) +Ref,Arbitro Ref Code,Rif. Codice Ref SQ,Rif. SQ Reference,Riferimento @@ -2307,6 +2414,7 @@ Relieving Date,Alleviare Data Relieving Date must be greater than Date of Joining,Data Alleviare deve essere maggiore di Data di giunzione Remark,Osservazioni Remarks,Osservazioni +Remarks Custom,Annotazioni Custom Rename,rinominare Rename Log,Rinominare Entra Rename Tool,Rename Tool @@ -2322,6 +2430,7 @@ Report Type,Tipo di rapporto Report Type is mandatory,Tipo di rapporto è obbligatoria Reports to,Relazioni al Reqd By Date,Reqd Per Data +Reqd by Date,Reqd per Data Request Type,Tipo di richiesta Request for Information,Richiesta di Informazioni Request for purchase.,Richiesta di acquisto. @@ -2375,21 +2484,34 @@ Rounded Total,Totale arrotondato Rounded Total (Company Currency),Totale arrotondato (Azienda valuta) Row # ,Row # Row # {0}: , +Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,Row # {0}: quantità ordinata non può a meno di quantità di ordine minimo dell'elemento (definito al punto master). +Row #{0}: Please specify Serial No for Item {1},Row # {0}: Si prega di specificare Numero d'ordine per la voce {1} "Row {0}: Account does not match with \ - Purchase Invoice Credit To account",Riga {0} : Account non corrisponde \ \ n Purchase Invoice accreditare sul suo conto + Purchase Invoice Credit To account","Riga {0}: Account non corrisponde con \ + Acquisto fattura accreditare sul suo conto" "Row {0}: Account does not match with \ - Sales Invoice Debit To account",Riga {0} : Account non corrisponde \ \ n Fattura Debito Per tenere conto + Sales Invoice Debit To account","Riga {0}: Account non corrisponde con \ + Fattura Debito Per tenere conto" +Row {0}: Conversion Factor is mandatory,Riga {0}: fattore di conversione è obbligatoria Row {0}: Credit entry can not be linked with a Purchase Invoice,Riga {0} : ingresso credito non può essere collegato con una fattura di acquisto Row {0}: Debit entry can not be linked with a Sales Invoice,Riga {0} : ingresso debito non può essere collegato con una fattura di vendita +Row {0}: Payment amount must be less than or equals to invoice outstanding amount. Please refer Note below.,Riga {0}: importo pagamento deve essere inferiore o uguale a fatturare importo residuo. Si prega di fare riferimento Nota di seguito. +Row {0}: Qty is mandatory,Riga {0}: Quantità è obbligatorio +"Row {0}: Qty not avalable in warehouse {1} on {2} {3}. + Available Qty: {4}, Transfer Qty: {5}","Riga {0}: Quantità non avalable in magazzino {1} su {2} {3}. + Disponibile Quantità: {4}, Quantità di trasferimento: {5}" "Row {0}: To set {1} periodicity, difference between from and to date \ - must be greater than or equal to {2}","Riga {0} : Per impostare {1} periodicità , differenza tra da e per data \ \ n deve essere maggiore o uguale a {2}" + must be greater than or equal to {2}","Riga {0}: Per impostare {1} periodicità, differenza tra da e per data \ + deve essere maggiore o uguale a {2}" Row {0}:Start Date must be before End Date,Riga {0} : Data di inizio deve essere precedente Data di fine Rules for adding shipping costs.,Regole per l'aggiunta di spese di spedizione . Rules for applying pricing and discount.,Le modalità di applicazione di prezzi e sconti . Rules to calculate shipping amount for a sale,Regole per il calcolo dell'importo di trasporto per una vendita S.O. No.,S.O. No. +SHE Cess on Excise,SHE Cess su accise +SHE Cess on Service Tax,SHE Cess sul servizio Tax +SHE Cess on TDS,SHE Cess su TDS SMS Center,Centro SMS -SMS Control,SMS Control SMS Gateway URL,SMS Gateway URL SMS Log,SMS Log SMS Parameter,SMS Parametro @@ -2494,15 +2616,20 @@ Securities and Deposits,I titoli e depositi "Select ""Yes"" if this item represents some work like training, designing, consulting etc.","Selezionare "Sì" se l'oggetto rappresenta un lavoro come la formazione, progettazione, consulenza, ecc" "Select ""Yes"" if you are maintaining stock of this item in your Inventory.",Selezionare "Sì" se si sta mantenendo magazzino di questo articolo nel tuo inventario. "Select ""Yes"" if you supply raw materials to your supplier to manufacture this item.",Selezionare "Sì" se si forniscono le materie prime per il vostro fornitore per la fabbricazione di questo oggetto. +Select Brand...,Seleziona Marca ... Select Budget Distribution to unevenly distribute targets across months.,Selezionare Budget Distribution per distribuire uniformemente gli obiettivi in ​​tutta mesi. "Select Budget Distribution, if you want to track based on seasonality.","Selezionare Budget distribuzione, se si desidera tenere traccia in base a stagionalità." +Select Company...,Seleziona Company ... Select DocType,Selezionare DocType +Select Fiscal Year...,Selezionare l'anno fiscale ... Select Items,Selezionare Elementi +Select Project...,Selezionare Progetto ... Select Purchase Receipts,Selezionare ricevute di acquisto Select Sales Orders,Selezionare Ordini di vendita Select Sales Orders from which you want to create Production Orders.,Selezionare gli ordini di vendita da cui si desidera creare gli ordini di produzione. Select Time Logs and Submit to create a new Sales Invoice.,Selezionare Time Diari e Invia per creare una nuova fattura di vendita. Select Transaction,Selezionare Transaction +Select Warehouse...,Seleziona Warehouse ... Select Your Language,Seleziona la tua lingua Select account head of the bank where cheque was deposited.,Selezionare conto capo della banca in cui assegno è stato depositato. Select company name first.,Selezionare il nome della società prima. @@ -2520,6 +2647,7 @@ Select your home country and check the timezone and currency.,Seleziona il tuo p "Selecting ""Yes"" will give a unique identity to each entity of this item which can be viewed in the Serial No master.",Selezionando "Sì" darà una identità unica di ciascun soggetto di questa voce che può essere visualizzato nel Serial Nessun maestro. Selling,Vendere Selling Settings,Vendere Impostazioni +"Selling must be checked, if Applicable For is selected as {0}","Vendita deve essere controllato, se applicabile per è selezionato come {0}" Send,Invia Send Autoreply,Invia Autoreply Send Email,Invia Email @@ -2556,7 +2684,8 @@ Serial Nos Required for Serialized Item {0},Serial Nos Obbligatorio per la voce Serial Number Series,Serial Number Series Serial number {0} entered more than once,Numero di serie {0} è entrato più di una volta "Serialized Item {0} cannot be updated \ - using Stock Reconciliation",Voce Serialized {0} non può essere aggiornato \ \ n utilizzando riconciliazione Archivio + using Stock Reconciliation","Voce Serialized {0} non può essere aggiornato \ + usando Riconciliazione Archivio" Series,serie Series List for this Transaction,Lista Serie per questa transazione Series Updated,serie Aggiornato @@ -2565,15 +2694,18 @@ Series is mandatory,Series è obbligatorio Series {0} already used in {1},Serie {0} già utilizzata in {1} Service,servizio Service Address,Service Indirizzo +Service Tax,Servizio fiscale Services,Servizi Set,set "Set Default Values like Company, Currency, Current Fiscal Year, etc.","Impostare i valori predefiniti , come Società , valuta , corrente anno fiscale , ecc" Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,Impostare la voce del budget di Gruppo-saggi su questo territorio. È inoltre possibile includere la stagionalità impostando la distribuzione. +Set Status as Available,Imposta stato come Disponibile Set as Default,Imposta come predefinito Set as Lost,Imposta come persa Set prefix for numbering series on your transactions,Impostare prefisso per numerazione serie sulle transazioni Set targets Item Group-wise for this Sales Person.,Fissare obiettivi Item Group-saggio per questo venditore. Setting Account Type helps in selecting this Account in transactions.,Impostazione Tipo di account aiuta nella scelta questo account nelle transazioni. +Setting this Address Template as default as there is no other default,L'impostazione di questo modello di indirizzo di default perché non c'è altro difetto Setting up...,Impostazione ... Settings,Impostazioni Settings for HR Module,Impostazioni per il modulo HR @@ -2581,6 +2713,7 @@ Settings for HR Module,Impostazioni per il modulo HR Setup,Setup Setup Already Complete!!,Setup già completo ! Setup Complete,installazione completa +Setup SMS gateway settings,Impostazioni del gateway configurazione di SMS Setup Series,Serie Setup Setup Wizard,Setup Wizard Setup incoming server for jobs email id. (e.g. jobs@example.com),Configurazione del server in arrivo per i lavori di id-mail . ( ad esempio jobs@example.com ) @@ -2606,6 +2739,7 @@ Short biography for website and other publications.,Breve biografia per il sito Show In Website,Mostra Nel Sito Show a slideshow at the top of the page,Visualizzare una presentazione in cima alla pagina Show in Website,Mostra nel Sito +Show rows with zero values,Mostra righe con valori pari a zero Show this slideshow at the top of the page,Mostra questo slideshow in cima alla pagina Sick Leave,Sick Leave Signature,Firma @@ -2635,9 +2769,9 @@ Specifications,specificazioni "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." Split Delivery Note into packages.,Split di consegna Nota in pacchetti. Sports,sportivo +Sr,Sr Standard,Standard Standard Buying,Comprare standard -Standard Rate,Standard Rate Standard Reports,Rapporti standard Standard Selling,Selling standard Standard contract terms for Sales or Purchase.,Condizioni contrattuali standard per la vendita o di acquisto. @@ -2646,6 +2780,7 @@ Start Date,Data di inizio Start date of current invoice's period,Data finale del periodo di fatturazione corrente Avviare Start date should be less than end date for Item {0},Data di inizio dovrebbe essere inferiore a quella di fine per la voce {0} State,Stato +Statement of Account,Estratto conto Static Parameters,Parametri statici Status,Stato Status must be one of {0},Stato deve essere uno dei {0} @@ -2687,6 +2822,7 @@ Stock Value Difference,Valore Archivio Differenza Stock balances updated,Saldi archivi aggiornati Stock cannot be updated against Delivery Note {0},Stock non può essere aggiornata contro Consegna Nota {0} Stock entries exist against warehouse {0} cannot re-assign or modify 'Master Name',Esistono le entrate nelle scorte di magazzino contro {0} non può ri- assegnare o modificare 'Master Nome' +Stock transactions before {0} are frozen,Operazioni azione prima {0} sono congelati Stop,Arresto Stop Birthday Reminders,Arresto Compleanno Promemoria Stop Material Request,Arresto Materiale Richiesta @@ -2706,13 +2842,13 @@ Submit this Production Order for further processing.,Invia questo ordine di prod Submitted,Inserito Subsidiary,Sussidiario Successful: ,Successo: -Successfully allocated,assegnata con successo +Successfully Reconciled,Riconciliati con successo Suggestions,Suggerimenti Sunday,Domenica Supplier,Fornitore Supplier (Payable) Account,Fornitore (da pagare) Conto Supplier (vendor) name as entered in supplier master,Nome del fornitore (venditore) come è entrato in master fornitore -Supplier Account,conto fornitore +Supplier > Supplier Type,Fornitore> Fornitore Tipo Supplier Account Head,Fornitore Account testa Supplier Address,Fornitore Indirizzo Supplier Addresses and Contacts,Indirizzi e contatti Fornitore @@ -2750,6 +2886,12 @@ Sync with Google Drive,Sincronizzazione con Google Drive System,Sistema System Settings,Impostazioni di sistema "System User (login) ID. If set, it will become default for all HR forms.","Utente di sistema (login) ID. Se impostato, esso diventerà di default per tutti i moduli HR." +TDS (Advertisement),TDS (Pubblicità) +TDS (Commission),TDS (Commissione) +TDS (Contractor),TDS (Contractor) +TDS (Interest),TDS (Interest) +TDS (Rent),TDS (Affitto) +TDS (Salary),TDS (Salario) Target Amount,L'importo previsto Target Detail,Obiettivo Particolare Target Details,Dettagli di destinazione @@ -2770,10 +2912,12 @@ Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are no Tax Rate,Aliquota fiscale Tax and other salary deductions.,Fiscale e di altre deduzioni salariali. "Tax detail table fetched from item master as a string and stored in this field. -Used for Taxes and Charges",Dettaglio tabella tassa prelevato dalla voce principale come una stringa e memorizzato in questo campo . \ Nused per imposte e oneri +Used for Taxes and Charges","Tabella di dettaglio fiscale prelevato dalla voce principale come una stringa e memorizzato in questo campo. + Usato per imposte e oneri" Tax template for buying transactions.,Modello fiscale per l'acquisto di transazioni. Tax template for selling transactions.,Modello fiscale per la vendita di transazioni. Taxable,Imponibile +Taxes,Tassazione. Taxes and Charges,Tasse e Costi Taxes and Charges Added,Tasse e spese aggiuntive Taxes and Charges Added (Company Currency),Tasse e spese aggiuntive (Azienda valuta) @@ -2786,6 +2930,7 @@ Technology,tecnologia Telecommunications,Telecomunicazioni Telephone Expenses,spese telefoniche Television,televisione +Template,Modelli Template for performance appraisals.,Modello per la valutazione delle prestazioni . Template of terms or contract.,Template di termini o di contratto. Temporary Accounts (Assets),Conti temporanee ( Assets ) @@ -2815,7 +2960,8 @@ The First User: You,Il primo utente : è The Organization,l'Organizzazione "The account head under Liability, in which Profit/Loss will be booked","La testa account con responsabilità, in cui sarà prenotato Utile / Perdita" "The date on which next invoice will be generated. It is generated on submit. -",La data in cui verrà generato prossima fattura . +","La data in cui verrà generato prossima fattura. Viene generato su Invia. +" The date on which recurring invoice will be stop,La data in cui fattura ricorrente sarà ferma "The day of the month on which auto invoice will be generated e.g. 05, 28 etc ","Il giorno del mese in cui verrà generato fattura auto ad esempio 05, 28, ecc" The day(s) on which you are applying for leave are holiday. You need not apply for leave.,Il giorno ( s ) in cui si stanno applicando per ferie sono vacanze . Non c'è bisogno di domanda per il congedo . @@ -2827,6 +2973,7 @@ The net weight of this package. (calculated automatically as sum of net weight o The new BOM after replacement,Il nuovo BOM dopo la sostituzione The rate at which Bill Currency is converted into company's base currency,La velocità con cui Bill valuta viene convertita in valuta di base dell'azienda 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. +"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Poi Regole dei prezzi vengono filtrati in base a cliente, Gruppo Cliente, Territorio, Fornitore, Fornitore Tipo, Campagna, Partner di vendita ecc" There are more holidays than working days this month.,Ci sono più feste di giorni di lavoro di questo mese . "There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Ci può essere una sola regola spedizione Circostanza con 0 o il valore vuoto per "" To Value """ There is not enough leave balance for Leave Type {0},Non c'è equilibrio congedo sufficiente per Leave tipo {0} @@ -2838,6 +2985,7 @@ This Leave Application is pending approval. Only the Leave Apporver can update s This Time Log Batch has been billed.,Questo Log Batch Ora è stato fatturato. This Time Log Batch has been cancelled.,Questo Log Batch Ora è stato annullato. This Time Log conflicts with {0},This Time Log in conflitto con {0} +This format is used if country specific format is not found,Questo formato viene utilizzato se il formato specifico per il Paese non viene trovata This is a root account and cannot be edited.,Questo è un account di root e non può essere modificato . This is a root customer group and cannot be edited.,Si tratta di un gruppo di clienti root e non può essere modificato . This is a root item group and cannot be edited.,Questo è un gruppo elemento principale e non può essere modificato . @@ -2853,7 +3001,9 @@ Time Log Batch,Tempo Log Batch Time Log Batch Detail,Ora Dettaglio Batch Log Time Log Batch Details,Tempo Log Dettagli batch Time Log Batch {0} must be 'Submitted',Tempo Log Lotto {0} deve essere ' inoltrata ' +Time Log Status must be Submitted.,Tempo Log Stato deve essere presentata. Time Log for tasks.,Tempo di log per le attività. +Time Log is not billable,Il tempo log non è fatturabile Time Log {0} must be 'Submitted',Tempo di log {0} deve essere ' inoltrata ' Time Zone,Time Zone Time Zones,Time Zones @@ -2866,6 +3016,7 @@ To,A To Currency,Per valuta To Date,Di sesso To Date should be same as From Date for Half Day leave,Per data deve essere lo stesso Dalla Data per il congedo mezza giornata +To Date should be within the Fiscal Year. Assuming To Date = {0},Per data deve essere entro l'anno fiscale. Assumendo A Data = {0} To Discuss,Per Discutere To Do List,To Do List To Package No.,A Pacchetto no @@ -2875,8 +3026,8 @@ To Value,Per Valore To Warehouse,A Magazzino "To add child nodes, explore tree and click on the node under which you want to add more nodes.","Per aggiungere nodi figlio , esplorare albero e fare clic sul nodo in cui si desidera aggiungere più nodi ." "To assign this issue, use the ""Assign"" button in the sidebar.","Per assegnare questo problema, utilizzare il pulsante "Assegna" nella barra laterale." -To create a Bank Account:,Per creare un conto bancario : -To create a Tax Account:,Per creare un Account Tax : +To create a Bank Account,Per creare un conto bancario +To create a Tax Account,Per creare un Account Tax "To create an Account Head under a different company, select the company and save customer.","Per creare un account in testa una società diversa, selezionare l'azienda e salvare cliente." To date cannot be before from date,Fino ad oggi non può essere prima dalla data To enable Point of Sale features,Per abilitare la funzionalità Point of Sale @@ -2884,22 +3035,23 @@ To enable Point of Sale view,Per attivare punto di vendita < / b > Vi To get Item Group in details table,Per ottenere Gruppo di elementi in dettaglio tabella "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" "To merge, following properties must be same for both items","Per unire , seguenti proprietà devono essere uguali per entrambe le voci" -"To report an issue, go to ", +"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." "To set this Fiscal Year as Default, click on 'Set as Default'","Per impostare questo anno fiscale come predefinito , clicca su ' Imposta come predefinito'" To track any installation or commissioning related work after sales,Per tenere traccia di alcuna installazione o messa in attività collegate post-vendita "To track brand name in the following documents Delivery Note, Opportunity, Material Request, Item, Purchase Order, Purchase Voucher, Purchaser Receipt, Quotation, Sales Invoice, Sales BOM, Sales Order, Serial No","Per tenere traccia di marca nelle seguenti documenti di consegna Note , Opportunità , richiedere materiale , articolo , ordine di acquisto , Buono Acquisto , l'Acquirente Scontrino fiscale, preventivo , fattura di vendita , vendite BOM , ordini di vendita , Serial No" To track item in sales and purchase documents based on their serial nos. This is can also used to track warranty details of the product.,Per tenere traccia di voce in documenti di vendita e di acquisto in base alle loro n ° di serie. Questo è può anche usato per rintracciare informazioni sulla garanzia del prodotto. To track items in sales and purchase documents with batch nos
Preferred Industry: Chemicals etc,"Per tenere traccia di elementi in documenti di vendita e acquisto con nos lotti
Industria preferita: Chimica, ecc" To track items using barcode. You will be able to enter items in Delivery Note and Sales Invoice by scanning barcode of item.,Per tenere traccia di elementi con codice a barre. Si sarà in grado di inserire articoli nel DDT e fattura di vendita attraverso la scansione del codice a barre del prodotto. +Too many columns. Export the report and print it using a spreadsheet application.,Troppe colonne. Esportare il report e stamparlo utilizzando un foglio di calcolo. Tools,Strumenti Total,Totale +Total ({0}),Totale ({0}) Total Advance,Totale Advance -Total Allocated Amount,Importo totale allocato -Total Allocated Amount can not be greater than unmatched amount,Totale importo concesso non può essere superiore all'importo ineguagliata Total Amount,Totale Importo Total Amount To Pay,Importo totale da pagare Total Amount in Words,Importo totale in parole Total Billing This Year: ,Fatturazione questo Anno: +Total Characters,Totale Personaggi Total Claimed Amount,Totale importo richiesto Total Commission,Commissione Totale Total Cost,Costo totale @@ -2923,14 +3075,13 @@ Total Score (Out of 5),Punteggio totale (i 5) Total Tax (Company Currency),Totale IVA (Azienda valuta) Total Taxes and Charges,Totale imposte e oneri Total Taxes and Charges (Company Currency),Totale tasse e spese (Azienda valuta) -Total Words,Totale Parole -Total Working Days In The Month,Giorni di lavoro totali nel mese Total allocated percentage for sales team should be 100,Totale percentuale assegnato per il team di vendita dovrebbe essere di 100 Total amount of invoices received from suppliers during the digest period,Importo totale delle fatture ricevute dai fornitori durante il periodo di digest Total amount of invoices sent to the customer during the digest period,Importo totale delle fatture inviate al cliente durante il periodo di digest Total cannot be zero,Totale non può essere zero Total in words,Totale in parole Total points for all goals should be 100. It is {0},Punti totali per tutti gli obiettivi dovrebbero essere 100. È {0} +Total valuation for manufactured or repacked item(s) can not be less than total valuation of raw materials,Valutazione totale di fabbricati o nuovamente imballati item (s) non può essere inferiore al valore totale delle materie prime Total weightage assigned should be 100%. It is {0},Weightage totale assegnato dovrebbe essere al 100 % . E ' {0} Totals,Totali Track Leads by Industry Type.,Pista Leads per settore Type. @@ -2966,7 +3117,7 @@ UOM Conversion Details,UM Dettagli di conversione UOM Conversion Factor,Fattore di Conversione UOM UOM Conversion factor is required in row {0},Fattore UOM conversione è necessaria in riga {0} UOM Name,UOM Nome -UOM coversion factor required for UOM {0} in Item {1},Fattore coversion UOM richiesto per UOM {0} alla voce {1} +UOM coversion factor required for UOM: {0} in Item: {1},Fattore coversion UOM richiesto per Confezionamento: {0} alla voce: {1} Under AMC,Sotto AMC Under Graduate,Sotto Laurea Under Warranty,Sotto Garanzia @@ -2976,8 +3127,8 @@ Unit of Measure {0} has been entered more than once in Conversion Factor Table,U "Unit of measurement of this item (e.g. Kg, Unit, No, Pair).","Unità di misura di questo oggetto (es. Kg, Unità, No, coppia)." Units/Hour,Unità / Hour Units/Shifts,Unità / turni -Unmatched Amount,Importo senza pari Unpaid,Non pagata +Unreconciled Payment Details,Non riconciliate Particolari di pagamento Unscheduled,Non in programma Unsecured Loans,I prestiti non garantiti Unstop,stappare @@ -2992,7 +3143,6 @@ Update Landed Cost,Aggiornamento Landed Cost Update Series,Update Update Series Number,Aggiornamento Numero di Serie Update Stock,Aggiornare Archivio -"Update allocated amount in the above table and then click ""Allocate"" button",Aggiornamento dell'importo stanziato nella precedente tabella e quindi fare clic su pulsante "allocato" Update bank payment dates with journals.,Risale aggiornamento versamento bancario con riviste. Update clearance date of Journal Entries marked as 'Bank Vouchers',"Data di aggiornamento della respinta corta di voci di diario contrassegnato come "" Buoni Banca '" Updated,Aggiornato @@ -3009,6 +3159,7 @@ Upper Income,Reddito superiore Urgent,Urgente Use Multi-Level BOM,Utilizzare BOM Multi-Level Use SSL,Usa SSL +Used for Production Plan,Usato per Piano di Produzione User,Utente User ID,ID utente User ID not set for Employee {0},ID utente non è impostato per Employee {0} @@ -3047,9 +3198,9 @@ View Now,Guarda ora Visit report for maintenance call.,Visita rapporto per chiamata di manutenzione. Voucher #,Voucher # Voucher Detail No,Voucher Detail No +Voucher Detail Number,Voucher Number Dettaglio Voucher ID,ID Voucher Voucher No,Voucher No -Voucher No is not valid,No Voucher non è valido Voucher Type,Voucher Tipo Voucher Type and Date,Tipo di Voucher e Data Walk In,Walk In @@ -3065,11 +3216,12 @@ Warehouse is mandatory for stock Item {0} in row {1},Warehouse è obbligatorio p Warehouse is missing in Purchase Order,Warehouse manca in ordine d'acquisto Warehouse not found in the system,Warehouse non trovato nel sistema Warehouse required for stock Item {0},Magazzino richiesto per magazzino Voce {0} -Warehouse required in POS Setting,Warehouse richiesto POS Ambito Warehouse where you are maintaining stock of rejected items,Magazzino dove si sta mantenendo magazzino di articoli rifiutati Warehouse {0} can not be deleted as quantity exists for Item {1},Warehouse {0} non può essere soppresso in quanto esiste la quantità per articolo {1} Warehouse {0} does not belong to company {1},Warehouse {0} non appartiene a società {1} Warehouse {0} does not exist,Warehouse {0} non esiste +Warehouse {0}: Company is mandatory,Warehouse {0}: Società è obbligatoria +Warehouse {0}: Parent account {1} does not bolong to the company {2},Warehouse {0}: conto Parent {1} non Bolong alla società {2} Warehouse-Wise Stock Balance,Magazzino-saggio Stock Balance Warehouse-wise Item Reorder,Magazzino-saggio Voce riordino Warehouses,Magazzini @@ -3114,13 +3266,14 @@ Will be updated when batched.,Verrà aggiornato quando dosati. Will be updated when billed.,Verrà aggiornato quando fatturati. Wire Transfer,Bonifico bancario With Operations,Con operazioni -With period closing entry,Con l'ingresso di chiusura del periodo +With Period Closing Entry,Con Entry periodo di chiusura Work Details,Dettagli lavoro Work Done,Attività svolta Work In Progress,Work In Progress Work-in-Progress Warehouse,Work-in-Progress Warehouse Work-in-Progress Warehouse is required before Submit,Work- in- Progress Warehouse è necessario prima Submit Working,Lavoro +Working Days,Giorni lavorativi Workstation,Stazione di lavoro Workstation Name,Nome workstation Write Off Account,Scrivi Off account @@ -3136,9 +3289,6 @@ Year Closed,Anno Chiuso Year End Date,Data di Fine Anno Year Name,Anno Nome Year Start Date,Anno Data di inizio -Year Start Date and Year End Date are already set in Fiscal Year {0},Anno data di inizio e di fine anno sono già impostati nel Fiscal Year {0} -Year Start Date and Year End Date are not within Fiscal Year.,Anno data di inizio e di fine anno non sono raggiungibili anno fiscale . -Year Start Date should not be greater than Year End Date,Anno Data di inizio non deve essere maggiore di Data Fine Anno Year of Passing,Anni dal superamento Yearly,Annuale Yes,Sì @@ -3148,7 +3298,6 @@ You are the Expense Approver for this record. Please Update the 'Status' and Sav You are the Leave Approver for this record. Please Update the 'Status' and Save,Tu sei il Lascia Responsabile approvazione per questo record . Si prega di aggiornare il 'Stato' e Save You can enter any date manually,È possibile immettere qualsiasi data manualmente You can enter the minimum quantity of this item to be ordered.,È possibile inserire la quantità minima di questo oggetto da ordinare. -You can not assign itself as parent account,Non è possibile assegnare stesso come conto principale You can not change rate if BOM mentioned agianst any item,Non è possibile modificare tariffa se BOM menzionato agianst tutto l'articolo You can not enter both Delivery Note No and Sales Invoice No. Please enter any one.,Non è possibile inserire sia Consegna Nota n e Fattura n Inserisci nessuno. You can not enter current voucher in 'Against Journal Voucher' column,Non è possibile immettere voucher di corrente in ' Contro ufficiale Voucher ' colonna @@ -3160,7 +3309,6 @@ You cannot credit and debit same account at the same time,"Non si può di credit You have entered duplicate items. Please rectify and try again.,Hai inserito gli elementi duplicati . Si prega di correggere e riprovare . You may need to update: {0},Potrebbe essere necessario aggiornare : {0} You must Save the form before proceeding,È necessario Salvare il modulo prima di procedere -You must allocate amount before reconcile,È necessario allocare importo prima di riconciliazione Your Customer's TAX registration numbers (if applicable) or any general information,FISCALI numeri di registrazione del vostro cliente (se applicabile) o qualsiasi informazione generale Your Customers,I vostri clienti Your Login Id,Il tuo ID di accesso @@ -3173,11 +3321,13 @@ Your sales person who will contact the customer in future,Il vostro agente di co Your sales person will get a reminder on this date to contact the customer,Il rivenditore avrà un ricordo in questa data per contattare il cliente Your setup is complete. Refreshing...,La configurazione è completa. Rinfrescante ... Your support email id - must be a valid email - this is where your emails will come!,Il vostro supporto e-mail id - deve essere un indirizzo email valido - questo è dove i vostri messaggi di posta elettronica verranno! +[Error],[Error] [Select],[Seleziona ] `Freeze Stocks Older Than` should be smaller than %d days.,` Stocks Blocca Anziani Than ` dovrebbero essere inferiori % d giorni . and,e are not allowed.,non sono ammessi . assigned by,assegnato da +cannot be greater than 100,non può essere superiore a 100 "e.g. ""Build tools for builders""","ad esempio "" Costruire strumenti per i costruttori """ "e.g. ""MC""","ad esempio "" MC """ "e.g. ""My Company LLC""","ad esempio ""My Company LLC """ @@ -3190,32 +3340,34 @@ example: Next Day Shipping,esempio: Next Day spedizione lft,LFT old_parent,old_parent rgt,rgt +subject,soggetto +to,a website page link,sito web link alla pagina {0} '{1}' not in Fiscal Year {2},{0} ' {1}' non in Fiscal Year {2} {0} Credit limit {0} crossed,{0} Limite di credito {0} attraversato {0} Serial Numbers required for Item {0}. Only {0} provided.,{0} numeri di serie necessari per la voce {0} . Solo {0} disponibile . {0} budget for Account {1} against Cost Center {2} will exceed by {3},{0} budget per conto {1} contro il centro di costo {2} supererà da {3} +{0} can not be negative,{0} non può essere negativo {0} created,{0} creato {0} does not belong to Company {1},{0} non appartiene alla società {1} {0} entered twice in Item Tax,{0} entrato due volte in Tax articolo {0} is an invalid email address in 'Notification Email Address',{0} è un indirizzo email valido in ' Notifica Indirizzo e-mail ' {0} is mandatory,{0} è obbligatoria {0} is mandatory for Item {1},{0} è obbligatorio per la voce {1} +{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} è obbligatoria. Forse record di cambio di valuta non è stato creato per {1} {2}. {0} is not a stock Item,{0} non è un articolo di {0} is not a valid Batch Number for Item {1},{0} non è un valido numero di lotto per la voce {1} -{0} is not a valid Leave Approver,{0} non è una valida Lascia Approvatore +{0} is not a valid Leave Approver. Removing row #{1}.,{0} non è un valido Leave approvazione. Rimozione di fila # {1}. {0} is not a valid email id,{0} non è un id e-mail valido {0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} ora è l'impostazione predefinita anno fiscale . Si prega di aggiornare il browser per la modifica abbia effetto . {0} is required,{0} è richiesto {0} must be a Purchased or Sub-Contracted Item in row {1},{0} deve essere un articolo acquistato o in subappalto in riga {1} -{0} must be less than or equal to {1},{0} deve essere minore o uguale a {1} +{0} must be reduced by {1} or you should increase overflow tolerance,{0} deve essere ridotto di {1} o si dovrebbe aumentare la tolleranza di overflow {0} must have role 'Leave Approver',{0} deve avere ruolo di ' Lascia Approvatore ' {0} valid serial nos for Item {1},{0} nos seriali validi per Voce {1} {0} {1} against Bill {2} dated {3},{0} {1} contro Bill {2} del {3} {0} {1} against Invoice {2},{0} {1} contro fattura {2} {0} {1} has already been submitted,{0} {1} è già stata presentata -{0} {1} has been modified. Please Refresh,{0} {1} è stato modificato . Si prega Aggiorna -{0} {1} has been modified. Please refresh,{0} {1} è stato modificato . Si prega di aggiornare {0} {1} has been modified. Please refresh.,{0} {1} è stato modificato . Si prega di aggiornare . {0} {1} is not submitted,{0} {1} non è presentata {0} {1} must be submitted,{0} {1} deve essere presentato @@ -3223,3 +3375,5 @@ website page link,sito web link alla pagina {0} {1} status is 'Stopped',{0} {1} stato è ' Arrestato ' {0} {1} status is Stopped,{0} {1} stato è Interrotto {0} {1} status is Unstopped,{0} {1} stato è unstopped +{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: centro di costo è obbligatoria per la voce {2} +{0}: {1} not found in Invoice Details table,{0}: {1} non trovato in fattura tabella Dettagli diff --git a/erpnext/translations/ja.csv b/erpnext/translations/ja.csv index e486f4c520..35b9876916 100644 --- a/erpnext/translations/ja.csv +++ b/erpnext/translations/ja.csv @@ -1,38 +1,39 @@ (Half Day), and year: , -""" does not exists",デフォルトのBOM -% Delivered,繰越はできません{0} -% Amount Billed,予約済みの倉庫は、受注にありません -% Billed,課金対象とされて配達された商品 -% Completed,納品書番号 -% Delivered,パッシブ -% Installed,給与テンプレートマスター。 -% Received,ワークステーション -% of materials billed against this Purchase Order.,開館時間 -% of materials billed against this Sales Order,{0}によって承認することができます -% of materials delivered against this Delivery Note,顧客に基づいてフィルタ +""" does not exists","""が存在しません" +% Delivered,%配信 +% Amount Billed,銘打た%金額 +% Billed,%銘打た +% Completed,% 完了 +% Delivered,%配信 +% Installed,%インストール +% Received,%受信 +% of materials billed against this Purchase Order.,この発注に対する請求材料の%。 +% of materials billed against this Sales Order,この受注に対して請求される材料の% +% of materials delivered against this Delivery Note,この納品書に対して納入材料の% % of materials delivered against this Sales Order,この受注に対する納入材料の% -% of materials ordered against this Material Request,実際の開始日 -% of materials received against this Purchase Order,最初の生産品目を入力してください -'Actual Start Date' can not be greater than 'Actual End Date',サプライヤ·マスターに入力された供給者(ベンダ)名 -'Based On' and 'Group By' can not be same,%インストール -'Days Since Last Order' must be greater than or equal to zero,あなたの言語を選択 -'Entries' cannot be empty,納品書からアイテムを抜いてください +% of materials ordered against this Material Request,この素材のリクエストに対して命じた材料の% +% of materials received against this Purchase Order,材料の%は、この発注書に対して受信 +'Actual Start Date' can not be greater than 'Actual End Date',「実際の開始日」は、「実際の終了日」より大きくすることはできません +'Based On' and 'Group By' can not be same,「に基づく」と「グループ化」は同じにすることはできません +'Days Since Last Order' must be greater than or equal to zero,「ラストオーダーからの日数」はゼロ以上でなければならない +'Entries' cannot be empty,「エントリ」は空にすることはできません 'Expected Start Date' can not be greater than 'Expected End Date',「期待される開始日」は、「終了予定日」より大きくすることはできません 'From Date' is required,「日付から 'が必要です -'From Date' must be after 'To Date',給与体系控除 -'Has Serial No' can not be 'Yes' for non-stock item,'シリア​​ル番号'を有する非在庫項目の「はい」にすることはできません -'Notification Email Addresses' not specified for recurring invoice,項目 +'From Date' must be after 'To Date','日から'日には 'の後でなければなりません +'Has Serial No' can not be 'Yes' for non-stock item,'シリアル番号'を有する非在庫項目の「はい」にすることはできません +'Notification Email Addresses' not specified for recurring invoice,請求書を定期的に指定されていない「通知の電子メールアドレス ' 'Profit and Loss' type account {0} not allowed in Opening Entry,「損益」タイプアカウント{0}エントリの開口部に許可されていません 'To Case No.' cannot be less than 'From Case No.',「事件番号へ ' 「事件番号から 'より小さくすることはできません -'To Date' is required,あなたは、両方の納品書を入力することはできませんし、納品書番号は、任意の1を入​​力してください。 +'To Date' is required,「これまでの 'が必要です 'Update Stock' for Sales Invoice {0} must be set,納品書のための「更新在庫 '{0}を設定する必要があります -* Will be calculated in the transaction.,ソース倉庫 +* Will be calculated in the transaction.,*トランザクションで計算されます。 "1 Currency = [?] Fraction -For e.g. 1 USD = 100 Cent",メンテナンスの訪問を計画します。 -1. To maintain the customer wise item code and to make them searchable based on their code use this option,シリアルNOアイテム{0}のために必須です +For e.g. 1 USD = 100 Cent","1通貨= [?]分数 +ために、例えば1ドル= 100セント" +1. To maintain the customer wise item code and to make them searchable based on their code use this option,1 顧客ごとの商品コードを維持するために、それらのコード使用このオプションに基づいてそれらを検索可能に "Add / Edit","もし、ごhref=""#Sales Browser/Customer Group"">追加/編集" -"Add / Edit",納品書から +"Add / Edit","もし、ごhref=""#Sales Browser/Item Group"">追加/編集" "Add / Edit","もし、ごhref=""#Sales Browser/Territory"">追加/編集" "

Default Template

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

@@ -45,3234 +46,3333 @@ For e.g. 1 USD = 100 Cent",メンテナンスの訪問を計画します。 {% if phone %}Phone: {{ phone }}<br>{% endif -%} {% if fax %}Fax: {{ fax }}<br>{% endif -%} {% if email_id %}Email: {{ email_id }}<br>{% endif -%} -
","

デフォルトのテンプレート \ N

もし、ごhref=""http://jinja.pocoo.org/docs/templates/"">神社テンプレートを使用し、(を含むアドレスのすべての分野カスタムフィールド)がある場合は、利用できるようになります。 N

 {{address_line1}}検索\ N {%address_line2%の場合} {{address_line2}}検索{%endifの\ - %} \ N {{都市}}検索\ N {%であれば、状態%} {{状態}}検索{%endifの - PINコードの%} PIN場合は、%} \ N {%{{PINコード} }検索{%endifの - %} \ N {{国}}検索\ N {%であれば、電話%}電話:{{電話}}検索{%endifの - %} \ N { %であればフ​​ァクス%}ファックス:{{ファクス}}検索{%endifの - %} \ N {%email_id%}メールの場合:{{email_id}}検索{%endifの - %} \ N < / code>を"
-A Customer Group exists with same name please change the Customer name or rename the Customer Group,作業中の倉庫
-A Customer exists with same name,結婚してる
-A Lead with this email id should exist,投影された
+
","

デフォルトのテンプレート +

神社テンプレートとアドレスのすべてのフィールドを(使用カスタムフィールドがある場合)を含むことは利用できるようになります。 +

 {{address_line1}}検索
+ {%の場合address_line2%} {{address_line2}} {検索%ENDIF - %} 
+ {{都市}}検索
+ {%であれば、状態%} {{状態}}検索{%endifの - %} 
+ {%の場合PINコードの%}ピン:{{PINコード}}検索{%endifの - %} 
+ {{国}}検索
+ {%であれば、電話%}電話:{{電話}} {検索%ENDIF - %} 
+ {%の場合のFAX%}ファックス:{{ファクス}}検索{%endifの - %} 
+ {%email_id%}メールの場合:{{email_id}}検索、{%endifの - %} 
+ "
+A Customer Group exists with same name please change the Customer name or rename the Customer Group,顧客グループが同じ名前で存在顧客名を変更するか、顧客グループの名前を変更してください
+A Customer exists with same name,お客様は、同じ名前で存在
+A Lead with this email id should exist,このメールIDを持つ鉛は存在している必要があります
 A Product or Service,製品またはサービス
 A Supplier exists with same name,サプライヤーは、同じ名前で存在
-A symbol for this currency. For e.g. $,今すぐ送信
+A symbol for this currency. For e.g. $,この通貨のシンボル。例えば$のための
 AMC Expiry Date,AMCの有効期限日
-Abbr,現在
-Abbreviation cannot have more than 5 characters,{0}のいずれかである必要があり、承認者を残す
-Above Value,値に
-Absent,説明書
+Abbr,略称
+Abbreviation cannot have more than 5 characters,略語は、5つ以上の文字を使用することはできません
+Above Value,値を上回る
+Absent,ない
 Acceptance Criteria,合否基準
-Accepted,ストック調整勘定
+Accepted,承認済
 Accepted + Rejected Qty must be equal to Received quantity for Item {0},一般に認められた+拒否数量、アイテムの受信量と等しくなければなりません{0}
-Accepted Quantity,少なくとも1倉庫は必須です
+Accepted Quantity,受け入れ数量
 Accepted Warehouse,一般に認められた倉庫
-Account,リードタイム日
-Account Balance,タイプを残す
-Account Created: {0},サービスアドレス
-Account Details,貸借対照表と帳簿上の利益または損失を閉じる。
+Account,アカウント
+Account Balance,アカウント残高
+Account Created: {0},アカウント作成:{0}
+Account Details,アカウント詳細
 Account Head,アカウントヘッド
-Account Name,我々は、このアイテムを売る
-Account Type,その後、価格設定ルールは、お客様に基づいてフィルタリングされ、顧客グループ、地域、サプライヤー、サプライヤータイプ、キャンペーン、販売パートナーなど
-"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'",次の通貨に$などのような任意のシンボルを表示しません。
-"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",販売または購入の少なくともいずれかを選択する必要があります
-Account for the warehouse (Perpetual Inventory) will be created under this Account.,最初の接頭辞を選択してください
+Account Name,アカウント名
+Account Type,アカウントの種類
+"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'",口座残高がすでにクレジットで、あなたが設定することはできません」デビット」としてのバランスをマスト '
+"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",すでにデビットでの口座残高、あなたは次のように「クレジット」のバランスでなければなりません 'を設定することはできません
+Account for the warehouse (Perpetual Inventory) will be created under this Account.,倉庫(パーペチュアルインベントリー)のアカウントは、このアカウントの下に作成されます。
 Account head {0} created,アカウントヘッド{0}を作成
-Account must be a balance sheet account,現在値
-Account with child nodes cannot be converted to ledger,予定日は材質依頼日の前にすることはできません
-Account with existing transaction can not be converted to group.,標準販売
-Account with existing transaction can not be deleted,繰越されている
-Account with existing transaction cannot be converted to ledger,言及してください、必要な訪問なし
-Account {0} cannot be a Group,すべての部門のために考慮した場合は空白のままにし
-Account {0} does not belong to Company {1},バウチャーはありません
-Account {0} does not exist,ユーザー名
-Account {0} has been entered more than once for fiscal year {1},顧客の税務登録番号(該当する場合)、または任意の一般的な情報
+Account must be a balance sheet account,アカウントは、貸借対照表勘定である必要があります
+Account with child nodes cannot be converted to ledger,子ノードを持つアカウントは、元帳に変換することはできません
+Account with existing transaction can not be converted to group.,既存のトランザクションを持つアカウントをグループに変換することはできません。
+Account with existing transaction can not be deleted,既存のトランザクションを持つアカウントを削除することはできません
+Account with existing transaction cannot be converted to ledger,既存のトランザクションを持つアカウントは、元帳に変換することはできません
+Account {0} cannot be a Group,アカウントは{0}グループにすることはできません
+Account {0} does not belong to Company {1},アカウントは{0}会社に所属していない{1}
+Account {0} does not belong to company: {1},アカウント{0}の会社に属していません:{1}
+Account {0} does not exist,アカウント{0}は存在しません
+Account {0} has been entered more than once for fiscal year {1},アカウント{0}は会計年度の{1}を複数回入力されました
 Account {0} is frozen,アカウント{0}凍結されている
-Account {0} is inactive,お客様は、同じ名前で存在
-Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item,経費請求拒否されたメッセージ
+Account {0} is inactive,アカウント{0}が非アクティブである
+Account {0} is not valid,アカウント{0}は有効ではありません
+Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item,アカウント項目{1}として{0}型でなければなりません '固定資産は、「資産項目である
+Account {0}: Parent account {1} can not be a ledger,アカウント{0}:親勘定は、{1}元帳にすることはできません
+Account {0}: Parent account {1} does not belong to company: {2},アカウント{0}:親勘定{1}会社に属していません:{2}
+Account {0}: Parent account {1} does not exist,アカウント{0}:親勘定{1}が存在しません
+Account {0}: You can not assign itself as parent account,アカウント{0}:あなたが親勘定としての地位を割り当てることはできません
 "Account: {0} can only be updated via \
-					Stock Transactions",アカウント:{0}は\ \ N株式取引を介して更新することができます
-Accountant,それが1または多くのアクティブ部品表に存在しているようにアイテムが、購入アイテムでなければなりません
-Accounting,あなたが発注を保存するとすれば見えるようになります。
-"Accounting Entries can be made against leaf nodes, called",目新しい
-"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.",和解のJSON
-Accounting journal entries.,時間ログのバッチの詳細
-Accounts,送信されたSMSなし
-Accounts Browser,四半期
-Accounts Frozen Upto,定期的なタイプ
-Accounts Payable,%銘打た
+					Stock Transactions","アカウント:\
+株式取引{0}のみを経由して更新することができます"
+Accountant,会計士
+Accounting,課金
+"Accounting Entries can be made against leaf nodes, called",会計エントリと呼ばれる、リーフノードに対して行うことができる
+"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.",この日付までに凍結会計エントリは、誰もが行うことができない/下の指定されたロールを除き、エントリを修正します。
+Accounting journal entries.,会計仕訳。
+Accounts,アカウント
+Accounts Browser,アカウントブラウザ
+Accounts Frozen Upto,冷凍点で最大を占める
+Accounts Payable,買掛金
 Accounts Receivable,受け取りアカウント
-Accounts Settings,課金
+Accounts Settings,設定のアカウント
 Active,アクティブ
 Active: Will extract emails from ,
-Activity,日送り状期間
-Activity Log,顧客の購入注文番号
-Activity Log:,セールスブラウザ
-Activity Type,デパート
+Activity,アクティビティ
+Activity Log,活動記録
+Activity Log:,アクティビティログ:
+Activity Type,活動の型
 Actual,実際
-Actual Budget,食べ物
+Actual Budget,実際の予算
 Actual Completion Date,実際の完了日
-Actual Date,ダイジェスト期間中に取引先から受け取った請求書の合計額
+Actual Date,実際の日付
 Actual End Date,実際の終了日
-Actual Invoice Date,例えば付加価値税(VAT)
-Actual Posting Date,成功:
+Actual Invoice Date,実際の請求日
+Actual Posting Date,実際の転記日付
 Actual Qty,実際の数量
 Actual Qty (at source/target),実際の数量(ソース/ターゲットで)
 Actual Qty After Transaction,トランザクションの後、実際の数量
-Actual Qty: Quantity available in the warehouse.,バッチ番号
-Actual Quantity,更新された誕生日リマインダー
-Actual Start Date,素材のリクエストが発生する対象の倉庫を入力してください
-Add,アイテム{0}キャンセルされる
-Add / Edit Taxes and Charges,辞任の理由
-Add Child,出費を承認しない。少なくとも1ユーザーに「経費承認者の役割を割り当ててください
-Add Serial No,デフォルトの倉庫在庫アイテムは必須です。
-Add Taxes,例えば2012年の場合、2012から13
-Add Taxes and Charges,細胞の数
-Add or Deduct,年間の名前
+Actual Qty: Quantity available in the warehouse.,実際の個数:倉庫内の利用可能な数量。
+Actual Quantity,実際の数量
+Actual Start Date,実際の開始日
+Add,追加メニュー
+Add / Edit Taxes and Charges,追加/編集税金、料金
+Add Child,子供を追加
+Add Serial No,シリアル番号を追加します。
+Add Taxes,税金を追加
+Add Taxes and Charges,税金、料金を追加する
+Add or Deduct,追加または控除
 Add rows to set annual budgets on Accounts.,アカウントの年間予算を設定するための行を追加します。
-Add to Cart,アイテムサプライヤーの詳細
-Add to calendar on this date,SO数量
+Add to Cart,カートに入れる
+Add to calendar on this date,この日付にカレンダーに追加
 Add/Remove Recipients,追加/受信者の削除
-Address,ご利用条件1
-Address & Contact,給与伝票を作る
-Address & Contacts,素晴らしい製品
-Address Desc,抜群の{0}ゼロ({1})より小さくすることはできませんのために
+Address,アドレス
+Address & Contact,住所·お問い合わせ
+Address & Contacts,住所と連絡先
+Address Desc,お得!住所
 Address Details,住所の詳細
-Address HTML,新規サプライヤの名言
-Address Line 1,転送する数量
-Address Line 2,機会から
-Address Template,会社、月と年度は必須です
+Address HTML,住所のHTML
+Address Line 1,住所 1行目
+Address Line 2,住所 2行目
+Address Template,アドレステンプレート
 Address Title,アドレスタイトル
-Address Title is mandatory.,これは、ルートの顧客グループであり、編集できません。
-Address Type,正常なインポート!
+Address Title is mandatory.,アドレスタイトルは必須です。
+Address Type,アドレスの種類
 Address master.,住所マスター。
-Administrative Expenses,ルートは、親コストセンターを持つことはできません
-Administrative Officer,ターゲット数量や目標量のいずれかが必須です。
-Advance Amount,給与スリップご獲得
-Advance amount,主な項目で提供されているすべての個々の項目を表示する
-Advances,上に送信
-Advertisement,続行し、購入時の領収書は、Noを入力してください
+Administrative Expenses,一般管理費
+Administrative Officer,行政官
+Advance Amount,進角量
+Advance amount,進角量
+Advances,前払
+Advertisement,アドバタイズメント
 Advertising,広告
-Aerospace,値から
-After Sale Installations,光熱費
-Against,ファックス
-Against Account,子供を追加
+Aerospace,航空宇宙
+After Sale Installations,販売のインストール後に
+Against,に対して
+Against Account,アカウントに対して
 Against Bill {0} dated {1},ビル·{0}に対して{1}日付け
-Against Docname,{4} {5} {2} {3}上の倉庫{1}の項目{0}のための負のストックError({6})
+Against Docname,DOCNAMEに対する
 Against Doctype,文書型に対する
-Against Document Detail No,デフォルトのターゲット·ウェアハウス
+Against Document Detail No,ドキュメントの詳細に対して何
 Against Document No,ドキュメントNoに対する
-Against Entries,月
-Against Expense Account,ブランド名
-Against Income Account,失われた理由
-Against Journal Voucher,ウェブサイトや他の出版物のための短い伝記。
-Against Journal Voucher {0} does not have any unmatched {1} entry,の間に見られるオーバーラップ条件:
-Against Purchase Invoice,アイテム{0}に必要な評価レート
-Against Sales Invoice,凍結
-Against Sales Order,倉庫·ワイズ証券残高
-Against Voucher,顧客/鉛名
-Against Voucher Type,倉庫在庫アイテムは必須です{0}行{1}
-Ageing Based On,あなたは本当に中止しますか
+Against Expense Account,費用勘定に対する
+Against Income Account,所得収支に対する
+Against Journal Voucher,ジャーナルバウチャーに対する
+Against Journal Voucher {0} does not have any unmatched {1} entry,ジャーナルバウチャーに対して{0}は、比類のない{1}のエントリがありません
+Against Purchase Invoice,購入の請求書に対する
+Against Sales Invoice,納品書に対する
+Against Sales Order,受注に対する
+Against Voucher,バウチャーに対する
+Against Voucher Type,バウチャー型に対する
+Ageing Based On,に基づくエイジング
 Ageing Date is mandatory for opening entry,高齢化日付は、開口部エントリの必須です
-Ageing date is mandatory for opening entry,チェックすると、サブアセンブリ項目のBOMは、原料を得るために考慮されます。そうでなければ、全てのサブアセンブリ項目は、原料として扱われる。
-Agent,正味重量
-Aging Date,販売パートナー目標
-Aging Date is mandatory for opening entry,日エージングエン​​トリを開くための必須です
-Agriculture,もし収益又は費用
-Airline,保証期間(日数)
-All Addresses.,最大の材料のリクエストは{0}商品{1}に対して行うことができる受注{2}
-All Contact,オンラインオークション
-All Contacts.,アイテムは、データベースにこの名前で保存されます。
-All Customer Contact,住所 2行目
+Ageing date is mandatory for opening entry,日付が高齢化すると、エントリを開くための必須です
+Agent,エージェント
+Aging Date,高齢化日付
+Aging Date is mandatory for opening entry,日エージングエントリを開くための必須です
+Agriculture,農業
+Airline,航空会社
+All Addresses.,すべてのアドレス。
+All Contact,すべてのお問い合わせ
+All Contacts.,すべての連絡先。
+All Customer Contact,すべての顧客との接触
 All Customer Groups,すべての顧客グループ
-All Day,新しいメールが受信される自動返信
-All Employee (Active),同期のサポートメール
-All Item Groups,シリアル番号のシリーズ
-All Lead (Open),メンテナンスタイプ
-All Products or Services.,最初のカテゴリを選択してください。
+All Day,一日中
+All Employee (Active),すべての従業員(アクティブ)
+All Item Groups,すべての項目グループ
+All Lead (Open),すべての鉛(オープン)
+All Products or Services.,すべての製品またはサービスを提供しています。
 All Sales Partner Contact,すべての販売パートナー企業との接触
-All Sales Person,時間ログバッチ
-All Supplier Contact,サンプルサイズ
-All Supplier Types,販売時にアイテムをバンドル。
+All Sales Person,すべての営業担当者
+All Supplier Contact,すべてのサプライヤーとの接触
+All Supplier Types,すべてのサプライヤーの種類
 All Territories,すべての地域
-"All export related fields like currency, conversion rate, export total, export grand total etc are available in Delivery Note, POS, Quotation, Sales Invoice, Sales Order etc.",日付
-"All import related fields like currency, conversion rate, import total, import grand total etc are available in Purchase Receipt, Supplier Quotation, Purchase Invoice, Purchase Order etc.",アカウント項目{1}として{0}型でなければなりません '固定資産は、「資産項目である
-All items have already been invoiced,発行場所
+"All export related fields like currency, conversion rate, export total, export grand total etc are available in Delivery Note, POS, Quotation, Sales Invoice, Sales Order etc.",通貨、変換レート、輸出の合計、輸出総計などのようなすべての輸出関連分野は、納品書、POS、見積書、納品書、受注などでご利用いただけます
+"All import related fields like currency, conversion rate, import total, import grand total etc are available in Purchase Receipt, Supplier Quotation, Purchase Invoice, Purchase Order etc.",通貨、変換レート、輸入総輸入総計などのようなすべてのインポートに関連するフィールドは、購入時の領収書、サプライヤー見積、購入請求書、発注書などでご利用いただけます
+All items have already been invoiced,すべての項目は、すでに請求されています
 All these items have already been invoiced,すべてのこれらの項目は、すでに請求されています
-Allocate,項目グループが同じ名前で存在しますが、項目名を変更したり、項目のグループの名前を変更してください
-Allocate Amount Automatically,Googleのドライブと同期
-Allocate leaves for a period.,メールアドレスを入力してください
-Allocate leaves for the year.,トランザクションを販売するためのデフォルト設定。
+Allocate,割り当て
+Allocate leaves for a period.,期間葉を割り当てる。
+Allocate leaves for the year.,今年の葉を割り当てる。
 Allocated Amount,配分された金額
 Allocated Budget,割当予算
-Allocated amount,最初の会社を選択してください。
-Allocated amount can not be negative,重複記入認可ルールを確認してください{0}
-Allocated amount can not greater than unadusted amount,重複したシリアル番号は、項目に入力された{0}
-Allow Bill of Materials,行{0}:デビットエントリは、納品書とリンクすることはできません
-Allow Bill of Materials should be 'Yes'. Because one or many active BOMs present for this item,仕様の詳細を取得
-Allow Children,緊急
-Allow Dropbox Access,顧客
-Allow Google Drive Access,(日数)が割り当て新しい葉
-Allow Negative Balance,担当者
-Allow Negative Stock,番号をパッケージ化する
-Allow Production Order,水曜日
-Allow User,シリアルNOステータスません
+Allocated amount,割り当てられた量
+Allocated amount can not be negative,割り当てられた量は負にすることはできません
+Allocated amount can not greater than unadusted amount,配分された金額unadusted量よりも多くすることはできません
+Allow Bill of Materials,部品表を許容
+Allow Bill of Materials should be 'Yes'. Because one or many active BOMs present for this item,部品表には「はい」でなければならないようにします。1そのためか、この項目の存在する多くの積極的な部品表
+Allow Children,子どもたちに許可します
+Allow Dropbox Access,Dropboxのアクセスを許可
+Allow Google Drive Access,Googleドライブのアクセスを許可
+Allow Negative Balance,マイナス残高を許可する
+Allow Negative Stock,負の株式を許可する
+Allow Production Order,許可する製造指図
+Allow User,ユーザに許可
 Allow Users,許可するユーザー
-Allow the following users to approve Leave Applications for block days.,あなたは目標を取得する元となるテンプレートを選択し
-Allow user to edit Price List Rate in transactions,受信日
+Allow the following users to approve Leave Applications for block days.,次のユーザーがブロック日間休暇アプリケーションを承認することができます。
+Allow user to edit Price List Rate in transactions,ユーザーがトランザクションに価格表レートを編集することができます
 Allowance Percent,手当の割合
-Allowance for over-delivery / over-billing crossed for Item {0},引当金は、過剰配信/過課金にアイテムの交差した{0}
-Allowance for over-delivery / over-billing crossed for Item {0}.,備考
+Allowance for over-{0} crossed for Item {1},過{0}のための引当金は、Item {1}のために交差
+Allowance for over-{0} crossed for Item {1}.,過{0}のための引当金は、Item {1}のために渡った。
 Allowed Role to Edit Entries Before Frozen Date,冷凍日より前のエントリを編集することが許可されている役割
-Amended From,売上請求書メッセージ
-Amount,あなたは納品書を保存するとワード(エクスポート)に表示されます。
-Amount (Company Currency),時間率
-Amount <=,コンピュータ
-Amount >=,ソース·ウェアハウスは、行{0}のために必須です
-Amount to Bill,新しい部品表
-An Customer exists with same name,業種
-"An Item Group exists with same name, please change the item name or rename the item group",今回はログバッチはキャンセルされました。
-"An item exists with same name ({0}), please change the item group name or rename the item",独立した製造指図は、各完成品のアイテムのために作成されます。
-Analyst,この日付にカレンダーに追加
-Annual,BOMが任意の項目agianst述べた場合は、レートを変更することはできません
-Another Period Closing Entry {0} has been made after {1},輸出
-Another Salary Structure {0} is active for employee {0}. Please make its status 'Inactive' to proceed.,出産予定日は発注日より前にすることはできません
-"Any other comments, noteworthy effort that should go in the records.",ブランド
-Apparel & Accessories,許可規則
+Amended From,から改正
+Amount,金額
+Amount (Company Currency),金額(会社通貨)
+Amount Paid,支払金額
+Amount to Bill,請求書に金額
+An Customer exists with same name,お客様は、同じ名前で存在
+"An Item Group exists with same name, please change the item name or rename the item group",項目グループが同じ名前で存在しますが、項目名を変更したり、項目のグループの名前を変更してください
+"An item exists with same name ({0}), please change the item group name or rename the item",項目は({0})は、項目のグループ名を変更したり、項目の名前を変更してください同じ名前で存在
+Analyst,アナリスト
+Annual,毎年恒例の
+Another Period Closing Entry {0} has been made after {1},{0} {1}の後に行われた別の期間の決算仕訳
+Another Salary Structure {0} is active for employee {0}. Please make its status 'Inactive' to proceed.,別の給与体系は、{0}の従業員のためにアクティブになっている{0}。その状態「非アクティブ」は続行してください。
+"Any other comments, noteworthy effort that should go in the records.",他のコメントは、記録に行く必要があり注目に値する努力。
+Apparel & Accessories,アパレル&アクセサリー
 Applicability,適用可能性
-Applicable For,{0} {1}請求書に対して{2}
-Applicable Holiday List,この納品書に対して納入材料の%
+Applicable For,に適用可能
+Applicable Holiday List,該当する休日リスト
 Applicable Territory,該当する地域
-Applicable To (Designation),"唯一の ""値を"" 0または空白値で1送料ルール条件がある場合もあります"
-Applicable To (Employee),営業担当者名
-Applicable To (Role),最も高い優先度を持つ複数の価格設定ルールがあっても、次の内部優先順位が適用されます。
-Applicable To (User),無視
-Applicant Name,永久アドレスは
-Applicant for a Job.,Itemwise割引
-Application of Funds (Assets),Miscelleneous
-Applications for leave.,新しいお問い合わせ
-Applies to Company,倉庫およびリファレンス
-Apply On,実際の転記日付
-Appraisal,倉庫での在庫は注文
-Appraisal Goal,適切なグループ(ファンドの通常はアプリケーション>流動資産>銀行口座に移動して、子の追加をクリックして、新しいアカウント元帳を(作成)タイプの「銀行」
-Appraisal Goals,違い(DR - CR)
+Applicable To (Designation),(指定)に適用
+Applicable To (Employee),(従業員)に適用
+Applicable To (Role),(役割)に適用
+Applicable To (User),(ユーザー)に適用
+Applicant Name,出願人名
+Applicant for a Job.,仕事のための申請者。
+Application of Funds (Assets),ファンドのアプリケーション(資産)
+Applications for leave.,休暇のためのアプリケーション。
+Applies to Company,会社に適用されます
+Apply On,[適用
+Appraisal,評価
+Appraisal Goal,鑑定ゴール
+Appraisal Goals,鑑定の目標
 Appraisal Template,鑑定テンプレート
-Appraisal Template Goal,または '前の行の合計' '前の行の量に「充電式である場合にのみ、行を参照することができます
-Appraisal Template Title,デフォルトのアドレステンプレートが見つかりませんでした。[設定]> [印刷とブランディング>アドレステンプレートから新しいものを作成してください。
+Appraisal Template Goal,鑑定テンプレートゴール
+Appraisal Template Title,鑑定テンプレートタイトル
 Appraisal {0} created for Employee {1} in the given date range,評価{0} {1}指定された日付範囲内に従業員のために作成
 Apprentice,徒弟
 Approval Status,承認状況
-Approval Status must be 'Approved' or 'Rejected',権限がありませんん
-Approved,"もし、ごhref=""#Sales Browser/Customer Group"">追加/編集"
-Approver,完了
-Approving Role,毎月の出席シート
-Approving Role cannot be same as role the rule is Applicable To,サポートチケット
+Approval Status must be 'Approved' or 'Rejected',承認ステータスは「承認」または「拒否」されなければならない
+Approved,承認
+Approver,承認者
+Approving Role,承認役割
+Approving Role cannot be same as role the rule is Applicable To,役割を承認すると、ルールが適用されるロールと同じにすることはできません
 Approving User,承認ユーザー
-Approving User cannot be same as user the rule is Applicable To,元帳に変換
+Approving User cannot be same as user the rule is Applicable To,ユーザーを承認すると、ルールが適用されるユーザーと同じにすることはできません
 Are you sure you want to STOP ,
 Are you sure you want to UNSTOP ,
-Arrear Amount,あなたのセットアップは完了です。さわやかな...
-"As Production Order can be made for this item, it must be a stock item.","重量が記載され、\しりも ""重量UOM」を言及"
-As per Stock UOM,{0}商品税回入力
-"As there are existing stock transactions for this item, you can not change the values of 'Has Serial No', 'Is Stock Item' and 'Valuation Method'",レターヘッドを取り付け
-Asset,繰り越す
+Arrear Amount,滞納額
+"As Production Order can be made for this item, it must be a stock item.",製造指図はこの項目のために作られているように、それは株式項目でなければなりません。
+As per Stock UOM,証券UOMに従って
+"As there are existing stock transactions for this item, you can not change the values of 'Has Serial No', 'Is Stock Item' and 'Valuation Method'",既存の株式取引はこの項目のために存在するので、あなたは 'はシリアル番号」の値を変更することはできませんし、「評価方法」「ストックアイテムです'
+Asset,アセット
 Assistant,助教授
 Associate,共同経営
-Atleast one of the Selling or Buying must be selected,完成した製造指図
-Atleast one warehouse is mandatory,購入時の領収書項目
+Atleast one of the Selling or Buying must be selected,販売または購入の少なくともいずれかを選択する必要があります
+Atleast one warehouse is mandatory,少なくとも1倉庫は必須です
 Attach Image,画像を添付し
-Attach Letterhead,編集
-Attach Logo,に適用可能
-Attach Your Picture,運用コストを管理
-Attendance,サプライヤの見積明細
-Attendance Date,バウチャーに対する
+Attach Letterhead,レターヘッドを取り付け
+Attach Logo,ロゴを添付
+Attach Your Picture,あなたの写真を添付し
+Attendance,出席
+Attendance Date,出席日
 Attendance Details,出席の詳細
-Attendance From Date,POSです
-Attendance From Date and Attendance To Date is mandatory,国特定のフォーマットが見つからない場合は、この形式が使用され
-Attendance To Date,あなたが製造指図を作成するから販売受注を選択します。
+Attendance From Date,日出席
+Attendance From Date and Attendance To Date is mandatory,日付日付と出席からの出席は必須です
+Attendance To Date,日への出席
 Attendance can not be marked for future dates,出席は将来の日付にマークを付けることはできません
-Attendance for employee {0} is already marked,PLやBS
+Attendance for employee {0} is already marked,従業員の出席は{0}はすでにマークされている
 Attendance record.,出席記録。
-Authorization Control,ウェブサイトでのショー
-Authorization Rule,値を上回る
+Authorization Control,認可制御
+Authorization Rule,許可規則
 Auto Accounting For Stock Settings,在庫設定の自動会計
-Auto Material Request,ログイン
-Auto-raise Material Request if quantity goes below re-order level in a warehouse,納品書はありません
-Automatically compose message on submission of transactions.,上陸したコストウィザード
+Auto Material Request,オート素材リクエスト
+Auto-raise Material Request if quantity goes below re-order level in a warehouse,オートレイズの素材要求量が倉庫にリオーダーレベル以下になった場合
+Automatically compose message on submission of transactions.,自動的に取引の提出にメッセージを作成します。
 Automatically extract Job Applicants from a mail box ,
 Automatically extract Leads from a mail box e.g.,メールボックスなどからのリード線を自動的に抽出
 Automatically updated via Stock Entry of type Manufacture/Repack,自動的に型製造/詰め替えの証券エントリーを介して更新
-Automotive,輸入
-Autoreply when a new mail is received,価格表の通貨は、顧客の基本通貨に換算される速度
+Automotive,自動車
+Autoreply when a new mail is received,新しいメールが受信される自動返信
 Available,利用できる
-Available Qty at Warehouse,中に入る
+Available Qty at Warehouse,倉庫での在庫は注文
 Available Stock for Packing Items,アイテムのパッキングに使用でき証券
-"Available in BOM, Delivery Note, Purchase Invoice, Production Order, Purchase Order, Purchase Receipt, Sales Invoice, Sales Order, Stock Entry, Timesheet",倉庫を選択...
+"Available in BOM, Delivery Note, Purchase Invoice, Production Order, Purchase Order, Purchase Receipt, Sales Invoice, Sales Order, Stock Entry, Timesheet",部品表、納品書、請求書購入、製造指図、発注、購入時の領収書、納品書、受注、証券エントリー、タイムシートで利用可能
 Average Age,平均年齢
-Average Commission Rate,アクティビティログ:
-Average Discount,携帯番号
-Awesome Products,古い名前と新しい名前:2つの列を持つCSVファイルをアップロードします。最大500行。
+Average Commission Rate,平均手数料率
+Average Discount,平均割引
+Awesome Products,素晴らしい製品
 Awesome Services,素晴らしいサービス
-BOM Detail No,健康管理
-BOM Explosion Item,スケジューラ失敗したイベント
-BOM Item,序論
+BOM Detail No,部品表の詳細はありません
+BOM Explosion Item,BOM爆発アイテム
+BOM Item,BOM明細
 BOM No,部品表はありません
-BOM No. for a Finished Good Item,請求書が自動的に生成されます期間を選択
-BOM Operation,税アカウントを作成するには:
-BOM Operations,無担保ローン
-BOM Replace Tool,アイテムは、{0}はすでに戻っている
-BOM number is required for manufactured Item {0} in row {1},置き換えられるのBOM
-BOM number not allowed for non-manufactured Item {0} in row {1},木曜日
-BOM recursion: {0} cannot be parent or child of {2},顧客グループが同じ名前で存在顧客名を変更するか、顧客グループの名前を変更してください
-BOM replaced,{0} {1}の後に行われた別の期間の決算仕訳
-BOM {0} for Item {1} in row {2} is inactive or not submitted,購入時の領収書のメッセージ
-BOM {0} is not active or not submitted,総得点(5点満点)
-BOM {0} is not submitted or inactive BOM for Item {1},シリーズ更新
-Backup Manager,サプライヤーの倉庫
-Backup Right Now,賃貸
-Backups will be uploaded to,(日数)保証期間
-Balance Qty,セットアップ
-Balance Sheet,この発注に対する請求材料の%。
+BOM No. for a Finished Good Item,完成品アイテムのBOM番号
+BOM Operation,部品表の操作
+BOM Operations,部品表の操作
+BOM Replace Tool,BOMはツールを交換してください
+BOM number is required for manufactured Item {0} in row {1},部品表番号は{1}の行で製造アイテム{0}に必要です
+BOM number not allowed for non-manufactured Item {0} in row {1},非製造されたアイテムのために許可されていない部品表番号は{0}行{1}
+BOM recursion: {0} cannot be parent or child of {2},部品表再帰:{0} {2}の親または子にすることはできません
+BOM replaced,BOM置き換え
+BOM {0} for Item {1} in row {2} is inactive or not submitted,BOMは{0}商品{1}の行に{2}が提出され、非アクティブであるかどう
+BOM {0} is not active or not submitted,BOMは{0}アクティブか提出していないではありません
+BOM {0} is not submitted or inactive BOM for Item {1},BOMは{0}商品{1}のために提出または非アクティブのBOMされていません
+Backup Manager,バックアップマネージャ
+Backup Right Now,バックアップ·ライト·ナウ
+Backups will be uploaded to,バックアップはにアップロードされます
+Balance Qty,バランス数量
+Balance Sheet,バランスシート
 Balance Value,バランス値
-Balance for Account {0} must always be {1},期日日付を投稿する前にすることはできません
+Balance for Account {0} must always be {1},アカウントの残高は{0}は常に{1}でなければなりません
 Balance must be,残高がある必要があります
-"Balances of Accounts of type ""Bank"" or ""Cash""",生産数量
-Bank,{0} {1}の状態を停止させる
-Bank A/C No.,保証書/ AMCの詳細
+"Balances of Accounts of type ""Bank"" or ""Cash""",タイプ「銀行」の口座の残高または「現金」
+Bank,銀行
+Bank / Cash Account,銀行/現金勘定
+Bank A/C No.,銀行のA / C番号
 Bank Account,銀行口座
 Bank Account No.,銀行口座番号
 Bank Accounts,銀行口座
 Bank Clearance Summary,銀行のクリアランスのまとめ
 Bank Draft,銀行為替手形
 Bank Name,銀行名
-Bank Overdraft Account,例えばキロ、ユニット、NOS、M
-Bank Reconciliation,連絡先に大量のSMSを送信
-Bank Reconciliation Detail,売上送り状
-Bank Reconciliation Statement,データが有効なCSVファイルを選択してください
+Bank Overdraft Account,銀行当座貸越口座
+Bank Reconciliation,銀行和解
+Bank Reconciliation Detail,銀行和解の詳細
+Bank Reconciliation Statement,銀行和解声明
 Bank Voucher,銀行バウチャー
-Bank/Cash Balance,運転操作、表中の{0}は存在しない
-Banking,この通貨は無効になっています。トランザクションで使用することを可能にする
+Bank/Cash Balance,銀行/キャッシュバランス
+Banking,銀行
 Barcode,バーコード
 Barcode {0} already used in Item {1},バーコード{0}済みアイテムに使用される{1}
-Based On,保留中のアイテム{0}に更新
-Basic,数量を閉じる
-Basic Info,今年の葉を割り当てる。
-Basic Information,トラベル
-Basic Rate,資本設備
-Basic Rate (Company Currency),期間閉会バウチャー
+Based On,に基づく
+Basic,基本
+Basic Info,基本情報
+Basic Information,基本情報
+Basic Rate,基本料金
+Basic Rate (Company Currency),基本速度(会社通貨)
 Batch,バッチ
 Batch (lot) of an Item.,アイテムのバッチ(ロット)。
-Batch Finished Date,小売店
-Batch ID,日付の所得年度
-Batch No,合計
+Batch Finished Date,バッチ終了日
+Batch ID,バッチID
+Batch No,バッチ番号
 Batch Started Date,バッチは日付を開始
 Batch Time Logs for billing.,請求のためのバッチタイムログ。
-Batch-Wise Balance History,計算書
-Batched for Billing,権限がありませんん
-Better Prospects,利益/損失が計上されている責任の下でアカウントヘッド、
-Bill Date,解像度の詳細
+Batch-Wise Balance History,バッチ式バランス歴史
+Batched for Billing,請求のバッチ処理
+Better Prospects,より良い展望
+Bill Date,ビル日
 Bill No,ビルはありません
 Bill No {0} already booked in Purchase Invoice {1},ビル·いいえ{0}はすでに購入の請求書に計上{1}
-Bill of Material,借方票
-Bill of Material to be considered for manufacturing,スポーツ
-Bill of Materials (BOM),クレジットアマウント
-Billable,この日付までに凍結会計エントリは、誰もが行うことができない/下の指定されたロールを除き、エントリを修正します。
+Bill of Material,部品表
+Bill of Material to be considered for manufacturing,製造業のために考慮すべき部品表
+Bill of Materials (BOM),部品表(BOM)
+Billable,請求可能
 Billed,課金
-Billed Amount,非営利
-Billed Amt,操作で
+Billed Amount,請求金額
+Billed Amt,勘定書を出さアマウント
 Billing,請求
 Billing Address,請求先住所
-Billing Address Name,注意:期日は{0}日(S)で許可されているクレジット日数を超えている
-Billing Status,休暇のためのアプリケーション。
-Bills raised by Suppliers.,ブロック日数
-Bills raised to Customers.,請求金額
-Bin,ユーザー備考オート備考に追加されます
-Bio,ビン
+Billing Address Name,請求先住所の名前
+Billing Status,課金状況
+Bills raised by Suppliers.,サプライヤーが提起した請求書。
+Bills raised to Customers.,お客様に上げ法案。
+Bin,ビン
+Bio,自己紹介
 Biotechnology,バイオテクノロジー
 Birthday,誕生日
-Block Date,そうでない場合、該当入力してください:NA
-Block Days,ターゲット配信
-Block leave applications by department.,銀行和解
-Blog Post,ノーLR
-Blog Subscriber,コンサルティング
-Blood Group,販売BOM
+Block Date,ブロック日付
+Block Days,ブロック日数
+Block leave applications by department.,部門別に休暇アプリケーションをブロック。
+Blog Post,ブログの投稿
+Blog Subscriber,ブログ購読者
+Blood Group,血液型
 Both Warehouse must belong to same Company,両方の倉庫は同じ会社に属している必要があります
-Box,お客様に上げ法案。
-Branch,基準日を入力してください
-Brand,メンテナンスの開始日は、シリアル番号の配信日より前にすることはできません{0}
-Brand Name,有効期限
+Box,ボックス
+Branch,ブランチ (branch)
+Brand,ブランド
+Brand Name,ブランド名
 Brand master.,ブランドのマスター。
-Brands,生産計画項目
-Breakdown,取り寄せ商品です
-Broadcasting,総額
+Brands,ブランド
+Breakdown,内訳
+Broadcasting,放送
 Brokerage,証券仲介
-Budget,項目
-Budget Allocated,倉庫にある項目{1}のためのバッチでマイナス​​残高{0} {2} {3} {4}に
+Budget,予算
+Budget Allocated,割当予算
 Budget Detail,予算の詳細
-Budget Details,予約済み数量
-Budget Distribution,住所のHTML
+Budget Details,予算の詳細
+Budget Distribution,予算配分
 Budget Distribution Detail,予算配分の詳細
-Budget Distribution Details,メンテナンススケジュールは{0} {0}に対して存在している
+Budget Distribution Details,予算配分の詳細
 Budget Variance Report,予算差異レポート
 Budget cannot be set for Group Cost Centers,予算はグループ原価センタの設定はできません
-Build Report,従業員の
-Bundle items at time of sale.,拒否された数量
-Business Development Manager,得点獲得
+Build Report,レポートを作成
+Bundle items at time of sale.,販売時にアイテムをバンドル。
+Business Development Manager,ビジネス開発マネージャー
 Buying,買収
-Buying & Selling,アイテム一括NOS
+Buying & Selling,購買&販売
 Buying Amount,金額を購入
 Buying Settings,[設定]を購入
-"Buying must be checked, if Applicable For is selected as {0}",ポーター情報
-C-Form,アイテムが必要です
-C-Form Applicable,手持ちの現金
-C-Form Invoice Detail,休日リストの名前
+"Buying must be checked, if Applicable For is selected as {0}",適用のためには次のように選択されている場合の購入は、チェックする必要があります{0}
+C-Form,C-フォーム
+C-Form Applicable,適用C-フォーム
+C-Form Invoice Detail,C-フォーム請求書の詳細
 C-Form No,C-フォームはありません
 C-Form records,C型の記録
-Calculate Based On,凍結されたアカウントを編集する権限がありません{0}
-Calculate Total Score,経費請求は承認待ちです。唯一の経費承認者は、ステータスを更新することができます。
+CENVAT Capital Goods,CENVAT資本財
+CENVAT Edu Cess,CENVATエドゥ目的税
+CENVAT SHE Cess,CENVAT SHE目的税
+CENVAT Service Tax,CENVAT·サービス税
+CENVAT Service Tax Cess 1,CENVATサービス税目的税1
+CENVAT Service Tax Cess 2,CENVATサービス税目的税2
+Calculate Based On,ベース上での計算
+Calculate Total Score,合計スコアを計算
 Calendar Events,カレンダーのイベント
-Call,取引を選択
-Calls,へ送る
-Campaign,いいえ休暇承認者はありません。少なくとも1ユーザーに「休暇承認者の役割を割り当ててください
+Call,呼び出します
+Calls,通話
+Campaign,キャンペーン
 Campaign Name,キャンペーン名
-Campaign Name is required,鉛の詳細
-Campaign Naming By,新入荷UOM
-Campaign-.####,POP3サーバーなど(pop.gmail.com)
-Can be approved by {0},見積
-"Can not filter based on Account, if grouped by Account",あなたが栓を抜くしてもよろしいですか
-"Can not filter based on Voucher No, if grouped by Voucher",製造された数量
-Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',日付を開く
+Campaign Name is required,キャンペーン名が必要です
+Campaign Naming By,キャンペーンの命名により、
+Campaign-.####,キャンペーン。####
+Can be approved by {0},{0}によって承認することができます
+"Can not filter based on Account, if grouped by Account",アカウント別にグループ化されている場合、アカウントに基づいてフィルタリングすることはできません
+"Can not filter based on Voucher No, if grouped by Voucher",バウチャーに基づいてフィルタリングすることはできませんいいえ、クーポンごとにグループ化された場合
+Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',または '前の行の合計' '前の行の量に「充電式である場合にのみ、行を参照することができます
 Cancel Material Visit {0} before cancelling this Customer Issue,この顧客の問題をキャンセルする前の材料の訪問{0}をキャンセル
 Cancel Material Visits {0} before cancelling this Maintenance Visit,このメンテナンス訪問をキャンセルする前の材料の訪問{0}をキャンセル
-Cancelled,購入時の領収書の項目Supplieds
-Cancelling this Stock Reconciliation will nullify its effect.,設定
-Cannot Cancel Opportunity as Quotation Exists,マイナス残高を許可する
-Cannot approve leave as you are not authorized to approve leaves on Block Dates,株式調整
-Cannot cancel because Employee {0} is already approved for {1},凍結されたアカウントの修飾子
-Cannot cancel because submitted Stock Entry {0} exists,すべての項目グループ
-Cannot carry forward {0},メンテナンススケジュールアイテム
-Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,毎日
-"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.",予定外の
-Cannot convert Cost Center to ledger as it has child nodes,住所 1行目
-Cannot covert to Group because Master Type or Account Type is selected.,倉庫システムには見られない
+Cancelled,キャンセル済み
+Cancelling this Stock Reconciliation will nullify its effect.,このストック調整をキャンセルすると、その効果を無効にします。
+Cannot Cancel Opportunity as Quotation Exists,引用が存在する限り機会をキャンセルすることはできません
+Cannot approve leave as you are not authorized to approve leaves on Block Dates,あなたがブロックした日時に葉を承認する権限がありませんように休暇を承認することはできません
+Cannot cancel because Employee {0} is already approved for {1},従業員{0}はすでに{1}のために承認されているため、キャンセルすることはできません
+Cannot cancel because submitted Stock Entry {0} exists,提出した株式のエントリは{0}が存在するため、キャンセルすることはできません
+Cannot carry forward {0},繰越はできません{0}
+Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,年度開始日と会計年度が保存されると決算日を変更することはできません。
+"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.",既存のトランザクションが存在するため、同社のデフォルトの通貨を変更することはできません。トランザクションは、デフォルトの通貨を変更するにはキャンセルする必要があります。
+Cannot convert Cost Center to ledger as it has child nodes,それが子ノードを持っているように元帳にコストセンターを変換することはできません
+Cannot covert to Group because Master Type or Account Type is selected.,マスタタイプまたはアカウントタイプが選択されているため、グループにひそかすることはできません。
 Cannot deactive or cancle BOM as it is linked with other BOMs,それは、他の部品表とリンクされているように、BOMを非アクティブかcancleすることはできません
-"Cannot declare as lost, because Quotation has been made.",従業員は{0} {1}に休職していた。出席をマークすることはできません。
-Cannot deduct when category is for 'Valuation' or 'Valuation and Total',が提起した
+"Cannot declare as lost, because Quotation has been made.",失われたように引用がなされているので、宣言することはできません。
+Cannot deduct when category is for 'Valuation' or 'Valuation and Total',カテゴリーは「評価」や「評価と合計 'のときに控除することができません
 "Cannot delete Serial No {0} in stock. First remove from stock, then delete.",在庫が{0}シリアル番号を削除することはできません。最初に削除して、在庫から削除します。
-"Cannot directly set amount. For 'Actual' charge type, use the rate field",参照行番号
-"Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in Stock Settings",クラシック
-Cannot produce more Item {0} than Sales Order quantity {1},製造業のために考慮すべき部品表
-Cannot refer row number greater than or equal to current row number for this Charge type,購入時の領収書項目
+"Cannot directly set amount. For 'Actual' charge type, use the rate field",直接金額を設定することはできません。「実際の」充電式の場合は、レートフィールドを使用する
+"Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in Stock Settings",{1}より{0}の行の{0}以上のアイテムのために払い過ぎることはできません。過大請求を可能にするために、ストック設定で設定してください
+Cannot produce more Item {0} than Sales Order quantity {1},より多くのアイテムを生成することはできません{0}より受注数量{1}
+Cannot refer row number greater than or equal to current row number for this Charge type,この充電式のために以上現在の行数と同じ行番号を参照することはできません
 Cannot return more than {0} for Item {1},{0}商品{1}以上のものを返すことはできません
-Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,から/ RECDに支払う
-Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for valuation. You can select only 'Total' option for previous row amount or previous row total,購入のリターン
-Cannot set as Lost as Sales Order is made.,販売代理店
-Cannot set authorization on basis of Discount for {0},割引は100未満でなければなりません
-Capacity,無効なユーザー名またはサポートパスワード。修正してから、もう一度やり直してください。
-Capacity Units,現金化を残しましょう​​!
-Capital Account,勘定科目表から新しいアカウントを作成してください。
-Capital Equipments,お手紙の頭とロゴをアップロード - あなたはそれらを後で編集することができます。
-Carry Forward,マーケティングおよび販売部長
-Carry Forwarded Leaves,SMSの送信者名
-Case No(s) already in use. Try from Case No {0},販売電子メールIDのセットアップ受信サーバ。 (例えばsales@example.com)
-Case No. cannot be 0,プロジェクト開始日
-Cash,性別
-Cash In Hand,適用前に残高を残す
-Cash Voucher,最初の「イメージ」を選択してください
-Cash or Bank Account is mandatory for making payment entry,"もし、ごhref=""#Sales Browser/Item Group"">追加/編集"
-Cash/Bank Account,総アドバンス
+Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,最初の行のために「前の行量オン」または「前の行トータル」などの電荷の種類を選択することはできません
+Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for valuation. You can select only 'Total' option for previous row amount or previous row total,価値評価のための「前の行トータルの 'または'前の行量オン」などの電荷の種類を選択することはできません。あなたが前の行量や前の行の合計のための唯一の「合計」オプションを選択することができます
+Cannot set as Lost as Sales Order is made.,受注が行われたとして失わように設定することはできません。
+Cannot set authorization on basis of Discount for {0},{0}の割引に基づいて認可を設定することはできません
+Capacity,容量
+Capacity Units,キャパシティー·ユニット
+Capital Account,資本勘定
+Capital Equipments,資本設備
+Carry Forward,繰り越す
+Carry Forwarded Leaves,転送された葉を運ぶ
+Case No(s) already in use. Try from Case No {0},既に使用されているケースはありません(S)。ケースはありませんから、お試しください{0}
+Case No. cannot be 0,ケース番号は0にすることはできません
+Cash,現金
+Cash In Hand,手持ちの現金
+Cash Voucher,金券
+Cash or Bank Account is mandatory for making payment entry,現金または銀行口座は、支払いのエントリを作成するための必須です
+Cash/Bank Account,現金/銀行口座
 Casual Leave,臨時休暇
-Cell Number,パッケージを形成するリスト項目。
-Change UOM for an Item.,検査に必要な
-Change the starting / current sequence number of an existing series.,為替レート
-Channel Partner,信用へ
-Charge of type 'Actual' in row {0} cannot be included in Item Rate,アカウント作成:{0}
-Chargeable,ホスト
-Charity and Donations,アイテム{1} {0}の有効なシリアル番号
-Chart Name,無効
-Chart of Accounts,会社の略
-Chart of Cost Centers,SMSを送信
-Check how the newsletter looks in an email by sending it to your email.,サポート
+Cell Number,細胞の数
+Change UOM for an Item.,アイテムのUOMを変更します。
+Change the starting / current sequence number of an existing series.,既存のシリーズの開始/現在のシーケンス番号を変更します。
+Channel Partner,チャネルパートナー
+Charge of type 'Actual' in row {0} cannot be included in Item Rate,「実際の」型の電荷が行に{0}商品料金に含めることはできません
+Chargeable,充電
+Charity and Donations,チャリティーや寄付
+Chart Name,チャート名
+Chart of Accounts,勘定コード表
+Chart of Cost Centers,コストセンターのチャート
+Check how the newsletter looks in an email by sending it to your email.,ニュースレターは、あなたの電子メールに送信することによって、電子メールにどのように見えるかを確認してください。
 "Check if recurring invoice, uncheck to stop recurring or put proper End Date",請求書を定期的かどうかをチェックし、定期的な停止または適切な終了日を入れてチェックを外し
 "Check if you need automatic recurring invoices. After submitting any sales invoice, Recurring section will be visible.",自動定期的な請求書を必要とするかどうかを確認します。いずれの売上請求書を提出した後、定期的なセクションは表示されます。
-Check if you want to send salary slip in mail to each employee while submitting salary slip,HTMLをアップロードする
-Check this if you want to force the user to select a series before saving. There will be no default if you check this.,サービスアイテムです
-Check this if you want to show in website,素材要求から
-Check this to disallow fractions. (for Nos),マージするには、次のプロパティが両方の項目で同じである必要があります
-Check this to pull emails from your mailbox,エンターテインメント&レジャー
-Check to activate,ホーム
+Check if you want to send salary slip in mail to each employee while submitting salary slip,あなたが給料スリップを提出しながら、各従業員へのメール給与伝票を送信するかどうかを確認してください
+Check this if you want to force the user to select a series before saving. There will be no default if you check this.,あなたが保存する前に、一連の選択をユーザに強制したい場合は、これを確認してください。これをチェックするとデフォルトはありません。
+Check this if you want to show in website,あなたのウェブサイトに表示する場合は、これをチェックする
+Check this to disallow fractions. (for Nos),画分を許可しないように、これをチェックしてください。 (NOS用)
+Check this to pull emails from your mailbox,あなたのメールボックスからメールをプルするために、これをチェックする
+Check to activate,アクティブにするためにチェックする
 Check to make Shipping Address,配送先住所を確認してください
-Check to make primary address,領土に対して有効
-Chemical,設定のアカウント
-Cheque,グループ
-Cheque Date,ランダム(Random)
-Cheque Number,シリアル番号は{0}が複数回入力された
+Check to make primary address,プライマリアドレスを確認してください
+Chemical,Chemica
+Cheque,小切手
+Cheque Date,小切手日
+Cheque Number,小切手番号
 Child account exists for this account. You can not delete this account.,子アカウントは、このアカウントの存在しています。このアカウントを削除することはできません。
-City,契約終了日
+City,市区町村
 City/Town,市町村
-Claim Amount,利用規約テンプレート
+Claim Amount,請求額
 Claims for company expense.,会社の経費のために主張している。
-Class / Percentage,銀行和解声明
-Classic,デフォルトの顧客グループ
-Clear Table,製造するのにアイテム
-Clearance Date,引用が存在する限り機会をキャンセルすることはできません
-Clearance Date not mentioned,作業が完了
-Clearance date cannot be before check date in row {0},平均割引
-Click on 'Make Sales Invoice' button to create a new Sales Invoice.,アイテムのシリアル番号
+Class / Percentage,クラス/パーセンテージ
+Classic,クラシック
+Clear Table,クリア表
+Clearance Date,クリアランス日
+Clearance Date not mentioned,クリアランス日付言及していない
+Clearance date cannot be before check date in row {0},クリアランス日付は行のチェック日付より前にすることはできません{0}
+Click on 'Make Sales Invoice' button to create a new Sales Invoice.,新しい売上請求書を作成するために「納品書を確認」ボタンをクリックしてください。
 Click on a link to get options to expand get options ,
-Client,シングル
-Close Balance Sheet and book Profit or Loss.,アイテム{0}シリアル番号列の設定は空白にする必要がありますはありません
-Closed,支払期日
-Closing Account Head,アドレスの種類
-Closing Account {0} must be of type 'Liability',サプライヤーの詳細
-Closing Date,GLエントリー
-Closing Fiscal Year,正社員
-Closing Qty,入力してくださいは、YesまたはNoとして「下請けは '
-Closing Value,あなたは、重複する項目を入力しました。修正してから、もう一度やり直してください。
-CoA Help,材料のリクエスト
-Code,サプライヤー>サプライヤタイプ
-Cold Calling,倉庫が必要とされるために前に提出する
-Color,次の倉庫にはアカウンティングエントリません
-Comma separated list of email addresses,通貨記号を隠す
-Comment,前
-Comments,ログインID
-Commercial,物品税バウチャー
-Commission,"例えば ​​""「ビルダーのためのツールを構築"
-Commission Rate,機会アイテム
-Commission Rate (%),用語や契約のテンプレート。
-Commission on Sales,氏
-Commission rate cannot be greater than 100,用語
-Communication,(ユーザー)に適用
+Client,顧客
+Close Balance Sheet and book Profit or Loss.,貸借対照表と帳簿上の利益または損失を閉じる。
+Closed,クローズ
+Closing (Cr),クロム(Cr)を閉じる
+Closing (Dr),(DR)を閉じる
+Closing Account Head,決算ヘッド
+Closing Account {0} must be of type 'Liability',アカウント{0}を閉じると、タイプ '責任'でなければなりません
+Closing Date,締切日
+Closing Fiscal Year,閉会年度
+Closing Qty,数量を閉じる
+Closing Value,終値
+CoA Help,CoAのヘルプ
+Code,コード
+Cold Calling,売り込み電話
+Color,色
+Column Break,列の区切り
+Comma separated list of email addresses,コンマは、電子メールアドレスのリストを区切り
+Comment,コメント
+Comments,解説
+Commercial,商用版
+Commission,委員会
+Commission Rate,手数料率
+Commission Rate (%),手数料率(%)
+Commission on Sales,販売委員会
+Commission rate cannot be greater than 100,手数料率は、100を超えることはできません
+Communication,コミュニケーション
 Communication HTML,通信のHTML
-Communication History,部品表から
-Communication log.,子会社
-Communications,株式UOMユーティリティを交換してください
+Communication History,通信履歴
+Communication log.,通信ログ。
+Communications,コミュニケーション
 Company,会社
-Company (not Customer or Supplier) master.,受注{0}は有効ではありません
-Company Abbreviation,議論するために
+Company (not Customer or Supplier) master.,会社(ないお客様、またはサプライヤ)のマスター。
+Company Abbreviation,会社の略
 Company Details,会社の詳細情報
-Company Email,行{0}:数量は倉庫にavalableいない{1}に{2} {3} \ N個の利用可能な数量:{4}、数量を転送:{5}
-"Company Email ID not found, hence mail not sent",アイテムは、{0}直列化された項目ではありません
-Company Info,支払勘定
-Company Name,インストレーションノート{0}はすでに送信されました
-Company Settings,(指定)に適用
-Company is missing in warehouses {0},部品表番号は{1}の行で製造アイテム{0}に必要です
-Company is required,検査基準
-Company registration numbers for your reference. Example: VAT Registration Numbers etc.,アカウント{0}を閉じると、タイプ '責任'でなければなりません
+Company Email,会社の電子メール
+"Company Email ID not found, hence mail not sent",会社の電子メールIDが見つからない、したがって送信されませんメール
+Company Info,会社情報
+Company Name,(会社名)
+Company Settings,会社の設定
+Company is missing in warehouses {0},当社は、倉庫にありません{0}
+Company is required,当社は必要とされている
+Company registration numbers for your reference. Example: VAT Registration Numbers etc.,あなたの参照のための会社の登録番号。例:付加価値税登録番号など
 Company registration numbers for your reference. Tax numbers etc.,あなたの参照のための会社の登録番号。税番号など
-"Company, Month and Fiscal Year is mandatory",この商品は等のコンサルティング、トレーニング、設計、のようないくつかの作業を表す場合は「はい」を選択
-Compensatory Off,倉庫に
-Complete,既存のシリーズの開始/現在のシーケンス番号を変更します。
-Complete Setup,NO接点は作成されません
-Completed,数量アウト
-Completed Production Orders,製造又は再包装の商品の総評価額は、原料の合計評価額より小さくすることはできません
-Completed Qty,電信送金
-Completion Date,経費日付
-Completion Status,配達希望日
+"Company, Month and Fiscal Year is mandatory",会社、月と年度は必須です
+Compensatory Off,代償オフ
+Complete,完了
+Complete Setup,完全セットアップ
+Completed,完了
+Completed Production Orders,完成した製造指図
+Completed Qty,完成した数量
+Completion Date,完了日
+Completion Status,完了状況
 Computer,コンピュータ
-Computers,納品書に対する
-Confirmation Date,いいえ、従業員が見つかりませんでした!
-Confirmed orders from Customers.,雑誌で銀行の支払日を更新します。
-Consider Tax or Charge for,デフォルトとして設定
-Considered as Opening Balance,債権グループ
-Considered as an Opening Balance,会社での歴史
-Consultant,PRの詳細
-Consulting,従業員名用
-Consumable,課金
-Consumable Cost,このストック調整をキャンセルすると、その効果を無効にします。
-Consumable cost per hour,リードや顧客に引用している。
-Consumed Qty,納品書{0}送信されません
-Consumer Products,食品、飲料&タバコ
-Contact,認可額
-Contact Control,受注動向を購入
-Contact Desc,メール アドレス
+Computers,コンピュータ
+Confirmation Date,確定日
+Confirmed orders from Customers.,お客様からのご注文確認。
+Consider Tax or Charge for,税金や料金を検討
+Considered as Opening Balance,開始残高として考え
+Considered as an Opening Balance,開始残高として考え
+Consultant,コンサルタント
+Consulting,コンサルティング
+Consumable,消耗品
+Consumable Cost,消耗品費
+Consumable cost per hour,時間あたりの消耗品のコスト
+Consumed Qty,消費された数量
+Consumer Products,消費者製品
+Contact,お問い合わせ
+Contact Control,接触制御
+Contact Desc,お問い合わせお得!
 Contact Details,連絡先の詳細
-Contact Email,連絡先のメール
-Contact HTML,完了
-Contact Info,倉庫{0}は存在しません
+Contact Email,連絡先 メール
+Contact HTML,お問い合わせのHTML
+Contact Info,連絡先情報
 Contact Mobile No,お問い合わせモバイルノー
-Contact Name,デフォルトのアドレステンプレートを削除することはできません
-Contact No.,POSの設定
-Contact Person,項目ごとの購入登録
-Contact Type,税金、料金を追加する
+Contact Name,担当者名
+Contact No.,お問い合わせ番号
+Contact Person,担当者
+Contact Type,接触式
 Contact master.,連絡先マスター。
-Contacts,容量
-Content,この項目があなたの会社にいくつかの内部目的のために使用されている場合は、「はい」を選択します。
+Contacts,連絡先
+Content,目次
 Content Type,コンテンツの種類
-Contra Voucher,スケジュール設定済み
+Contra Voucher,コントラバウチャー
 Contract,契約書
-Contract End Date,顧客の住所と連絡先
-Contract End Date must be greater than Date of Joining,実際の請求日
+Contract End Date,契約終了日
+Contract End Date must be greater than Date of Joining,契約終了日は、参加の日よりも大きくなければならない
 Contribution (%),寄与度(%)
-Contribution to Net Total,注文書アイテム付属
-Conversion Factor,例えば銀行、現金払い、クレジットカード払い
-Conversion Factor is required,ドキュメントタイプ
-Conversion factor cannot be in fractions,バウチャー型に対する
-Conversion factor for default Unit of Measure must be 1 in row {0},管理
-Conversion rate cannot be 0 or 1,パッケージアイテムの詳細
-Convert into Recurring Invoice,メール送信済み?
-Convert to Group,コミュニケーション
-Convert to Ledger,スレッドのHTML
-Converted,{1} {0} quotation_toの値を選択してください
-Copy From Item Group,株式元帳エントリはこの倉庫のために存在する倉庫を削除することはできません。
-Cosmetics,あなたは本当に製造指図を中止しますか。
-Cost Center,未公開株式
-Cost Center Details,未処理
-Cost Center Name,パーソナル
+Contribution to Net Total,合計額への貢献
+Conversion Factor,換算係数
+Conversion Factor is required,変換係数が必要とされる
+Conversion factor cannot be in fractions,換算係数は、画分にすることはできません
+Conversion factor for default Unit of Measure must be 1 in row {0},デフォルトの単位の換算係数は、行の1でなければなりません{0}
+Conversion rate cannot be 0 or 1,変換率は0か1にすることはできません
+Convert into Recurring Invoice,経常請求書に変換
+Convert to Group,グループへの変換
+Convert to Ledger,元帳に変換
+Converted,変更
+Copy From Item Group,項目グループからコピーする
+Cosmetics,化粧品
+Cost Center,コストセンター
+Cost Center Details,センターの詳細を要し
+Cost Center Name,コストセンター名
 Cost Center is required for 'Profit and Loss' account {0},コストセンターは、「損益」アカウントに必要とされる{0}
 Cost Center is required in row {0} in Taxes table for type {1},コストセンターは、タイプ{1}のための税金表の行{0}が必要である
-Cost Center with existing transactions can not be converted to group,閉会年度
+Cost Center with existing transactions can not be converted to group,既存の取引にコストセンターでは、グループに変換することはできません
 Cost Center with existing transactions can not be converted to ledger,既存の取引にコストセンターでは元帳に変換することはできません
-Cost Center {0} does not belong to Company {1},転写材
+Cost Center {0} does not belong to Company {1},コストセンター{0}に属していない会社{1}
 Cost of Goods Sold,売上原価
 Costing,原価計算
-Country,NETペイ
-Country Name,ヘッダー
-Country wise default Address Templates,シリアルNOサービス契約の有効期限
+Country,国
+Country Name,国名
+Country wise default Address Templates,国ごとのデフォルトのアドレス·テンプレート
 "Country, Timezone and Currency",国、タイムゾーンと通貨
 Create Bank Voucher for the total salary paid for the above selected criteria,上で選択した基準に支払わ総給与のために銀行券を作成
-Create Customer,テスト
+Create Customer,顧客を作成
 Create Material Requests,素材の要求を作成
-Create New,残高
-Create Opportunity,見つからレコードません
-Create Production Orders,期間閉鎖エントリで
-Create Quotation,会計年度の開始日
+Create New,新規作成
+Create Opportunity,きっかけを作る
+Create Production Orders,製造指図を作成します。
+Create Quotation,見積を登録
 Create Receiver List,レシーバー·リストを作成します。
-Create Salary Slip,数量を入力してください{0}
-Create Stock Ledger Entries when you submit a Sales Invoice,株式とレートを取得
-"Create and manage daily, weekly and monthly email digests.",あなたの会計年度は、日に終了
-Create rules to restrict transactions based on values.,合計額への貢献
-Created By,在庫数量を予測
-Creates salary slip for above mentioned criteria.,銀行当座貸越口座
-Creation Date,このトランザクションのシリーズ一覧
-Creation Document No,お客様の商品コード
-Creation Document Type,インポートログ
+Create Salary Slip,給与伝票を作成する
+Create Stock Ledger Entries when you submit a Sales Invoice,あなたは納品書を提出する際に証券勘定元帳のエントリを作成します。
+"Create and manage daily, weekly and monthly email digests.",作成して、毎日、毎週、毎月の電子メールダイジェストを管理します。
+Create rules to restrict transactions based on values.,値に基づいて取引を制限するルールを作成します。
+Created By,によって作成された
+Creates salary slip for above mentioned criteria.,上記の基準の給与伝票を作成します。
+Creation Date,作成日
+Creation Document No,作成ドキュメントNo
+Creation Document Type,作成ドキュメントの種類
 Creation Time,作成時間
-Credentials,株式元帳エントリー
+Credentials,Credentials
 Credit,クレジット
-Credit Amt,製造するの数量
-Credit Card,合計税および充満
-Credit Card Voucher,注:{0}
-Credit Controller,ウェブサイトの倉庫
-Credit Days,POP3メールサーバ
-Credit Limit,Deduction1
-Credit Note,会社、通貨、今期、などのように設定されたデフォルトの値
-Credit To,見つかりません従業員
+Credit Amt,クレジットアマウント
+Credit Card,クレジットカード
+Credit Card Voucher,クレジットカードのバウチャー
+Credit Controller,クレジットコントローラ
+Credit Days,クレジット日数
+Credit Limit,支払いの上限
+Credit Note,負担額通知書
+Credit To,信用へ
 Currency,通貨
-Currency Exchange,現在の請求書の期間の終了日
-Currency Name,アイテム{0}に必要な品質検査
-Currency Settings,株式UOM
-Currency and Price List,店
-Currency exchange rate master.,{0}の限界を超えているのでauthroizedはない
-Current Address,Frappe.ioポータル
-Current Address Is,総配分される金額は、比類のない量を超えることはできません
-Current Assets,ブロックリスト可のままに
+Currency Exchange,為替
+Currency Name,通貨名
+Currency Settings,通貨の設定
+Currency and Price List,通貨と価格表
+Currency exchange rate master.,為替レートのマスター。
+Current Address,現住所
+Current Address Is,現在のアドレスは
+Current Assets,流動資産
 Current BOM,現在の部品表
-Current BOM and New BOM can not be same,アカウント別にグループ化されている場合、アカウントに基づいてフィルタリングすることはできません
-Current Fiscal Year,割り当てを残す
+Current BOM and New BOM can not be same,現在のBOMと新BOMは同じにすることはできません
+Current Fiscal Year,現会計年度
 Current Liabilities,流動負債
-Current Stock,{0} {1}ないどれ年度中
-Current Stock UOM,に対して
-Current Value,何バッチを取得するために商品コードを入力をして下さい
-Custom,このメールIDを持つ鉛は存在している必要があります
-Custom Autoreply Message,従業員の誕生日
-Custom Message,製造指図はこの項目のために作られているように、それは株式項目でなければなりません。
-Customer,すべての連絡先。
-Customer (Receivable) Account,食料品
+Current Stock,現在庫
+Current Stock UOM,現在の在庫UOM
+Current Value,現在値
+Custom,カスタム
+Custom Autoreply Message,カスタム自動返信メッセージ
+Custom Message,カスタムメッセージ
+Customer,カスタマー
+Customer (Receivable) Account,顧客(債権)のアカウント
 Customer / Item Name,顧客/商品名
 Customer / Lead Address,顧客/先頭アドレス
-Customer / Lead Name,仕事のための申請者。
-Customer > Customer Group > Territory,サービス
-Customer Account Head,C-フォーム請求書の詳細
-Customer Acquisition and Loyalty,お問い合わせ番号
+Customer / Lead Name,顧客/鉛名
+Customer > Customer Group > Territory,顧客>顧客グループ>テリトリー
+Customer Account Head,顧客アカウントヘッド
+Customer Acquisition and Loyalty,顧客獲得とロイヤルティ
 Customer Address,顧客の住所
-Customer Addresses And Contacts,コミュニティ
-Customer Code,自動的に金額を割り当てる
-Customer Codes,サプライヤ部品番号
-Customer Details,経費ヘッド
-Customer Feedback,金券
-Customer Group,価格設定ルールは、いくつかの基準に基づいて、値引きの割合を定義/価格表を上書きさせる。
-Customer Group / Customer,事務所賃貸料
-Customer Group Name,メイン
+Customer Addresses And Contacts,顧客の住所と連絡先
+Customer Addresses and Contacts,顧客の住所と連絡先
+Customer Code,顧客コード
+Customer Codes,顧客コード
+Customer Details,顧客の詳細
+Customer Feedback,顧客フィードバック
+Customer Group,顧客グループ
+Customer Group / Customer,顧客グループ/顧客
+Customer Group Name,顧客グループ名
 Customer Intro,顧客イントロ
-Customer Issue,100pxにすることで、Webに優しい900px(W)それを維持する(H)
-Customer Issue against Serial No.,(従業員)に適用
+Customer Issue,顧客の問題
+Customer Issue against Serial No.,シリアル番号に対する顧客の問題
 Customer Name,顧客番号
 Customer Naming By,することにより、顧客の命名
-Customer Service,離婚した
-Customer database.,デビットへ
-Customer is required,最初の{0}を選択してください
-Customer master.,ワークステーション名
-Customer required for 'Customerwise Discount',レベル
+Customer Service,顧客サービス
+Customer database.,顧客データベース。
+Customer is required,顧客が必要となります
+Customer master.,顧客マスター。
+Customer required for 'Customerwise Discount',「Customerwise割引」に必要な顧客
 Customer {0} does not belong to project {1},顧客は、{0} {1}をプロジェクトに属していません
-Customer {0} does not exist,新入荷UOMが必要です
-Customer's Item Code,販売のインストール後に
-Customer's Purchase Order Date,割引率は、価格表に対して、またはすべての価格リストのいずれかを適用することができます。
+Customer {0} does not exist,顧客は、{0}が存在しません
+Customer's Item Code,お客様の商品コード
+Customer's Purchase Order Date,顧客の購入受注日
 Customer's Purchase Order No,顧客の購入注文番号
-Customer's Purchase Order Number,価格リスト名
-Customer's Vendor,出荷量
-Customers Not Buying Since Long Time,大手/オプション科目
+Customer's Purchase Order Number,顧客の購入注文番号
+Customer's Vendor,顧客のベンダー
+Customers Not Buying Since Long Time,お客様は以前から買っていない
 Customerwise Discount,Customerwise割引
-Customize,パッケージの総重量。正味重量+梱包材重量は通常。 (印刷用)
-Customize the Notification,顧客の便宜のために、これらのコードは、インボイスおよび配信ノーツ等の印刷形式で使用することができる
-Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,行{0}:アカウントは考慮するために、\ \ N購入インボイスクレジットと一致していません
+Customize,カスタマイズ
+Customize the Notification,通知をカスタマイズする
+Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,そのメールの一部として行くの入門テキストをカスタマイズします。各トランザクションは、別々の入門テキストを持っています。
 DN Detail,DNの詳細
-Daily,販売パートナー委員会
-Daily Time Log Summary,メンテナンス
-Database Folder ID,Itemwiseは再注文レベルを推奨
-Database of potential customers.,利用規約
-Date,部分的に配信
-Date Format,合計のご獲得
-Date Of Retirement,{0}ではないタイプの引用符{1}
-Date Of Retirement must be greater than Date of Joining,レポートを作成
+Daily,毎日
+Daily Time Log Summary,毎日のタイムログの概要
+Database Folder ID,データベースフォルダID
+Database of potential customers.,潜在的な顧客のデータベース。
+Date,日付
+Date Format,日付の表示形式
+Date Of Retirement,退職日
+Date Of Retirement must be greater than Date of Joining,退職日は、接合の日付より大きくなければなりません
 Date is repeated,日付が繰り返され、
 Date of Birth,生年月日
-Date of Issue,顧客グループ名
-Date of Joining,スケジュール日付
-Date of Joining must be greater than Date of Birth,タイプ名を残す
+Date of Issue,発行日
+Date of Joining,参加日
+Date of Joining must be greater than Date of Birth,参加日は誕生日よりも大きくなければならない
 Date on which lorry started from supplier warehouse,貨物自動車サプライヤーとの倉庫から開始された日
-Date on which lorry started from your warehouse,材料は受信された時刻
-Dates,例えば5
+Date on which lorry started from your warehouse,大型トラックがあなたの倉庫から開始された日
+Dates,日付
 Days Since Last Order,時代からラストオーダー
-Days for which Holidays are blocked for this department.,売上総利益(%)
+Days for which Holidays are blocked for this department.,休日はこの部門のためにブロックされている日。
 Dealer,ディーラー
 Debit,デビット
-Debit Amt,参照名
-Debit Note,名前と説明
-Debit To,総休暇日数
-Debit and Credit not equal for this voucher. Difference is {0}.,取引
+Debit Amt,デビットアマウント
+Debit Note,借方票
+Debit To,デビットへ
+Debit and Credit not equal for this voucher. Difference is {0}.,デビットとこのバウチャーのための等しくないクレジット。違いは、{0}です。
 Deduct,差し引く
-Deduction,シリアルNO {0}は存在しません
-Deduction Type,一日中
-Deduction1,スケジュールを生成
-Deductions,他のコメントは、記録に行く必要があり注目に値する努力。
-Default,人事マネージャー
-Default Account,購入請求書{0}はすでに提出されている
-Default Address Template cannot be deleted,材料の要求の詳細はありません
-Default BOM,そのメールの一部として行くの入門テキストをカスタマイズします。各トランザクションは、別々の入門テキストを持っています。
-Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,完成品を更新
+Deduction,控除
+Deduction Type,控除の種類
+Deduction1,Deduction1
+Deductions,控除
+Default,初期値
+Default Account,デフォルトのアカウント
+Default Address Template cannot be deleted,デフォルトのアドレステンプレートを削除することはできません
+Default Amount,デフォルト額
+Default BOM,デフォルトのBOM
+Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,このモードを選択した場合、デフォルトのバンク/キャッシュ·アカウントが自動的にPOS請求書で更新されます。
 Default Bank Account,デフォルトの銀行口座
-Default Buying Cost Center,社員名
-Default Buying Price List,配分された金額unadusted量よりも多くすることはできません
-Default Cash Account,メンテナンス訪問する
-Default Company,単位/シフト
-Default Currency,マイルストーン
+Default Buying Cost Center,デフォルトの購入のコストセンター
+Default Buying Price List,デフォルトの購入価格表
+Default Cash Account,デフォルトの現金勘定
+Default Company,デフォルトの会社
+Default Currency,デフォルトの通貨
 Default Customer Group,デフォルトの顧客グループ
-Default Expense Account,売掛金/買掛金勘定は、フィールドマスタタイプに基づいて識別されます
-Default Income Account,リード名
-Default Item Group,カンマで区切られた電子メールIDを入力して、請求書が特定の日に自動的に郵送されます
-Default Price List,日付が高齢化すると、エントリを開くための必須です
-Default Purchase Account in which cost of the item will be debited.,終了
+Default Expense Account,デフォルトの費用勘定
+Default Income Account,デフォルトの所得収支
+Default Item Group,デフォルトのアイテムグループ
+Default Price List,デフォルトの価格表
+Default Purchase Account in which cost of the item will be debited.,項目の費用が引き落とされますれるデフォルトの仕入勘定。
 Default Selling Cost Center,デフォルトの販売コストセンター
 Default Settings,デフォルト設定
-Default Source Warehouse,部品表から項目を取得
-Default Stock UOM,テレビ
-Default Supplier,月次
-Default Supplier Type,必要な材料(分解図)
-Default Target Warehouse,デフォルトの会社
+Default Source Warehouse,デフォルトのソース·ウェアハウス
+Default Stock UOM,デフォルト株式UOM
+Default Supplier,デフォルトのサプライヤ
+Default Supplier Type,デフォルトのサプライヤタイプ
+Default Target Warehouse,デフォルトのターゲット·ウェアハウス
 Default Territory,デフォルトの地域
-Default Unit of Measure,アップデートシリーズ
+Default Unit of Measure,デフォルトの単位
 "Default Unit of Measure can not be changed directly because you have already made some transaction(s) with another UOM. To change default UOM, use 'UOM Replace Utility' tool under Stock module.",すでに別のUOMで一部のトランザクション(複数可)を行っているため、デフォルトの単位を直接変更することはできません。デフォルトのUOMを変更するには、銃床モジュールの下の「UOMユーティリティを交換してください」ツールを使用します。
-Default Valuation Method,作成して、毎日、毎週、毎月の電子メールダイジェストを管理します。
+Default Valuation Method,デフォルトの評価方法
 Default Warehouse,デフォルトの倉庫
-Default Warehouse is mandatory for stock Item.,通知電子メールアドレス
-Default settings for accounting transactions.,引用動向
+Default Warehouse is mandatory for stock Item.,デフォルトの倉庫在庫アイテムは必須です。
+Default settings for accounting transactions.,会計処理のデフォルト設定。
 Default settings for buying transactions.,トランザクションを購入するためのデフォルト設定。
-Default settings for selling transactions.,偏在ヶ月間でターゲットを配布するために予算配分を選択します。
+Default settings for selling transactions.,トランザクションを販売するためのデフォルト設定。
 Default settings for stock transactions.,株式取引のデフォルト設定。
-Defense,今月営業日以上の休日があります。
-"Define Budget for this Cost Center. To set budget action, see Company Master",エントリに対して
-Delete,完成品
-Delete {0} {1}?,去るロールを持つユーザーによって承認されることができる、「承認者のまま」
+Defense,防衛
+"Define Budget for this Cost Center. To set budget action, see Company Master","この原価センタの予算を定義します。予算のアクションを設定するには、会社マスター"
+Del,デル
+Delete,削除
+Delete {0} {1}?,{0} {1}を削除しますか?
 Delivered,配送
-Delivered Items To Be Billed,親サイトルート
-Delivered Qty,月曜日
+Delivered Items To Be Billed,課金対象とされて配達された商品
+Delivered Qty,納入数量
 Delivered Serial No {0} cannot be deleted,納入シリアル番号は{0}を削除することはできません
-Delivery Date,アイテム{0}同じ説明や日付で複数回入力されました
+Delivery Date,納期
 Delivery Details,配達の詳細
 Delivery Document No,配達ドキュメントNo
-Delivery Document Type,材料の%は、この発注書に対して受信
-Delivery Note,複数のアイテムの価格。
+Delivery Document Type,出荷伝票タイプ
+Delivery Note,納品書
 Delivery Note Item,納品書アイテム
-Delivery Note Items,顧客グループツリーを管理します。
-Delivery Note Message,資本勘定
-Delivery Note No,「ラストオーダーからの日数」はゼロ以上でなければならない
+Delivery Note Items,納品書アイテム
+Delivery Note Message,納品書のメッセージ
+Delivery Note No,納品書はありません
 Delivery Note Required,納品書が必要な
-Delivery Note Trends,アイテムは、{0} {1}での販売またはサービスアイテムである必要があります
-Delivery Note {0} is not submitted,アイテムは自動的に番号が付けされていないため、商品コードは必須です
-Delivery Note {0} must not be submitted,ストア
-Delivery Notes {0} must be cancelled before cancelling this Sales Order,finanialアカウントの木。
+Delivery Note Trends,納品書の動向
+Delivery Note {0} is not submitted,納品書{0}送信されません
+Delivery Note {0} must not be submitted,納品書{0}提出しなければいけません
+Delivery Notes {0} must be cancelled before cancelling this Sales Order,納品書{0}は、この受注をキャンセルする前にキャンセルしなければならない
 Delivery Status,配信状態
-Delivery Time,アカウント
-Delivery To,EメールのId
-Department,数量は受注
-Department Stores,受信者
-Depends on LWP,ビュー元帳
+Delivery Time,配達時間
+Delivery To,への配信
+Department,部門
+Department Stores,デパート
+Depends on LWP,LWPに依存
 Depreciation,減価償却費
-Description,新しい納品書
-Description HTML,石鹸&洗剤
-Designation,言葉での合計金額
-Designer,価格
+Description,説明
+Description HTML,説明HTMLの
+Designation,定義
+Designer,デザイナー
 Detailed Breakup of the totals,合計の詳細な分裂
 Details,詳細
-Difference (Dr - Cr),納品書のメッセージ
-Difference Account,評価方法
-"Difference Account must be a 'Liability' type account, since this Stock Reconciliation is an Opening Entry",オファー日
-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.,参考値。
-Direct Expenses,アカウントに対して
-Direct Income,次の請求書が生成された日付。これは、送信してください。\ nの上に生成される
-Disable,プロジェクトの詳細
+Difference (Dr - Cr),違い(DR - CR)
+Difference Account,差異勘定
+"Difference Account must be a 'Liability' type account, since this Stock Reconciliation is an Opening Entry",このストック調整がオープニング·エントリであるため、差異勘定は、「責任」タイプのアカウントである必要があります
+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になっていることを確認してください。
+Direct Expenses,直接経費
+Direct Income,直接の利益
+Disable,設定なし
 Disable Rounded Total,丸い合計を無効
-Disabled,エージェント
-Discount  %,次の電子メールは上に送信されます。
-Discount %,ニュースレターの状況
-Discount (%),これは、ルート·アイテム·グループであり、編集することはできません。
-Discount Amount,売上高は、請求書{0}、この受注をキャンセルする前にキャンセルしなければならない
-"Discount Fields will be available in Purchase Order, Purchase Receipt, Purchase Invoice",サプライヤーの数を一覧表示します。彼らは、組織や個人である可能性があります。
+Disabled,無効
+Discount  %,安%
+Discount %,安%
+Discount (%),割引(%)
+Discount Amount,割引額
+"Discount Fields will be available in Purchase Order, Purchase Receipt, Purchase Invoice",割引フィールドが発注、購入時の領収書、請求書購入に利用できるようになります
 Discount Percentage,割引率
-Discount Percentage can be applied either against a Price List or for all Price List.,行{0}:数量は必​​須です
-Discount must be less than 100,税金を含めるには、行に{0}商品相場では、行{1}内税も含まれている必要があります
+Discount Percentage can be applied either against a Price List or for all Price List.,割引率は、価格表に対して、またはすべての価格リストのいずれかを適用することができます。
+Discount must be less than 100,割引は100未満でなければなりません
 Discount(%),割引(%)
 Dispatch,ディスパッチ
-Display all the individual items delivered with the main items,プレビュー
-Distribute transport overhead across items.,税金、料金の計算
+Display all the individual items delivered with the main items,主な項目で提供されているすべての個々の項目を表示する
+Distribute transport overhead across items.,項目間でのトランスポートのオーバーヘッドを配布します。
 Distribution,分布
-Distribution Id,あなたが複数の会社を持っているときは、関係する会社名を選択します。
-Distribution Name,{0}在庫切れのシリアル番号
-Distributor,満たさ
-Divorced,販売注文から項目を取得
-Do Not Contact,連絡先情報
-Do not show any symbol like $ etc next to currencies.,アドレステンプレート
+Distribution Id,配布ID
+Distribution Name,ディストリビューション名
+Distributor,販売代理店
+Divorced,離婚した
+Do Not Contact,接触していない
+Do not show any symbol like $ etc next to currencies.,次の通貨に$などのような任意のシンボルを表示しません。
 Do really want to unstop production order: ,
 Do you really want to STOP ,
-Do you really want to STOP this Material Request?,Prevdoc文書型
-Do you really want to Submit all Salary Slip for month {0} and year {1},製造指図書
+Do you really want to STOP this Material Request?,あなたは本当に、この素材の要求を中止しますか?
+Do you really want to Submit all Salary Slip for month {0} and year {1},あなたは本当に{0}年{1}の月のすべての給与伝票を登録しますか
 Do you really want to UNSTOP ,
-Do you really want to UNSTOP this Material Request?,アイテム{0}アクティブでないか、人生の最後に到達しました
+Do you really want to UNSTOP this Material Request?,本当にこの素材リクエスト栓を抜くようにしたいですか?
 Do you really want to stop production order: ,
-Doc Name,行番号は{0}:アイテムのシリアル番号を指定してください{1}
-Doc Type,固定資産
-Document Description,割引(%)
-Document Type,基本料金
+Doc Name,DOC名
+Doc Type,ドキュメントタイプ
+Document Description,文書記述
+Document Type,伝票タイプ
 Documents,文書
-Domain,アイテムごとの販売登録
-Don't send Employee Birthday Reminders,この連絡の指定を入力してください
-Download Materials Required,設定与信限度額を超えた取引を提出し許可されているロール。
+Domain,ドメイン
+Don't send Employee Birthday Reminders,従業員の誕生日リマインダを送信しないでください
+Download Materials Required,必要なものをダウンロード
 Download Reconcilation Data,Reconcilationデータをダウンロード
-Download Template,POSシステム
-Download a report containing all raw materials with their latest inventory status,色
-"Download the Template, fill appropriate data and attach the modified file.",鑑定テンプレートゴール
+Download Template,テンプレートのダウンロード
+Download a report containing all raw materials with their latest inventory status,最新の在庫状況とのすべての原料を含むレポートをダウンロード
+"Download the Template, fill appropriate data and attach the modified file.",テンプレートをダウンロードして適切なデータを記入し、変更したファイルを添付してください。
 "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",UOMに必要なUOM coversion率:アイテム{0}:{1}
-Draft,適用C-フォーム
-Dropbox,アドバタイズメント
-Dropbox Access Allowed,デビットカードまたはクレジットのどちらかが要求される{0}
+All dates and employee combination in the selected period will come in the template, with existing attendance records","テンプレートをダウンロードして適切なデータを記入し、変更したファイルを添付してください。
+選択した期間内のすべての日付と従業員の組み合わせは、既存の出席記録と、テンプレートに来る"
+Draft,ドラフト
+Dropbox,Dropbox
+Dropbox Access Allowed,Dropboxのアクセス許可
 Dropbox Access Key,Dropboxのアクセスキー
 Dropbox Access Secret,Dropboxのアクセスの秘密
 Due Date,期日
-Due Date cannot be after {0},機会日
-Due Date cannot be before Posting Date,新しい通信
-Duplicate Entry. Please check Authorization Rule {0},注:バックアップとファイルがDropboxのから削除されません、それらを手動で削除する必要があります。
-Duplicate Serial No entered for Item {0},支払金額
+Due Date cannot be after {0},期日後にすることはできません{0}
+Due Date cannot be before Posting Date,期日日付を投稿する前にすることはできません
+Duplicate Entry. Please check Authorization Rule {0},重複記入認可ルールを確認してください{0}
+Duplicate Serial No entered for Item {0},重複したシリアル番号は、項目に入力された{0}
 Duplicate entry,情報を複製
 Duplicate row {0} with same {1},重複する行{0}と同じ{1}
-Duties and Taxes,仕事のプロフィール
-ERPNext Setup,価格表の通貨が選択されていない
-Earliest,部品表には「はい」でなければならないようにします。1そのためか、この項目の存在する多くの積極的な部品表
-Earnest Money,アカウントは、貸借対照表勘定である必要があります
-Earning,受注{0}送信されません
-Earning & Deduction,ご獲得および控除に基づいて給与崩壊。
-Earning Type,クレジットコントローラ
-Earning1,購入時の領収書から
-Edit,大量郵送
-Education,その他の詳細
+Duties and Taxes,関税と税金
+ERPNext Setup,ERPNextセットアップ
+Earliest,最古の
+Earnest Money,手付金
+Earning,収益
+Earning & Deduction,収益&控除
+Earning Type,収益タイプ
+Earning1,Earning1
+Edit,編集
+Edu. Cess on Excise,エドゥ。消費税についてCESS
+Edu. Cess on Service Tax,エドゥ。サービス税上のCESS
+Edu. Cess on TDS,エドゥ。TDSにCESS
+Education,教育
 Educational Qualification,学歴
-Educational Qualification Details,4半期ごと
-Eg. smsgateway.com/api/send_sms.cgi,ファイルフォルダのID
-Either debit or credit amount is required for {0},消耗品費
-Either target qty or target amount is mandatory,出版
-Either target qty or target amount is mandatory.,株式エントリー
+Educational Qualification Details,学歴の詳細
+Eg. smsgateway.com/api/send_sms.cgi,例えば。 smsgateway.com / API / send_sms.cgi
+Either debit or credit amount is required for {0},デビットカードまたはクレジットのどちらかが要求される{0}
+Either target qty or target amount is mandatory,ターゲット数量や目標量のいずれかが必須です
+Either target qty or target amount is mandatory.,ターゲット数量や目標量のいずれかが必須です。
 Electrical,電気
-Electricity Cost,交際費は必須です
-Electricity cost per hour,「はい」を選択すると、この項目の製造指図を行うことができます。
+Electricity Cost,発電コスト
+Electricity cost per hour,時間あたりの電気代
 Electronics,家電
-Email,アイテムが倉庫から納入された時刻
+Email,Eメール
 Email Digest,電子メールダイジェスト
 Email Digest Settings,電子メールダイジェストの設定
 Email Digest: ,
-Email Id,Googleのドライブへのバックアップをアップロードする
-"Email Id where a job applicant will email e.g. ""jobs@example.com""",自己紹介
-Email Notifications,画分を許可しないように、これをチェックしてください。 (NOS用)
-Email Sent?,参加日は誕生日よりも大きくなければならない
-"Email id must be unique, already exists for {0}",合計デビット
-Email ids separated by commas.,税金を追加
+Email Id,EメールのId
+"Email Id where a job applicant will email e.g. ""jobs@example.com""",求職者は、メールでお知らせいたします電子メールIDなど「jobs@example.com」
+Email Notifications,メール通知
+Email Sent?,メール送信済み?
+"Email id must be unique, already exists for {0}",電子メールIDは一意である必要があり、すでに{0}のために存在し
+Email ids separated by commas.,電子メールIDは、カンマで区切られた。
 "Email settings to extract Leads from sales email id e.g. ""sales@example.com""",販売電子メールIDからのリード線を抽出するための電子メール設定など「sales@example.com」
-Emergency Contact,あなたは 'に対するジャーナルバウチャー」の欄に、現在の伝票を入力することはできません
+Emergency Contact,緊急連絡
 Emergency Contact Details,緊急連絡先の詳細
-Emergency Phone,粗利益%
-Employee,キャンペーン。####
-Employee Birthday,ドラフト
+Emergency Phone,緊急電話
+Employee,正社員
+Employee Birthday,従業員の誕生日
 Employee Details,社員詳細
-Employee Education,お支払い方法{0}にデフォルトの現金や銀行口座を設定してください
-Employee External Work History,毎週休み選択してください
+Employee Education,社員教育
+Employee External Work History,従業外部仕事の歴史
 Employee Information,社員情報
 Employee Internal Work History,従業員内部作業歴史
 Employee Internal Work Historys,従業員内部作業Historys
-Employee Leave Approver,販売BOMのヘルプ
-Employee Leave Balance,リストの最初の脱退承認者は、デフォルトのままに承認者として設定されます
-Employee Name,すべてのアドレス。
-Employee Number,"この原価センタの予算を定義します。予算のアクションを設定するには、会社マスター"
-Employee Records to be created by,{0} {1}は、提出しなければならない
+Employee Leave Approver,従業員休暇承認者
+Employee Leave Balance,従業員の脱退バランス
+Employee Name,社員名
+Employee Number,社員番号
+Employee Records to be created by,によって作成される従業員レコード
 Employee Settings,従業員の設定
-Employee Type,着信
-"Employee designation (e.g. CEO, Director etc.).",より良い展望
-Employee master.,業績評価。
+Employee Type,社員タイプ
+"Employee designation (e.g. CEO, Director etc.).",従業員の名称(例:最高経営責任者(CEO)、取締役など)。
+Employee master.,従業員マスタ。
 Employee record is created using selected field. ,
 Employee records.,従業員レコード。
 Employee relieved on {0} must be set as 'Left',{0}にホッと従業員が「左」として設定する必要があります
-Employee {0} has already applied for {1} between {2} and {3},この税金が適用されるレート
-Employee {0} is not active or does not exist,関連するエントリを取得
-Employee {0} was on leave on {1}. Cannot mark attendance.,%配信
+Employee {0} has already applied for {1} between {2} and {3},従業員は{0}はすでに{1} {2}と{3}の間を申請している
+Employee {0} is not active or does not exist,従業員{0}アクティブでないか、存在しません
+Employee {0} was on leave on {1}. Cannot mark attendance.,従業員は{0} {1}に休職していた。出席をマークすることはできません。
 Employees Email Id,従業員の電子メールID
-Employment Details,公開
+Employment Details,雇用の詳細
 Employment Type,雇用の種類
-Enable / disable currencies.,倉庫ワイズアイテムの並べ替え
-Enabled,金額(会社通貨)
-Encashment Date,特長のセットアップ
+Enable / disable currencies.,/無効の通貨を有効にします。
+Enabled,有効
+Encashment Date,現金化日
 End Date,終了日
-End Date can not be less than Start Date,すべての目標の合計ポイントは100にする必要があります。それは{0}
-End date of current invoice's period,新着
-End of Life,項目間でのトランスポートのオーバーヘッドを配布します。
-Energy,アイテムワイズ税の詳細
+End Date can not be less than Start Date,終了日は開始日より小さくすることはできません
+End date of current invoice's period,現在の請求書の期間の終了日
+End of Life,人生の終わり
+Energy,エネルギー
 Engineer,エンジニア
-Enter Verification Code,製品のお問い合わせ
-Enter campaign name if the source of lead is campaign.,資金源(負債)
+Enter Verification Code,確認コードを入力してください
+Enter campaign name if the source of lead is campaign.,鉛の発生源は、キャンペーンの場合はキャンペーン名を入力してください。
 Enter department to which this Contact belongs,この連絡が所属する部署を入力してください
-Enter designation of this Contact,雑費
-"Enter email id separated by commas, invoice will be mailed automatically on particular date",時間ログバッチは{0} '提出'でなければなりません
+Enter designation of this Contact,この連絡の指定を入力してください
+"Enter email id separated by commas, invoice will be mailed automatically on particular date",カンマで区切られた電子メールIDを入力して、請求書が特定の日に自動的に郵送されます
 Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,あなたが製造指図を上げたり、分析のための原材料をダウンロードするための項目と計画された数量を入力してください。
-Enter name of campaign if source of enquiry is campaign,必要なジョブプロファイル、資格など
+Enter name of campaign if source of enquiry is campaign,問い合わせ元は、キャンペーンの場合はキャンペーンの名前を入力してください
 "Enter static url parameters here (Eg. sender=ERPNext, username=ERPNext, password=1234 etc.)",ここで、静的なURLパラメータを入力します(例:送信者= ERPNext、ユーザ名= ERPNext、パスワード= 1234など)
 Enter the company name under which Account Head will be created for this Supplier,頭を占めるの下に会社名を入力し、このサプライヤーのために作成されます
-Enter url parameter for message,ファンドのアプリケーション(資産)
-Enter url parameter for receiver nos,以前の職歴
-Entertainment & Leisure,作成ドキュメントの種類
-Entertainment Expenses,発電コスト
-Entries,サプライヤータイプマスター。
-Entries against,エントリに対して
+Enter url parameter for message,メッセージのURLパラメータを入力してください
+Enter url parameter for receiver nos,受信機NOSのURLパラメータを入力してください
+Entertainment & Leisure,エンターテインメント&レジャー
+Entertainment Expenses,交際費
+Entries,エントリー
+Entries against ,
 Entries are not allowed against this Fiscal Year if the year is closed.,年が閉じている場合のエントリは、この年度に対して許可されていません。
-Entries before {0} are frozen,既に使用されているケースはありません(S)。ケースはありませんから、お試しください{0}
-Equity,これは、ルートアカウントで、編集することはできません。
-Error: {0} > {1},従業員{0}はすでに{1}のために承認されているため、キャンセルすることはできません
-Estimated Material Cost,アプリケーションを終了
-"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:",あなたが購入または売却する製品やサービスの一覧を表示します。あなたが起動したときに項目グループ、測定およびその他のプロパティの単位を確認してください。
-Everyone can read,プロジェクトごとの株価の追跡
+Equity,Equity
+Error: {0} > {1},エラー:{0}> {1}
+Estimated Material Cost,推定材料費
+"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:",最も高い優先度を持つ複数の価格設定ルールがあっても、次の内部優先順位が適用されます。
+Everyone can read,誰もが読むことができます
 "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.",伝票タイプ
-Exchange Rate,「はい」を選択すると、この商品は受注、納品書に把握できるようになります
-Excise Page Number,総時間数
-Excise Voucher,納入数量
+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#####
+系列が設定され、シリアル番号は、取引において言及されていない場合、自動シリアル番号は、このシリーズに基づいて作成されます。あなたは常に明示的にこの項目のシリアル番号を言及したいと思います。この空白のままにします。"
+Exchange Rate,為替レート
+Excise Duty 10,物品税10
+Excise Duty 14,物品税14
+Excise Duty 4,物品税4
+Excise Duty 8,物品税8
+Excise Duty @ 10,10 @物品税
+Excise Duty @ 14,14 @物品税
+Excise Duty @ 4,4 @物品税
+Excise Duty @ 8,8 @物品税
+Excise Duty Edu Cess 2,物品税エドゥ目的税2
+Excise Duty SHE Cess 1,物品税SHE目的税1
+Excise Page Number,物品税ページ番号
+Excise Voucher,物品税バウチャー
 Execution,実行
-Executive Search,税および充満
+Executive Search,エグゼクティブサーチ
 Exemption Limit,免除の制限
-Exhibition,より多くのアイテムを生成することはできません{0}より受注数量{1}
-Existing Customer,法定の情報とあなたのサプライヤーに関するその他の一般情報
-Exit,請求書に金額
-Exit Interview Details,運営費全体
-Expected,既存のトランザクションが存在するため、同社のデフォルトの通貨を変更することはできません。トランザクションは、デフォルトの通貨を変更するにはキャンセルする必要があります。
+Exhibition,展示会
+Existing Customer,既存の顧客
+Exit,終了
+Exit Interview Details,出口インタビューの詳細
+Expected,必要です
 Expected Completion Date can not be less than Project Start Date,終了予定日は、プロジェクト開始日より小さくすることはできません
-Expected Date cannot be before Material Request Date,課税
-Expected Delivery Date,日出席
-Expected Delivery Date cannot be before Purchase Order Date,従業員休暇承認者
+Expected Date cannot be before Material Request Date,予定日は材質依頼日の前にすることはできません
+Expected Delivery Date,出産予定日
+Expected Delivery Date cannot be before Purchase Order Date,出産予定日は発注日より前にすることはできません
 Expected Delivery Date cannot be before Sales Order Date,出産予定日は受注日より前にすることはできません
-Expected End Date,潜在的な顧客のデータベース。
-Expected Start Date,支払いの上限
+Expected End Date,予想される終了日
+Expected Start Date,予想される開始日
 Expense,経費
 Expense / Difference account ({0}) must be a 'Profit or Loss' account,費用/差異勘定({0})の利益または損失のアカウントである必要があります
-Expense Account,初期値
-Expense Account is mandatory,無給休暇獲得削減(LWP)
-Expense Claim,将来的に顧客に連絡しますあなたの販売員
-Expense Claim Approved,安%
-Expense Claim Approved Message,{0}よりも古いエントリを更新することはできません
-Expense Claim Detail,OA機器
+Expense Account,経費勘定
+Expense Account is mandatory,交際費は必須です
+Expense Claim,経費請求
+Expense Claim Approved,経費請求を承認
+Expense Claim Approved Message,経費請求を承認メッセージ
+Expense Claim Detail,経費請求の詳細
 Expense Claim Details,経費請求の詳細
-Expense Claim Rejected,シリアル番号を選択したときにアイテム、保証書、AMC(年間メンテナンス契約)の詳細が自動的にフェッチされます。
-Expense Claim Rejected Message,ターゲットの詳細
-Expense Claim Type,割り当てられた合計weightageは100%でなければならない。それは{0}
-Expense Claim has been approved.,行のターゲット·ウェアハウスは、{0}製造指図と同じでなければなりません
-Expense Claim has been rejected.,販売するための潜在的な機会。
-Expense Claim is pending approval. Only the Expense Approver can update status.,セールスファンネル
-Expense Date,営業チームの総割り当てられた割合は100でなければなりません
+Expense Claim Rejected,経費請求が拒否
+Expense Claim Rejected Message,経費請求拒否されたメッセージ
+Expense Claim Type,経費請求タイプ
+Expense Claim has been approved.,経費請求が承認されています。
+Expense Claim has been rejected.,経費請求が拒否されました。
+Expense Claim is pending approval. Only the Expense Approver can update status.,経費請求は承認待ちです。唯一の経費承認者は、ステータスを更新することができます。
+Expense Date,経費日付
 Expense Details,経費の詳細
-Expense Head,テンプレートをダウンロードして適切なデータを記入し、変更したファイルを添付してください。
+Expense Head,経費ヘッド
 Expense account is mandatory for item {0},交際費は、アイテムには必須である{0}
-Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,元帳
+Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,費用又は差異勘定は影響としてアイテム{0}全体の株式価値は必須です
 Expenses,経費
-Expenses Booked,基本情報
-Expenses Included In Valuation,引用日
-Expenses booked for the digest period,給与伝票を作成する
-Expiry Date,家具やフィクスチャ
-Exports,行のアイテムや倉庫は{0}素材要求と一致していません
-External,丸みを帯びた合計(会社通貨)
-Extract Emails,予算の詳細
-FCFS Rate,親ウェブサイトのページ
+Expenses Booked,ご予約の費用
+Expenses Included In Valuation,評価に含まれる経費
+Expenses booked for the digest period,ダイジェスト期間の予約費用
+Expiry Date,有効期限
+Exports,輸出
+External,外部
+Extract Emails,電子メールを抽出します
+FCFS Rate,FCFSレート
 Failed: ,
-Family Background,有効な個人メールアドレスを入力してください
-Fax,変換率は0か1にすることはできません
-Features Setup,請求可能
-Feed,ソフトウェア
-Feed Type,バウチャー#
-Feedback,(注)ユーザ
-Female,このロールを持つユーザーは、凍結されたアカウントを設定し、作成/冷凍アカウントに対するアカウンティングエントリを修正することが許される
+Family Background,家族の背景
+Fax,ファックス
+Features Setup,特長のセットアップ
+Feed,フィード
+Feed Type,フィードタイプ
+Feedback,フィードバック
+Female,女性
 Fetch exploded BOM (including sub-assemblies),(サブアセンブリを含む)の分解図、BOMをフェッチ
 "Field available in Delivery Note, Quotation, Sales Invoice, Sales Order",納品書、見積書、納品書、受注で利用可能なフィールド
-Files Folder ID,トランザクションが停止製造指図に対して許可されていません{0}
-Fill the form and save it,スタンダード
-Filter based on customer,我々は、この商品を購入
+Files Folder ID,ファイルフォルダのID
+Fill the form and save it,フォームに入力して保存します
+Filter based on customer,顧客に基づいてフィルタ
 Filter based on item,項目に基づいてフィルタ
 Financial / accounting year.,の財務/会計年度。
-Financial Analytics,進行中の製造指図
-Financial Services,給与情報
-Financial Year End Date,移動平均レート
-Financial Year Start Date,アナリスト
-Finished Goods,商品コード
+Financial Analytics,財務分析
+Financial Services,金融サービス
+Financial Year End Date,会計年度終了日
+Financial Year Start Date,会計年度の開始日
+Finished Goods,完成品
 First Name,お名前(名)
-First Responded On,UOMコンバージョンの詳細
-Fiscal Year,特になし
+First Responded On,最初に奏効
+Fiscal Year,年度
 Fiscal Year Start Date and Fiscal Year End Date are already set in Fiscal Year {0},当連結会計年度の開始日と会計年度終了日は、すでに会計年度に設定されている{0}
 Fiscal Year Start Date and Fiscal Year End Date cannot be more than a year apart.,当連結会計年度の開始日と会計年度終了日は離れて年を超えることはできません。
 Fiscal Year Start Date should not be greater than Fiscal Year End Date,当連結会計年度の開始日が会計年度終了日を超えてはならない
-Fixed Asset,誤った、または非アクティブのBOM {0}商品{1}行目の{2}
-Fixed Assets,第一の電荷の種類を選択してください
+Fixed Asset,固定資産
+Fixed Assets,固定資産
 Follow via Email,電子メール経由でたどる
 "Following table will show values if items are sub - contracted. These values will be fetched from the master of ""Bill of Materials"" of sub - contracted items.",契約した - 項目がサブである場合は、テーブルに続いて、値が表示されます。これらの値は、サブの「部品表」のマスターからフェッチされます - 項目を縮小した。
-Food,言語
-"Food, Beverage & Tobacco",あなたが購入時の領収書を保存するとすれば見えるようになります。
-For Company,唯一のリーフノードは、トランザクションで許可されてい
-For Employee,アイテムは、{0}の在庫項目でなければなりません
-For Employee Name,追加または控除
+Food,食べ物
+"Food, Beverage & Tobacco",食品、飲料&タバコ
+"For 'Sales BOM' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Sales BOM' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.",「販売のBOM」のアイテム、倉庫、シリアル番号およびバッチには 'をパッキングリスト」テーブルから考慮されます。倉庫とバッチいいえ任意の「販売のBOM」の項目のすべての梱包項目について同じである場合、これらの値は、メインアイテムテーブルに入力することができ、値が「パッキングリスト」テーブルにコピーされます。
+For Company,会社のために
+For Employee,従業員の
+For Employee Name,従業員名用
 For Price List,価格表のための
-For Production,年
-For Reference Only.,評価
+For Production,生産のための
+For Reference Only.,参考値。
 For Sales Invoice,納品書のため
-For Server Side Print Formats,材料要求タイプ
+For Server Side Print Formats,サーバー側の印刷形式の場合
 For Supplier,サプライヤーのため
 For Warehouse,倉庫用
-For Warehouse is required before Submit,「実際の開始日」は、「実際の終了日」より大きくすることはできません
-"For e.g. 2012, 2012-13",お得!住所
+For Warehouse is required before Submit,倉庫が必要とされるために前に提出する
+"For e.g. 2012, 2012-13",例えば2012年の場合、2012から13
 For reference,参考のため
-For reference only.,アイテムのUOMを変更します。
-"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes",テンプレート
-Fraction,在庫
+For reference only.,参考値。
+"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes",顧客の便宜のために、これらのコードは、インボイスおよび配信ノーツ等の印刷形式で使用することができる
+Fraction,分数
 Fraction Units,分数単位
-Freeze Stock Entries,項目は({0})は、項目のグループ名を変更したり、項目の名前を変更してください同じ名前で存在
-Freeze Stocks Older Than [Days],発送先
-Freight and Forwarding Charges,{0}{/0} {1}就労{/1}
+Freeze Stock Entries,フリーズ証券のエントリー
+Freeze Stocks Older Than [Days],[日]より古い株式を凍結する
+Freight and Forwarding Charges,貨物および転送料金
 Friday,金曜日
 From,はじまり
-From Bill of Materials,アイテム{0}アイテムを購入されていません
-From Company,小売&卸売業
-From Currency,部品表
+From Bill of Materials,部品表から
+From Company,会社から
+From Currency,通貨から
 From Currency and To Currency cannot be same,通貨から通貨へ同じにすることはできません
-From Customer,ユーザー固有
+From Customer,顧客から
 From Customer Issue,お客様の問題から
 From Date,日
+From Date cannot be greater than To Date,日から日へより大きくすることはできません
 From Date must be before To Date,日付から日付の前でなければなりません
-From Delivery Note,サプライヤリファレンス
-From Employee,あなたの顧客のいくつかを一覧表示します。彼らは、組織や個人である可能性があります。
-From Lead,組織支店マスター。
+From Date should be within the Fiscal Year. Assuming From Date = {0},日から年度内にする必要があります。日から仮定する= {0}
+From Delivery Note,納品書から
+From Employee,社員から
+From Lead,鉛を
 From Maintenance Schedule,メンテナンススケジュールから
-From Material Request,休暇申請は拒否されました。
-From Opportunity,価格表を選択してください
+From Material Request,素材要求から
+From Opportunity,オポチュニティから
 From Package No.,パッケージ番号から
-From Purchase Order,提案の作成
-From Purchase Receipt,操作はありません
-From Quotation,従業員の脱退バランス
-From Sales Order,合計時間(予定)
-From Supplier Quotation,最大日数休暇可
+From Purchase Order,発注から
+From Purchase Receipt,購入時の領収書から
+From Quotation,見積りから
+From Sales Order,受注から
+From Supplier Quotation,サプライヤー見積から
 From Time,時から
-From Value,アイテムごとの販売履歴
-From and To dates required,言葉の総
-From value must be less than to value in row {0},レターヘッド
-Frozen,販売に戻る
-Frozen Accounts Modifier,商品コードは、車台番号を変更することはできません
-Fulfilled,販売分析
-Full Name,作業内容
+From Value,値から
+From and To dates required,から、必要な日数に
+From value must be less than to value in row {0},値から行の値以下でなければなりません{0}
+Frozen,凍結
+Frozen Accounts Modifier,凍結されたアカウントの修飾子
+Fulfilled,満たさ
+Full Name,氏名
 Full-time,フルタイム
 Fully Billed,完全銘打た
 Fully Completed,完全に完了
-Fully Delivered,フォームに入力して保存します
-Furniture and Fixture,メンテナンススケジュールは、{0}、この受注をキャンセルする前にキャンセルしなければならない
-Further accounts can be made under Groups but entries can be made against Ledger,{0} {1}今の状態{2}
-"Further accounts can be made under Groups, but entries can be made against Ledger",あなたも前連結会計年度の残高は今年度に残し含める場合繰り越す選択してください
-Further nodes can be only created under 'Group' type nodes,葉タイプの{0}はすでに従業員のために割り当てられた{1}年度の{0}
-GL Entry,最古の
-Gantt Chart,連絡先
+Fully Delivered,完全に配信
+Furniture and Fixture,家具やフィクスチャ
+Further accounts can be made under Groups but entries can be made against Ledger,さらにアカウントがグループの下で行うことができますが、エントリは総勘定に対して行うことができます
+"Further accounts can be made under Groups, but entries can be made against Ledger",さらにアカウントがグループの下で行うことができますが、エントリは総勘定に対して行うことができます
+Further nodes can be only created under 'Group' type nodes,さらにノードは、「グループ」タイプのノードの下に作成することができます
+GL Entry,GLエントリー
+Gantt Chart,ガントチャート
 Gantt chart of all tasks.,すべてのタスクのガントチャート。
-Gender,セールスチームの詳細
+Gender,性別
 General,一般的情報
 General Ledger,総勘定元帳
-Generate Description HTML,一時的なアカウント(資産)
-Generate Material Requests (MRP) and Production Orders.,日付の表示形式
-Generate Salary Slips,アイテムバーコード
-Generate Schedule,所有
+Generate Description HTML,説明HTMLを生成
+Generate Material Requests (MRP) and Production Orders.,素材要求(MRP)と製造指図を生成します。
+Generate Salary Slips,給与スリップを発生させる
+Generate Schedule,スケジュールを生成
 Generates HTML to include selected image in the description,説明で選択した画像が含まれるようにHTMLを生成
-Get Advances Paid,利用規約コンテンツ
+Get Advances Paid,進歩は報酬を得る
 Get Advances Received,進歩は受信ゲット
-Get Against Entries,販売委員会
 Get Current Stock,現在の株式を取得
-Get Items,会計仕訳。
-Get Items From Sales Orders,作業中の倉庫を提出する前に必要です
-Get Items from BOM,通信履歴
-Get Last Purchase Rate,期間葉を割り当てる。
-Get Outstanding Invoices,メンテナンスの詳細
-Get Relevant Entries,提出した株式のエントリは{0}が存在するため、キャンセルすることはできません
-Get Sales Orders,債権
-Get Specification Details,インベストメンツ
-Get Stock and Rate,部品表、納品書、請求書購入、製造指図、発注、購入時の領収書、納品書、受注、証券エントリー、タイムシートで利用可能
-Get Template,正味合計
-Get Terms and Conditions,ウェブサイトの項目グループ
-Get Weekly Off Dates,BOMは{0}商品{1}のために提出または非アクティブのBOMされていません
-"Get valuation rate and available stock at source/target warehouse on mentioned posting date-time. If serialized item, please press this button after entering serial nos.",新しいUOMは、タイプ全体数であってはなりません
-Global Defaults,項目税額
-Global POS Setting {0} already created for company {1},操作説明
-Global Settings,ターゲット·ウェアハウスは、行{0}のために必須です
-"Go to the appropriate group (usually Application of Funds > Current Assets > Bank Accounts and create a new Account Ledger (by clicking on Add Child) of type ""Bank""",追加/編集税金、料金
-"Go to the appropriate group (usually Source of Funds > Current Liabilities > Taxes and Duties and create a new Account Ledger (by clicking on Add Child) of type ""Tax"" and do mention the Tax rate.",販売中のアイテムを追跡し、そのシリアル番号に基づいてドキュメントを購入する。これはまた、製品の保証の詳細を追跡するために使用されることができる。
+Get Items,アイテムを取得
+Get Items From Sales Orders,販売注文から項目を取得
+Get Items from BOM,部品表から項目を取得
+Get Last Purchase Rate,最後の購入料金を得る
+Get Outstanding Invoices,未払いの請求を取得
+Get Relevant Entries,関連するエントリを取得
+Get Sales Orders,販売注文を取得
+Get Specification Details,仕様の詳細を取得
+Get Stock and Rate,株式とレートを取得
+Get Template,テンプレートを取得
+Get Terms and Conditions,利用規約を取得
+Get Unreconciled Entries,未照合のエントリーを取得する
+Get Weekly Off Dates,日付週刊降りる
+"Get valuation rate and available stock at source/target warehouse on mentioned posting date-time. If serialized item, please press this button after entering serial nos.",上記の転記日付·時刻に、ソース/ターゲット·ウェアハウスでの評価率と利用可能な株式を取得します。アイテムをシリアル化した場合は、シリアル番号を入力した後、このボタンを押してください。
+Global Defaults,グローバルデフォルト
+Global POS Setting {0} already created for company {1},グローバルPOSの設定{0}はすでに用に作成した会社{1}
+Global Settings,全般設定
+"Go to the appropriate group (usually Application of Funds > Current Assets > Bank Accounts and create a new Account Ledger (by clicking on Add Child) of type ""Bank""",適切なグループ(ファンドの通常はアプリケーション>流動資産>銀行口座に移動して、子の追加をクリックして、新しいアカウント元帳を(作成)タイプの「銀行」
+"Go to the appropriate group (usually Source of Funds > Current Liabilities > Taxes and Duties and create a new Account Ledger (by clicking on Add Child) of type ""Tax"" and do mention the Tax rate.",適切なグループファンド>流動負債>税金や関税の(通常はソースに移動して、子の追加をクリックして、新しいアカウント元帳を(作成)タイプ「税」の税率に言及しております。
 Goal,目標
-Goals,BOMは{0}アクティブか提出していないではありません
+Goals,ゴール数
 Goods received from Suppliers.,商品はサプライヤーから受け取った。
-Google Drive,項目を選択
-Google Drive Access Allowed,購入/製造の詳細
-Government,登録情報
-Graduate,解説
-Grand Total,株式Reconcilationデータ
-Grand Total (Company Currency),SO号
-"Grid """,計画
-Grocery,調整済みのエントリを含める
-Gross Margin %,男性
-Gross Margin Value,レシーバリストは空です。レシーバー·リストを作成してください
-Gross Pay,納品書{0}提出しなければいけません
-Gross Pay + Arrear Amount +Encashment Amount - Total Deduction,シリアル番号{0}に項目なし
-Gross Profit,勘定によるグループ
-Gross Profit (%),センターの詳細を要し
-Gross Weight,ダイジェスト期間中に支払い
-Gross Weight UOM,製造指図を作成します。
-Group,顧客の購入受注日
-Group by Account,額<=
-Group by Voucher,総配分される金額
-Group or Ledger,アイテムは、{0}の在庫項目ではありません
-Groups,役割の承認またはユーザーの承認入力してください
-HR Manager,インプリメンテーション·パートナー
-HR Settings,要求するものがありません
-HTML / Banner that will show on the top of product list.,そのため、この価格表が有効で、領土のリストを指定
-Half Day,署名はすべての電子メールの末尾に追加される
-Half Yearly,変更
-Half-yearly,メーカー品番
-Happy Birthday!,純重量UOM
+Google Drive,Googleのドライブ
+Google Drive Access Allowed,グーグルドライブアクセス可
+Government,政府
+Graduate,大学院
+Grand Total,総額
+Grand Total (Company Currency),総合計(会社通貨)
+"Grid ""","グリッド """
+Grocery,食料品
+Gross Margin %,粗利益%
+Gross Margin Value,グロスマージン値
+Gross Pay,給与総額
+Gross Pay + Arrear Amount +Encashment Amount - Total Deduction,給与総額+滞納額+現金化金額 - 合計控除
+Gross Profit,売上総利益
+Gross Profit (%),売上総利益(%)
+Gross Weight,総重量
+Gross Weight UOM,総重量UOM
+Group,コミュニティ
+Group by Account,勘定によるグループ
+Group by Voucher,バウチャーによるグループ
+Group or Ledger,グループまたは元帳
+Groups,グループ
+HR Manager,人事マネージャー
+HR Settings,人事の設定
+HTML / Banner that will show on the top of product list.,製品リストの一番上に表示されるHTML /バナー。
+Half Day,半日
+Half Yearly,半年ごとの
+Half-yearly,半年ごとの
+Happy Birthday!,お誕生日おめでとう!
 Hardware,size
-Has Batch No,倉庫アカウントの親勘定グループを入力してください
+Has Batch No,バッチ番号があります
 Has Child Node,子ノードを持って
-Has Serial No,価格表{0}無効になっています
-Head of Marketing and Sales,SMSの設定を更新してください
-Header,配偶者の有無
-Health Care,サポート解析
-Health Concerns,スコアが5以下である必要があります
-Health Details,{0} 'は通知電子メールアドレス」で無効なメールアドレスです
-Held On,アイテムTAX1
-Help HTML,マッチングツールの請求書への支払い
-"Help: To link to another record in the system, use ""#Form/Note/[Note Name]"" as the Link URL. (don't use ""http://"")",有効なモバイルNOSを入力してください
-"Here you can maintain family details like name and occupation of parent, spouse and children",シリアル化されたアイテムは、{0}株式調整を使用しての\ \ nを更新することはできません
-"Here you can maintain height, weight, allergies, medical concerns etc",費用勘定に対する
-Hide Currency Symbol,取り寄せ商品は、「はい」の場合は必須。また、予約済みの数量は受注から設定されたデフォルトの倉庫。
+Has Serial No,シリアル番号を持っている
+Head of Marketing and Sales,マーケティングおよび販売部長
+Header,ヘッダー
+Health Care,健康管理
+Health Concerns,健康への懸念
+Health Details,健康の詳細
+Held On,に開催された
+Help HTML,HTMLヘルプ
+"Help: To link to another record in the system, use ""#Form/Note/[Note Name]"" as the Link URL. (don't use ""http://"")","ヘルプ:システム内の別のレコードにリンクするには、「#フォーム/備考/ [名前をメモ]「リンクのURLとして使用します。 (「http:// ""を使用しないでください)"
+"Here you can maintain family details like name and occupation of parent, spouse and children",ここでは、親、配偶者や子供の名前と職業のような家族の詳細を維持することができる
+"Here you can maintain height, weight, allergies, medical concerns etc",ここでは、身長、体重、アレルギー、医療問題などを維持することができます
+Hide Currency Symbol,通貨記号を隠す
 High,高
-History In Company,チェックした場合、全NO。営業日·祝日を含みますが、これは給与一日あたりの値を小さくします
-Hold,インストール日は、アイテムの配信日より前にすることはできません{0}
+History In Company,会社での歴史
+Hold,保留
 Holiday,休日
-Holiday List,{0}の前にエントリが凍結されている
-Holiday List Name,任意のプロジェクトに対してこの納品書を追跡
-Holiday master.,スパルタの
-Holidays,請求書の日付
-Home,所有者
-Host,所得税
-"Host, Email and Password required if emails are to be pulled",会計年度終了日
-Hour,鑑定の目標
-Hour Rate,評価する
+Holiday List,休日のリスト
+Holiday List Name,休日リストの名前
+Holiday master.,休日のマスター。
+Holidays,休日
+Home,ホーム
+Host,ホスト
+"Host, Email and Password required if emails are to be pulled",メールが引っ張られるのであれば必要なホスト、メールとパスワード
+Hour,時
+Hour Rate,時間率
 Hour Rate Labour,時間レート労働
-Hours,クリアランス日
-How Pricing Rule is applied?,部品表の操作
+Hours,時間
+How Pricing Rule is applied?,どのように価格設定ルールが適用されている?
 How frequently?,どのくらいの頻度?
-"How should this currency be formatted? If not set, will use system defaults",シリアル番号を追加します。
-Human Resources,{0}に更新された状態
-Identification of the package for the delivery (for print),アイテムごとの価格表レート
-If Income or Expense,接触式
-If Monthly Budget Exceeded,毎月の予​​算を超えた場合
+"How should this currency be formatted? If not set, will use system defaults",どのようにこの通貨は、フォーマットする必要があります?設定されていない場合は、システムデフォルトを使用します
+Human Resources,人事
+Identification of the package for the delivery (for print),(印刷用)の配信用のパッケージの同定
+If Income or Expense,もし収益又は費用
+If Monthly Budget Exceeded,毎月の予算を超えた場合
 "If Sale BOM is defined, the actual BOM of the Pack is displayed as table. Available in Delivery Note and Sales Order",販売BOMが定義されている場合は、パックの実際の部品表を表として表示されます。納品書や受注で利用可能
-"If Supplier Part Number exists for given Item, it gets stored here",設置時間
+"If Supplier Part Number exists for given Item, it gets stored here",サプライヤー型番が与えられたアイテムのために存在している場合は、ここに格納される
 If Yearly Budget Exceeded,年間予算は超過した場合
-"If checked, BOM for sub-assembly items will be considered for getting raw materials. Otherwise, all sub-assembly items will be treated as a raw material.",有効な企業メールアドレスを入力してください
-"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day",サブ用に「はい」を選択 - 項目を契約
-"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount",テンプレートをダウンロードして適切なデータを記入し、変更したファイルを添付してください。\ n全ての日付と、選択した期間中の従業員の組み合わせは、既存の出席記録と、テンプレートに来る
-If different than customer address,本籍地
+"If checked, BOM for sub-assembly items will be considered for getting raw materials. Otherwise, all sub-assembly items will be treated as a raw material.",チェックすると、サブアセンブリ項目のBOMは、原料を得るために考慮されます。そうでなければ、全てのサブアセンブリ項目は、原料として扱われる。
+"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day",チェックした場合、全NO。営業日·祝日を含みますが、これは給与一日あたりの値を小さくします
+"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount",チェックすると、既に印刷速度/印刷量が含まれるように、税額が考慮されます
+If different than customer address,顧客の住所と異なる場合
 "If disable, 'Rounded Total' field will not be visible in any transaction",無効にすると、「丸い合計」欄は、すべてのトランザクションに表示されません
-"If enabled, the system will post accounting entries for inventory automatically.",サプライヤーが提起した請求書。
-If more than one package of the same type (for print),薬剤
-"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.",画像を見る
-"If no change in either Quantity or Valuation Rate, leave the cell blank.",地域名
-If not applicable please enter: NA,行番号{0}:順序付き数量(品目マスタで定義された)項目の最小発注数量を下回ることはできません。
-"If not checked, the list will have to be added to each Department where it has to be applied.",親カスタマー·グループ
-"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.",今回はログ一括請求されています。
+"If enabled, the system will post accounting entries for inventory automatically.",有効にすると、システムは自動的にインベントリのアカウンティングエントリを掲載する予定です。
+If more than one package of the same type (for print),もし(印刷用)、同じタイプの複数のパッケージ
+"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.",複数の価格設定ルールが優先し続けた場合、ユーザーは、競合を解決するために、手動で優先度を設定するように求められます。
+"If no change in either Quantity or Valuation Rate, leave the cell blank.",数量または評価レートのどちらかに変化がない場合は、セルを空白のままにします。
+If not applicable please enter: NA,そうでない場合、該当入力してください:NA
+"If not checked, the list will have to be added to each Department where it has to be applied.",チェックされていない場合、リストはそれが適用されなければならないそれぞれのカテゴリーに添加されなければならない。
+"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.",選択した価格設定ルールが「価格」のために作られている場合は、価格表が上書きされます。価格設定ルールの価格は最終的な価格なので、これ以上の割引が適用されるべきではない。そのため、受注、発注書などのような取引では、むしろ「価格表レート」フィールドよりも、「レート」フィールドにフェッチされる。
 "If specified, send the newsletter using this email address",指定された場合は、このメールアドレスを使用してニュースレターを送信
-"If the account is frozen, entries are allowed to restricted users.",親テリトリー
-"If this Account represents a Customer, Supplier or Employee, set it here.",リレーション
-"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.",REF SQ
-If you follow Quality Inspection. Enables Item QA Required and QA No in Purchase Receipt,葉は0.5の倍数で割り当てられなければならない
+"If the account is frozen, entries are allowed to restricted users.",アカウントが凍結されている場合、エントリが制限されたユーザーに許可されています。
+"If this Account represents a Customer, Supplier or Employee, set it here.",このアカウントは顧客、サプライヤーや従業員を表している場合は、ここで設定します。
+"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.",二つ以上の価格設定ルールは、上記の条件に基づいて発見された場合、優先順位が適用される。デフォルト値はゼロ(空白)の間の優先順位は0から20までの数値である。数値が高いほど、同じ条件で複数の価格設定ルールが存在する場合、それが優先されることを意味します。
+If you follow Quality Inspection. Enables Item QA Required and QA No in Purchase Receipt,あなたが品質検査に従ってください。いいえ、購入時の領収書の項目のQA必須およびQAを可能にしていません
 If you have Sales Team and Sale Partners (Channel Partners)  they can be tagged and maintain their contribution in the sales activity,あなたは営業チームと販売パートナー(チャネルパートナー)がある場合、それらはタグ付けされ、営業活動での貢献度を維持することができます
 "If you have created a standard template in Purchase Taxes and Charges Master, select one and click on the button below.",ご購入の税金、料金マスタの標準テンプレートを作成した場合は、いずれかを選択し、下のボタンをクリックしてください。
 "If you have created a standard template in Sales Taxes and Charges Master, select one and click on the button below.",あなたがセールス税金、料金マスタの標準テンプレートを作成した場合は、いずれかを選択し、下のボタンをクリックしてください。
 "If you have long print formats, this feature can be used to split the page to be printed on multiple pages with all headers and footers on each page",あなたは、長いプリント·フォーマットを使用している場合、この機能は、各ページのすべてのヘッダーとフッターに複数のページに印刷されるページを分割するために使用することができます
-If you involve in manufacturing activity. Enables Item 'Is Manufactured',アイテムは、{0}システムに存在しないか、有効期限が切れています
-Ignore,会社の電子メール
+If you involve in manufacturing activity. Enables Item 'Is Manufactured',あなたは製造活動に関与した場合。アイテムは「製造されている」ことができます
+Ignore,無視
 Ignore Pricing Rule,価格設定ルールを無視
 Ignored: ,
-Image,休暇タイプ{0}のための十分な休暇残高はありません
-Image View,販売注文番号
-Implementation Partner,郵便経費
-Import Attendance,マスターネーム
+Image,イメージ
+Image View,画像を見る
+Implementation Partner,インプリメンテーション·パートナー
+Import Attendance,輸入出席
 Import Failed!,インポートが失敗しました!
-Import Log,新しいサポートチケット
-Import Successful!,サプライヤータイプ/サプライヤー
-Imports,配達時間
+Import Log,インポートログ
+Import Successful!,正常なインポート!
+Imports,輸入
 In Hours,時間内
-In Process,承認者
-In Qty,顧客通貨が顧客の基本通貨に換算される速度
+In Process,処理中
+In Qty,数量中
 In Value,[値
-In Words,デフォルトの地域
-In Words (Company Currency),ストックアイテム{0}に必要な倉庫
-In Words (Export) will be visible once you save the Delivery Note.,アイテム{0}シリアル番号と{1}はすでにインストールされています
-In Words will be visible once you save the Delivery Note.,メールボックスの例:「jobs@example.com」から求職者を抽出するための設定
-In Words will be visible once you save the Purchase Invoice.,消費者製品
-In Words will be visible once you save the Purchase Order.,予算を設定するための季節。
-In Words will be visible once you save the Purchase Receipt.,いいえサプライヤーアカウント見つかりませんでした。サプライヤーアカウントはアカウント·レコードに「マスタータイプ」の値に基づいて識別されます。
-In Words will be visible once you save the Quotation.,下請けされる
-In Words will be visible once you save the Sales Invoice.,数量を注文:数量は、購入のために注文したが、受け取っていない。
-In Words will be visible once you save the Sales Order.,アカウント
-Incentives,アイテムを取得
-Include Reconciled Entries,総功績
+In Words,の言葉で
+In Words (Company Currency),言葉(会社通貨)での
+In Words (Export) will be visible once you save the Delivery Note.,あなたは納品書を保存するとワード(エクスポート)に表示されます。
+In Words will be visible once you save the Delivery Note.,あなたは納品書を保存するとすれば見えるようになります。
+In Words will be visible once you save the Purchase Invoice.,ご購入の請求書を保存するとすれば見えるようになります。
+In Words will be visible once you save the Purchase Order.,あなたが発注を保存するとすれば見えるようになります。
+In Words will be visible once you save the Purchase Receipt.,あなたが購入時の領収書を保存するとすれば見えるようになります。
+In Words will be visible once you save the Quotation.,あなたが引用を保存するとすれば見えるようになります。
+In Words will be visible once you save the Sales Invoice.,あなたは納品書を保存するとすれば見えるようになります。
+In Words will be visible once you save the Sales Order.,あなたが受注を保存するとすれば見えるようになります。
+Incentives,インセンティブ
+Include Reconciled Entries,調整済みのエントリを含める
 Include holidays in Total no. of Working Days,なし合計で休日を含めます。営業日
-Income,割引を購入
+Income,収入
 Income / Expense,収益/費用
-Income Account,負けた理由
-Income Booked,部品表を許容
-Income Tax,保証/ AMCステータス
-Income Year to Date,大型トラックがあなたの倉庫から開始された日
+Income Account,収益勘定
+Income Booked,収入のご予約
+Income Tax,所得税
+Income Year to Date,日付の所得年度
 Income booked for the digest period,ダイジェスト期間の予約の収入
-Incoming,NOS
-Incoming Rate,アイテム価格
-Incoming quality inspection.,本当に製造指図を栓を抜くようにしたいです。
-Incorrect or Inactive BOM {0} for Item {1} at row {2},総費用
-Indicates that the package is a part of this delivery (Only Draft),口座残高がすでにクレジットで、あなたが設定することはできません」デビット」としてのバランスをマスト '
-Indirect Expenses,請求時に更新されます。
-Indirect Income,ブログ購読者
-Individual,ウェブサイトの説明
-Industry,サプライヤの請求書はありません
-Industry Type,受注が行われたとして失わように設定することはできません。
-Inspected By,特定のトランザクションに価格設定ルールを適用しないように、適用されるすべての価格設定ルールを無効にする必要があります。
-Inspection Criteria,家族の背景
-Inspection Required,割り当て
-Inspection Type,作成しない製造指図しない
+Incoming,着信
+Incoming Rate,着信レート
+Incoming quality inspection.,着信品質検査。
+Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,総勘定元帳のエントリの数が正しくありませんが見つかりました。あなたは、トランザクションに間違ったアカウントを選択している場合があります。
+Incorrect or Inactive BOM {0} for Item {1} at row {2},誤った、または非アクティブのBOM {0}商品{1}行目の{2}
+Indicates that the package is a part of this delivery (Only Draft),パッケージには、この配信の一部であることを示し(のみ案)
+Indirect Expenses,間接経費
+Indirect Income,間接所得
+Individual,個人
+Industry,業種
+Industry Type,業種
+Inspected By,によって検査
+Inspection Criteria,検査基準
+Inspection Required,検査に必要な
+Inspection Type,検査タイプ
 Installation Date,設置日
 Installation Note,インストール上の注意
 Installation Note Item,インストール注項目
-Installation Note {0} has already been submitted,納品書
+Installation Note {0} has already been submitted,インストレーションノート{0}はすでに送信されました
 Installation Status,インストールの状態
-Installation Time,バーコード{0}に項目なし
-Installation date cannot be before delivery date for Item {0},ページ名
-Installation record for a Serial No.,在庫水準
-Installed Qty,あなたの取引に一連の番号の接頭辞を設定する
-Instructions,銀行
+Installation Time,設置時間
+Installation date cannot be before delivery date for Item {0},インストール日は、アイテムの配信日より前にすることはできません{0}
+Installation record for a Serial No.,シリアル番号のインストールの記録
+Installed Qty,インストール済み数量
+Instructions,説明書
 Integrate incoming support emails to Support Ticket,チケットをサポートするため、着信のサポートメールを統合する
-Interested,過配達/過課金のための引当金は、アイテム{0}のために渡った。
-Intern,"サブの通貨。例えば、 ""のためのセント """
+Interested,関心のある方は、
+Intern,インターン
 Internal,内部
-Internet Publishing,他
-Introduction,雇用の詳細
-Invalid Barcode or Serial No,クレジット日数
+Internet Publishing,インターネット出版
+Introduction,序論
+Invalid Barcode,無効なバーコード
+Invalid Barcode or Serial No,無効なバーコードまたはシリアル番号
 Invalid Mail Server. Please rectify and try again.,無効なメールサーバ。修正してから、もう一度やり直してください。
-Invalid Master Name,締切日
-Invalid User Name or Support Password. Please rectify and try again.,テンプレートのダウンロード
-Invalid quantity specified for item {0}. Quantity should be greater than 0.,有価証券及び預金
-Inventory,銀行のA / C番号
-Inventory & Support,予算
+Invalid Master Name,無効なマスターネーム
+Invalid User Name or Support Password. Please rectify and try again.,無効なユーザー名またはサポートパスワード。修正してから、もう一度やり直してください。
+Invalid quantity specified for item {0}. Quantity should be greater than 0.,項目に指定された無効な量{0}。数量が0よりも大きくなければなりません。
+Inventory,在庫
+Inventory & Support,インベントリ&サポート
 Investment Banking,投資銀行事業
-Investments,デフォルトの現金勘定
-Invoice Date,売上請求書{0}はすでに送信されました
+Investments,インベストメンツ
+Invoice Date,請求書の日付
 Invoice Details,請求書の詳細
-Invoice No,間接経費
-Invoice Period From Date,請求書を定期的に指定されていない「通知の電子メールアドレス '
-Invoice Period From and Invoice Period To dates mandatory for recurring invoice,のために要求
-Invoice Period To Date,次の接触によって
+Invoice No,納品書番号
+Invoice Number,インボイス番号
+Invoice Period From,より請求書期間
+Invoice Period From and Invoice Period To dates mandatory for recurring invoice,請求書を定期的に必須の日付へと請求期間からの請求書の期間
+Invoice Period To,請求書の期間
+Invoice Type,請求書の種類
+Invoice/Journal Voucher Details,請求書/ジャーナルクーポン詳細
 Invoiced Amount (Exculsive Tax),請求された金額(Exculsive税)
-Is Active,すべてのお問い合わせ
-Is Advance,現金/銀行口座
-Is Cancelled,電子メールを抽出します
-Is Carry Forward,このモードを選択した場合、デフォルトのバンク/キャッシュ·アカウントが自動的にPOS請求書で更新されます。
+Is Active,アクティブである
+Is Advance,進歩である
+Is Cancelled,キャンセルされる
+Is Carry Forward,繰越されている
 Is Default,デフォルトは
 Is Encash,現金化は、
-Is Fixed Asset Item,梱包伝票項目
+Is Fixed Asset Item,固定資産項目である
 Is LWP,LWPはある
 Is Opening,開口部である
 Is Opening Entry,エントリーを開いている
-Is POS,例:ABCD#####\ nもしシリーズが設定され、シリアル番号は、取引に記載されていないと、自動シリアル番号は、このシリーズをベースに作成されます。あなたは常に明示的にこの項目のシリアル番号を言及したいと思います。この空白のままにします。
-Is Primary Contact,販売チーム1
-Is Purchase Item,割当予算
-Is Sales Item,製造/詰め直す
-Is Service Item,名前
-Is Stock Item,既存の取引にコストセンターでは、グループに変換することはできません
-Is Sub Contracted Item,ベースオンを償却
-Is Subcontracted,のみ提出することができる「承認」ステータスを使用したアプリケーションのままに
-Is this Tax included in Basic Rate?,ウェブサイトのページリンク
-Issue,材料の要求{0}キャンセルまたは停止されている
+Is POS,POSです
+Is Primary Contact,メイン連絡先です
+Is Purchase Item,購買アイテムです
+Is Sales Item,販売アイテムです
+Is Service Item,サービスアイテムです
+Is Stock Item,取り寄せ商品です
+Is Sub Contracted Item,サブ契約項目です
+Is Subcontracted,下請けされる
+Is this Tax included in Basic Rate?,この税金は基本料金に含まれています?
+Issue,出版
 Issue Date,認証日
-Issue Details,親パーティーの種類
+Issue Details,課題の詳細
 Issued Items Against Production Order,製造指図に対して発行されたアイテム
 It can also be used to create opening stock entries and to fix stock value.,また、期首在庫のエントリを作成するために、株式価値を固定するために使用することができます。
-Item,休日のリスト
+Item,項目
 Item Advanced,アイテム詳細設定
-Item Barcode,に基づく
-Item Batch Nos,あなたのウェブサイトに表示する場合は、これをチェックする
-Item Code,お客様のアカウント(元帳)を作成しないでください。これらは、顧客/仕入先マスターから直接作成されます。
-Item Code > Item Group > Brand,勘定書を出さアマウント
+Item Barcode,アイテムバーコード
+Item Batch Nos,アイテム一括NOS
+Item Code,商品コード
+Item Code > Item Group > Brand,商品コード>アイテムグループ>ブランド
 Item Code and Warehouse should already exist.,商品コードと倉庫はすでに存在している必要があります。
-Item Code cannot be changed for Serial No.,品目マスター。
-Item Code is mandatory because Item is not automatically numbered,アカウントは{0}グループにすることはできません
-Item Code required at Row No {0},配送
-Item Customer Detail,合計額(会社通貨)
-Item Description,インストール済み数量
-Item Desription,該当する休日リスト
-Item Details,数量
+Item Code cannot be changed for Serial No.,商品コードは、車台番号を変更することはできません
+Item Code is mandatory because Item is not automatically numbered,アイテムは自動的に番号が付けされていないため、商品コードは必須です
+Item Code required at Row No {0},行はありません{0}で必要項目コード
+Item Customer Detail,項目顧客詳細
+Item Description,アイテム   説明
+Item Desription,アイテムDesription
+Item Details,アイテムの詳細
 Item Group,項目グループ
-Item Group Name,エラー:{0}> {1}
-Item Group Tree,会社マスタに売掛金/買掛金グループを入力してください
+Item Group Name,項目群名
+Item Group Tree,項目グループツリー
 Item Group not mentioned in item master for item {0},項目の項目マスタに記載されていない項目グループ{0}
-Item Groups in Details,ラベル
-Item Image (if not slideshow),休日
+Item Groups in Details,詳細に項目グループ
+Item Image (if not slideshow),アイテム画像(スライドショーされていない場合)
 Item Name,項目名
 Item Naming By,項目指定することで
 Item Price,商品の価格
-Item Prices,売り込み電話
+Item Prices,アイテム価格
 Item Quality Inspection Parameter,項目品質検査パラメータ
 Item Reorder,アイテムの並べ替え
-Item Serial No,最小発注数量
-Item Serial Nos,rootアカウントを削除することはできません
-Item Shortage Report,基本情報
-Item Supplier,航空宇宙
-Item Supplier Details,ツリー型
-Item Tax,あなたは冷凍値を設定する権限がありません
-Item Tax Amount,雇用の種類(永続的、契約、インターンなど)。
-Item Tax Rate,販売の機能のポイントを有効にするには
-Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,はい
-Item Tax1,アイテム:{0}システムには見られない
-Item To Manufacture,SMSの設定
+Item Serial No,アイテムシリアル番号
+Item Serial Nos,アイテムのシリアル番号
+Item Shortage Report,アイテム不足通知
+Item Supplier,アイテムサプライヤー
+Item Supplier Details,アイテムサプライヤーの詳細
+Item Tax,項目税
+Item Tax Amount,項目税額
+Item Tax Rate,アイテム税率
+Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,アイテム税務行は{0}型の税や収益または費用や課金のアカウントが必要です
+Item Tax1,アイテムTAX1
+Item To Manufacture,製造するのにアイテム
 Item UOM,アイテムUOM
-Item Website Specification,ユニット
-Item Website Specifications,オープニング値
-Item Wise Tax Detail,通知制御
+Item Website Specification,項目ウェブサイトの仕様
+Item Website Specifications,項目ウェブサイトの仕様
+Item Wise Tax Detail,アイテムワイズ税の詳細
 Item Wise Tax Detail ,
-Item is required,倉庫には{0}に属していない会社{1}
-Item is updated,メンテナンス時間
-Item master.,シリアル番号を取得するために 'を生成スケジュール」をクリックしてくださいアイテム{0}のために追加
-"Item must be a purchase item, as it is present in one or many Active BOMs",支払いエントリを作成します
-Item or Warehouse for row {0} does not match Material Request,次のユーザーがブロック日間休暇アプリケーションを承認することができます。
-Item table can not be blank,ユーザー
-Item to be manufactured or repacked,あら
-Item valuation updated,新しい売上請求書を作成するために「納品書を確認」ボタンをクリックしてください。
-Item will be saved by this name in the data base.,現金化金額を残す
+Item is required,アイテムが必要です
+Item is updated,項目が更新されます
+Item master.,品目マスター。
+"Item must be a purchase item, as it is present in one or many Active BOMs",それが1または多くのアクティブ部品表に存在しているようにアイテムが、購入アイテムでなければなりません
+Item or Warehouse for row {0} does not match Material Request,行のアイテムや倉庫は{0}素材要求と一致していません
+Item table can not be blank,アイテムテーブルは空白にすることはできません
+Item to be manufactured or repacked,製造または再包装する項目
+Item valuation updated,項目の評価が更新
+Item will be saved by this name in the data base.,アイテムは、データベースにこの名前で保存されます。
 Item {0} appears multiple times in Price List {1},アイテムは、{0}価格表{1}で複数回表示されます
 Item {0} does not exist,アイテム{0}は存在しません
-Item {0} does not exist in the system or has expired,購入時の領収書を作る
-Item {0} does not exist in {1} {2},参考値。
-Item {0} has already been returned,Newsletter:ニュースレター
+Item {0} does not exist in the system or has expired,アイテムは、{0}システムに存在しないか、有効期限が切れています
+Item {0} does not exist in {1} {2},アイテムは、{0} {1} {2}内に存在しません
+Item {0} has already been returned,アイテムは、{0}はすでに戻っている
 Item {0} has been entered multiple times against same operation,アイテム{0}に対して同様の操作を複数回入力されている
-Item {0} has been entered multiple times with same description or date,タスク
+Item {0} has been entered multiple times with same description or date,アイテム{0}同じ説明や日付で複数回入力されました
 Item {0} has been entered multiple times with same description or date or warehouse,アイテム{0}同じ説明または日付や倉庫で複数回入力されました
-Item {0} has been entered twice,受注から
+Item {0} has been entered twice,アイテム{0}回入力されました
 Item {0} has reached its end of life on {1},アイテムは、{0} {1}に耐用年数の終わりに達しました
 Item {0} ignored since it is not a stock item,それは、株式項目ではないので、項目{0}は無視
-Item {0} is cancelled,ダイジェスト期間の予約費用
-Item {0} is not Purchase Item,RGT
-Item {0} is not a serialized Item,静的パラメータ
-Item {0} is not a stock Item,給与コンポーネント。
-Item {0} is not active or end of life has been reached,エラーが発生しました。
-Item {0} is not setup for Serial Nos. Check Item master,市区町村
-Item {0} is not setup for Serial Nos. Column must be blank,データ型
-Item {0} must be Sales Item,顧客獲得とロイヤルティ
-Item {0} must be Sales or Service Item in {1},アイテム{0}回入力されました
+Item {0} is cancelled,アイテム{0}キャンセルされる
+Item {0} is not Purchase Item,アイテム{0}アイテムを購入されていません
+Item {0} is not a serialized Item,アイテムは、{0}直列化された項目ではありません
+Item {0} is not a stock Item,アイテムは、{0}の在庫項目ではありません
+Item {0} is not active or end of life has been reached,アイテム{0}アクティブでないか、人生の最後に到達しました
+Item {0} is not setup for Serial Nos. Check Item master,アイテム{0}のシリアル番号のチェック項目マスタの設定ではありません
+Item {0} is not setup for Serial Nos. Column must be blank,アイテム{0}シリアル番号列の設定は空白にする必要がありますはありません
+Item {0} must be Sales Item,アイテム{0}販売項目でなければなりません
+Item {0} must be Sales or Service Item in {1},アイテムは、{0} {1}での販売またはサービスアイテムである必要があります
 Item {0} must be Service Item,アイテムは、{0}サービスアイテムである必要があります
-Item {0} must be a Purchase Item,%配信
-Item {0} must be a Sales Item,担当者名
-Item {0} must be a Service Item.,オーバーヘッド
-Item {0} must be a Sub-contracted Item,パッキングスリップ(S)をキャンセル
-Item {0} must be a stock Item,すべての製品またはサービスを提供しています。
-Item {0} must be manufactured or sub-contracted,会社マスターにデフォルトの通貨を入力してください
-Item {0} not found,再注文レベル
-Item {0} with Serial No {1} is already installed,リフレッシュ
-Item {0} with same description entered twice,シリアル番号に対する顧客の問題
-"Item, Warranty, AMC (Annual Maintenance Contract) details will be automatically fetched when Serial Number is selected.",ニュースレターは、トライアルユーザは許可されていません
-Item-wise Price List Rate,株主のファンド
-Item-wise Purchase History,出荷伝票タイプ
-Item-wise Purchase Register,今月が見つかりませ給与伝票ん。
-Item-wise Sales History,サポートメール設定
-Item-wise Sales Register,コメント
+Item {0} must be a Purchase Item,アイテムは、{0}購買アイテムでなければなりません
+Item {0} must be a Sales Item,アイテムは、{0}販売項目でなければなりません
+Item {0} must be a Service Item.,アイテムは、{0}サービス項目でなければなりません。
+Item {0} must be a Sub-contracted Item,アイテムは、{0}下請け項目でなければなりません
+Item {0} must be a stock Item,アイテムは、{0}の在庫項目でなければなりません
+Item {0} must be manufactured or sub-contracted,項目は{0}に製造されなければならないか、下請
+Item {0} not found,アイテム{0}が見つかりません
+Item {0} with Serial No {1} is already installed,アイテム{0}シリアル番号と{1}はすでにインストールされています
+Item {0} with same description entered twice,アイテム{0}同じ説明で二回入力した
+"Item, Warranty, AMC (Annual Maintenance Contract) details will be automatically fetched when Serial Number is selected.",シリアル番号を選択したときにアイテム、保証書、AMC(年間メンテナンス契約)の詳細が自動的にフェッチされます。
+Item-wise Price List Rate,アイテムごとの価格表レート
+Item-wise Purchase History,項目ごとの購入履歴
+Item-wise Purchase Register,項目ごとの購入登録
+Item-wise Sales History,アイテムごとの販売履歴
+Item-wise Sales Register,アイテムごとの販売登録
 "Item: {0} managed batch-wise, can not be reconciled using \
-					Stock Reconciliation, instead use Stock Entry",アイテム:{0}はバッチ式で管理され、\ \ N株式調整を使用して一致させることができません、代わりに株式のエントリを使用
-Item: {0} not found in the system,Dropboxのアクセスを許可
-Items,承認役割
+					Stock Reconciliation, instead use Stock Entry",アイテム:\n {0}はバッチ式で管理され、使用して一致させることができません|ロイヤリティ和解を、代わりに株式のエントリを使用
+Item: {0} not found in the system,アイテム:{0}システムには見られない
+Items,項目
 Items To Be Requested,要求する項目
-Items required,ブランド
-"Items to be requested which are ""Out of Stock"" considering all warehouses based on projected qty and minimum order qty",仕様
-Items which do not exist in Item master can also be entered on customer's request,新しい販売注文
-Itemwise Discount,製造指図{0}に提出しなければならない
-Itemwise Recommended Reorder Level,緊急連絡
-Job Applicant,請求書を定期的に必須の日付へと請求期間からの請求書の期間
-Job Opening,収益&控除
-Job Profile,受注は{0}を停止する
+Items required,必要な項目
+"Items to be requested which are ""Out of Stock"" considering all warehouses based on projected qty and minimum order qty",「在庫切れ」で要求される項目は、投影された個数と最小注文数量に基づいてすべての倉庫を考慮
+Items which do not exist in Item master can also be entered on customer's request,品目マスタに存在しない項目は、顧客の要望に応じて入力することができます
+Itemwise Discount,Itemwise割引
+Itemwise Recommended Reorder Level,Itemwiseは再注文レベルを推奨
+Job Applicant,求職者
+Job Opening,就職口
+Job Profile,仕事のプロフィール
 Job Title,職業名
-"Job profile, qualifications required etc.",SO保留数量
+"Job profile, qualifications required etc.",必要なジョブプロファイル、資格など
 Jobs Email Settings,ジョブズのメール設定
-Journal Entries,鉛を
-Journal Entry,すべての支店のために考慮した場合は空白のままにし
-Journal Voucher,コントラバウチャー
-Journal Voucher Detail,開始残高として考え
-Journal Voucher Detail No,拒否された倉庫
-Journal Voucher {0} does not have account {1} or already matched,フィードタイプ
+Journal Entries,仕訳
+Journal Entry,仕訳
+Journal Voucher,ジャーナルバウチャー
+Journal Voucher Detail,ジャーナルバウチャー詳細
+Journal Voucher Detail No,ジャーナルクーポンの詳細はありません
+Journal Voucher {0} does not have account {1} or already matched,ジャーナルバウチャーは{0}アカウントを持っていない{1}、またはすでに一致
 Journal Vouchers {0} are un-linked,ジャーナルバウチャー{0}アンリンクされている
 Keep a track of communication related to this enquiry which will help for future reference.,今後の参考のために役立つ、この問い合わせに関連する通信を追跡する。
-Keep it web friendly 900px (w) by 100px (h),開始残高として考え
-Key Performance Area,アイテムは、{0}下請け項目でなければなりません
+Keep it web friendly 900px (w) by 100px (h),100pxにすることで、Webに優しい900px(W)それを維持する(H)
+Key Performance Area,キー·パフォーマンス·エリア
 Key Responsibility Area,重要な責務エリア
-Kg,上記の転記日付·時刻に、ソース/ターゲット·ウェアハウスでの評価率と利用可能な株式を取得します。アイテムをシリアル化した場合は、シリアル番号を入力した後、このボタンを押してください。
-LR Date,スケジュールの詳細
-LR No,サポート電子メールIDのセットアップ受信サーバ。 (例えばsupport@example.com)
-Label,量はアイテムのために存在する倉庫{0}を削除することはできません{1}
+Kg,KG
+LR Date,LR日
+LR No,ノーLR
+Label,ラベル
 Landed Cost Item,上陸したコスト項目
 Landed Cost Items,コストアイテムを上陸させた
 Landed Cost Purchase Receipt,コスト購入時の領収書を上陸させた
 Landed Cost Purchase Receipts,コスト購入レシートを上陸させた
-Landed Cost Wizard,株式UOM
+Landed Cost Wizard,上陸したコストウィザード
 Landed Cost updated successfully,コストが正常に更新上陸
-Language,倉庫(パーペチュアルインベントリー)のアカウントは、このアカウントの下に作成されます。
-Last Name,総委員会
+Language,言語
+Last Name,お名前(姓)
 Last Purchase Rate,最後の購入料金
-Latest,検証
-Lead,受注動向
-Lead Details,毎日のタイムログの概要
-Lead Id,サプライヤー見積から
-Lead Name,国ごとのデフォルトのアドレス·テンプレート
-Lead Owner,日付
-Lead Source,ストック設定
-Lead Status,従業員{0}ア​​クティブでないか、存在しません
-Lead Time Date,支払方法
+Latest,新着
+Lead,販売促進
+Lead Details,鉛の詳細
+Lead Id,鉛のId
+Lead Name,リード名
+Lead Owner,リード所有者
+Lead Source,リードソース
+Lead Status,リードステータス
+Lead Time Date,リードタイム日
 Lead Time Days,リードタイム日数
-Lead Time days is number of days by which this item is expected in your warehouse. This days is fetched in Material Request when you select this item.,滞納額
-Lead Type,REFコード
-Lead must be set if Opportunity is made from Lead,親セールスパーソン
-Leave Allocation,経費請求を承認
-Leave Allocation Tool,アイテムの詳細を入力してください
-Leave Application,出願人名
-Leave Approver,売上請求書はありません
-Leave Approvers,コストセンターを償却
-Leave Balance Before Application,研究者
-Leave Block List,あなたの会計年度は、から始まり
+Lead Time days is number of days by which this item is expected in your warehouse. This days is fetched in Material Request when you select this item.,リードタイム日数こちらの商品は倉庫に予想されることで日数です。この項目を選択すると、この日は、素材要求でフェッチされます。
+Lead Type,リードタイプ
+Lead must be set if Opportunity is made from Lead,機会は鉛で作られている場合は、リード線が設定されている必要があり
+Leave Allocation,割り当てを残す
+Leave Allocation Tool,割り当てツールを残す
+Leave Application,アプリケーションを終了
+Leave Approver,承認者を残す
+Leave Approvers,承認者を残す
+Leave Balance Before Application,適用前に残高を残す
+Leave Block List,ブロックリストを残す
 Leave Block List Allow,許可ブロック·リストを残す
-Leave Block List Allowed,セットアップ ウィザード
-Leave Block List Date,アカウントの種類が倉庫であれば、マスター名は必須です。
+Leave Block List Allowed,ブロックリスト可のままに
+Leave Block List Date,ブロックリスト日付を残す
 Leave Block List Dates,禁止一覧日付を指定しない
-Leave Block List Name,顧客の住所と異なる場合
-Leave Blocked,測定単位は、{0}は複数の変換係数表で複数回に入ってきた
+Leave Block List Name,ブロックリスト名を残す
+Leave Blocked,去るブロックされた
 Leave Control Panel,[コントロールパネル]を残す
-Leave Encashed?,貨物および転送料金
-Leave Encashment Amount,税金やその他の給与の控除。
-Leave Type,から有効
-Leave Type Name,財務分析
-Leave Without Pay,キャンペーンの命名により、
-Leave application has been approved.,栓を抜く素材リクエスト
-Leave application has been rejected.,顧客から
-Leave approver must be one of {0},修正された金額
-Leave blank if considered for all branches,引用{0}キャンセルされる
-Leave blank if considered for all departments,計画数量
-Leave blank if considered for all designations,"例えば ​​""MC」"
-Leave blank if considered for all employee types,経費伝票の詳細を追加してください
-"Leave can be approved by users with Role, ""Leave Approver""",あなたが会計のエントリーを開始する前に、セットアップアカウントのグラフをしてください
-Leave of type {0} cannot be longer than {1},シリーズは必須です
-Leaves Allocated Successfully for {0},自分の国を選択して、タイムゾーン、通貨をご確認ください。
-Leaves for type {0} already allocated for Employee {1} for Fiscal Year {0},顧客フィードバック
-Leaves must be allocated in multiples of 0.5,確定日
+Leave Encashed?,現金化を残しましょう!
+Leave Encashment Amount,現金化金額を残す
+Leave Type,タイプを残す
+Leave Type Name,タイプ名を残す
+Leave Without Pay,無給休暇
+Leave application has been approved.,休暇申請は承認されました。
+Leave application has been rejected.,休暇申請は拒否されました。
+Leave approver must be one of {0},{0}のいずれかである必要があり、承認者を残す
+Leave blank if considered for all branches,すべての支店のために考慮した場合は空白のままにし
+Leave blank if considered for all departments,すべての部門のために考慮した場合は空白のままにし
+Leave blank if considered for all designations,すべての指定のために考慮した場合は空白のままにし
+Leave blank if considered for all employee types,すべての従業員のタイプのために考慮した場合は空白のままにし
+"Leave can be approved by users with Role, ""Leave Approver""",去るロールを持つユーザーによって承認されることができる、「承認者のまま」
+Leave of type {0} cannot be longer than {1},タイプの休暇は、{0}よりも長くすることはできません{1}
+Leaves Allocated Successfully for {0},{0}のために正常に割り当てられた葉
+Leaves for type {0} already allocated for Employee {1} for Fiscal Year {0},葉タイプの{0}はすでに従業員のために割り当てられた{1}年度の{0}
+Leaves must be allocated in multiples of 0.5,葉は0.5の倍数で割り当てられなければならない
 Ledger,元帳
-Ledgers,注:項目{0}複数回入力
-Left,人事の設定
-Legal,項目が更新されます
+Ledgers,元帳
+Left,左
+Legal,免責事項
 Legal Expenses,訴訟費用
-Letter Head,利用規約を取得
-Letter Heads for print templates.,クリアランス日付は行のチェック日付より前にすることはできません{0}
-Level,材料商品のリクエスト
-Lft,完成品アイテムのBOM番号
-Liability,承認者を残す
-List a few of your customers. They could be organizations or individuals.,値に基づいて取引を制限するルールを作成します。
-List a few of your suppliers. They could be organizations or individuals.,ブロックリスト日付を残す
-List items that form the package.,キャンペーン
-List this Item in multiple groups on the website.,アイテムに予定数量を入力してください{0}行{1}
-"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 your tax heads (e.g. VAT, Excise; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.",スコア(0-5)
-Loading...,このロールを持つユーザーは、凍結された日付より前に変更/会計のエントリを作成するために許可されている
-Loans (Liabilities),コストセンターを入力してください
-Loans and Advances (Assets),送付状
+Letter Head,レターヘッド
+Letter Heads for print templates.,印刷テンプレートの手紙ヘッド。
+Level,レベル
+Lft,LFT
+Liability,負債
+List a few of your customers. They could be organizations or individuals.,あなたの顧客のいくつかを一覧表示します。彼らは、組織や個人である可能性があります。
+List a few of your suppliers. They could be organizations or individuals.,サプライヤーの数を一覧表示します。彼らは、組織や個人である可能性があります。
+List items that form the package.,パッケージを形成するリスト項目。
+List this Item in multiple groups on the website.,ウェブサイト上の複数のグループでこのアイテムを一覧表示します。
+"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 your tax heads (e.g. VAT, Excise; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.",(例:付加価値税、消費税、彼らはユニークな名前が必要です)あなたの税金の頭をリストし、それらの標準的な料金を。これは、編集して、より後で追加することができ、標準的なテンプレートを作成します。
+Loading...,読み込んでいます...
+Loans (Liabilities),ローン(負債)
+Loans and Advances (Assets),貸付金(資産)
 Local,ローカル
 Login,ログイン
 Login with your new User ID,新しいユーザーIDでログイン
-Logo,会社の設定
+Logo,ロゴ
 Logo and Letter Heads,ロゴとレターヘッド
 Lost,失われた
-Lost Reason,ビル日
+Lost Reason,失われた理由
 Low,低
-Lower Income,プロジェクト
+Lower Income,低所得
 MTN Details,MTNの詳細
-Main,受注に必要な購入
-Main Reports,配車日
-Maintain Same Rate Throughout Sales Cycle,ローン(負債)
+Main,メイン
+Main Reports,メインレポート
+Maintain Same Rate Throughout Sales Cycle,販売サイクル全体で同じ速度を維持
 Maintain same rate throughout purchase cycle,購入サイクル全体で同じ速度を維持
-Maintenance,追加メニュー
-Maintenance Date,価格表を選択しない
-Maintenance Details,通貨名
-Maintenance Schedule,年度選択...
-Maintenance Schedule Detail,課金状況
-Maintenance Schedule Item,負の量は許可されていません
-Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',価格設定ルールは最初の項目、項目グループやブランドできるフィールドが 'on適用」に基づいて選択される。
-Maintenance Schedule {0} exists against {0},倉庫には在庫のみエントリー/納品書/購入時の領収書を介して変更することができます
-Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,受け入れ数量
-Maintenance Schedules,課金対象とされて届いた商品
+Maintenance,メンテナンス
+Maintenance Date,メンテナンス日
+Maintenance Details,メンテナンスの詳細
+Maintenance Schedule,保守計画
+Maintenance Schedule Detail,メンテナンススケジュールの詳細
+Maintenance Schedule Item,メンテナンススケジュールアイテム
+Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',メンテナンススケジュールは、すべての項目のために生成されていません。'を生成スケジュール」をクリックしてください
+Maintenance Schedule {0} exists against {0},メンテナンススケジュールは{0} {0}に対して存在している
+Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,メンテナンススケジュールは、{0}、この受注をキャンセルする前にキャンセルしなければならない
+Maintenance Schedules,メンテナンススケジュール
 Maintenance Status,メンテナンスステータス
-Maintenance Time,請求書の日付に基づいて支払期間
-Maintenance Type,経費請求
+Maintenance Time,メンテナンス時間
+Maintenance Type,メンテナンスタイプ
 Maintenance Visit,保守のための訪問
-Maintenance Visit Purpose,LR日
+Maintenance Visit Purpose,メンテナンス訪問目的
 Maintenance Visit {0} must be cancelled before cancelling this Sales Order,メンテナンス訪問は{0}、この受注をキャンセルする前にキャンセルしなければならない
-Maintenance start date can not be before delivery date for Serial No {0},求職者は、メールでお知らせいたします電子メールIDなど「job​​s@example.com」
-Major/Optional Subjects,仕訳
+Maintenance start date can not be before delivery date for Serial No {0},メンテナンスの開始日は、シリアル番号の配信日より前にすることはできません{0}
+Major/Optional Subjects,大手/オプション科目
 Make ,
-Make Accounting Entry For Every Stock Movement,DOC名
-Make Bank Voucher,販売アイテムです
+Make Accounting Entry For Every Stock Movement,すべての株式の動きの会計処理のエントリを作成
+Make Bank Voucher,銀行バウチャーを作る
 Make Credit Note,クレジットメモしておきます
-Make Debit Note,バウチャーの種類と日付
-Make Delivery,購入時の領収書アイテム付属
+Make Debit Note,デビットメモしておきます
+Make Delivery,配達をする
 Make Difference Entry,違いエントリを作成
-Make Excise Invoice,消費税​​請求書を作る
-Make Installation Note,アカウントが凍結されている場合、エントリが制限されたユーザーに許可されています。
-Make Invoice,デフォルトのアカウント
-Make Maint. Schedule,グループへの変換
+Make Excise Invoice,消費税請求書を作る
+Make Installation Note,インストレーションノートを作る
+Make Invoice,請求書を作る
+Make Maint. Schedule,楽天市場を作る。スケジュール・
 Make Maint. Visit,楽天市場を作る。訪問
-Make Maintenance Visit,緊急電話
+Make Maintenance Visit,メンテナンス訪問する
 Make Packing Slip,梱包リストを確認
-Make Payment Entry,それが子ノードを持っているように元帳にコストセンターを変換することはできません
-Make Purchase Invoice,休日のマスター。
-Make Purchase Order,コストセンター
-Make Purchase Receipt,パートタイム
-Make Salary Slip,注文書番号
+Make Payment,お支払い
+Make Payment Entry,支払いエントリを作成します
+Make Purchase Invoice,購入請求書を作る
+Make Purchase Order,発注書を作成する
+Make Purchase Receipt,購入時の領収書を作る
+Make Salary Slip,給与伝票を作る
 Make Salary Structure,給与体系を作る
-Make Sales Invoice,「はい」を選択すると、この商品は発注、購入時の領収書に表示することができます。
-Make Sales Order,総重量
-Make Supplier Quotation,固定資産
-Male,アイテム税率
-Manage Customer Group Tree.,クローズ
-Manage Sales Partners.,半年ごとの
-Manage Sales Person Tree.,新素材のリクエスト
-Manage Territory Tree.,日付を緩和
-Manage cost of operations,これまでに日からの前にすることはできません
-Management,csvファイルを選択してください
-Manager,小切手番号
-"Mandatory if Stock Item is ""Yes"". Also the default warehouse where reserved quantity is set from Sales Order.",ブロック日付
-Manufacture against Sales Order,会社のために
-Manufacture/Repack,納品書の動向
-Manufactured Qty,利用不可
-Manufactured quantity will be updated in this warehouse,現在、アカウントはありませんでした。
-Manufactured quantity {0} cannot be greater than planned quanitity {1} in Production Order {2},"""が存在しません"
-Manufacturer,(例:付加価値税、消費税、彼らはユニークな名前が必要です)あなたの税金の頭をリストし、それらの標準的な料金を。これは、編集して、より後で追加することができ、標準的なテンプレートを作成します。
-Manufacturer Part Number,あなたは、この株式調整を提出することができます。
+Make Sales Invoice,納品書を作る
+Make Sales Order,受注を作る
+Make Supplier Quotation,サプライヤ見積をする
+Make Time Log Batch,タイムログバッチを作る
+Male,男性
+Manage Customer Group Tree.,顧客グループツリーを管理します。
+Manage Sales Partners.,セールスパートナーを管理します。
+Manage Sales Person Tree.,セールスパーソンツリーを管理します。
+Manage Territory Tree.,地域の木を管理します。
+Manage cost of operations,運用コストを管理
+Management,マネジメント
+Manager,マネージャー
+"Mandatory if Stock Item is ""Yes"". Also the default warehouse where reserved quantity is set from Sales Order.",取り寄せ商品は、「はい」の場合は必須。また、予約済みの数量は受注から設定されたデフォルトの倉庫。
+Manufacture against Sales Order,受注に対して製造
+Manufacture/Repack,製造/詰め直す
+Manufactured Qty,製造された数量
+Manufactured quantity will be updated in this warehouse,製造された量は、この倉庫に更新されます
+Manufactured quantity {0} cannot be greater than planned quanitity {1} in Production Order {2},製造された量は{0}製造指図{2}で計画quanitity {1}より大きくすることはできません
+Manufacturer,製造業
+Manufacturer Part Number,メーカー品番
 Manufacturing,製造 / 生産
-Manufacturing Quantity,現在まで
-Manufacturing Quantity is mandatory,税および充満を購入
-Margin,BOM置き換え
-Marital Status,健康の詳細
+Manufacturing Quantity,製造数量
+Manufacturing Quantity is mandatory,製造数量は必須です
+Margin,マージン
+Marital Status,配偶者の有無
 Market Segment,市場区分
-Marketing,カスタマイズ
-Marketing Expenses,(印刷用)の配信用のパッケージの同定
-Married,あなたが注文するには、このアイテムの最小量を入力することができます。
-Mass Mailing,ディストリビューション名
-Master Name,会社(ないお客様、またはサプライヤ)のマスター。
-Master Name is mandatory if account type is Warehouse,転送される要求されたアイテム
+Marketing,マーケティング
+Marketing Expenses,マーケティング費用
+Married,結婚してる
+Mass Mailing,大量郵送
+Master Name,マスターネーム
+Master Name is mandatory if account type is Warehouse,アカウントの種類が倉庫であれば、マスター名は必須です。
 Master Type,マスタタイプ
-Masters,タイムログを選択し、新しい売上請求書を作成し提出してください。
-Match non-linked Invoices and Payments.,そのため、この配送ルールが有効で、領土のリストを指定
-Material Issue,材料の要求事項
+Masters,管理
+Match non-linked Invoices and Payments.,非連動請求書や支払いにマッチ。
+Material Issue,重要な争点
 Material Receipt,素材領収書
-Material Request,再注文購入
-Material Request Detail No,便利なオプション
-Material Request For Warehouse,アクティブでない
-Material Request Item,デフォルトの通貨
-Material Request Items,輸送
-Material Request No,あなたが保存する前に、一連の選択をユーザに強制したい場合は、これを確認してください。これをチェックするとデフォルトはありません。
-Material Request Type,通知をカスタマイズする
-Material Request of maximum {0} can be made for Item {1} against Sales Order {2},学歴の詳細
-Material Request used to make this Stock Entry,サプライヤータイプ
-Material Request {0} is cancelled or stopped,「実際の」型の電荷が行に{0}商品料金に含めることはできません
+Material Request,材料のリクエスト
+Material Request Detail No,材料の要求の詳細はありません
+Material Request For Warehouse,倉庫のための材料を要求
+Material Request Item,材料商品のリクエスト
+Material Request Items,材料の要求事項
+Material Request No,材料の要求はありません
+Material Request Type,材料要求タイプ
+Material Request of maximum {0} can be made for Item {1} against Sales Order {2},最大の材料のリクエストは{0}商品{1}に対して行うことができる受注{2}
+Material Request used to make this Stock Entry,このストックエントリを作成するために使用される材料·リクエスト
+Material Request {0} is cancelled or stopped,材料の要求{0}キャンセルまたは停止されている
 Material Requests for which Supplier Quotations are not created,サプライヤーの名言が作成されていないための材料を要求
-Material Requests {0} created,アカウント名
-Material Requirement,更新費用
+Material Requests {0} created,材料の要求{0}を作成
+Material Requirement,材料要件
 Material Transfer,物質移動
 Materials,マテリアル
-Materials Required (Exploded),お問い合わせ
-Max 5 characters,製品リストの一番上に表示されるHTML /バナー。
-Max Days Leave Allowed,あなたは、会社のマスターにデフォルト銀行口座を設定することができます
-Max Discount (%),新しいコストセンター
+Materials Required (Exploded),必要な材料(分解図)
+Max 5 characters,最大5文字
+Max Days Leave Allowed,最大日数休暇可
+Max Discount (%),最大割引(%)
 Max Qty,最大数量
-Max discount allowed for item: {0} is {1}%,価値評価のための「前の行トータルの 'または'前の行量オン」などの電荷の種類を選択することはできません。あなたが前の行量や前の行の合計のための唯一の「合計」オプションを選択することができます
+Max discount allowed for item: {0} is {1}%,項目の許可最大割引:{0}が{1}%
+Maximum Amount,最高額
 Maximum allowed credit is {0} days after posting date,最大許容クレジットは、日付を掲示した後に{0}日です
-Maximum {0} rows allowed,パートナーの種類
-Maxiumm discount for Item {0} is {1}%,税金
+Maximum {0} rows allowed,許可された最大{0}行
+Maxiumm discount for Item {0} is {1}%,アイテムのMaxiumm割引は{0} {1}%です
 Medical,メディカル
-Medium,年間休館
+Medium,ふつう
 "Merging is only possible if following properties are same in both records. Group or Ledger, Root Type, Company",次のプロパティは、両方のレコードに同じであれば、マージのみ可能です。グループや元帳、ルートタイプ、会社
 Message,メッセージ
-Message Parameter,別の給与体系は、{0}の従業員のためにアクティブになっている{​​0}。その状態「非アクティブ」は続行してください。
-Message Sent,流動資産
-Message updated,最初のドキュメントの種類を選択してください
-Messages,バランス数量
-Messages greater than 160 characters will be split into multiple messages,政府
+Message Parameter,メッセージパラメータ
+Message Sent,送信されたメッセージ
+Message updated,メッセージが更新
+Messages,メッセージ
+Messages greater than 160 characters will be split into multiple messages,160文字を超えるメッセージは複数のメッセージに分割されます
 Middle Income,中所得
-Milestone,運営費
-Milestone Date,アイテム不足通知
-Milestones,発言
-Milestones will be added as Events in the Calendar,マスタタイプまたはアカウントタイプが選択されているため、グループにひそかすることはできません。
-Min Order Qty,160文字を超えるメッセージは複数のメッセージに分割されます
+Milestone,マイルストーン
+Milestone Date,マイルストーン日付
+Milestones,マイルストーン
+Milestones will be added as Events in the Calendar,マイルストーンは、カレンダーにイベントとして追加されます
+Min Order Qty,最小発注数量
 Min Qty,最小数量
-Min Qty can not be greater than Max Qty,印刷テンプレートのタイトルは、プロフォーマインボイスを例えば。
-Minimum Order Qty,重さUOM
+Min Qty can not be greater than Max Qty,最小個数は最大個数を超えることはできません
+Minimum Amount,最低額
+Minimum Order Qty,最小注文数量
 Minute,分
-Misc Details,製造数量は必須です
-Miscellaneous Expenses,ユーザ名
-Miscelleneous,セールス受注を選択
+Misc Details,その他の詳細
+Miscellaneous Expenses,雑費
+Miscelleneous,Miscelleneous
 Mobile No,モバイルノー
-Mobile No.,操作、運転コストを指定しないと、あなたの業務に固有のオペレーション·ノーを与える。
-Mode of Payment,タイプ「銀行」の口座の残高または「現金」
-Modern,% 完了
-Modified Amount,収益タイプ
-Monday,手数料率(%)
-Month,オートレイズの素材要求量が倉庫にリオーダーレベル以下になった場合
-Monthly,新入荷UOMは現在の在庫とは異なる必要がありUOM
-Monthly Attendance Sheet,注:システムは、アイテムの配信や過予約チェックしません{0}数量または量が0であるように
-Monthly Earning & Deduction,既存の株式取引はこの項目のために存在するので、あなたは 'はシリアル番号」の値を変更することはできませんし、「評価方法」「ストックアイテムです'
-Monthly Salary Register,この受注に対して請求される材料の%
+Mobile No.,携帯番号
+Mode of Payment,支払方法
+Modern,モダン
+Monday,月曜日
+Month,月
+Monthly,月次
+Monthly Attendance Sheet,毎月の出席シート
+Monthly Earning & Deduction,毎月のご獲得&控除
+Monthly Salary Register,月給登録
 Monthly salary statement.,毎月の給与計算書。
-More Details,ツールの名前を変更
-More Info,製造された量は、この倉庫に更新されます
-Motion Picture & Video,拒否されたシリアル番号
+More Details,{1}詳細
+More Info,詳細情報
+Motion Picture & Video,映画&ビデオ
 Moving Average,移動平均
-Moving Average Rate,製造業
-Mr,ミリ秒
-Ms,銘打た%金額
-Multiple Item prices.,給与計算の設定
+Moving Average Rate,移動平均レート
+Mr,氏
+Ms,ミリ秒
+Multiple Item prices.,複数のアイテムの価格。
 "Multiple Price Rule exists with same criteria, please resolve \
-			conflict by assigning priority. Price Rules: {0}",複数の価格ルールは同じ基準で存在し、優先順位を割り当てることでの\ \ nの競合を解決してください。価格ルール:{0}
+			conflict by assigning priority. Price Rules: {0}","複数の価格ルールは同じ基準で存在し、解決してください\
+の優先順位を割り当てることで、競合しています。価格ルール:{0}"
 Music,音楽
-Must be Whole Number,これは、HRモジュールでルールを設定するために使用される
-Name,注:休暇タイプのための十分な休暇残高はありません{0}
-Name and Description,毎年恒例の
+Must be Whole Number,整数でなければなりません
+Name,名前
+Name and Description,名前と説明
 Name and Employee ID,名前と従業員ID
-"Name of new Account. Note: Please don't create accounts for Customers and Suppliers, they are created automatically from the Customer and Supplier master",収益勘定
-Name of person or organization that this address belongs to.,参加日
+"Name of new Account. Note: Please don't create accounts for Customers and Suppliers, they are created automatically from the Customer and Supplier master",新しいアカウントの名前。注:お客様のアカウントを作成しないでください、それらは顧客とサプライヤマスタから自動的に作成され
+Name of person or organization that this address belongs to.,このアドレスが所属する個人または組織の名前。
 Name of the Budget Distribution,予算配分の名前
 Naming Series,シリーズの命名
-Negative Quantity is not allowed,評価
-Negative Stock Error ({6}) for Item {0} in Warehouse {1} on {2} {3} in {4} {5},プロジェクトマネージャ
-Negative Valuation Rate is not allowed,基本
-Negative balance in Batch {0} for Item {1} at Warehouse {2} on {3} {4},最小個数は最大個数を超えることはできません
-Net Pay,アカウント{0}は存在しません
+Negative Quantity is not allowed,負の量は許可されていません
+Negative Stock Error ({6}) for Item {0} in Warehouse {1} on {2} {3} in {4} {5},{4} {5} {2} {3}上の倉庫{1}の項目{0}のための負のストックError({6})
+Negative Valuation Rate is not allowed,負の評価レートは、許可されていません
+Negative balance in Batch {0} for Item {1} at Warehouse {2} on {3} {4},倉庫にある項目{1}のためのバッチでマイナス残高{0} {2} {3} {4}に
+Net Pay,NETペイ
 Net Pay (in words) will be visible once you save the Salary Slip.,あなたは給与伝票を保存すると(つまり)純ペイ·表示されます。
-Net Total,新入荷のエントリー
-Net Total (Company Currency),化粧品
-Net Weight,税区分は、すべての項目として「評価」や「評価と合計 'にすることはできません非在庫項目です
-Net Weight UOM,現金
+Net Profit / Loss,純利益/損失
+Net Total,正味合計
+Net Total (Company Currency),合計額(会社通貨)
+Net Weight,正味重量
+Net Weight UOM,純重量UOM
 Net Weight of each Item,各項目の正味重量
-Net pay cannot be negative,自動的にメールボックスから求職者を抽出し、
+Net pay cannot be negative,正味賃金は負にすることはできません
 Never,使用しない
 New ,
 New Account,新しいアカウント
-New Account Name,適切なグループファンド>流動負債>税金や関税の(通常はソースに移動して、子の追加をクリックして、新しいアカウント元帳を(作成)タイプ「税」の税率に言及しております。
-New BOM,続行する会社を指定してください
-New Communications,親項目グループ
+New Account Name,新しいアカウント名
+New BOM,新しい部品表
+New Communications,新しい通信
 New Company,新会社
-New Cost Center,{0} {1}の行のための有効な行番号を指定してください
-New Cost Center Name,LFT
-New Delivery Notes,顧客コード
-New Enquiries,バウチャーによるグループ
+New Cost Center,新しいコストセンター
+New Cost Center Name,新しいコストセンター名
+New Delivery Notes,新しい納品書
+New Enquiries,新しいお問い合わせ
 New Leads,新規リード
-New Leave Application,子ノードを持つアカウントは、元帳に変換することはできません
-New Leaves Allocated,ジャーナルバウチャー詳細
-New Leaves Allocated (In Days),購入時の領収書{0}送信されません
-New Material Requests,価格表のレート(会社通貨)
-New Projects,購入する
-New Purchase Orders,品目マスタに存在しない項目は、顧客の要望に応じて入力することができます
-New Purchase Receipts,デフォルトの費用勘定
-New Quotations,スライドショー
-New Sales Orders,販売表示のポイントを有効にするには
+New Leave Application,新しい休業申出
+New Leaves Allocated,割り当てられた新しい葉
+New Leaves Allocated (In Days),(日数)が割り当て新しい葉
+New Material Requests,新素材のリクエスト
+New Projects,新しいプロジェクト
+New Purchase Orders,新しい発注書
+New Purchase Receipts,新規購入の領収書
+New Quotations,新しい名言
+New Sales Orders,新しい販売注文
 New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,新しいシリアル番号は、倉庫を持つことができません。倉庫在庫入力や購入時の領収書で設定する必要があります
-New Stock Entries,契約したアイテム - サブを製造するための供給者に発行され、必要な原材料。
-New Stock UOM,進歩である
-New Stock UOM is required,タイムログ
-New Stock UOM must be different from current stock UOM,納品書を作る
-New Supplier Quotations,株式のエントリーはすでに製造指図のために作成
-New Support Tickets,負債
-New UOM must NOT be of type Whole Number,数量のため{0}より小さくなければなりません{1}
-New Workplace,税金、料金の合計
-Newsletter,ブロックリスト名を残す
-Newsletter Content,パートナーのウェブサイト
-Newsletter Status,アイテム{0}同じ説明で二回入力した
+New Stock Entries,新入荷のエントリー
+New Stock UOM,新入荷UOM
+New Stock UOM is required,新入荷UOMが必要です
+New Stock UOM must be different from current stock UOM,新入荷UOMは現在の在庫とは異なる必要がありUOM
+New Supplier Quotations,新規サプライヤの名言
+New Support Tickets,新しいサポートチケット
+New UOM must NOT be of type Whole Number,新しいUOMは、タイプ全体数であってはなりません
+New Workplace,新しい職場
+Newsletter,Newsletter:ニュースレター
+Newsletter Content,ニュースレターの内容
+Newsletter Status,ニュースレターの状況
 Newsletter has already been sent,ニュースレターは、すでに送信されました
-Newsletters is not allowed for Trial users,セールス
-"Newsletters to contacts, leads.",家賃コスト
-Newspaper Publishers,あなたの写真を添付し
+"Newsletters to contacts, leads.",連絡先へのニュースレター、つながる。
+Newspaper Publishers,新聞出版
 Next,次
-Next Contact By,ブロックリストを残す
+Next Contact By,次の接触によって
 Next Contact Date,次連絡日
 Next Date,次の日
-Next email will be sent on:,合計スコアを計算
+Next email will be sent on:,次の電子メールは上に送信されます。
 No,いいえ
-No Customer Accounts found.,バッチ終了日
-No Customer or Supplier Accounts found,バッチID
-No Expense Approvers. Please assign 'Expense Approver' Role to atleast one user,非連動請求書や支払いにマッチ。
-No Item with Barcode {0},価格表為替レート
-No Item with Serial No {0},アカウント残高
-No Items to pack,{0}にGoogleドライブのアクセスキーを設定してください
-No Leave Approvers. Please assign 'Leave Approver' Role to atleast one user,無給休暇
-No Permission,セット
-No Production Orders created,プロジェクト&システム
-No Supplier Accounts found. Supplier Accounts are identified based on 'Master Type' value in account record.,ここでは、身長、体重、アレルギー、医療問題などを維持することができます
-No accounting entries for the following warehouses,行{0}:{1}の周期は、\ \ nからと日付の間の差がより大きいか等しくなければなりません設定するには、{2}
-No addresses created,お支払い方法の種類
-No contacts created,例えば。 smsgateway.com / API / send_sms.cgi
-No default Address Template found. Please create a new one from Setup > Printing and Branding > Address Template.,会社情報
+No Customer Accounts found.,現在、アカウントはありませんでした。
+No Customer or Supplier Accounts found,顧客やサプライヤアカウント見つからないん
+No Expense Approvers. Please assign 'Expense Approver' Role to atleast one user,出費を承認しない。少なくとも1ユーザーに「経費承認者の役割を割り当ててください
+No Item with Barcode {0},バーコード{0}に項目なし
+No Item with Serial No {0},シリアル番号{0}に項目なし
+No Items to pack,パックするアイテムはありません
+No Leave Approvers. Please assign 'Leave Approver' Role to atleast one user,いいえ休暇承認者はありません。少なくとも1ユーザーに「休暇承認者の役割を割り当ててください
+No Permission,権限がありませんん
+No Production Orders created,作成しない製造指図しない
+No Supplier Accounts found. Supplier Accounts are identified based on 'Master Type' value in account record.,いいえサプライヤーアカウント見つかりませんでした。サプライヤーアカウントはアカウント·レコードに「マスタータイプ」の値に基づいて識別されます。
+No accounting entries for the following warehouses,次の倉庫にはアカウンティングエントリません
+No addresses created,作成されないアドレスません
+No contacts created,NO接点は作成されません
+No default Address Template found. Please create a new one from Setup > Printing and Branding > Address Template.,デフォルトのアドレステンプレートが見つかりませんでした。[設定]> [印刷とブランディング>アドレステンプレートから新しいものを作成してください。
 No default BOM exists for Item {0},デフォルトのBOMが存在しないアイテムのため{0}
 No description given,与えられた説明がありません
-No employee found,詳細に項目グループ
-No employee found!,前の行の量に
-No of Requested SMS,[設定]> [ナンバリングシリーズによる出席をお願い致しセットアップ採番シリーズ
-No of Sent SMS,アイテムのMaxiumm割引は{0} {1}%です
-No of Visits,Weightage
-No permission,営業チーム
-No record found,項目ごとに異なる​​UOMが間違って(合計)正味重量値につながる。各項目の正味重量が同じUOMになっていることを確認してください。
+No employee found,見つかりません従業員
+No employee found!,いいえ、従業員が見つかりませんでした!
+No of Requested SMS,要求されたSMSなし
+No of Sent SMS,送信されたSMSなし
+No of Visits,訪問なし
+No permission,権限がありませんん
+No record found,見つからレコードません
+No records found in the Invoice table,請求書テーブルに存在する情報はありませんん
+No records found in the Payment table,支払テーブルで見つかった情報はありませんん
 No salary slip found for month: ,
-Non Profit,自動車
-Nos,ご利用条件の詳細
-Not Active,銘打たれない
-Not Applicable,毎月のご獲得&控除
-Not Available,保守計画
-Not Billed,ERPNextセットアップ
-Not Delivered,一般管理費
-Not Set,銀行バウチャーを作る
-Not allowed to update entries older than {0},クレジットカード
-Not authorized to edit frozen Account {0},[適用
-Not authroized since {0} exceeds limits,Webサイト設定
-Not permitted,生産のための
-Note,商品コードを選択してください。
-Note User,メンテナンス日
-"Note: Backups and files are not deleted from Dropbox, you will have to delete them manually.",総原料コスト
-"Note: Backups and files are not deleted from Google Drive, you will have to delete them manually.",直接経費
-Note: Due Date exceeds the allowed credit days by {0} day(s),割引フィールドが発注、購入時の領収書、請求書購入に利用できるようになります
+Non Profit,非営利
+Nos,NOS
+Not Active,アクティブでない
+Not Applicable,特になし
+Not Available,利用不可
+Not Billed,銘打たれない
+Not Delivered,配信されない
+Not Set,設定されていません
+Not allowed to update stock transactions older than {0},{0}よりも古い株式取引を更新することはできません
+Not authorized to edit frozen Account {0},凍結されたアカウントを編集する権限がありません{0}
+Not authroized since {0} exceeds limits,{0}の限界を超えているのでauthroizedはない
+Not permitted,許可されていません
+Note,備考
+Note User,(注)ユーザ
+"Note: Backups and files are not deleted from Dropbox, you will have to delete them manually.",注:バックアップとファイルがDropboxのから削除されません、それらを手動で削除する必要があります。
+"Note: Backups and files are not deleted from Google Drive, you will have to delete them manually.",注:バックアップとファイルは、Googleドライブから削除されていない、それらを手動で削除する必要があります。
+Note: Due Date exceeds the allowed credit days by {0} day(s),注意:期日は{0}日(S)で許可されているクレジット日数を超えている
 Note: Email will not be sent to disabled users,注意:電子メールは無効になってユーザーに送信されることはありません
-Note: Item {0} entered multiple times,非製造されたアイテムのために許可されていない部品表番号は{0}行{1}
+Note: Item {0} entered multiple times,注:項目{0}複数回入力
 Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,注:「現金または銀行口座 'が指定されていないため、お支払いエントリが作成されません
-Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,ターゲット上の
-Note: There is not enough leave balance for Leave Type {0},[SELECT]
+Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,注:システムは、アイテムの配信や過予約チェックしません{0}数量または量が0であるように
+Note: There is not enough leave balance for Leave Type {0},注:休暇タイプのための十分な休暇残高はありません{0}
 Note: This Cost Center is a Group. Cannot make accounting entries against groups.,注:この原価センタグループです。グループに対する会計上のエントリを作成することはできません。
-Note: {0},ここでは、親、配偶者や子供の名前と職業のような家族の詳細を維持することができる
-Notes,出荷ルールラベル
-Notes:,為替レートのマスター。
-Nothing to request,サプライヤーマスター。
-Notice (days),有効
-Notification Control,新しい発注書
-Notification Email Address,これはERPNextから自動生成されたサンプル·サイトです
-Notify by Email on creation of automatic Material Request,従業員の出席は{0}はすでにマークされている
+Note: {0},注:{0}
+Notes,注釈
+Notes:,注:
+Nothing to request,要求するものがありません
+Notice (days),お知らせ(日)
+Notification Control,通知制御
+Notification Email Address,通知電子メールアドレス
+Notify by Email on creation of automatic Material Request,自動材料要求の作成時にメールで通知して
 Number Format,数の書式
-Offer Date,コストセンター名
-Office,FCFSレート
-Office Equipments,「在庫切れ」で要求される項目は、投影された個数と最小注文数量に基づいてすべての倉庫を考慮
-Office Maintenance Expenses,項目ごとの購入履歴
-Office Rent,新しい職場
-Old Parent,項目は{0}に製造されなければならないか、下請
-On Net Total,納品書{0}は、この受注をキャンセルする前にキャンセルしなければならない
-On Previous Row Amount,シリアルNO {0}量{1}の割合にすることはできません
-On Previous Row Total,確認コードを入力してください
-Online Auctions,最新の在庫状況とのすべての原料を含むレポートをダウンロード
-Only Leave Applications with status 'Approved' can be submitted,従業外部仕事の歴史
-"Only Serial Nos with status ""Available"" can be delivered.",標準レポート
-Only leaf nodes are allowed in transaction,営業税および充満
-Only the selected Leave Approver can submit this Leave Application,倉庫の詳細
-Open,最初に奏効
+Offer Date,オファー日
+Office,オフィス
+Office Equipments,OA機器
+Office Maintenance Expenses,オフィスの維持費
+Office Rent,事務所賃貸料
+Old Parent,古い親
+On Net Total,合計額に
+On Previous Row Amount,前の行の量に
+On Previous Row Total,前の行の合計に
+Online Auctions,オンラインオークション
+Only Leave Applications with status 'Approved' can be submitted,のみ提出することができる「承認」ステータスを使用したアプリケーションのままに
+"Only Serial Nos with status ""Available"" can be delivered.",「利用可能な」状態とシリアル番号のみを配信することができます。
+Only leaf nodes are allowed in transaction,唯一のリーフノードは、トランザクションで許可されてい
+Only the selected Leave Approver can submit this Leave Application,のみ選択した休暇承認者は、この申出書を提出することができます
+Open,位置打开
 Open Production Orders,オープン製造指図
-Open Tickets,このシステムを設定しているために、あなたの会社の名前。
-Opening (Cr),{0} '{1}'ではない年度中の{2}
+Open Tickets,オープンチケット
+Opening (Cr),開口部(Cr)の
 Opening (Dr),開口部(DR)
-Opening Date,ユーザー備考
-Opening Entry,梱包の詳細
-Opening Qty,経常請求書に変換
-Opening Time,経費請求が拒否されました。
-Opening Value,会社から
-Opening for a Job.,ウェブサイトでのショー
-Operating Cost,タイムアウト値
-Operation Description,顧客グループ/顧客
-Operation No,追加された税金、料金
-Operation Time (mins),メンテナンススケジュール
+Opening Date,日付を開く
+Opening Entry,エントリーを開く
+Opening Qty,数量を開く
+Opening Time,開館時間
+Opening Value,オープニング値
+Opening for a Job.,仕事のための開口部。
+Operating Cost,運営費
+Operation Description,操作説明
+Operation No,操作はありません
+Operation Time (mins),操作時間(分)
 Operation {0} is repeated in Operations Table,操作は{0}操作表で繰り返される
-Operation {0} not present in Operations Table,証券UOMに従って
-Operations,鑑定テンプレートタイトル
+Operation {0} not present in Operations Table,運転操作、表中の{0}は存在しない
+Operations,オペレーション
 Opportunity,チャンス
-Opportunity Date,鑑定ゴール
-Opportunity From,自動請求書が05、28などなど、生成される月の日付
-Opportunity Item,すべての定期的な請求書を追跡するための固有のID。これは、送信時に生成されます。
-Opportunity Items,計画数量:数量は、そのために、製造指図が提起されているが、製造することが保留されています。
+Opportunity Date,機会日
+Opportunity From,機会から
+Opportunity Item,機会アイテム
+Opportunity Items,機会アイテム
 Opportunity Lost,機会損失
 Opportunity Type,機会の種類
-Optional. This setting will be used to filter in various transactions.,ストック調整
-Order Type,システムユーザー(ログイン)IDを指定します。設定すると、すべてのHRフォームのデフォルトになります。
-Order Type must be one of {0},デフォルトの単位
-Ordered,レビュー待ち
+Optional. This setting will be used to filter in various transactions.,オプションで設定します。この設定は、様々な取引にフィルタリングするために使用されます。
+Order Type,順序型
+Order Type must be one of {0},注文タイプ{0}のいずれかである必要があります
+Ordered,順序付けられた
 Ordered Items To Be Billed,課金対象とされて注文した商品
-Ordered Items To Be Delivered,部品表再帰:{0} {2}の親または子にすることはできません
-Ordered Qty,例えば。小切手番号
-"Ordered Qty: Quantity ordered for purchase, but not received.",製造指図のステータスは{0}
+Ordered Items To Be Delivered,配信されるように注文した商品
+Ordered Qty,数量命じ
+"Ordered Qty: Quantity ordered for purchase, but not received.",数量を注文:数量は、購入のために注文したが、受け取っていない。
 Ordered Quantity,注文数量
-Orders released for production.,換算係数は、画分にすることはできません
+Orders released for production.,生産のためにリリース受注。
 Organization Name,組織名
-Organization Profile,購入時の領収書
-Organization branch master.,バウチャーはありませんが有効ではありません
-Organization unit (department) master.,項目群名
-Original Amount,に基づくエイジング
+Organization Profile,組織プロファイル
+Organization branch master.,組織支店マスター。
+Organization unit (department) master.,組織単位(部門)のマスター。
 Other,その他
-Other Details,株式残高
-Others,部品表の操作
-Out Qty,材料要件
-Out Value,完全に配信
-Out of AMC,チャリティーや寄付
-Out of Warranty,価格表には、売買に適用さでなければなりません
-Outgoing,行番号
-Outstanding Amount,現在の在庫UOM
-Outstanding for {0} cannot be less than zero ({1}),会社を指定してください
-Overhead,おわり
-Overheads,ターゲット·ウェアハウス
-Overlapping conditions found between:,アクティビティ
-Overview,デフォルトの単位の換算係数は、行の1でなければなりません{0}
-Owned,サプライヤの通貨は、会社の基本通貨に換算される速度
-Owner,予想される開始日
-PL or BS,電子メールIDは、カンマで区切られた。
-PO Date,大学院の下で
-PO No,オペレーション
-POP3 Mail Server,期間
+Other Details,その他の詳細
+Others,他
+Out Qty,数量アウト
+Out Value,タイムアウト値
+Out of AMC,AMCのうち
+Out of Warranty,保証期間が切れて
+Outgoing,発信
+Outstanding Amount,残高
+Outstanding for {0} cannot be less than zero ({1}),抜群の{0}ゼロ({1})より小さくすることはできませんのために
+Overhead,オーバーヘッド
+Overheads,オーバーヘッド
+Overlapping conditions found between:,の間に見られるオーバーラップ条件:
+Overview,はじめに
+Owned,所有
+Owner,所有者
+P L A - Cess Portion,PLA - 目的税ポーション
+PL or BS,PLやBS
+PO Date,発注日
+PO No,POはありません
+POP3 Mail Server,POP3メールサーバ
 POP3 Mail Settings,POP3メール設定
-POP3 mail server (e.g. pop.gmail.com),許可された最大{0}行
-POP3 server e.g. (pop.gmail.com),注:
-POS Setting,デビットとこのバウチャーのための等しくないクレジット。違いは、{0}です。
-POS Setting required to make POS Entry,最初の項目を入力してください
-POS Setting {0} already created for user: {1} and company {2},{0}のために正常に割り当てられた葉
+POP3 mail server (e.g. pop.gmail.com),POP3メールサーバー(例:pop.gmail.com)
+POP3 server e.g. (pop.gmail.com),POP3サーバーなど(pop.gmail.com)
+POS Setting,POSの設定
+POS Setting required to make POS Entry,POSのエントリを作成するために必要なPOSの設定
+POS Setting {0} already created for user: {1} and company {2},POSの設定{0}はすでにユーザのために作成しました:{1}と会社{2}
 POS View,POS見る
-PR Detail,訪問なし
-Package Item Details,給与構造
+PR Detail,PRの詳細
+Package Item Details,パッケージアイテムの詳細
 Package Items,パッケージアイテム
 Package Weight Details,パッケージの重量の詳細
-Packed Item,「出産予定日」を入力してください
-Packed quantity must equal quantity for Item {0} in row {1},通貨、変換レート、輸入総輸入総計などのようなすべてのインポートに関連するフィールドは、購入時の領収書、サプライヤー見積、購入請求書、発注書などでご利用いただけます
-Packing Details,納品書の動向
+Packed Item,ランチアイテム
+Packed quantity must equal quantity for Item {0} in row {1},{0}行{1}ランチ量はアイテムの量と等しくなければなりません
+Packing Details,梱包の詳細
 Packing List,パッキングリスト
-Packing Slip,保留
-Packing Slip Item,実際の数量
-Packing Slip Items,素材要求(MRP)と製造指図を生成します。
-Packing Slip(s) cancelled,プロジェクトのマイルストーン
-Page Break,{0} {1}ステータスが塞がです
-Page Name,ブログの投稿
-Paid Amount,パスポート番号
+Packing Slip,送付状
+Packing Slip Item,梱包伝票項目
+Packing Slip Items,梱包伝票項目
+Packing Slip(s) cancelled,パッキングスリップ(S)をキャンセル
+Page Break,改ページ
+Page Name,ページ名
+Paid Amount,支払金額
 Paid amount + Write Off Amount can not be greater than Grand Total,支払った金額+金額を償却総計を超えることはできません
-Pair,品質検査読書
+Pair,ペア設定する
 Parameter,パラメータ
 Parent Account,親勘定
 Parent Cost Center,親コストセンター
-Parent Customer Group,生産する
-Parent Detail docname,あなたが同時に同じアカウントをクレジットカードやデビットすることはできません
+Parent Customer Group,親カスタマー·グループ
+Parent Detail docname,親ディテールDOCNAME
 Parent Item,親アイテム
-Parent Item Group,ユーザーがトランザクションに価格表レートを編集することができます
-Parent Item {0} must be not Stock Item and must be a Sales Item,原料を移す
-Parent Party Type,日付を緩和入力してください。
-Parent Sales Person,アイテム   説明
-Parent Territory,プロジェクトの価値
-Parent Website Page,値から行の値以下でなければなりません{0}
-Parent Website Route,保留中の金額
-Parent account can not be a ledger,親アカウントは元帳にすることはできません
-Parent account does not exist,セットアップ...
-Parenttype,サポートパスワード
-Part-time,納期
+Parent Item Group,親項目グループ
+Parent Item {0} must be not Stock Item and must be a Sales Item,親項目{0}取り寄せ商品であってはならないこと及び販売項目でなければなりません
+Parent Party Type,親パーティーの種類
+Parent Sales Person,親セールスパーソン
+Parent Territory,親テリトリー
+Parent Website Page,親ウェブサイトのページ
+Parent Website Route,親サイトルート
+Parenttype,Parenttype
+Part-time,パートタイム
 Partially Completed,部分的に完了
-Partly Billed,ソースファイル
-Partly Delivered,世界のその他の地域
+Partly Billed,部分的に銘打た
+Partly Delivered,部分的に配信
 Partner Target Detail,パートナーターゲットの詳細
-Partner Type,グループまたは元帳
-Partner's Website,顧客のベンダー
+Partner Type,パートナーの種類
+Partner's Website,パートナーのウェブサイト
 Party,パーティー
-Party Type,アイテム{0}に必要な販売注文
-Party Type Name,小切手日
-Passive,デフォルトのソース·ウェアハウス
-Passport Number,{0} {1}を削除しますか?
-Password,目的
-Pay To / Recd From,役割を承認すると、ルールが適用されるロールと同じにすることはできません
+Party Account,パーティのアカウント
+Party Type,パーティーの種類
+Party Type Name,パーティのタイプ名
+Passive,パッシブ
+Passport Number,パスポート番号
+Password,パスワード
+Pay To / Recd From,から/ RECDに支払う
 Payable,支払うべき
-Payables,キャンセル済み
-Payables Group,完全セットアップ
-Payment Days,Parenttype
-Payment Due Date,医薬品
-Payment Period Based On Invoice Date,保護観察
-Payment Type,販売エクストラ
+Payables,支払勘定
+Payables Group,買掛金グループ
+Payment Days,支払い日
+Payment Due Date,支払期日
+Payment Period Based On Invoice Date,請求書の日付に基づいて支払期間
+Payment Reconciliation,支払い和解
+Payment Reconciliation Invoice,お支払い和解請求書
+Payment Reconciliation Invoices,支払い和解請求書
+Payment Reconciliation Payment,お支払い和解支払い
+Payment Reconciliation Payments,支払い和解支払い
+Payment Type,お支払い方法の種類
+Payment cannot be made for empty cart,お支払い方法は、空のかごのために行うことはできません
 Payment of salary for the month {0} and year {1},月の給与の支払{0}年{1}
-Payment to Invoice Matching Tool,あなたは本当に栓を抜くようにしたいです
-Payment to Invoice Matching Tool Detail,プロジェクト名
-Payments,挨拶
-Payments Made,要求された数量:数量を注文購入のために要求されますが、ではない。
-Payments Received,就職口
-Payments made during the digest period,総認可額
-Payments received during the digest period,サプライヤー名
-Payroll Settings,バウチャーを償却
-Pending,"グリッド """
-Pending Amount,アイテムは、{0}購買アイテムでなければなりません
-Pending Items {0} updated,鉛のId
-Pending Review,フィード
+Payments,支払い
+Payments Made,支払い
+Payments Received,受信支払い
+Payments made during the digest period,ダイジェスト期間中に支払い
+Payments received during the digest period,支払いは、ダイジェスト期間に受信
+Payroll Settings,給与計算の設定
+Pending,未処理
+Pending Amount,保留中の金額
+Pending Items {0} updated,保留中のアイテム{0}に更新
+Pending Review,レビュー待ち
 Pending SO Items For Purchase Request,購入の要求のために保留中のSOアイテム
 Pension Funds,年金基金
-Percent Complete,受注
-Percentage Allocation,SMSゲートウェイのURL
-Percentage Allocation should be equal to 100%,メール通知
-Percentage variation in quantity to be allowed while receiving or delivering this item.,メンテナンススケジュールの詳細
-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.,解像度(Resolution)
-Performance appraisal.,コミュニケーション
-Period,アクティブ:からのメールを抽出します
-Period Closing Voucher,顧客アカウントヘッド
+Percent Complete,進捗率
+Percentage Allocation,パーセンテージの割り当て
+Percentage Allocation should be equal to 100%,割合の割り当ては100パーセントに等しくなければならない
+Percentage variation in quantity to be allowed while receiving or delivering this item.,このアイテムを受け取ったり提供しながら、許可される量の割合の変化。
+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%であった。
+Performance appraisal.,業績評価。
+Period,期間
+Period Closing Voucher,期間閉会バウチャー
 Periodicity,周期性
-Permanent Address,アイテムシリアル番号
-Permanent Address Is,割り当てられた新しい葉
+Permanent Address,本籍地
+Permanent Address Is,永久アドレスは
 Permission,権限
-Personal,リファレンス#{0} {1}日付け
+Personal,パーソナル
 Personal Details,個人情報
-Personal Email,"例えば ​​""私の会社LLC """
-Pharmaceutical,進捗率
-Pharmaceuticals,販売キャンペーン。
+Personal Email,個人的な電子メール
+Pharmaceutical,薬剤
+Pharmaceuticals,医薬品
 Phone,電話
 Phone No,電話番号
-Piecework,秘書
-Pincode,全般設定
-Place of Issue,現住所
-Plan for maintenance visits.,ビジネス開発マネージャー
-Planned Qty,部品表の詳細はありません
-"Planned Qty: Quantity, for which, Production Order has been raised, but is pending to be manufactured.",電子メールIDは一意である必要があり、すでに{0}のために存在し
-Planned Quantity,自動的に取引の提出にメッセージを作成します。
-Planning,割り当てツールを残す
-Plant,送信されたメッセージ
-Plant and Machinery,プロジェクト]を選択します...
+Piecework,出来高仕事
+Pincode,PINコード
+Place of Issue,発行場所
+Plan for maintenance visits.,メンテナンスの訪問を計画します。
+Planned Qty,計画数量
+"Planned Qty: Quantity, for which, Production Order has been raised, but is pending to be manufactured.",計画数量:数量は、そのために、製造指図が提起されているが、製造することが保留されています。
+Planned Quantity,計画数
+Planning,計画
+Plant,プラント
+Plant and Machinery,設備や機械
 Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,それは、すべてのアカウントヘッドに接尾辞として追加されるように適切に略語や短縮名を入力してください。
-Please Update SMS Settings,数量命じ
-Please add expense voucher details,タイムシートのための活動の種類
+Please Update SMS Settings,SMSの設定を更新してください
+Please add expense voucher details,経費伝票の詳細を追加してください
+Please add to Modes of Payment from Setup.,セットアップからの支払いのモードに加えてください。
 Please check 'Is Advance' against Account {0} if this is an advance entry.,チェックしてください、これは事前エントリーの場合はアカウントに対して{0} '進歩である」。
-Please click on 'Generate Schedule',拒否された倉庫はregected項目に対して必須です
-Please click on 'Generate Schedule' to fetch Serial No added for Item {0},{0}は有効な休暇承認者ではありません。削除行#{1}。
-Please click on 'Generate Schedule' to get schedule,換算係数
+Please click on 'Generate Schedule','を生成スケジュール」をクリックしてください
+Please click on 'Generate Schedule' to fetch Serial No added for Item {0},シリアル番号を取得するために 'を生成スケジュール」をクリックしてくださいアイテム{0}のために追加
+Please click on 'Generate Schedule' to get schedule,スケジュールを得るために 'を生成スケジュール」をクリックしてください
 Please create Customer from Lead {0},リードから顧客を作成してください{0}
 Please create Salary Structure for employee {0},従業員の給与構造を作成してください{0}
-Please create new account from Chart of Accounts.,給与モード
-Please do NOT create Account (Ledgers) for Customers and Suppliers. They are created directly from the Customer / Supplier masters.,最初の会社名を入力してください
-Please enter 'Expected Delivery Date',製造された量は{0}製造指図{2}で計画quanitity {1}より大きくすることはできません
-Please enter 'Is Subcontracted' as Yes or No,{0} {1}は、すでに送信されました
-Please enter 'Repeat on Day of Month' field value,経費請求が承認されています。
-Please enter Account Receivable/Payable group in company master,発注から
-Please enter Approving Role or Approving User,引用文は、サプライヤーから受け取った。
-Please enter BOM for Item {0} at row {1},受け入れられまし
-Please enter Company,支払総額
-Please enter Cost Center,会計士
+Please create new account from Chart of Accounts.,勘定科目表から新しいアカウントを作成してください。
+Please do NOT create Account (Ledgers) for Customers and Suppliers. They are created directly from the Customer / Supplier masters.,お客様のアカウント(元帳)を作成しないでください。これらは、顧客/仕入先マスターから直接作成されます。
+Please enter 'Expected Delivery Date',「出産予定日」を入力してください
+Please enter 'Is Subcontracted' as Yes or No,入力してくださいは、YesまたはNoとして「下請けは '
+Please enter 'Repeat on Day of Month' field value,フィールド値「月の日にリピート」を入力してください
+Please enter Account Receivable/Payable group in company master,会社マスタに売掛金/買掛金グループを入力してください
+Please enter Approving Role or Approving User,役割の承認またはユーザーの承認入力してください
+Please enter BOM for Item {0} at row {1},アイテムのBOMを入力してください{0}行{1}
+Please enter Company,会社を入力してください
+Please enter Cost Center,コストセンターを入力してください
 Please enter Delivery Note No or Sales Invoice No to proceed,続行する納品書Noまたは納品書いいえ]を入力してください
-Please enter Employee Id of this sales parson,Incharge人の名前を選択してください
-Please enter Expense Account,配信されない
-Please enter Item Code to get batch no,品質
-Please enter Item Code.,CoAのヘルプ
-Please enter Item first,金額> =
-Please enter Maintaince Details first,火曜日
-Please enter Master Name once the account is created.,アイテム{0}のシリアル番号のチェック項目マスタの設定ではありません
-Please enter Planned Qty for Item {0} at row {1},免責事項
-Please enter Production Item first,時間
-Please enter Purchase Receipt No to proceed,給与体系の利益
-Please enter Reference date,マネジメント
-Please enter Warehouse for which Material Request will be raised,選択した価格設定ルールが「価格」のために作られている場合は、価格表が上書きされます。価格設定ルールの価格は最終的な価格なので、これ以上の割引が適用されるべきではない。そのため、受注、発注書などのような取引では、むしろ「価格表レート」フィールドよりも、「レート」フィールドにフェッチされる。
-Please enter Write Off Account,BOM爆発アイテム
-Please enter atleast 1 invoice in the table,読み込んでいます...
-Please enter company first,パーティのタイプ名
-Please enter company name first,によって作成された
+Please enter Employee Id of this sales parson,この販売牧師の従業員IDを入力してください
+Please enter Expense Account,費用勘定をご入力ください。
+Please enter Item Code to get batch no,何バッチを取得するために商品コードを入力をして下さい
+Please enter Item Code.,商品コードを入力してください。
+Please enter Item first,最初の項目を入力してください
+Please enter Maintaince Details first,Maintaince詳細最初を入力してください
+Please enter Master Name once the account is created.,アカウントが作成されると、マスターの名前を入力してください。
+Please enter Planned Qty for Item {0} at row {1},アイテムに予定数量を入力してください{0}行{1}
+Please enter Production Item first,最初の生産品目を入力してください
+Please enter Purchase Receipt No to proceed,続行し、購入時の領収書は、Noを入力してください
+Please enter Reference date,基準日を入力してください
+Please enter Warehouse for which Material Request will be raised,素材のリクエストが発生する対象の倉庫を入力してください
+Please enter Write Off Account,アカウントを償却入力してください
+Please enter atleast 1 invoice in the table,表に少なくとも1請求書を入力してください
+Please enter company first,最初の会社を入力してください
+Please enter company name first,最初の会社名を入力してください
 Please enter default Unit of Measure,デフォルトの単位を入力してください
-Please enter default currency in Company Master,「Customerwise割引」に必要な顧客
-Please enter email address,商品コードを入力してください。
-Please enter item details,活動記録
+Please enter default currency in Company Master,会社マスターにデフォルトの通貨を入力してください
+Please enter email address,メールアドレスを入力してください
+Please enter item details,アイテムの詳細を入力してください
 Please enter message before sending,送信する前にメッセージを入力してください
-Please enter parent account group for warehouse account,注文書アイテム
-Please enter parent cost center,数量行の割合にすることはできません{0}
-Please enter quantity for Item {0},ガントチャート
-Please enter relieving date.,このストックエントリを作成するために使用される材料·リクエスト
+Please enter parent account group for warehouse account,倉庫アカウントの親勘定グループを入力してください
+Please enter parent cost center,親コストセンターを入力してください
+Please enter quantity for Item {0},数量を入力してください{0}
+Please enter relieving date.,日付を緩和入力してください。
 Please enter sales order in the above table,上記の表に受注伝票を入力してください
-Please enter valid Company Email,ロゴ
-Please enter valid Email Id,配信されるように注文した商品
-Please enter valid Personal Email,印刷見出し
-Please enter valid mobile nos,印刷テンプレートの手紙ヘッド。
-Please install dropbox python module,文書記述
-Please mention no of visits required,機会アイテム
-Please pull items from Delivery Note,サプライヤーに与えられた受注を購入します。
+Please enter valid Company Email,有効な企業メールアドレスを入力してください
+Please enter valid Email Id,有効な電子メールIDを入力してください
+Please enter valid Personal Email,有効な個人メールアドレスを入力してください
+Please enter valid mobile nos,有効なモバイルNOSを入力してください
+Please find attached Sales Invoice #{0},添付見つけてください納品書#{0}
+Please install dropbox python module,のDropbox Pythonモジュールをインストールしてください
+Please mention no of visits required,言及してください、必要な訪問なし
+Please pull items from Delivery Note,納品書からアイテムを抜いてください
 Please save the Newsletter before sending,送信する前に、ニュースレターを保存してください
-Please save the document before generating maintenance schedule,交換
-Please select Account first,アカウントを償却入力してください
-Please select Bank Account,失敗しました:
-Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,インストレーションノートを作る
-Please select Category first,タイプに送る
+Please save the document before generating maintenance schedule,保守スケジュールを生成する前に、ドキュメントを保存してください
+Please see attachment,添付ファイルを参照してください
+Please select Bank Account,銀行口座を選択してください
+Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,あなたも前連結会計年度の残高は今年度に残し含める場合繰り越す選択してください
+Please select Category first,最初のカテゴリを選択してください。
 Please select Charge Type first,充電タイプを最初に選択してください
-Please select Fiscal Year,要求されたSMSなし
-Please select Group or Ledger value,{0}は有効な電子メールIDはありません
-Please select Incharge Person's name,再販業者
+Please select Fiscal Year,年度を選択してください
+Please select Group or Ledger value,グループまたは元帳の値を選択してください
+Please select Incharge Person's name,Incharge人の名前を選択してください
+Please select Invoice Type and Invoice Number in atleast one row,少なくとも1行の請求書の種類と請求書番号を選択してください。
 "Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Sales BOM",「ストックアイテムです」「いいえ」であり、「販売項目である「「はい」であり、他の販売BOMが存在しない項目を選択してください。
-Please select Price List,行番号{0}:
-Please select Start Date and End Date for Item {0},委員会
-Please select a csv file,製造作業が行われる場所。
-Please select a valid csv file with data,ロゴを添付
-Please select a value for {0} quotation_to {1},基準日
-"Please select an ""Image"" first",総合計(会社通貨)
-Please select charge type first,月の総労働日数
-Please select company first.,リードタイム日数こちらの商品は倉庫に予想されることで日数です。この項目を選択すると、この日は、素材要求でフェッチされます。
-Please select item code,UOM名前
-Please select month and year,(会社名)
-Please select prefix first,あなたはRECONCILE前に量を割り当てる必要があります
-Please select the document type first,最小注文数量
-Please select weekly off day,Eメールダイジェスト:
-Please select {0},投影数量
-Please select {0} first,AMCのうち
-Please set Dropbox access keys in your site config,テスト電子メールID
-Please set Google Drive access keys in {0},発注する要求されたアイテム
-Please set default Cash or Bank account in Mode of Payment {0},関税と税金
+Please select Price List,価格表を選択してください
+Please select Start Date and End Date for Item {0},アイテム{0}の開始日と終了日を選択してください
+Please select Time Logs.,タイムログを選択してください。
+Please select a csv file,csvファイルを選択してください
+Please select a valid csv file with data,データが有効なCSVファイルを選択してください
+Please select a value for {0} quotation_to {1},{1} {0} quotation_toの値を選択してください
+"Please select an ""Image"" first",最初の「イメージ」を選択してください
+Please select charge type first,第一の電荷の種類を選択してください
+Please select company first,最初の会社を選択してください。
+Please select company first.,最初の会社を選択してください。
+Please select item code,商品コードを選択してください。
+Please select month and year,月と年を選択してください。
+Please select prefix first,最初の接頭辞を選択してください
+Please select the document type first,最初のドキュメントの種類を選択してください
+Please select weekly off day,毎週休み選択してください
+Please select {0},{0}を選択してください
+Please select {0} first,最初の{0}を選択してください
+Please select {0} first.,最初の{0}を選択してください。
+Please set Dropbox access keys in your site config,あなたのサイトの設定でDropboxのアクセスキーを設定してください
+Please set Google Drive access keys in {0},{0}にGoogleドライブのアクセスキーを設定してください
+Please set default Cash or Bank account in Mode of Payment {0},お支払い方法{0}にデフォルトの現金や銀行口座を設定してください
 Please set default value {0} in Company {0},デフォルト値を設定してください{0}会社での{0}
-Please set {0},必要な数量
-Please setup Employee Naming System in Human Resource > HR Settings,見積りから
-Please setup numbering series for Attendance via Setup > Numbering Series,子どもたちに許可します
-Please setup your chart of accounts before you start Accounting Entries,サプライヤーイントロ
+Please set {0},{0}を設定してください
+Please setup Employee Naming System in Human Resource > HR Settings,人事でのシステムの命名してください、セットアップ社員>人事設定
+Please setup numbering series for Attendance via Setup > Numbering Series,[設定]> [ナンバリングシリーズによる出席をお願い致しセットアップ採番シリーズ
+Please setup your chart of accounts before you start Accounting Entries,あなたが会計のエントリーを開始する前に、セットアップアカウントのグラフをしてください
 Please specify,記入してしてください。
-Please specify Company,平均手数料率
-Please specify Company to proceed,顧客の詳細
+Please specify Company,会社を指定してください
+Please specify Company to proceed,続行する会社を指定してください
 Please specify Default Currency in Company Master and Global Defaults,会社マスタおよびグローバル既定でデフォルト通貨を指定してください
-Please specify a,問い合わせ元は、キャンペーンの場合はキャンペーンの名前を入力してください
-Please specify a valid 'From Case No.',注:バックアップとファイルは、Googleドライブから削除されていない、それらを手動で削除する必要があります。
-Please specify a valid Row ID for {0} in row {1},材料の要求はありません
+Please specify a,指定してください
+Please specify a valid 'From Case No.',「事件番号から 'は有効を指定してください
+Please specify a valid Row ID for {0} in row {1},{0} {1}の行のための有効な行番号を指定してください
 Please specify either Quantity or Valuation Rate or both,数量または評価レートのいずれか、または両方を指定してください
-Please submit to update Leave Balance.,チャネルパートナー
-Plot,和解データ
-Plot By,去るブロックされた
-Point of Sale,血液型
-Point-of-Sale Setting,キャパシティー·ユニット
-Post Graduate,仕訳
-Postal,メッセージパラメータ
-Postal Expenses,参照番号
+Please submit to update Leave Balance.,休暇残高を更新するために提出してください。
+Plot,あら
+Plot By,して、プロット
+Point of Sale,POSシステム
+Point-of-Sale Setting,販売時点情報管理の設定
+Post Graduate,大学院
+Postal,郵便
+Postal Expenses,郵便経費
 Posting Date,転記日付
-Posting Time,銀行和解の詳細
+Posting Time,投稿時間
 Posting date and posting time is mandatory,転記日付と投稿時間は必須です
-Posting timestamp must be after {0},販売促進
-Potential opportunities for selling.,利用可能としてセットされた状態
+Posting timestamp must be after {0},投稿のタイムスタンプは、{0}の後でなければなりません
+Potential opportunities for selling.,販売するための潜在的な機会。
 Preferred Billing Address,好適な請求先住所
-Preferred Shipping Address,ジョブの電子メールIDの設定受信メールサーバ。 (例えばjobs@example.com)
-Prefix,商品コード>アイテムグループ>ブランド
-Present,マイルストーン
-Prevdoc DocType,価格設定ルールヘルプ
-Prevdoc Doctype,購入の請求書項目
-Preview,実際の個数:倉庫内の利用可能な数量。
-Previous,価格表のレート
-Previous Work Experience,C-フォーム
-Price,実際の予算
-Price / Discount,機能
+Preferred Shipping Address,好まれた出荷住所
+Prefix,接頭辞
+Present,現在
+Prevdoc DocType,Prevdoc文書型
+Prevdoc Doctype,Prevdoc文書型
+Preview,プレビュー
+Previous,前
+Previous Work Experience,以前の職歴
+Price,価格
+Price / Discount,価格/割引
 Price List,価格リスト
-Price List Currency,"ヘルプ:システム内の別のレコードにリンクするには、「#フォーム/備考/ [名前をメモ]「リンクのURLとして使用します。 (「http:// ""を使用しないでください)"
-Price List Currency not selected,消耗品
-Price List Exchange Rate,割引額の後税額
-Price List Name,内訳
-Price List Rate,接触制御
-Price List Rate (Company Currency),投稿のタイムスタンプは、{0}の後でなければなりません
+Price List Currency,価格表の通貨
+Price List Currency not selected,価格表の通貨が選択されていない
+Price List Exchange Rate,価格表為替レート
+Price List Name,価格リスト名
+Price List Rate,価格表のレート
+Price List Rate (Company Currency),価格表のレート(会社通貨)
 Price List master.,価格表マスター。
-Price List must be applicable for Buying or Selling,エネルギー
-Price List not selected,顧客の問題
-Price List {0} is disabled,顧客グループ
+Price List must be applicable for Buying or Selling,価格表には、売買に適用さでなければなりません
+Price List not selected,価格表を選択しない
+Price List {0} is disabled,価格表{0}無効になっています
 Price or Discount,価格または割引
 Pricing Rule,価格設定ルール
-Pricing Rule Help,ベンチャーキャピタル
-"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.",{0} {1}法案に反対{2} {3}日付け
-"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.",試算表
+Pricing Rule Help,価格設定ルールヘルプ
+"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.",価格設定ルールは最初の項目、項目グループやブランドできるフィールドが 'on適用」に基づいて選択される。
+"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.",価格設定ルールは、いくつかの基準に基づいて、値引きの割合を定義/価格表を上書きさせる。
 Pricing Rules are further filtered based on quantity.,価格設定ルールはさらなる量に基づいてフィルタリングされます。
 Print Format Style,印刷書式スタイル
-Print Heading,のみ選択した休暇承認者は、この申出書を提出することができます
+Print Heading,印刷見出し
 Print Without Amount,額なしで印刷
 Print and Stationary,印刷と固定
-Printing and Branding,合計請求額
-Priority,{0}の受信者に送信するようにスケジュール
-Private Equity,販売メール設定
+Printing and Branding,印刷とブランディング
+Priority,優先度
+Private Equity,未公開株式
 Privilege Leave,特権休暇
-Probation,購入の解析
-Process Payroll,予算配分の詳細
-Produced,指定してください
-Produced Quantity,領土/顧客
-Product Enquiry,{0}を作成
+Probation,保護観察
+Process Payroll,プロセスの給与
+Produced,生産
+Produced Quantity,生産数量
+Product Enquiry,製品のお問い合わせ
 Production,制作
-Production Order,レート(会社通貨)
-Production Order status is {0},株式価値
+Production Order,製造指図書
+Production Order status is {0},製造指図のステータスは{0}
 Production Order {0} must be cancelled before cancelling this Sales Order,製造指図{0}は、この受注をキャンセルする前にキャンセルしなければならない
-Production Order {0} must be submitted,シリアル番号
-Production Orders,すべての指定のために考慮した場合は空白のままにし
-Production Orders in Progress,引用へ
-Production Plan Item,シリアルNOは{0} {1}件まで保証期間内である
-Production Plan Items,ゴール数
+Production Order {0} must be submitted,製造指図{0}に提出しなければならない
+Production Orders,製造指図
+Production Orders in Progress,進行中の製造指図
+Production Plan Item,生産計画項目
+Production Plan Items,生産計画項目
 Production Plan Sales Order,生産計画受注
 Production Plan Sales Orders,生産計画受注
-Production Planning Tool,受注日
-Products,必要な項目
-"Products will be sorted by weight-age in default searches. More the weight-age, higher the product will appear in the list.",国名
-Profit and Loss,古い親
-Project,ジャーナルバウチャーは{0}アカウントを持っていない{1}、またはすでに一致
-Project Costing,倉庫は、注文書にありません
-Project Details,無視された:
-Project Manager,価格/割引
+Production Planning Tool,生産計画ツール
+Products,商品
+"Products will be sorted by weight-age in default searches. More the weight-age, higher the product will appear in the list.",製品には、デフォルトの検索で体重、年齢でソートされます。体重、年齢、より高い製品がリストに表示されます。
+Professional Tax,プロフェッショナルタックス
+Profit and Loss,損益
+Profit and Loss Statement,損益計算書
+Project,プロジェクトについて
+Project Costing,プロジェクト原価計算
+Project Details,プロジェクトの詳細
+Project Manager,プロジェクトマネージャ
 Project Milestone,プロジェクトマイルストーン
-Project Milestones,再注文購入
-Project Name,発行残高を償却
-Project Start Date,ロストとして設定
-Project Type,{0}商品に対して有効なバッチ番号ではありません{1}
-Project Value,10を読んで
+Project Milestones,プロジェクトのマイルストーン
+Project Name,プロジェクト名
+Project Start Date,プロジェクト開始日
+Project Type,プロジェクト・タイプ
+Project Value,プロジェクトの価値
 Project activity / task.,プロジェクト活動/タスク。
 Project master.,プロジェクトのマスター。
-Project will get saved and will be searchable with project name given,デフォルトのサプライヤタイプ
-Project wise Stock Tracking,新しいアカウント名
+Project will get saved and will be searchable with project name given,プロジェクトが保存されてしまいますし、特定のプロジェクト名で検索可能になります
+Project wise Stock Tracking,プロジェクトごとの株価の追跡
 Project-wise data is not available for Quotation,プロジェクトごとのデータは、引用符は使用できません
-Projected,下請け
-Projected Qty,シリアルNOは{0}はすでに受信されている
-Projects,給与スリップ控除
-Projects & System,チェックしたトランザクションのいずれかが「提出」された場合、電子メールポップアップが自動的に添付ファイルとしてトランザクションと、そのトランザクションに関連する「お問い合わせ」にメールを送信するためにオープンしました。ユーザーは、または電子メールを送信しない場合があります。
-Prompt for Email on Submission of,経費請求の詳細
-Proposal Writing,この税金は基本料金に含まれています?
-Provide email id registered in company,デフォルトの購入価格表
+Projected,投影された
+Projected Qty,投影数量
+Projects,プロジェクト
+Projects & System,プロジェクト&システム
+Prompt for Email on Submission of,の提出上の電子メールのプロンプト
+Proposal Writing,提案の作成
+Provide email id registered in company,同社に登録された電子メールIDを提供
+Provisional Profit / Loss (Credit),暫定利益/損失(クレジット)
 Public,一般公開
-Published on website at: {0},行はありません{0}で必要項目コード
-Publishing,既存のトランザクションを持つアカウントは、元帳に変換することはできません
+Published on website at: {0},のウェブサイト上で公開:{0}
+Publishing,公開
 Pull sales orders (pending to deliver) based on the above criteria,上記の基準に基づいて(提供するために保留中の)受注を引く
-Purchase,価格リスト
-Purchase / Manufacture Details,によって検査
-Purchase Analytics,前の行の合計に
-Purchase Common,損益
+Purchase,購入する
+Purchase / Manufacture Details,購入/製造の詳細
+Purchase Analytics,購入の解析
+Purchase Common,共通の購入
 Purchase Details,購入の詳細
-Purchase Discounts,行の数量{0}({1})で製造量{2}と同じでなければなりません
-Purchase Invoice,通信ログ。
-Purchase Invoice Advance,上で選択した基準について、すべての給与伝票を提出
-Purchase Invoice Advances,輸入出席
-Purchase Invoice Item,営業担当
-Purchase Invoice Trends,給与スリップを発生させる
-Purchase Invoice {0} is already submitted,設備や機械
-Purchase Order,アカウント{0}が非アクティブである
-Purchase Order Date,販売パートナー
-Purchase Order Item,付属の原材料
-Purchase Order Item No,{0}負にすることはできません
-Purchase Order Item Supplied,ユーザー{0}無効になっています
-Purchase Order Items,課題の詳細
-Purchase Order Items Supplied,パッケージには、この配信の一部であることを示し(のみ案)
+Purchase Discounts,割引を購入
+Purchase Invoice,仕入送り状
+Purchase Invoice Advance,購入インボイスアドバンス
+Purchase Invoice Advances,購入の請求書進歩
+Purchase Invoice Item,購入の請求書項目
+Purchase Invoice Trends,請求書の動向を購入
+Purchase Invoice {0} is already submitted,購入請求書{0}はすでに提出されている
+Purchase Order,注文書番号
+Purchase Order Item,注文書アイテム
+Purchase Order Item No,発注書の項目はありません
+Purchase Order Item Supplied,注文書アイテム付属
+Purchase Order Items,注文書アイテム
+Purchase Order Items Supplied,付属の注文書アイテム
 Purchase Order Items To Be Billed,課金対象とされ、注文書項目
-Purchase Order Items To Be Received,準備金および剰余金
-Purchase Order Message,"もし、ごhref=""#Sales Browser/Territory"">追加/編集"
-Purchase Order Required,サプライヤの指定することで
-Purchase Order Trends,銀行口座を選択してください
-Purchase Order number required for Item {0},チェックされていない場合、リストはそれが適用されなければならないそれぞれのカテゴリーに添加されなければならない。
-Purchase Order {0} is 'Stopped',税金や料金を検討
+Purchase Order Items To Be Received,受信可能にするためのアイテムを購入する
+Purchase Order Message,発注書のメッセージ
+Purchase Order Required,受注に必要な購入
+Purchase Order Trends,受注動向を購入
+Purchase Order number required for Item {0},アイテム{0}に必要な発注数
+Purchase Order {0} is 'Stopped',{0} '停止'されて購入する
 Purchase Order {0} is not submitted,注文書{0}送信されません
-Purchase Orders given to Suppliers.,ステータス
-Purchase Receipt,デザイナー
-Purchase Receipt Item,改ページ
-Purchase Receipt Item Supplied,製品には、デフォルトの検索で体重、年齢でソートされます。体重、年齢、より高い製品がリ​​ストに表示されます。
-Purchase Receipt Item Supplieds,プロジェクトについて
-Purchase Receipt Items,KG
-Purchase Receipt Message,サーバー側の印刷形式の場合
-Purchase Receipt No,新聞出版
-Purchase Receipt Required,優先度
-Purchase Receipt Trends,カスタム自動返信メッセージ
-Purchase Receipt number required for Item {0},メインレポート
-Purchase Receipt {0} is not submitted,販売パートナー名
-Purchase Register,出口インタビューの詳細
-Purchase Return,ウェブサイト上の複数のグループでこのアイテムを一覧表示します。
-Purchase Returned,Maintaince詳細最初を入力してください
-Purchase Taxes and Charges,オープンチケット
+Purchase Orders given to Suppliers.,サプライヤーに与えられた受注を購入します。
+Purchase Receipt,購入時の領収書
+Purchase Receipt Item,購入時の領収書項目
+Purchase Receipt Item Supplied,購入時の領収書アイテム付属
+Purchase Receipt Item Supplieds,購入時の領収書の項目Supplieds
+Purchase Receipt Items,購入時の領収書項目
+Purchase Receipt Message,購入時の領収書のメッセージ
+Purchase Receipt No,購入時の領収書はありません
+Purchase Receipt Required,購入時の領収書が必要な
+Purchase Receipt Trends,購入時の領収書の動向
+Purchase Receipt number required for Item {0},アイテム{0}に必要な購入時の領収書番号
+Purchase Receipt {0} is not submitted,購入時の領収書{0}送信されません
+Purchase Register,登録を購入
+Purchase Return,購入のリターン
+Purchase Returned,購入返さ
+Purchase Taxes and Charges,税および充満を購入
 Purchase Taxes and Charges Master,購入の税金、料金マスター
 Purchse Order number required for Item {0},アイテム{0}に必要なPurchse注文番号
-Purpose,設定なし
-Purpose must be one of {0},'を生成スケジュール」をクリックしてください
+Purpose,目的
+Purpose must be one of {0},目的は、{0}のいずれかである必要があります
 QA Inspection,QA検査
-Qty,と共有する
-Qty Consumed Per Unit,納品書アイテム
-Qty To Manufacture,証券·商品取引所
-Qty as per Stock UOM,「これまでの 'が必要です
-Qty to Deliver,発注書のメッセージ
-Qty to Order,アセット
-Qty to Receive,半年ごとの
-Qty to Transfer,バックアップ·ライト·ナウ
-Qualification,最初の行のために「前の行量オン」または「前の行トータル」などの電荷の種類を選択することはできません
-Quality,情報の要求
-Quality Inspection,すべての株式の動きの会計処理のエントリを作成
+Qty,数量
+Qty Consumed Per Unit,購入単位あたりに消費
+Qty To Manufacture,製造するの数量
+Qty as per Stock UOM,証券UOMに従って数量
+Qty to Deliver,お届けする数量
+Qty to Order,数量は受注
+Qty to Receive,受信する数量
+Qty to Transfer,転送する数量
+Qualification,資格
+Quality,品質
+Quality Inspection,品質検査
 Quality Inspection Parameters,品質検査パラメータ
-Quality Inspection Reading,間違ったテンプレート:ヘッド列が見つかりません。
-Quality Inspection Readings,経費請求の種類。
-Quality Inspection required for Item {0},上記の基準の給与伝票を作成します。
-Quality Management,会社に適用されます
-Quantity,このアイテムの測定単位(例えばキロ、ユニット、いや、ペア)。
+Quality Inspection Reading,品質検査読書
+Quality Inspection Readings,品質検査読み
+Quality Inspection required for Item {0},アイテム{0}に必要な品質検査
+Quality Management,品質管理
+Quantity,数量
 Quantity Requested for Purchase,購入のために発注
 Quantity and Rate,数量とレート
-Quantity and Warehouse,ログの名前を変更
-Quantity cannot be a fraction in row {0},マイルストーン日付
-Quantity for Item {0} must be less than {1},完了日
-Quantity in row {0} ({1}) must be same as manufactured quantity {2},納品書アドバンス
+Quantity and Warehouse,数量や倉庫
+Quantity cannot be a fraction in row {0},数量行の割合にすることはできません{0}
+Quantity for Item {0} must be less than {1},数量のため{0}より小さくなければなりません{1}
+Quantity in row {0} ({1}) must be same as manufactured quantity {2},行の数量{0}({1})で製造量{2}と同じでなければなりません
 Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,原材料の与えられた量から再梱包/製造後に得られたアイテムの数量
-Quantity required for Item {0} in row {1},経費勘定
-Quarter,共通の購入
-Quarterly,パーティーの種類
-Quick Help,販売
-Quotation,営業税および充満マスター
-Quotation Date,アドレスタイトルは必須です。
+Quantity required for Item {0} in row {1},行のアイテム{0}のために必要な量{1}
+Quarter,四半期
+Quarterly,4半期ごと
+Quick Help,簡潔なヘルプ
+Quotation,見積
 Quotation Item,見積明細
 Quotation Items,引用アイテム
-Quotation Lost Reason,サブアセンブリ
+Quotation Lost Reason,引用ロスト理由
 Quotation Message,引用メッセージ
-Quotation To,オーバーヘッド
-Quotation Trends,販売BOM明細
-Quotation {0} is cancelled,映画&ビデオ
-Quotation {0} not of type {1},栓を抜く
-Quotations received from Suppliers.,渡すの年
-Quotes to Leads or Customers.,正味賃金は負にすることはできません
+Quotation To,引用へ
+Quotation Trends,引用動向
+Quotation {0} is cancelled,引用{0}キャンセルされる
+Quotation {0} not of type {1},{0}ではないタイプの引用符{1}
+Quotations received from Suppliers.,引用文は、サプライヤーから受け取った。
+Quotes to Leads or Customers.,リードや顧客に引用している。
 Raise Material Request when stock reaches re-order level,在庫が再注文レベルに達したときに素材要求を上げる
-Raised By,ない
-Raised By (Email),プライマリアドレスを確認してください
-Random,デビットアマウント
+Raised By,が提起した
+Raised By (Email),(電子メール)が提起した
+Random,ランダム(Random)
 Range,射程
-Rate,債権/債務
+Rate,評価する
 Rate ,
-Rate (%),ようこそ
-Rate (Company Currency),承認
+Rate (%),率(%)
+Rate (Company Currency),レート(会社通貨)
 Rate Of Materials Based On,材料ベースでの割合
-Rate and Amount,放送
-Rate at which Customer Currency is converted to customer's base currency,SO日付
+Rate and Amount,率と量
+Rate at which Customer Currency is converted to customer's base currency,顧客通貨が顧客の基本通貨に換算される速度
 Rate at which Price list currency is converted to company's base currency,価格表の通貨は、会社の基本通貨に換算される速度
-Rate at which Price list currency is converted to customer's base currency,収入のご予約
-Rate at which customer's currency is converted to company's base currency,Googleのドライブ
-Rate at which supplier's currency is converted to company's base currency,お名前(姓)
-Rate at which this tax is applied,テンプレートを取得
-Raw Material,止めて!
-Raw Material Item Code,{0}は必須です。多分両替レコードは{1} {2}へのために作成されていません。
-Raw Materials Supplied,申し訳ありませんが、シリアル番号をマージすることはできません
-Raw Materials Supplied Cost,材料の要求{0}を作成
+Rate at which Price list currency is converted to customer's base currency,価格表の通貨は、顧客の基本通貨に換算される速度
+Rate at which customer's currency is converted to company's base currency,お客様の通貨は、会社の基本通貨に換算される速度
+Rate at which supplier's currency is converted to company's base currency,サプライヤの通貨は、会社の基本通貨に換算される速度
+Rate at which this tax is applied,この税金が適用されるレート
+Raw Material,原料
+Raw Material Item Code,原料商品コード
+Raw Materials Supplied,付属の原材料
+Raw Materials Supplied Cost,原材料供給コスト
 Raw material cannot be same as main Item,原料は、メインアイテムと同じにすることはできません
 Re-Order Level,再注文レベル
-Re-Order Qty,給料スリップ
+Re-Order Qty,再注文購入
 Re-order,リオーダー
-Re-order Level,プロジェクト・タイプ
-Re-order Qty,ジャーナルバウチャーに対して{0}は、比類のない{1}のエントリがありません
-Read,支払い
-Reading 1,6を読んだ
-Reading 10,発注書の項目はありません
-Reading 2,3を読んで
-Reading 3,1を読んだ
-Reading 4,5を読んで
-Reading 5,「に基づく」と「グループ化」は同じにすることはできません
-Reading 6,7を読んで
-Reading 7,4を読んで
-Reading 8,9を読んで
-Reading 9,給与伝票を提出
-Real Estate,行{0}:アカウントはアカウントに\ \ N納品書デビットと一致していません
+Re-order Level,再注文レベル
+Re-order Qty,再注文購入
+Read,読む
+Reading 1,1を読んだ
+Reading 10,10を読んで
+Reading 2,2を読んだ
+Reading 3,3を読んで
+Reading 4,4を読んで
+Reading 5,5を読んで
+Reading 6,6を読んだ
+Reading 7,7を読んで
+Reading 8,8を読んだ
+Reading 9,9を読んで
+Real Estate,不動産
 Reason,理由
 Reason for Leaving,残すための理由
-Reason for Resignation,'日から'日には 'の後でなければなりません
-Reason for losing,から改正
-Recd Quantity,サプライヤ見積をする
-Receivable,あなたがインベントリにこのアイテムのストックを維持する場合は、「はい」を選択します。
-Receivable / Payable account will be identified based on the field Master Type,検査タイプ
-Receivables,問い合わせ内容
-Receivables / Payables,地域の木を管理します。
-Receivables Group,まずユーザー:あなた
-Received Date,販売後のインストールや試運転に関連する作業を追跡するために、
-Received Items To Be Billed,「銀行券」としてマークされて仕訳の逃げ日を更新
-Received Qty,あなたのメールボックスからメールをプルするために、これをチェックする
-Received and Accepted,負担額通知書
-Receiver List,学校/大学
-Receiver List is empty. Please create Receiver List,テリトリーマネージャー
-Receiver Parameter,メッセージが更新
-Recipients,親コストセンターを入力してください
-Reconcile,最初の会社名を選択します。
-Reconciliation Data,半日
+Reason for Resignation,辞任の理由
+Reason for losing,負けた理由
+Recd Quantity,RECD数量
+Receivable,債権
+Receivable / Payable account will be identified based on the field Master Type,売掛金/買掛金勘定は、フィールドマスタタイプに基づいて識別されます
+Receivables,債権
+Receivables / Payables,債権/債務
+Receivables Group,債権グループ
+Received Date,受信日
+Received Items To Be Billed,課金対象とされて届いた商品
+Received Qty,数量を受け取った
+Received and Accepted,受け入れられまし
+Receiver List,レシーバー·リスト
+Receiver List is empty. Please create Receiver List,レシーバリストは空です。レシーバー·リストを作成してください
+Receiver Parameter,受信機のパラメータ
+Recipients,受信者
+Reconcile,調和させる
+Reconciliation Data,和解データ
 Reconciliation HTML,和解のHTML
-Reconciliation JSON,通貨に
-Record item movement.,メールが引っ張られるのであれば必要なホスト、メールとパスワード
+Reconciliation JSON,和解のJSON
+Record item movement.,レコード項目の移動。
 Recurring Id,経常イド
-Recurring Invoice,POSのエントリを作成するために必要なPOSの設定
-Recurring Type,通話
-Reduce Deduction for Leave Without Pay (LWP),会社を入力してください
-Reduce Earning for Leave Without Pay (LWP),*トランザクションで計算されます。
-Ref,あなたが受注を保存するとすれば見えるようになります。
-Ref Code,あなたが品質検査に従ってください。いいえ、購入時の領収書の項目のQA必須およびQAを可能にしていません
-Ref SQ,転送された葉を運ぶ
-Reference,調和させる
-Reference #{0} dated {1},休暇申請は承認されました。
-Reference Date,整数でなければなりません
-Reference Name,{0} {1}ステータスが「停止」されている
-Reference No & Reference Date is required for {0},この問題を割り当てるには、サイドバーの「割り当て」ボタンを使用します。
-Reference No is mandatory if you entered Reference Date,モダン
-Reference Number,サプライヤのデータベース。
-Reference Row #,評価と総合
-Refresh,付属の注文書アイテム
-Registration Details,ベース上での計算
-Registration Info,すでにデビットでの口座残高、あなたは次のように「クレジット」のバランスでなければなりません 'を設定することはできません
-Rejected,によって解決
-Rejected Quantity,POはありません
-Rejected Serial No,割合の割り当ては100パーセントに等しくなければならない
-Rejected Warehouse,別の会社の下でアカウントヘッドを作成するには、会社を選択して、顧客を保存します。
-Rejected Warehouse is mandatory against regected item,あなたがSTOPしてもよろしいですか
-Relation,アカウントの種類を設定すると、トランザクションで、このアカウントを選択するのに役立ちます。
-Relieving Date,最後の購入料金を得る
+Recurring Invoice,定期的な請求書
+Recurring Type,定期的なタイプ
+Reduce Deduction for Leave Without Pay (LWP),無給休暇のため控除を減らす(LWP)
+Reduce Earning for Leave Without Pay (LWP),無給休暇獲得削減(LWP)
+Ref,#
+Ref Code,REFコード
+Ref SQ,REF SQ
+Reference,リファレンス
+Reference #{0} dated {1},リファレンス#{0} {1}日付け
+Reference Date,基準日
+Reference Name,参照名
+Reference No & Reference Date is required for {0},リファレンスノー·基準日は、{0}に必要です
+Reference No is mandatory if you entered Reference Date,あなたは基準日を入力した場合の基準はありませんが必須です
+Reference Number,参照番号
+Reference Row #,参照行番号
+Refresh,リフレッシュ
+Registration Details,登録の詳細
+Registration Info,登録情報
+Rejected,拒否
+Rejected Quantity,拒否された数量
+Rejected Serial No,拒否されたシリアル番号
+Rejected Warehouse,拒否された倉庫
+Rejected Warehouse is mandatory against regected item,拒否された倉庫はregected項目に対して必須です
+Relation,リレーション
+Relieving Date,日付を緩和
 Relieving Date must be greater than Date of Joining,日付を緩和することは参加の日付より大きくなければなりません
-Remark,合計はゼロにすることはできません
-Remarks,アイテムは、{0}サービス項目でなければなりません。
-Rename,削除
-Rename Log,[日]より古い株式を凍結する
-Rename Tool,健康への懸念
-Rent Cost,直列化されたアイテムのシリアル番号が必要です{0}
-Rent per hour,外部
-Rented,農業
+Remark,発言
+Remarks,注釈
+Remarks Custom,備考カスタム
+Rename,名前を変更
+Rename Log,ログの名前を変更
+Rename Tool,ツールの名前を変更
+Rent Cost,家賃コスト
+Rent per hour,毎時借りる
+Rented,賃貸
 Repeat on Day of Month,月の日を繰り返し
 Replace,上書き
 Replace Item / BOM in all BOMs,すべてのBOMでアイテム/部品表を交換してください
-Replied,直接の利益
-Report Date,売上高のアイテムを追跡し、バッチ番号検索優先産業との文書を購入するには化学薬品など
-Report Type,BOMは{0}商品{1}の行に{2}が提出され、非アクティブであるかどう
+Replied,答え
+Report Date,報告日
+Report Type,レポート タイプ
 Report Type is mandatory,レポートタイプは必須です
-Reports to,物品税ページ番号
+Reports to,レポートへ
 Reqd By Date,日数でREQD
-Request Type,数量
-Request for Information,仕様の詳細
-Request for purchase.,現金または銀行口座は、支払いのエントリを作成するための必須です
+Reqd by Date,日付によるREQD
+Request Type,問い合わせ内容
+Request for Information,情報の要求
+Request for purchase.,購入のために要求します。
 Requested,リクエスト済み
-Requested For,名前を変更するドキュメントのタイプ。
-Requested Items To Be Ordered,営業担当者ごとの取引概要
-Requested Items To Be Transferred,グローバルPOSの設定{0}はすでに用に作成した会社{1}
-Requested Qty,交換後の部品表
-"Requested Qty: Quantity requested for purchase, but not ordered.",キャンセルされる
-Requests for items.,毎時借りる
-Required By,請求先住所の名前
+Requested For,のために要求
+Requested Items To Be Ordered,発注する要求されたアイテム
+Requested Items To Be Transferred,転送される要求されたアイテム
+Requested Qty,要求された数量
+"Requested Qty: Quantity requested for purchase, but not ordered.",要求された数量:数量を注文購入のために要求されますが、ではない。
+Requests for items.,項目の要求。
+Required By,が必要とする
 Required Date,必要な日付
-Required Qty,マーケティング
-Required only for sample item.,あなたの参照のための会社の登録番号。例:付加価値税登録番号など
-Required raw materials issued to the supplier for producing a sub - contracted item.,人事でのシステムの命名してください、セットアップ社員>人事設定
-Research,定期的な請求書
-Research & Development,注釈
-Researcher,顧客やサプライヤアカウント見つからないん
-Reseller,セットアップシリーズ
+Required Qty,必要な数量
+Required only for sample item.,唯一のサンプルアイテムに必要です。
+Required raw materials issued to the supplier for producing a sub - contracted item.,契約したアイテム - サブを製造するための供給者に発行され、必要な原材料。
+Research,学術研究
+Research & Development,研究開発
+Researcher,研究者
+Reseller,再販業者
 Reserved,予約済
 Reserved Qty,予約された数量
 "Reserved Qty: Quantity ordered for sale, but not delivered.",予約された数量:数量販売のために注文したが、配信されません。
-Reserved Quantity,費用又は差異勘定は影響としてアイテム{0}全体の株式価値は必須です
-Reserved Warehouse,SMSセンター
+Reserved Quantity,予約済み数量
+Reserved Warehouse,予約済み倉庫
 Reserved Warehouse in Sales Order / Finished Goods Warehouse,受注/完成品倉庫内に確保倉庫
-Reserved Warehouse is missing in Sales Order,通貨、変換レート、輸出の合計、輸出総計などのようなすべての輸出関連分野は、納品書、POS、見積書、納品書、受注などでご利用いただけます
+Reserved Warehouse is missing in Sales Order,予約済みの倉庫は、受注にありません
 Reserved Warehouse required for stock Item {0} in row {1},ストックアイテムのために予約された必要な倉庫{0}行{1}
 Reserved warehouse required for stock item {0},在庫品目{0}のために予約された必要な倉庫
-Reserves and Surplus,Dropboxのアクセス許可
+Reserves and Surplus,準備金および剰余金
 Reset Filters,検索条件をリセット
 Resignation Letter Date,辞表日
-Resolution,親ディテールDOCNAME
+Resolution,解像度(Resolution)
 Resolution Date,決議日
-Resolution Details,二つ以上の価格設定ルールは、上記の条件に基づいて発見された場合、優先順位が適用される。デフォルト値はゼロ(空白)の間の優先順位は0から20までの数値である。数値が高いほど、同じ条件で複数の価格設定ルールが存在する場合、それが優先されることを意味します。
-Resolved By,冷凍点で最大を占める
-Rest Of The World,商用版
-Retail,どのように価格設定ルールが適用されている?
-Retail & Wholesale,経費請求を承認メッセージ
-Retailer,"パッケージを表す項目。この項目は「はい」と「いいえ」のような「ストックアイテムです」と「販売項目である ""持っている必要があります"
+Resolution Details,解像度の詳細
+Resolved By,によって解決
+Rest Of The World,世界のその他の地域
+Retail,小売
+Retail & Wholesale,小売&卸売業
+Retailer,小売店
 Review Date,レビュー日
-Rgt,着信品質検査。
-Role Allowed to edit frozen stock,シェア
-Role that is allowed to submit transactions that exceed credit limits set.,部門
+Rgt,RGT
+Role Allowed to edit frozen stock,役割は、凍結ストックの編集を許可
+Role that is allowed to submit transactions that exceed credit limits set.,設定与信限度額を超えた取引を提出し許可されているロール。
 Root Type,ルート型
-Root Type is mandatory,目次
-Root account can not be deleted,終了日は開始日より小さくすることはできません
-Root cannot be edited.,タイトル
-Root cannot have a parent cost center,お誕生日おめでとう!
+Root Type is mandatory,ルート型は必須です
+Root account can not be deleted,rootアカウントを削除することはできません
+Root cannot be edited.,ルートを編集することはできません。
+Root cannot have a parent cost center,ルートは、親コストセンターを持つことはできません
 Rounded Off,四捨五入
-Rounded Total,{0} {1}が変更されている。更新してください。
-Rounded Total (Company Currency),項目に指定された無効な量{0}。数量が0よりも大きくなければなりません。
+Rounded Total,丸みを帯びた合計
+Rounded Total (Company Currency),丸みを帯びた合計(会社通貨)
 Row # ,
 Row # {0}: ,
-Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,項目の費用が引き落とされますれるデフォルトの仕入勘定。
-Row #{0}: Please specify Serial No for Item {1},クリアランス日付言及していない
+Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,行番号{0}:順序付き数量(品目マスタで定義された)項目の最小発注数量を下回ることはできません。
+Row #{0}: Please specify Serial No for Item {1},行番号は{0}:アイテムのシリアル番号を指定してください{1}
 "Row {0}: Account does not match with \
-						Purchase Invoice Credit To account",あなたは納品書を提出する際に証券勘定元帳のエントリを作成します。
+						Purchase Invoice Credit To account","行{0}:\
+購入請求書のクレジット口座へのアカウントと一致していません"
 "Row {0}: Account does not match with \
-						Sales Invoice Debit To account",デフォルト株式UOM
-Row {0}: Credit entry can not be linked with a Purchase Invoice,購買アイテムです
-Row {0}: Debit entry can not be linked with a Sales Invoice,会社
-Row {0}: Qty is mandatory,アクティブにするためにチェックする
+						Sales Invoice Debit To account","行{0}:\
+納品書デビット口座へのアカウントと一致していません"
+Row {0}: Conversion Factor is mandatory,行{0}:換算係数は必須です
+Row {0}: Credit entry can not be linked with a Purchase Invoice,行{0}:クレジットエントリは、購入の請求書にリンクすることはできません
+Row {0}: Debit entry can not be linked with a Sales Invoice,行{0}:デビットエントリは、納品書とリンクすることはできません
+Row {0}: Payment amount must be less than or equals to invoice outstanding amount. Please refer Note below.,行{0}:支払額は以下残高を請求するに等しいでなければなりません。以下の注意をご参照ください。
+Row {0}: Qty is mandatory,行{0}:数量は必須です
 "Row {0}: Qty not avalable in warehouse {1} on {2} {3}.
-					Available Qty: {4}, Transfer Qty: {5}",プロジェクトが保存されてしまいますし、特定のプロジェクト名で検索可能になります
+					Available Qty: {4}, Transfer Qty: {5}","行{0}:数量は倉庫にavalable {1}にない{2} {3}。
+利用可能な数量:{4}、数量を転送:{5}"
 "Row {0}: To set {1} periodicity, difference between from and to date \
-						must be greater than or equal to {2}",取引日
+						must be greater than or equal to {2}","行{0}:設定するには、{1}周期性から現在までの違い\
+以上と等しくなければならない{2}"
 Row {0}:Start Date must be before End Date,行{0}:開始日は終了日より前でなければなりません
-Rules for adding shipping costs.,Weightage(%)
+Rules for adding shipping costs.,郵送料を追加するためのルール。
 Rules for applying pricing and discount.,価格設定と割引を適用するためのルール。
 Rules to calculate shipping amount for a sale,販売のために出荷量を計算するためのルール
-S.O. No.,{0} '停止'されて購入する
-SMS Center,保証有効期限
-SMS Gateway URL,注文タイプ{0}のいずれかである必要があります
-SMS Log,消費された数量
-SMS Parameter,品質検査読み
-SMS Sender Name,あなたは量に対してよりを受信または提供するために許可されている割合が注文しました。次に例を示します。100台を注文した場合。とあなたの手当は、あなたが110台の受信を許可された後、10%であった。
-SMS Settings,アクティブである
-SO Date,マイルストーンは、カレンダーにイベントとして追加されます
-SO Pending Qty,すべてのサプライヤーの種類
-SO Qty,送信者名
+S.O. No.,SO号
+SHE Cess on Excise,彼女は消費税にCESS
+SHE Cess on Service Tax,彼女はサービス税でCESS
+SHE Cess on TDS,彼女はTDSにCESS
+SMS Center,SMSセンター
+SMS Gateway URL,SMSゲートウェイのURL
+SMS Log,SMSログ
+SMS Parameter,SMSのパラメータ
+SMS Sender Name,SMSの送信者名
+SMS Settings,SMSの設定
+SO Date,SO日付
+SO Pending Qty,SO保留数量
+SO Qty,SO数量
 Salary,給与
-Salary Information,パスワード
+Salary Information,給与情報
 Salary Manager,給与マネージャー
-Salary Mode,防衛
-Salary Slip,時間あたりの電気代
-Salary Slip Deduction,休日はこの部門のためにブロックされている日。
-Salary Slip Earning,好まれた出荷住所
+Salary Mode,給与モード
+Salary Slip,給料スリップ
+Salary Slip Deduction,給与スリップ控除
+Salary Slip Earning,給与スリップご獲得
 Salary Slip of employee {0} already created for this month,従業員の給与スリップは{0}はすでに今月の作成
-Salary Structure,任意のプロジェクトに対して、この受注を追跡
-Salary Structure Deduction,製造指図
-Salary Structure Earning,説明
-Salary Structure Earnings,許可されていません。
-Salary breakup based on Earning and Deduction.,グロスマージン値
-Salary components.,収益
-Salary template master.,発注日
-Sales,言葉(会社通貨)での
-Sales Analytics,{0}商品に必要なシリアル番号{0}。唯一の{0}提供。
-Sales BOM,その他の詳細
-Sales BOM Help,あなたが引用を保存するとすれば見えるようになります。
-Sales BOM Item,無給休暇のため控除を減らす(LWP)
-Sales BOM Items,もし(印刷用)、同じタイプの複数のパッケージ
-Sales Browser,未払いの請求を取得
+Salary Structure,給与構造
+Salary Structure Deduction,給与体系控除
+Salary Structure Earning,給与体系のご獲得
+Salary Structure Earnings,給与体系の利益
+Salary breakup based on Earning and Deduction.,ご獲得および控除に基づいて給与崩壊。
+Salary components.,給与コンポーネント。
+Salary template master.,給与テンプレートマスター。
+Sales,セールス
+Sales Analytics,販売分析
+Sales BOM,販売BOM
+Sales BOM Help,販売BOMのヘルプ
+Sales BOM Item,販売BOM明細
+Sales BOM Items,販売BOM明細
+Sales Browser,セールスブラウザ
 Sales Details,売上明細
-Sales Discounts,退職日
-Sales Email Settings,すべての営業担当者
-Sales Expenses,さらにアカウントがグループの下で行うことができますが、エントリは総勘定に対して行うことができます
-Sales Extras,投稿時間
-Sales Funnel,サプライヤー型番が与えられたアイテムのために存在している場合は、ここに格納される
-Sales Invoice,生産
-Sales Invoice Advance,有効にすると、システムは自動的にインベントリのアカウンティングエントリを掲載する予定です。
-Sales Invoice Item,ターゲットの詳細
+Sales Discounts,売上割引
+Sales Email Settings,販売メール設定
+Sales Expenses,販売費
+Sales Extras,販売エクストラ
+Sales Funnel,セールスファンネル
+Sales Invoice,売上送り状
+Sales Invoice Advance,納品書アドバンス
+Sales Invoice Item,売上請求書項目
 Sales Invoice Items,販売請求書明細
-Sales Invoice Message,給与体系のご獲得
-Sales Invoice No,合計金額
-Sales Invoice Trends,見積を登録
-Sales Invoice {0} has already been submitted,編集するものは何もありません。
-Sales Invoice {0} must be cancelled before cancelling this Sales Order,誕生日リマインダを停止
-Sales Order,給与総額+滞納額+現金化金額 - 合計控除
-Sales Order Date,病気休暇
+Sales Invoice Message,売上請求書メッセージ
+Sales Invoice No,売上請求書はありません
+Sales Invoice Trends,納品書の動向
+Sales Invoice {0} has already been submitted,売上請求書{0}はすでに送信されました
+Sales Invoice {0} must be cancelled before cancelling this Sales Order,売上高は、請求書{0}、この受注をキャンセルする前にキャンセルしなければならない
+Sales Order,受注
+Sales Order Date,受注日
 Sales Order Item,受注明細
 Sales Order Items,受注アイテム
-Sales Order Message,ケース番号は0にすることはできません
-Sales Order No,すべての従業員のタイプのために考慮した場合は空白のままにし
+Sales Order Message,販売オーダーメッセージ
+Sales Order No,販売注文番号
 Sales Order Required,受注必須
-Sales Order Trends,すべての項目は、すでに請求されています
-Sales Order required for Item {0},販売時点情報管理の設定
-Sales Order {0} is not submitted,作成ドキュメントNo
-Sales Order {0} is not valid,無効なマスターネーム
-Sales Order {0} is stopped,名前を変更
-Sales Partner,「はい」を選択すると、原料と、このアイテムを製造するために発生した運用コストを示す部品表を作成することができます。
-Sales Partner Name,経費請求タイプ
-Sales Partner Target,活動の型
-Sales Partners Commission,状態は{0}のいずれかである必要があります
-Sales Person,ドメイン
-Sales Person Name,進歩は報酬を得る
+Sales Order Trends,受注動向
+Sales Order required for Item {0},アイテム{0}に必要な販売注文
+Sales Order {0} is not submitted,受注{0}送信されません
+Sales Order {0} is not valid,受注{0}は有効ではありません
+Sales Order {0} is stopped,受注は{0}を停止する
+Sales Partner,販売パートナー
+Sales Partner Name,販売パートナー名
+Sales Partner Target,販売パートナー目標
+Sales Partners Commission,販売パートナー委員会
+Sales Person,営業担当
+Sales Person Name,営業担当者名
 Sales Person Target Variance Item Group-Wise,営業担当者ターゲット分散項目のグループごとの
 Sales Person Targets,営業担当者の目標
-Sales Person-wise Transaction Summary,これは、ルートの販売員であり、編集できません。
-Sales Register,項目税
-Sales Return,カテゴリーは「評価」や「評価と合計 'のときに控除することができません
+Sales Person-wise Transaction Summary,営業担当者ごとの取引概要
+Sales Register,販売登録
+Sales Return,販売に戻る
 Sales Returned,売上高は返さ
-Sales Taxes and Charges,すべての鉛(オープン)
-Sales Taxes and Charges Master,金額を償却<=
-Sales Team,シリアルNO {0}を作成
-Sales Team Details,カスタマー
-Sales Team1,Prevdoc文書型
+Sales Taxes and Charges,営業税および充満
+Sales Taxes and Charges Master,営業税および充満マスター
+Sales Team,営業チーム
+Sales Team Details,セールスチームの詳細
+Sales Team1,販売チーム1
 Sales and Purchase,売買
-Sales campaigns.,日への出席
-Salutation,数量または評価レートのどちらかに変化がない場合は、セルを空白のままにします。
-Sample Size,パーセンテージの割り当て
-Sanctioned Amount,最大5文字
+Sales campaigns.,販売キャンペーン。
+Salutation,挨拶
+Sample Size,サンプルサイズ
+Sanctioned Amount,認可額
 Saturday,土曜日 (午前中のみ)
 Schedule,スケジュール・
-Schedule Date,品目グループのツリー。
-Schedule Details,生産計画ツール
-Scheduled,送料ルール条件
-Scheduled Date,デフォルトの所得収支
-Scheduled to send to {0},ターゲット数量や目標量のいずれかが必須です
-Scheduled to send to {0} recipients,メイン連絡先です
-Scheduler Failed Events,目的は、{0}のいずれかである必要があります
-School/University,新しい休業申出
-Score (0-5),購買&販売
-Score Earned,フィールド値「月の日にリピート」を入力してください
-Score must be less than or equal to 5,マーケティング費用
-Scrap %,この素材のリクエストに対して命じた材料の%
-Seasonality for setting budgets.,追加された税金、料金(会社通貨)
-Secretary,航空会社
+Schedule Date,配達希望日
+Schedule Details,スケジュールの詳細
+Scheduled,スケジュール設定済み
+Scheduled Date,スケジュール日付
+Scheduled to send to {0},{0}に送信するようにスケジュール
+Scheduled to send to {0} recipients,{0}の受信者に送信するようにスケジュール
+Scheduler Failed Events,スケジューラ失敗したイベント
+School/University,学校/大学
+Score (0-5),スコア(0-5)
+Score Earned,得点獲得
+Score must be less than or equal to 5,スコアが5以下である必要があります
+Scrap %,スクラップ%
+Seasonality for setting budgets.,予算を設定するための季節。
+Secretary,秘書
 Secured Loans,担保ローン
-Securities & Commodity Exchanges,POP3メールサーバー(例:pop.gmail.com)
-Securities and Deposits,受信機NOSのURLパラメータを入力してください
+Securities & Commodity Exchanges,証券·商品取引所
+Securities and Deposits,有価証券及び預金
 "See ""Rate Of Materials Based On"" in Costing Section",セクション原価計算の「に基づいて材料の比率」を参照してください。
-"Select ""Yes"" for sub - contracting items",このリストに送る
-"Select ""Yes"" if this item is used for some internal purpose in your company.",保守スケジュールを生成する前に、ドキュメントを保存してください
-"Select ""Yes"" if this item represents some work like training, designing, consulting etc.",エントリー
-"Select ""Yes"" if you are maintaining stock of this item in your Inventory.",表に少なくとも1請求書を入力してください
-"Select ""Yes"" if you supply raw materials to your supplier to manufacture this item.",日付請求書の期間
+"Select ""Yes"" for sub - contracting items",サブ用に「はい」を選択 - 項目を契約
+"Select ""Yes"" if this item is used for some internal purpose in your company.",この項目があなたの会社にいくつかの内部目的のために使用されている場合は、「はい」を選択します。
+"Select ""Yes"" if this item represents some work like training, designing, consulting etc.",この商品は等のコンサルティング、トレーニング、設計、のようないくつかの作業を表す場合は「はい」を選択
+"Select ""Yes"" if you are maintaining stock of this item in your Inventory.",あなたがインベントリにこのアイテムのストックを維持する場合は、「はい」を選択します。
+"Select ""Yes"" if you supply raw materials to your supplier to manufacture this item.",この項目を製造するためにあなたの供給者に原料を供給した場合、「はい」を選択します。
 Select Brand...,ブランドを選択...
-Select Budget Distribution to unevenly distribute targets across months.,LWPに依存
+Select Budget Distribution to unevenly distribute targets across months.,偏在ヶ月間でターゲットを配布するために予算配分を選択します。
 "Select Budget Distribution, if you want to track based on seasonality.",あなたは季節性に基づいて追跡する場合、予算配分を選択します。
 Select Company...,会社を選択...
-Select DocType,人生の終わり
-Select Fiscal Year...,リードタイプ
-Select Items,ページの上部にスライドショーを表示する
-Select Project...,処理中
+Select DocType,のDocTypeを選択
+Select Fiscal Year...,年度選択...
+Select Items,項目を選択
+Select Project...,プロジェクト]を選択します...
 Select Purchase Receipts,購入の領収書を選択する
-Select Sales Orders,しょざいt
-Select Sales Orders from which you want to create Production Orders.,デフォルトの価格表
-Select Time Logs and Submit to create a new Sales Invoice.,{0}が必要である
-Select Transaction,連絡先へのニュースレター、つながる。
-Select Warehouse...,基本速度(会社通貨)
-Select Your Language,答え
+Select Sales Orders,セールス受注を選択
+Select Sales Orders from which you want to create Production Orders.,あなたが製造指図を作成するから販売受注を選択します。
+Select Time Logs and Submit to create a new Sales Invoice.,タイムログを選択し、新しい売上請求書を作成し提出してください。
+Select Transaction,取引を選択
+Select Warehouse...,倉庫を選択...
+Select Your Language,あなたの言語を選択
 Select account head of the bank where cheque was deposited.,チェックが堆積された銀行の口座ヘッドを選択します。
-Select company name first.,毎年
-Select template from which you want to get the Goals,丸みを帯びた合計
-Select the Employee for whom you are creating the Appraisal.,郵送料を追加するためのルール。
-Select the period when the invoice will be generated automatically,為替
-Select the relevant company name if you have multiple companies,メンテナンススケジュールは、すべての項目のために生成されていません。'を生成スケジュール」をクリックしてください
-Select the relevant company name if you have multiple companies.,割り当てられた量は負にすることはできません
+Select company name first.,最初の会社名を選択します。
+Select template from which you want to get the Goals,あなたは目標を取得する元となるテンプレートを選択し
+Select the Employee for whom you are creating the Appraisal.,あなたが鑑定を作成している誰のために従業員を選択します。
+Select the period when the invoice will be generated automatically,請求書が自動的に生成されます期間を選択
+Select the relevant company name if you have multiple companies,あなたが複数の会社を持っているときは、関係する会社名を選択
+Select the relevant company name if you have multiple companies.,あなたが複数の会社を持っているときは、関係する会社名を選択します。
 Select who you want to send this newsletter to,あなたは、このニュースレターを送りたい人を選択
-Select your home country and check the timezone and currency.,あなたは納品書を保存するとすれば見えるようになります。
-"Selecting ""Yes"" will allow this item to appear in Purchase Order , Purchase Receipt.",BOMはツールを交換してください
-"Selecting ""Yes"" will allow this item to figure in Sales Order, Delivery Note",売上割引
-"Selecting ""Yes"" will allow you to create Bill of Material showing raw material and operational costs incurred to manufacture this item.",地域
-"Selecting ""Yes"" will allow you to make a Production Order for this item.",従業員の誕生日リマインダを送信しないでください
-"Selecting ""Yes"" will give a unique identity to each entity of this item which can be viewed in the Serial No master.",輸送貨物自動車数
-Selling,項目顧客詳細
+Select your home country and check the timezone and currency.,自分の国を選択して、タイムゾーン、通貨をご確認ください。
+"Selecting ""Yes"" will allow this item to appear in Purchase Order , Purchase Receipt.",「はい」を選択すると、この商品は発注、購入時の領収書に表示することができます。
+"Selecting ""Yes"" will allow this item to figure in Sales Order, Delivery Note",「はい」を選択すると、この商品は受注、納品書に把握できるようになります
+"Selecting ""Yes"" will allow you to create Bill of Material showing raw material and operational costs incurred to manufacture this item.",「はい」を選択すると、原料と、このアイテムを製造するために発生した運用コストを示す部品表を作成することができます。
+"Selecting ""Yes"" will allow you to make a Production Order for this item.",「はい」を選択すると、この項目の製造指図を行うことができます。
+"Selecting ""Yes"" will give a unique identity to each entity of this item which can be viewed in the Serial No master.",「はい」を選択すると、シリアル番号のマスターで表示することができます。このアイテムの各エンティティに一意のIDを提供します。
+Selling,販売
 Selling Settings,[設定]を販売
 "Selling must be checked, if Applicable For is selected as {0}",適用のためには次のように選択された場合、販売は、チェックする必要があります{0}
 Send,送信
 Send Autoreply,自動返信を送信
 Send Email,メールを送信
-Send From,率(%)
-Send Notifications To,バウチャー番号
-Send Now,更新しました。
-Send SMS,月と年を選択してください。
-Send To,ユーザーを承認すると、ルールが適用されるユーザーと同じにすることはできません
-Send To Type,{0}の割引に基づいて認可を設定することはできません
-Send mass SMS to your contacts,固定資産項目である
-Send to this list,生産計画項目
-Sender Name,{1}より{0}の行の{0}以上のアイテムのために払い過ぎることはできません。過大請求を可能にするために、ストック設定で設定してください
-Sent On,決算ヘッド
-Separate production order will be created for each finished good item.,評価する
-Serial No,プラント
-Serial No / Batch,デフォルトの購入のコストセンター
+Send From,から送信する
+Send Notifications To,に通知を送信する
+Send Now,今すぐ送信
+Send SMS,SMSを送信
+Send To,へ送る
+Send To Type,タイプに送る
+Send mass SMS to your contacts,連絡先に大量のSMSを送信
+Send to this list,このリストに送る
+Sender Name,送信者名
+Sent On,上に送信
+Separate production order will be created for each finished good item.,独立した製造指図は、各完成品のアイテムのために作成されます。
+Serial No,シリアル番号
+Serial No / Batch,シリアル番号/バッチ
 Serial No Details,シリアル番号の詳細
-Serial No Service Contract Expiry,説明HTMLの
-Serial No Status,経費請求が拒否
-Serial No Warranty Expiry,あなたがブロックした日時に葉を承認する権限がありませんように休暇を承認することはできません
-Serial No is mandatory for Item {0},あなたのサイトの設定でDropboxのアクセスキーを設定してください
-Serial No {0} created,あなたは基準日を入力した場合の基準はありませんが必須です
-Serial No {0} does not belong to Delivery Note {1},原料
-Serial No {0} does not belong to Item {1},女性
+Serial No Service Contract Expiry,シリアルNOサービス契約の有効期限
+Serial No Status,シリアルNOステータスません
+Serial No Warranty Expiry,シリアルNO保証期限ません
+Serial No is mandatory for Item {0},シリアルNOアイテム{0}のために必須です
+Serial No {0} created,シリアルNO {0}を作成
+Serial No {0} does not belong to Delivery Note {1},シリアルNO {0}納品書に属していません{1}
+Serial No {0} does not belong to Item {1},シリアルNO {0}項目に属さない{1}
 Serial No {0} does not belong to Warehouse {1},シリアルNO {0}倉庫に属していません{1}
-Serial No {0} does not exist,時
-Serial No {0} has already been received,年度
+Serial No {0} does not exist,シリアルNO {0}は存在しません
+Serial No {0} has already been received,シリアルNOは{0}はすでに受信されている
 Serial No {0} is under maintenance contract upto {1},シリアルNOは{0} {1}件まで保守契約下にある
-Serial No {0} is under warranty upto {1},行{0}:クレジットエントリは、購入の請求書にリンクすることはできません
-Serial No {0} not in stock,新しいアカウントの名前。注:お客様のアカウントを作成しないでください、それらは顧客とサプライヤマスタから自動的に作成され
-Serial No {0} quantity {1} cannot be a fraction,差異勘定
+Serial No {0} is under warranty upto {1},シリアルNOは{0} {1}件まで保証期間内である
+Serial No {0} not in stock,{0}在庫切れのシリアル番号
+Serial No {0} quantity {1} cannot be a fraction,シリアルNO {0}量{1}の割合にすることはできません
 Serial No {0} status must be 'Available' to Deliver,シリアルNO {0}ステータスが配信する「利用可能」でなければなりません
-Serial Nos Required for Serialized Item {0},アイテムDesription
-Serial Number Series,イメージ
-Serial number {0} entered more than once,定期的な請求書を停止される日
+Serial Nos Required for Serialized Item {0},直列化されたアイテムのシリアル番号が必要です{0}
+Serial Number Series,シリアル番号のシリーズ
+Serial number {0} entered more than once,シリアル番号は{0}が複数回入力された
 "Serialized Item {0} cannot be updated \
-					using Stock Reconciliation",パッケージに納品書を分割します。
-Series,2を読んだ
-Series List for this Transaction,ふつう
-Series Updated,Googleドライブのアクセスを許可
+					using Stock Reconciliation","シリアル化されたアイテムは、{0}を更新することはできません\
+株式調整を使用して"
+Series,シリーズ
+Series List for this Transaction,このトランザクションのシリーズ一覧
+Series Updated,シリーズ更新
 Series Updated Successfully,シリーズは、正常に更新され
-Series is mandatory,請求のバッチ処理
-Series {0} already used in {1},の言葉で
-Service,スケジュールを得るために 'を生成スケジュール」をクリックしてください
-Service Address,リードステータス
-Services,受信支払い
-Set,最初のユーザーはシステムマネージャ(あなたがそれを後で変更できます)となります。
-"Set Default Values like Company, Currency, Current Fiscal Year, etc.",RGT
+Series is mandatory,シリーズは必須です
+Series {0} already used in {1},シリーズは、{0}はすでに{1}で使用
+Service,サービス
+Service Address,サービスアドレス
+Service Tax,サービス税
+Services,サービス
+Set,セット
+"Set Default Values like Company, Currency, Current Fiscal Year, etc.",会社、通貨、今期、などのように設定されたデフォルトの値
 Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,この領土に項目グループごとの予算を設定します。また、ディストリビューションを設定することで、季節を含めることができます。
-Set Status as Available,現会計年度
-Set as Default,安%
-Set as Lost,エントリーを開く
-Set prefix for numbering series on your transactions,ストック負債
-Set targets Item Group-wise for this Sales Person.,顧客サービス
-Setting Account Type helps in selecting this Account in transactions.,額を償却
+Set Status as Available,利用可能としてセットされた状態
+Set as Default,デフォルトとして設定
+Set as Lost,ロストとして設定
+Set prefix for numbering series on your transactions,あなたの取引に一連の番号の接頭辞を設定する
+Set targets Item Group-wise for this Sales Person.,この営業担当者のための目標項目のグループごとのセット。
+Setting Account Type helps in selecting this Account in transactions.,アカウントの種類を設定すると、トランザクションで、このアカウントを選択するのに役立ちます。
 Setting this Address Template as default as there is no other default,他にデフォルトがないので、デフォルトとしてこのアドレステンプレートの設定
-Setting up...,アイテムのBOMを入力してください{0}行{1}
-Settings,倉庫のための材料を要求
+Setting up...,セットアップ...
+Settings,設定
 Settings for HR Module,人事モジュールの設定
-"Settings to extract Job Applicants from a mailbox e.g. ""jobs@example.com""",DOCNAMEに対する
-Setup,すべてのサプライヤーとの接触
+"Settings to extract Job Applicants from a mailbox e.g. ""jobs@example.com""",メールボックスの例:「jobs@example.com」から求職者を抽出するための設定
+Setup,セットアップ
 Setup Already Complete!!,セットアップがすでに完了して!
-Setup Complete,すべての従業員(アクティブ)
+Setup Complete,セットアップの完了
 Setup SMS gateway settings,セットアップSMSゲートウェイの設定
-Setup Series,顧客(債権)のアカウント
-Setup Wizard,今年課金合計:
-Setup incoming server for jobs email id. (e.g. jobs@example.com),チャート名
-Setup incoming server for sales email id. (e.g. sales@example.com),ジャーナルクーポンの詳細はありません
-Setup incoming server for support email id. (e.g. support@example.com),警告する
-Share,販売BOM明細
-Share With,間接所得
-Shareholders Funds,バウチャーに基づいてフィルタリングすることはできませんいいえ、クーポンごとにグループ化された場合
-Shipments to customers.,社員から
+Setup Series,セットアップシリーズ
+Setup Wizard,セットアップ ウィザード
+Setup incoming server for jobs email id. (e.g. jobs@example.com),ジョブの電子メールIDの設定受信メールサーバ。 (例えばjobs@example.com)
+Setup incoming server for sales email id. (e.g. sales@example.com),販売電子メールIDのセットアップ受信サーバ。 (例えばsales@example.com)
+Setup incoming server for support email id. (e.g. support@example.com),サポート電子メールIDのセットアップ受信サーバ。 (例えばsupport@example.com)
+Share,シェア
+Share With,と共有する
+Shareholders Funds,株主のファンド
+Shipments to customers.,顧客への出荷。
 Shipping,配送
-Shipping Account,(役割)に適用
-Shipping Address,重要な争点
-Shipping Amount,Chemica
+Shipping Account,出荷アカウント
+Shipping Address,発送先
+Shipping Amount,出荷量
 Shipping Rule,出荷ルール
 Shipping Rule Condition,送料ルール条件
-Shipping Rule Conditions,必要なものをダウンロード
-Shipping Rule Label,登録の詳細
-Shop,商品
+Shipping Rule Conditions,送料ルール条件
+Shipping Rule Label,出荷ルールラベル
+Shop,店
 Shopping Cart,カート
-Short biography for website and other publications.,現在のBOMと新BOMは同じにすることはできません
+Short biography for website and other publications.,ウェブサイトや他の出版物のための短い伝記。
 "Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",この倉庫で利用可能な株式に基づいて「在庫切れ」「在庫あり」の表示または。
-"Show / Hide features like Serial Nos, POS etc.",開始
-Show In Website,{0}に送信するようにスケジュール
-Show a slideshow at the top of the page,このストック調整がオープニング·エントリであるため、差異勘定は、「責任」タイプのアカウントである必要があります
-Show in Website,電気通信
+"Show / Hide features like Serial Nos, POS etc.",などのシリアル番号、POSなどの表示/非表示機能
+Show In Website,ウェブサイトでのショー
+Show a slideshow at the top of the page,ページの上部にスライドショーを表示する
+Show in Website,ウェブサイトでのショー
+Show rows with zero values,ゼロの値を持つ行を表示
 Show this slideshow at the top of the page,ページの上部に、このスライドショーを表示する
-Sick Leave,支払い日
-Signature,資格
-Signature to be appended at the end of every email,トランスポーター名前
-Single,ツール
-Single unit of an Item.,下記の書類の納品書、機会、素材の要求、アイテム、発注、購買伝票、購入者の領収書、見積書、納品書、販売BOM、受注、シリアル番号でのブランド名を追跡​​するには
+Sick Leave,病気休暇
+Signature,署名
+Signature to be appended at the end of every email,署名はすべての電子メールの末尾に追加される
+Single,シングル
+Single unit of an Item.,アイテムの単一のユニット。
 Sit tight while your system is being setup. This may take a few moments.,システムがセットアップされている間、じっと。これはしばらく時間がかかる場合があります。
-Slideshow,現在のアドレスは
-Soap & Detergent,操作時間(分)
-Software,率と量
+Slideshow,スライドショー
+Soap & Detergent,石鹸&洗剤
+Software,ソフトウェア
 Software Developer,ソフトウェア開発者
-"Sorry, Serial Nos cannot be merged",グローバルデフォルト
-"Sorry, companies cannot be merged",この充電式のために以上現在の行数と同じ行番号を参照することはできません
+"Sorry, Serial Nos cannot be merged",申し訳ありませんが、シリアル番号をマージすることはできません
+"Sorry, companies cannot be merged",申し訳ありませんが、企業はマージできません
 Source,ソース
-Source File,登録を購入
-Source Warehouse,デビットメモしておきます
+Source File,ソースファイル
+Source Warehouse,ソース倉庫
 Source and target warehouse cannot be same for row {0},ソースとターゲット·ウェアハウスは、行ごとに同じにすることはできません{0}
-Source of Funds (Liabilities),アイテムのストックUOMのupdatd {0}
-Source warehouse is mandatory for row {0},倉庫名
-Spartan,数量を開く
-"Special Characters except ""-"" and ""/"" not allowed in naming series",左
-Specification Details,フリーズ証券のエントリー
-Specifications,簡潔なヘルプ
-"Specify a list of Territories, for which, this Price List is valid",子ノードを追加するには、ツリーを探索し、より多くのノードを追加する下のノードをクリックします。
-"Specify a list of Territories, for which, this Shipping Rule is valid",受信する数量
-"Specify a list of Territories, for which, this Taxes Master is valid",通貨から
-"Specify the operations, operating cost and give a unique Operation no to your operations.",報告日
-Split Delivery Note into packages.,アイテムは、{0} {1} {2}内に存在しません
-Sports,さらにノードは、「グループ」タイプのノードの下に作成することができます
-Standard,従業員は{0}はすでに{1} {2}と{3}の間を申請している
-Standard Buying,手数料率
-Standard Reports,{0}商品には必須である{1}
-Standard Selling,バウチャータイプ
+Source of Funds (Liabilities),資金源(負債)
+Source warehouse is mandatory for row {0},ソース·ウェアハウスは、行{0}のために必須です
+Spartan,スパルタの
+"Special Characters except ""-"" and ""/"" not allowed in naming series",を除く特殊文字「 - 」や「/」シリーズの命名では使用できません
+Specification Details,仕様の詳細
+Specifications,仕様
+"Specify a list of Territories, for which, this Price List is valid",そのため、この価格表が有効で、領土のリストを指定
+"Specify a list of Territories, for which, this Shipping Rule is valid",そのため、この配送ルールが有効で、領土のリストを指定
+"Specify a list of Territories, for which, this Taxes Master is valid",そのため、これはマスターが有効である税金、領土のリストを指定
+"Specify the operations, operating cost and give a unique Operation no to your operations.",操作、運転コストを指定しないと、あなたの業務に固有のオペレーション·ノーを与える。
+Split Delivery Note into packages.,パッケージに納品書を分割します。
+Sports,スポーツ
+Sr,SR
+Standard,スタンダード
+Standard Buying,標準購入
+Standard Reports,標準レポート
+Standard Selling,標準販売
 Standard contract terms for Sales or Purchase.,販売または購入のための標準的な契約条件。
-Start,に通知を送信する
+Start,開始
 Start Date,開始日
-Start date of current invoice's period,項目の許可最大割引:{0}が{1}%
+Start date of current invoice's period,現在の請求書の期間の開始日
 Start date should be less than end date for Item {0},開始日は項目の終了日未満でなければなりません{0}
-State,レポート タイプ
-Statement of Account,先に進む前に、フォームを保存する必要があります
-Static Parameters,配布ID
-Status,割引額
-Status must be one of {0},この営業担当者のための目標項目のグループごとのセット。
-Status of {0} {1} is now {2},項目が保存される場所。
-Status updated to {0},略称
-Statutory info and other general information about your Supplier,直接金額を設定することはできません。「実際の」充電式の場合は、レートフィールドを使用する
+State,都道府県
+Statement of Account,計算書
+Static Parameters,静的パラメータ
+Status,ステータス
+Status must be one of {0},状態は{0}のいずれかである必要があります
+Status of {0} {1} is now {2},{0} {1}今の状態{2}
+Status updated to {0},{0}に更新された状態
+Statutory info and other general information about your Supplier,法定の情報とあなたのサプライヤーに関するその他の一般情報
 Stay Updated,更新滞在
-Stock,支払いは、ダイジェスト期間に受信
-Stock Adjustment,購入インボイスアドバンス
-Stock Adjustment Account,項目の要求。
+Stock,株式
+Stock Adjustment,ストック調整
+Stock Adjustment Account,ストック調整勘定
 Stock Ageing,株式高齢化
 Stock Analytics,株価分析
 Stock Assets,株式資産
-Stock Balance,注文書アイテム
+Stock Balance,株式残高
 Stock Entries already created for Production Order ,
-Stock Entry,ストックエントリーの詳細
-Stock Entry Detail,顧客>顧客グループ>テリトリー
-Stock Expenses,請求額
+Stock Entry,株式エントリー
+Stock Entry Detail,ストックエントリーの詳細
+Stock Expenses,株式経費
 Stock Frozen Upto,株式冷凍点で最大
 Stock Ledger,株式元帳
-Stock Ledger Entry,アイテムテーブルは空白にすることはできません
-Stock Ledger entries balances updated,梱包伝票項目
-Stock Level,マネージャー
-Stock Liabilities,HTMLヘルプ
-Stock Projected Qty,控除
+Stock Ledger Entry,株式元帳エントリー
+Stock Ledger entries balances updated,株式元帳が更新残高エントリ
+Stock Level,在庫水準
+Stock Liabilities,ストック負債
+Stock Projected Qty,在庫数量を予測
 Stock Queue (FIFO),株式キュー(FIFO)
-Stock Received But Not Billed,購入時の領収書はありません
-Stock Reconcilation Data,キー·パフォーマンス·エリア
-Stock Reconcilation Template,手数料率は、100を超えることはできません
-Stock Reconciliation,{0}を選択してください
+Stock Received But Not Billed,株式受信したが銘打たれていません
+Stock Reconcilation Data,株式Reconcilationデータ
+Stock Reconcilation Template,株式Reconcilationテンプレート
+Stock Reconciliation,株式調整
 "Stock Reconciliation can be used to update the stock on a particular date, usually as per physical inventory.",在庫調整は、通常、物理的な棚卸の通り、特定の日に在庫を更新するために使用することができる。
-Stock Settings,カスタムメッセージ
-Stock UOM,顧客コード
-Stock UOM Replace Utility,コンサルタント
-Stock UOM updatd for Item {0},会計エントリと呼ばれる、リーフノードに対して行うことができる
-Stock Uom,ユーザーID従業員に設定されていない{0}
-Stock Value,あなたは本当に、この素​​材の要求を中止しますか?
-Stock Value Difference,ドキュメントの詳細に対して何
-Stock balances updated,あなたは本当に{0}年{1}の月のすべての給与伝票を登録しますか
+Stock Settings,ストック設定
+Stock UOM,株式UOM
+Stock UOM Replace Utility,株式UOMユーティリティを交換してください
+Stock UOM updatd for Item {0},アイテムのストックUOMのupdatd {0}
+Stock Uom,株式UOM
+Stock Value,株式価値
+Stock Value Difference,ストック値の差
+Stock balances updated,株式の残高が更新
 Stock cannot be updated against Delivery Note {0},株価は納品書に対して更新することはできません{0}
 Stock entries exist against warehouse {0} cannot re-assign or modify 'Master Name',ストックエントリは{0} 'のマスター名を「再割り当てまたは変更することはできませんハウスに対して存在
-Stop,レポートへ
-Stop Birthday Reminders,あなたは納品書を保存するとすれば見えるようになります。
-Stop Material Request,システム
+Stock transactions before {0} are frozen,{0}は凍結され、株式取引の前に
+Stop,停止
+Stop Birthday Reminders,誕生日リマインダを停止
+Stop Material Request,素材要求を停止します
 Stop users from making Leave Applications on following days.,次の日に休暇アプリケーションを作るからユーザーを停止します。
-Stop!,バッチ番号があります
-Stopped,ペア設定する
+Stop!,止めて!
+Stopped,停止
 Stopped order cannot be cancelled. Unstop to cancel.,停止順序はキャンセルできません。キャンセルするには栓を抜く。
-Stores,部分的に銘打た
+Stores,ストア
 Stub,スタブ
-Sub Assemblies,業績評価のためのテンプレート。
-"Sub-currency. For e.g. ""Cent""",Read(読み取り)
-Subcontract,債権
+Sub Assemblies,サブアセンブリ
+"Sub-currency. For e.g. ""Cent""","サブの通貨。例えば、 ""のためのセント """
+Subcontract,下請け
 Subject,テーマ
-Submit Salary Slip,シリーズ
-Submit all salary slips for the above selected criteria,お客様は以前から買っていない
-Submit this Production Order for further processing.,銀行口座を作成するには:
+Submit Salary Slip,給与伝票を提出
+Submit all salary slips for the above selected criteria,上で選択した基準について、すべての給与伝票を提出
+Submit this Production Order for further processing.,さらに処理するために、この製造指図書を提出。
 Submitted,提出
-Subsidiary,組織プロファイル
+Subsidiary,子会社
 Successful: ,
-Successfully allocated,成功裏に割り当てられた
-Suggestions,タイプの休暇は、{0}よりも長くすることはできません{1}
+Successfully Reconciled,首尾よく調整済み
+Suggestions,示唆
 Sunday,日曜日
-Supplier,収入
-Supplier (Payable) Account,更新
-Supplier (vendor) name as entered in supplier master,日付日付と出席からの出席は必須です
-Supplier > Supplier Type,セールスパートナーを管理します。
+Supplier,サプライヤー
+Supplier (Payable) Account,サプライヤー(有料)アカウント
+Supplier (vendor) name as entered in supplier master,サプライヤ·マスターに入力された供給者(ベンダ)名
+Supplier > Supplier Type,サプライヤー>サプライヤタイプ
 Supplier Account Head,サプライヤーアカウントヘッド
-Supplier Address,BOM明細
-Supplier Addresses and Contacts,注釈
-Supplier Details,銀行
-Supplier Intro,リファレンス
-Supplier Invoice Date,シリアルNO保証期限ません
-Supplier Invoice No,この販売牧師の従業員IDを入力してください
-Supplier Name,項目の評価が更新
-Supplier Naming By,ご予約の費用
-Supplier Part Number,現在庫
+Supplier Address,サプライヤー住所
+Supplier Addresses and Contacts,サプライヤーアドレスと連絡先
+Supplier Details,サプライヤーの詳細
+Supplier Intro,サプライヤーイントロ
+Supplier Invoice Date,サプライヤの請求日
+Supplier Invoice No,サプライヤの請求書はありません
+Supplier Name,サプライヤー名
+Supplier Naming By,サプライヤの指定することで
+Supplier Part Number,サプライヤ部品番号
 Supplier Quotation,サプライヤー見積
-Supplier Quotation Item,代償オフ
-Supplier Reference,役割は、凍結ストックの編集を許可
-Supplier Type,%受信
-Supplier Type / Supplier,アイテム{0}に必要な購入時の領収書番号
-Supplier Type master.,ユーザ ID
-Supplier Warehouse,既存のトランザクションを持つアカウントをグループに変換することはできません。
-Supplier Warehouse mandatory for sub-contracted Purchase Receipt,あなたが給料スリップを提出しながら、各従業員へのメール給与伝票を送信するかどうかを確認してください
-Supplier database.,顧客を作成
-Supplier master.,交際費
-Supplier warehouse where you have issued raw materials for sub - contracting,finanialコストセンターのツリー。
+Supplier Quotation Item,サプライヤの見積明細
+Supplier Reference,サプライヤリファレンス
+Supplier Type,サプライヤータイプ
+Supplier Type / Supplier,サプライヤータイプ/サプライヤー
+Supplier Type master.,サプライヤータイプマスター。
+Supplier Warehouse,サプライヤーの倉庫
+Supplier Warehouse mandatory for sub-contracted Purchase Receipt,下請け購入時の領収書のための必須の供給業者の倉庫
+Supplier database.,サプライヤのデータベース。
+Supplier master.,サプライヤーマスター。
+Supplier warehouse where you have issued raw materials for sub - contracting,あなたは、サブの原料を発行している供給業者の倉庫 - 請負
 Supplier-Wise Sales Analytics,サプライヤー·ワイズセールス解析
-Support,アカウントが作成されると、マスターの名前を入力してください。
+Support,サポート
 Support Analtyics,サポートAnaltyics
-Support Analytics,インベントリ&サポート
-Support Email,売上請求書項目
-Support Email Settings,Eメール
-Support Password,買掛金グループ
-Support Ticket,顧客が必要となります
+Support Analytics,サポート解析
+Support Email,サポートメール
+Support Email Settings,サポートメール設定
+Support Password,サポートパスワード
+Support Ticket,サポートチケット
 Support queries from customers.,顧客からの問い合わせをサポートしています。
 Symbol,シンボル
-Sync Support Mails,売上総利益
-Sync with Dropbox,適用のためには次のように選択されている場合の購入は、チェックする必要があります{0}
-Sync with Google Drive,あなたが更新する必要があります:{0}
-System,予算配分
-System Settings,位置打开
-"System User (login) ID. If set, it will become default for all HR forms.",ランチアイテム
-Target  Amount,から、必要な日数に
-Target Detail,契約終了日は、参加の日よりも大きくなければならない
-Target Details,所得収支に対する
-Target Details1,購入のために要求します。
-Target Distribution,合計額に
-Target On,計画数
+Sync Support Mails,同期のサポートメール
+Sync with Dropbox,Dropboxのと同期
+Sync with Google Drive,Googleのドライブと同期
+System,システム
+System Settings,システム設定
+"System User (login) ID. If set, it will become default for all HR forms.",システムユーザー(ログイン)IDを指定します。設定すると、すべてのHRフォームのデフォルトになります。
+TDS (Advertisement),TDS(広告)
+TDS (Commission),TDS(委員会)
+TDS (Contractor),TDS(施工業者)
+TDS (Interest),TDS(金利)
+TDS (Rent),TDS(賃貸)
+TDS (Salary),TDS(給与)
+Target  Amount,目標量
+Target Detail,ターゲットの詳細
+Target Details,ターゲットの詳細
+Target Details1,ターゲットDetails1
+Target Distribution,ターゲット配信
+Target On,ターゲット上の
 Target Qty,目標数量
-Target Warehouse,停止
-Target warehouse in row {0} must be same as Production Order,アカウント{0}は会計年度の{1}を複数回入力されました
-Target warehouse is mandatory for row {0},警告:数量要求された素材は、最小注文数量に満たない
+Target Warehouse,ターゲット·ウェアハウス
+Target warehouse in row {0} must be same as Production Order,行のターゲット·ウェアハウスは、{0}製造指図と同じでなければなりません
+Target warehouse is mandatory for row {0},ターゲット·ウェアハウスは、行{0}のために必須です
 Task,タスク
-Task Details,項目グループからコピーする
-Tasks,保証期間中
-Tax,税率
-Tax Amount After Discount Amount,買掛金
+Task Details,タスクの詳細
+Tasks,タスク
+Tax,税金
+Tax Amount After Discount Amount,割引額の後税額
 Tax Assets,税金資産
-Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,はじめに
-Tax Rate,受注に対して製造
-Tax and other salary deductions.,購入請求書を作る
+Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,税区分は、すべての項目として「評価」や「評価と合計 'にすることはできません非在庫項目です
+Tax Rate,税率
+Tax and other salary deductions.,税金やその他の給与の控除。
 "Tax detail table fetched from item master as a string and stored in this field.
-Used for Taxes and Charges",トランザクションを購入するための税のテンプレート。
-Tax template for buying transactions.,コード
-Tax template for selling transactions.,発信
-Taxable,要求された数量
-Taxes and Charges,誰もが読むことができます
-Taxes and Charges Added,販売費
-Taxes and Charges Added (Company Currency),長期的な詳細
-Taxes and Charges Calculation,株式
-Taxes and Charges Deducted,唯一のサンプルアイテムに必要です。
+Used for Taxes and Charges","税の詳細テーブルには、文字列として品目マスタからフェッチし、このフィールドに格納されている。
+税金、料金のために使用します"
+Tax template for buying transactions.,トランザクションを購入するための税のテンプレート。
+Tax template for selling transactions.,トランザクションを販売するための税のテンプレート。
+Taxable,課税
+Taxes,税金
+Taxes and Charges,税および充満
+Taxes and Charges Added,追加された税金、料金
+Taxes and Charges Added (Company Currency),追加された税金、料金(会社通貨)
+Taxes and Charges Calculation,税金、料金の計算
+Taxes and Charges Deducted,控除税および充満
 Taxes and Charges Deducted (Company Currency),控除税および充満(会社通貨)
-Taxes and Charges Total,電話経費
+Taxes and Charges Total,税金、料金の合計
 Taxes and Charges Total (Company Currency),税金、料金合計(会社通貨)
-Technology,項目グループツリー
-Telecommunications,あなたは、このレコードに向けて出発承認者である。「ステータス」を更新し、保存してください
-Telephone Expenses,社員教育
-Television,複数の価格設定ルールが優先し続けた場合、ユーザーは、競合を解決するために、手動で優先度を設定するように求められます。
-Template,仕事のための開口部。
-Template for performance appraisals.,すべての顧客との接触
-Template of terms or contract.,勘定コード表
-Temporary Accounts (Assets),値
+Technology,テクノロジー
+Telecommunications,電気通信
+Telephone Expenses,電話経費
+Television,テレビ
+Template,テンプレート
+Template for performance appraisals.,業績評価のためのテンプレート。
+Template of terms or contract.,用語や契約のテンプレート。
+Temporary Accounts (Assets),一時的なアカウント(資産)
 Temporary Accounts (Liabilities),一時的なアカウント(負債)
 Temporary Assets,一時的な資産
-Temporary Liabilities,このパッケージの正味重量。 (項目の正味重量の合計として自動的に計算)
-Term Details,あなたが複数の会社を持っているときは、関係する会社名を選択
-Terms,認可制御
-Terms and Conditions,開口部(Cr)の
-Terms and Conditions Content,許可されていません
-Terms and Conditions Details,あなたの製品またはサービス
-Terms and Conditions Template,着信拒否
-Terms and Conditions1,受注を作る
+Temporary Liabilities,一時的な負債
+Term Details,長期的な詳細
+Terms,用語
+Terms and Conditions,利用規約
+Terms and Conditions Content,利用規約コンテンツ
+Terms and Conditions Details,ご利用条件の詳細
+Terms and Conditions Template,利用規約テンプレート
+Terms and Conditions1,ご利用条件1
 Terretory,Terretory
-Territory,変換係数が必要とされる
-Territory / Customer,無効なバーコードまたはシリアル番号
-Territory Manager,プロジェクト原価計算
-Territory Name,お問い合わせお得!
+Territory,地域
+Territory / Customer,領土/顧客
+Territory Manager,テリトリーマネージャー
+Territory Name,地域名
 Territory Target Variance Item Group-Wise,領土ターゲット分散項目のグループごとの
-Territory Targets,サポートメール
-Test,通貨の設定
-Test Email Id,エグゼクティブサーチ
+Territory Targets,領土ターゲット
+Test,テスト
+Test Email Id,テスト電子メールID
 Test the Newsletter,ニュースレターをテスト
-The BOM which will be replaced,サービス
-The First User: You,許可する製造指図
-"The Item that represents the Package. This Item must have ""Is Stock Item"" as ""No"" and ""Is Sales Item"" as ""Yes""",メンテナンス訪問目的
-The Organization,パックするアイテムはありません
-"The account head under Liability, in which Profit/Loss will be booked",数量中
+The BOM which will be replaced,置き換えられるのBOM
+The First User: You,まずユーザー:あなた
+"The Item that represents the Package. This Item must have ""Is Stock Item"" as ""No"" and ""Is Sales Item"" as ""Yes""","パッケージを表す項目。この項目は「はい」と「いいえ」のような「ストックアイテムです」と「販売項目である ""持っている必要があります"
+The Organization,組織
+"The account head under Liability, in which Profit/Loss will be booked",利益/損失が計上されている責任の下でアカウントヘッド、
 "The date on which next invoice will be generated. It is generated on submit.
-",シリーズは、{0}はすでに{1}で使用
-The date on which recurring invoice will be stop,PINコード
+","次の請求書が生成された日付。これは、送信時に生成されます。
+"
+The date on which recurring invoice will be stop,定期的な請求書を停止される日
 "The day of the month on which auto invoice will be generated e.g. 05, 28 etc ",
 The day(s) on which you are applying for leave are holiday. You need not apply for leave.,あなたが休暇を申請している日(S)は休日です。あなたは休暇を申請する必要はありません。
-The first Leave Approver in the list will be set as the default Leave Approver,ルートを編集することはできません。
-The first user will become the System Manager (you can change that later).,お客様の通貨は、会社の基本通貨に換算される速度
-The gross weight of the package. Usually net weight + packaging material weight. (for print),株式Reconcilationテンプレート
-The name of your company for which you are setting up this system.,あなたは製造活動に関与した場合。アイテムは「製造されている」ことができます
-The net weight of this package. (calculated automatically as sum of net weight of items),出席
-The new BOM after replacement,コンマは、電子メールアドレスのリストを区切り
+The first Leave Approver in the list will be set as the default Leave Approver,リストの最初の脱退承認者は、デフォルトのままに承認者として設定されます
+The first user will become the System Manager (you can change that later).,最初のユーザーはシステムマネージャ(あなたがそれを後で変更できます)となります。
+The gross weight of the package. Usually net weight + packaging material weight. (for print),パッケージの総重量。正味重量+梱包材重量は通常。 (印刷用)
+The name of your company for which you are setting up this system.,このシステムを設定しているために、あなたの会社の名前。
+The net weight of this package. (calculated automatically as sum of net weight of items),このパッケージの正味重量。 (項目の正味重量の合計として自動的に計算)
+The new BOM after replacement,交換後の部品表
 The rate at which Bill Currency is converted into company's base currency,ビル·通貨は、会社の基本通貨に換算される速度
-The unique id for tracking all recurring invoices. It is generated on submit.,個人的な電子メール
-"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.",分数
-There are more holidays than working days this month.,作成日
-"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",アイテム{0}が見つかりません
-There is not enough leave balance for Leave Type {0},新しいコストセンター名
-There is nothing to edit.,発注日
-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.,シリアル番号のインストールの記録
-There were errors.,従業員の名称(例:最高経営責任者(CEO)、取締役など)。
-This Currency is disabled. Enable to use in transactions,購入の請求書進歩
-This Leave Application is pending approval. Only the Leave Apporver can update status.,停止
-This Time Log Batch has been billed.,クリア表
-This Time Log Batch has been cancelled.,ニュースレターは、あなたの電子メールに送信することによって、電子メールにどのように見えるかを確認してください。
-This Time Log conflicts with {0},最初の会社を入力してください
-This format is used if country specific format is not found,提出すると、システムは、この日に与えられた株式および評価を設定するために、差分のエントリが作成されます。
-This is a root account and cannot be edited.,印刷とブランディング
-This is a root customer group and cannot be edited.,シリアルNO {0}納品書に属していません{1}
-This is a root item group and cannot be edited.,エントリに対して取得
-This is a root sales person and cannot be edited.,総重量UOM
-This is a root territory and cannot be edited.,購入時の領収書の動向
-This is an example website auto-generated from ERPNext,最大割引(%)
-This is the number of the last created transaction with this prefix,負の株式を許可する
-This will be used for setting rule in HR module,警告:システムは、{0} {1}が0の内のアイテムの量が過大請求をチェックしません
-Thread HTML,休暇残高を更新するために提出してください。
-Thursday,グループまたは元帳の値を選択してください
-Time Log,{0}ロール '休暇承認者」を持っている必要があります
-Time Log Batch,受注に対する
-Time Log Batch Detail,これは、この接頭辞を持つ最後に作成したトランザクションの数です。
+The unique id for tracking all recurring invoices. It is generated on submit.,すべての定期的な請求書を追跡するための固有のID。これは、送信時に生成されます。
+"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.",その後、価格設定ルールは、お客様に基づいてフィルタリングされ、顧客グループ、地域、サプライヤー、サプライヤータイプ、キャンペーン、販売パートナーなど
+There are more holidays than working days this month.,今月営業日以上の休日があります。
+"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","唯一の ""値を"" 0または空白値で1送料ルール条件がある場合もあります"
+There is not enough leave balance for Leave Type {0},休暇タイプ{0}のための十分な休暇残高はありません
+There is nothing to edit.,編集するものは何もありません。
+There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,エラーが発生しました。一つの可能性の高い原因は、フォームを保存していないことが考えられます。問題が解決しない場合はsupport@erpnext.comにお問い合わせください。
+There were errors.,エラーが発生しました。
+This Currency is disabled. Enable to use in transactions,この通貨は無効になっています。トランザクションで使用することを可能にする
+This Leave Application is pending approval. Only the Leave Apporver can update status.,この休業申出は承認が保留されています。唯一の休暇Apporverは、ステータスを更新することができます。
+This Time Log Batch has been billed.,今回はログ一括請求されています。
+This Time Log Batch has been cancelled.,今回はログバッチはキャンセルされました。
+This Time Log conflicts with {0},今回はログは{0}と競合
+This format is used if country specific format is not found,国特定のフォーマットが見つからない場合は、この形式が使用され
+This is a root account and cannot be edited.,これは、ルートアカウントで、編集することはできません。
+This is a root customer group and cannot be edited.,これは、ルートの顧客グループであり、編集できません。
+This is a root item group and cannot be edited.,これは、ルート·アイテム·グループであり、編集することはできません。
+This is a root sales person and cannot be edited.,これは、ルートの販売員であり、編集できません。
+This is a root territory and cannot be edited.,これは、ルートの領土であり、編集できません。
+This is an example website auto-generated from ERPNext,これはERPNextから自動生成されたサンプル·サイトです
+This is the number of the last created transaction with this prefix,これは、この接頭辞を持つ最後に作成したトランザクションの数です。
+This will be used for setting rule in HR module,これは、HRモジュールでルールを設定するために使用される
+Thread HTML,スレッドのHTML
+Thursday,木曜日
+Time Log,タイムログ
+Time Log Batch,時間ログバッチ
+Time Log Batch Detail,時間ログのバッチの詳細
 Time Log Batch Details,時間ログバッチの詳細
-Time Log Batch {0} must be 'Submitted',カート
-Time Log for tasks.,請求書の動向を購入
+Time Log Batch {0} must be 'Submitted',時間ログバッチは{0} '提出'でなければなりません
+Time Log Status must be Submitted.,時間ログステータスを提出しなければなりません。
+Time Log for tasks.,タスクの時間ログインします。
+Time Log is not billable,時間ログが請求可能ではありません
 Time Log {0} must be 'Submitted',時間ログは{0} '提出'でなければなりません
-Time Zone,への配信
-Time Zones,親項目{0}取り寄せ商品であってはならないこと及び販売項目でなければなりません
+Time Zone,時間帯
+Time Zones,タイムゾーン
 Time and Budget,時間と予算
-Time at which items were delivered from warehouse,(電子メール)が提起した
-Time at which materials were received,給与総額
-Title,スクラップ%
-Titles for print templates e.g. Proforma Invoice.,個人
-To,現金化日
-To Currency,領土ターゲット
-To Date,発注書を作成する
+Time at which items were delivered from warehouse,アイテムが倉庫から納入された時刻
+Time at which materials were received,材料は受信された時刻
+Title,タイトル
+Titles for print templates e.g. Proforma Invoice.,印刷テンプレートのタイトルは、プロフォーマインボイスを例えば。
+To,おわり
+To Currency,通貨に
+To Date,現在まで
 To Date should be same as From Date for Half Day leave,これまでの半日休暇のための日と同じである必要があります
-To Discuss,などのシリアル番号、POSなどの表示/非表示機能
+To Date should be within the Fiscal Year. Assuming To Date = {0},これまでの年度内にする必要があります。これまでのと仮定= {0}
+To Discuss,議論するために
 To Do List,To Doリストを
-To Package No.,セールスパーソンツリーを管理します。
-To Produce,コストセンター{0}に属していない会社{1}
-To Time,から送信する
-To Value,ジャーナルバウチャー
-To Warehouse,シリアルNO {0}項目に属さない{1}
-"To add child nodes, explore tree and click on the node under which you want to add more nodes.",証券UOMに従って数量
-"To assign this issue, use the ""Assign"" button in the sidebar.",控除
-To create a Bank Account:,社員タイプ
-To create a Tax Account:,行のアイテム{0}のために必要な量{1}
-"To create an Account Head under a different company, select the company and save customer.",メッセージのURLパラメータを入力してください
-To date cannot be before from date,不動産
-To enable Point of Sale features,承認者を残す
-To enable Point of Sale view,マージン
-To get Item Group in details table,現在の請求書の期間の開始日
-"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",日付週刊降りる
-"To merge, following properties must be same for both items",年度開始日と会計年度が保存されると決算日を変更することはできません。
-"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.",数量単位
+To Package No.,番号をパッケージ化する
+To Produce,生産する
+To Time,時間に
+To Value,値に
+To Warehouse,倉庫に
+"To add child nodes, explore tree and click on the node under which you want to add more nodes.",子ノードを追加するには、ツリーを探索し、より多くのノードを追加する下のノードをクリックします。
+"To assign this issue, use the ""Assign"" button in the sidebar.",この問題を割り当てるには、サイドバーの「割り当て」ボタンを使用します。
+To create a Bank Account,銀行口座を作成するには
+To create a Tax Account,税アカウントを作成するには
+"To create an Account Head under a different company, select the company and save customer.",別の会社の下でアカウントヘッドを作成するには、会社を選択して、顧客を保存します。
+To date cannot be before from date,これまでに日からの前にすることはできません
+To enable Point of Sale features,販売の機能のポイントを有効にするには
+To enable Point of Sale view,販売表示のポイントを有効にするには
+To get Item Group in details table,詳細テーブルで項目グループを取得するには
+"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",税金を含めるには、行に{0}商品相場では、行{1}内税も含まれている必要があります
+"To merge, following properties must be same for both items",マージするには、次のプロパティが両方の項目で同じである必要があります
+"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.",特定のトランザクションに価格設定ルールを適用しないように、適用されるすべての価格設定ルールを無効にする必要があります。
 "To set this Fiscal Year as Default, click on 'Set as Default'",[既定値としてこの事業年度に設定するには、「デフォルトに設定」をクリックしてください
-To track any installation or commissioning related work after sales,実際の日付
-"To track brand name in the following documents Delivery Note, Opportunity, Material Request, Item, Purchase Order, Purchase Voucher, Purchaser Receipt, Quotation, Sales Invoice, Sales BOM, Sales Order, Serial No",バッチ式バランス歴史
-To track item in sales and purchase documents based on their serial nos. This is can also used to track warranty details of the product.,顧客への出荷。
-To track items in sales and purchase documents with batch nos
Preferred Industry: Chemicals etc,クラス/パーセンテージ +To track any installation or commissioning related work after sales,販売後のインストールや試運転に関連する作業を追跡するために、 +"To track brand name in the following documents Delivery Note, Opportunity, Material Request, Item, Purchase Order, Purchase Voucher, Purchaser Receipt, Quotation, Sales Invoice, Sales BOM, Sales Order, Serial No",下記の書類の納品書、機会、素材の要求、アイテム、発注、購買伝票、購入者の領収書、見積書、納品書、販売BOM、受注、シリアル番号でのブランド名を追跡するには +To track item in sales and purchase documents based on their serial nos. This is can also used to track warranty details of the product.,販売中のアイテムを追跡し、そのシリアル番号に基づいてドキュメントを購入する。これはまた、製品の保証の詳細を追跡するために使用されることができる。 +To track items in sales and purchase documents with batch nos
Preferred Industry: Chemicals etc,売上高のアイテムを追跡し、バッチ番号検索優先産業との文書を購入するには化学薬品など To track items using barcode. You will be able to enter items in Delivery Note and Sales Invoice by scanning barcode of item.,バーコードを使用してアイテムを追跡します。あなたはアイテムのバーコードをスキャンして納品書や売上請求書の項目を入力することができます。 -Tools,サブ契約項目です +Too many columns. Export the report and print it using a spreadsheet application.,列が多すぎます。レポートをエクスポートして、スプレッドシートアプリケーションを使用して印刷します。 +Tools,ツール Total,合計 -Total Advance,RECD数量 -Total Allocated Amount,Earning1 -Total Allocated Amount can not be greater than unmatched amount,バランスシート -Total Amount,予想される終了日 -Total Amount To Pay,着信レート -Total Amount in Words,リード所有者 +Total ({0}),合計({0}) +Total Advance,総アドバンス +Total Amount,合計金額 +Total Amount To Pay,支払総額 +Total Amount in Words,言葉での合計金額 Total Billing This Year: , Total Characters,総キャラクター -Total Claimed Amount,カスタム -Total Commission,SMSログ -Total Cost,{1}詳細 -Total Credit,出来高仕事 -Total Debit,お客様は、同じ名前で存在 +Total Claimed Amount,合計請求額 +Total Commission,総委員会 +Total Cost,総費用 +Total Credit,総功績 +Total Debit,合計デビット Total Debit must be equal to Total Credit. The difference is {0},合計デビットは総功績に等しくなければなりません。違いは、{0} Total Deduction,合計控除 -Total Earning,マッチングツールの詳細を請求書への支払い +Total Earning,合計のご獲得 Total Experience,総経験 -Total Hours,「利用可能な」状態とシリアル番号のみを配信することができます。 -Total Hours (Expected),POSの設定{0}はすでにユーザのために作成しました:{1}と会社{2} +Total Hours,総時間数 +Total Hours (Expected),合計時間(予定) Total Invoiced Amount,合計請求された金額 -Total Leave Days,1 顧客ごとの商品コードを維持するために、それらのコード使用このオプションに基づいてそれらを検索可能に +Total Leave Days,総休暇日数 Total Leaves Allocated,割り当てられた全葉 -Total Message(s),研究開発 -Total Operating Cost,`%d個の日数よりも小さくすべきであるより古い`フリーズ株式。 +Total Message(s),総メッセージ(S) +Total Operating Cost,運営費全体 Total Points,合計ポイント -Total Raw Material Cost,呼び出します -Total Sanctioned Amount,のDocTypeを選択 -Total Score (Out of 5),アイテム画像(スライドショーされていない場合) +Total Raw Material Cost,総原料コスト +Total Sanctioned Amount,総認可額 +Total Score (Out of 5),総得点(5点満点) Total Tax (Company Currency),合計税(企業通貨) -Total Taxes and Charges,社員番号 +Total Taxes and Charges,合計税および充満 Total Taxes and Charges (Company Currency),合計税および充満(会社通貨) -Total Working Days In The Month,手付金 -Total allocated percentage for sales team should be 100,項目ウェブサイトの仕様 -Total amount of invoices received from suppliers during the digest period,配達をする +Total allocated percentage for sales team should be 100,営業チームの総割り当てられた割合は100でなければなりません +Total amount of invoices received from suppliers during the digest period,ダイジェスト期間中に取引先から受け取った請求書の合計額 Total amount of invoices sent to the customer during the digest period,ダイジェスト期間中に顧客に送られた請求書の合計額 -Total cannot be zero,インターネット出版 -Total in words,Dropboxのと同期 -Total points for all goals should be 100. It is {0},発行日 -Total valuation for manufactured or repacked item(s) can not be less than total valuation of raw materials,費用勘定をご入力ください。 -Total weightage assigned should be 100%. It is {0},ユーザー{0}はすでに従業員に割り当てられている{1} -Totals,控除の種類 -Track Leads by Industry Type.,低所得 -Track this Delivery Note against any Project,月給登録 -Track this Sales Order against any Project,郵便 -Transaction,貸付金(資産) -Transaction Date,サプライヤの請求日 -Transaction not allowed against stopped Production Order {0},さらに処理するために、この製造指図書を提出。 -Transfer,生産のためにリリース受注。 -Transfer Material,ストック値の差 -Transfer Raw Materials,GETオプションを展開するためのオプションを取得するためのリンクをクリックしてください -Transferred Qty,新規作成 -Transportation,デフォルトのアイテムグループ -Transporter Info,テクノロジー -Transporter Name,{0} {1}:コストセンターではアイテムのために必須である{2} -Transporter lorry number,株式経費 -Travel,必要です -Travel Expenses,都道府県 -Tree Type,住所と連絡先 -Tree of Item Groups.,トランザクションを販売するための税のテンプレート。 -Tree of finanial Cost Centers.,アイテムワイズ税の詳細 -Tree of finanial accounts.,アイテムの単一のユニット。 -Trial Balance,終値 -Tuesday,順序型 -Type,販売サイクル全体で同じ速度を維持 -Type of document to rename.,会社の電子メールIDが見つからない、したがって送信されませんメール -"Type of leaves like casual, sick etc.",住所·お問い合わせ -Types of Expense Claim.,このアドレスが所属する個人または組織の名前。 -Types of activities for Time Sheets,元の金額 -"Types of employment (permanent, contract, intern etc.).",オフィス -UOM Conversion Detail,示唆 +Total cannot be zero,合計はゼロにすることはできません +Total in words,言葉の総 +Total points for all goals should be 100. It is {0},すべての目標の合計ポイントは100にする必要があります。それは{0} +Total valuation for manufactured or repacked item(s) can not be less than total valuation of raw materials,製造又は再包装の商品の総評価額は、原料の合計評価額より小さくすることはできません +Total weightage assigned should be 100%. It is {0},割り当てられた合計weightageは100%でなければならない。それは{0} +Totals,合計 +Track Leads by Industry Type.,トラックは、産業の種類によってリード。 +Track this Delivery Note against any Project,任意のプロジェクトに対してこの納品書を追跡 +Track this Sales Order against any Project,任意のプロジェクトに対して、この受注を追跡 +Transaction,取引 +Transaction Date,取引日 +Transaction not allowed against stopped Production Order {0},トランザクションが停止製造指図に対して許可されていません{0} +Transfer,交換 +Transfer Material,転写材 +Transfer Raw Materials,原料を移す +Transferred Qty,転送数量 +Transportation,輸送 +Transporter Info,ポーター情報 +Transporter Name,トランスポーター名前 +Transporter lorry number,輸送貨物自動車数 +Travel,トラベル +Travel Expenses,旅費 +Tree Type,ツリー型 +Tree of Item Groups.,品目グループのツリー。 +Tree of finanial Cost Centers.,finanialコストセンターのツリー。 +Tree of finanial accounts.,finanialアカウントの木。 +Trial Balance,試算表 +Tuesday,火曜日 +Type,データ型 +Type of document to rename.,名前を変更するドキュメントのタイプ。 +"Type of leaves like casual, sick etc.",カジュアル、病気などのような葉の種類 +Types of Expense Claim.,経費請求の種類。 +Types of activities for Time Sheets,タイムシートのための活動の種類 +"Types of employment (permanent, contract, intern etc.).",雇用の種類(永続的、契約、インターンなど)。 +UOM Conversion Detail,UOMコンバージョンの詳細 UOM Conversion Details,UOMコンバージョンの詳細 UOM Conversion Factor,UOM換算係数 UOM Conversion factor is required in row {0},UOM換算係数は、行に必要とされる{0} -UOM Name,項目ウェブサイトの仕様 -UOM coversion factor required for UOM: {0} in Item: {1},ユーザー名またはサポートパスワード欠落している。入力してから、もう一度やり直してください。 +UOM Name,UOM名前 +UOM coversion factor required for UOM: {0} in Item: {1},UOMに必要なUOM coversion率:アイテム{0}:{1} Under AMC,AMCの下で -Under Graduate,組織 -Under Warranty,氏名 -Unit,このアカウントは顧客、サプラ​​イヤーや従業員を表している場合は、ここで設定します。 -Unit of Measure,1通貨= [?]分数の\フォーム記入の例えば1ドル= 100セント -Unit of Measure {0} has been entered more than once in Conversion Factor Table,完成した数量 -"Unit of measurement of this item (e.g. Kg, Unit, No, Pair).",控除税および充満 +Under Graduate,大学院の下で +Under Warranty,保証期間中 +Unit,ユニット +Unit of Measure,数量単位 +Unit of Measure {0} has been entered more than once in Conversion Factor Table,測定単位は、{0}は複数の変換係数表で複数回に入ってきた +"Unit of measurement of this item (e.g. Kg, Unit, No, Pair).",このアイテムの測定単位(例えばキロ、ユニット、いや、ペア)。 Units/Hour,単位/時間 -Units/Shifts,タスクの詳細 -Unmatched Amount,比類のない金額 +Units/Shifts,単位/シフト Unpaid,未払い -Unscheduled,この項目を製造するためにあなたの供給者に原料を供給した場合、「はい」を選択します。 -Unsecured Loans,リファレンスノー·基準日は、{0}に必要です -Unstop,原材料供給コスト -Unstop Material Request,ジャーナルバウチャーに対する +Unreconciled Payment Details,未照合支払いの詳細 +Unscheduled,予定外の +Unsecured Loans,無担保ローン +Unstop,栓を抜く +Unstop Material Request,栓を抜く素材リクエスト Unstop Purchase Order,栓を抜く発注 Unsubscribed,購読解除 -Update,バックアップはにアップロードされます +Update,更新 Update Clearance Date,アップデートクリアランス日 -Update Cost,タスクの時間ログインします。 -Update Finished Goods,引用ロスト理由 +Update Cost,更新費用 +Update Finished Goods,完成品を更新 Update Landed Cost,更新はコストを上陸させた -Update Series,当社は、倉庫にありません{0} +Update Series,アップデートシリーズ Update Series Number,アップデートシリーズ番号 -Update Stock,従業員マスタ。 -"Update allocated amount in the above table and then click ""Allocate"" button",アップデート上記の表に金額を割り当てられた後、「割り当て」ボタンをクリックしてください -Update bank payment dates with journals.,原料商品コード -Update clearance date of Journal Entries marked as 'Bank Vouchers',コストセンターのチャート -Updated,更新しました。 -Updated Birthday Reminders,によって作成される従業員レコード +Update Stock,株式を更新 +Update bank payment dates with journals.,雑誌で銀行の支払日を更新します。 +Update clearance date of Journal Entries marked as 'Bank Vouchers',「銀行券」としてマークされて仕訳の逃げ日を更新 +Updated,更新日 +Updated Birthday Reminders,更新された誕生日リマインダー Upload Attendance,出席をアップロードする -Upload Backups to Dropbox,カジュアル、病気などのような葉の種類 -Upload Backups to Google Drive,評価レート -Upload HTML,保証期間が切れて -Upload a .csv file with two columns: the old name and the new name. Max 500 rows.,販売オーダーメッセージ -Upload attendance from a .csv file,倉庫。 +Upload Backups to Dropbox,Dropboxのへのバックアップをアップロードする +Upload Backups to Google Drive,Googleのドライブへのバックアップをアップロードする +Upload HTML,HTMLをアップロードする +Upload a .csv file with two columns: the old name and the new name. Max 500 rows.,古い名前と新しい名前:2つの列を持つCSVファイルをアップロードします。最大500行。 +Upload attendance from a .csv file,csvファイルからの出席をアップロードする Upload stock balance via csv.,CSV経由での在庫残高をアップロードします。 -Upload your letter head and logo - you can edit them later.,エラーが発生しました。一つの可能​​性の高い原因は、フォームを保存していないことが考えられます。問題が解決しない場合はsupport@erpnext.comにお問い合わせください。 +Upload your letter head and logo - you can edit them later.,お手紙の頭とロゴをアップロード - あなたはそれらを後で編集することができます。 Upper Income,アッパー所得 -Urgent,最初のアカウントを選択してください。 -Use Multi-Level BOM,旅費 -Use SSL,教育 -User,カートに入れる -User ID,新しい名言 -User ID not set for Employee {0},完了状況 -User Name,この通貨のシンボル。例えば$のための -User Name or Support Password missing. Please enter and try again.,あなたは、バックアップの頻度を選択し、同期のためのアクセス権を付与することから始めることができます -User Remark,下請け購入時の領収書のための必須の供給業者の倉庫 -User Remark will be added to Auto Remark,失われたように引用がなされているので、宣言することはできません。 +Urgent,緊急 +Use Multi-Level BOM,マルチレベルのBOMを使用 +Use SSL,SSLを使用する +Used for Production Plan,生産計画のために使用 +User,ユーザー +User ID,ユーザ ID +User ID not set for Employee {0},ユーザーID従業員に設定されていない{0} +User Name,ユーザ名 +User Name or Support Password missing. Please enter and try again.,ユーザー名またはサポートパスワード欠落している。入力してから、もう一度やり直してください。 +User Remark,ユーザー備考 +User Remark will be added to Auto Remark,ユーザー備考オート備考に追加されます User Remarks is mandatory,ユーザーは必須です備考 -User Specific,顧客マスター。 +User Specific,ユーザー固有 User must always select,ユーザーは常に選択する必要があります -User {0} is already assigned to Employee {1},アカウントの残高は{0}は常に{1}でなければなりません -User {0} is disabled,8を読んだ -Username,金融サービス -Users with this role are allowed to create / modify accounting entry before frozen date,あなたが鑑定を作成している誰のために従業員を選択します。 -Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,今回はログは{0}と競合 -Utilities,前払 -Utility Expenses,(半日) -Valid For Territories,ターゲットDetails1 -Valid From,クレジットカードのバウチャー +User {0} is already assigned to Employee {1},ユーザー{0}はすでに従業員に割り当てられている{1} +User {0} is disabled,ユーザー{0}無効になっています +Username,ユーザ名 +Users with this role are allowed to create / modify accounting entry before frozen date,このロールを持つユーザーは、凍結された日付より前に変更/会計のエントリを作成するために許可されている +Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,このロールを持つユーザーは、凍結されたアカウントを設定し、作成/冷凍アカウントに対するアカウンティングエントリを修正することが許される +Utilities,便利なオプション +Utility Expenses,光熱費 +Valid For Territories,領土に対して有効 +Valid From,から有効 Valid Upto,有効な点で最大 Valid for Territories,準州の有効な -Validate,小売 -Valuation,アイテム{0}に必要な発注数 -Valuation Method,銀行/キャッシュバランス -Valuation Rate,鉛の発生源は、キャンペーンの場合はキャンペーン名を入力してください。 -Valuation Rate required for Item {0},説明HTMLを生成 -Valuation and Total,楽天市場を作る。スケジュール・ -Value,総メッセージ(S) +Validate,検証 +Valuation,評価 +Valuation Method,評価方法 +Valuation Rate,評価レート +Valuation Rate required for Item {0},アイテム{0}に必要な評価レート +Valuation and Total,評価と総合 +Value,値 Value or Qty,値または数量 -Vehicle Dispatch Date,購入時の領収書が必要な -Vehicle No,マルチレベルのBOMを使用 -Venture Capital,進角量 -Verified By,が必要とする -View Ledger,設定されていません +Vehicle Dispatch Date,配車日 +Vehicle No,車両はありません +Venture Capital,ベンチャーキャピタル +Verified By,審査 +View Ledger,ビュー元帳 View Now,今すぐ見る Visit report for maintenance call.,メンテナンスコールのレポートをご覧ください。 -Voucher #,株式の残高が更新 +Voucher #,バウチャー# Voucher Detail No,バウチャーの詳細はありません -Voucher ID,部品表(BOM) -Voucher No,推定材料費 -Voucher No is not valid,有効な電子メールIDを入力してください -Voucher Type,略語は、5つ以上の文字を使用することはできません -Voucher Type and Date,製造または再包装する項目 -Walk In,Dropboxのへのバックアップをアップロードする -Warehouse,展示会 -Warehouse Contact Info,同社に登録された電子メールIDを提供 -Warehouse Detail,アカウント詳細 -Warehouse Name,人事 -Warehouse and Reference,時間に -Warehouse can not be deleted as stock ledger entry exists for this warehouse.,サプライヤー -Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,既存の顧客 +Voucher Detail Number,バウチャーディテール数 +Voucher ID,バウチャー番号 +Voucher No,バウチャーはありません +Voucher Type,バウチャータイプ +Voucher Type and Date,バウチャーの種類と日付 +Walk In,中に入る +Warehouse,倉庫 +Warehouse Contact Info,倉庫に連絡しなさい +Warehouse Detail,倉庫の詳細 +Warehouse Name,倉庫名 +Warehouse and Reference,倉庫およびリファレンス +Warehouse can not be deleted as stock ledger entry exists for this warehouse.,株式元帳エントリはこの倉庫のために存在する倉庫を削除することはできません。 +Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,倉庫には在庫のみエントリー/納品書/購入時の領収書を介して変更することができます Warehouse cannot be changed for Serial No.,倉庫は、車台番号を変更することはできません -Warehouse is mandatory for stock Item {0} in row {1},システム設定 -Warehouse is missing in Purchase Order,タイムゾーン -Warehouse not found in the system,自動材料要求の作成時にメールで通知して -Warehouse required for stock Item {0},倉庫に連絡しなさい -Warehouse where you are maintaining stock of rejected items,ブランチ (branch) -Warehouse {0} can not be deleted as quantity exists for Item {1},ボックス -Warehouse {0} does not belong to company {1},受信機のパラメータ -Warehouse {0} does not exist,出席日 -Warehouse-Wise Stock Balance,出荷ルール -Warehouse-wise Item Reorder,お問い合わせのHTML +Warehouse is mandatory for stock Item {0} in row {1},倉庫在庫アイテムは必須です{0}行{1} +Warehouse is missing in Purchase Order,倉庫は、注文書にありません +Warehouse not found in the system,倉庫システムには見られない +Warehouse required for stock Item {0},ストックアイテム{0}に必要な倉庫 +Warehouse where you are maintaining stock of rejected items,あなたが拒否されたアイテムのストックを維持している倉庫 +Warehouse {0} can not be deleted as quantity exists for Item {1},量はアイテムのために存在する倉庫{0}を削除することはできません{1} +Warehouse {0} does not belong to company {1},倉庫には{0}に属していない会社{1} +Warehouse {0} does not exist,倉庫{0}は存在しません +Warehouse {0}: Company is mandatory,倉庫{0}:当社は必須です +Warehouse {0}: Parent account {1} does not bolong to the company {2},倉庫{0}:親勘定は、{1}会社にボロングません{2} +Warehouse-Wise Stock Balance,倉庫·ワイズ証券残高 +Warehouse-wise Item Reorder,倉庫ワイズアイテムの並べ替え Warehouses,倉庫 -Warehouses.,のウェブサイト上で公開:{0} -Warn,当社は必要とされている +Warehouses.,倉庫。 +Warn,警告する Warning: Leave application contains following block dates,警告:アプリケーションは以下のブロック日付が含まれたままに -Warning: Material Requested Qty is less than Minimum Order Qty,既存のトランザクションを持つアカウントを削除することはできません +Warning: Material Requested Qty is less than Minimum Order Qty,警告:数量要求された素材は、最小注文数量に満たない Warning: Sales Order {0} already exists against same Purchase Order number,警告:受注{0}はすでに同じ発注番号に対して存在 -Warning: System will not check overbilling since amount for Item {0} in {1} is zero,数量を受け取った -Warranty / AMC Details,時間あたりの消耗品のコスト -Warranty / AMC Status,インセンティブ -Warranty Expiry Date,金額 -Warranty Period (Days),充電 -Warranty Period (in days),目標量 -We buy this Item,そして友人たち! -We sell this Item,ルート型は必須です -Website,シリアル番号/バッチ -Website Description,あなたは、サブの原料を発行している供給業者の倉庫 - 請負 +Warning: System will not check overbilling since amount for Item {0} in {1} is zero,警告:システムは、{0} {1}が0の内のアイテムの量が過大請求をチェックしません +Warranty / AMC Details,保証書/ AMCの詳細 +Warranty / AMC Status,保証/ AMCステータス +Warranty Expiry Date,保証有効期限 +Warranty Period (Days),保証期間(日数) +Warranty Period (in days),(日数)保証期間 +We buy this Item,我々は、この商品を購入 +We sell this Item,我々は、このアイテムを売る +Website,ウェブサイト +Website Description,ウェブサイトの説明 Website Item Group,ウェブサイトの項目グループ -Website Item Groups,そのため、これはマスターが有効である税金、領土のリストを指定 -Website Settings,作成されないアドレスません -Website Warehouse,Credentials -Wednesday,レシーバー·リスト +Website Item Groups,ウェブサイトの項目グループ +Website Settings,Webサイト設定 +Website Warehouse,ウェブサイトの倉庫 +Wednesday,水曜日 Weekly,毎週 Weekly Off,毎週オフ -Weight UOM,素材要求を停止します -"Weight is mentioned,\nPlease mention ""Weight UOM"" too", -Weightage,仕入送り状 -Weightage (%),このアイテムを受け取ったり提供しながら、許可される量の割合の変化。 -Welcome,高齢化日付 +Weight UOM,重さUOM +"Weight is mentioned,\nPlease mention ""Weight UOM"" too","重量が記載され、\n ""重量UOM」をお伝えくださいすぎ" +Weightage,Weightage +Weightage (%),Weightage(%) +Welcome,ようこそ Welcome to ERPNext. Over the next few minutes we will help you setup your ERPNext account. Try and fill in as much information as you have even if it takes a bit longer. It will save you a lot of time later. Good Luck!,ERPNextへようこそ。次の数分間にわたって、私たちはあなたのセットアップあなたERPNextアカウントを助ける。試してみて、あなたはそれは少し時間がかかる場合でも、持っているできるだけ多くの情報を記入。それは後にあなたに多くの時間を節約します。グッドラック! Welcome to ERPNext. Please select your language to begin the Setup Wizard.,ERPNextへようこそ。セットアップウィザードを開始するためにあなたの言語を選択してください。 -What does it do?,アイテムサプライヤー -"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.",予約済み倉庫 -"When submitted, the system creates difference entries to set the given stock and valuation on this date.",組織単位(部門)のマスター。 -Where items are stored.,会計処理のデフォルト設定。 -Where manufacturing operations are carried out.,リードソース +What does it do?,機能 +"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.",チェックしたトランザクションのいずれかが「提出」された場合、電子メールポップアップが自動的に添付ファイルとしてトランザクションと、そのトランザクションに関連する「お問い合わせ」にメールを送信するためにオープンしました。ユーザーは、または電子メールを送信しない場合があります。 +"When submitted, the system creates difference entries to set the given stock and valuation on this date.",提出すると、システムは、この日に与えられた株式および評価を設定するために、差分のエントリが作成されます。 +Where items are stored.,項目が保存される場所。 +Where manufacturing operations are carried out.,製造作業が行われる場所。 Widowed,夫と死別した Will be calculated automatically when you enter the details,[詳細]を入力すると自動的に計算されます Will be updated after Sales Invoice is Submitted.,納品書が送信された後に更新されます。 Will be updated when batched.,バッチ処理時に更新されます。 -Will be updated when billed.,支払い -Wire Transfer,新しいプロジェクト -With Operations,アイテム{0}の開始日と終了日を選択してください -With period closing entry,年間の開始日 -Work Details,署名 -Work Done,株式受信したが銘打たれていません +Will be updated when billed.,請求時に更新されます。 +Wire Transfer,電信送金 +With Operations,操作で +With Period Closing Entry,期間決算仕訳で +Work Details,作業内容 +Work Done,作業が完了 Work In Progress,進行中の作業 -Work-in-Progress Warehouse,転送数量 -Work-in-Progress Warehouse is required before Submit,承認済 -Working,出荷アカウント -Workstation,品質管理 -Workstation Name,キャンペーン名が必要です +Work-in-Progress Warehouse,作業中の倉庫 +Work-in-Progress Warehouse is required before Submit,作業中の倉庫を提出する前に必要です +Working,{0}{/0} {1}就労{/1} +Working Days,営業日 +Workstation,ワークステーション +Workstation Name,ワークステーション名 Write Off Account,アカウントを償却 -Write Off Amount,文字列として品目マスタからフェッチされ、このフィールドに格納されている税の詳細テーブル。\税金、料金のためにN usedは -Write Off Amount <=,小切手 -Write Off Based On,オート素材リクエスト -Write Off Cost Center,負の評価レートは、許可されていません -Write Off Outstanding Amount,きっかけを作る -Write Off Voucher,販売注文を取得 -Wrong Template: Unable to find head row.,レコード項目の移動。 -Year,承認ステータスは「承認」または「拒否」されなければならない -Year Closed,倉庫 +Write Off Amount,額を償却 +Write Off Amount <=,金額を償却<= +Write Off Based On,ベースオンを償却 +Write Off Cost Center,コストセンターを償却 +Write Off Outstanding Amount,発行残高を償却 +Write Off Voucher,バウチャーを償却 +Wrong Template: Unable to find head row.,間違ったテンプレート:ヘッド列が見つかりません。 +Year,年 +Year Closed,年間休館 Year End Date,決算日 -Year Name,お知らせ(日) -Year Start Date,Dropbox -Year of Passing,{0}行{1}ランチ量はアイテムの量と等しくなければなりません -Yearly,標準購入 -Yes,大学院 +Year Name,年間の名前 +Year Start Date,年間の開始日 +Year of Passing,渡すの年 +Yearly,毎年 +Yes,はい You are not authorized to add or update entries before {0},あなたは前にエントリを追加または更新する権限がありません{0} -You are not authorized to set Frozen value,あなたが拒否されたアイテムのストックを維持している倉庫 +You are not authorized to set Frozen value,あなたは冷凍値を設定する権限がありません You are the Expense Approver for this record. Please Update the 'Status' and Save,あなたは、このレコードの経費承認者である。「ステータス」を更新し、保存してください -You are the Leave Approver for this record. Please Update the 'Status' and Save,詳細情報 +You are the Leave Approver for this record. Please Update the 'Status' and Save,あなたは、このレコードに向けて出発承認者である。「ステータス」を更新し、保存してください You can enter any date manually,手動で任意の日付を入力することができます -You can enter the minimum quantity of this item to be ordered.,通貨と価格表 -You can not assign itself as parent account,株式元帳が更新残高エントリ -You can not change rate if BOM mentioned agianst any item,行政官 -You can not enter both Delivery Note No and Sales Invoice No. Please enter any one.,本当にこの素材リクエスト栓を抜くようにしたいですか? -You can not enter current voucher in 'Against Journal Voucher' column,数量や倉庫 -You can set Default Bank Account in Company master,詳細テーブルで項目グループを取得するには -You can start by selecting backup frequency and granting access for sync,オポチュニティから -You can submit this Stock Reconciliation.,csvファイルからの出席をアップロードする +You can enter the minimum quantity of this item to be ordered.,あなたが注文するには、このアイテムの最小量を入力することができます。 +You can not change rate if BOM mentioned agianst any item,BOMが任意の項目agianst述べた場合は、レートを変更することはできません +You can not enter both Delivery Note No and Sales Invoice No. Please enter any one.,あなたは、両方の納品書を入力することはできませんし、納品書番号は、任意の1を入力してください。 +You can not enter current voucher in 'Against Journal Voucher' column,あなたは 'に対するジャーナルバウチャー」の欄に、現在の伝票を入力することはできません +You can set Default Bank Account in Company master,あなたは、会社のマスターにデフォルト銀行口座を設定することができます +You can start by selecting backup frequency and granting access for sync,あなたは、バックアップの頻度を選択し、同期のためのアクセス権を付与することから始めることができます +You can submit this Stock Reconciliation.,あなたは、この株式調整を提出することができます。 You can update either Quantity or Valuation Rate or both.,あなたは、数量または評価レートのいずれか、または両方を更新することができます。 -You cannot credit and debit same account at the same time,バックアップマネージャ -You have entered duplicate items. Please rectify and try again.,オフィスの維持費 -You may need to update: {0},デフォルトの評価方法 -You must Save the form before proceeding,品質検査 -You must allocate amount before reconcile,Equity -Your Customer's TAX registration numbers (if applicable) or any general information,価格表の通貨 +You cannot credit and debit same account at the same time,あなたが同時に同じアカウントをクレジットカードやデビットすることはできません +You have entered duplicate items. Please rectify and try again.,あなたは、重複する項目を入力しました。修正してから、もう一度やり直してください。 +You may need to update: {0},あなたが更新する必要があります:{0} +You must Save the form before proceeding,先に進む前に、フォームを保存する必要があります +Your Customer's TAX registration numbers (if applicable) or any general information,顧客の税務登録番号(該当する場合)、または任意の一般的な情報 Your Customers,あなたの顧客 -Your Login Id,従業員レコードが選択されたフィールドを使用して作成されます。 -Your Products or Services,アパレル&アクセサリー -Your Suppliers,販売登録 -Your email address,国 -Your financial year begins on,これは、ルートの領土であり、編集できません。 -Your financial year ends on,サプライヤー住所 -Your sales person who will contact the customer in future,学術研究 +Your Login Id,ログインID +Your Products or Services,あなたの製品またはサービス +Your Suppliers,サプライヤー +Your email address,メール アドレス +Your financial year begins on,あなたの会計年度は、から始まり +Your financial year ends on,あなたの会計年度は、日に終了 +Your sales person who will contact the customer in future,将来的に顧客に連絡しますあなたの販売員 Your sales person will get a reminder on this date to contact the customer,あなたの営業担当者は、顧客に連絡することをこの日にリマインダが表示されます -Your setup is complete. Refreshing...,あなたのサポートの電子メールIDは、 - 有効な電子メールである必要があります - あなたの電子メールが来る場所です! -Your support email id - must be a valid email - this is where your emails will come!,あなたが親勘定としての地位を割り当てることはできません -[Select],求職者 -`Freeze Stocks Older Than` should be smaller than %d days.,して、プロット -and,申し訳ありませんが、企業はマージできません -are not allowed.,{0}を設定してください -assigned by,アイテム税務行は{0}型の税や収益または費用や課金のアカウントが必要です -"e.g. ""Build tools for builders""",を除く特殊文字「 - 」や「/」シリーズの命名では使用できません -"e.g. ""MC""",お届けする数量 -"e.g. ""My Company LLC""",接頭辞 -e.g. 5,「はい」を選択すると、シリアル番号のマスターで表示することができます。このアイテムの各エンティティに一意のIDを提供します。 -"e.g. Bank, Cash, Credit Card",サプライヤー -"e.g. Kg, Unit, Nos, m",新規購入の領収書 -e.g. VAT,購入単位あたりに消費 -eg. Cheque Number,デフォルトのサプライヤ +Your setup is complete. Refreshing...,あなたのセットアップは完了です。さわやかな... +Your support email id - must be a valid email - this is where your emails will come!,あなたのサポートの電子メールIDは、 - 有効な電子メールである必要があります - あなたの電子メールが来る場所です! +[Error],[ERROR] +[Select],[SELECT] +`Freeze Stocks Older Than` should be smaller than %d days.,`%d個の日数よりも小さくすべきであるより古い`フリーズ株式。 +and,そして友人たち! +are not allowed.,許可されていません。 +assigned by,によって割り当て +cannot be greater than 100,100を超えることはできません +"e.g. ""Build tools for builders""","例えば ""「ビルダーのためのツールを構築" +"e.g. ""MC""","例えば ""MC」" +"e.g. ""My Company LLC""","例えば ""私の会社LLC """ +e.g. 5,例えば5 +"e.g. Bank, Cash, Credit Card",例えば銀行、現金払い、クレジットカード払い +"e.g. Kg, Unit, Nos, m",例えばキロ、ユニット、NOS、M +e.g. VAT,例えば付加価値税(VAT) +eg. Cheque Number,例えば。小切手番号 example: Next Day Shipping,例:翌日発送 lft,LFT old_parent,old_parent -rgt,受信可能にするためのアイテムを購入する -website page link,のDropbox Pythonモジュールをインストールしてください -{0} '{1}' not in Fiscal Year {2},ウェブサイト +rgt,RGT +subject,被験者 +to,上を以下のように変更します。 +website page link,ウェブサイトのページリンク +{0} '{1}' not in Fiscal Year {2},{0} '{1}'ではない年度中の{2} {0} Credit limit {0} crossed,{0}与信限度{0}交差 -{0} Serial Numbers required for Item {0}. Only {0} provided.,アイテム{0}販売項目でなければなりません +{0} Serial Numbers required for Item {0}. Only {0} provided.,{0}商品に必要なシリアル番号{0}。唯一の{0}提供。 {0} budget for Account {1} against Cost Center {2} will exceed by {3},{0}コストセンターに対するアカウントの予算{1}が{2} {3}で超えてしまう -{0} can not be negative,データベースフォルダID -{0} created,アカウントは{0}会社に所属していない{1} +{0} can not be negative,{0}負にすることはできません +{0} created,{0}を作成 {0} does not belong to Company {1},{0}会社に所属していない{1} -{0} entered twice in Item Tax,さらにアカウントがグループの下で行うことができますが、エントリは総勘定に対して行うことができます -{0} is an invalid email address in 'Notification Email Address',期日後にすることはできません{0} +{0} entered twice in Item Tax,{0}商品税回入力 +{0} is an invalid email address in 'Notification Email Address',{0} 'は通知電子メールアドレス」で無効なメールアドレスです {0} is mandatory,{0}は必須です -{0} is mandatory for Item {1},チェックすると、既に印刷速度/印刷量が含まれるように、税額が考慮されます -{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,SSLを使用する +{0} is mandatory for Item {1},{0}商品には必須である{1} +{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0}は必須です。多分両替レコードは{1} {2}へのために作成されていません。 {0} is not a stock Item,{0}の在庫項目ではありません -{0} is not a valid Batch Number for Item {1},親アカウントは存在しません -{0} is not a valid Leave Approver. Removing row #{1}.,退職日は、接合の日付より大きくなければなりません -{0} is not a valid email id,接触していない +{0} is not a valid Batch Number for Item {1},{0}商品に対して有効なバッチ番号ではありません{1} +{0} is not a valid Leave Approver. Removing row #{1}.,{0}は有効な休暇承認者ではありません。削除行#{1}。 +{0} is not a valid email id,{0}は有効な電子メールIDはありません {0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0}、デフォルト年度です。変更を有効にするためにブラウザを更新してください。 {0} is required,{0}が必要である -{0} must be a Purchased or Sub-Contracted Item in row {1},の提出上の電子メールのプロンプト -{0} must be less than or equal to {1},{0}以下に等しくなければなりません{1} -{0} must have role 'Leave Approver',プロセスの給与 -{0} valid serial nos for Item {1},トラックは、産業の種類によってリード。 -{0} {1} against Bill {2} dated {3},どのようにこの通貨は、フォーマットする必要があります?設定されていない場合は、システムデフォルトを使用します -{0} {1} against Invoice {2},株式を更新 -{0} {1} has already been submitted,顧客は、{0}が存在しません -{0} {1} has been modified. Please refresh.,「事件番号から 'は有効を指定してください +{0} must be a Purchased or Sub-Contracted Item in row {1},{0}行{1}で購入または下請項目でなければなりません +{0} must be reduced by {1} or you should increase overflow tolerance,{0} {1}によって減少させなければならないか、オーバーフロー許容値を増やす必要があります +{0} must have role 'Leave Approver',{0}ロール '休暇承認者」を持っている必要があります +{0} valid serial nos for Item {1},アイテム{1} {0}の有効なシリアル番号 +{0} {1} against Bill {2} dated {3},{0} {1}法案に反対{2} {3}日付け +{0} {1} against Invoice {2},{0} {1}請求書に対して{2} +{0} {1} has already been submitted,{0} {1}は、すでに送信されました +{0} {1} has been modified. Please refresh.,{0} {1}が変更されている。更新してください。 {0} {1} is not submitted,{0} {1}は送信されません -{0} {1} must be submitted,メッセージ -{0} {1} not in any Fiscal Year,ユーザに許可 -{0} {1} status is 'Stopped',購入の請求書に対する -{0} {1} status is Stopped,ご購入の請求書を保存するとすれば見えるようになります。 -{0} {1} status is Unstopped,アイテムの詳細 -{0} {1}: Cost Center is mandatory for Item {2},{0}行{1}で購入または下請項目でなければなりません +{0} {1} must be submitted,{0} {1}は、提出しなければならない +{0} {1} not in any Fiscal Year,{0} {1}ないどれ年度中 +{0} {1} status is 'Stopped',{0} {1}ステータスが「停止」されている +{0} {1} status is Stopped,{0} {1}の状態を停止させる +{0} {1} status is Unstopped,{0} {1}ステータスが塞がです +{0} {1}: Cost Center is mandatory for Item {2},{0} {1}:コストセンターではアイテムのために必須である{2} +{0}: {1} not found in Invoice Details table,{0}:{1}請求書詳細テーブルにない diff --git a/erpnext/translations/kn.csv b/erpnext/translations/kn.csv index 4bfeb613b2..a3675c7990 100644 --- a/erpnext/translations/kn.csv +++ b/erpnext/translations/kn.csv @@ -14,7 +14,6 @@ % of materials delivered against this Sales Order,ಈ ಮಾರಾಟದ ಆರ್ಡರ್ ವಿರುದ್ಧ ವಿತರಿಸಲಾಯಿತು ವಸ್ತುಗಳ % % of materials ordered against this Material Request,ಈ ಮೆಟೀರಿಯಲ್ ವಿನಂತಿ ವಿರುದ್ಧ ಆದೇಶ ವಸ್ತುಗಳ % % of materials received against this Purchase Order,ವಸ್ತುಗಳ % ಈ ಪರ್ಚೇಸ್ ಆರ್ಡರ್ ವಿರುದ್ಧ ಪಡೆದರು -%(conversion_rate_label)s is mandatory. Maybe Currency Exchange record is not created for %(from_currency)s to %(to_currency)s,% ( Conversion_rate_label ) ಗಳು ಕಡ್ಡಾಯ. ಬಹುಶಃ ಕರೆನ್ಸಿ ವಿನಿಮಯ ದಾಖಲೆ % ದಾಖಲಿಸಿದವರು ಇದೆ ( from_currency ) ಗಳು % ಗೆ ( to_currency ) ರು 'Actual Start Date' can not be greater than 'Actual End Date',' ನಿಜವಾದ ಆರಂಭ ದಿನಾಂಕ ' ಗ್ರೇಟರ್ ದ್ಯಾನ್ ' ನಿಜವಾದ ಅಂತಿಮ ದಿನಾಂಕ ' ಸಾಧ್ಯವಿಲ್ಲ 'Based On' and 'Group By' can not be same,'ಆಧರಿಸಿ ' ಮತ್ತು ' ಗುಂಪಿನ ' ಇರಲಾಗುವುದಿಲ್ಲ 'Days Since Last Order' must be greater than or equal to zero,' ಕೊನೆಯ ಆರ್ಡರ್ ರಿಂದ ಡೇಸ್ ' ಹೆಚ್ಚು ಅಥವಾ ಶೂನ್ಯಕ್ಕೆ ಸಮಾನವಾಗಿರುತ್ತದೆ ಇರಬೇಕು @@ -30,11 +29,35 @@ 'Update Stock' for Sales Invoice {0} must be set,ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ' ಅಪ್ಡೇಟ್ ಸ್ಟಾಕ್ ' {0} ಸೆಟ್ ಮಾಡಬೇಕು * Will be calculated in the transaction.,* ಲೆಕ್ಕಾಚಾರ ಮಾಡಲಾಗುತ್ತದೆ ವ್ಯವಹಾರದಲ್ಲಿ ಆಗಿದೆ . "1 Currency = [?] Fraction -For e.g. 1 USD = 100 Cent",1 ಕರೆನ್ಸಿ = [ ? ] ಫ್ರ್ಯಾಕ್ಷನ್ \ nFor ಉದಾಹರಣೆಗೆ +For e.g. 1 USD = 100 Cent","1 ಕರೆನ್ಸಿ = [?] ಫ್ರ್ಯಾಕ್ಷನ್ + ಉದಾ 1 ಡಾಲರ್ = 100 ಸೆಂಟ್" 1. To maintain the customer wise item code and to make them searchable based on their code use this option,1 ಬುದ್ಧಿವಂತ ಗ್ರಾಹಕ ಐಟಂ ಕೋಡ್ ನಿರ್ವಹಿಸಲು ಮತ್ತು ತಮ್ಮ ಕೋಡ್ ಬಳಕೆ ಈ ಆಯ್ಕೆಯನ್ನು ಆಧರಿಸಿ ಅವುಗಳನ್ನು ಹುಡುಕಲು ಸುಲಭವಾಗುವಂತೆ "
Add / Edit","ಕವಿದ href=""#Sales Browser/Customer Group""> ಸೇರಿಸಿ / ಸಂಪಾದಿಸಿ " "Add / Edit","ಕವಿದ href=""#Sales Browser/Item Group""> ಸೇರಿಸಿ / ಸಂಪಾದಿಸಿ " "Add / Edit","ಕವಿದ href=""#Sales Browser/Territory""> ಸೇರಿಸಿ / ಸಂಪಾದಿಸಿ " +"

Default Template

+

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

+
{{ address_line1 }}<br>
+{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}
+{{ city }}<br>
+{% if state %}{{ state }}<br>{% endif -%}
+{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}
+{{ country }}<br>
+{% if phone %}Phone: {{ phone }}<br>{% endif -%}
+{% if fax %}Fax: {{ fax }}<br>{% endif -%}
+{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
+
","

ಡೀಫಾಲ್ಟ್ ಟೆಂಪ್ಲೇಟು +

ಕವಿದ href=""http://jinja.pocoo.org/docs/templates/""> ಜಿಂಜ Templating ಮತ್ತು ವಿಳಾಸ ಎಲ್ಲಾ ಜಾಗ (ಉಪಯೋಗಗಳು ಕಸ್ಟಮ್ ಫೀಲ್ಡ್ಸ್ ಯಾವುದೇ ವೇಳೆ) ಸೇರಿದಂತೆ ಲಭ್ಯವಾಗುತ್ತದೆ +

  {{address_line1}} 
+ {% ವೇಳೆ address_line2%} {{address_line2}} {
% * ಪಾಸ್ ವರ್ಡ್ -%} + {{ನಗರ}}
+ {% ವೇಳೆ ರಾಜ್ಯದ%} {{ರಾಜ್ಯದ}}
{% * ಪಾಸ್ ವರ್ಡ್ -%} + {% ವೇಳೆ ಪಿನ್ ಕೋಡ್%} ಪಿನ್: {{ಪಿನ್ ಕೋಡ್}}
{% * ಪಾಸ್ ವರ್ಡ್ -%} + {{}} ದೇಶದ
+ {% ವೇಳೆ ಫೋನ್%} ದೂರವಾಣಿ: {{ಫೋನ್}} {
% * ಪಾಸ್ ವರ್ಡ್ -%} + {% ವೇಳೆ ಫ್ಯಾಕ್ಸ್%} ಫ್ಯಾಕ್ಸ್: {{ಫ್ಯಾಕ್ಸ್}}
{% * ಪಾಸ್ ವರ್ಡ್ -%} + {% email_id%} ಇಮೇಲ್ ವೇಳೆ: {{email_id}}
; {% * ಪಾಸ್ ವರ್ಡ್ -%} + " A Customer Group exists with same name please change the Customer name or rename the Customer Group,ಎ ಗ್ರಾಹಕ ಗುಂಪಿನ ಅದೇ ಹೆಸರಿನಲ್ಲಿ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ ಗ್ರಾಹಕ ಹೆಸರನ್ನು ಬದಲಾಯಿಸಲು ಅಥವಾ ಗ್ರಾಹಕ ಗುಂಪಿನ ಹೆಸರನ್ನು ದಯವಿಟ್ಟು A Customer exists with same name,ಒಂದು ಗ್ರಾಹಕ ಅದೇ ಹೆಸರಿನಲ್ಲಿ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ A Lead with this email id should exist,ಈ ಇಮೇಲ್ ಐಡಿ Shoulderstand ಒಂದು ಪ್ರಮುಖ ಅಸ್ತಿತ್ವದಲ್ಲಿವೆ @@ -44,7 +67,6 @@ A symbol for this currency. For e.g. $,ಈ ಕರೆನ್ಸಿ ಒಂದು AMC Expiry Date,ಎಎಂಸಿ ಅಂತ್ಯ ದಿನಾಂಕ Abbr,ರದ್ದು Abbreviation cannot have more than 5 characters,ಸಂಕ್ಷೇಪಣ ಹೆಚ್ಚು 5 ಪಾತ್ರಗಳು ಸಾಧ್ಯವಿಲ್ಲ -About,ಕುರಿತು Above Value,ಮೌಲ್ಯದ ಮೇಲೆ Absent,ಆಬ್ಸೆಂಟ್ Acceptance Criteria,ಒಪ್ಪಿಕೊಳ್ಳುವ ಅಳತೆಗೋಲುಗಳನ್ನು @@ -59,6 +81,8 @@ Account Details,ಖಾತೆ ವಿವರಗಳು Account Head,ಖಾತೆ ಹೆಡ್ Account Name,ಖಾತೆ ಹೆಸರು Account Type,ಖಾತೆ ಪ್ರಕಾರ +"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","ಖಾತೆ ಸಮತೋಲನ ಈಗಾಗಲೇ ಕ್ರೆಡಿಟ್, ನೀವು ಹೊಂದಿಸಲು ಅನುಮತಿ ಇಲ್ಲ 'ಡೆಬಿಟ್' ಎಂದು 'ಬ್ಯಾಲೆನ್ಸ್ ಇರಲೇಬೇಕು'" +"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","ಈಗಾಗಲೇ ಡೆಬಿಟ್ ರಲ್ಲಿ ಖಾತೆ ಸಮತೋಲನ, ನೀವು 'ಕ್ರೆಡಿಟ್' 'ಬ್ಯಾಲೆನ್ಸ್ ಇರಬೇಕು ಹೊಂದಿಸಲು ಅನುಮತಿ ಇಲ್ಲ" Account for the warehouse (Perpetual Inventory) will be created under this Account.,ಗೋದಾಮಿನ ( ಸಾರ್ವಕಾಲಿಕ ದಾಸ್ತಾನು ) ಖಾತೆ ಈ ಖಾತೆಯ ಅಡಿಯಲ್ಲಿ ನಿರ್ಮಿಸಲಾಗುತ್ತದೆ. Account head {0} created,ಖಾತೆ ತಲೆ {0} ದಾಖಲಿಸಿದವರು Account must be a balance sheet account,ಖಾತೆ ಆಯವ್ಯಯ ಖಾತೆ ಇರಬೇಕು @@ -68,13 +92,20 @@ Account with existing transaction can not be deleted,ಅಸ್ತಿತ್ವದ Account with existing transaction cannot be converted to ledger,ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ವಹಿವಾಟು ಖಾತೆ ಲೆಡ್ಜರ್ ಪರಿವರ್ತನೆ ಸಾಧ್ಯವಿಲ್ಲ Account {0} cannot be a Group,ಖಾತೆ {0} ಒಂದು ಗುಂಪು ಸಾಧ್ಯವಿಲ್ಲ Account {0} does not belong to Company {1},ಖಾತೆ {0} ಕಂಪನಿ ಸೇರುವುದಿಲ್ಲ {1} +Account {0} does not belong to company: {1},ಖಾತೆ {0} ಕಂಪನಿ ಸೇರುವುದಿಲ್ಲ: {1} Account {0} does not exist,ಖಾತೆ {0} ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ Account {0} has been entered more than once for fiscal year {1},ಖಾತೆ {0} ಹೆಚ್ಚು ಹಣಕಾಸಿನ ವರ್ಷ ಒಂದಕ್ಕಿಂತ ನಮೂದಿಸಲಾದ {1} Account {0} is frozen,ಖಾತೆ {0} ಹೆಪ್ಪುಗಟ್ಟಿರುವ Account {0} is inactive,ಖಾತೆ {0} ನಿಷ್ಕ್ರಿಯ +Account {0} is not valid,ಖಾತೆ {0} ಮಾನ್ಯವಾಗಿಲ್ಲ Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item,ಐಟಂ {1} ಆಸ್ತಿ ಐಟಂ ಖಾತೆ {0} ಬಗೆಯ ' ಸ್ಥಿರ ಆಸ್ತಿ ' ಇರಬೇಕು +Account {0}: Parent account {1} can not be a ledger,ಖಾತೆ {0}: ಪೋಷಕರ ಖಾತೆಯ {1} ಒಂದು ಲೆಡ್ಜರ್ ಸಾಧ್ಯವಿಲ್ಲ +Account {0}: Parent account {1} does not belong to company: {2},ಖಾತೆ {0}: ಪೋಷಕರ ಖಾತೆಯ {1} ಕಂಪನಿ ಸೇರುವುದಿಲ್ಲ: {2} +Account {0}: Parent account {1} does not exist,ಖಾತೆ {0}: ಪೋಷಕರ ಖಾತೆಯ {1} ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ +Account {0}: You can not assign itself as parent account,ಖಾತೆ {0}: ನೀವು ಪೋಷಕರ ಖಾತೆಯ ಎಂದು ಸ್ವತಃ ನಿಯೋಜಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ "Account: {0} can only be updated via \ - Stock Transactions",ಖಾತೆ : {0} ಮಾತ್ರ ಎನ್ ಸ್ಟಾಕ್ ಟ್ರಾನ್ಸಾಕ್ಷನ್ಸ್ \ \ ಮೂಲಕ ಅಪ್ಡೇಟ್ಗೊಳಿಸಲಾಗಿದೆ ಮಾಡಬಹುದು + Stock Transactions","ಖಾತೆ: \ + ಸ್ಟಾಕ್ ಟ್ರಾನ್ಸಾಕ್ಷನ್ಸ್ {0} ಕೇವಲ ಮೂಲಕ ಅಪ್ಡೇಟ್ಗೊಳಿಸಲಾಗಿದೆ ಮಾಡಬಹುದು" Accountant,ಅಕೌಂಟೆಂಟ್ Accounting,ಲೆಕ್ಕಪರಿಶೋಧಕ "Accounting Entries can be made against leaf nodes, called","ಲೆಕ್ಕಪರಿಶೋಧಕ ನಮೂದುಗಳು ಎಂಬ , ಲೀಫ್ ನೋಡ್ಗಳು ವಿರುದ್ಧ ಮಾಡಬಹುದು" @@ -124,6 +155,7 @@ Address Details,ವಿಳಾಸ ವಿವರಗಳು Address HTML,ವಿಳಾಸ ಎಚ್ಟಿಎಮ್ಎಲ್ Address Line 1,ಲೈನ್ 1 ವಿಳಾಸ Address Line 2,ಲೈನ್ 2 ವಿಳಾಸ +Address Template,ವಿಳಾಸ ಟೆಂಪ್ಲೇಟು Address Title,ವಿಳಾಸ ಶೀರ್ಷಿಕೆ Address Title is mandatory.,ವಿಳಾಸ ಶೀರ್ಷಿಕೆ ಕಡ್ಡಾಯ. Address Type,ವಿಳಾಸ ಪ್ರಕಾರ @@ -144,7 +176,6 @@ Against Docname,docName ವಿರುದ್ಧ Against Doctype,DOCTYPE ವಿರುದ್ಧ Against Document Detail No,ಡಾಕ್ಯುಮೆಂಟ್ ವಿವರ ವಿರುದ್ಧ ನಂ Against Document No,ಡಾಕ್ಯುಮೆಂಟ್ ನಂ ವಿರುದ್ಧ -Against Entries,ನಮೂದುಗಳು ವಿರುದ್ಧ Against Expense Account,ವೆಚ್ಚದಲ್ಲಿ ಖಾತೆಯನ್ನು ವಿರುದ್ಧ Against Income Account,ಆದಾಯ ಖಾತೆ ವಿರುದ್ಧ Against Journal Voucher,ಜರ್ನಲ್ ಚೀಟಿ ವಿರುದ್ಧ @@ -180,10 +211,8 @@ All Territories,ಎಲ್ಲಾ ಪ್ರಾಂತ್ಯಗಳು "All export related fields like currency, conversion rate, export total, export grand total etc are available in Delivery Note, POS, Quotation, Sales Invoice, Sales Order etc.","ಕರೆನ್ಸಿ , ಪರಿವರ್ತನೆ ದರ , ಒಟ್ಟು ರಫ್ತು , ರಫ್ತು grandtotal ಇತ್ಯಾದಿ ಎಲ್ಲಾ ರಫ್ತು ಆಧಾರಿತ ಜಾಗ ಇತ್ಯಾದಿ ಡೆಲಿವರಿ ನೋಟ್, ಪಿಓಎಸ್ , ಉದ್ಧರಣ , ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ , ಮಾರಾಟದ ಆರ್ಡರ್ ಲಭ್ಯವಿದೆ" "All import related fields like currency, conversion rate, import total, import grand total etc are available in Purchase Receipt, Supplier Quotation, Purchase Invoice, Purchase Order etc.","ಕರೆನ್ಸಿ , ಪರಿವರ್ತನೆ ದರ , ಒಟ್ಟು ಆಮದು , ಆಮದು grandtotal ಇತ್ಯಾದಿ ಎಲ್ಲಾ ಆಮದು ಸಂಬಂಧಿಸಿದ ಜಾಗ ಇತ್ಯಾದಿ ಖರೀದಿ ರಸೀತಿ , ಸರಬರಾಜುದಾರ ಉದ್ಧರಣ , ಖರೀದಿ ಸರಕುಪಟ್ಟಿ , ಪರ್ಚೇಸ್ ಆರ್ಡರ್ ಲಭ್ಯವಿದೆ" All items have already been invoiced,ಎಲ್ಲಾ ಐಟಂಗಳನ್ನು ಈಗಾಗಲೇ ಸರಕುಪಟ್ಟಿ ಮಾಡಲಾಗಿದೆ -All items have already been transferred for this Production Order.,ಎಲ್ಲಾ ಐಟಂಗಳನ್ನು ಈಗಾಗಲೇ ಈ ನಿರ್ಮಾಣ ಆದೇಶಕ್ಕೆ ವರ್ಗಾಯಿಸಲಾಗಿದೆ. All these items have already been invoiced,ಈ ಎಲ್ಲಾ ವಸ್ತುಗಳನ್ನು ಈಗಾಗಲೇ ಸರಕುಪಟ್ಟಿ ಮಾಡಲಾಗಿದೆ Allocate,ಗೊತ್ತುಪಡಿಸು -Allocate Amount Automatically,ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಪ್ರಮಾಣ ನಿಯೋಜಿಸಿ Allocate leaves for a period.,ಕಾಲ ಎಲೆಗಳು ನಿಯೋಜಿಸಿ. Allocate leaves for the year.,ವರ್ಷದ ಎಲೆಗಳು ನಿಯೋಜಿಸಿ. Allocated Amount,ಹಂಚಿಕೆ ಪ್ರಮಾಣ @@ -204,13 +233,13 @@ Allow Users,ಬಳಕೆದಾರರನ್ನು ಅನುಮತಿಸಿ Allow the following users to approve Leave Applications for block days.,ಕೆಳಗಿನ ಬಳಕೆದಾರರಿಗೆ ಬ್ಲಾಕ್ ದಿನಗಳ ಬಿಟ್ಟು ಅನ್ವಯಗಳು ಅನುಮೋದಿಸಲು ಅನುಮತಿಸಿ . Allow user to edit Price List Rate in transactions,ಬಳಕೆದಾರ ವ್ಯವಹಾರಗಳಲ್ಲಿ ಬೆಲೆ ಪಟ್ಟಿ ದರ ಸಂಪಾದಿಸಲು ಅನುಮತಿಸಿ Allowance Percent,ಭತ್ಯೆ ಪರ್ಸೆಂಟ್ -Allowance for over-delivery / over-billing crossed for Item {0},ಸೇವನೆ ಮೇಲೆ ಮಾಡುವ / ಅತಿ ಬಿಲ್ಲಿಂಗ್ ಐಟಂ ದಾಟಿ {0} +Allowance for over-{0} crossed for Item {1},ಸೇವನೆ ಮೇಲೆ {0} ಐಟಂ ದಾಟಿದೆ ಫಾರ್ {1} +Allowance for over-{0} crossed for Item {1}.,ಸೇವನೆ ಮೇಲೆ {0} ಐಟಂ ದಾಟಿದೆ ಫಾರ್ {1}. Allowed Role to Edit Entries Before Frozen Date,ಪಾತ್ರ ಘನೀಕೃತ ಮುಂಚೆ ನಮೂದುಗಳು ಸಂಪಾದಿಸಿ ಅನುಮತಿಸಲಾಗಿದೆ Amended From,ಗೆ ತಿದ್ದುಪಡಿ Amount,ಪ್ರಮಾಣ Amount (Company Currency),ಪ್ರಮಾಣ ( ಕರೆನ್ಸಿ ಕಂಪನಿ ) -Amount <=,ಪ್ರಮಾಣ < = -Amount >=,ಪ್ರಮಾಣ > = +Amount Paid,ಮೊತ್ತವನ್ನು Amount to Bill,ಬಿಲ್ ಪ್ರಮಾಣ An Customer exists with same name,ಗ್ರಾಹಕ ಅದೇ ಹೆಸರಿನ ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ "An Item Group exists with same name, please change the item name or rename the item group","ಐಟಂ ಗುಂಪು ಅದೇ ಹೆಸರಿನಲ್ಲಿ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ , ಐಟಂ ಹೆಸರನ್ನು ಬದಲಾಯಿಸಲು ಅಥವಾ ಐಟಂ ಗುಂಪು ಹೆಸರನ್ನು ದಯವಿಟ್ಟು" @@ -260,6 +289,7 @@ As per Stock UOM,ಸ್ಟಾಕ್ UOM ಪ್ರಕಾರ Asset,ಆಸ್ತಿಪಾಸ್ತಿ Assistant,ಸಹಾಯಕ Associate,ಜತೆಗೂಡಿದ +Atleast one of the Selling or Buying must be selected,ಮಾರಾಟ ಅಥವಾ ಖರೀದಿ ಆಫ್ ಕನಿಷ್ಠ ಒಂದು ಆಯ್ಕೆ ಮಾಡಬೇಕು Atleast one warehouse is mandatory,ಕನಿಷ್ಠ ಒಂದು ಗೋದಾಮಿನ ಕಡ್ಡಾಯ Attach Image,ಚಿತ್ರ ಲಗತ್ತಿಸಿ Attach Letterhead,ತಲೆಬರಹ ಲಗತ್ತಿಸಿ @@ -319,6 +349,7 @@ Balance for Account {0} must always be {1},{0} ಯಾವಾಗಲೂ ಇರಬ Balance must be,ಬ್ಯಾಲೆನ್ಸ್ ಇರಬೇಕು "Balances of Accounts of type ""Bank"" or ""Cash""","ಮಾದರಿ "" ಬ್ಯಾಂಕ್ "" ಖಾತೆಗಳ ಸಮತೋಲನ ಅಥವಾ ""ಕ್ಯಾಶ್""" Bank,ಬ್ಯಾಂಕ್ +Bank / Cash Account,ಬ್ಯಾಂಕ್ / ನಗದು ಖಾತೆ Bank A/C No.,ಬ್ಯಾಂಕ್ ಎ / ಸಿ ಸಂಖ್ಯೆ Bank Account,ಠೇವಣಿ ವಿವರ Bank Account No.,ಬ್ಯಾಂಕ್ ಖಾತೆ ಸಂಖ್ಯೆ @@ -397,18 +428,24 @@ Budget Distribution Details,ಬಜೆಟ್ ವಿತರಣೆ ವಿವರಗ Budget Variance Report,ಬಜೆಟ್ ವೈಷಮ್ಯವನ್ನು ವರದಿ Budget cannot be set for Group Cost Centers,ಬಜೆಟ್ ಗ್ರೂಪ್ ವೆಚ್ಚ ಸೆಂಟರ್ಸ್ ಹೊಂದಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ Build Report,ವರದಿ ಬಿಲ್ಡ್ -Built on,ಕಟ್ಟಲಾಗಿದೆ Bundle items at time of sale.,ಮಾರಾಟದ ಸಮಯದಲ್ಲಿ ಐಟಂಗಳನ್ನು ಬಂಡಲ್. Business Development Manager,ವ್ಯವಹಾರ ಅಭಿವೃದ್ಧಿ ವ್ಯವಸ್ಥಾಪಕ Buying,ಖರೀದಿ Buying & Selling,ಖರೀದಿ ಮತ್ತು ಮಾರಾಟದ Buying Amount,ಪ್ರಮಾಣ ಖರೀದಿ Buying Settings,ಸೆಟ್ಟಿಂಗ್ಗಳು ಖರೀದಿ +"Buying must be checked, if Applicable For is selected as {0}","ಅನ್ವಯಿಸುವ ಹಾಗೆ ಆರಿಸಿದರೆ ಖರೀದಿ, ಪರೀಕ್ಷಿಸಬೇಕು {0}" C-Form,ಸಿ ಆಕಾರ C-Form Applicable,ಅನ್ವಯಿಸುವ ಸಿ ಆಕಾರ C-Form Invoice Detail,ಸಿ ಆಕಾರ ಸರಕುಪಟ್ಟಿ ವಿವರ C-Form No,ಸಿ ಫಾರ್ಮ್ ನಂ C-Form records,ಸಿ ಆಕಾರ ರೆಕಾರ್ಡ್ಸ್ +CENVAT Capital Goods,CENVAT ಕ್ಯಾಪಿಟಲ್ ಗೂಡ್ಸ್ +CENVAT Edu Cess,CENVAT ಶತಾವರಿ Cess +CENVAT SHE Cess,CENVAT ಶಿ Cess +CENVAT Service Tax,CENVAT ಸೇವೆ ತೆರಿಗೆ +CENVAT Service Tax Cess 1,CENVAT ಸೇವೆ ತೆರಿಗೆ Cess 1 +CENVAT Service Tax Cess 2,CENVAT ಸೇವೆ ತೆರಿಗೆ Cess 2 Calculate Based On,ಆಧರಿಸಿದ ಲೆಕ್ಕ Calculate Total Score,ಒಟ್ಟು ಸ್ಕೋರ್ ಲೆಕ್ಕ Calendar Events,ಕ್ಯಾಲೆಂಡರ್ ಕ್ರಿಯೆಗಳು @@ -432,7 +469,7 @@ Cannot approve leave as you are not authorized to approve leaves on Block Dates, Cannot cancel because Employee {0} is already approved for {1},ನೌಕರರ {0} ಈಗಾಗಲೇ ಅನುಮೋದನೆ ಕಾರಣ ರದ್ದುಗೊಳಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ {1} Cannot cancel because submitted Stock Entry {0} exists,ಸಲ್ಲಿಸಿದ ಸ್ಟಾಕ್ ಎಂಟ್ರಿ {0} ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ ಏಕೆಂದರೆ ರದ್ದುಗೊಳಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ Cannot carry forward {0},ಸಾಧ್ಯವಿಲ್ಲ carryforward {0} -Cannot change Year Start Date and Year End Date once the Fiscal Year is saved.,ವರ್ಷದ ಆರಂಭ ದಿನಾಂಕ ಮತ್ತು ಹಣಕಾಸಿನ ವರ್ಷ ಉಳಿಸಲಾಗಿದೆ ಒಮ್ಮೆ ವರ್ಷಾಂತ್ಯದ ದಿನಾಂಕ ಬದಲಾಯಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ . +Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,ಹಣಕಾಸಿನ ವರ್ಷ ಪ್ರಾರಂಭ ದಿನಾಂಕ ಮತ್ತು ಹಣಕಾಸಿನ ವರ್ಷ ಉಳಿಸಲಾಗಿದೆ ಒಮ್ಮೆ ಹಣಕಾಸಿನ ವರ್ಷದ ಅಂತ್ಯ ದಿನಾಂಕ ಬದಲಾಯಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ. "Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ವ್ಯವಹಾರಗಳು ಇರುವುದರಿಂದ, ಕಂಪನಿಯ ಡೀಫಾಲ್ಟ್ ಕರೆನ್ಸಿ ಬದಲಾಯಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ . ಟ್ರಾನ್ಸಾಕ್ಷನ್ಸ್ ಡೀಫಾಲ್ಟ್ ಕರೆನ್ಸಿ ಬದಲಾಯಿಸಲು ರದ್ದು ಮಾಡಬೇಕು ." Cannot convert Cost Center to ledger as it has child nodes,ಆಲ್ಡ್ವಿಚ್ childNodes ಲೆಡ್ಜರ್ ಒಂದು ವೆಚ್ಚದ ಕೇಂದ್ರವಾಗಿ ಪರಿವರ್ತಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ Cannot covert to Group because Master Type or Account Type is selected.,ಮಾಸ್ಟರ್ ಟೈಪ್ ಅಥವಾ ಖಾತೆ ಕೌಟುಂಬಿಕತೆ ಆಯ್ಕೆ ಏಕೆಂದರೆ ಗ್ರೂಪ್ ನಿಗೂಢ ಸಾಧ್ಯವಿಲ್ಲ . @@ -441,7 +478,7 @@ Cannot deactive or cancle BOM as it is linked with other BOMs,ಇದು ಇತ Cannot deduct when category is for 'Valuation' or 'Valuation and Total',ವರ್ಗದಲ್ಲಿ ' ಮೌಲ್ಯಾಂಕನ ' ಅಥವಾ ' ಮೌಲ್ಯಾಂಕನ ಮತ್ತು ಒಟ್ಟು ' ಫಾರ್ ಯಾವಾಗ ಕಡಿತಗೊಳಿಸದಿರುವುದರ ಸಾಧ್ಯವಿಲ್ಲ "Cannot delete Serial No {0} in stock. First remove from stock, then delete.","ಸ್ಟಾಕ್ ನೆಯ {0} ಅಳಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ . ಮೊದಲ ಅಳಿಸಿ ನಂತರ , ಸ್ಟಾಕ್ ತೆಗೆದುಹಾಕಿ." "Cannot directly set amount. For 'Actual' charge type, use the rate field","ನೇರವಾಗಿ ಪ್ರಮಾಣದ ಸೆಟ್ ಮಾಡಲಾಗುವುದಿಲ್ಲ. 'ವಾಸ್ತವಿಕ' ಬ್ಯಾಚ್ ಮಾದರಿ , ದರ ಕ್ಷೇತ್ರದಲ್ಲಿ ಬಳಸಲು" -"Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in 'Setup' > 'Global Defaults'","ಕ್ಯಾನ್ ಹೆಚ್ಚು ಐಟಂ ಬಿಲ್ ಮೇಲೆ {0} ಸತತವಾಗಿ {0} ಹೆಚ್ಚು {1} . Overbilling ಅವಕಾಶ , ' ಜಾಗತಿಕ ಪೂರ್ವನಿಯೋಜಿತಗಳು ' > ' ಸೆಟಪ್ ' ಸೆಟ್ ದಯವಿಟ್ಟು" +"Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in Stock Settings","{1} ಹೆಚ್ಚು {0} ಹೆಚ್ಚು ಸತತವಾಗಿ ಐಟಂ {0} ಗಾಗಿ overbill ಸಾಧ್ಯವಿಲ್ಲ. Overbilling ಅವಕಾಶ, ಸ್ಟಾಕ್ ಸಂಯೋಜನೆಗಳು ಸೆಟ್ ದಯವಿಟ್ಟು" Cannot produce more Item {0} than Sales Order quantity {1},ಹೆಚ್ಚು ಐಟಂ ಉತ್ಪಾದಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ {0} ಹೆಚ್ಚು ಮಾರಾಟದ ಆರ್ಡರ್ ಪ್ರಮಾಣ {1} Cannot refer row number greater than or equal to current row number for this Charge type,ಈ ಬ್ಯಾಚ್ ಮಾದರಿ ಸಾಲು ಸಂಖ್ಯೆ ಹೆಚ್ಚಿನ ಅಥವಾ ಪ್ರಸ್ತುತ ಸಾಲಿನ ಸಂಖ್ಯೆ ಸಮಾನವಾಗಿರುತ್ತದೆ ಸೂಚಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ Cannot return more than {0} for Item {1},ಹೆಚ್ಚು ಮರಳಲು ಸಾಧ್ಯವಿಲ್ಲ {0} ಐಟಂ {1} @@ -504,6 +541,8 @@ Click on a link to get options to expand get options , Client,ಕಕ್ಷಿಗಾರ Close Balance Sheet and book Profit or Loss.,ಮುಚ್ಚಿ ಬ್ಯಾಲೆನ್ಸ್ ಶೀಟ್ ಮತ್ತು ಪುಸ್ತಕ ಲಾಭ ಅಥವಾ ನಷ್ಟ . Closed,ಮುಚ್ಚಲಾಗಿದೆ +Closing (Cr),ಮುಚ್ಚುವ (ಸಿಆರ್) +Closing (Dr),ಮುಚ್ಚುವ (ಡಾ) Closing Account Head,ಖಾತೆ ಮುಚ್ಚುವಿಕೆಗೆ ಹೆಡ್ Closing Account {0} must be of type 'Liability',ಖಾತೆ {0} ಕ್ಲೋಸಿಂಗ್ ಮಾದರಿ ' ಹೊಣೆಗಾರಿಕೆ ' ಇರಬೇಕು Closing Date,ದಿನಾಂಕ ಕ್ಲೋಸಿಂಗ್ @@ -514,7 +553,9 @@ CoA Help,ಸಿಓಎ ಸಹಾಯ Code,ಕೋಡ್ Cold Calling,ಶೀತಲ ದೂರವಾಣಿ Color,ಬಣ್ಣ +Column Break,ಕಾಲಮ್ ಬ್ರೇಕ್ Comma separated list of email addresses,ಅಲ್ಪವಿರಾಮದಿಂದ ಇಮೇಲ್ ವಿಳಾಸಗಳನ್ನು ಬೇರ್ಪಡಿಸಲಾದ ಪಟ್ಟಿ +Comment,ಟಿಪ್ಪಣಿ Comments,ಪ್ರತಿಕ್ರಿಯೆಗಳು Commercial,ವ್ಯಾಪಾರದ Commission,ಆಯೋಗ @@ -599,7 +640,6 @@ Cosmetics,ಕಾಸ್ಮೆಟಿಕ್ಸ್ Cost Center,ವೆಚ್ಚ ಸೆಂಟರ್ Cost Center Details,ಸೆಂಟರ್ ವಿವರಗಳು ವೆಚ್ಚ Cost Center Name,ವೆಚ್ಚದ ಕೇಂದ್ರವಾಗಿ ಹೆಸರು -Cost Center is mandatory for Item {0},ವೆಚ್ಚ ಸೆಂಟರ್ ಐಟಂ ಕಡ್ಡಾಯ {0} Cost Center is required for 'Profit and Loss' account {0},ವೆಚ್ಚ ಸೆಂಟರ್ ' ಲಾಭ ಮತ್ತು ನಷ್ಟ ' ಖಾತೆ ಅಗತ್ಯವಿದೆ {0} Cost Center is required in row {0} in Taxes table for type {1},ವೆಚ್ಚ ಸೆಂಟರ್ ಸಾಲು ಅಗತ್ಯವಿದೆ {0} ತೆರಿಗೆಗಳು ಕೋಷ್ಟಕದಲ್ಲಿ ಮಾದರಿ {1} Cost Center with existing transactions can not be converted to group,ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ವ್ಯವಹಾರಗಳು ವೆಚ್ಚ ಸೆಂಟರ್ ಗುಂಪು ಪರಿವರ್ತನೆ ಸಾಧ್ಯವಿಲ್ಲ @@ -609,6 +649,7 @@ Cost of Goods Sold,ಮಾರಿದ ವಸ್ತುಗಳ ಬೆಲೆ Costing,ಕಾಸ್ಟಿಂಗ್ Country,ದೇಶ Country Name,ದೇಶದ ಹೆಸರು +Country wise default Address Templates,ದೇಶದ ಬುದ್ಧಿವಂತ ಡೀಫಾಲ್ಟ್ ವಿಳಾಸ ಟೆಂಪ್ಲೇಟ್ಗಳು "Country, Timezone and Currency","ದೇಶ , ಕಾಲ ವಲಯ ಮತ್ತು ಕರೆನ್ಸಿ" Create Bank Voucher for the total salary paid for the above selected criteria,ಮೇಲೆ ಆಯ್ಕೆ ಮಾನದಂಡಗಳನ್ನು ಒಟ್ಟು ವೇತನ ಬ್ಯಾಂಕ್ ಚೀಟಿ ರಚಿಸಿ Create Customer,ಗ್ರಾಹಕ ರಚಿಸಿ @@ -662,10 +703,12 @@ Customer (Receivable) Account,ಗ್ರಾಹಕ ( ಸ್ವೀಕರಿಸ Customer / Item Name,ಗ್ರಾಹಕ / ಐಟಂ ಹೆಸರು Customer / Lead Address,ಗ್ರಾಹಕ / ಲೀಡ್ ವಿಳಾಸ Customer / Lead Name,ಗ್ರಾಹಕ / ಲೀಡ್ ಹೆಸರು +Customer > Customer Group > Territory,ಗ್ರಾಹಕ> ಗ್ರಾಹಕ ಗುಂಪಿನ> ಪ್ರದೇಶ Customer Account Head,ಗ್ರಾಹಕ ಖಾತೆಯನ್ನು ಹೆಡ್ Customer Acquisition and Loyalty,ಗ್ರಾಹಕ ಸ್ವಾಧೀನ ಮತ್ತು ನಿಷ್ಠೆ Customer Address,ಗ್ರಾಹಕ ವಿಳಾಸ Customer Addresses And Contacts,ಗ್ರಾಹಕ ವಿಳಾಸಗಳು ಮತ್ತು ಸಂಪರ್ಕಗಳು +Customer Addresses and Contacts,ಗ್ರಾಹಕ ವಿಳಾಸಗಳು ಮತ್ತು ಸಂಪರ್ಕಗಳು Customer Code,ಗ್ರಾಹಕ ಕೋಡ್ Customer Codes,ಗ್ರಾಹಕ ಕೋಡ್ಸ್ Customer Details,ಗ್ರಾಹಕ ವಿವರಗಳು @@ -727,6 +770,8 @@ Deduction1,Deduction1 Deductions,ನಿರ್ಣಯಗಳಿಂದ Default,ಡೀಫಾಲ್ಟ್ Default Account,ಡೀಫಾಲ್ಟ್ ಖಾತೆ +Default Address Template cannot be deleted,ಡೀಫಾಲ್ಟ್ ವಿಳಾಸ ಟೆಂಪ್ಲೇಟು ಅಳಿಸಲಾಗಿಲ್ಲ +Default Amount,ಡೀಫಾಲ್ಟ್ ಪ್ರಮಾಣ Default BOM,ಡೀಫಾಲ್ಟ್ BOM Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,ಈ ಕ್ರಮವನ್ನು ಆಯ್ಕೆ ಮಾಡಿದಾಗ ಡೀಫಾಲ್ಟ್ ಬ್ಯಾಂಕ್ / ನಗದು ಖಾತೆಯನ್ನು ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಪಿಓಎಸ್ ಸರಕುಪಟ್ಟಿ ರಲ್ಲಿ ನವೀಕರಿಸಲಾಗುತ್ತದೆ. Default Bank Account,ಡೀಫಾಲ್ಟ್ ಬ್ಯಾಂಕ್ ಖಾತೆ @@ -734,7 +779,6 @@ Default Buying Cost Center,ಡೀಫಾಲ್ಟ್ ಖರೀದಿ ವೆ Default Buying Price List,ಡೀಫಾಲ್ಟ್ ಬೆಲೆ ಪಟ್ಟಿ ಖರೀದಿ Default Cash Account,ಡೀಫಾಲ್ಟ್ ನಗದು ಖಾತೆ Default Company,ಡೀಫಾಲ್ಟ್ ಕಂಪನಿ -Default Cost Center for tracking expense for this item.,ಈ ಐಟಂ ವೆಚ್ಚದಲ್ಲಿ ಟ್ರ್ಯಾಕಿಂಗ್ ಡೀಫಾಲ್ಟ್ ವೆಚ್ಚ ಸೆಂಟರ್ . Default Currency,ಡೀಫಾಲ್ಟ್ ಕರೆನ್ಸಿ Default Customer Group,ಡೀಫಾಲ್ಟ್ ಗ್ರಾಹಕ ಗುಂಪಿನ Default Expense Account,ಡೀಫಾಲ್ಟ್ ಖರ್ಚು ಖಾತೆ @@ -761,6 +805,7 @@ Default settings for selling transactions.,ವ್ಯವಹಾರ ಮಾರಾಟ Default settings for stock transactions.,ಸ್ಟಾಕ್ ವ್ಯವಹಾರ ಡೀಫಾಲ್ಟ್ ಸೆಟ್ಟಿಂಗ್ಗಳನ್ನು . Defense,ರಕ್ಷಣೆ "Define Budget for this Cost Center. To set budget action, see Company Master","ಈ ವೆಚ್ಚ ಸೆಂಟರ್ ಬಜೆಟ್ ವಿವರಿಸಿ . ಬಜೆಟ್ ಆಕ್ಷನ್ ಹೊಂದಿಸಲು, ಕವಿದ href=""#!List/Company""> ಕಂಪನಿ ಮಾಸ್ಟರ್ ನೋಡಿ" +Del,ಡೆಲ್ Delete,ಅಳಿಸಿ Delete {0} {1}?,ಅಳಿಸಿ {0} {1} ? Delivered,ತಲುಪಿಸಲಾಗಿದೆ @@ -809,6 +854,7 @@ Discount (%),ರಿಯಾಯಿತಿ ( % ) Discount Amount,ರಿಯಾಯಿತಿ ಪ್ರಮಾಣ "Discount Fields will be available in Purchase Order, Purchase Receipt, Purchase Invoice","ರಿಯಾಯಿತಿ ಫೀಲ್ಡ್ಸ್ ಪರ್ಚೇಸ್ ಆರ್ಡರ್ , ಖರೀದಿ ರಸೀತಿ , ಖರೀದಿ ಸರಕುಪಟ್ಟಿ ಲಭ್ಯವಾಗುತ್ತದೆ" Discount Percentage,ರಿಯಾಯಿತಿ ಶೇಕಡಾವಾರು +Discount Percentage can be applied either against a Price List or for all Price List.,ರಿಯಾಯಿತಿ ಶೇಕಡಾವಾರು ಬೆಲೆ ಪಟ್ಟಿ ವಿರುದ್ಧ ಅಥವಾ ಎಲ್ಲಾ ಬೆಲೆ ಪಟ್ಟಿ ಎರಡೂ ಅನ್ವಯಿಸಬಹುದು. Discount must be less than 100,ರಿಯಾಯಿತಿ ಕಡಿಮೆ 100 ಇರಬೇಕು Discount(%),ರಿಯಾಯಿತಿ ( % ) Dispatch,ರವಾನಿಸು @@ -841,7 +887,8 @@ Download Template,ಡೌನ್ಲೋಡ್ ಟೆಂಪ್ಲೇಟು Download a report containing all raw materials with their latest inventory status,ಅವರ ಇತ್ತೀಚಿನ ದಾಸ್ತಾನು ಸ್ಥಿತಿಯನ್ನು ಕಚ್ಚಾ ವಸ್ತುಗಳನ್ನು ಹೊಂದಿದ ಒಂದು ವರದಿಯನ್ನು ಡೌನ್ಲೋಡ್ "Download the Template, fill appropriate data and attach the modified file.","ಟೆಂಪ್ಲೆಟ್ ಡೌನ್ಲೋಡ್ , ಸೂಕ್ತ ದಶಮಾಂಶ ತುಂಬಲು ಮತ್ತು ಬದಲಾಯಿಸಲಾಗಿತ್ತು ಕಡತ ಲಗತ್ತಿಸಬಹುದು ." "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","ಟೆಂಪ್ಲೇಟು , ಸೂಕ್ತ ದಶಮಾಂಶ ತುಂಬಲು ಮತ್ತು ಬದಲಾಯಿಸಲಾಗಿತ್ತು ಕಡತ ಲಗತ್ತಿಸಬಹುದು . \ NAll ಹಳೆಯದು ಮತ್ತು ಆಯ್ಕೆ ಅವಧಿಯಲ್ಲಿ ನೌಕರ ಸಂಯೋಜನೆಯನ್ನು ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ಹಾಜರಾತಿ ದಾಖಲೆಗಳನ್ನು , ಟೆಂಪ್ಲೇಟ್ ಬರುತ್ತವೆ" +All dates and employee combination in the selected period will come in the template, with existing attendance records","ಟೆಂಪ್ಲೇಟು, ಸೂಕ್ತ ದಶಮಾಂಶ ತುಂಬಲು ಮತ್ತು ಬದಲಾಯಿಸಲಾಗಿತ್ತು ಕಡತ ಲಗತ್ತಿಸಬಹುದು. + ಆಯ್ಕೆ ಅವಧಿಯಲ್ಲಿ ಎಲ್ಲ ದಿನಾಂಕಗಳು ಮತ್ತು ನೌಕರ ಸಂಯೋಜನೆಯನ್ನು ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ಹಾಜರಾತಿ ದಾಖಲೆಗಳನ್ನು, ಟೆಂಪ್ಲೇಟ್ ಬರುತ್ತವೆ" Draft,ಡ್ರಾಫ್ಟ್ Dropbox,ಡ್ರಾಪ್ಬಾಕ್ಸ್ Dropbox Access Allowed,ಅನುಮತಿಸಲಾಗಿದೆ ಡ್ರಾಪ್ಬಾಕ್ಸ್ ಪ್ರವೇಶ @@ -863,6 +910,9 @@ Earning & Deduction,ದುಡಿಯುತ್ತಿದ್ದ & ಡಿಡಕ್ಷ Earning Type,ಪ್ರಕಾರ ದುಡಿಯುತ್ತಿದ್ದ Earning1,Earning1 Edit,ಸಂಪಾದಿಸು +Edu. Cess on Excise,Edu. ಅಬಕಾರಿ ಮೇಲೆ ಮೇಲಿನ +Edu. Cess on Service Tax,Edu. ಸೇವೆ ತೆರಿಗೆ ಮೇಲಿನ +Edu. Cess on TDS,Edu. ಟಿಡಿಎಸ್ ಮೇಲೆ ಮೇಲಿನ Education,ಶಿಕ್ಷಣ Educational Qualification,ಶೈಕ್ಷಣಿಕ ಅರ್ಹತೆ Educational Qualification Details,ಶೈಕ್ಷಣಿಕ ಅರ್ಹತೆ ವಿವರಗಳು @@ -937,16 +987,27 @@ Enter url parameter for receiver nos,ರಿಸೀವರ್ ಸೂಲ URL ಅ Entertainment & Leisure,ಮನರಂಜನೆ ಮತ್ತು ವಿರಾಮ Entertainment Expenses,ಮನೋರಂಜನೆ ವೆಚ್ಚಗಳು Entries,ನಮೂದುಗಳು -Entries against,ನಮೂದುಗಳು ವಿರುದ್ಧ +Entries against , Entries are not allowed against this Fiscal Year if the year is closed.,ವರ್ಷ ಮುಚ್ಚಲಾಗಿದೆ ವೇಳೆ ನಮೂದುಗಳು ಈ ಆರ್ಥಿಕ ವರ್ಷ ವಿರುದ್ಧ ಅನುಮತಿಸಲಾಗುವುದಿಲ್ಲ. -Entries before {0} are frozen,{0} ಮೊದಲು ನಮೂದುಗಳು ಘನೀಭವಿಸಿದ Equity,ಇಕ್ವಿಟಿ Error: {0} > {1},ದೋಷ : {0} > {1} Estimated Material Cost,ಅಂದಾಜು ವೆಚ್ಚ ಮೆಟೀರಿಯಲ್ +"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","ಹೆಚ್ಚಿನ ಆದ್ಯತೆ ಬಹು ಬೆಲೆ ನಿಯಮಗಳು ಇವೆ ಸಹ, ನಂತರ ಕೆಳಗಿನ ಆಂತರಿಕ ಆದ್ಯತೆಗಳು ಅನ್ವಯಿಸಲಾಗಿದೆ:" Everyone can read,ಪ್ರತಿಯೊಬ್ಬರೂ ಓದಬಹುದು "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 # # # # # \ ಮಾಡಿದಲ್ಲಿ ಸರಣಿ ಹೊಂದಿಸಲಾಗಿದೆ ಮತ್ತು ಸೀರಿಯಲ್ ಯಾವುದೇ ಸ್ವಯಂಚಾಲಿತ ಕ್ರಮಸಂಖ್ಯೆ ಈ ಸರಣಿಯ ಸೃಷ್ಟಿಸಲಾಯಿತು ಮಾಡಲಾಗುತ್ತದೆ ನಂತರ , ವ್ಯವಹಾರಗಳಲ್ಲಿ ಉಲ್ಲೇಖಿಸಲ್ಪಟ್ಟಿಲ್ಲ." +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 # # # # # + ಸರಣಿ ಹೊಂದಿಸಲಾಗಿದೆ ಮತ್ತು ಯಾವುದೇ ಸೀರಿಯಲ್ ವ್ಯವಹಾರಗಳಲ್ಲಿ ಉಲ್ಲೇಖಿಸಲ್ಪಟ್ಟಿಲ್ಲ, ನಂತರ ಸ್ವಯಂಚಾಲಿತ ಕ್ರಮಸಂಖ್ಯೆ ಈ ಸರಣಿಯ ನಿರ್ಮಿಸಲಾಗುತ್ತದೆ. ನೀವು ಯಾವಾಗಲೂ ಸ್ಪಷ್ಟವಾಗಿ ಈ ಐಟಂ ಸೀರಿಯಲ್ ಸೂಲ ಬಗ್ಗೆ ಬಯಸಿದರೆ. ಈ ಖಾಲಿ ಬಿಡಿ." Exchange Rate,ವಿನಿಮಯ ದರ +Excise Duty 10,ಅಬಕಾರಿ ಸುಂಕ 10 +Excise Duty 14,ಅಬಕಾರಿ ಸುಂಕ 14 +Excise Duty 4,ಅಬಕಾರಿ ಸುಂಕ 4 +Excise Duty 8,ಅಬಕಾರಿ ಸುಂಕ 8 +Excise Duty @ 10,10 @ ಅಬಕಾರಿ ಸುಂಕ +Excise Duty @ 14,14 @ ಅಬಕಾರಿ ಸುಂಕ +Excise Duty @ 4,4 @ ಅಬಕಾರಿ ಸುಂಕ +Excise Duty @ 8,8 @ ಅಬಕಾರಿ ಸುಂಕ +Excise Duty Edu Cess 2,ಅಬಕಾರಿ ಸುಂಕ ಶತಾವರಿ Cess 2 +Excise Duty SHE Cess 1,ಅಬಕಾರಿ ಸುಂಕ ಶಿ Cess 1 Excise Page Number,ಅಬಕಾರಿ ಪುಟ ಸಂಖ್ಯೆ Excise Voucher,ಅಬಕಾರಿ ಚೀಟಿ Execution,ಎಕ್ಸಿಕ್ಯೂಶನ್ @@ -965,6 +1026,7 @@ Expected Delivery Date cannot be before Sales Order Date,ನಿರೀಕ್ Expected End Date,ನಿರೀಕ್ಷಿತ ಅಂತಿಮ ದಿನಾಂಕ Expected Start Date,ನಿರೀಕ್ಷಿತ ಪ್ರಾರಂಭ ದಿನಾಂಕ Expense,ಖರ್ಚುವೆಚ್ಚಗಳು +Expense / Difference account ({0}) must be a 'Profit or Loss' account,ಖರ್ಚು / ವ್ಯತ್ಯಾಸ ಖಾತೆ ({0}) ಒಂದು 'ಲಾಭ ಅಥವಾ ನಷ್ಟ' ಖಾತೆ ಇರಬೇಕು Expense Account,ವೆಚ್ಚದಲ್ಲಿ ಖಾತೆಯನ್ನು Expense Account is mandatory,ವೆಚ್ಚದಲ್ಲಿ ಖಾತೆಯನ್ನು ಕಡ್ಡಾಯ Expense Claim,ಖರ್ಚು ಹಕ್ಕು @@ -1015,12 +1077,16 @@ Finished Goods,ಪೂರ್ಣಗೊಂಡ ಸರಕನ್ನು First Name,ಮೊದಲ ಹೆಸರು First Responded On,ಮೊದಲ ಪ್ರತಿಕ್ರಿಯೆ Fiscal Year,ಹಣಕಾಸಿನ ವರ್ಷ +Fiscal Year Start Date and Fiscal Year End Date are already set in Fiscal Year {0},ಹಣಕಾಸಿನ ವರ್ಷ ಪ್ರಾರಂಭ ದಿನಾಂಕ ಮತ್ತು ಹಣಕಾಸಿನ ವರ್ಷದ ಅಂತ್ಯ ದಿನಾಂಕ ಈಗಾಗಲೇ ವಿತ್ತೀಯ ವರ್ಷದಲ್ಲಿ ಸೆಟ್ {0} +Fiscal Year Start Date and Fiscal Year End Date cannot be more than a year apart.,ಹಣಕಾಸಿನ ವರ್ಷ ಪ್ರಾರಂಭ ದಿನಾಂಕ ಮತ್ತು ಹಣಕಾಸಿನ ವರ್ಷದ ಅಂತ್ಯ ದಿನಾಂಕ ಹೊರತುಪಡಿಸಿ ಹೆಚ್ಚು ಒಂದು ವರ್ಷ ಸಾಧ್ಯವಿಲ್ಲ. +Fiscal Year Start Date should not be greater than Fiscal Year End Date,ಹಣಕಾಸಿನ ವರ್ಷ ಪ್ರಾರಂಭ ದಿನಾಂಕ ಹಣಕಾಸಿನ ವರ್ಷದ ಅಂತ್ಯ ದಿನಾಂಕ ಹೆಚ್ಚಿನ ಮಾಡಬಾರದು Fixed Asset,ಸ್ಥಿರಾಸ್ತಿ Fixed Assets,ಸ್ಥಿರ ಆಸ್ತಿಗಳ Follow via Email,ಇಮೇಲ್ ಮೂಲಕ ಅನುಸರಿಸಿ "Following table will show values if items are sub - contracted. These values will be fetched from the master of ""Bill of Materials"" of sub - contracted items.","ಐಟಂಗಳನ್ನು ಉಪ ವೇಳೆ ಮೇಜಿನ ಕೆಳಗಿನ ಮೌಲ್ಯಗಳು ತೋರಿಸುತ್ತದೆ - ತಗುಲಿತು. ಈ ಮೌಲ್ಯಗಳು ಉಪ ಆಫ್ "" ಮೆಟೀರಿಯಲ್ಸ್ ಬಿಲ್ "" ಮಾಸ್ಟರ್ ನಿಂದ ತರಲಾಗಿದೆ ನಡೆಯಲಿದೆ - ಐಟಂಗಳನ್ನು ತಗುಲಿತು." Food,ಆಹಾರ "Food, Beverage & Tobacco","ಆಹಾರ , ಪಾನೀಯ ಮತ್ತು ತಂಬಾಕು" +"For 'Sales BOM' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Sales BOM' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","'ಮಾರಾಟದ BOM' ವಸ್ತುಗಳನ್ನು ವೇರ್ಹೌಸ್, ಯಾವುದೇ ಸೀರಿಯಲ್ ಮತ್ತು ಬ್ಯಾಚ್ ಯಾವುದೇ 'ಪ್ಯಾಕಿಂಗ್ ಪಟ್ಟಿ ಟೇಬಲ್ನಿಂದ ಪರಿಗಣಿಸಲಾಗುವುದು. ವೇರ್ಹೌಸ್ ಮತ್ತು ಬ್ಯಾಚ್ ಯಾವುದೇ ಯಾವುದೇ 'ಮಾರಾಟದ BOM' ಐಟಂ ಎಲ್ಲಾ ಪ್ಯಾಕಿಂಗ್ ವಸ್ತುಗಳನ್ನು ಅದೇ ಇದ್ದರೆ, ಆ ಮೌಲ್ಯಗಳನ್ನು ಮುಖ್ಯ ಐಟಂ ಕೋಷ್ಟಕದಲ್ಲಿ ಪ್ರವೇಶಿಸಿತು, ಮೌಲ್ಯಗಳು 'ಪ್ಯಾಕಿಂಗ್ ಪಟ್ಟಿ' ಟೇಬಲ್ ನಕಲಿಸಲ್ಪಡುತ್ತದೆ." For Company,ಕಂಪನಿ For Employee,ಉದ್ಯೋಗಿಗಳಿಗಾಗಿ For Employee Name,ನೌಕರರ ಹೆಸರು @@ -1050,7 +1116,9 @@ From Currency and To Currency cannot be same,ಚಲಾವಣೆಯ ಮತ್ತ From Customer,ಗ್ರಾಹಕ From Customer Issue,ಗ್ರಾಹಕ ಸಂಚಿಕೆ From Date,Fromdate +From Date cannot be greater than To Date,ದಿನಾಂಕದಿಂದ ದಿನಾಂಕ ಹೆಚ್ಚಿನ ಸಾಧ್ಯವಿಲ್ಲ From Date must be before To Date,ದಿನಾಂಕ ಇಲ್ಲಿಯವರೆಗೆ ಮೊದಲು ಇರಬೇಕು +From Date should be within the Fiscal Year. Assuming From Date = {0},ದಿನಾಂಕದಿಂದ ಹಣಕಾಸಿನ ವರ್ಷದ ಒಳಗೆ ಇರಬೇಕು. ದಿನಾಂಕದಿಂದ ಭಾವಿಸಿಕೊಂಡು = {0} From Delivery Note,ಡೆಲಿವರಿ ಗಮನಿಸಿ From Employee,ಉದ್ಯೋಗಗಳು ಗೆ From Lead,ಮುಂಚೂಣಿಯಲ್ಲಿವೆ @@ -1072,7 +1140,9 @@ Frozen Accounts Modifier,ಘನೀಕೃತ ಖಾತೆಗಳನ್ನು Fulfilled,ಪೂರ್ಣಗೊಳಿಸಿದ Full Name,ಪೂರ್ಣ ಹೆಸರು Full-time,ಪೂರ್ಣ ಬಾರಿ +Fully Billed,ಸಂಪೂರ್ಣವಾಗಿ ಖ್ಯಾತವಾದ Fully Completed,ಸಂಪೂರ್ಣವಾಗಿ +Fully Delivered,ಸಂಪೂರ್ಣವಾಗಿ ತಲುಪಿಸಲಾಗಿದೆ Furniture and Fixture,ಪೀಠೋಪಕರಣಗಳು ಮತ್ತು ಫಿಕ್ಸ್ಚರ್ Further accounts can be made under Groups but entries can be made against Ledger,ಮತ್ತಷ್ಟು ಖಾತೆಗಳನ್ನು ಗುಂಪುಗಳು ಅಡಿಯಲ್ಲಿ ಮಾಡಬಹುದು ಆದರೆ ನಮೂದುಗಳನ್ನು ಲೆಡ್ಜರ್ ವಿರುದ್ಧ ಮಾಡಬಹುದು "Further accounts can be made under Groups, but entries can be made against Ledger","ಮತ್ತಷ್ಟು ಖಾತೆಗಳನ್ನು ಗುಂಪುಗಳು ಅಡಿಯಲ್ಲಿ ಮಾಡಬಹುದು , ಆದರೆ ನಮೂದುಗಳನ್ನು ಲೆಡ್ಜರ್ ವಿರುದ್ಧ ಮಾಡಬಹುದು" @@ -1090,7 +1160,6 @@ Generate Schedule,ವೇಳಾಪಟ್ಟಿ ರಚಿಸಿ Generates HTML to include selected image in the description,ವಿವರಣೆ ಆಯ್ಕೆ ಇಮೇಜ್ ಸೇರಿಸಲು ಎಚ್ಟಿಎಮ್ಎಲ್ ಉತ್ಪಾದಿಸುತ್ತದೆ Get Advances Paid,ಪಾವತಿಸಿದ ಅಡ್ವಾನ್ಸಸ್ ಪಡೆಯಿರಿ Get Advances Received,ಅಡ್ವಾನ್ಸಸ್ ಸ್ವೀಕರಿಸಲಾಗಿದೆ ಪಡೆಯಿರಿ -Get Against Entries,ನಮೂದುಗಳು ವಿರುದ್ಧ ಪಡೆಯಿರಿ Get Current Stock,ಪ್ರಸ್ತುತ ಸ್ಟಾಕ್ ಪಡೆಯಿರಿ Get Items,ಐಟಂಗಳನ್ನು ಪಡೆಯಿರಿ Get Items From Sales Orders,ಮಾರಾಟದ ಆರ್ಡರ್ಸ್ ವಸ್ತುಗಳನ್ನು ಪಡೆಯಲು @@ -1103,6 +1172,7 @@ Get Specification Details,ವಿಶಿಷ್ಟ ವಿವರಗಳನ್ನು Get Stock and Rate,ಸ್ಟಾಕ್ ಮತ್ತು ದರ ಪಡೆಯಿರಿ Get Template,ಟೆಂಪ್ಲೆಟ್ ಪಡೆಯಿರಿ Get Terms and Conditions,ನಿಯಮಗಳು ಮತ್ತು ನಿಯಮಗಳು ಪಡೆಯಿರಿ +Get Unreconciled Entries,ರಾಜಿಯಾಗದ ನಮೂದುಗಳು ಪಡೆಯಿರಿ Get Weekly Off Dates,ದಿನಾಂಕ ವೀಕ್ಲಿ ಆಫ್ ಪಡೆಯಿರಿ "Get valuation rate and available stock at source/target warehouse on mentioned posting date-time. If serialized item, please press this button after entering serial nos.","ದಿನಾಂಕ ಸಮಯ ನೀಡಿ ಮೇಲೆ ಪ್ರಸ್ತಾಪಿಸಿದ್ದಾರೆ ಮೂಲ / ಗುರಿ ವೇರ್ಹೌಸ್ ಮೌಲ್ಯಮಾಪನ ದರ ಮತ್ತು ಲಭ್ಯವಿರುವ ಸ್ಟಾಕ್ ಪಡೆಯಿರಿ . ಐಟಂ ಧಾರವಾಹಿಯಾಗಿ ವೇಳೆ , ಸರಣಿ ಸೂಲ ಪ್ರವೇಶಿಸುವ ನಂತರ ಈ ಬಟನ್ ಒತ್ತಿ ದಯವಿಟ್ಟು ." Global Defaults,ಜಾಗತಿಕ ಪೂರ್ವನಿಯೋಜಿತಗಳು @@ -1171,6 +1241,7 @@ Hour,ಗಂಟೆ Hour Rate,ಅವರ್ ದರ Hour Rate Labour,ಲೇಬರ್ ಅವರ್ ದರ Hours,ಅವರ್ಸ್ +How Pricing Rule is applied?,ಹೇಗೆ ಬೆಲೆ ರೂಲ್ ಅನ್ವಯಿಸಲಾಗುತ್ತದೆ? How frequently?,ಹೇಗೆ ಆಗಾಗ್ಗೆ ? "How should this currency be formatted? If not set, will use system defaults","ಹೇಗೆ ಈ ಕರೆನ್ಸಿ ಫಾರ್ಮಾಟ್ ಮಾಡಬೇಕು ? ಸೆಟ್ ಅಲ್ಲ, ವ್ಯವಸ್ಥೆಯನ್ನು ಪೂರ್ವನಿಯೋಜಿತಗಳನ್ನು ಬಳಸುತ್ತದೆ" Human Resources,ಮಾನವ ಸಂಪನ್ಮೂಲ @@ -1187,12 +1258,15 @@ If different than customer address,ಗ್ರಾಹಕ ವಿಳಾಸಕ್ಕ "If disable, 'Rounded Total' field will not be visible in any transaction","ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಿದಲ್ಲಿ, ' ದುಂಡಾದ ಒಟ್ಟು ' ಕ್ಷೇತ್ರದಲ್ಲಿ ಯಾವುದೇ ವ್ಯವಹಾರದಲ್ಲಿ ಕಾಣಿಸುವುದಿಲ್ಲ" "If enabled, the system will post accounting entries for inventory automatically.","ಶಕ್ತಗೊಂಡಿದ್ದಲ್ಲಿ , ಗಣಕವು ದಾಸ್ತಾನು ಲೆಕ್ಕಪರಿಶೋಧಕ ನಮೂದುಗಳನ್ನು ಪೋಸ್ಟ್ ಕಾಣಿಸುತ್ತದೆ ." If more than one package of the same type (for print),ವೇಳೆ ( ಮುದ್ರಣ ) ಅದೇ ರೀತಿಯ ಒಂದಕ್ಕಿಂತ ಹೆಚ್ಚು ಪ್ಯಾಕೇಜ್ +"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","ಅನೇಕ ಬೆಲೆ ನಿಯಮಗಳು ಮೇಲುಗೈ ಮುಂದುವರಿದರೆ, ಬಳಕೆದಾರರು ಸಂಘರ್ಷ ಪರಿಹರಿಸಲು ಕೈಯಾರೆ ಆದ್ಯತಾ ಸೆಟ್ ತಿಳಿಸಲಾಗುತ್ತದೆ." "If no change in either Quantity or Valuation Rate, leave the cell blank.","ಒಂದೋ ಪ್ರಮಾಣ ಅಥವಾ ಮೌಲ್ಯಾಂಕನ ದರ ಯಾವುದೇ ಬದಲಾವಣೆ , ಸೆಲ್ ಖಾಲಿ ಬಿಟ್ಟರೆ ." If not applicable please enter: NA,ಅನ್ವಯಿಸುವುದಿಲ್ಲ ಎನ್ಎ ನಮೂದಿಸಿ ವೇಳೆ "If not checked, the list will have to be added to each Department where it has to be applied.","ಪರೀಕ್ಷಿಸಿದ್ದು ಅಲ್ಲ, ಪಟ್ಟಿ ಇದು ಅನ್ವಯಿಸಬಹುದು ಅಲ್ಲಿ ಪ್ರತಿ ಇಲಾಖೆಗಳು ಸೇರಿಸಲಾಗುತ್ತದೆ ಹೊಂದಿರುತ್ತದೆ ." +"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.","ಆಯ್ಕೆ ಬೆಲೆ ರೂಲ್ 'ಬೆಲೆ' ಮಾಡಿದ, ಅದು ಬೆಲೆ ಪಟ್ಟಿ ಬದಲಿಸಿ, ಮಾಡುತ್ತದೆ. ಬೆಲೆ ರೂಲ್ ಬೆಲೆ ಅಂತಿಮ ಬೆಲೆ, ಆದ್ದರಿಂದ ಯಾವುದೇ ರಿಯಾಯಿತಿ ಅನ್ವಯಿಸಬಹುದಾಗಿದೆ. ಆದ್ದರಿಂದ, ಮಾರಾಟದ ಆರ್ಡರ್, ಆರ್ಡರ್ ಖರೀದಿಸಿ ಇತ್ಯಾದಿ ವ್ಯವಹಾರಗಳಲ್ಲಿ, ಇದು ಬದಲಿಗೆ 'ಬೆಲೆ ಪಟ್ಟಿ ದರ' ಕ್ಷೇತ್ರದಲ್ಲಿ ಹೆಚ್ಚು, 'ದರ' ಕ್ಷೇತ್ರದಲ್ಲಿ ತರಲಾಗಿದೆ ನಡೆಯಲಿದೆ." "If specified, send the newsletter using this email address","ನಿಗದಿತ , ಈ ವಿಳಾಸ ಬಳಸಿ ಸುದ್ದಿಪತ್ರವನ್ನು ಕಳುಹಿಸಿ" "If the account is frozen, entries are allowed to restricted users.","ಖಾತೆ ಹೆಪ್ಪುಗಟ್ಟಿರುವ ವೇಳೆ , ನಮೂದುಗಳನ್ನು ನಿರ್ಬಂಧಿತ ಬಳಕೆದಾರರಿಗೆ ಅವಕಾಶವಿರುತ್ತದೆ ." "If this Account represents a Customer, Supplier or Employee, set it here.","ಈ ಖಾತೆಯು ಗ್ರಾಹಕ , ಸರಬರಾಜುದಾರ ಅಥವಾ ನೌಕರ ನಿರೂಪಿಸಿದರೆ, ಇಲ್ಲಿ ಸೆಟ್ ." +"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","ಎರಡು ಅಥವಾ ಹೆಚ್ಚು ಬೆಲೆ ನಿಯಮಗಳಲ್ಲಿ ಮೇಲೆ ಆಧರಿಸಿ ಕಂಡುಬಂದರೆ, ಆದ್ಯತಾ ಅನ್ವಯಿಸಲಾಗುತ್ತದೆ. ಡೀಫಾಲ್ಟ್ ಮೌಲ್ಯವನ್ನು ಶೂನ್ಯ (ಖಾಲಿ) ಹಾಗೆಯೇ ಆದ್ಯತಾ 0 20 ನಡುವೆ ಸಂಖ್ಯೆ. ಹೆಚ್ಚಿನ ಸಂಖ್ಯೆ ಅದೇ ಸ್ಥಿತಿಗಳು ಅನೇಕ ಬೆಲೆ ನಿಯಮಗಳು ಇವೆ ಅದು ಆದ್ಯತೆಯಾಗಿ ಅರ್ಥ." If you follow Quality Inspection. Enables Item QA Required and QA No in Purchase Receipt,ನೀವು ಗುಣಮಟ್ಟ ತಪಾಸಣೆ ಅನುಸರಿಸಿದರೆ . ಖರೀದಿ ರಸೀದಿಯಲ್ಲಿ ಐಟಂ ಅಗತ್ಯವಿದೆ QA ಮತ್ತು ಗುಣಮಟ್ಟ ಖಾತರಿ ನಂ ಸಕ್ರಿಯಗೊಳಿಸುತ್ತದೆ If you have Sales Team and Sale Partners (Channel Partners) they can be tagged and maintain their contribution in the sales activity,ನೀವು ಮಾರಾಟ ತಂಡವನ್ನು ಮತ್ತು ಮಾರಾಟಕ್ಕೆ ಪಾರ್ಟ್ನರ್ಸ್ ( ಚಾನೆಲ್ ಪಾರ್ಟ್ನರ್ಸ್ ) ಹೊಂದಿದ್ದರೆ ಅವರು ಟ್ಯಾಗ್ ಮತ್ತು ಮಾರಾಟ ಚಟುವಟಿಕೆಯಲ್ಲಿ ಅವರ ಕೊಡುಗೆ ನಿರ್ವಹಿಸಲು ಮಾಡಬಹುದು "If you have created a standard template in Purchase Taxes and Charges Master, select one and click on the button below.","ನೀವು ಖರೀದಿ , ತೆರಿಗೆಗಳ ಪ್ರಮಾಣಿತ ಟೆಂಪ್ಲೇಟ್ ದಾಖಲಿಸಿದವರು ಮತ್ತು ಮಾಸ್ಟರ್ಕಾರ್ಡ್ ಚಾರ್ಜಸ್ ಇದ್ದರೆ , ಒಂದು ಆಯ್ಕೆ ಮತ್ತು ಕೆಳಗಿನ ಬಟನ್ ಕ್ಲಿಕ್ ." @@ -1200,6 +1274,7 @@ If you have Sales Team and Sale Partners (Channel Partners) they can be tagged "If you have long print formats, this feature can be used to split the page to be printed on multiple pages with all headers and footers on each page","ನೀವು ದೀರ್ಘ ಮುದ್ರಣ ಸ್ವರೂಪಗಳು ಹೊಂದಿದ್ದರೆ, ಈ ವೈಶಿಷ್ಟ್ಯವನ್ನು ಎಲ್ಲಾ ಪ್ರತಿ ಪುಟದಲ್ಲಿ ಶೀರ್ಷಿಕೆಗಳು ಮತ್ತು ಅಡಿಟಿಪ್ಪಣಿಗಳು ಬಹು ಪುಟಗಳನ್ನು ಮೇಲೆ ಮುದ್ರಿತ ಪುಟ ಬೇರ್ಪಡಿಸಲು ಬಳಸಬಹುದಾಗಿದೆ" If you involve in manufacturing activity. Enables Item 'Is Manufactured',ನೀವು ಉತ್ಪಾದನಾ ಚಟುವಟಿಕೆ ಒಳಗೊಂಡಿರುತ್ತವೆ ವೇಳೆ . ಐಟಂ ಸಕ್ರಿಯಗೊಳಿಸುತ್ತದೆ ' ತಯಾರಿಸುತ್ತದೆ ' Ignore,ಕಡೆಗಣಿಸು +Ignore Pricing Rule,ಬೆಲೆ ರೂಲ್ ನಿರ್ಲಕ್ಷಿಸು Ignored: , Image,ಚಿತ್ರ Image View,ImageView @@ -1236,8 +1311,9 @@ Income booked for the digest period,ಡೈಜೆಸ್ಟ್ ಕಾಲ ಬು Incoming,ಒಳಬರುವ Incoming Rate,ಒಳಬರುವ ದರ Incoming quality inspection.,ಒಳಬರುವ ಗುಣಮಟ್ಟ ತಪಾಸಣೆ . +Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,ಸಾಮಾನ್ಯ ಲೆಡ್ಜರ್ ನಮೂದುಗಳನ್ನು ತಪ್ಪಾದ ಸಂಖ್ಯೆಯ ಕಂಡುಬಂದಿಲ್ಲ. ನೀವು ವ್ಯವಹಾರದ ಒಂದು ತಪ್ಪು ಖಾತೆ ಆಯ್ಕೆ ಮಾಡಿರಬಹುದು. Incorrect or Inactive BOM {0} for Item {1} at row {2},ತಪ್ಪಾದ ಅಥವಾ ನಿಷ್ಕ್ರಿಯ BOM ಐಟಂ {0} ಗಾಗಿ {1} {2} ಸಾಲು -Indicates that the package is a part of this delivery,ಮಾಡಲಿಲ್ಲ ಸೂಚಿಸುತ್ತದೆ ಪ್ಯಾಕೇಜ್ ಈ ವಿತರಣಾ ಒಂದು ಭಾಗವಾಗಿದೆ +Indicates that the package is a part of this delivery (Only Draft),ಪ್ಯಾಕೇಜ್ ಈ ವಿತರಣಾ ಒಂದು ಭಾಗ ಎಂದು ಸೂಚಿಸುತ್ತದೆ (ಮಾತ್ರ Draft) Indirect Expenses,ಪರೋಕ್ಷ ವೆಚ್ಚಗಳು Indirect Income,ಪರೋಕ್ಷ ಆದಾಯ Individual,ಇಂಡಿವಿಜುವಲ್ @@ -1263,6 +1339,7 @@ Intern,ಆಂತರಿಕ Internal,ಆಂತರಿಕ Internet Publishing,ಇಂಟರ್ನೆಟ್ ಪಬ್ಲಿಷಿಂಗ್ Introduction,ಪರಿಚಯ +Invalid Barcode,ಅಮಾನ್ಯ ಬಾರ್ಕೋಡ್ Invalid Barcode or Serial No,ಅಮಾನ್ಯ ಬಾರ್ಕೋಡ್ ಅಥವಾ ಅನುಕ್ರಮ ಸಂಖ್ಯೆ Invalid Mail Server. Please rectify and try again.,ಅಮಾನ್ಯವಾದ ಮೇಲ್ ಸರ್ವರ್ . ನಿವಾರಿಸಿಕೊಳ್ಳಲು ಹಾಗೂ ಮತ್ತೆ ಪ್ರಯತ್ನಿಸಿ . Invalid Master Name,ಅಮಾನ್ಯವಾದ ಮಾಸ್ಟರ್ ಹೆಸರು @@ -1275,9 +1352,12 @@ Investments,ಇನ್ವೆಸ್ಟ್ಮೆಂಟ್ಸ್ Invoice Date,ಸರಕುಪಟ್ಟಿ ದಿನಾಂಕ Invoice Details,ಸರಕುಪಟ್ಟಿ ವಿವರಗಳು Invoice No,ಸರಕುಪಟ್ಟಿ ನಂ -Invoice Period From Date,ದಿನಾಂಕದಿಂದ ಸರಕುಪಟ್ಟಿ ಅವಧಿ +Invoice Number,ಸರಕುಪಟ್ಟಿ ಸಂಖ್ಯೆ +Invoice Period From,ಗೆ ಸರಕುಪಟ್ಟಿ ಅವಧಿ Invoice Period From and Invoice Period To dates mandatory for recurring invoice,ಸರಕುಪಟ್ಟಿ ಮತ್ತು ಅವಧಿಯ ಸರಕುಪಟ್ಟಿ ಮರುಕಳಿಸುವ ಕಡ್ಡಾಯವಾಗಿ ದಿನಾಂಕ ಸರಕುಪಟ್ಟಿ ಅವಧಿ -Invoice Period To Date,ದಿನಾಂಕ ಸರಕುಪಟ್ಟಿ ಅವಧಿ +Invoice Period To,ಸರಕುಪಟ್ಟಿ ಅವಧಿ +Invoice Type,ಸರಕುಪಟ್ಟಿ ಪ್ರಕಾರ +Invoice/Journal Voucher Details,ಸರಕುಪಟ್ಟಿ / ಜರ್ನಲ್ ಚೀಟಿ ವಿವರಗಳು Invoiced Amount (Exculsive Tax),ಸರಕುಪಟ್ಟಿ ಪ್ರಮಾಣ ( ತೆರಿಗೆ Exculsive ) Is Active,ಸಕ್ರಿಯವಾಗಿದೆ Is Advance,ಮುಂಗಡ ಹೊಂದಿದೆ @@ -1308,6 +1388,7 @@ Item Advanced,ಐಟಂ ವಿಸ್ತೃತ Item Barcode,ಐಟಂ ಬಾರ್ಕೋಡ್ Item Batch Nos,ಐಟಂ ಬ್ಯಾಚ್ ಸೂಲ Item Code,ಐಟಂ ಕೋಡ್ +Item Code > Item Group > Brand,ಐಟಂ ಕೋಡ್> ಐಟಂ ಗುಂಪು> ಬ್ರ್ಯಾಂಡ್ Item Code and Warehouse should already exist.,ಐಟಂ ಕೋಡ್ ಮತ್ತು ವೇರ್ಹೌಸ್ Shoulderstand ಈಗಾಗಲೆ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ . Item Code cannot be changed for Serial No.,ಐಟಂ ಕೋಡ್ ನೆಯ ಬದಲಾಗಿದೆ ಸಾಧ್ಯವಿಲ್ಲ . Item Code is mandatory because Item is not automatically numbered,ಐಟಂ ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಸಂಖ್ಯೆಯ ಕಾರಣ ಐಟಂ ಕೋಡ್ ಕಡ್ಡಾಯ @@ -1319,6 +1400,7 @@ Item Details,ಐಟಂ ವಿವರಗಳು Item Group,ಐಟಂ ಗುಂಪು Item Group Name,ಐಟಂ ಗುಂಪು ಹೆಸರು Item Group Tree,ಐಟಂ ಗುಂಪು ಟ್ರೀ +Item Group not mentioned in item master for item {0},ಐಟಂ ಐಟಂ ಮಾಸ್ಟರ್ ಉಲ್ಲೇಖಿಸಿಲ್ಲ ಐಟಂ ಗ್ರೂಪ್ {0} Item Groups in Details,ವಿವರಗಳನ್ನು ಐಟಂ ಗುಂಪುಗಳು Item Image (if not slideshow),ಐಟಂ ಚಿತ್ರ (ಇಲ್ಲದಿದ್ದರೆ ಸ್ಲೈಡ್ಶೋ ) Item Name,ಐಟಂ ಹೆಸರು @@ -1389,7 +1471,8 @@ Item-wise Purchase Register,ಐಟಂ ಬುದ್ಧಿವಂತ ಖರೀ Item-wise Sales History,ಐಟಂ ಬಲ್ಲ ಮಾರಾಟದ ಇತಿಹಾಸ Item-wise Sales Register,ಐಟಂ ಬಲ್ಲ ಮಾರಾಟದ ರಿಜಿಸ್ಟರ್ "Item: {0} managed batch-wise, can not be reconciled using \ - Stock Reconciliation, instead use Stock Entry","ಐಟಂ : {0} ಬ್ಯಾಚ್ ಬಲ್ಲ ನಿರ್ವಹಿಸುತ್ತಿದ್ದ , \ \ N ಸ್ಟಾಕ್ ಸಾಮರಸ್ಯ ಬಳಸಿ ರಾಜಿ ಸಾಧ್ಯವಿಲ್ಲ , ಬದಲಿಗೆ ಸ್ಟಾಕ್ ಎಂಟ್ರಿ ಬಳಸಲು" + Stock Reconciliation, instead use Stock Entry","ಐಟಂ: {0} ಬ್ಯಾಚ್ ಬಲ್ಲ ನಿರ್ವಹಿಸುತ್ತಿದ್ದ, ಬಳಸಿ ರಾಜಿ ಸಾಧ್ಯವಿಲ್ಲ \ + ಸ್ಟಾಕ್ ಸಾಮರಸ್ಯ, ಬದಲಿಗೆ ಸ್ಟಾಕ್ ಎಂಟ್ರಿ ಬಳಸಲು" Item: {0} not found in the system,ಐಟಂ : {0} ವ್ಯವಸ್ಥೆಯ ಕಂಡುಬಂದಿಲ್ಲ Items,ಐಟಂಗಳನ್ನು Items To Be Requested,ಮನವಿ ಐಟಂಗಳನ್ನು @@ -1492,6 +1575,7 @@ Loading...,ಲೋಡ್ ಆಗುತ್ತಿದೆ ... Loans (Liabilities),ಸಾಲ ( ಹೊಣೆಗಾರಿಕೆಗಳು ) Loans and Advances (Assets),ಸಾಲ ಮತ್ತು ಅಡ್ವಾನ್ಸಸ್ ( ಆಸ್ತಿಗಳು ) Local,ಸ್ಥಳೀಯ +Login,ಲಾಗಿನ್ Login with your new User ID,ನಿಮ್ಮ ಹೊಸ ಬಳಕೆದಾರ ID ಜೊತೆ ಲಾಗಿನ್ ಆಗಿ Logo,ಲೋಗೋ Logo and Letter Heads,ಲೋಗೋ ಮತ್ತು ತಲೆಬರಹ @@ -1536,6 +1620,7 @@ Make Maint. Schedule,Maint ಮಾಡಿ . ಕಾರ್ಯಕ್ರಮ Make Maint. Visit,Maint ಮಾಡಿ . ಭೇಟಿ Make Maintenance Visit,ನಿರ್ವಹಣೆ ಭೇಟಿ ಮಾಡಿ Make Packing Slip,ಸ್ಲಿಪ್ ಪ್ಯಾಕಿಂಗ್ ಮಾಡಿ +Make Payment,ಪಾವತಿ ಮಾಡಿ Make Payment Entry,ಪಾವತಿ ಎಂಟ್ರಿ ಮಾಡಿ Make Purchase Invoice,ಖರೀದಿ ಸರಕುಪಟ್ಟಿ ಮಾಡಿ Make Purchase Order,ಮಾಡಿ ಪರ್ಚೇಸ್ ಆರ್ಡರ್ @@ -1545,8 +1630,10 @@ Make Salary Structure,ಸಂಬಳ ರಚನೆ ಮಾಡಿ Make Sales Invoice,ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ಮಾಡಿ Make Sales Order,ಮಾಡಿ ಮಾರಾಟದ ಆರ್ಡರ್ Make Supplier Quotation,ಸರಬರಾಜುದಾರ ಉದ್ಧರಣ ಮಾಡಿ +Make Time Log Batch,ಟೈಮ್ ಲಾಗ್ ಬ್ಯಾಚ್ ಮಾಡಿ Male,ಪುರುಷ Manage Customer Group Tree.,ಗ್ರಾಹಕ ಮ್ಯಾನೇಜ್ಮೆಂಟ್ ಗ್ರೂಪ್ ಟ್ರೀ . +Manage Sales Partners.,ಮಾರಾಟದ ಪಾರ್ಟ್ನರ್ಸ್ ನಿರ್ವಹಿಸಿ. Manage Sales Person Tree.,ಮಾರಾಟಗಾರನ ಟ್ರೀ ನಿರ್ವಹಿಸಿ . Manage Territory Tree.,ಪ್ರದೇಶ ಮ್ಯಾನೇಜ್ಮೆಂಟ್ ಟ್ರೀ . Manage cost of operations,ಕಾರ್ಯಾಚರಣೆಗಳ ನಿರ್ವಹಣೆ ವೆಚ್ಚ @@ -1597,6 +1684,8 @@ Max 5 characters,ಮ್ಯಾಕ್ಸ್ 5 ಪಾತ್ರಗಳು Max Days Leave Allowed,ಮ್ಯಾಕ್ಸ್ ಡೇಸ್ ಹೊರಹೋಗಲು ಆಸ್ಪದ Max Discount (%),ಮ್ಯಾಕ್ಸ್ ಡಿಸ್ಕೌಂಟ್ ( % ) Max Qty,ಮ್ಯಾಕ್ಸ್ ಪ್ರಮಾಣ +Max discount allowed for item: {0} is {1}%,ಮ್ಯಾಕ್ಸ್ ರಿಯಾಯಿತಿ ಐಟಂ ಅವಕಾಶ: {0} {1}% ಆಗಿದೆ +Maximum Amount,ಗರಿಷ್ಠ ಪ್ರಮಾಣ Maximum allowed credit is {0} days after posting date,ಗರಿಷ್ಠ ಕ್ರೆಡಿಟ್ ದಿನಾಂಕ ಪೋಸ್ಟ್ ನಂತರ {0} ದಿನಗಳು Maximum {0} rows allowed,{0} ಸಾಲುಗಳ ಗರಿಷ್ಠ ಅವಕಾಶ Maxiumm discount for Item {0} is {1}%,ಐಟಂ Maxiumm ರಿಯಾಯಿತಿ {0} {1} % ಆಗಿದೆ @@ -1617,6 +1706,7 @@ Milestones will be added as Events in the Calendar,ಮೈಲಿಗಲ್ಲ Min Order Qty,ಮಿನ್ ಪ್ರಮಾಣ ಆದೇಶ Min Qty,ಮಿನ್ ಪ್ರಮಾಣ Min Qty can not be greater than Max Qty,ಮಿನ್ ಪ್ರಮಾಣ ಹೆಚ್ಚಿನ ಮ್ಯಾಕ್ಸ್ ಪ್ರಮಾಣ ಸಾಧ್ಯವಿಲ್ಲ +Minimum Amount,ಕನಿಷ್ಠ ಪ್ರಮಾಣ Minimum Order Qty,ಕನಿಷ್ಠ ಪ್ರಮಾಣ ಆದೇಶ Minute,ಮಿನಿಟ್ Misc Details,ಇತರೆ ವಿವರಗಳು @@ -1626,7 +1716,6 @@ Mobile No,ಮೊಬೈಲ್ ಸಂಖ್ಯೆ Mobile No.,ಮೊಬೈಲ್ ಸಂಖ್ಯೆ Mode of Payment,ಪಾವತಿಯ ಮಾದರಿಯು Modern,ಆಧುನಿಕ -Modified Amount,ಮಾಡಿಫೈಡ್ ಪ್ರಮಾಣ Monday,ಸೋಮವಾರ Month,ತಿಂಗಳ Monthly,ಮಾಸಿಕ @@ -1643,7 +1732,8 @@ Mr,ಶ್ರೀ Ms,MS Multiple Item prices.,ಬಹು ಐಟಂ ಬೆಲೆಗಳು . "Multiple Price Rule exists with same criteria, please resolve \ - conflict by assigning priority. Price Rules: {0}","ಬಹು ಬೆಲೆ ರೂಲ್ ಅದೇ ಮಾನದಂಡಗಳನ್ನು ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ , ಪ್ರಾಶಸ್ತ್ಯವನ್ನು ನಿಗದಿಪಡಿಸಬೇಕು \ \ N ಸಂಘರ್ಷ ಪರಿಹರಿಸಲು ದಯವಿಟ್ಟು ." + conflict by assigning priority. Price Rules: {0}","ಬಹು ಬೆಲೆ ರೂಲ್ ಅದೇ ಮಾನದಂಡಗಳನ್ನು ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ, ಪರಿಹರಿಸಲು ದಯವಿಟ್ಟು \ + ಪ್ರಾಶಸ್ತ್ಯವನ್ನು ನಿಗದಿಪಡಿಸಬೇಕು ಸಂಘರ್ಷ. ಬೆಲೆ ನಿಯಮಗಳು: {0}" Music,ಸಂಗೀತ Must be Whole Number,ಹೋಲ್ ಸಂಖ್ಯೆ ಇರಬೇಕು Name,ಹೆಸರು @@ -1659,6 +1749,7 @@ Negative Valuation Rate is not allowed,ನಕಾರಾತ್ಮಕ ಮೌಲ್ Negative balance in Batch {0} for Item {1} at Warehouse {2} on {3} {4},ಬ್ಯಾಚ್ ಋಣಾತ್ಮಕ ಸಮತೋಲನ {0} ಐಟಂ {1} {2} ಮೇಲೆ ವೇರ್ಹೌಸ್ {3} {4} Net Pay,ನಿವ್ವಳ ವೇತನ Net Pay (in words) will be visible once you save the Salary Slip.,ನೀವು ಸಂಬಳ ಸ್ಲಿಪ್ ಉಳಿಸಲು ಒಮ್ಮೆ ( ಮಾತಿನಲ್ಲಿ) ನಿವ್ವಳ ವೇತನ ಗೋಚರಿಸುತ್ತದೆ. +Net Profit / Loss,ನಿವ್ವಳ ಲಾಭ / ನಷ್ಟ Net Total,ನೆಟ್ ಒಟ್ಟು Net Total (Company Currency),ನೆಟ್ ಒಟ್ಟು ( ಕಂಪನಿ ಕರೆನ್ಸಿ ) Net Weight,ನೆಟ್ ತೂಕ @@ -1699,7 +1790,6 @@ Newsletter,ಸುದ್ದಿಪತ್ರ Newsletter Content,ಸುದ್ದಿಪತ್ರ ವಿಷಯ Newsletter Status,ಸುದ್ದಿಪತ್ರ ಸ್ಥಿತಿಯನ್ನು Newsletter has already been sent,ಸುದ್ದಿಪತ್ರ ಈಗಾಗಲೇ ಕಳುಹಿಸಲಾಗಿದೆ -Newsletters is not allowed for Trial users,ಸುದ್ದಿಪತ್ರ ಟ್ರಯಲ್ ಬಳಕೆದಾರರಿಗೆ ಅನುಮತಿ ಇಲ್ಲ "Newsletters to contacts, leads.","ಸಂಪರ್ಕಗಳಿಗೆ ಸುದ್ದಿಪತ್ರಗಳು , ಕಾರಣವಾಗುತ್ತದೆ ." Newspaper Publishers,ಸುದ್ದಿ ಪತ್ರಿಕೆಗಳ Next,ಮುಂದೆ @@ -1721,6 +1811,7 @@ No Supplier Accounts found. Supplier Accounts are identified based on 'Master Ty No accounting entries for the following warehouses,ನಂತರ ಗೋದಾಮುಗಳು ಯಾವುದೇ ಲೆಕ್ಕಪರಿಶೋಧಕ ನಮೂದುಗಳನ್ನು No addresses created,ದಾಖಲಿಸಿದವರು ಯಾವುದೇ ವಿಳಾಸಗಳನ್ನು No contacts created,ದಾಖಲಿಸಿದವರು ಯಾವುದೇ ಸಂಪರ್ಕಗಳು +No default Address Template found. Please create a new one from Setup > Printing and Branding > Address Template.,ಯಾವುದೇ ಡೀಫಾಲ್ಟ್ ವಿಳಾಸ ಟೆಂಪ್ಲೇಟು ಕಂಡುಬಂದಿಲ್ಲ. ಸೆಟಪ್> ಮುದ್ರಣ ಮತ್ತು ಬ್ರ್ಯಾಂಡಿಂಗ್ ಒಂದು ಹೊಸ> ವಿಳಾಸ ಟೆಂಪ್ಲೇಟು ರಚಿಸಿ. No default BOM exists for Item {0},ಯಾವುದೇ ಡೀಫಾಲ್ಟ್ BOM ಐಟಂ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ {0} No description given,ಯಾವುದೇ ವಿವರಣೆ givenName No employee found,ಯಾವುದೇ ನೌಕರ @@ -1730,6 +1821,8 @@ No of Sent SMS,ಕಳುಹಿಸಲಾಗಿದೆ ಎಸ್ಎಂಎಸ್ ಸ No of Visits,ಭೇಟಿ ಸಂಖ್ಯೆ No permission,ಯಾವುದೇ ಅನುಮತಿ No record found,ಯಾವುದೇ ದಾಖಲೆ +No records found in the Invoice table,ಸರಕುಪಟ್ಟಿ ಕೋಷ್ಟಕದಲ್ಲಿ ಯಾವುದೇ ದಾಖಲೆಗಳು +No records found in the Payment table,ಪಾವತಿ ಕೋಷ್ಟಕದಲ್ಲಿ ಯಾವುದೇ ದಾಖಲೆಗಳು No salary slip found for month: , Non Profit,ಲಾಭಾಪೇಕ್ಷೆಯಿಲ್ಲದ Nos,ಸೂಲ @@ -1739,7 +1832,7 @@ Not Available,ಲಭ್ಯವಿಲ್ಲ Not Billed,ಖ್ಯಾತವಾದ ಮಾಡಿರುವುದಿಲ್ಲ Not Delivered,ಈಡೇರಿಸಿಲ್ಲ Not Set,ಹೊಂದಿಸಿ -Not allowed to update entries older than {0},ಹೆಚ್ಚು ನಮೂದುಗಳನ್ನು ಹಳೆಯ ನವೀಕರಿಸಲು ಅವಕಾಶ {0} +Not allowed to update stock transactions older than {0},ಹೆಚ್ಚು ಸ್ಟಾಕ್ ವ್ಯವಹಾರ ಹಳೆಯ ನವೀಕರಿಸಲು ಅವಕಾಶ {0} Not authorized to edit frozen Account {0},ಹೆಪ್ಪುಗಟ್ಟಿದ ಖಾತೆ ಸಂಪಾದಿಸಲು ಅಧಿಕಾರ {0} Not authroized since {0} exceeds limits,{0} ಮಿತಿಗಳನ್ನು ಮೀರಿದೆ ರಿಂದ authroized ಮಾಡಿರುವುದಿಲ್ಲ Not permitted,ಅನುಮತಿ @@ -1780,7 +1873,6 @@ Only the selected Leave Approver can submit this Leave Application,ಕೇವ Open,ತೆರೆದ Open Production Orders,ಓಪನ್ ಉತ್ಪಾದನೆ ಆರ್ಡರ್ಸ್ Open Tickets,ಓಪನ್ ಟಿಕೇಟುಗಳ -Open source ERP built for the web,ವೆಬ್ ನಿರ್ಮಿತವಾದ ತೆರೆದ ಮೂಲ ಏರ್ಪ Opening (Cr),ತೆರೆಯುತ್ತಿದೆ ( ಸಿಆರ್) Opening (Dr),ತೆರೆಯುತ್ತಿದೆ ( ಡಾ ) Opening Date,ದಿನಾಂಕ ತೆರೆಯುವ @@ -1805,7 +1897,7 @@ Opportunity Lost,ಕಳೆದುಕೊಂಡ ಅವಕಾಶ Opportunity Type,ಅವಕಾಶ ಪ್ರಕಾರ Optional. This setting will be used to filter in various transactions.,ಐಚ್ಛಿಕ . ಈ ಸೆಟ್ಟಿಂಗ್ ವಿವಿಧ ವ್ಯವಹಾರಗಳಲ್ಲಿ ಫಿಲ್ಟರ್ ಬಳಸಲಾಗುತ್ತದೆ. Order Type,ಆರ್ಡರ್ ಪ್ರಕಾರ -Order Type must be one of {1},ಆರ್ಡರ್ ಪ್ರಕಾರ ಒಂದು ಇರಬೇಕು {1} +Order Type must be one of {0},ಆರ್ಡರ್ ಪ್ರಕಾರ ಒಂದು ಇರಬೇಕು {0} Ordered,ಆದೇಶ Ordered Items To Be Billed,ಖ್ಯಾತವಾದ ಐಟಂಗಳನ್ನು ಆದೇಶ Ordered Items To Be Delivered,ನೀಡಬೇಕಾಗಿದೆ ಐಟಂಗಳು ಆದೇಶ @@ -1817,7 +1909,6 @@ Organization Name,ಸಂಸ್ಥೆ ಹೆಸರು Organization Profile,ಸಂಸ್ಥೆ ಪ್ರೊಫೈಲ್ಗಳು Organization branch master.,ಸಂಸ್ಥೆ ಶಾಖೆ ಮಾಸ್ಟರ್ . Organization unit (department) master.,ಸಂಸ್ಥೆ ಘಟಕ ( ಇಲಾಖೆ ) ಮಾಸ್ಟರ್ . -Original Amount,ಮೂಲ ಪ್ರಮಾಣ Other,ಇತರ Other Details,ಇತರೆ ವಿವರಗಳು Others,ಇತರೆ @@ -1834,6 +1925,7 @@ Overlapping conditions found between:,ನಡುವೆ ಕಂಡುಬರುವ Overview,ಸ್ಥೂಲ ಸಮೀಕ್ಷೆ Owned,ಸ್ವಾಮ್ಯದ Owner,ಒಡೆಯ +P L A - Cess Portion,ಪಿಎಲ್ಎ - Cess ಭಾಗದ PL or BS,ಪಿಎಲ್ ಅಥವಾ ಬಿಎಸ್ PO Date,ಪಿಒ ದಿನಾಂಕ PO No,ಪಿಒ ನಂ @@ -1846,7 +1938,6 @@ POS Setting required to make POS Entry,ಪಿಓಎಸ್ ಎಂಟ್ರಿ ಮ POS Setting {0} already created for user: {1} and company {2},ಪಿಓಎಸ್ ಸೆಟ್ಟಿಂಗ್ {0} ಈಗಾಗಲೇ ಬಳಕೆದಾರ ರಚಿಸಿದ : {1} {2} ಮತ್ತು ಕಂಪನಿ POS View,ಪಿಓಎಸ್ ವೀಕ್ಷಿಸಿ PR Detail,ತರಬೇತಿ ವಿವರ -PR Posting Date,ತರಬೇತಿ ಪೋಸ್ಟಿಂಗ್ ದಿನಾಂಕ Package Item Details,ಪ್ಯಾಕೇಜ್ ಐಟಂ ವಿವರಗಳು Package Items,ಪ್ಯಾಕೇಜ್ ಐಟಂಗಳು Package Weight Details,ಪ್ಯಾಕೇಜ್ ತೂಕ ವಿವರಗಳು @@ -1876,8 +1967,6 @@ Parent Sales Person,ಪೋಷಕ ಮಾರಾಟಗಾರ್ತಿ Parent Territory,ಪೋಷಕ ಪ್ರದೇಶ Parent Website Page,ಪೋಷಕ ವೆಬ್ಸೈಟ್ ಪುಟವನ್ನು Parent Website Route,ಪೋಷಕ ಸೈಟ್ ಮಾರ್ಗ -Parent account can not be a ledger,ಪೋಷಕರ ಖಾತೆಯ ಒಂದು ಲೆಡ್ಜರ್ ಸಾಧ್ಯವಿಲ್ಲ -Parent account does not exist,ಪೋಷಕರ ಖಾತೆಯ ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ Parenttype,ParentType Part-time,ಅರೆಕಾಲಿಕ Partially Completed,ಭಾಗಶಃ ಪೂರ್ಣಗೊಂಡಿತು @@ -1886,6 +1975,8 @@ Partly Delivered,ಭಾಗಶಃ ತಲುಪಿಸಲಾಗಿದೆ Partner Target Detail,ಪಾರ್ಟ್ನರ್ಸ್ ವಿವರ ಟಾರ್ಗೆಟ್ Partner Type,ಸಂಗಾತಿ ಪ್ರಕಾರ Partner's Website,ಸಂಗಾತಿ ವೆಬ್ಸೈಟ್ +Party,ಪಕ್ಷ +Party Account,ಪಕ್ಷದ ಖಾತೆ Party Type,ಪಕ್ಷದ ಪ್ರಕಾರ Party Type Name,ಪಕ್ಷದ ಟೈಪ್ ಹೆಸರು Passive,ನಿಷ್ಕ್ರಿಯ @@ -1898,10 +1989,14 @@ Payables Group,ಸಂದಾಯಗಳು ಗುಂಪು Payment Days,ಪಾವತಿ ಡೇಸ್ Payment Due Date,ಪಾವತಿ ಕಾರಣ ದಿನಾಂಕ Payment Period Based On Invoice Date,ಸರಕುಪಟ್ಟಿ ದಿನಾಂಕವನ್ನು ಆಧರಿಸಿ ಪಾವತಿ ಅವಧಿ +Payment Reconciliation,ಪಾವತಿ ಸಾಮರಸ್ಯ +Payment Reconciliation Invoice,ಪಾವತಿ ಸಾಮರಸ್ಯ ಸರಕುಪಟ್ಟಿ +Payment Reconciliation Invoices,ಪಾವತಿ ಸಾಮರಸ್ಯ ಇನ್ವಾಯ್ಸಸ್ +Payment Reconciliation Payment,ಪಾವತಿ ರಾಜಿ ಪಾವತಿಗೆ +Payment Reconciliation Payments,ಪಾವತಿ ಸಾಮರಸ್ಯ ಪಾವತಿಗಳು Payment Type,ಪಾವತಿ ಪ್ರಕಾರ +Payment cannot be made for empty cart,ಪಾವತಿ ಖಾಲಿ ಕಾರ್ಟ್ ಸಾಧ್ಯವಿಲ್ಲ Payment of salary for the month {0} and year {1},ತಿಂಗಳು ಮತ್ತು ವರ್ಷದ ಸಂಬಳ ಪಾವತಿ {0} {1} -Payment to Invoice Matching Tool,ಬರೆಯುವುದು ಟೂಲ್ ಸರಕುಪಟ್ಟಿ ಪಾವತಿ -Payment to Invoice Matching Tool Detail,ಬರೆಯುವುದು ಟೂಲ್ ವಿವರ ಸರಕುಪಟ್ಟಿ ಪಾವತಿ Payments,ಪಾವತಿಗಳು Payments Made,ಮಾಡಲಾದ ಪಾವತಿಗಳನ್ನು Payments Received,ಪಡೆದರು ಪಾವತಿಗಳನ್ನು @@ -1944,7 +2039,9 @@ Planning,ಯೋಜನೆ Plant,ಗಿಡ Plant and Machinery,ಸ್ಥಾವರ ಮತ್ತು ಯಂತ್ರೋಪಕರಣಗಳ Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,ಎಲ್ಲಾ ಖಾತೆ ಮುಖ್ಯಸ್ಥರಿಗೆ ಪ್ರತ್ಯಯ ಎಂದು ಸೇರಿಸಲಾಗುತ್ತದೆ ಸರಿಯಾಗಿ ಸಂಕ್ಷೇಪಣ ಅಥವಾ ಸಣ್ಣ ಹೆಸರು ನಮೂದಿಸಿ. +Please Update SMS Settings,SMS ಸೆಟ್ಟಿಂಗ್ಗಳು ಅಪ್ಡೇಟ್ ಮಾಡಿ Please add expense voucher details,ವೆಚ್ಚದಲ್ಲಿ ಚೀಟಿ ವಿವರಗಳು ಸೇರಿಸಿ +Please add to Modes of Payment from Setup.,ಸೆಟಪ್ ರಿಂದ ಪಾವತಿ ವಿಧಾನಗಳನ್ನು ಸೇರಿಸಿ. Please check 'Is Advance' against Account {0} if this is an advance entry.,ಖಾತೆ ವಿರುದ್ಧ ' ಅಡ್ವಾನ್ಸ್ ಈಸ್ ' ಪರಿಶೀಲಿಸಿ {0} ಈ ಮುಂಗಡ ಪ್ರವೇಶ ವೇಳೆ . Please click on 'Generate Schedule',ವೇಳಾಪಟ್ಟಿ ' ' ರಚಿಸಿ 'ಅನ್ನು ಕ್ಲಿಕ್ ಮಾಡಿ Please click on 'Generate Schedule' to fetch Serial No added for Item {0},ಯಾವುದೇ ಸೀರಿಯಲ್ ಐಟಂ ಸೇರಿಸಲಾಗಿದೆ ತರಲು ' ರಚಿಸಿ ' ವೇಳಾಪಟ್ಟಿ ' ಕ್ಲಿಕ್ ಮಾಡಿ {0} @@ -1992,12 +2089,13 @@ Please enter valid Company Email,ಮಾನ್ಯ ಇಮೇಲ್ ಕಂಪನ Please enter valid Email Id,ಮಾನ್ಯ ಇಮೇಲ್ ಅನ್ನು ನಮೂದಿಸಿ Please enter valid Personal Email,ಮಾನ್ಯ ವೈಯಕ್ತಿಕ ಇಮೇಲ್ ನಮೂದಿಸಿ Please enter valid mobile nos,ಮಾನ್ಯ ಮೊಬೈಲ್ ಸೂಲ ನಮೂದಿಸಿ +Please find attached Sales Invoice #{0},ಲಗತ್ತಿಸಲಾದ ಹೇಗೆ ದಯವಿಟ್ಟು ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ # {0} Please install dropbox python module,ಡ್ರಾಪ್ಬಾಕ್ಸ್ pythonModule ಅನುಸ್ಥಾಪಿಸಲು ದಯವಿಟ್ಟು Please mention no of visits required,ನಮೂದಿಸಿ ಅಗತ್ಯವಿದೆ ಭೇಟಿ ಯಾವುದೇ Please pull items from Delivery Note,ಡೆಲಿವರಿ ಗಮನಿಸಿ ಐಟಂಗಳನ್ನು ಪುಲ್ ದಯವಿಟ್ಟು Please save the Newsletter before sending,ಕಳುಹಿಸುವ ಮೊದಲು ಸುದ್ದಿಪತ್ರವನ್ನು ಉಳಿಸಲು ದಯವಿಟ್ಟು Please save the document before generating maintenance schedule,ನಿರ್ವಹಣೆ ವೇಳಾಪಟ್ಟಿ ಉತ್ಪಾದಿಸುವ ಮೊದಲು ಡಾಕ್ಯುಮೆಂಟ್ ಉಳಿಸಲು ದಯವಿಟ್ಟು -Please select Account first,ಮೊದಲ ಖಾತೆಯನ್ನು ಆಯ್ಕೆಮಾಡಿ +Please see attachment,ಬಾಂಧವ್ಯ ನೋಡಿ Please select Bank Account,ಬ್ಯಾಂಕ್ ಖಾತೆ ಆಯ್ಕೆಮಾಡಿ Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,ನೀವು ಆದ್ದರಿಂದ ಈ ಹಿಂದಿನ ಆರ್ಥಿಕ ವರ್ಷದ ಬಾಕಿ ಈ ಆರ್ಥಿಕ ವರ್ಷ ಬಿಟ್ಟು ಸೇರಿವೆ ಬಯಸಿದರೆ ಮುಂದಕ್ಕೆ ಸಾಗಿಸುವ ಆಯ್ಕೆ ಮಾಡಿ Please select Category first,ಮೊದಲ ವರ್ಗ ಆಯ್ಕೆ ಮಾಡಿ @@ -2005,14 +2103,17 @@ Please select Charge Type first,ಮೊದಲ ಬ್ಯಾಚ್ ಪ್ರಕ Please select Fiscal Year,ಹಣಕಾಸಿನ ವರ್ಷ ಆಯ್ಕೆಮಾಡಿ Please select Group or Ledger value,ಗುಂಪು ಅಥವಾ ಲೆಡ್ಜರ್ ಮೌಲ್ಯವನ್ನು ಆಯ್ಕೆ ಮಾಡಿ Please select Incharge Person's name,ಉಸ್ತುವಾರಿ ವ್ಯಕ್ತಿಯ ಹೆಸರು ಆಯ್ಕೆ ಮಾಡಿ +Please select Invoice Type and Invoice Number in atleast one row,ಕನಿಷ್ಠ ಒಂದು ಸತತವಾಗಿ ಸರಕುಪಟ್ಟಿ ಪ್ರಕಾರ ಮತ್ತು ಸರಕುಪಟ್ಟಿ ಸಂಖ್ಯೆ ಆಯ್ಕೆಮಾಡಿ "Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Sales BOM","""ಸ್ಟಾಕ್ ಐಟಂ "" ""ಇಲ್ಲ"" ಮತ್ತು "" ಮಾರಾಟದ ಐಟಂ "" ""ಹೌದು"" ಮತ್ತು ಯಾವುದೇ ಇತರ ಮಾರಾಟದ BOM ಅಲ್ಲಿ ಐಟಂ ಆಯ್ಕೆ ಮಾಡಿ" Please select Price List,ಬೆಲೆ ಪಟ್ಟಿ ಆಯ್ಕೆ ಮಾಡಿ Please select Start Date and End Date for Item {0},ಪ್ರಾರಂಭ ದಿನಾಂಕ ಮತ್ತು ಐಟಂ ಎಂಡ್ ದಿನಾಂಕ ಆಯ್ಕೆ ಮಾಡಿ {0} +Please select Time Logs.,ಟೈಮ್ ದಾಖಲೆಗಳು ಆಯ್ಕೆ ಮಾಡಿ. Please select a csv file,ಒಂದು CSV ಕಡತ ಆಯ್ಕೆ ಮಾಡಿ Please select a valid csv file with data,ದತ್ತಾಂಶ ಮಾನ್ಯ CSV ಕಡತ ಆಯ್ಕೆ ಮಾಡಿ Please select a value for {0} quotation_to {1},{0} {1} quotation_to ಒಂದು ಮೌಲ್ಯವನ್ನು ಆಯ್ಕೆ ಮಾಡಿ "Please select an ""Image"" first","ಮೊದಲ ಒಂದು "" ಚಿತ್ರ "" ಆಯ್ಕೆ ಮಾಡಿ" Please select charge type first,ಮೊದಲ ಬ್ಯಾಚ್ ಮಾದರಿಯ ಆಯ್ಕೆ ಮಾಡಿ +Please select company first,ಮೊದಲ ಕಂಪನಿ ಆಯ್ಕೆ ಮಾಡಿ Please select company first.,ಮೊದಲ ಕಂಪನಿ ಆಯ್ಕೆ ಮಾಡಿ . Please select item code,ಐಟಂ ಕೋಡ್ ಆಯ್ಕೆ ಮಾಡಿ Please select month and year,ತಿಂಗಳು ವರ್ಷದ ಆಯ್ಕೆಮಾಡಿ @@ -2021,6 +2122,7 @@ Please select the document type first,ಮೊದಲ ದಾಖಲೆ ಪ್ರ Please select weekly off day,ಸಾಪ್ತಾಹಿಕ ದಿನ ಆಫ್ ಆಯ್ಕೆಮಾಡಿ Please select {0},ಆಯ್ಕೆಮಾಡಿ {0} Please select {0} first,ಮೊದಲ {0} ಆಯ್ಕೆ ಮಾಡಿ +Please select {0} first.,ಮೊದಲ {0} ಆಯ್ಕೆ ಮಾಡಿ. Please set Dropbox access keys in your site config,ನಿಮ್ಮ ಸೈಟ್ ಸಂರಚನಾ ಡ್ರಾಪ್ಬಾಕ್ಸ್ accesskeys ಸೆಟ್ ದಯವಿಟ್ಟು Please set Google Drive access keys in {0},ಗೂಗಲ್ ಡ್ರೈವ್ accesskeys ಸೆಟ್ ದಯವಿಟ್ಟು {0} Please set default Cash or Bank account in Mode of Payment {0},ಪಾವತಿಯ ಮಾದರಿಯು ಡೀಫಾಲ್ಟ್ ನಗದು ಅಥವಾ ಬ್ಯಾಂಕ್ ಖಾತೆ ಸೆಟ್ ದಯವಿಟ್ಟು {0} @@ -2047,6 +2149,7 @@ Postal,ಅಂಚೆಯ Postal Expenses,ಅಂಚೆ ವೆಚ್ಚಗಳು Posting Date,ದಿನಾಂಕ ಪೋಸ್ಟ್ Posting Time,ಟೈಮ್ ಪೋಸ್ಟ್ +Posting date and posting time is mandatory,ಪೋಸ್ಟಿಂಗ್ ದಿನಾಂಕ ಮತ್ತು ಪೋಸ್ಟ್ ಸಮಯದಲ್ಲಿ ಕಡ್ಡಾಯ Posting timestamp must be after {0},ಪೋಸ್ಟ್ ಸಮಯಮುದ್ರೆಗೆ ನಂತರ ಇರಬೇಕು {0} Potential opportunities for selling.,ಮಾರಾಟ ಸಮರ್ಥ ಅವಕಾಶಗಳನ್ನು . Preferred Billing Address,ಮೆಚ್ಚಿನ ಬಿಲ್ಲಿಂಗ್ ವಿಳಾಸ @@ -2073,8 +2176,10 @@ Price List not selected,ಬೆಲೆ ಪಟ್ಟಿಯನ್ನು ಅಲ್ಲ Price List {0} is disabled,ಬೆಲೆ ಪಟ್ಟಿ {0} ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಲಾಗಿದೆ Price or Discount,ಬೆಲೆ ಅಥವಾ ಡಿಸ್ಕೌಂಟ್ Pricing Rule,ಬೆಲೆ ರೂಲ್ -Pricing Rule For Discount,ಬೆಲೆ ನಿಯಮ ಡಿಸ್ಕೌಂಟ್ -Pricing Rule For Price,ಬೆಲೆ ನಿಯಮ ಬೆಲೆ +Pricing Rule Help,ಬೆಲೆ ನಿಯಮ ಸಹಾಯ +"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","ಬೆಲೆ ರೂಲ್ ಮೊದಲ ಐಟಂ, ಐಟಂ ಗುಂಪು ಅಥವಾ ಬ್ರಾಂಡ್ ಆಗಿರಬಹುದು, ಕ್ಷೇತ್ರದಲ್ಲಿ 'ರಂದು ಅನ್ವಯಿಸು' ಆಧಾರದ ಮೇಲೆ ಆಯ್ಕೆ." +"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","ಬೆಲೆ ರೂಲ್ ಕೆಲವು ಮಾನದಂಡಗಳನ್ನು ಆಧರಿಸಿ, ಬೆಲೆ ಪಟ್ಟಿ / ರಿಯಾಯಿತಿ ಶೇಕಡಾವಾರು ವ್ಯಾಖ್ಯಾನಿಸಲು ಬದಲಿಸಿ ತಯಾರಿಸಲಾಗುತ್ತದೆ." +Pricing Rules are further filtered based on quantity.,ಬೆಲೆ ನಿಯಮಗಳಲ್ಲಿ ಮತ್ತಷ್ಟು ಪ್ರಮಾಣವನ್ನು ಆಧರಿಸಿ ಫಿಲ್ಟರ್. Print Format Style,ಪ್ರಿಂಟ್ ಫಾರ್ಮ್ಯಾಟ್ ಶೈಲಿ Print Heading,ಪ್ರಿಂಟ್ ಶಿರೋನಾಮೆ Print Without Amount,ಪ್ರಮಾಣ ಇಲ್ಲದೆ ಮುದ್ರಿಸು @@ -2102,7 +2207,9 @@ Production Plan Sales Orders,ಉತ್ಪಾದನೆ ಯೋಜನೆ ಮ Production Planning Tool,ತಯಾರಿಕಾ ಯೋಜನೆ ಉಪಕರಣ Products,ಉತ್ಪನ್ನಗಳು "Products will be sorted by weight-age in default searches. More the weight-age, higher the product will appear in the list.","ಉತ್ಪನ್ನಗಳು ಡೀಫಾಲ್ಟ್ ಅನೂಶೋಧನೆಯ ತೂಕ ವಯಸ್ಸಿಗೆ ಜೋಡಿಸಲ್ಪಡುತ್ತದೆ. ಇನ್ನಷ್ಟು ತೂಕ ವಯಸ್ಸು , ಹೆಚ್ಚಿನ ಉತ್ಪನ್ನ ಪಟ್ಟಿಯಲ್ಲಿ ಕಾಣಿಸುತ್ತದೆ ." +Professional Tax,ವೃತ್ತಿಪರ ತೆರಿಗೆ Profit and Loss,ಲಾಭ ಮತ್ತು ನಷ್ಟ +Profit and Loss Statement,ಲಾಭ ಮತ್ತು ನಷ್ಟ ಹೇಳಿಕೆ Project,ಯೋಜನೆ Project Costing,ಪ್ರಾಜೆಕ್ಟ್ ಕಾಸ್ಟಿಂಗ್ Project Details,ಯೋಜನೆಯ ವಿವರಗಳು @@ -2125,7 +2232,9 @@ Projects & System,ಯೋಜನೆಗಳು ಮತ್ತು ವ್ಯವಸ Prompt for Email on Submission of,ಸಲ್ಲಿಕೆ ಇಮೇಲ್ ಪ್ರಾಂಪ್ಟಿನಲ್ಲಿ Proposal Writing,ಪ್ರೊಪೋಸಲ್ ಬರವಣಿಗೆ Provide email id registered in company,ಕಂಪನಿಗಳು ನೋಂದಣಿ ಇಮೇಲ್ ಐಡಿ ಒದಗಿಸಿ +Provisional Profit / Loss (Credit),ಹಂಗಾಮಿ ಲಾಭ / ನಷ್ಟ (ಕ್ರೆಡಿಟ್) Public,ಸಾರ್ವಜನಿಕ +Published on website at: {0},ವೆಬ್ಸೈಟ್ನಲ್ಲಿ ಪ್ರಕಟಣೆ: {0} Publishing,ಪಬ್ಲಿಷಿಂಗ್ Pull sales orders (pending to deliver) based on the above criteria,ಮೇಲೆ ಮಾನದಂಡಗಳನ್ನು ಆಧರಿಸಿ ( ತಲುಪಿಸಲು ಬಾಕಿ ) ಮಾರಾಟ ಆದೇಶಗಳನ್ನು ಪುಲ್ Purchase,ಖರೀದಿ @@ -2134,7 +2243,6 @@ Purchase Analytics,ಖರೀದಿ ಅನಾಲಿಟಿಕ್ಸ್ Purchase Common,ಸಾಮಾನ್ಯ ಖರೀದಿ Purchase Details,ಖರೀದಿ ವಿವರಗಳು Purchase Discounts,ರಿಯಾಯಿತಿಯು ಖರೀದಿಸಿ -Purchase In Transit,ಸ್ಥಿತ್ಯಂತರಗೊಳ್ಳುವ ಖರೀದಿ Purchase Invoice,ಖರೀದಿ ಸರಕುಪಟ್ಟಿ Purchase Invoice Advance,ಸರಕುಪಟ್ಟಿ ಮುಂಗಡ ಖರೀದಿ Purchase Invoice Advances,ಖರೀದಿ ಸರಕುಪಟ್ಟಿ ಅಡ್ವಾನ್ಸಸ್ @@ -2142,7 +2250,6 @@ Purchase Invoice Item,ಖರೀದಿ ಸರಕುಪಟ್ಟಿ ಐಟಂ Purchase Invoice Trends,ಸರಕುಪಟ್ಟಿ ಟ್ರೆಂಡ್ಸ್ ಖರೀದಿಸಿ Purchase Invoice {0} is already submitted,ಖರೀದಿ ಸರಕುಪಟ್ಟಿ {0} ಈಗಾಗಲೇ ಸಲ್ಲಿಸಿದ Purchase Order,ಪರ್ಚೇಸ್ ಆರ್ಡರ್ -Purchase Order Date,ಪರ್ಚೇಸ್ ಆರ್ಡರ್ ದಿನಾಂಕ Purchase Order Item,ಪರ್ಚೇಸ್ ಆರ್ಡರ್ ಐಟಂ Purchase Order Item No,ಪರ್ಚೇಸ್ ಆರ್ಡರ್ ಐಟಂ ಸಂಖ್ಯೆ Purchase Order Item Supplied,ಪರ್ಚೇಸ್ ಆರ್ಡರ್ ಐಟಂ ವಿತರಿಸುತ್ತಾರೆ @@ -2206,7 +2313,6 @@ Quarter,ಕಾಲು ಭಾಗ Quarterly,ತ್ರೈಮಾಸಿಕ Quick Help,ತ್ವರಿತ ಸಹಾಯ Quotation,ಉದ್ಧರಣ -Quotation Date,ಉಲ್ಲೇಖ ದಿನಾಂಕ Quotation Item,ನುಡಿಮುತ್ತುಗಳು ಐಟಂ Quotation Items,ಉದ್ಧರಣ ಐಟಂಗಳು Quotation Lost Reason,ನುಡಿಮುತ್ತುಗಳು ಲಾಸ್ಟ್ ಕಾರಣ @@ -2284,6 +2390,7 @@ Recurring Invoice,ಮರುಕಳಿಸುವ ಸರಕುಪಟ್ಟಿ Recurring Type,ಮರುಕಳಿಸುವ ಪ್ರಕಾರ Reduce Deduction for Leave Without Pay (LWP),ಪೇ ಇಲ್ಲದೆ ಬಿಡಿ ಕಡಿತಗೊಳಿಸು ಕಡಿಮೆ ( LWP ) Reduce Earning for Leave Without Pay (LWP),ವೇತನ ಇಲ್ಲದೆ ರಜೆ ದುಡಿಯುತ್ತಿದ್ದ ಕಡಿಮೆ ( LWP ) +Ref,ತೀರ್ಪುಗಾರ Ref Code,ಉಲ್ಲೇಖ ಕೋಡ್ Ref SQ,ಉಲ್ಲೇಖ SQ Reference,ರೆಫರೆನ್ಸ್ @@ -2307,6 +2414,7 @@ Relieving Date,ದಿನಾಂಕ ನಿವಾರಿಸುವ Relieving Date must be greater than Date of Joining,ದಿನಾಂಕ ನಿವಾರಿಸುವ ಸೇರುವ ದಿನಾಂಕ ಹೆಚ್ಚಿನ ಇರಬೇಕು Remark,ಟೀಕಿಸು Remarks,ರಿಮಾರ್ಕ್ಸ್ +Remarks Custom,ರಿಮಾರ್ಕ್ಸ್ ಕಸ್ಟಮ್ Rename,ಹೊಸ ಹೆಸರಿಡು Rename Log,ಲಾಗ್ ಮರುಹೆಸರಿಸು Rename Tool,ಟೂಲ್ ಮರುಹೆಸರಿಸು @@ -2322,6 +2430,7 @@ Report Type,ವರದಿ ಪ್ರಕಾರ Report Type is mandatory,ವರದಿ ಪ್ರಕಾರ ಕಡ್ಡಾಯ Reports to,ಗೆ ವರದಿಗಳು Reqd By Date,ಬೇಕಾಗಿದೆ ದಿನಾಂಕ ಮೂಲಕ +Reqd by Date,ಬೇಕಾಗಿದೆ ದಿನಾಂಕ Request Type,ವಿನಂತಿ ಪ್ರಕಾರ Request for Information,ಮಾಹಿತಿಗಾಗಿ ಕೋರಿಕೆ Request for purchase.,ಖರೀದಿ ವಿನಂತಿ . @@ -2375,21 +2484,34 @@ Rounded Total,ದುಂಡಾದ ಒಟ್ಟು Rounded Total (Company Currency),ದುಂಡಾದ ಒಟ್ಟು ( ಕಂಪನಿ ಕರೆನ್ಸಿ ) Row # , Row # {0}: , +Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,ರೋ # {0}: ಆದೇಶಿಸಿತು ಪ್ರಮಾಣ (ಐಟಂ ಮಾಸ್ಟರ್ ವ್ಯಾಖ್ಯಾನಿಸಲಾಗಿದೆ) ಐಟಂನ ಕನಿಷ್ಠ ಪ್ರಮಾಣ ಆದೇಶ ಕಡಿಮೆ ಸಾಧ್ಯವಿಲ್ಲ. +Row #{0}: Please specify Serial No for Item {1},ರೋ # {0}: ಐಟಂ ಯಾವುದೇ ಸೀರಿಯಲ್ ಸೂಚಿಸಲು ದಯವಿಟ್ಟು {1} "Row {0}: Account does not match with \ - Purchase Invoice Credit To account",ರೋ {0} : ಖಾತೆ ಮಾಡಲು \ \ N ಖರೀದಿ ಸರಕುಪಟ್ಟಿ ಕ್ರೆಡಿಟ್ ಜೊತೆ ಹೊಂದಿಕೆಯಾಗುವುದಿಲ್ಲ + Purchase Invoice Credit To account","ರೋ {0}: \ + ಖರೀದಿಸಿ ಸರಕುಪಟ್ಟಿ ಕ್ರೆಡಿಟ್ ಖಾತೆಗೆ ಜೊತೆ ಹೊಂದಿಕೆಯಾಗುವುದಿಲ್ಲ" "Row {0}: Account does not match with \ - Sales Invoice Debit To account",ರೋ {0} : ಖಾತೆ ಮಾಡಲು \ \ N ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ಡೆಬಿಟ್ ಹೊಂದಿಕೆಯಾಗುವುದಿಲ್ಲ + Sales Invoice Debit To account","ರೋ {0}: \ + ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ಡೆಬಿಟ್ ಖಾತೆಗೆ ಜೊತೆ ಹೊಂದಿಕೆಯಾಗುವುದಿಲ್ಲ" +Row {0}: Conversion Factor is mandatory,ರೋ {0}: ಪರಿವರ್ತಿಸುವುದರ ಕಡ್ಡಾಯ Row {0}: Credit entry can not be linked with a Purchase Invoice,ರೋ {0} : ಕ್ರೆಡಿಟ್ ಪ್ರವೇಶ ಖರೀದಿಸಿ ಸರಕುಪಟ್ಟಿ ಸಂಬಂಧ ಸಾಧ್ಯವಿಲ್ಲ Row {0}: Debit entry can not be linked with a Sales Invoice,ರೋ {0} : ಡೆಬಿಟ್ ನಮೂದು ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ಸಂಬಂಧ ಸಾಧ್ಯವಿಲ್ಲ +Row {0}: Payment amount must be less than or equals to invoice outstanding amount. Please refer Note below.,ರೋ {0}: ಪಾವತಿ ಪ್ರಮಾಣವನ್ನು ಕಡಿಮೆ ಅಥವಾ ಅತ್ಯುತ್ತಮ ಪ್ರಮಾಣದ ಸರಕುಪಟ್ಟಿ ಸಮನಾಗಿರುತ್ತದೆ ಇರಬೇಕು. ಕೆಳಗೆ ಗಮನಿಸಿ ನೋಡಿ. +Row {0}: Qty is mandatory,ರೋ {0}: ಪ್ರಮಾಣ ಕಡ್ಡಾಯ +"Row {0}: Qty not avalable in warehouse {1} on {2} {3}. + Available Qty: {4}, Transfer Qty: {5}","ರೋ {0}: ಪ್ರಮಾಣ ಉಗ್ರಾಣದಲ್ಲಿ avalable {1} ಅಲ್ಲ {2} {3}. + ಲಭ್ಯವಿರುವ ಪ್ರಮಾಣ: {4}, ಪ್ರಮಾಣ ವರ್ಗಾಯಿಸಿ: {5}" "Row {0}: To set {1} periodicity, difference between from and to date \ - must be greater than or equal to {2}","ರೋ {0} : {1} ಅವಧಿಗೆ , \ \ n ಮತ್ತು ಇಲ್ಲಿಯವರೆಗೆ ನಡುವಿನ ವ್ಯತ್ಯಾಸ ಹೆಚ್ಚು ಅಥವಾ ಸಮ ಇರಬೇಕು ಹೊಂದಿಸಲು {2}" + must be greater than or equal to {2}","ರೋ {0}: ಹೊಂದಿಸಲು {1} ಅವಧಿಗೆ, ಮತ್ತು ಇಲ್ಲಿಯವರೆಗಿನ ನಡುವೆ ವ್ಯತ್ಯಾಸ \ + ಹೆಚ್ಚು ಅಥವಾ ಸಮ ಇರಬೇಕು {2}" Row {0}:Start Date must be before End Date,ರೋ {0} : ಪ್ರಾರಂಭ ದಿನಾಂಕ ಎಂಡ್ ದಿನಾಂಕದ ಮೊದಲು Rules for adding shipping costs.,ಹಡಗು ವೆಚ್ಚ ಸೇರಿಸುವ ನಿಯಮಗಳು . Rules for applying pricing and discount.,ಬೆಲೆ ಮತ್ತು ರಿಯಾಯಿತಿ ಅಳವಡಿಸುವ ನಿಯಮಗಳು . Rules to calculate shipping amount for a sale,ಒಂದು ಮಾರಾಟ ಹಡಗು ಪ್ರಮಾಣವನ್ನು ಲೆಕ್ಕಾಚಾರ ನಿಯಮಗಳು S.O. No.,S.O. ನಂ +SHE Cess on Excise,ಶಿ ಅಬಕಾರಿ ಮೇಲೆ Cess +SHE Cess on Service Tax,ಶಿ ಸೇವೆ ತೆರಿಗೆ Cess +SHE Cess on TDS,ಶಿ ಟಿಡಿಎಸ್ ಮೇಲೆ Cess SMS Center,ಸಂಚಿಕೆ ಸೆಂಟರ್ -SMS Control,SMS ನಿಯಂತ್ರಣವನ್ನು SMS Gateway URL,SMS ಗೇಟ್ವೇ URL ಅನ್ನು SMS Log,ಎಸ್ಎಂಎಸ್ ಲಾಗಿನ್ SMS Parameter,ಎಸ್ಎಂಎಸ್ ನಿಯತಾಂಕಗಳನ್ನು @@ -2494,15 +2616,20 @@ Securities and Deposits,ಸೆಕ್ಯುರಿಟೀಸ್ ಮತ್ತು "Select ""Yes"" if this item represents some work like training, designing, consulting etc.","ಈ ಐಟಂ ಇತ್ಯಾದಿ ತರಬೇತಿ , ವಿನ್ಯಾಸ , ಸಲಹಾ , ಕೆಲವು ಕೆಲಸ ನಿರೂಪಿಸಿದರೆ "" ಹೌದು "" ಆಯ್ಕೆ" "Select ""Yes"" if you are maintaining stock of this item in your Inventory.","ನಿಮ್ಮ ತಪಶೀಲು ಈ ಐಟಂ ಸ್ಟಾಕ್ ನಿರ್ವಹಣೆ ವೇಳೆ "" ಹೌದು "" ಆಯ್ಕೆ ಮಾಡಿ." "Select ""Yes"" if you supply raw materials to your supplier to manufacture this item.","ನೀವು ಈ ಐಟಂ ತಯಾರಿಸಲು ನಿಮ್ಮ ಪೂರೈಕೆದಾರ ಕಚ್ಚಾ ವಸ್ತುಗಳ ಪೂರೈಕೆ ವೇಳೆ "" ಹೌದು "" ಆಯ್ಕೆ ಮಾಡಿ." +Select Brand...,ಬ್ರ್ಯಾಂಡ್ ಆಯ್ಕೆ ... Select Budget Distribution to unevenly distribute targets across months.,ವಿತರಿಸಲು ಬಜೆಟ್ ವಿತರಣೆ ಆಯ್ಕೆ ಅಸಮಾನವಾಗಿ ತಿಂಗಳ ಅಡ್ಡಲಾಗಿ ಗುರಿ. "Select Budget Distribution, if you want to track based on seasonality.","ನೀವು ಋತುಗಳು ಆಧರಿಸಿ ಟ್ರ್ಯಾಕ್ ಬಯಸಿದರೆ , ಬಜೆಟ್ ವಿತರಣೆ ಮಾಡಿ ." +Select Company...,ಕಂಪನಿ ಆಯ್ಕೆ ... Select DocType,ಆಯ್ಕೆ doctype +Select Fiscal Year...,ಹಣಕಾಸಿನ ವರ್ಷ ಆಯ್ಕೆ ... Select Items,ಐಟಂಗಳನ್ನು ಆಯ್ಕೆಮಾಡಿ +Select Project...,ಪ್ರಾಜೆಕ್ಟ್ ಆಯ್ಕೆ ... Select Purchase Receipts,ಖರೀದಿ ರಸೀದಿಗಳನ್ನು ಆಯ್ಕೆ Select Sales Orders,ಆಯ್ಕೆ ಮಾರಾಟದ ಆರ್ಡರ್ಸ್ Select Sales Orders from which you want to create Production Orders.,ನೀವು ಉತ್ಪಾದನೆ ಆದೇಶಗಳನ್ನು ರಚಿಸಲು ಬಯಸುವ ಆಯ್ಕೆ ಮಾರಾಟ ಆದೇಶಗಳನ್ನು . Select Time Logs and Submit to create a new Sales Invoice.,ಟೈಮ್ ದಾಖಲೆಗಳು ಆಯ್ಕೆ ಮತ್ತು ಹೊಸ ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ರಚಿಸಲು ಸಲ್ಲಿಸಿ . Select Transaction,ಟ್ರಾನ್ಸಾಕ್ಷನ್ ಆಯ್ಕೆ +Select Warehouse...,ವೇರ್ಹೌಸ್ ಆಯ್ಕೆ ... Select Your Language,ನಿಮ್ಮ ಭಾಷೆಯನ್ನು ಆಯ್ಕೆ Select account head of the bank where cheque was deposited.,ಅಲ್ಲಿ ಚೆಕ್ ಠೇವಣಿ ಏನು ಬ್ಯಾಂಕ್ ಖಾತೆ ಮುಖ್ಯಸ್ಥ ಆಯ್ಕೆ . Select company name first.,ಮೊದಲ ಕಂಪನಿ ಹೆಸರು ಆಯ್ಕೆ ಮಾಡಿ. @@ -2520,6 +2647,7 @@ Select your home country and check the timezone and currency.,ನಿಮ್ಮ "Selecting ""Yes"" will give a unique identity to each entity of this item which can be viewed in the Serial No master.",""" ಹೌದು "" ಆಯ್ಕೆ ಅನುಕ್ರಮ ಸಂಖ್ಯೆ ಮಾಸ್ಟರ್ ನೋಡಬಹುದು ಈ ಐಟಂ ಪ್ರತಿ ಘಟಕದ ಒಂದು ಅನನ್ಯ ಗುರುತನ್ನು ನೀಡುತ್ತದೆ ." Selling,ವಿಕ್ರಯ Selling Settings,ಸೆಟ್ಟಿಂಗ್ಗಳು ಮಾರಾಟ +"Selling must be checked, if Applicable For is selected as {0}","ಅನ್ವಯಿಸುವ ಹಾಗೆ ಆರಿಸಿದರೆ ವಿಕ್ರಯ, ಪರೀಕ್ಷಿಸಬೇಕು {0}" Send,ಕಳುಹಿಸು Send Autoreply,ಪ್ರತ್ಯುತ್ತರ ಕಳಿಸಿ Send Email,ಇಮೇಲ್ ಕಳುಹಿಸಿ @@ -2556,7 +2684,8 @@ Serial Nos Required for Serialized Item {0},ಧಾರಾವಾಹಿಯಾಗಿ Serial Number Series,ಕ್ರಮ ಸಂಖ್ಯೆ ಸರಣಿ Serial number {0} entered more than once,ಕ್ರಮಸಂಖ್ಯೆ {0} ಒಮ್ಮೆ ಹೆಚ್ಚು ಪ್ರವೇಶಿಸಿತು "Serialized Item {0} cannot be updated \ - using Stock Reconciliation",ಧಾರಾವಾಹಿಯಾಗಿ ಐಟಂ {0} ಸ್ಟಾಕ್ ಸಾಮರಸ್ಯ ಬಳಸಿ \ \ N ಅಪ್ಡೇಟ್ ಸಾಧ್ಯವಿಲ್ಲ + using Stock Reconciliation","ಧಾರಾವಾಹಿಯಾಗಿ ಐಟಂ {0} ಅಪ್ಡೇಟ್ ಸಾಧ್ಯವಿಲ್ಲ \ + ಸ್ಟಾಕ್ ಸಾಮರಸ್ಯ ಬಳಸಿ" Series,ಸರಣಿ Series List for this Transaction,ಈ ಟ್ರಾನ್ಸಾಕ್ಷನ್ ಸರಣಿ ಪಟ್ಟಿ Series Updated,ಸರಣಿ Updated @@ -2565,15 +2694,18 @@ Series is mandatory,ಸರಣಿ ಕಡ್ಡಾಯ Series {0} already used in {1},ಸರಣಿ {0} ಈಗಾಗಲೇ ಬಳಸಲಾಗುತ್ತದೆ {1} Service,ಸೇವೆ Service Address,ಸೇವೆ ವಿಳಾಸ +Service Tax,ಸೇವೆ ತೆರಿಗೆ Services,ಸೇವೆಗಳು Set,ಸೆಟ್ "Set Default Values like Company, Currency, Current Fiscal Year, etc.","ಇತ್ಯಾದಿ ಕಂಪನಿ, ಕರೆನ್ಸಿ , ಪ್ರಸಕ್ತ ಆರ್ಥಿಕ ವರ್ಷದ , ಹಾಗೆ ಹೊಂದಿಸಿ ಡೀಫಾಲ್ಟ್ ಮೌಲ್ಯಗಳು" Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,ಈ ಪ್ರದೇಶ ಮೇಲೆ ಐಟಂ ಗುಂಪು ಬಲ್ಲ ಬಜೆಟ್ ಹೊಂದಿಸಲು . ನೀವು ಆದ್ದರಿಂದ ವಿತರಣೆ ಹೊಂದಿಸುವ ಮೂಲಕ ಋತುಗಳು ಒಳಗೊಳ್ಳಬಹುದು. +Set Status as Available,ಮಾಹಿತಿ ಲಭ್ಯವಿಲ್ಲ ಸ್ಥಿತಿ Set as Default,ಪೂರ್ವನಿಯೋಜಿತವಾಗಿನಿಗದಿಪಡಿಸು Set as Lost,ಲಾಸ್ಟ್ ಹೊಂದಿಸಿ Set prefix for numbering series on your transactions,ನಿಮ್ಮ ವ್ಯವಹಾರಗಳ ಮೇಲೆ ಸರಣಿ ಸಂಖ್ಯೆಗಳನ್ನು ಹೊಂದಿಸಿ ಪೂರ್ವಪ್ರತ್ಯಯ Set targets Item Group-wise for this Sales Person.,ಸೆಟ್ ಗುರಿಗಳನ್ನು ಐಟಂ ಗುಂಪು ಬಲ್ಲ ಈ ಮಾರಾಟ ವ್ಯಕ್ತಿಗೆ . Setting Account Type helps in selecting this Account in transactions.,ಹೊಂದಿಸಲಾಗುತ್ತಿದೆ AccountType ವ್ಯವಹಾರಗಳಲ್ಲಿ ಈ ಖಾತೆಯನ್ನು ಆಯ್ಕೆ ಮಾಡುತ್ತದೆ . +Setting this Address Template as default as there is no other default,ಯಾವುದೇ ಡೀಫಾಲ್ಟ್ ಇಲ್ಲ ಎಂದು ಪೂರ್ವನಿಯೋಜಿತವಾಗಿ ಈ ವಿಳಾಸ ಟೆಂಪ್ಲೇಟ್ ಹೊಂದಿಸುವ Setting up...,ಹೊಂದಿಸಲಾಗುತ್ತಿದೆ .. Settings,ಸೆಟ್ಟಿಂಗ್ಗಳು Settings for HR Module,ಮಾನವ ಸಂಪನ್ಮೂಲ ಮಾಡ್ಯೂಲ್ ಸೆಟ್ಟಿಂಗ್ಗಳು @@ -2581,6 +2713,7 @@ Settings for HR Module,ಮಾನವ ಸಂಪನ್ಮೂಲ ಮಾಡ್ಯೂ Setup,ಸೆಟಪ್ Setup Already Complete!!,ಈಗಾಗಲೇ ಸೆಟಪ್ ಪೂರ್ಣಗೊಳಿಸಲು! Setup Complete,ಸೆಟಪ್ ಕಂಪ್ಲೀಟ್ +Setup SMS gateway settings,ಸೆಟಪ್ SMS ಗೇಟ್ವೇ ಸೆಟ್ಟಿಂಗ್ಗಳನ್ನು Setup Series,ಸೆಟಪ್ ಸರಣಿ Setup Wizard,ಸೆಟಪ್ ವಿಝಾರ್ಡ್ Setup incoming server for jobs email id. (e.g. jobs@example.com),ಉದ್ಯೋಗಗಳು ಇಮೇಲ್ ಐಡಿ ಸೆಟಪ್ ಒಳಬರುವ ಸರ್ವರ್ . ( ಇ ಜಿ jobs@example.com ) @@ -2606,6 +2739,7 @@ Short biography for website and other publications.,ವೆಬ್ಸೈಟ್ Show In Website,ವೆಬ್ಸೈಟ್ ಹೋಗಿ Show a slideshow at the top of the page,ಪುಟದ ಮೇಲಿರುವ ಒಂದು ಸ್ಲೈಡ್ಶೋ ತೋರಿಸು Show in Website,ವೆಬ್ಸೈಟ್ ತೋರಿಸಿ +Show rows with zero values,ಶೂನ್ಯ ಮೌಲ್ಯಗಳು ತೋರಿಸಿ ಸಾಲುಗಳನ್ನು Show this slideshow at the top of the page,ಪುಟದ ಮೇಲಿರುವ ಈ ಸ್ಲೈಡ್ಶೋ ತೋರಿಸು Sick Leave,ಸಿಕ್ ಲೀವ್ Signature,ಸಹಿ @@ -2635,9 +2769,9 @@ Specifications,ವಿಶೇಷಣಗಳು "Specify the operations, operating cost and give a unique Operation no to your operations.","ಕಾರ್ಯಾಚರಣೆಗಳು , ನಿರ್ವಹಣಾ ವೆಚ್ಚ ನಿರ್ದಿಷ್ಟಪಡಿಸಲು ಮತ್ತು ಕಾರ್ಯಾಚರಣೆಗಳು ಒಂದು ಅನನ್ಯ ಕಾರ್ಯಾಚರಣೆ ಯಾವುದೇ ನೀಡಿ ." Split Delivery Note into packages.,ಪ್ರವಾಸ ಒಳಗೆ ಡೆಲಿವರಿ ಗಮನಿಸಿ ಸ್ಪ್ಲಿಟ್ . Sports,ಕ್ರೀಡೆ +Sr,ಸಿನಿಯರ್ Standard,ಸ್ಟ್ಯಾಂಡರ್ಡ್ Standard Buying,ಸ್ಟ್ಯಾಂಡರ್ಡ್ ಬೈಯಿಂಗ್ -Standard Rate,ಸ್ಟ್ಯಾಂಡರ್ಡ್ ದರ Standard Reports,ಸ್ಟ್ಯಾಂಡರ್ಡ್ ವರದಿಗಳು Standard Selling,ಸ್ಟ್ಯಾಂಡರ್ಡ್ ವಿಕ್ರಯ Standard contract terms for Sales or Purchase.,ಮಾರಾಟದ ಅಥವಾ ಖರೀದಿಗಾಗಿ ಸ್ಟ್ಯಾಂಡರ್ಡ್ ಒಪ್ಪಂದದ ವಿಚಾರದಲ್ಲಿ . @@ -2646,6 +2780,7 @@ Start Date,ಪ್ರಾರಂಭ ದಿನಾಂಕ Start date of current invoice's period,ಪ್ರಸ್ತುತ ಅವಧಿಯ ಸರಕುಪಟ್ಟಿ ದಿನಾಂಕ ಪ್ರಾರಂಭಿಸಿ Start date should be less than end date for Item {0},ಪ್ರಾರಂಭ ದಿನಾಂಕ ಐಟಂ ಅಂತಿಮ ದಿನಾಂಕವನ್ನು ಕಡಿಮೆ Shoulderstand {0} State,ರಾಜ್ಯ +Statement of Account,ಖಾತೆ ಹೇಳಿಕೆ Static Parameters,ಸ್ಥಾಯೀ ನಿಯತಾಂಕಗಳನ್ನು Status,ಅಂತಸ್ತು Status must be one of {0},ಸ್ಥಿತಿ ಒಂದು ಇರಬೇಕು {0} @@ -2687,6 +2822,7 @@ Stock Value Difference,ಸ್ಟಾಕ್ ಮೌಲ್ಯ ವ್ಯತ್ಯಾ Stock balances updated,ಸ್ಟಾಕ್ ಬ್ಯಾಲೆನ್ಸ್ ಅಪ್ಡೇಟ್ಗೊಳಿಸಲಾಗಿದೆ Stock cannot be updated against Delivery Note {0},ಸ್ಟಾಕ್ ಡೆಲಿವರಿ ಗಮನಿಸಿ ವಿರುದ್ಧ ನವೀಕರಿಸಲಾಗುವುದಿಲ್ಲ {0} Stock entries exist against warehouse {0} cannot re-assign or modify 'Master Name',"ಸ್ಟಾಕ್ ನಮೂದುಗಳನ್ನು ಮರು ನಿಯೋಜಿಸಲು ಅಥವಾ "" ಮಾಸ್ಟರ್ ಹೆಸರು ' ಮಾರ್ಪಡಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ ಗೋದಾಮಿನ {0} ವಿರುದ್ಧ ಅಸ್ತಿತ್ವದಲ್ಲಿವೆ" +Stock transactions before {0} are frozen,{0} ಮೊದಲು ಸ್ಟಾಕ್ ವ್ಯವಹಾರ ಘನೀಭವಿಸಿದ Stop,ನಿಲ್ಲಿಸಿ Stop Birthday Reminders,ನಿಲ್ಲಿಸಿ ಜನ್ಮದಿನ ಜ್ಞಾಪನೆಗಳು Stop Material Request,ಸ್ಟಾಪ್ ವಸ್ತು ವಿನಂತಿ @@ -2706,13 +2842,13 @@ Submit this Production Order for further processing.,ಮತ್ತಷ್ಟು Submitted,ಒಪ್ಪಿಸಿದ Subsidiary,ಸಹಕಾರಿ Successful: , -Successfully allocated,ಯಶಸ್ವಿಯಾಗಿ ಹಂಚಿಕೆ +Successfully Reconciled,ಯಶಸ್ವಿಯಾಗಿ ಮರುಕೌನ್ಸಿಲ್ Suggestions,ಸಲಹೆಗಳು Sunday,ಭಾನುವಾರ Supplier,ಸರಬರಾಜುದಾರ Supplier (Payable) Account,ಸರಬರಾಜುದಾರ ( ಪಾವತಿಸಲಾಗುವುದು) ಖಾತೆಯನ್ನು Supplier (vendor) name as entered in supplier master,ಪೂರೈಕೆದಾರ ಮಾಸ್ಟರ್ ಹೊಂದಿಸುವ ಪ್ರವೇಶಿಸಿತು ಸರಬರಾಜುದಾರ ( ಮಾರಾಟಗಾರರ ) ಹೆಸರು -Supplier Account,ಸರಬರಾಜುದಾರ ಖಾತೆ +Supplier > Supplier Type,ಸರಬರಾಜುದಾರ> ಸರಬರಾಜುದಾರ ಪ್ರಕಾರ Supplier Account Head,ಸರಬರಾಜುದಾರ ಖಾತೆ ಹೆಡ್ Supplier Address,ಸರಬರಾಜುದಾರ ವಿಳಾಸ Supplier Addresses and Contacts,ಸರಬರಾಜುದಾರ ವಿಳಾಸಗಳು ಮತ್ತು ಸಂಪರ್ಕಗಳು @@ -2750,6 +2886,12 @@ Sync with Google Drive,Google ಡ್ರೈವ್ ಸಿಂಕ್ System,ವ್ಯವಸ್ಥೆ System Settings,ಸಿಸ್ಟಂ ಸೆಟ್ಟಿಂಗ್ಗಳನ್ನು "System User (login) ID. If set, it will become default for all HR forms.","ವ್ಯವಸ್ಥೆ ಬಳಕೆದಾರರು ( ಲಾಗಿನ್ ) id. ಹೊಂದಿಸಿದಲ್ಲಿ , ಎಲ್ಲಾ ಮಾನವ ಸಂಪನ್ಮೂಲ ರೂಪಗಳು ಡೀಫಾಲ್ಟ್ ಪರಿಣಮಿಸುತ್ತದೆ ." +TDS (Advertisement),ಟಿಡಿಎಸ್ (ಜಾಹೀರಾತು) +TDS (Commission),ಟಿಡಿಎಸ್ (ಆಯೋಗ) +TDS (Contractor),ಟಿಡಿಎಸ್ (ಗುತ್ತಿಗೆದಾರ) +TDS (Interest),ಟಿಡಿಎಸ್ (ಬಡ್ಡಿ) +TDS (Rent),ಟಿಡಿಎಸ್ (ಬಾಡಿಗೆ) +TDS (Salary),ಟಿಡಿಎಸ್ (ಸಂಬಳ) Target Amount,ಟಾರ್ಗೆಟ್ ಪ್ರಮಾಣ Target Detail,ವಿವರ ಟಾರ್ಗೆಟ್ Target Details,ಟಾರ್ಗೆಟ್ ವಿವರಗಳು @@ -2770,10 +2912,12 @@ Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are no Tax Rate,ತೆರಿಗೆ ದರ Tax and other salary deductions.,ತೆರಿಗೆ ಮತ್ತು ಇತರ ಸಂಬಳ ನಿರ್ಣಯಗಳಿಂದ . "Tax detail table fetched from item master as a string and stored in this field. -Used for Taxes and Charges",ಸ್ಟ್ರಿಂಗ್ ಮತ್ತು ಈ ಕ್ಷೇತ್ರದಲ್ಲಿ ಸಂಗ್ರಹಿಸಲಾಗಿದೆ ಎಂದು ಐಟಂ ಮಾಸ್ಟರ್ ತರಲಾಗಿದೆ ತೆರಿಗೆ ವಿವರ ಟೇಬಲ್ . \ ತೆರಿಗೆಗಳು ಮತ್ತು ಶುಲ್ಕಗಳು ಫಾರ್ nUsed +Used for Taxes and Charges","ತೆರಿಗೆ ವಿವರ ಟೇಬಲ್ ಸ್ಟ್ರಿಂಗ್ ಐಟಂ ಮಾಸ್ಟರ್ ಗಳಿಸಿತು ಮತ್ತು ಈ ಕ್ಷೇತ್ರದಲ್ಲಿ ಸಂಗ್ರಹಿಸಲಾಗಿದೆ. + ತೆರಿಗೆಗಳು ಮತ್ತು ಶುಲ್ಕಗಳು ಉಪಯೋಗಿಸಿದ" Tax template for buying transactions.,ವ್ಯವಹಾರ ಖರೀದಿ ತೆರಿಗೆ ಟೆಂಪ್ಲೆಟ್ . Tax template for selling transactions.,ವ್ಯವಹಾರ ಮಾರಾಟ ತೆರಿಗೆ ಟೆಂಪ್ಲೆಟ್ . Taxable,ಕರಾರ್ಹ +Taxes,ತೆರಿಗೆಗಳು Taxes and Charges,ತೆರಿಗೆಗಳು ಮತ್ತು ಶುಲ್ಕಗಳು Taxes and Charges Added,ಸೇರಿಸಲಾಗಿದೆ ತೆರಿಗೆಗಳು ಮತ್ತು ಶುಲ್ಕಗಳು Taxes and Charges Added (Company Currency),ಸೇರಿಸಲಾಗಿದೆ ತೆರಿಗೆಗಳು ಮತ್ತು ಶುಲ್ಕಗಳು ( ಕಂಪನಿ ಕರೆನ್ಸಿ ) @@ -2786,6 +2930,7 @@ Technology,ತಂತ್ರಜ್ಞಾನ Telecommunications,ದೂರಸಂಪರ್ಕ Telephone Expenses,ಟೆಲಿಫೋನ್ ವೆಚ್ಚಗಳು Television,ಟೆಲಿವಿಷನ್ +Template,ಟೆಂಪ್ಲೇಟು Template for performance appraisals.,ಪ್ರದರ್ಶನ ಅಂದಾಜಿಸುವಿಕೆಯು ಟೆಂಪ್ಲೇಟ್. Template of terms or contract.,ನಿಯಮಗಳು ಅಥವಾ ಒಪ್ಪಂದದ ಟೆಂಪ್ಲೇಟು . Temporary Accounts (Assets),ತಾತ್ಕಾಲಿಕ ಖಾತೆಗಳ ( ಆಸ್ತಿಗಳು ) @@ -2815,7 +2960,8 @@ The First User: You,ಮೊದಲ ಬಳಕೆದಾರ : ನೀವು The Organization,ಸಂಸ್ಥೆ "The account head under Liability, in which Profit/Loss will be booked","ಲಾಭ / ನಷ್ಟ ಗೊತ್ತು ಯಾವ ಹೊಣೆಗಾರಿಕೆ ಅಡಿಯಲ್ಲಿ ಖಾತೆ ತಲೆ ," "The date on which next invoice will be generated. It is generated on submit. -",ಮುಂದಿನ ಸರಕುಪಟ್ಟಿ ಸೃಷ್ಟಿಸಲಾಗುತ್ತಿಲ್ಲ ಯಾವ ದಿನಾಂಕ . +","ಮುಂದಿನ ಸರಕುಪಟ್ಟಿ ಸೃಷ್ಟಿಸಲಾಗುತ್ತಿಲ್ಲ ಯಾವ ದಿನಾಂಕ. ಇದು ಸಲ್ಲಿಸಲು ಮೇಲೆ ಉತ್ಪಾದಿಸಲಾಗುತ್ತದೆ. +" The date on which recurring invoice will be stop,ಮರುಕಳಿಸುವ ಸರಕುಪಟ್ಟಿ ಸ್ಟಾಪ್ ಯಾವ ದಿನಾಂಕ "The day of the month on which auto invoice will be generated e.g. 05, 28 etc ", The day(s) on which you are applying for leave are holiday. You need not apply for leave.,ನೀವು ರಜೆ ಹಾಕುತ್ತಿವೆ ಮೇಲೆ ದಿನ (ಗಳು) ರಜಾ ಇವೆ . ನೀವು ಬಿಟ್ಟು ಅರ್ಜಿ ಅಗತ್ಯವಿದೆ . @@ -2827,6 +2973,7 @@ The net weight of this package. (calculated automatically as sum of net weight o The new BOM after replacement,ಬದಲಿ ನಂತರ ಹೊಸ BOM The rate at which Bill Currency is converted into company's base currency,ಬಿಲ್ ಕರೆನ್ಸಿ ಕಂಪನಿಯ ಮೂಲ ಕರೆನ್ಸಿ ಪರಿವರ್ತಿಸಲಾಯಿತು ದರವನ್ನು The unique id for tracking all recurring invoices. It is generated on submit.,ಎಲ್ಲಾ ಮರುಕಳಿಸುವ ಇನ್ವಾಯ್ಸ್ ಟ್ರ್ಯಾಕ್ ಅನನ್ಯ ID . ಇದು ಸಲ್ಲಿಸಲು ಮೇಲೆ ಉತ್ಪಾದಿಸಲಾಗುತ್ತದೆ. +"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","ನಂತರ ಬೆಲೆ ನಿಯಮಗಳಲ್ಲಿ ಗ್ರಾಹಕ ಆಧಾರಿತ ಸೋಸುತ್ತವೆ, ಗ್ರಾಹಕ ಗುಂಪಿನ, ಪ್ರದೇಶ, ಸರಬರಾಜುದಾರ, ಸರಬರಾಜುದಾರ ಪ್ರಕಾರ, ಪ್ರಚಾರ, ಮಾರಾಟದ ಸಂಗಾತಿ ಇತ್ಯಾದಿ" There are more holidays than working days this month.,ಈ ತಿಂಗಳ ದಿನಗಳ ಕೆಲಸ ಹೆಚ್ಚು ರಜಾದಿನಗಳಲ್ಲಿ ಇವೆ . "There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","ಕೇವಲ "" ಮೌಲ್ಯವನ್ನು "" 0 ಅಥವಾ ಖಾಲಿ ಮೌಲ್ಯದೊಂದಿಗೆ ಒಂದು ಹಡಗು ರೂಲ್ ಕಂಡಿಶನ್ ಇಡಬಹುದು" There is not enough leave balance for Leave Type {0},ಲೀವ್ ಪ್ರಕಾರ ಸಾಕಷ್ಟು ರಜೆ ಸಮತೋಲನ ಇಲ್ಲ {0} @@ -2838,6 +2985,7 @@ This Leave Application is pending approval. Only the Leave Apporver can update s This Time Log Batch has been billed.,ಈ ಟೈಮ್ ಲಾಗ್ ಬ್ಯಾಚ್ ಎನಿಸಿದೆ. This Time Log Batch has been cancelled.,ಈ ಟೈಮ್ ಲಾಗ್ ಬ್ಯಾಚ್ ರದ್ದುಗೊಳಿಸಲಾಗಿದೆ. This Time Log conflicts with {0},ಈ ಟೈಮ್ ಲಾಗ್ ಜೊತೆ ಘರ್ಷಣೆಗಳು {0} +This format is used if country specific format is not found,ದೇಶದ ನಿರ್ದಿಷ್ಟ ಸ್ವರೂಪ ದೊರೆಯಲಿಲ್ಲ ವೇಳೆ ಈ ವಿನ್ಯಾಸವನ್ನು ಬಳಸಿದಾಗ This is a root account and cannot be edited.,ಈ ಒಂದು ಮೂಲ ಖಾತೆಯನ್ನು ಮತ್ತು ಸಂಪಾದಿತವಾಗಿಲ್ಲ . This is a root customer group and cannot be edited.,ಈ ಗ್ರಾಹಕ ಗುಂಪಿನ ಮೂಲ ಮತ್ತು ಸಂಪಾದಿತವಾಗಿಲ್ಲ . This is a root item group and cannot be edited.,ಈ ಒಂದು ಮೂಲ ಐಟಂ ಗುಂಪು ಮತ್ತು ಸಂಪಾದಿತವಾಗಿಲ್ಲ . @@ -2853,7 +3001,9 @@ Time Log Batch,ಟೈಮ್ ಲಾಗ್ ಬ್ಯಾಚ್ Time Log Batch Detail,ಟೈಮ್ ಲಾಗ್ ಬ್ಯಾಚ್ ವಿವರ Time Log Batch Details,ಟೈಮ್ ಲಾಗ್ ಬ್ಯಾಚ್ ವಿವರಗಳು Time Log Batch {0} must be 'Submitted',ಟೈಮ್ ಲಾಗ್ ಬ್ಯಾಚ್ {0} ' ಸಲ್ಲಿಸಲಾಗಿದೆ ' ಮಾಡಬೇಕು +Time Log Status must be Submitted.,ಟೈಮ್ ಲಾಗ್ ಸ್ಥಿತಿ ಸಲ್ಲಿಸಬೇಕು. Time Log for tasks.,ಕಾರ್ಯಗಳಿಗಾಗಿ ಟೈಮ್ ಲಾಗ್ . +Time Log is not billable,ಟೈಮ್ ಲಾಗ್ ಬಿಲ್ ಮಾಡಬಹುದಾದ ಅಲ್ಲ Time Log {0} must be 'Submitted',ಟೈಮ್ ಲಾಗ್ {0} ' ಸಲ್ಲಿಸಲಾಗಿದೆ ' ಮಾಡಬೇಕು Time Zone,ಕಾಲವಲಯವನ್ನು Time Zones,ಸಮಯದ ವಲಯಗಳು @@ -2866,6 +3016,7 @@ To,ಗೆ To Currency,ಕರೆನ್ಸಿ To Date,ದಿನಾಂಕ To Date should be same as From Date for Half Day leave,ದಿನಾಂಕ ಅರ್ಧ ದಿನ ರಜೆ Fromdate ಅದೇ ಇರಬೇಕು +To Date should be within the Fiscal Year. Assuming To Date = {0},ದಿನಾಂಕ ಹಣಕಾಸಿನ ವರ್ಷದ ಒಳಗೆ ಇರಬೇಕು. ದಿನಾಂಕ ಭಾವಿಸಿಕೊಂಡು = {0} To Discuss,ಡಿಸ್ಕಸ್ To Do List,ಪಟ್ಟಿ ಮಾಡಿ To Package No.,ನಂ ಕಟ್ಟಿನ @@ -2875,8 +3026,8 @@ To Value,ಮೌಲ್ಯ To Warehouse,ಗೋದಾಮಿನ "To add child nodes, explore tree and click on the node under which you want to add more nodes.","ChildNodes ಸೇರಿಸಲು, ಮರ ಅನ್ವೇಷಿಸಲು ಮತ್ತು ನೀವು ಹೆಚ್ಚು ಗ್ರಂಥಿಗಳು ಸೇರಿಸಲು ಬಯಸುವ ಯಾವ ನೋಡ್ ಅನ್ನು ." "To assign this issue, use the ""Assign"" button in the sidebar.","ಈ ಸಮಸ್ಯೆಯನ್ನು ನಿಯೋಜಿಸಲು ಸೈಡ್ಬಾರ್ನಲ್ಲಿ "" ನಿಯೋಜನೆ "" ಗುಂಡಿಯನ್ನು ಬಳಸಿ." -To create a Bank Account:,ಒಂದು ಬ್ಯಾಂಕ್ ಖಾತೆಯನ್ನು ರಚಿಸಲು : -To create a Tax Account:,ಒಂದು ತೆರಿಗೆ ಖಾತೆಯನ್ನು ರಚಿಸಲು : +To create a Bank Account,ಒಂದು ಬ್ಯಾಂಕ್ ಖಾತೆ ರಚಿಸಲು +To create a Tax Account,ಒಂದು ತೆರಿಗೆ ಖಾತೆಯನ್ನು ರಚಿಸಲು "To create an Account Head under a different company, select the company and save customer.","ಬೇರೆ ಕಂಪನಿ ಅಡಿಯಲ್ಲಿ ಖಾತೆ ಹೆಡ್ ರಚಿಸಲು, ಕಂಪನಿಯ ಆಯ್ಕೆ ಮತ್ತು ಗ್ರಾಹಕ ಉಳಿಸಲು ." To date cannot be before from date,ಇಲ್ಲಿಯವರೆಗೆ fromDate ಮೊದಲು ಸಾಧ್ಯವಿಲ್ಲ To enable Point of Sale features,ಮಾರಾಟಕ್ಕೆ ವೈಶಿಷ್ಟ್ಯಗಳನ್ನು ಪಾಯಿಂಟ್ ಶಕ್ತಗೊಳಿಸಲು @@ -2884,22 +3035,23 @@ To enable Point of Sale view,ಮಾರಾಟಕ್ಕೆ ವೀ To get Item Group in details table,ವಿವರಗಳು ಕೋಷ್ಟಕದಲ್ಲಿ ಐಟಂ ಗುಂಪು ಪಡೆಯಲು "To include tax in row {0} in Item rate, taxes in rows {1} must also be included","ಸತತವಾಗಿ ತೆರಿಗೆ ಸೇರಿಸಲು {0} ಐಟಂ ಪ್ರಮಾಣದಲ್ಲಿ , ಸಾಲುಗಳಲ್ಲಿ ತೆರಿಗೆ {1} , ಎಂದು ಸೇರಿಸಲೇಬೇಕು" "To merge, following properties must be same for both items","ವಿಲೀನಗೊಳ್ಳಲು , ನಂತರ ಲಕ್ಷಣಗಳು ಐಟಂಗಳನ್ನು ಸಾಮಾನ್ಯ ಇರಬೇಕು" -"To report an issue, go to ", +"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","ಒಂದು ನಿರ್ಧಿಷ್ಟ ವ್ಯವಹಾರಕ್ಕೆ ಬೆಲೆ ನಿಯಮ ಅನ್ವಯಿಸುವುದಿಲ್ಲ, ಎಲ್ಲಾ ಅನ್ವಯಿಸುವ ಬೆಲೆ ನಿಯಮಗಳಲ್ಲಿ ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಲಾಗಿದೆ ಮಾಡಬೇಕು." "To set this Fiscal Year as Default, click on 'Set as Default'","ಡೀಫಾಲ್ಟ್ ಎಂದು ಈ ಆರ್ಥಿಕ ವರ್ಷ ಹೊಂದಿಸಲು, ' ಪೂರ್ವನಿಯೋಜಿತವಾಗಿನಿಗದಿಪಡಿಸು ' ಕ್ಲಿಕ್" To track any installation or commissioning related work after sales,ಮಾರಾಟ ನಂತರ ಯಾವುದೇ ಅನುಸ್ಥಾಪನ ಅಥವಾ ಸಂಬಂಧಿತ ಕೆಲಸ ಸಿದ್ಧಪಡಿಸುವ ಟ್ರ್ಯಾಕ್ "To track brand name in the following documents Delivery Note, Opportunity, Material Request, Item, Purchase Order, Purchase Voucher, Purchaser Receipt, Quotation, Sales Invoice, Sales BOM, Sales Order, Serial No","ಕೆಳಗಿನ ದಾಖಲೆಗಳನ್ನು ಡೆಲಿವರಿ ನೋಟ್, ಅವಕಾಶ , ಮೆಟೀರಿಯಲ್ ವಿನಂತಿ , ಐಟಂ , ಪರ್ಚೇಸ್ ಆರ್ಡರ್ , ಖರೀದಿ ಚೀಟಿ , ರಸೀತಿ ಖರೀದಿದಾರ , ಉದ್ಧರಣ , ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ , ಮಾರಾಟದ BOM , ಮಾರಾಟದ ಆರ್ಡರ್ , ಅನುಕ್ರಮ ಸಂಖ್ಯೆ ನಲ್ಲಿ brandname ಟ್ರ್ಯಾಕ್" To track item in sales and purchase documents based on their serial nos. This is can also used to track warranty details of the product.,ಅವರ ಸರಣಿ ಸೂಲ ಆಧರಿಸಿ ಮಾರಾಟ ಮತ್ತು ಖರೀದಿ ದಾಖಲೆಗಳನ್ನು ಐಟಂ ಅನ್ನು ಟ್ರ್ಯಾಕ್ ಮಾಡಲು . ಆದ್ದರಿಂದ ಉತ್ಪನ್ನದ ಖಾತರಿ ವಿವರಗಳು ಪತ್ತೆಹಚ್ಚಲು ಬಳಸಲಾಗುತ್ತದೆ ಮಾಡಬಹುದು ಇದೆ . To track items in sales and purchase documents with batch nos
Preferred Industry: Chemicals etc,ಮಾರಾಟದಲ್ಲಿ ಐಟಂಗಳನ್ನು ಟ್ರ್ಯಾಕ್ ಮತ್ತು ಬ್ಯಾಚ್ ಸೂಲ
ಇಷ್ಟದ ಇಂಡಸ್ಟ್ರಿ ದಾಖಲೆಗಳನ್ನು ಖರೀದಿಸಲು: ರಾಸಾಯನಿಕಗಳು ಇತ್ಯಾದಿ To track items using barcode. You will be able to enter items in Delivery Note and Sales Invoice by scanning barcode of item.,ಬಾರ್ಕೋಡ್ ಐಟಂಗಳನ್ನು ಟ್ರ್ಯಾಕ್ . ನೀವು ಐಟಂ ಬಾರ್ಸಂಕೇತವನ್ನು ಸ್ಕ್ಯಾನ್ ಮೂಲಕ ಡೆಲಿವರಿ ಗಮನಿಸಿ ಮತ್ತು ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ಐಟಂಗಳನ್ನು ನಮೂದಿಸಿ ಸಾಧ್ಯವಾಗುತ್ತದೆ . +Too many columns. Export the report and print it using a spreadsheet application.,ಹಲವು ಕಾಲಮ್ಗಳನ್ನು. ವರದಿಯನ್ನು ರಫ್ತು ಸ್ಪ್ರೆಡ್ಶೀಟ್ ಅಪ್ಲಿಕೇಶನ್ ಬಳಸಿಕೊಂಡು ಅದನ್ನು ಮುದ್ರಿಸಲು. Tools,ಪರಿಕರಗಳು Total,ಒಟ್ಟು +Total ({0}),ಒಟ್ಟು ({0}) Total Advance,ಒಟ್ಟು ಅಡ್ವಾನ್ಸ್ -Total Allocated Amount,ನಿಗದಿ ಒಟ್ಟು ಪ್ರಮಾಣ -Total Allocated Amount can not be greater than unmatched amount,ಒಟ್ಟು ನಿಗದಿ ಪ್ರಮಾಣ ಸಾಟಿಯಿಲ್ಲದ ಪ್ರಮಾಣದ ಹೆಚ್ಚಾಗಿದೆ ಸಾಧ್ಯವಿಲ್ಲ Total Amount,ಒಟ್ಟು ಪ್ರಮಾಣ Total Amount To Pay,ಪಾವತಿಸಲು ಒಟ್ಟು ಪ್ರಮಾಣ Total Amount in Words,ವರ್ಡ್ಸ್ ಒಟ್ಟು ಪ್ರಮಾಣ Total Billing This Year: , +Total Characters,ಒಟ್ಟು ಪಾತ್ರಗಳು Total Claimed Amount,ಹಕ್ಕು ಪಡೆದ ಒಟ್ಟು ಪ್ರಮಾಣ Total Commission,ಒಟ್ಟು ಆಯೋಗ Total Cost,ಒಟ್ಟು ವೆಚ್ಚ @@ -2923,14 +3075,13 @@ Total Score (Out of 5),ಒಟ್ಟು ಸ್ಕೋರ್ ( 5) Total Tax (Company Currency),ಒಟ್ಟು ತೆರಿಗೆ ( ಕಂಪನಿ ಕರೆನ್ಸಿ ) Total Taxes and Charges,ಒಟ್ಟು ತೆರಿಗೆಗಳು ಮತ್ತು ಶುಲ್ಕಗಳು Total Taxes and Charges (Company Currency),ಒಟ್ಟು ತೆರಿಗೆಗಳು ಮತ್ತು ಶುಲ್ಕಗಳು ( ಕಂಪನಿ ಕರೆನ್ಸಿ ) -Total Words,ಒಟ್ಟು ವರ್ಡ್ಸ್ -Total Working Days In The Month,ತಿಂಗಳಲ್ಲಿ ಒಟ್ಟು ವರ್ಕಿಂಗ್ ದಿನಗಳು Total allocated percentage for sales team should be 100,ಮಾರಾಟದ ತಂಡಕ್ಕೆ ಹಂಚಿಕೆ ಶೇಕಡಾವಾರು ಒಟ್ಟು 100 ಶುಡ್ Total amount of invoices received from suppliers during the digest period,ಡೈಜೆಸ್ಟ್ ಅವಧಿಯಲ್ಲಿ ಮೇಲೆ ಬೀಳುವ ವಿತರಕರಿಂದ ಪಡೆದ ಇನ್ವಾಯ್ಸ್ ಒಟ್ಟು ಪ್ರಮಾಣವನ್ನು Total amount of invoices sent to the customer during the digest period,ಡೈಜೆಸ್ಟ್ ಅವಧಿಯಲ್ಲಿ ಮೇಲೆ ಬೀಳುವ ಗ್ರಾಹಕ ಕಳುಹಿಸಲಾಗಿದೆ ಇನ್ವಾಯ್ಸ್ ಒಟ್ಟು ಪ್ರಮಾಣವನ್ನು Total cannot be zero,ಒಟ್ಟು ಶೂನ್ಯ ಸಾಧ್ಯವಿಲ್ಲ Total in words,ಪದಗಳನ್ನು ಒಟ್ಟು Total points for all goals should be 100. It is {0},ಎಲ್ಲಾ ಗುರಿಗಳನ್ನು ಒಟ್ಟು ಅಂಕಗಳನ್ನು ಇದು 100 ಶುಡ್ {0} +Total valuation for manufactured or repacked item(s) can not be less than total valuation of raw materials,ತಯಾರಿಸಲ್ಪಟ್ಟ ಅಥವಾ repacked ಐಟಂ (ಗಳು) ಒಟ್ಟು ಮೌಲ್ಯಮಾಪನ ಕಚ್ಚಾ ವಸ್ತುಗಳ ಒಟ್ಟು ಮೌಲ್ಯಮಾಪನ ಕಡಿಮೆ ಸಾಧ್ಯವಿಲ್ಲ Total weightage assigned should be 100%. It is {0},ನಿಯೋಜಿಸಲಾಗಿದೆ ಒಟ್ಟು ಪ್ರಾಮುಖ್ಯತೆಯನ್ನು 100% ಇರಬೇಕು. ಇದು {0} Totals,ಮೊತ್ತವನ್ನು Track Leads by Industry Type.,ಟ್ರ್ಯಾಕ್ ಇಂಡಸ್ಟ್ರಿ ಪ್ರಕಾರ ಕಾರಣವಾಗುತ್ತದೆ. @@ -2966,7 +3117,7 @@ UOM Conversion Details,UOM ಪರಿವರ್ತನೆ ವಿವರಗಳು UOM Conversion Factor,UOM ಪರಿವರ್ತಿಸುವುದರ UOM Conversion factor is required in row {0},UOM ಪರಿವರ್ತಿಸುವುದರ ಸತತವಾಗಿ ಅಗತ್ಯವಿದೆ {0} UOM Name,UOM ಹೆಸರು -UOM coversion factor required for UOM {0} in Item {1},ಐಟಂ UOM ಅಗತ್ಯವಿದೆ UOM coversion ಅಂಶ {0} {1} +UOM coversion factor required for UOM: {0} in Item: {1},UOM ಅಗತ್ಯವಿದೆ UOM coversion ಫ್ಯಾಕ್ಟರ್: {0} ಐಟಂ ರಲ್ಲಿ: {1} Under AMC,ಎಎಂಸಿ ಅಂಡರ್ Under Graduate,ಸ್ನಾತಕಪೂರ್ವ ವಿದ್ಯಾರ್ಥಿ Under Warranty,ವಾರಂಟಿ @@ -2976,8 +3127,8 @@ Unit of Measure {0} has been entered more than once in Conversion Factor Table, "Unit of measurement of this item (e.g. Kg, Unit, No, Pair).","ಈ ಐಟಂ ( ಉದಾ ಕೆಜಿ, ಘಟಕ , ಇಲ್ಲ, ಜೋಡಿ ) ಅಳತೆಯ ಘಟಕ ." Units/Hour,ಘಟಕಗಳು / ಅವರ್ Units/Shifts,ಘಟಕಗಳು / ಸ್ಥಾನಪಲ್ಲಟ -Unmatched Amount,ಸಾಟಿಯಿಲ್ಲದ ಪ್ರಮಾಣ Unpaid,ವೇತನರಹಿತ +Unreconciled Payment Details,ರಾಜಿಯಾಗದ ಪಾವತಿ ವಿವರಗಳು Unscheduled,ಅನಿಗದಿತ Unsecured Loans,ಅಸುರಕ್ಷಿತ ಸಾಲ Unstop,ಅಡ್ಡಿಯಾಗಿರುವುದನ್ನು ಬಿಡಿಸು @@ -2992,7 +3143,6 @@ Update Landed Cost,ನವೀಕರಣ ವೆಚ್ಚ ಇಳಿಯಿತು Update Series,ಅಪ್ಡೇಟ್ ಸರಣಿ Update Series Number,ಅಪ್ಡೇಟ್ ಸರಣಿ ಸಂಖ್ಯೆ Update Stock,ಸ್ಟಾಕ್ ನವೀಕರಿಸಲು -"Update allocated amount in the above table and then click ""Allocate"" button","ನಂತರ ಮೇಲಿನ ಕೋಷ್ಟಕದಲ್ಲಿ ಹಂಚಿಕೆ ಪ್ರಮಾಣವನ್ನು ಅಪ್ಡೇಟ್ ಮತ್ತು ಬಟನ್ "" ನಿಗದಿಪಡಿಸಬೇಕಾಗುತ್ತದೆ "" ಕ್ಲಿಕ್" Update bank payment dates with journals.,ಜರ್ನಲ್ ಬ್ಯಾಂಕಿಂಗ್ ಪಾವತಿ ದಿನಾಂಕ ನವೀಕರಿಸಿ . Update clearance date of Journal Entries marked as 'Bank Vouchers',ಜರ್ನಲ್ ನಮೂದುಗಳನ್ನು ಅಪ್ಡೇಟ್ ತೆರವು ದಿನಾಂಕ ' ಬ್ಯಾಂಕ್ ರಶೀದಿ ' ಎಂದು ಗುರುತಿಸಲಾಗಿದೆ Updated,ನವೀಕರಿಸಲಾಗಿದೆ @@ -3009,6 +3159,7 @@ Upper Income,ಮೇಲ್ ವರಮಾನ Urgent,ತುರ್ತಿನ Use Multi-Level BOM,ಬಹು ಮಟ್ಟದ BOM ಬಳಸಿ Use SSL,SSL ಬಳಸಲು +Used for Production Plan,ಉತ್ಪಾದನೆ ಯೋಜನೆ ಉಪಯೋಗಿಸಿದ User,ಬಳಕೆದಾರ User ID,ಬಳಕೆದಾರ ID User ID not set for Employee {0},ಬಳಕೆದಾರ ID ನೌಕರ ಸೆಟ್ {0} @@ -3047,9 +3198,9 @@ View Now,ಈಗ ವೀಕ್ಷಿಸಿ Visit report for maintenance call.,ನಿರ್ವಹಣೆ ಕಾಲ್ ವರದಿ ಭೇಟಿ . Voucher #,ಚೀಟಿ # Voucher Detail No,ಚೀಟಿ ವಿವರ ನಂ +Voucher Detail Number,ಚೀಟಿ ವಿವರ ಸಂಖ್ಯೆ Voucher ID,ಚೀಟಿ ID ಯನ್ನು Voucher No,ಚೀಟಿ ಸಂಖ್ಯೆ -Voucher No is not valid,ಯಾವುದೇ ಚೀಟಿ ಮಾನ್ಯವಾಗಿಲ್ಲ Voucher Type,ಚೀಟಿ ಪ್ರಕಾರ Voucher Type and Date,ಚೀಟಿ ಪ್ರಕಾರ ಮತ್ತು ದಿನಾಂಕ Walk In,ವಲ್ಕ್ @@ -3065,11 +3216,12 @@ Warehouse is mandatory for stock Item {0} in row {1},ವೇರ್ಹೌಸ್ Warehouse is missing in Purchase Order,ವೇರ್ಹೌಸ್ ಪರ್ಚೇಸ್ ಆರ್ಡರ್ ಕಾಣೆಯಾಗಿದೆ Warehouse not found in the system,ವ್ಯವಸ್ಥೆಯ ಕಂಡುಬಂದಿಲ್ಲ ವೇರ್ಹೌಸ್ Warehouse required for stock Item {0},ಸ್ಟಾಕ್ ಐಟಂ ಅಗತ್ಯವಿದೆ ವೇರ್ಹೌಸ್ {0} -Warehouse required in POS Setting,ಪಿಓಎಸ್ ಸೆಟ್ಟಿಂಗ್ ಅಗತ್ಯವಿದೆ ವೇರ್ಹೌಸ್ Warehouse where you are maintaining stock of rejected items,ನೀವು ತಿರಸ್ಕರಿಸಿದರು ಐಟಂಗಳ ಸ್ಟಾಕ್ ನಿರ್ವಹಿಸುವುದು ಅಲ್ಲಿ ವೇರ್ಹೌಸ್ Warehouse {0} can not be deleted as quantity exists for Item {1},ಪ್ರಮಾಣ ಐಟಂ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ ಎಂದು ವೇರ್ಹೌಸ್ {0} ಅಳಿಸಲಾಗಿಲ್ಲ {1} Warehouse {0} does not belong to company {1},ವೇರ್ಹೌಸ್ {0} ಸೇರುವುದಿಲ್ಲ ಕಂಪನಿ {1} Warehouse {0} does not exist,ವೇರ್ಹೌಸ್ {0} ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ +Warehouse {0}: Company is mandatory,ವೇರ್ಹೌಸ್ {0}: ಕಂಪನಿ ಕಡ್ಡಾಯ +Warehouse {0}: Parent account {1} does not bolong to the company {2},ವೇರ್ಹೌಸ್ {0}: ಪೋಷಕರ ಖಾತೆಯ {1} ಕಂಪನಿಗೆ ಸದಸ್ಯ ಮಾಡುವುದಿಲ್ಲ {2} Warehouse-Wise Stock Balance,ವೇರ್ಹೌಸ್ ವೈಸ್ ಸ್ಟಾಕ್ ಬ್ಯಾಲೆನ್ಸ್ Warehouse-wise Item Reorder,ವೇರ್ಹೌಸ್ ಬಲ್ಲ ಐಟಂ ಮರುಕ್ರಮಗೊಳಿಸಿ Warehouses,ಗೋದಾಮುಗಳು @@ -3114,13 +3266,14 @@ Will be updated when batched.,Batched ಮಾಡಿದಾಗ ನವೀಕರ Will be updated when billed.,ಕೊಕ್ಕಿನ ಮಾಡಿದಾಗ ನವೀಕರಿಸಲಾಗುತ್ತದೆ. Wire Transfer,ವೈರ್ ಟ್ರಾನ್ಸ್ಫರ್ With Operations,ಕಾರ್ಯಾಚರಣೆ -With period closing entry,ಅವಧಿ ಮುಕ್ತಾಯದ ಪ್ರವೇಶ +With Period Closing Entry,ಅವಧಿ ಮುಕ್ತಾಯ ಪ್ರವೇಶ Work Details,ಕೆಲಸದ ವಿವರಗಳು Work Done,ಕೆಲಸ ನಡೆದಿದೆ Work In Progress,ಪ್ರಗತಿಯಲ್ಲಿದೆ ಕೆಲಸ Work-in-Progress Warehouse,ಕೆಲಸ ಪ್ರಗತಿಯಲ್ಲಿರುವ ವೇರ್ಹೌಸ್ Work-in-Progress Warehouse is required before Submit,ಕೆಲಸ ಪ್ರಗತಿಯಲ್ಲಿರುವ ವೇರ್ಹೌಸ್ ಸಲ್ಲಿಸಿ ಮೊದಲು ಅಗತ್ಯವಿದೆ Working,ಕೆಲಸ +Working Days,ಕೆಲಸ ದಿನಗಳ Workstation,ಕಾರ್ಯಸ್ಥಾನ Workstation Name,ಕಾರ್ಯಕ್ಷೇತ್ರ ಹೆಸರು Write Off Account,ಖಾತೆ ಆಫ್ ಬರೆಯಿರಿ @@ -3136,9 +3289,6 @@ Year Closed,ವರ್ಷ ಮುಚ್ಚಲಾಯಿತು Year End Date,ವರ್ಷಾಂತ್ಯದ ದಿನಾಂಕ Year Name,ವರ್ಷದ ಹೆಸರು Year Start Date,ವರ್ಷದ ಆರಂಭ ದಿನಾಂಕ -Year Start Date and Year End Date are already set in Fiscal Year {0},ವರ್ಷದ ಆರಂಭ ದಿನಾಂಕ ಮತ್ತು ವರ್ಷಾಂತ್ಯದ ದಿನಾಂಕ ಈಗಾಗಲೇ ವಿತ್ತೀಯ ವರ್ಷದಲ್ಲಿ ಸೆಟ್ {0} -Year Start Date and Year End Date are not within Fiscal Year.,ವರ್ಷದ ಆರಂಭ ದಿನಾಂಕ ಮತ್ತು ವರ್ಷಾಂತ್ಯದ ದಿನಾಂಕ ಆರ್ಥಿಕ ವರ್ಷದಲ್ಲಿ ಅಲ್ಲ. -Year Start Date should not be greater than Year End Date,ವರ್ಷದ ಆರಂಭ ದಿನಾಂಕ ಹೆಚ್ಚಿನ ವರ್ಷಾಂತ್ಯದ ದಿನಾಂಕ ಮಾಡಬಾರದು Year of Passing,ಸಾಗುವುದು ವರ್ಷ Yearly,ವಾರ್ಷಿಕ Yes,ಹೌದು @@ -3148,7 +3298,6 @@ You are the Expense Approver for this record. Please Update the 'Status' and Sav You are the Leave Approver for this record. Please Update the 'Status' and Save,ಈ ದಾಖಲೆ ಬಿಡಿ ಅನುಮೋದಕ ಇವೆ . ' ಸ್ಥಿತಿಯನ್ನು ' ಅಪ್ಡೇಟ್ ಮತ್ತು ಉಳಿಸಿ ದಯವಿಟ್ಟು You can enter any date manually,ನೀವು ಕೈಯಾರೆ ಯಾವುದೇ ದಿನಾಂಕ ನಮೂದಿಸಬಹುದು You can enter the minimum quantity of this item to be ordered.,ನೀವು ಆದೇಶ ಈ ಐಟಂ ಕನಿಷ್ಠ ಪ್ರಮಾಣದಲ್ಲಿ ನಮೂದಿಸಬಹುದು . -You can not assign itself as parent account,ನೀವು ಪೋಷಕರ ಖಾತೆಯ ಎಂದು ಸ್ವತಃ ನಿಯೋಜಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ You can not change rate if BOM mentioned agianst any item,BOM ಯಾವುದೇ ಐಟಂ agianst ಪ್ರಸ್ತಾಪಿಸಿದ್ದಾರೆ ವೇಳೆ ನೀವು ದರ ಬದಲಾಯಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ You can not enter both Delivery Note No and Sales Invoice No. Please enter any one.,ನೀವು ಡೆಲಿವರಿ ಸೂಚನೆ ಯಾವುದೇ ಮತ್ತು ಯಾವುದೇ ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ಎರಡೂ ಪ್ರವೇಶಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ . ಯಾವುದೇ ಒಂದು ನಮೂದಿಸಿ. You can not enter current voucher in 'Against Journal Voucher' column,ನೀವು ಕಾಲಮ್ ' ಜರ್ನಲ್ ಚೀಟಿ ವಿರುದ್ಧ ' ನಲ್ಲಿ ಪ್ರಸ್ತುತ ಚೀಟಿ ಪ್ರವೇಶಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ @@ -3160,7 +3309,6 @@ You cannot credit and debit same account at the same time,ನೀವು ಕ್ You have entered duplicate items. Please rectify and try again.,ನೀವು ನಕಲಿ ಐಟಂಗಳನ್ನು ನಮೂದಿಸಿದ್ದೀರಿ. ನಿವಾರಿಸಿಕೊಳ್ಳಲು ಹಾಗೂ ಮತ್ತೆ ಪ್ರಯತ್ನಿಸಿ . You may need to update: {0},ನೀವು ಅಪ್ಡೇಟ್ ಮಾಡಬೇಕಾಗುತ್ತದೆ ವಿಧಾನಗಳು {0} You must Save the form before proceeding,ನೀವು ಮುಂದುವರೆಯುವುದಕ್ಕೆ ಮುಂಚಿತವಾಗಿ ರೂಪ ಉಳಿಸಬೇಕು -You must allocate amount before reconcile,ನೀವು ಸಮನ್ವಯಗೊಳಿಸಲು ಮೊದಲು ಪ್ರಮಾಣದ ನಿಯೋಜಿಸಿ ಮಾಡಬೇಕು Your Customer's TAX registration numbers (if applicable) or any general information,ನಿಮ್ಮ ಗ್ರಾಹಕರ ಟ್ಯಾಕ್ಸ್ ನೋಂದಣಿ ಸಂಖ್ಯೆಗಳನ್ನು ( ಒಂದು ವೇಳೆ ಅನ್ವಯಿಸಿದರೆ) ಅಥವಾ ಯಾವುದೇ ಸಾಮಾನ್ಯ ಮಾಹಿತಿ Your Customers,ನಿಮ್ಮ ಗ್ರಾಹಕರು Your Login Id,ನಿಮ್ಮ ಲಾಗಿನ್ ID @@ -3173,11 +3321,13 @@ Your sales person who will contact the customer in future,ಭವಿಷ್ಯದ Your sales person will get a reminder on this date to contact the customer,ನಿಮ್ಮ ಮಾರಾಟಗಾರ ಗ್ರಾಹಕ ಸಂಪರ್ಕಿಸಿ ಈ ದಿನಾಂಕದಂದು ನೆನಪಿಸುವ ಪಡೆಯುತ್ತಾನೆ Your setup is complete. Refreshing...,ನಿಮ್ಮ ಸೆಟಪ್ ಪೂರ್ಣಗೊಂಡಿದೆ. ರಿಫ್ರೆಶ್ ... Your support email id - must be a valid email - this is where your emails will come!,ನಿಮ್ಮ ಬೆಂಬಲ ಇಮೇಲ್ ಐಡಿ - ಮಾನ್ಯ ಇಮೇಲ್ ಇರಬೇಕು - ನಿಮ್ಮ ಇಮೇಲ್ಗಳನ್ನು ಬರುತ್ತವೆ ಅಲ್ಲಿ ಇದು! +[Error],[ದೋಷ] [Select],[ ಆರಿಸಿರಿ ] `Freeze Stocks Older Than` should be smaller than %d days.,` ಸ್ಟಾಕ್ಗಳು ​​ದ್ಯಾನ್ ಫ್ರೀಜ್ ` ಹಳೆಯ % d ದಿನಗಳಲ್ಲಿ ಹೆಚ್ಚು ಚಿಕ್ಕದಾಗಿರಬೇಕು. and,ಮತ್ತು are not allowed.,ಅನುಮತಿಸಲಾಗುವುದಿಲ್ಲ. assigned by,ಅದಕ್ಕೆ +cannot be greater than 100,100 ಹೆಚ್ಚು ಸಾಧ್ಯವಿಲ್ಲ "e.g. ""Build tools for builders""","ಇ ಜಿ "" ಬಿಲ್ಡರ್ ಗಳು ಉಪಕರಣಗಳು ನಿರ್ಮಿಸಿ """ "e.g. ""MC""","ಇ ಜಿ "" ಎಂಸಿ """ "e.g. ""My Company LLC""","ಇ ಜಿ "" ನನ್ನ ಕಂಪನಿ ಎಲ್ಎಲ್ """ @@ -3190,32 +3340,34 @@ example: Next Day Shipping,ಉದಾಹರಣೆಗೆ : ಮುಂದೆ ದಿ lft,lft old_parent,old_parent rgt,rgt +subject,ವಿಷಯ +to,ಗೆ website page link,ವೆಬ್ಸೈಟ್ ಪುಟ ಲಿಂಕ್ {0} '{1}' not in Fiscal Year {2},{0} ' {1} ' ಅಲ್ಲ ವರ್ಷದಲ್ಲಿ {2} {0} Credit limit {0} crossed,ದಾಟಿ {0} {0} ಕ್ರೆಡಿಟ್ ಮಿತಿಯನ್ನು {0} Serial Numbers required for Item {0}. Only {0} provided.,{0} ಐಟಂ ಅಗತ್ಯವಿದೆ ಸರಣಿ ಸಂಖ್ಯೆಗಳನ್ನು {0} . ಮಾತ್ರ {0} ಒದಗಿಸಿದ . {0} budget for Account {1} against Cost Center {2} will exceed by {3},ವೆಚ್ಚ ಸೆಂಟರ್ ವಿರುದ್ಧ ಬಜೆಟ್ {0} {1} ಖಾತೆಗೆ {2} {3} ಮೂಲಕ ಮೀರುತ್ತದೆ +{0} can not be negative,{0} ಋಣಾತ್ಮಕ ಇರುವಂತಿಲ್ಲ {0} created,{0} ದಾಖಲಿಸಿದವರು {0} does not belong to Company {1},{0} ಕಂಪನಿ ಸೇರುವುದಿಲ್ಲ {1} {0} entered twice in Item Tax,{0} ಐಟಂ ತೆರಿಗೆ ಎರಡು ಬಾರಿ ಪ್ರವೇಶಿಸಿತು {0} is an invalid email address in 'Notification Email Address',{0} ' ಅಧಿಸೂಚನೆ ಇಮೇಲ್ ವಿಳಾಸವನ್ನು ' ಅಸಿಂಧುವಾದ ಇಮೇಲ್ ವಿಳಾಸ {0} is mandatory,{0} ಕಡ್ಡಾಯ {0} is mandatory for Item {1},{0} ಐಟಂ ಕಡ್ಡಾಯ {1} +{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} ಕಡ್ಡಾಯ. ಬಹುಶಃ ಕರೆನ್ಸಿ ವಿನಿಮಯ ದಾಖಲೆ {2} ಗೆ {1} ದಾಖಲಿಸಿದವರು ಇದೆ. {0} is not a stock Item,{0} ಸ್ಟಾಕ್ ಐಟಂ ಅಲ್ಲ {0} is not a valid Batch Number for Item {1},{0} ಐಟಂ ಮಾನ್ಯ ಬ್ಯಾಚ್ ಸಂಖ್ಯೆ ಅಲ್ಲ {1} -{0} is not a valid Leave Approver,{0} ಮಾನ್ಯ ಲೀವ್ ಅನುಮೋದಕ ಅಲ್ಲ +{0} is not a valid Leave Approver. Removing row #{1}.,{0} ಮಾನ್ಯ ಲೀವ್ ಅನುಮೋದಕ ಅಲ್ಲ. ತೆಗೆದುಹಾಕಲಾಗುತ್ತಿದೆ ಸಾಲು # {1}. {0} is not a valid email id,{0} ಒಂದು ಮಾನ್ಯ ಇಮೇಲ್ ಐಡಿ ಅಲ್ಲ {0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} ಈಗ ಡೀಫಾಲ್ಟ್ ಹಣಕಾಸಿನ ವರ್ಷ ಆಗಿದೆ . ಕಾರ್ಯಗತವಾಗಲು ಬದಲಾವಣೆಗೆ ನಿಮ್ಮ ಬ್ರೌಸರ್ ರಿಫ್ರೆಶ್ ಮಾಡಿ . {0} is required,{0} ಅಗತ್ಯವಿದೆ {0} must be a Purchased or Sub-Contracted Item in row {1},{0} ಸತತವಾಗಿ ಖರೀದಿಸಲಾದ ಅಥವಾ ಉಪ ಒಪ್ಪಂದ ಐಟಂ ಇರಬೇಕು {1} -{0} must be less than or equal to {1},{0} ಕಡಿಮೆ ಅಥವಾ ಸಮ ಇರಬೇಕು {1} +{0} must be reduced by {1} or you should increase overflow tolerance,{0} {1} ಕಡಿಮೆ ಮಾಡಬೇಕು ಅಥವಾ ನೀವು ಉಕ್ಕಿ ಸಹನೆ ಹೆಚ್ಚಾಗಬೇಕು {0} must have role 'Leave Approver',{0} ಪಾತ್ರದಲ್ಲಿ 'ಲೀವ್ ಅನುಮೋದಕ ' ಹೊಂದಿರಬೇಕು {0} valid serial nos for Item {1},ಐಟಂ {0} ಮಾನ್ಯ ಸರಣಿ ಸೂಲ {1} {0} {1} against Bill {2} dated {3},{0} {1} ಮಸೂದೆ ವಿರುದ್ಧ {2} {3} ದಿನಾಂಕ {0} {1} against Invoice {2},{0} {1} {2} ಸರಕುಪಟ್ಟಿ ವಿರುದ್ಧ {0} {1} has already been submitted,{0} {1} ಈಗಾಗಲೇ ಸಲ್ಲಿಸಲಾಗಿದೆ -{0} {1} has been modified. Please Refresh,{0} {1} ಮಾರ್ಪಡಿಸಲಾಗಿದೆ. ರಿಫ್ರೆಶ್ ಮಾಡಿ -{0} {1} has been modified. Please refresh,{0} {1} ಮಾರ್ಪಡಿಸಲಾಗಿದೆ. ರಿಫ್ರೆಶ್ ಮಾಡಿ {0} {1} has been modified. Please refresh.,{0} {1} ಮಾರ್ಪಡಿಸಲಾಗಿದೆ. ರಿಫ್ರೆಶ್ ಮಾಡಿ. {0} {1} is not submitted,{0} {1} ಸಲ್ಲಿಸದಿದ್ದರೆ {0} {1} must be submitted,{0} {1} ಸಲ್ಲಿಸಬೇಕು @@ -3223,3 +3375,5 @@ website page link,ವೆಬ್ಸೈಟ್ ಪುಟ ಲಿಂಕ್ {0} {1} status is 'Stopped',{0} {1} ಸ್ಥಿತಿಯನ್ನು ' ಸ್ಟಾಪ್ಡ್ ' ಇದೆ {0} {1} status is Stopped,{0} {1} ಸ್ಥಿತಿಯನ್ನು ನಿಲ್ಲಿಸಿದಾಗ {0} {1} status is Unstopped,{0} {1} ಸ್ಥಿತಿಯನ್ನು unstopped ಆಗಿದೆ +{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: ವೆಚ್ಚ ಸೆಂಟರ್ ಐಟಂ ಕಡ್ಡಾಯ {2} +{0}: {1} not found in Invoice Details table,{0}: {1} ಸರಕುಪಟ್ಟಿ ವಿವರಗಳು ಟೇಬಲ್ ಕಂಡುಬಂದಿಲ್ಲ diff --git a/erpnext/translations/ko.csv b/erpnext/translations/ko.csv index ea7ca81eec..f9aa8be3fb 100644 --- a/erpnext/translations/ko.csv +++ b/erpnext/translations/ko.csv @@ -1,3225 +1,3379 @@ (Half Day), and year: , -""" does not exists","""Nu există" -% Delivered,Livrat% -% Amount Billed,% Suma facturată -% Billed,Taxat% -% Completed,% Finalizat -% Delivered,Livrat% -% Installed,Instalat% -% Received,Primit% -% of materials billed against this Purchase Order.,% Din materiale facturat împotriva acestei Comandă. -% of materials billed against this Sales Order,% Din materiale facturate împotriva acestui ordin de vânzări -% of materials delivered against this Delivery Note,% Din materiale livrate de această livrare Nota -% of materials delivered against this Sales Order,% Din materiale livrate de această comandă de vânzări -% of materials ordered against this Material Request,% Din materiale comandate în această cerere Material -% of materials received against this Purchase Order,% Din materialele primite în acest Comandă -%(conversion_rate_label)s is mandatory. Maybe Currency Exchange record is not created for %(from_currency)s to %(to_currency)s,% (Conversion_rate_label) s este obligatorie. Poate înregistrare de schimb valutar nu este creat pentru% (from_currency) s la% (to_currency) s -'Actual Start Date' can not be greater than 'Actual End Date',"""Data de începere efectivă"" nu poate fi mai mare decât ""Actual Data de încheiere""" -'Based On' and 'Group By' can not be same,"""Bazat pe"" și ""grup de"" nu poate fi același" -'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" -'Entries' cannot be empty,"""Intrările"" nu poate fi gol" -'Expected Start Date' can not be greater than 'Expected End Date',"""Data Start așteptat"" nu poate fi mai mare decât ""Date End așteptat""" -'From Date' is required,"""De la data"" este necesară" -'From Date' must be after 'To Date',"""De la data"" trebuie să fie după ""To Date""" -'Has Serial No' can not be 'Yes' for non-stock item,"""Nu are de serie"" nu poate fi ""Da"" pentru element non-stoc" -'Notification Email Addresses' not specified for recurring invoice,"""notificare adrese de email"", care nu sunt specificate pentru factura recurente" -'Profit and Loss' type account {0} not allowed in Opening Entry,"De tip ""Profit și pierdere"" cont {0} nu este permis în deschidere de intrare" -'To Case No.' cannot be less than 'From Case No.',"""În caz nr"" nu poate fi mai mică decât ""Din cauza nr""" -'To Date' is required,"""Pentru a Data"" este necesară" -'Update Stock' for Sales Invoice {0} must be set,"""Actualizare Stock"" pentru Vânzări Factura {0} trebuie să fie stabilite" -* Will be calculated in the transaction.,* Vor fi calculate în tranzacție. +""" does not exists","""존재하지 않습니다" +% Delivered,% 배달 +% Amount Billed,청구 % 금액 +% Billed,% 청구 +% Completed,% 완료 +% Delivered,% 배달 +% Installed,% 설치 +% Received,% 수신 +% of materials billed against this Purchase Order.,재료의 %이 구매 주문에 대해 청구. +% of materials billed against this Sales Order,이 판매 주문에 대해 청구 자료 % +% of materials delivered against this Delivery Note,이 납품서에 대해 전달 물질 % +% of materials delivered against this Sales Order,이 판매 주문에 대해 전달 물질 % +% of materials ordered against this Material Request,이 자료 요청에 대해 주문 물질 % +% of materials received against this Purchase Order,재료의 %이 구매 주문에 대해 수신 +'Actual Start Date' can not be greater than 'Actual End Date','실제 시작 날짜는'실제 종료 날짜 '보다 클 수 없습니다 +'Based On' and 'Group By' can not be same,'을 바탕으로'와 '그룹으로는'동일 할 수 없습니다 +'Days Since Last Order' must be greater than or equal to zero,'마지막 주문 날짜 이후'는 0보다 크거나 같아야합니다 +'Entries' cannot be empty,'항목은'비워 둘 수 없습니다 +'Expected Start Date' can not be greater than 'Expected End Date','예상 시작 날짜는'예상 종료 날짜 '보다 클 수 없습니다 +'From Date' is required,'날짜'가 필요합니다 +'From Date' must be after 'To Date',"'날짜', '누계'이후 여야합니다" +'Has Serial No' can not be 'Yes' for non-stock item,'시리얼 번호를 가지고'재고 항목에 대해 '예'일 수 없습니다 +'Notification Email Addresses' not specified for recurring invoice,송장을 반복 지정되지 '알림 이메일 주소' +'Profit and Loss' type account {0} not allowed in Opening Entry,'손익'계정 유형 {0} 항목 열기에서 허용되지 +'To Case No.' cannot be less than 'From Case No.','사건 번호 사람' '사건 번호에서'보다 작을 수 없습니다 +'To Date' is required,'날짜를'필요 +'Update Stock' for Sales Invoice {0} must be set,견적서를위한 '업데이트 스톡'{0} 설정해야합니다 +* Will be calculated in the transaction.,* 트랜잭션에서 계산됩니다. "1 Currency = [?] Fraction -For e.g. 1 USD = 100 Cent","1 valutar = [?] Fracțiune \ nPentru de exemplu, 1 USD = 100 Cent" -1. To maintain the customer wise item code and to make them searchable based on their code use this option,1 De a menține codul de client element înțelept și să le căutate bazate pe utilizarea lor de cod aceasta optiune -"Add / Edit"," Add / Edit " -"Add / Edit"," Add / Edit " -"Add / Edit"," Add / Edit " -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 redenumi Grupul Customer -A Customer exists with same name,Există un client cu același nume -A Lead with this email id should exist,Un plumb cu acest id-ul de e-mail ar trebui să existe -A Product or Service,Un produs sau serviciu -A Supplier exists with same name,Un furnizor există cu același nume -A symbol for this currency. For e.g. $,"Un simbol pentru această monedă. De exemplu, $" -AMC Expiry Date,AMC Data expirării -Abbr,Abbr -Abbreviation cannot have more than 5 characters,Abreviere nu poate avea mai mult de 5 caractere -About,Despre -Above Value,Valoarea de mai sus -Absent,Absent -Acceptance Criteria,Criteriile de acceptare -Accepted,Acceptat -Accepted + Rejected Qty must be equal to Received quantity for Item {0},Acceptat Respins + Cantitate trebuie să fie egală cu cantitatea primite pentru postul {0} -Accepted Quantity,Acceptat Cantitate -Accepted Warehouse,Depozit acceptate -Account,Cont -Account Balance,Soldul contului -Account Created: {0},Cont creat: {0} -Account Details,Detalii cont -Account Head,Cont Șeful -Account Name,Nume cont -Account Type,Tip de cont -Account for the warehouse (Perpetual Inventory) will be created under this Account.,Cont de depozit (Inventar Perpetual) va fi creat sub acest cont. -Account head {0} created,Cap cont {0} a creat -Account must be a balance sheet account,Contul trebuie să fie un cont de bilanț -Account with child nodes cannot be converted to ledger,Cont cu noduri copil nu pot fi convertite în registrul -Account with existing transaction can not be converted to group.,Cont cu tranzacții existente nu pot fi convertite în grup. -Account with existing transaction can not be deleted,Cont cu tranzacții existente nu pot fi șterse -Account with existing transaction cannot be converted to ledger,Cont cu tranzacții existente nu pot fi convertite în registrul -Account {0} cannot be a Group,Contul {0} nu poate fi un grup -Account {0} does not belong to Company {1},Contul {0} nu aparține companiei {1} -Account {0} does not exist,Contul {0} nu există -Account {0} has been entered more than once for fiscal year {1},Contul {0} a fost introdus mai mult de o dată pentru anul fiscal {1} -Account {0} is frozen,Contul {0} este înghețat -Account {0} is inactive,Contul {0} este inactiv -Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item,"Contul {0} trebuie să fie de tip ""active fixe"", ca Item {1} este un element activ" +For e.g. 1 USD = 100 Cent","1 통화 = [?]분수 + 예를 들어, 1 USD = 100 센트를 들어" +1. To maintain the customer wise item code and to make them searchable based on their code use this option,1고객 현명한 항목 코드를 유지하고 자신의 코드 사용이 옵션에 따라이를 검색 할 수 있도록 +"Add / Edit","만약 당신이 좋아 href=""#Sales Browser/Customer Group""> 추가 / 편집 " +"Add / Edit","만약 당신이 좋아 href=""#Sales Browser/Item Group""> 추가 / 편집 " +"Add / Edit","만약 당신이 좋아 href=""#Sales Browser/Territory""> 추가 / 편집 " +"

Default Template

+

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

+
{{ address_line1 }}<br>
+{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}
+{{ city }}<br>
+{% if state %}{{ state }}<br>{% endif -%}
+{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}
+{{ country }}<br>
+{% if phone %}Phone: {{ phone }}<br>{% endif -%}
+{% if fax %}Fax: {{ fax }}<br>{% endif -%}
+{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
+
","

기본 템플릿 +

는 만약 당신이 좋아 href=""http://jinja.pocoo.org/docs/templates/""> 신사 템플릿 및 주소의 모든 필드를 (사용 사용자 정의 필드있는 경우)을 포함하여 사용할 수 있습니다 +

 {{address_line1}} 
+ {%이다 address_line2 %} {{address_line2}} {
% ENDIF - %} + {{도시}}
+ {%의 경우 상태 %} {{상태}}
{%의 ENDIF - %} + {%의 경우 PIN 코드의 %} PIN : {{}} 핀 코드
{%의 ENDIF - %} + {{국가}}
+ {% 경우 전화 %} 전화 : {{전화}} {
% ENDIF - %} + {% 경우 팩스 %} 팩스 : {{팩스}}
{%의 ENDIF - %} + {% email_id %} 이메일의 경우 {{email_id}}
, {%의 ENDIF - %} + " +A Customer Group exists with same name please change the Customer name or rename the Customer Group,고객 그룹이 동일한 이름으로 존재하는 것은 고객의 이름을 변경하거나 고객 그룹의 이름을 바꾸십시오 +A Customer exists with same name,고객은 같은 이름을 가진 +A Lead with this email id should exist,이 이메일 ID와 리드가 존재한다 +A Product or Service,제품 또는 서비스 +A Supplier exists with same name,공급 업체가 같은 이름을 가진 +A symbol for this currency. For e.g. $,이 통화에 대한 기호.예를 들어 $ +AMC Expiry Date,AMC 유효 날짜 +Abbr,ABBR +Abbreviation cannot have more than 5 characters,약어는 5 개 이상의 문자를 가질 수 없습니다 +Above Value,값 위 +Absent,없는 +Acceptance Criteria,허용 기준 +Accepted,허용 +Accepted + Rejected Qty must be equal to Received quantity for Item {0},수락 + 거부 수량이 항목에 대한 수신 수량이 동일해야합니다 {0} +Accepted Quantity,허용 수량 +Accepted Warehouse,허용 창고 +Account,계정 +Account Balance,계정 잔액 +Account Created: {0},계정 작성일 : {0} +Account Details,합계좌 세부사항 +Account Head,계정 헤드 +Account Name,계정 이름 +Account Type,계정 유형 +"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","계정 잔액이 이미 신용, 당신이 설정할 수 없습니다 '직불 카드'로 '밸런스 것은이어야'" +"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","이미 직불의 계정 잔액, 당신은 같은 '신용', '균형이어야합니다'설정할 수 없습니다" +Account for the warehouse (Perpetual Inventory) will be created under this Account.,웨어 하우스 (영구 재고)에 대한 계정은이 계정이 생성됩니다. +Account head {0} created,계정 머리 {0} 생성 +Account must be a balance sheet account,계정 대차 대조표 계정이어야합니다 +Account with child nodes cannot be converted to ledger,자식 노드와 계정 원장으로 변환 할 수 없습니다 +Account with existing transaction can not be converted to group.,기존 거래와 계정 그룹으로 변환 할 수 없습니다. +Account with existing transaction can not be deleted,기존 거래 계정은 삭제할 수 없습니다 +Account with existing transaction cannot be converted to ledger,기존 거래와 계정 원장으로 변환 할 수 없습니다 +Account {0} cannot be a Group,계정 {0} 그룹이 될 수 없습니다 +Account {0} does not belong to Company {1},계정 {0}이 회사에 속하지 않는 {1} +Account {0} does not belong to company: {1},계정 {0} 회사에 속하지 않는 {1} +Account {0} does not exist,계정 {0}이 (가) 없습니다 +Account {0} has been entered more than once for fiscal year {1},계정 {0} 더 많은 회계 연도 번 이상 입력 한 {1} +Account {0} is frozen,계정 {0} 동결 +Account {0} is inactive,계정 {0} 비활성 +Account {0} is not valid,계정 {0} 유효하지 않습니다 +Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item,품목은 {1} 자산 상품이기 때문에 계정 {0} 형식의 '고정 자산'이어야합니다 +Account {0}: Parent account {1} can not be a ledger,계정 {0} : 부모 계정은 {1} 원장이 될 수 없습니다 +Account {0}: Parent account {1} does not belong to company: {2},계정 {0} : 부모 계정 {1} 회사에 속하지 않는 {2} +Account {0}: Parent account {1} does not exist,계정 {0} : 부모 계정 {1}이 (가) 없습니다 +Account {0}: You can not assign itself as parent account,계정 {0} : 당신은 부모 계정 자체를 할당 할 수 없습니다 "Account: {0} can only be updated via \ - Stock Transactions",Cont: {0} poate fi actualizat doar prin \ \ n Tranzacții stoc -Accountant,Contabil -Accounting,Contabilitate -"Accounting Entries can be made against leaf nodes, called","Înregistrări contabile pot fi făcute împotriva nodurile frunză, numit" -"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","Intrare contabilitate congelate până la această dată, nimeni nu poate face / modifica intrare cu excepția rol specificate mai jos." -Accounting journal entries.,Intrări de jurnal de contabilitate. -Accounts,Conturi -Accounts Browser,Conturi Browser -Accounts Frozen Upto,Conturile înghețate Până la -Accounts Payable,Conturi de plată -Accounts Receivable,Conturi de încasat -Accounts Settings,Conturi Setări -Active,Activ + Stock Transactions","계정 : \ + 주식 거래 {0}을 통해서만 업데이트 할 수 있습니다" +Accountant,회계사 +Accounting,회계 +"Accounting Entries can be made against leaf nodes, called","회계 항목은 전화, 리프 노드에 대해 수행 할 수 있습니다" +"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","회계 항목이 날짜까지 냉동, 아무도 / 아래 지정된 역할을 제외하고 항목을 수정하지 않을 수 있습니다." +Accounting journal entries.,회계 분개. +Accounts,합계좌 +Accounts Browser,계정 브라우저 +Accounts Frozen Upto,냉동 개까지에게 계정 +Accounts Payable,채무 +Accounts Receivable,미수금 +Accounts Settings,계정 설정을 +Active,활성화 Active: Will extract emails from , -Activity,Activități -Activity Log,Activitate Log -Activity Log:,Activitate Log: -Activity Type,Activitatea de Tip -Actual,Real -Actual Budget,Bugetul actual -Actual Completion Date,Real Finalizarea Data -Actual Date,Data efectivă -Actual End Date,Real Data de încheiere -Actual Invoice Date,Real Data facturii -Actual Posting Date,Real Dată postare -Actual Qty,Real Cantitate -Actual Qty (at source/target),Real Cantitate (la sursă / țintă) -Actual Qty After Transaction,Real Cantitate După tranzacție -Actual Qty: Quantity available in the warehouse.,Cantitate real: Cantitate disponibil în depozit. -Actual Quantity,Real Cantitate -Actual Start Date,Data efectivă Start -Add,Adaugă -Add / Edit Taxes and Charges,Adauga / Editare Impozite și Taxe -Add Child,Adăuga copii -Add Serial No,Adauga ordine -Add Taxes,Adauga Impozite -Add Taxes and Charges,Adauga impozite și taxe -Add or Deduct,Adăuga sau deduce -Add rows to set annual budgets on Accounts.,Adauga rânduri pentru a seta bugete anuale pe Conturi. -Add to Cart,Adauga in cos -Add to calendar on this date,Adauga la calendar la această dată -Add/Remove Recipients,Add / Remove Destinatari -Address,Adresă -Address & Contact,Adresa și date de contact -Address & Contacts,Adresa & Contact -Address Desc,Adresa Descărca -Address Details,Detalii Adresa -Address HTML,Adresa HTML -Address Line 1,Adresa Linia 1 -Address Line 2,Adresa Linia 2 -Address Title,Adresa Titlu -Address Title is mandatory.,Adresa Titlul este obligatoriu. -Address Type,Adresa Tip -Address master.,Maestru adresa. -Administrative Expenses,Cheltuieli administrative -Administrative Officer,Ofițer administrativ -Advance Amount,Advance Suma -Advance amount,Sumă în avans -Advances,Avans -Advertisement,Publicitate -Advertising,Reclamă -Aerospace,Aerospace -After Sale Installations,După Vanzare Instalatii -Against,Împotriva -Against Account,Împotriva contului -Against Bill {0} dated {1},Împotriva Bill {0} din {1} -Against Docname,Împotriva Docname -Against Doctype,Împotriva Doctype -Against Document Detail No,Împotriva Document Detaliu Nu -Against Document No,Împotriva Documentul nr -Against Entries,Împotriva Entries -Against Expense Account,Împotriva cont de cheltuieli -Against Income Account,Împotriva contul de venit -Against Journal Voucher,Împotriva Jurnalul Voucher -Against Journal Voucher {0} does not have any unmatched {1} entry,Împotriva Jurnalul Voucher {0} nu are nici neegalat {1} intrare -Against Purchase Invoice,Împotriva cumparare factură -Against Sales Invoice,Împotriva Factura Vanzare -Against Sales Order,Împotriva comandă de vânzări -Against Voucher,Împotriva Voucher -Against Voucher Type,Împotriva Voucher Tip -Ageing Based On,Îmbătrânirea Bazat pe -Ageing Date is mandatory for opening entry,Îmbătrânirea Data este obligatorie pentru deschiderea de intrare -Ageing date is mandatory for opening entry,Data Îmbătrânirea este obligatorie pentru deschiderea de intrare +Activity,활동 내역 +Activity Log,작업 로그 +Activity Log:,활동 로그 : +Activity Type,활동 유형 +Actual,실제 +Actual Budget,실제 예산 +Actual Completion Date,실제 완료일 +Actual Date,실제 날짜 +Actual End Date,실제 종료 날짜 +Actual Invoice Date,실제 송장의 날짜 +Actual Posting Date,실제 등록 일자 +Actual Qty,실제 수량 +Actual Qty (at source/target),실제 수량 (소스 / 대상에서) +Actual Qty After Transaction,거래 후 실제 수량 +Actual Qty: Quantity available in the warehouse.,실제 수량 :웨어 하우스에서 사용할 수있는 수량. +Actual Quantity,실제 수량 +Actual Start Date,실제 시작 날짜 +Add,추가 +Add / Edit Taxes and Charges,추가 / 편집 세금과 요금 +Add Child,자식 추가 +Add Serial No,일련 번호 추가 +Add Taxes,세금 추가 +Add Taxes and Charges,세금과 요금 추가 +Add or Deduct,추가 공제 +Add rows to set annual budgets on Accounts.,계정에 연간 예산을 설정하는 행을 추가합니다. +Add to Cart,쇼핑 카트에 담기 +Add to calendar on this date,이 날짜에 캘린더에 추가 +Add/Remove Recipients,추가 /받는 사람을 제거 +Address,주소 +Address & Contact,주소 및 연락처 +Address & Contacts,주소 및 연락처 +Address Desc,제품 설명에게 주소 +Address Details,주소 세부 사항 +Address HTML,주소 HTML +Address Line 1,1 호선 주소 +Address Line 2,2 호선 주소 +Address Template,주소 템플릿 +Address Title,주소 제목 +Address Title is mandatory.,주소 제목은 필수입니다. +Address Type,주소 유형 +Address master.,주소 마스터. +Administrative Expenses,관리비 +Administrative Officer,관리 책임자 +Advance Amount,사전의 양 +Advance amount,사전 양 +Advances,진보 +Advertisement,광고 +Advertising,광고 +Aerospace,항공 우주 +After Sale Installations,판매 설치 후 +Against,에 대하여 +Against Account,계정에 대하여 +Against Bill {0} dated {1},빌은 {0} 년에 {1} +Against Docname,docName 같은 반대 +Against Doctype,문서 종류에 대하여 +Against Document Detail No,문서의 세부 사항에 대한 없음 +Against Document No,문서 번호에 대하여 +Against Expense Account,비용 계정에 대한 +Against Income Account,손익 계정에 대한 +Against Journal Voucher,분개장에 대하여 +Against Journal Voucher {0} does not have any unmatched {1} entry,분개장에 대해 {0} 어떤 타의 추종을 불허 {1} 항목이없는 +Against Purchase Invoice,구매 인보이스에 대한 +Against Sales Invoice,견적서에 대하여 +Against Sales Order,판매 주문에 대해 +Against Voucher,바우처에 대한 +Against Voucher Type,바우처 형식에 대한 +Ageing Based On,을 바탕으로 고령화 +Ageing Date is mandatory for opening entry,날짜 고령화하는 항목을 열기위한 필수입니다 +Ageing date is mandatory for opening entry,날짜 고령화하는 항목을 열기위한 필수입니다 Agent,Agent -Aging Date,Îmbătrânire Data -Aging Date is mandatory for opening entry,Aging Data este obligatorie pentru deschiderea de intrare -Agriculture,Agricultură -Airline,Linie aeriană -All Addresses.,Toate adresele. -All Contact,Toate Contact -All Contacts.,Toate persoanele de contact. -All Customer Contact,Toate Clienți Contact -All Customer Groups,Toate grupurile de clienți -All Day,All Day -All Employee (Active),Toate Angajat (Activ) -All Item Groups,Toate Articol Grupuri -All Lead (Open),Toate plumb (Open) -All Products or Services.,Toate produsele sau serviciile. -All Sales Partner Contact,Toate vânzările Partener Contact -All Sales Person,Toate vânzările Persoana -All Supplier Contact,Toate Furnizor Contact -All Supplier Types,Toate tipurile de Furnizor -All Territories,Toate teritoriile -"All export related fields like currency, conversion rate, export total, export grand total etc are available in Delivery Note, POS, Quotation, Sales Invoice, Sales Order etc.","Domenii legate de toate de export, cum ar fi moneda, rata de conversie, numărul total export, export mare etc totală sunt disponibile în nota de livrare, POS, cotatie, Factura Vanzare, comandă de vânzări, etc" -"All import related fields like currency, conversion rate, import total, import grand total etc are available in Purchase Receipt, Supplier Quotation, Purchase Invoice, Purchase Order etc.","Toate domeniile legate de import, cum ar fi moneda, rata de conversie, total de import, de import de mare etc totală sunt disponibile în Primirea de cumparare, furnizor cotatie, cumparare factură, Ordinul de cumparare, etc" -All items have already been invoiced,Toate elementele au fost deja facturate -All items have already been transferred for this Production Order.,Toate elementele au fost deja transferate pentru această comandă de producție. -All these items have already been invoiced,Toate aceste elemente au fost deja facturate -Allocate,Alocarea -Allocate Amount Automatically,Suma aloca automat -Allocate leaves for a period.,Alocați frunze pentru o perioadă. -Allocate leaves for the year.,Alocarea de frunze pentru anul. -Allocated Amount,Suma alocată -Allocated Budget,Bugetul alocat -Allocated amount,Suma alocată -Allocated amount can not be negative,Suma alocată nu poate fi negativ -Allocated amount can not greater than unadusted amount,Suma alocată nu poate mai mare decât valoarea unadusted -Allow Bill of Materials,Permite Bill de materiale -Allow Bill of Materials should be 'Yes'. Because one or many active BOMs present for this item,"Permite Bill de materiale ar trebui să fie ""Da"". Deoarece unul sau mai multe BOM active prezente pentru acest articol" -Allow Children,Permiteți copii -Allow Dropbox Access,Dropbox permite accesul -Allow Google Drive Access,Permite accesul Google Drive -Allow Negative Balance,Permite sold negativ -Allow Negative Stock,Permiteți Stock negativ -Allow Production Order,Permiteți producție Ordine -Allow User,Permite utilizatorului -Allow Users,Se permite utilizatorilor -Allow the following users to approve Leave Applications for block days.,Permite următoarele utilizatorilor să aprobe cererile de concediu pentru zile bloc. -Allow user to edit Price List Rate in transactions,Permite utilizatorului să editeze Lista de preturi Rate în tranzacții -Allowance Percent,Alocație Procent -Allowance for over-delivery / over-billing crossed for Item {0},Reduceri pentru mai mult de-livrare / supra-facturare trecut pentru postul {0} -Allowed Role to Edit Entries Before Frozen Date,Rolul permisiunea de a edita intrările înainte de Frozen Data -Amended From,A fost modificat de la -Amount,Suma -Amount (Company Currency),Suma (Compania de valuta) -Amount <=,Suma <= -Amount >=,Suma> = -Amount to Bill,Se ridică la Bill -An Customer exists with same name,Există un client cu același nume -"An Item Group exists with same name, please change the item name or rename the item group","Există un grup articol cu ​​același nume, vă rugăm să schimbați numele elementului sau redenumi grupul element" -"An item exists with same name ({0}), please change the item group name or rename the item","Un element există cu același nume ({0}), vă rugăm să schimbați numele grupului element sau redenumi elementul" -Analyst,Analist -Annual,Anual -Another Period Closing Entry {0} has been made after {1},O altă intrare Perioada inchiderii {0} a fost făcută după ce {1} -Another Salary Structure {0} is active for employee {0}. Please make its status 'Inactive' to proceed.,"Un alt Structura Salariul {0} este activ pentru angajat {0}. Vă rugăm să vă statutul de ""inactiv"" pentru a continua." -"Any other comments, noteworthy effort that should go in the records.","Orice alte comentarii, efort demn de remarcat faptul că ar trebui să meargă în înregistrările." -Apparel & Accessories,Îmbrăcăminte și accesorii -Applicability,Aplicabilitate -Applicable For,Aplicabil pentru -Applicable Holiday List,Aplicabil Lista de vacanță -Applicable Territory,Teritoriul de aplicare -Applicable To (Designation),Aplicabile (denumirea) -Applicable To (Employee),Aplicabile (Angajat) -Applicable To (Role),Aplicabile (rol) -Applicable To (User),Aplicabile (User) -Applicant Name,Nume solicitant -Applicant for a Job.,Solicitant pentru un loc de muncă. -Application of Funds (Assets),Aplicarea fondurilor (activelor) -Applications for leave.,Cererile de concediu. -Applies to Company,Se aplică de companie -Apply On,Se aplică pe -Appraisal,Evaluare -Appraisal Goal,Evaluarea Goal -Appraisal Goals,Obiectivele de evaluare -Appraisal Template,Evaluarea Format -Appraisal Template Goal,Evaluarea Format Goal -Appraisal Template Title,Evaluarea Format Titlu -Appraisal {0} created for Employee {1} in the given date range,Evaluarea {0} creat pentru Angajat {1} la dat intervalul de date -Apprentice,Ucenic -Approval Status,Starea de aprobare -Approval Status must be 'Approved' or 'Rejected',"Starea de aprobare trebuie să fie ""Aprobat"" sau ""Respins""" -Approved,Aprobat -Approver,Denunțător -Approving Role,Aprobarea Rolul -Approving Role cannot be same as role the rule is Applicable To,Aprobarea rol nu poate fi la fel ca rolul statului este aplicabilă -Approving User,Aprobarea utilizator -Approving User cannot be same as user the rule is Applicable To,Aprobarea Utilizatorul nu poate fi aceeași ca și utilizator regula este aplicabilă +Aging Date,노화 날짜 +Aging Date is mandatory for opening entry,날짜 노화 항목을 열기위한 필수입니다 +Agriculture,농업 +Airline,항공 회사 +All Addresses.,모든 주소. +All Contact,모든 연락처 +All Contacts.,모든 연락처. +All Customer Contact,모든 고객에게 연락 +All Customer Groups,모든 고객 그룹 +All Day,하루 종일 +All Employee (Active),모든 직원 (활성) +All Item Groups,모든 상품 그룹 +All Lead (Open),모든 납 (열기) +All Products or Services.,모든 제품 또는 서비스. +All Sales Partner Contact,모든 판매 파트너 문의 +All Sales Person,모든 판매 사람 +All Supplier Contact,모든 공급 업체에게 연락 해주기 +All Supplier Types,모든 공급 유형 +All Territories,모든 준주 +"All export related fields like currency, conversion rate, export total, export grand total etc are available in Delivery Note, POS, Quotation, Sales Invoice, Sales Order etc.","통화, 전환율, 수출 총 수출 총계 등과 같은 모든 수출 관련 분야가 배달 참고, POS, 견적, 판매 송장, 판매 주문 등을 사용할 수 있습니다" +"All import related fields like currency, conversion rate, import total, import grand total etc are available in Purchase Receipt, Supplier Quotation, Purchase Invoice, Purchase Order etc.","통화, 전환율, 수입 총 수입 총계 등과 같은 모든 수입 관련 분야는 구매 영수증, 공급 업체 견적, 구매 송장, 구매 주문 등을 사용할 수 있습니다" +All items have already been invoiced,모든 상품은 이미 청구 된 +All these items have already been invoiced,이러한 모든 항목이 이미 청구 된 +Allocate,할당 +Allocate leaves for a period.,기간 동안 잎을 할당합니다. +Allocate leaves for the year.,올해 잎을 할당합니다. +Allocated Amount,할당 된 금액 +Allocated Budget,할당 된 예산 +Allocated amount,할당 된 양 +Allocated amount can not be negative,할당 된 금액은 음수 일 수 없습니다 +Allocated amount can not greater than unadusted amount,할당 된 금액은 unadusted 금액보다 큰 수 없습니다 +Allow Bill of Materials,재료의 허용 빌 +Allow Bill of Materials should be 'Yes'. Because one or many active BOMs present for this item,재료 명세서 (BOM)이 '예'해야 할 수 있습니다.하나 때문에 또는 항목에 대한 현재의 많은 활성화 된 BOM +Allow Children,아이들 허용 +Allow Dropbox Access,보관 용 접근이 허용 +Allow Google Drive Access,구글 드라이브의 접근이 허용 +Allow Negative Balance,음의 균형이 허용 +Allow Negative Stock,음의 주식이 허용 +Allow Production Order,허용 생산 주문 +Allow User,사용자에게 허용 +Allow Users,사용자에게 허용 +Allow the following users to approve Leave Applications for block days.,다음 사용자가 블록 일에 대한 허가 신청을 승인 할 수 있습니다. +Allow user to edit Price List Rate in transactions,사용자가 거래 가격리스트 평가를 편집 할 수 +Allowance Percent,대손 충당금 비율 +Allowance for over-{0} crossed for Item {1},수당에 {0} 항목에 대한 교차에 대한 {1} +Allowance for over-{0} crossed for Item {1}.,수당에 {0} 항목에 대한 교차에 대한 {1}. +Allowed Role to Edit Entries Before Frozen Date,냉동 날짜 이전에 편집 항목으로 허용 역할 +Amended From,개정 +Amount,양 +Amount (Company Currency),금액 (회사 통화) +Amount Paid,지불 금액 +Amount to Bill,빌 금액 +An Customer exists with same name,고객은 같은 이름을 가진 +"An Item Group exists with same name, please change the item name or rename the item group",항목 그룹이 동일한 이름을 가진 항목의 이름을 변경하거나 항목 그룹의 이름을 바꾸십시오 +"An item exists with same name ({0}), please change the item group name or rename the item",항목 ({0}) 항목의 그룹 이름을 변경하거나 항목의 이름을 변경하시기 바랍니다 같은 이름을 가진 +Analyst,분석자 +Annual,연간 +Another Period Closing Entry {0} has been made after {1},또 다른 기간 결산 항목은 {0} 이후 한 {1} +Another Salary Structure {0} is active for employee {0}. Please make its status 'Inactive' to proceed.,또 다른 급여 구조가 {0} 직원의 활성화는 {0}입니다.진행 상태 '비활성'을 확인하시기 바랍니다. +"Any other comments, noteworthy effort that should go in the records.","다른 의견, 기록에 가야한다 주목할만한 노력." +Apparel & Accessories,의류 및 액세서리 +Applicability,적용 대상 +Applicable For,에 적용 +Applicable Holiday List,해당 휴일 목록 +Applicable Territory,해당 지역 +Applicable To (Designation),에 적용 (지정) +Applicable To (Employee),에 적용 (직원) +Applicable To (Role),에 적용 (역할) +Applicable To (User),에 적용 (사용자) +Applicant Name,신청자 이름 +Applicant for a Job.,작업을 위해 신청자. +Application of Funds (Assets),펀드의 응용 프로그램 (자산) +Applications for leave.,휴가 신청. +Applies to Company,회사에 적용 +Apply On,에 적용 +Appraisal,감정 +Appraisal Goal,감정의 골 +Appraisal Goals,감정의 골 +Appraisal Template,감정 템플릿 +Appraisal Template Goal,감정 템플릿 목표 +Appraisal Template Title,감정 템플릿 제목 +Appraisal {0} created for Employee {1} in the given date range,감정 {0} {1} 지정된 날짜 범위에서 직원에 대해 생성 +Apprentice,도제 +Approval Status,승인 상태 +Approval Status must be 'Approved' or 'Rejected',승인 상태가 '승인'또는 '거부'해야 +Approved,인가 된 +Approver,승인자 +Approving Role,승인 역할 +Approving Role cannot be same as role the rule is Applicable To,역할을 승인하면 규칙이 적용됩니다 역할로 동일 할 수 없습니다 +Approving User,승인 사용자 +Approving User cannot be same as user the rule is Applicable To,사용자가 승인하면 규칙에 적용 할 수있는 사용자로 동일 할 수 없습니다 Are you sure you want to STOP , Are you sure you want to UNSTOP , -Arrear Amount,Restanță Suma -"As Production Order can be made for this item, it must be a stock item.","Ca producție Ordine pot fi făcute pentru acest articol, trebuie să fie un element de stoc." -As per Stock UOM,Ca pe Stock UOM -"As there are existing stock transactions for this item, you can not change the values of 'Has Serial No', 'Is Stock Item' and 'Valuation Method'","Așa cum există tranzacții bursiere existente pentru acest element, nu puteți modifica valorile ""nu are nici un Serial"", ""Este Piesa"" și ""Metoda de evaluare""" -Asset,Asset -Assistant,Asistent -Associate,Asociat -Atleast one warehouse is mandatory,Cel putin un antrepozit este obligatorie -Attach Image,Atașați Image -Attach Letterhead,Atașați cu antet -Attach Logo,Atașați Logo -Attach Your Picture,Atașați imaginea -Attendance,Prezență -Attendance Date,Spectatori Data -Attendance Details,Detalii de participare -Attendance From Date,Participarea la data -Attendance From Date and Attendance To Date is mandatory,Participarea la data și prezență până în prezent este obligatorie -Attendance To Date,Participarea la Data -Attendance can not be marked for future dates,Spectatori nu pot fi marcate pentru date viitoare -Attendance for employee {0} is already marked,Spectatori pentru angajat {0} este deja marcat -Attendance record.,Record de participare. -Authorization Control,Controlul de autorizare -Authorization Rule,Regula de autorizare -Auto Accounting For Stock Settings,Contabilitate Auto Pentru Stock Setări -Auto Material Request,Material Auto Cerere -Auto-raise Material Request if quantity goes below re-order level in a warehouse,Auto-raise Material cerere în cazul în care cantitatea scade sub nivelul de re-comandă într-un depozit -Automatically compose message on submission of transactions.,Compune în mod automat un mesaj pe prezentarea de tranzacții. +Arrear Amount,연체 금액 +"As Production Order can be made for this item, it must be a stock item.","생산 주문이 항목에 대한 만들 수 있습니다, 그것은 재고 품목 수 있어야합니다." +As per Stock UOM,주식 UOM 당 +"As there are existing stock transactions for this item, you can not change the values of 'Has Serial No', 'Is Stock Item' and 'Valuation Method'","이 항목에 대한 기존의 재고 트랜잭션이, 당신은 '일련 번호 있음'의 값을 변경할 수 있으며, '평가 방법', '재고 품목입니다'" +Asset,자산 +Assistant,조수 +Associate,준 +Atleast one of the Selling or Buying must be selected,판매 또는 구매의이어야 하나를 선택해야합니다 +Atleast one warehouse is mandatory,이어야 한 창고는 필수입니다 +Attach Image,이미지 첨부 +Attach Letterhead,레터 첨부하기 +Attach Logo,로고를 부착 +Attach Your Picture,사진을 첨부 +Attendance,출석 +Attendance Date,출석 날짜 +Attendance Details,출석 세부 사항 +Attendance From Date,날짜부터 출석 +Attendance From Date and Attendance To Date is mandatory,날짜에 날짜 및 출석 출석은 필수입니다 +Attendance To Date,날짜 출석 +Attendance can not be marked for future dates,출석은 미래의 날짜에 표시 할 수 없습니다 +Attendance for employee {0} is already marked,직원의 출석 {0}이 (가) 이미 표시되어 +Attendance record.,출석 기록. +Authorization Control,권한 제어 +Authorization Rule,권한 부여 규칙 +Auto Accounting For Stock Settings,재고 설정에 대한 자동 회계 +Auto Material Request,자동 자료 요청 +Auto-raise Material Request if quantity goes below re-order level in a warehouse,자동 인상 자료 요청 수량은 창고에 다시 주문 레벨 이하로되면 +Automatically compose message on submission of transactions.,자동 거래의 제출에 메시지를 작성합니다. Automatically extract Job Applicants from a mail box , -Automatically extract Leads from a mail box e.g.,"Extrage automat Oportunitati de la o cutie de e-mail de exemplu," -Automatically updated via Stock Entry of type Manufacture/Repack,Actualizat automat prin Bursa de intrare de tip Fabricarea / Repack -Automotive,Automotive -Autoreply when a new mail is received,Răspuns automat atunci când un nou e-mail este primit -Available,Disponibil -Available Qty at Warehouse,Cantitate disponibil la Warehouse -Available Stock for Packing Items,Disponibil Stock pentru ambalare Articole -"Available in BOM, Delivery Note, Purchase Invoice, Production Order, Purchase Order, Purchase Receipt, Sales Invoice, Sales Order, Stock Entry, Timesheet","Disponibil în BOM, nota de livrare, factura de cumparare, producție Ordine, Ordinul de cumparare, Primirea de cumparare, Factura Vanzare, comandă de vânzări, Stock intrare, pontajul" -Average Age,Vârsta medie -Average Commission Rate,Rata medie a Comisiei -Average Discount,Reducere medie -Awesome Products,Produse Awesome -Awesome Services,Servicii de Awesome -BOM Detail No,BOM Detaliu Nu -BOM Explosion Item,BOM explozie Postul -BOM Item,BOM Articol -BOM No,BOM Nu -BOM No. for a Finished Good Item,BOM Nu pentru un bun element finit -BOM Operation,BOM Operațiunea -BOM Operations,BOM Operațiuni -BOM Replace Tool,BOM Înlocuiți Tool -BOM number is required for manufactured Item {0} in row {1},Este necesară număr BOM pentru articol fabricat {0} în rândul {1} -BOM number not allowed for non-manufactured Item {0} in row {1},Număr BOM nu este permis pentru postul non-fabricat {0} în rândul {1} -BOM recursion: {0} cannot be parent or child of {2},BOM recursivitate: {0} nu poate fi parinte sau copil din {2} -BOM replaced,BOM înlocuit -BOM {0} for Item {1} in row {2} is inactive or not submitted,BOM {0} pentru postul {1} ​​în rândul {2} este inactiv sau nu a prezentat -BOM {0} is not active or not submitted,BOM {0} nu este activ sau nu a prezentat -BOM {0} is not submitted or inactive BOM for Item {1},BOM {0} nu este depusă sau inactiv BOM pentru postul {1} -Backup Manager,Backup Manager -Backup Right Now,Backup chiar acum -Backups will be uploaded to,Copiile de rezervă va fi încărcat la -Balance Qty,Echilibru Cantitate -Balance Sheet,Bilanțul -Balance Value,Echilibru Valoarea -Balance for Account {0} must always be {1},Bilant pentru Contul {0} trebuie să fie întotdeauna {1} -Balance must be,Echilibru trebuie să fie -"Balances of Accounts of type ""Bank"" or ""Cash""","Soldurile de conturi de tip ""Banca"" sau ""Cash""" -Bank,Banca -Bank A/C No.,Bank A / C Nr -Bank Account,Cont bancar -Bank Account No.,Cont bancar nr -Bank Accounts,Conturi bancare -Bank Clearance Summary,Clearance Bank Sumar -Bank Draft,Proiect de bancă -Bank Name,Numele bancii -Bank Overdraft Account,Descoperitul de cont bancar -Bank Reconciliation,Banca Reconciliere -Bank Reconciliation Detail,Banca Reconcilierea Detaliu -Bank Reconciliation Statement,Extras de cont de reconciliere -Bank Voucher,Bancă Voucher -Bank/Cash Balance,Bank / Cash Balance -Banking,Bancar -Barcode,Cod de bare -Barcode {0} already used in Item {1},Coduri de bare {0} deja folosit în articol {1} -Based On,Bazat pe -Basic,Baza -Basic Info,Informații de bază -Basic Information,Informații de bază -Basic Rate,Rata de bază -Basic Rate (Company Currency),Rata de bază (Compania de valuta) -Batch,Lot -Batch (lot) of an Item.,Lot (lot) de un articol. -Batch Finished Date,Lot terminat Data -Batch ID,ID-ul lotului -Batch No,Lot Nu -Batch Started Date,Lot început Data -Batch Time Logs for billing.,Lot de timp Bușteni pentru facturare. -Batch-Wise Balance History,Lot-înțelept Balanța Istorie -Batched for Billing,Dozat de facturare -Better Prospects,Perspective mai bune -Bill Date,Bill Data -Bill No,Bill Nu -Bill No {0} already booked in Purchase Invoice {1},Bill Nu {0} deja rezervat în cumparare Factura {1} -Bill of Material,Bill of Material -Bill of Material to be considered for manufacturing,Bill of Material să fie luate în considerare pentru producție -Bill of Materials (BOM),Factura de materiale (BOM) -Billable,Facturabile -Billed,Facturat -Billed Amount,Facturat Suma -Billed Amt,Facturate Amt -Billing,De facturare -Billing Address,Adresa de facturare -Billing Address Name,Adresa de facturare Numele -Billing Status,Starea de facturare -Bills raised by Suppliers.,Facturile ridicate de furnizori. -Bills raised to Customers.,Facturi ridicate pentru clienți. -Bin,Bin -Bio,Biografie -Biotechnology,Biotehnologie -Birthday,Ziua de naştere -Block Date,Bloc Data -Block Days,Bloc de zile -Block leave applications by department.,Blocați aplicații de concediu de către departament. -Blog Post,Blog Mesaj -Blog Subscriber,Blog Abonat -Blood Group,Grupa de sânge -Both Warehouse must belong to same Company,Ambele Warehouse trebuie să aparțină aceleiași companii -Box,Cutie -Branch,Ramură -Brand,Marca: -Brand Name,Nume de brand -Brand master.,Maestru de brand. -Brands,Brand-uri -Breakdown,Avarie -Broadcasting,Radiodifuzare -Brokerage,De brokeraj -Budget,Bugetul -Budget Allocated,Bugetul alocat -Budget Detail,Buget Detaliu -Budget Details,Buget Detalii -Budget Distribution,Buget Distribuție -Budget Distribution Detail,Buget Distribution Detaliu -Budget Distribution Details,Detalii buget de distribuție -Budget Variance Report,Buget Variance Raportul -Budget cannot be set for Group Cost Centers,Bugetul nu poate fi setat pentru centre de cost Group -Build Report,Construi Raport -Built on,Construit pe -Bundle items at time of sale.,Bundle elemente la momentul de vânzare. -Business Development Manager,Business Development Manager de -Buying,Cumpărare -Buying & Selling,De cumparare si vânzare -Buying Amount,Suma de cumpărare -Buying Settings,Cumpararea Setări -C-Form,C-Form -C-Form Applicable,C-forma aplicabila -C-Form Invoice Detail,C-Form Factura Detalii -C-Form No,C-Form No -C-Form records,Înregistrări C-Form -Calculate Based On,Calculează pe baza -Calculate Total Score,Calcula Scor total -Calendar Events,Calendar Evenimente -Call,Apelaţi -Calls,Apeluri -Campaign,Campanie -Campaign Name,Numele campaniei -Campaign Name is required,Este necesară Numele campaniei -Campaign Naming By,Naming campanie de -Campaign-.####,Campanie.# # # # -Can be approved by {0},Pot fi aprobate de către {0} -"Can not filter based on Account, if grouped by Account","Nu se poate filtra pe baza de cont, în cazul în care grupate pe cont" -"Can not filter based on Voucher No, if grouped by Voucher","Nu se poate filtra pe baza voucher Nu, dacă grupate de Voucher" -Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"Se poate referi rând numai dacă tipul de taxa este ""La rândul precedent Suma"" sau ""Previous rând Total""" -Cancel Material Visit {0} before cancelling this Customer Issue,Anula Material Vizitează {0} înainte de a anula această problemă client -Cancel Material Visits {0} before cancelling this Maintenance Visit,Anula Vizite materiale {0} înainte de a anula această întreținere Viziteaza -Cancelled,Anulat -Cancelling this Stock Reconciliation will nullify its effect.,Anularea acest Stock reconciliere va anula efectul. -Cannot Cancel Opportunity as Quotation Exists,Nu se poate anula oportunitate așa cum există ofertă -Cannot approve leave as you are not authorized to approve leaves on Block Dates,Nu poate aproba concediu ca nu sunt autorizate să aprobe frunze pe Block Date -Cannot cancel because Employee {0} is already approved for {1},Nu pot anula din cauza angajaților {0} este deja aprobat pentru {1} -Cannot cancel because submitted Stock Entry {0} exists,"Nu pot anula, deoarece a prezentat Bursa de intrare {0} există" -Cannot carry forward {0},Nu se poate duce mai departe {0} -Cannot change Year Start Date and Year End Date once the Fiscal Year is saved.,Nu se poate schimba An Data de începere și de sfârșit de an Data odată ce anul fiscal este salvată. -"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Nu se poate schimba implicit moneda companiei, deoarece există tranzacții existente. Tranzacțiile trebuie să fie anulate de a schimba moneda implicit." -Cannot convert Cost Center to ledger as it has child nodes,"Nu se poate converti de cost Centrul de registru, deoarece are noduri copil" -Cannot covert to Group because Master Type or Account Type is selected.,Nu se poate sub acoperire să Group deoarece este selectat de Master de tip sau de tip de cont. -Cannot deactive or cancle BOM as it is linked with other BOMs,"Nu pot DEACTIVE sau cancle BOM, deoarece este legat cu alte extraselor" -"Cannot declare as lost, because Quotation has been made.","Nu poate declara ca a pierdut, pentru că ofertă a fost făcută." -Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Nu se poate deduce când categorie este de ""evaluare"" sau ""de evaluare și total""" -"Cannot delete Serial No {0} in stock. First remove from stock, then delete.","Nu se poate șterge Nu Serial {0} în stoc. Mai întâi se scoate din stoc, apoi ștergeți." -"Cannot directly set amount. For 'Actual' charge type, use the rate field","Nu se poate seta direct sumă. De tip taxă ""real"", utilizați câmpul rata" -"Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in 'Setup' > 'Global Defaults'","Nu pot overbill pentru postul {0} în rândul {0} mai mult de {1}. Pentru a permite supraîncărcată, vă rugăm să setați în ""Configurare""> ""Implicite Globale""" -Cannot produce more Item {0} than Sales Order quantity {1},Nu poate produce mai mult Postul {0} decât cantitatea de vânzări Ordine {1} -Cannot refer row number greater than or equal to current row number for this Charge type,Nu se poate referi număr de rând mai mare sau egal cu numărul actual rând pentru acest tip de încărcare -Cannot return more than {0} for Item {1},Nu se poate reveni mai mult de {0} pentru postul {1} -Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,"Nu se poate selecta tipul de încărcare ca ""La rândul precedent Suma"" sau ""On anterioară rândul Total"" pentru primul rând" -Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for valuation. You can select only 'Total' option for previous row amount or previous row total,"Nu se poate selecta tipul de încărcare ca ""La rândul precedent Suma"" sau ""On anterioară rândul Total"" pentru evaluare. Puteți selecta opțiunea ""Total"" pentru suma de rând anterior sau totală rând anterior" -Cannot set as Lost as Sales Order is made.,Nu se poate seta la fel de pierdut ca se face comandă de vânzări. -Cannot set authorization on basis of Discount for {0},Nu se poate seta de autorizare pe baza de Discount pentru {0} -Capacity,Capacitate -Capacity Units,Unități de capacitate -Capital Account,Contul de capital -Capital Equipments,Echipamente de capital -Carry Forward,Reporta -Carry Forwarded Leaves,Carry Frunze transmis -Case No(s) already in use. Try from Case No {0},Cazul (e) deja în uz. Încercați din cauza nr {0} -Case No. cannot be 0,"Caz Nu, nu poate fi 0" -Cash,Numerar -Cash In Hand,Bani în mână -Cash Voucher,Cash Voucher -Cash or Bank Account is mandatory for making payment entry,Numerar sau cont bancar este obligatorie pentru a face intrarea plată -Cash/Bank Account,Contul Cash / Banca -Casual Leave,Casual concediu -Cell Number,Numărul de celule -Change UOM for an Item.,Schimba UOM pentru un element. -Change the starting / current sequence number of an existing series.,Schimbați pornire / numărul curent de ordine dintr-o serie existent. -Channel Partner,Channel Partner -Charge of type 'Actual' in row {0} cannot be included in Item Rate,"Responsabilă de tip ""real"" în rândul {0} nu poate fi inclus în postul Rate" -Chargeable,Chargeable -Charity and Donations,Caritate și donații -Chart Name,Diagramă Denumire -Chart of Accounts,Planul de conturi -Chart of Cost Centers,Grafic de centre de cost -Check how the newsletter looks in an email by sending it to your email.,Verifica modul în newsletter-ul arată într-un e-mail prin trimiterea acesteia la adresa dvs. de email. -"Check if recurring invoice, uncheck to stop recurring or put proper End Date","Verificați dacă recurente factura, debifați pentru a opri recurente sau pune buna Data de încheiere" -"Check if you need automatic recurring invoices. After submitting any sales invoice, Recurring section will be visible.","Verificați dacă aveți nevoie de facturi automate recurente. După depunerea orice factură de vânzare, sectiunea recurente vor fi vizibile." -Check if you want to send salary slip in mail to each employee while submitting salary slip,Verificați dacă doriți să trimiteți fișa de salariu în e-mail pentru fiecare angajat în timp ce depunerea alunecare salariu -Check this if you want to force the user to select a series before saving. There will be no default if you check this.,"Verifica acest lucru dacă doriți pentru a forța utilizatorului să selecteze o serie înainte de a salva. Nu va fi nici implicit, dacă tu a verifica acest lucru." -Check this if you want to show in website,Verifica acest lucru dacă doriți să arate în site-ul -Check this to disallow fractions. (for Nos),Verifica acest lucru pentru a nu permite fracțiuni. (Pentru Nos) -Check this to pull emails from your mailbox,Verifica acest lucru pentru a trage e-mailuri de la căsuța poștală -Check to activate,Verificați pentru a activa -Check to make Shipping Address,Verificați pentru a vă adresa Shipping -Check to make primary address,Verificați pentru a vă adresa primar -Chemical,Chimic -Cheque,Cheque -Cheque Date,Cec Data -Cheque Number,Numărul Cec -Child account exists for this account. You can not delete this account.,Contul copil există pentru acest cont. Nu puteți șterge acest cont. -City,Oraș -City/Town,Orasul / Localitatea -Claim Amount,Suma cerere -Claims for company expense.,Cererile pentru cheltuieli companie. -Class / Percentage,Clasă / Procentul -Classic,Conditionarea clasica apare atunci cand unui stimul i se raspunde printr-un reflex natural -Clear Table,Clar masă -Clearance Date,Clearance Data -Clearance Date not mentioned,Clearance Data nu sunt menționate -Clearance date cannot be before check date in row {0},Data de clearance-ul nu poate fi înainte de data de check-in rândul {0} -Click on 'Make Sales Invoice' button to create a new Sales Invoice.,"Faceți clic pe butonul ""face Factura Vanzare"" pentru a crea o nouă factură de vânzare." +Automatically extract Leads from a mail box e.g.,자동으로 메일 박스의 예에서 리드를 추출 +Automatically updated via Stock Entry of type Manufacture/Repack,자동 형 제조 / 다시 채워 스톡 엔트리를 통해 업데이트 +Automotive,자동차 +Autoreply when a new mail is received,새로운 메일이 수신 될 때 자동 회신 +Available,사용 가능함 +Available Qty at Warehouse,창고에서 사용 가능한 수량 +Available Stock for Packing Items,항목 포장 재고품 +"Available in BOM, Delivery Note, Purchase Invoice, Production Order, Purchase Order, Purchase Receipt, Sales Invoice, Sales Order, Stock Entry, Timesheet","BOM, 배달 참고, 구매 송장, 생산 주문, 구매 주문, 구입 영수증, 견적서, 판매 주문, 재고 항목, 작업 표에서 사용 가능" +Average Age,평균 연령 +Average Commission Rate,평균위원회 평가 +Average Discount,평균 할인 +Awesome Products,최고 제품 +Awesome Services,멋진 서비스 +BOM Detail No,BOM 세부 사항 없음 +BOM Explosion Item,BOM 폭발 상품 +BOM Item,BOM 상품 +BOM No,BOM 없음 +BOM No. for a Finished Good Item,완제품 항목에 대한 BOM 번호 +BOM Operation,BOM 운영 +BOM Operations,BOM 운영 +BOM Replace Tool,BOM은 도구를 교체 +BOM number is required for manufactured Item {0} in row {1},BOM 번호가 제조 품목에 필요한 {0} 행에서 {1} +BOM number not allowed for non-manufactured Item {0} in row {1},비 제조 품목에 대해 허용되지 BOM 번호는 {0} 행에서 {1} +BOM recursion: {0} cannot be parent or child of {2},BOM 재귀 : {0} 부모 또는 자녀가 될 수 없습니다 {2} +BOM replaced,BOM 교체 +BOM {0} for Item {1} in row {2} is inactive or not submitted,BOM은 {0} 항목에 대한 {1} 행의 {2} 제출 비활성인지 +BOM {0} is not active or not submitted,BOM은 {0} 제출 활성 여부 아니다 +BOM {0} is not submitted or inactive BOM for Item {1},BOM {0} 제출되지 않았거나 비활성 BOM 항목에 대한 {1} +Backup Manager,백업 관리자 +Backup Right Now,백업 지금 +Backups will be uploaded to,백업에 업로드됩니다 +Balance Qty,균형 수량 +Balance Sheet,대차 대조표 +Balance Value,밸런스 값 +Balance for Account {0} must always be {1},{0} 항상 있어야합니다 계정의 균형 {1} +Balance must be,균형이 있어야합니다 +"Balances of Accounts of type ""Bank"" or ""Cash""","유형 ""은행""의 계정의 잔액 또는 ""현금""" +Bank,은행 +Bank / Cash Account,은행 / 현금 계정 +Bank A/C No.,은행 A / C 번호 +Bank Account,은행 계좌 +Bank Account No.,은행 계좌 번호 +Bank Accounts,은행 계정 +Bank Clearance Summary,은행 정리 요약 +Bank Draft,은행 어음 +Bank Name,은행 이름 +Bank Overdraft Account,당좌 차월 계정 +Bank Reconciliation,은행 화해 +Bank Reconciliation Detail,은행 화해 세부 정보 +Bank Reconciliation Statement,은행 조정 계산서 +Bank Voucher,은행 바우처 +Bank/Cash Balance,은행 / 현금 잔액 +Banking,은행 +Barcode,바코드 +Barcode {0} already used in Item {1},바코드 {0}이 (가) 이미 상품에 사용되는 {1} +Based On,에 근거 +Basic,기본 +Basic Info,기본 정보 +Basic Information,기본 정보 +Basic Rate,기본 요금 +Basic Rate (Company Currency),기본 요금 (회사 통화) +Batch,일괄 +Batch (lot) of an Item.,항목의 배치 (제비). +Batch Finished Date,배치 완료 날짜 +Batch ID,일괄 처리 ID +Batch No,배치 없음 +Batch Started Date,일괄 날짜 시작 +Batch Time Logs for billing.,결제에 대한 일괄 처리 시간 로그. +Batch-Wise Balance History,배치 식 밸런스 역사 +Batched for Billing,결제를위한 일괄 처리 +Better Prospects,더 나은 전망 +Bill Date,빌 날짜 +Bill No,빌 없음 +Bill No {0} already booked in Purchase Invoice {1},빌 없음 {0}이 (가) 이미 구매 송장에 예약 {1} +Bill of Material,자재 명세서 (BOM) +Bill of Material to be considered for manufacturing,제조를 위해 고려해야 할 소재의 빌 +Bill of Materials (BOM),재료 명세서 (BOM) (BOM) +Billable,청구 +Billed,청구 +Billed Amount,청구 금액 +Billed Amt,청구 AMT 사의 +Billing,청구 +Billing Address,청구 주소 +Billing Address Name,청구 주소 이름 +Billing Status,결제 상태 +Bills raised by Suppliers.,공급 업체에 의해 제기 된 지폐입니다. +Bills raised to Customers.,고객에게 제기 지폐입니다. +Bin,큰 상자 +Bio,바이오 +Biotechnology,생명 공학 +Birthday,생년월일 +Block Date,블록 날짜 +Block Days,블록 일 +Block leave applications by department.,부서에서 허가 응용 프로그램을 차단합니다. +Blog Post,블로그 포스트 +Blog Subscriber,블로그 구독자 +Blood Group,혈액 그룹 +Both Warehouse must belong to same Company,두 창고는 같은 회사에 속해 있어야합니다 +Box,상자 +Branch,Branch +Brand,상표 +Brand Name,브랜드 ㅇ +Brand master.,브랜드 마스터. +Brands,상표 +Breakdown,고장 +Broadcasting,방송 +Brokerage,중개 +Budget,예산 +Budget Allocated,할당 된 예산 +Budget Detail,예산 세부 정보 +Budget Details,예산 세부 정보 +Budget Distribution,예산 분배 +Budget Distribution Detail,예산 분배의 세부 사항 +Budget Distribution Details,예산 분배의 자세한 사항 +Budget Variance Report,예산 차이 보고서 +Budget cannot be set for Group Cost Centers,예산은 그룹의 코스트 센터를 설정할 수 없습니다 +Build Report,보고서보기 빌드 +Bundle items at time of sale.,판매 상품을 동시에 번들. +Business Development Manager,비즈니스 개발 매니저 +Buying,구매 +Buying & Selling,구매 및 판매 +Buying Amount,금액을 구매 +Buying Settings,설정을 구입 +"Buying must be checked, if Applicable For is selected as {0}",해당 법령에가로 선택된 경우 구매 확인해야합니다 {0} +C-Form,C-양식 +C-Form Applicable,해당 C-양식 +C-Form Invoice Detail,C-양식 송장 세부 정보 +C-Form No,C-양식 없음 +C-Form records,C 형태의 기록 +CENVAT Capital Goods,CENVAT 자본재 +CENVAT Edu Cess,CENVAT 에듀 운 +CENVAT SHE Cess,CENVAT SHE 운 +CENVAT Service Tax,CENVAT 서비스 세금 +CENVAT Service Tax Cess 1,CENVAT 서비스 세금 CESS 1 +CENVAT Service Tax Cess 2,CENVAT 서비스 세금 CESS 2 +Calculate Based On,에 의거에게 계산 +Calculate Total Score,총 점수를 계산 +Calendar Events,캘린더 이벤트 +Call,전화 +Calls,통화 +Campaign,캠페인 +Campaign Name,캠페인 이름 +Campaign Name is required,캠페인 이름이 필요합니다 +Campaign Naming By,캠페인 이름 지정으로 +Campaign-.####,캠페인.# # # # +Can be approved by {0},{0}에 의해 승인 될 수있다 +"Can not filter based on Account, if grouped by Account","계정별로 분류하면, 계정을 기준으로 필터링 할 수 없습니다" +"Can not filter based on Voucher No, if grouped by Voucher","바우처를 기반으로 필터링 할 수 없음, 바우처로 그룹화하는 경우" +Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"충전 타입 또는 '이전 행 전체', '이전 행의 양에'인 경우에만 행을 참조 할 수 있습니다" +Cancel Material Visit {0} before cancelling this Customer Issue,"취소 재질 방문 {0}이 고객의 문제를 취소하기 전," +Cancel Material Visits {0} before cancelling this Maintenance Visit,"이 유지 보수 방문을 취소하기 전, 재질 방문 {0} 취소" +Cancelled,취소 +Cancelling this Stock Reconciliation will nullify its effect.,이 재고 조정을 취소하면 그 효과를 무효로합니다. +Cannot Cancel Opportunity as Quotation Exists,견적이 존재하는 기회를 취소 할 수 +Cannot approve leave as you are not authorized to approve leaves on Block Dates,당신이 블록 날짜에 잎을 승인 할 수있는 권한이 없습니다로 휴가를 승인 할 수 없습니다 +Cannot cancel because Employee {0} is already approved for {1},직원이 {0}이 (가) 이미 승인을하기 때문에 취소 할 수 없습니다 {1} +Cannot cancel because submitted Stock Entry {0} exists,제출 된 재고 항목 {0}이 존재하기 때문에 취소 할 수 없습니다 +Cannot carry forward {0},앞으로 수행 할 수 없습니다 {0} +Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,회계 연도 시작 날짜와 회계 연도가 저장되면 회계 연도 종료 날짜를 변경할 수 없습니다. +"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","기존의 트랜잭션이 있기 때문에, 회사의 기본 통화를 변경할 수 없습니다.거래 기본 통화를 변경하려면 취소해야합니다." +Cannot convert Cost Center to ledger as it has child nodes,이 자식 노드를 가지고 원장 비용 센터로 변환 할 수 없습니다 +Cannot covert to Group because Master Type or Account Type is selected.,마스터 유형 또는 계정 유형을 선택하기 때문에 그룹 은밀한 할 수 없습니다. +Cannot deactive or cancle BOM as it is linked with other BOMs,그것은 다른 BOM에와 연결되어으로 비활성화 또는 CANCLE의 BOM 수 없습니다 +"Cannot declare as lost, because Quotation has been made.","손실로 견적이되었습니다 때문에, 선언 할 수 없습니다." +Cannot deduct when category is for 'Valuation' or 'Valuation and Total',카테고리는 '평가'또는 '평가 및 전체'에 대한 때 공제 할 수 없습니다 +"Cannot delete Serial No {0} in stock. First remove from stock, then delete.","재고 {0} 시리얼 번호를 삭제할 수 없습니다.먼저 삭제 한 후, 주식에서 제거합니다." +"Cannot directly set amount. For 'Actual' charge type, use the rate field","직접 금액을 설정할 수 없습니다.'실제'충전식의 경우, 속도 필드를 사용하여" +"Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in Stock Settings",{1} {0}보다 더 많은 행에서 {0} 항목에 대한 청구 되요 할 수 없습니다.과다 청구를 할 수 있도록 재고 설정에서 설정하시기 바랍니다 +Cannot produce more Item {0} than Sales Order quantity {1},더 많은 항목을 생성 할 수 없습니다 {0}보다 판매 주문 수량 {1} +Cannot refer row number greater than or equal to current row number for this Charge type,이 충전 유형에 대한보다 크거나 현재의 행의 수와 동일한 행 번호를 참조 할 수 없습니다 +Cannot return more than {0} for Item {1},이상을 반환 할 수 없습니다 {0} 항목에 대한 {1} +Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,첫 번째 행에 대한 '이전 행 전체에'이전 행에 금액 '또는로 충전 타입을 선택할 수 없습니다 +Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for valuation. You can select only 'Total' option for previous row amount or previous row total,평가에 대한 '이전 행 전체에'이전 행에 금액 '또는로 충전 유형을 선택 할 수 없습니다.당신은 이전 행의 양 또는 이전 행 전체 만 '전체'옵션을 선택할 수 있습니다 +Cannot set as Lost as Sales Order is made.,판매 주문이 이루어질으로 분실로 설정할 수 없습니다. +Cannot set authorization on basis of Discount for {0},에 대한 할인의 기준으로 권한을 설정할 수 없습니다 {0} +Capacity,용량 +Capacity Units,용량 단위 +Capital Account,자본 계정 +Capital Equipments,자본 장비 +Carry Forward,이월하다 +Carry Forwarded Leaves,전달 잎을 운반 +Case No(s) already in use. Try from Case No {0},케이스 없음 (들)을 이미 사용.케이스 없음에서 시도 {0} +Case No. cannot be 0,케이스 번호는 0이 될 수 없습니다 +Cash,자금 +Cash In Hand,손에 현금 +Cash Voucher,현금 바우처 +Cash or Bank Account is mandatory for making payment entry,현금 또는 은행 계좌 결제 항목을 만들기위한 필수입니다 +Cash/Bank Account,현금 / 은행 계좌 +Casual Leave,캐주얼 허가 +Cell Number,핸드폰 번호 +Change UOM for an Item.,항목 UOM을 변경합니다. +Change the starting / current sequence number of an existing series.,기존 시리즈의 시작 / 현재의 순서 번호를 변경합니다. +Channel Partner,채널 파트너 +Charge of type 'Actual' in row {0} cannot be included in Item Rate,유형 행 {0}에있는 '실제'의 책임은 상품 요금에 포함 할 수 없습니다 +Chargeable,청구 +Charity and Donations,자선과 기부 +Chart Name,차트 이름 +Chart of Accounts,계정의 차트 +Chart of Cost Centers,코스트 센터의 차트 +Check how the newsletter looks in an email by sending it to your email.,뉴스 레터를 이메일로 보내 이메일로 모양을 확인합니다. +"Check if recurring invoice, uncheck to stop recurring or put proper End Date","송장을 반복 있는지 확인, 반복을 중지하거나 적절한 종료 날짜를 넣어 선택 취소" +"Check if you need automatic recurring invoices. After submitting any sales invoice, Recurring section will be visible.","당신이 자동 반복 송장을 필요로하는 경우에 선택합니다.모든 판매 청구서를 제출 한 후, 반복되는 부분은 볼 수 있습니다." +Check if you want to send salary slip in mail to each employee while submitting salary slip,당신이 급여 명세서를 제출하는 동안 각 직원에게 우편으로 급여 명세서를 보내려면 확인 +Check this if you want to force the user to select a series before saving. There will be no default if you check this.,당신은 저장하기 전에 시리즈를 선택하도록 강제하려는 경우이 옵션을 선택합니다.당신이 선택하면 기본이되지 않습니다. +Check this if you want to show in website,당신이 웹 사이트에 표시 할 경우이 옵션을 선택 +Check this to disallow fractions. (for Nos),분수를 허용하려면이 옵션을 선택합니다. (NOS의 경우) +Check this to pull emails from your mailbox,사서함에서 이메일을 당겨하려면이 옵션을 선택합니다 +Check to activate,활성화 확인 +Check to make Shipping Address,배송 주소를 확인하십시오 +Check to make primary address,기본 주소를 확인하십시오 +Chemical,화학 +Cheque,수표 +Cheque Date,수표 날짜 +Cheque Number,수표 번호 +Child account exists for this account. You can not delete this account.,하위 계정은이 계정이 존재합니다.이 계정을 삭제할 수 없습니다. +City,시 +City/Town,도시 +Claim Amount,청구 금액 +Claims for company expense.,회사 경비 주장한다. +Class / Percentage,클래스 / 비율 +Classic,기본 +Clear Table,표 지우기 +Clearance Date,통관 날짜 +Clearance Date not mentioned,통관 날짜 언급되지 +Clearance date cannot be before check date in row {0},통관 날짜 행 체크인 날짜 이전 할 수 없습니다 {0} +Click on 'Make Sales Invoice' button to create a new Sales Invoice.,새로운 판매 송장을 작성하는 '판매 송장 확인'버튼을 클릭합니다. Click on a link to get options to expand get options , -Client,Client -Close Balance Sheet and book Profit or Loss.,Aproape Bilanțul și carte profit sau pierdere. -Closed,Inchisa -Closing Account Head,Închiderea contului cap -Closing Account {0} must be of type 'Liability',"Contul {0} de închidere trebuie să fie de tip ""Răspunderea""" -Closing Date,Data de închidere -Closing Fiscal Year,Închiderea Anul fiscal -Closing Qty,Cantitate de închidere -Closing Value,Valoare de închidere -CoA Help,CoA Ajutor -Code,Cod -Cold Calling,De asteptare la rece -Color,Culorarea -Comma separated list of email addresses,Virgulă listă de adrese de e-mail separat -Comments,Comentarii -Commercial,Comercial -Commission,Comision -Commission Rate,Rata de comisie -Commission Rate (%),Rata de comision (%) -Commission on Sales,Comision din vânzări -Commission rate cannot be greater than 100,Rata de comision nu poate fi mai mare de 100 -Communication,Comunicare -Communication HTML,Comunicare HTML -Communication History,Istoria comunicare -Communication log.,Log comunicare. -Communications,Interfata -Company,Firma -Company (not Customer or Supplier) master.,Compania (nu client sau furnizor) de master. -Company Abbreviation,Abreviere de companie -Company Details,Detalii companie -Company Email,Compania de e-mail -"Company Email ID not found, hence mail not sent","Compania ID-ul de e-mail, nu a fost găsit, prin urmare, nu e-mail trimis" -Company Info,Informatii companie -Company Name,Nume firma acasa -Company Settings,Setări Company -Company is missing in warehouses {0},Compania lipsește în depozite {0} -Company is required,Este necesară Company -Company registration numbers for your reference. Example: VAT Registration Numbers etc.,"Numerele de înregistrare companie pentru referință. Numerele de înregistrare TVA, etc: de exemplu," -Company registration numbers for your reference. Tax numbers etc.,Numerele de înregistrare companie pentru referință. Numerele fiscale etc -"Company, Month and Fiscal Year is mandatory","Compania, Luna și Anul fiscal este obligatorie" -Compensatory Off,Compensatorii Off -Complete,Finalizare -Complete Setup,Setup Complete -Completed,Finalizat -Completed Production Orders,Comenzile de producție terminate -Completed Qty,Completat Cantitate -Completion Date,Finalizarea Data -Completion Status,Starea de finalizare -Computer,Calculator -Computers,Calculatoare -Confirmation Date,Confirmarea Data -Confirmed orders from Customers.,Comenzile confirmate de la clienți. -Consider Tax or Charge for,Luați în considerare fiscală sau de încărcare pentru -Considered as Opening Balance,Considerat ca Sold -Considered as an Opening Balance,Considerat ca un echilibru de deschidere -Consultant,Consultant -Consulting,Consili -Consumable,Consumabil -Consumable Cost,Cost Consumabile -Consumable cost per hour,Costul consumabil pe oră -Consumed Qty,Consumate Cantitate -Consumer Products,Produse de larg consum -Contact,Persoană -Contact Control,Contact de control -Contact Desc,Contact Descărca -Contact Details,Detalii de contact -Contact Email,Contact Email -Contact HTML,Contact HTML -Contact Info,Informaţii de contact -Contact Mobile No,Contact Mobile Nu -Contact Name,Nume contact -Contact No.,Contact Nu. -Contact Person,Persoană de contact -Contact Type,Contact Tip -Contact master.,Contact maestru. -Contacts,Contacte -Content,Continut -Content Type,Tip de conținut -Contra Voucher,Contra Voucher -Contract,Contractarea -Contract End Date,Contract Data de încheiere -Contract End Date must be greater than Date of Joining,Contract Data de sfârșit trebuie să fie mai mare decât Data aderării -Contribution (%),Contribuția (%) -Contribution to Net Total,Contribuția la net total -Conversion Factor,Factor de conversie -Conversion Factor is required,Este necesară Factorul de conversie -Conversion factor cannot be in fractions,Factor de conversie nu pot fi în fracțiuni -Conversion factor for default Unit of Measure must be 1 in row {0},Factor de conversie pentru Unitatea implicit de măsură trebuie să fie de 1 la rând {0} -Conversion rate cannot be 0 or 1,Rata de conversie nu poate fi 0 sau 1 -Convert into Recurring Invoice,Conversia în factura recurente -Convert to Group,Conversia de grup -Convert to Ledger,Conversia la Ledger -Converted,Convertit -Copy From Item Group,Copiere din Grupa de articole -Cosmetics,Cosmetică -Cost Center,Cost Center -Cost Center Details,Cost Center Detalii -Cost Center Name,Cost Numele Center -Cost Center is mandatory for Item {0},Cost Center este obligatorie pentru postul {0} -Cost Center is required for 'Profit and Loss' account {0},"Cost Center este necesară pentru contul ""Profit și pierdere"" {0}" -Cost Center is required in row {0} in Taxes table for type {1},Cost Center este necesară în rândul {0} în tabelul Taxele de tip {1} -Cost Center with existing transactions can not be converted to group,Centrul de cost cu tranzacțiile existente nu pot fi transformate în grup -Cost Center with existing transactions can not be converted to ledger,Centrul de cost cu tranzacții existente nu pot fi convertite în registrul -Cost Center {0} does not belong to Company {1},Cost Centrul {0} nu aparține companiei {1} -Cost of Goods Sold,Costul bunurilor vândute -Costing,Costing -Country,Ţară -Country Name,Nume țară -"Country, Timezone and Currency","Țară, Timezone și valutar" -Create Bank Voucher for the total salary paid for the above selected criteria,Crea Bank Voucher pentru salariul totală plătită pentru criteriile selectate de mai sus -Create Customer,Creare client -Create Material Requests,Cererile crea materiale -Create New,Crearea de noi -Create Opportunity,Creare Oportunitate -Create Production Orders,Creare comenzi de producție -Create Quotation,Creare ofertă -Create Receiver List,Crea Receiver Lista -Create Salary Slip,Crea Salariul Slip -Create Stock Ledger Entries when you submit a Sales Invoice,Crea Stock Ledger intrările atunci când depune o factură de vânzare -"Create and manage daily, weekly and monthly email digests.","Crearea și gestionarea de e-mail rezumate zilnice, săptămânale și lunare." -Create rules to restrict transactions based on values.,Creați reguli pentru a restricționa tranzacțiile bazate pe valori. -Created By,Creat de -Creates salary slip for above mentioned criteria.,Creează alunecare salariu pentru criteriile de mai sus. -Creation Date,Data creării -Creation Document No,Creare de documente Nu -Creation Document Type,Document Type creație -Creation Time,Timp de creație -Credentials,Scrisori de acreditare -Credit,credit -Credit Amt,Credit Amt -Credit Card,Card de credit -Credit Card Voucher,Card de credit Voucher -Credit Controller,Controler de credit -Credit Days,Zile de credit -Credit Limit,Limita de credit -Credit Note,Nota de credit -Credit To,De credit a -Currency,Monedă -Currency Exchange,Schimb valutar -Currency Name,Numele valută -Currency Settings,Setări valutare -Currency and Price List,Valută și lista de prețuri -Currency exchange rate master.,Maestru cursului de schimb valutar. -Current Address,Adresa curent -Current Address Is,Adresa actuală este -Current Assets,Active curente -Current BOM,BOM curent -Current BOM and New BOM can not be same,BOM BOM curent și noi nu poate fi același -Current Fiscal Year,Anul fiscal curent -Current Liabilities,Datorii curente -Current Stock,Stock curent -Current Stock UOM,Stock curent UOM -Current Value,Valoare curent -Custom,Particularizat -Custom Autoreply Message,Personalizat Răspuns automat Mesaj -Custom Message,Mesaj personalizat -Customer,Client -Customer (Receivable) Account,Client (de încasat) Cont -Customer / Item Name,Client / Denumire -Customer / Lead Address,Client / plumb Adresa -Customer / Lead Name,Client / Nume de plumb -Customer Account Head,Cont client cap -Customer Acquisition and Loyalty,Achiziționarea client și Loialitate -Customer Address,Client Adresa -Customer Addresses And Contacts,Adrese de clienți și Contacte -Customer Code,Cod client -Customer Codes,Coduri de client -Customer Details,Detalii client -Customer Feedback,Customer Feedback -Customer Group,Grup de clienti -Customer Group / Customer,Grupa client / client -Customer Group Name,Nume client Group -Customer Intro,Intro client -Customer Issue,Client Issue -Customer Issue against Serial No.,Problema client împotriva Serial No. -Customer Name,Nume client -Customer Naming By,Naming client de -Customer Service,Serviciul Clienți -Customer database.,Bazei de clienti. -Customer is required,Clientul este necesară -Customer master.,Maestru client. -Customer required for 'Customerwise Discount',"Client necesar pentru ""Customerwise Discount""" -Customer {0} does not belong to project {1},Client {0} nu face parte din proiect {1} -Customer {0} does not exist,Client {0} nu există -Customer's Item Code,Clientului Articol Cod -Customer's Purchase Order Date,Clientului comandă de aprovizionare Data -Customer's Purchase Order No,Clientului Comandă Nu -Customer's Purchase Order Number,Clientului Comandă Numărul -Customer's Vendor,Vendor clientului -Customers Not Buying Since Long Time,Clienții nu Cumpararea de mult timp Timpul -Customerwise Discount,Customerwise Reducere -Customize,Personalizarea -Customize the Notification,Personaliza Notificare -Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,"Particulariza textul introductiv, care merge ca o parte din acel email. Fiecare tranzacție are un text introductiv separat." -DN Detail,DN Detaliu -Daily,Zilnic -Daily Time Log Summary,Zilnic Timp Log Rezumat -Database Folder ID,Baza de date Folder ID -Database of potential customers.,Baza de date de clienți potențiali. -Date,Dată -Date Format,Format dată -Date Of Retirement,Data pensionării -Date Of Retirement must be greater than Date of Joining,Data de pensionare trebuie să fie mai mare decât Data aderării -Date is repeated,Data se repetă -Date of Birth,Data nașterii -Date of Issue,Data eliberării -Date of Joining,Data aderării -Date of Joining must be greater than Date of Birth,Data aderării trebuie să fie mai mare decât Data nașterii -Date on which lorry started from supplier warehouse,Data la care a început camion din depozitul furnizorul -Date on which lorry started from your warehouse,Data la care camion a pornit de la depozit -Dates,Perioada -Days Since Last Order,De zile de la ultima comandă -Days for which Holidays are blocked for this department.,De zile pentru care Sărbătorile sunt blocate pentru acest departament. -Dealer,Comerciant -Debit,Debitarea -Debit Amt,Amt debit -Debit Note,Nota de debit -Debit To,Pentru debit -Debit and Credit not equal for this voucher. Difference is {0}.,De debit și de credit nu este egal pentru acest voucher. Diferența este {0}. -Deduct,Deduce -Deduction,Deducere -Deduction Type,Deducerea Tip +Client,클라이언트 +Close Balance Sheet and book Profit or Loss.,닫기 대차 대조표 및 책 이익 또는 손실. +Closed,닫힘 +Closing (Cr),결산 (CR) +Closing (Dr),결산 (박사) +Closing Account Head,닫기 계정 헤드 +Closing Account {0} must be of type 'Liability',계정 {0} 닫는 형식 '책임'이어야합니다 +Closing Date,마감일 +Closing Fiscal Year,회계 연도 결산 +Closing Qty,닫기 수량 +Closing Value,닫기 값 +CoA Help,CoA를 도움말 +Code,코드 +Cold Calling,콜드 콜링 +Color,색상 +Column Break,단 나누기 +Comma separated list of email addresses,쉼표로 이메일 주소의 목록을 분리 +Comment,코멘트 +Comments,비고 +Commercial,광고 방송 +Commission,위원회 +Commission Rate,위원회 평가 +Commission Rate (%),위원회 비율 (%) +Commission on Sales,판매에 대한 수수료 +Commission rate cannot be greater than 100,수수료율은 100보다 큰 수 없습니다 +Communication,통신 네트워크 +Communication HTML,통신 HTML +Communication History,통신 역사 +Communication log.,통신 로그. +Communications,통신 +Company,회사 +Company (not Customer or Supplier) master.,회사 (안 고객 또는 공급 업체) 마스터. +Company Abbreviation,회사의 약어 +Company Details,회사 세부 사항 +Company Email,회사 이메일 +"Company Email ID not found, hence mail not sent","회사 이메일 ID를 찾을 수 없습니다, 따라서 전송되지 메일" +Company Info,회사 소개 +Company Name,회사 명 +Company Settings,회사 설정 +Company is missing in warehouses {0},회사는 창고에없는 {0} +Company is required,회사가 필요합니다 +Company registration numbers for your reference. Example: VAT Registration Numbers etc.,당신의 참고를위한 회사의 등록 번호.예 : VAT 등록 번호 등 +Company registration numbers for your reference. Tax numbers etc.,당신의 참고를위한 회사의 등록 번호.세금 번호 등 +"Company, Month and Fiscal Year is mandatory","회사, 월, 회계 연도는 필수입니다" +Compensatory Off,보상 오프 +Complete,완성 +Complete Setup,설정 완료 +Completed,완료 +Completed Production Orders,완료 생산 주문 +Completed Qty,완료 수량 +Completion Date,완료일 +Completion Status,완료 상태 +Computer,컴퓨터 +Computers,컴퓨터 +Confirmation Date,확인 일자 +Confirmed orders from Customers.,고객의 확정 주문. +Consider Tax or Charge for,세금이나 요금에 대한 고려 +Considered as Opening Balance,밸런스를 열기로 간주 +Considered as an Opening Balance,잔액으로 간주 +Consultant,컨설턴트 +Consulting,컨설팅 +Consumable,소모품 +Consumable Cost,소모품 비용 +Consumable cost per hour,시간 당 소모품 비용 +Consumed Qty,소비 수량 +Consumer Products,소비자 제품 +Contact,연락처 +Contact Control,연락처 관리 +Contact Desc,연락처 제품 설명 +Contact Details,연락처 세부 사항 +Contact Email,담당자 이메일 +Contact HTML,연락 HTML +Contact Info,연락처 정보 +Contact Mobile No,연락처 모바일 없음 +Contact Name,담당자 이름 +Contact No.,연락 번호 +Contact Person,담당자 +Contact Type,접점 유형 +Contact master.,연락처 마스터. +Contacts,주소록 +Content,목차 +Content Type,컨텐츠 유형 +Contra Voucher,콘트라 바우처 +Contract,계약직 +Contract End Date,계약 종료 날짜 +Contract End Date must be greater than Date of Joining,계약 종료 날짜는 가입 날짜보다 커야합니다 +Contribution (%),기여도 (%) +Contribution to Net Total,인터넷 전체에 기여 +Conversion Factor,변환 계수 +Conversion Factor is required,변환 계수가 필요합니다 +Conversion factor cannot be in fractions,전환 요인은 분수에있을 수 없습니다 +Conversion factor for default Unit of Measure must be 1 in row {0},측정의 기본 단위에 대한 변환 계수는 행에 반드시 1이 {0} +Conversion rate cannot be 0 or 1,변환 속도는 0 또는 1이 될 수 없습니다 +Convert into Recurring Invoice,경상 청구서로 변환 +Convert to Group,그룹으로 변환 +Convert to Ledger,원장으로 변환 +Converted,변환 +Copy From Item Group,상품 그룹에서 복사 +Cosmetics,화장품 +Cost Center,비용 센터 +Cost Center Details,센터 상세 비용 +Cost Center Name,코스트 센터의 이름 +Cost Center is required for 'Profit and Loss' account {0},비용 센터는 '손익'계정이 필요합니다 {0} +Cost Center is required in row {0} in Taxes table for type {1},비용 센터가 행에 필요한 {0} 세금 테이블의 유형에 대한 {1} +Cost Center with existing transactions can not be converted to group,기존의 트랜잭션 비용 센터는 그룹으로 변환 할 수 없습니다 +Cost Center with existing transactions can not be converted to ledger,기존의 트랜잭션 비용 센터 원장으로 변환 할 수 없습니다 +Cost Center {0} does not belong to Company {1},코스트 센터 {0}에 속하지 않는 회사 {1} +Cost of Goods Sold,매출원가 +Costing,원가 계산 +Country,국가 +Country Name,국가 이름 +Country wise default Address Templates,국가 현명한 기본 주소 템플릿 +"Country, Timezone and Currency","국가, 시간대 통화" +Create Bank Voucher for the total salary paid for the above selected criteria,위의 선택 기준에 대해 지불 한 총 연봉 은행 바우처를 만들기 +Create Customer,고객을 만들기 +Create Material Requests,자료 요청을 만듭니다 +Create New,새로 만들기 +Create Opportunity,기회를 만들기 +Create Production Orders,생산 오더를 생성 +Create Quotation,견적을 만들기 +Create Receiver List,수신기 목록 만들기 +Create Salary Slip,급여 슬립을 만듭니다 +Create Stock Ledger Entries when you submit a Sales Invoice,당신은 견적서를 제출할 때 주식 원장 항목을 작성 +"Create and manage daily, weekly and monthly email digests.","만들고, 매일, 매주 및 매월 이메일 다이제스트를 관리 할 수 있습니다." +Create rules to restrict transactions based on values.,값을 기준으로 거래를 제한하는 규칙을 만듭니다. +Created By,제작 +Creates salary slip for above mentioned criteria.,위에서 언급 한 기준에 대한 급여 명세서를 작성합니다. +Creation Date,만든 날짜 +Creation Document No,작성 문서 없음 +Creation Document Type,작성 문서 형식 +Creation Time,작성 시간 +Credentials,신임장 +Credit,신용 +Credit Amt,신용 AMT 사의 +Credit Card,신용카드 +Credit Card Voucher,신용 카드 바우처 +Credit Controller,신용 컨트롤러 +Credit Days,신용 일 +Credit Limit,신용 한도 +Credit Note,신용 주 +Credit To,신용에 +Currency,통화 +Currency Exchange,환전 +Currency Name,통화 명 +Currency Settings,통화 설정 +Currency and Price List,통화 및 가격 목록 +Currency exchange rate master.,통화 환율 마스터. +Current Address,현재 주소 +Current Address Is,현재 주소는 +Current Assets,유동 자산 +Current BOM,현재 BOM +Current BOM and New BOM can not be same,현재 BOM 및 새로운 BOM은 동일 할 수 없습니다 +Current Fiscal Year,당해 사업 연도 +Current Liabilities,유동 부채 +Current Stock,현재 주식 +Current Stock UOM,현재 주식 UOM +Current Value,현재 값 +Custom,사용자 지정 +Custom Autoreply Message,사용자 정의 자동 회신 메시지 +Custom Message,사용자 지정 메시지 +Customer,고객 +Customer (Receivable) Account,고객 (채권) 계정 +Customer / Item Name,고객 / 상품 이름 +Customer / Lead Address,고객 / 리드 주소 +Customer / Lead Name,고객 / 리드 명 +Customer > Customer Group > Territory,고객 지원> 고객 그룹> 지역 +Customer Account Head,고객 계정 헤드 +Customer Acquisition and Loyalty,고객 확보 및 충성도 +Customer Address,고객 주소 +Customer Addresses And Contacts,고객 주소 및 연락처 +Customer Addresses and Contacts,고객 주소 및 연락처 +Customer Code,고객 코드 +Customer Codes,고객 코드 +Customer Details,고객 상세 정보 +Customer Feedback,고객 의견 +Customer Group,고객 그룹 +Customer Group / Customer,고객 그룹 / 고객 +Customer Group Name,고객 그룹 이름 +Customer Intro,고객 소개 +Customer Issue,고객의 이슈 +Customer Issue against Serial No.,일련 번호에 대한 고객의 이슈 +Customer Name,고객 이름 +Customer Naming By,고객 이름 지정으로 +Customer Service,고객 서비스 +Customer database.,고객 데이터베이스입니다. +Customer is required,고객이 필요합니다 +Customer master.,고객 마스터. +Customer required for 'Customerwise Discount','Customerwise 할인'을 위해 필요한 고객 +Customer {0} does not belong to project {1},고객 {0} 프로젝트에 속하지 않는 {1} +Customer {0} does not exist,고객 {0}이 (가) 없습니다 +Customer's Item Code,고객의 상품 코드 +Customer's Purchase Order Date,고객의 구매 주문 날짜 +Customer's Purchase Order No,고객의 구매 주문 번호 +Customer's Purchase Order Number,고객의 구매 주문 번호 +Customer's Vendor,고객의 공급 업체 +Customers Not Buying Since Long Time,고객은 긴 시간 때문에 구입하지 않음 +Customerwise Discount,Customerwise 할인 +Customize,사용자 지정 +Customize the Notification,알림 사용자 지정 +Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,해당 이메일의 일부로가는 소개 텍스트를 사용자 정의 할 수 있습니다.각 트랜잭션은 별도의 소개 텍스트가 있습니다. +DN Detail,DN 세부 정보 +Daily,매일 +Daily Time Log Summary,매일 시간 로그 요약 +Database Folder ID,데이터베이스 폴더 ID +Database of potential customers.,잠재 고객의 데이터베이스. +Date,날짜 +Date Format,날짜 Format +Date Of Retirement,은퇴 날짜 +Date Of Retirement must be greater than Date of Joining,은퇴 날짜 가입 날짜보다 커야합니다 +Date is repeated,날짜는 반복된다 +Date of Birth,생일 +Date of Issue,발행일 +Date of Joining,가입 날짜 +Date of Joining must be greater than Date of Birth,가입 날짜는 출생의 날짜보다 커야합니다 +Date on which lorry started from supplier warehouse,화물 자동차 공급 업체의 창고에서 시작되는 날짜 +Date on which lorry started from your warehouse,트럭웨어 하우스에서 시작되는 날짜 +Dates,날짜 +Days Since Last Order,일 이후 마지막 주문 +Days for which Holidays are blocked for this department.,휴일이 부서 차단하는 일. +Dealer,상인 +Debit,직불 +Debit Amt,직불 AMT 사의 +Debit Note,직불 주 +Debit To,To 직불 +Debit and Credit not equal for this voucher. Difference is {0}.,직불이 상품권 같지 않은 신용.차이는 {0}입니다. +Deduct,공제 +Deduction,공제 +Deduction Type,공제 유형 Deduction1,Deduction1 -Deductions,Deduceri -Default,Implicit -Default Account,Contul implicit -Default BOM,Implicit BOM -Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,"Default cont bancar / numerar vor fi actualizate în mod automat în POS Factura, atunci când acest mod este selectat." -Default Bank Account,Implicit cont bancar -Default Buying Cost Center,Implicit de cumparare cost Center -Default Buying Price List,Implicit de cumparare Lista de prețuri -Default Cash Account,Contul Cash implicit -Default Company,Implicit de companie -Default Cost Center for tracking expense for this item.,Centrul de cost standard pentru cheltuieli de urmărire pentru acest articol. -Default Currency,Monedă implicită -Default Customer Group,Implicit Client Group -Default Expense Account,Cont implicit de cheltuieli -Default Income Account,Contul implicit venituri -Default Item Group,Implicit Element Group -Default Price List,Implicit Lista de prețuri -Default Purchase Account in which cost of the item will be debited.,Implicit cont cumparare în care costul de elementul va fi debitat. -Default Selling Cost Center,Implicit de vânzare Cost Center -Default Settings,Setări implicite -Default Source Warehouse,Implicit Sursa Warehouse -Default Stock UOM,Implicit Stock UOM -Default Supplier,Implicit Furnizor -Default Supplier Type,Implicit Furnizor Tip -Default Target Warehouse,Implicit țintă Warehouse -Default Territory,Implicit Teritoriul -Default Unit of Measure,Unitatea de măsură prestabilită -"Default Unit of Measure can not be changed directly because you have already made some transaction(s) with another UOM. To change default UOM, use 'UOM Replace Utility' tool under Stock module.","Unitatea implicit de măsură nu poate fi modificat direct deoarece le-ați făcut deja unele tranzacții (s) cu un alt UOM. Pentru a schimba implicit UOM, folosiți ""UOM Înlocuiți Utility"" instrument în modul stoc." -Default Valuation Method,Metoda implicită de evaluare -Default Warehouse,Implicit Warehouse -Default Warehouse is mandatory for stock Item.,Implicit Warehouse este obligatorie pentru stoc articol. -Default settings for accounting transactions.,Setările implicite pentru tranzacțiile de contabilitate. -Default settings for buying transactions.,Setările implicite pentru tranzacțiilor de cumpărare. -Default settings for selling transactions.,Setările implicite pentru tranzacțiile de vânzare. -Default settings for stock transactions.,Setările implicite pentru tranzacțiile bursiere. -Defense,Apărare -"Define Budget for this Cost Center. To set budget action, see Company Master","Definirea Bugetul pentru acest centru de cost. Pentru a seta o acțiune buget, consultați Compania Maestrul " -Delete,Șterge -Delete {0} {1}?,Șterge {0} {1}? -Delivered,Livrat -Delivered Items To Be Billed,Produsele livrate Pentru a fi facturat -Delivered Qty,Livrate Cantitate -Delivered Serial No {0} cannot be deleted,Livrate de ordine {0} nu poate fi ștearsă -Delivery Date,Data de livrare -Delivery Details,Detalii livrare -Delivery Document No,Livrare de documente Nu -Delivery Document Type,Tip de livrare document -Delivery Note,Livrare Nota -Delivery Note Item,Livrare Nota Articol -Delivery Note Items,Livrare Nota Articole -Delivery Note Message,Livrare Nota Mesaj -Delivery Note No,Livrare Nota Nu -Delivery Note Required,Nota de livrare Necesar -Delivery Note Trends,Livrare Nota Tendințe -Delivery Note {0} is not submitted,Livrare Nota {0} nu este prezentat -Delivery Note {0} must not be submitted,Livrare Nota {0} nu trebuie să fie prezentate -Delivery Notes {0} must be cancelled before cancelling this Sales Order,Livrare Note {0} trebuie anulată înainte de a anula această comandă de vânzări -Delivery Status,Starea de livrare -Delivery Time,Timp de livrare -Delivery To,De livrare a -Department,Departament -Department Stores,Magazine Universale -Depends on LWP,Depinde LWP -Depreciation,Depreciere -Description,Descriere -Description HTML,Descrierea HTML -Designation,Denumire -Designer,Proiectant -Detailed Breakup of the totals,Despărțiri detaliată a totalurilor -Details,Detalii -Difference (Dr - Cr),Diferența (Dr - Cr) -Difference Account,Diferența de cont -"Difference Account must be a 'Liability' type account, since this Stock Reconciliation is an Opening Entry","Diferență de cont trebuie să fie un cont de tip ""Răspunderea"", deoarece acest Stock Reconcilierea este o intrare de deschidere" -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.,Diferit UOM pentru un produs va duce la incorect (Total) Net valoare greutate. Asigurați-vă că greutatea netă a fiecărui element este în același UOM. -Direct Expenses,Cheltuieli directe -Direct Income,Venituri directe -Disable,Dezactivați -Disable Rounded Total,Dezactivați rotunjite total -Disabled,Invalid -Discount %,Discount% -Discount %,Discount% -Discount (%),Discount (%) -Discount Amount,Discount Suma -"Discount Fields will be available in Purchase Order, Purchase Receipt, Purchase Invoice","Discount Fields va fi disponibil în cumparare Ordine, Primirea de cumparare, cumparare factura" -Discount Percentage,Procentul de reducere -Discount must be less than 100,Reducere trebuie să fie mai mică de 100 -Discount(%),Discount (%) -Dispatch,Expedierea -Display all the individual items delivered with the main items,Afișa toate elementele individuale livrate cu elementele principale -Distribute transport overhead across items.,Distribui aeriene de transport pe obiecte. -Distribution,Distribuire -Distribution Id,Id-ul de distribuție -Distribution Name,Distribuție Nume -Distributor,Distribuitor -Divorced,Divorțat -Do Not Contact,Nu de contact -Do not show any symbol like $ etc next to currencies.,Nu prezintă nici un simbol de genul $ etc alături de valute. +Deductions,공제 +Default,기본값 +Default Account,기본 합계좌 +Default Address Template cannot be deleted,기본 주소 템플릿을 삭제할 수 없습니다 +Default Amount,기본 금액 +Default BOM,기본 BOM +Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,이 모드를 선택하면 기본 은행 / 현금 계정은 자동으로 POS 송장에 업데이트됩니다. +Default Bank Account,기본 은행 계좌 +Default Buying Cost Center,기본 구매 비용 센터 +Default Buying Price List,기본 구매 가격 목록 +Default Cash Account,기본 현금 계정 +Default Company,기본 회사 +Default Currency,기본 통화 +Default Customer Group,기본 고객 그룹 +Default Expense Account,기본 비용 계정 +Default Income Account,기본 소득 계정 +Default Item Group,기본 항목 그룹 +Default Price List,기본 가격리스트 +Default Purchase Account in which cost of the item will be debited.,항목의 비용이 청구됩니다되는 기본 구매 계정. +Default Selling Cost Center,기본 판매 비용 센터 +Default Settings,기본 설정 +Default Source Warehouse,기본 소스 창고 +Default Stock UOM,기본 주식 UOM +Default Supplier,기본 공급 업체 +Default Supplier Type,기본 공급자 유형 +Default Target Warehouse,기본 대상 창고 +Default Territory,기본 지역 +Default Unit of Measure,측정의 기본 단위 +"Default Unit of Measure can not be changed directly because you have already made some transaction(s) with another UOM. To change default UOM, use 'UOM Replace Utility' tool under Stock module.",이미 다른 UOM으로 일부 거래 (들)을 만들어 때문에 측정의 기본 단위는 직접 변경할 수 없습니다. 기본 UOM을 변경하려면 재고 모듈에서 'UOM 유틸리티 바꾸기 도구를 사용합니다. +Default Valuation Method,기본 평가 방법 +Default Warehouse,기본 창고 +Default Warehouse is mandatory for stock Item.,기본 창고 재고 상품에 대한 필수입니다. +Default settings for accounting transactions.,회계 거래의 기본 설정. +Default settings for buying transactions.,트랜잭션을 구입을위한 기본 설정. +Default settings for selling transactions.,트랜잭션을 판매의 기본 설정. +Default settings for stock transactions.,주식 거래의 기본 설정. +Defense,방어 +"Define Budget for this Cost Center. To set budget action, see Company Master","이 비용 센터에 예산을 정의합니다.예산 조치를 설정하려면 HREF <참조 = ""#!목록 / 회사 ""> 회사 마스터 " +Del,델 +Delete,삭제 +Delete {0} {1}?,삭제 {0} {1}? +Delivered,배달 +Delivered Items To Be Billed,청구에 전달 항목 +Delivered Qty,납품 수량 +Delivered Serial No {0} cannot be deleted,배달 시리얼 번호 {0} 삭제할 수 없습니다 +Delivery Date,* 인수일 +Delivery Details,납품 세부 사항 +Delivery Document No,납품 문서 없음 +Delivery Document Type,납품 문서 형식 +Delivery Note,상품 수령증 +Delivery Note Item,배송 참고 항목 +Delivery Note Items,배송 참고 항목 +Delivery Note Message,납품서 메시지 +Delivery Note No,납품서 없음 +Delivery Note Required,배송 참고 필요한 +Delivery Note Trends,배송 참고 동향 +Delivery Note {0} is not submitted,배송 참고 {0} 제출되지 +Delivery Note {0} must not be submitted,배송 참고 {0} 제출하지 않아야합니다 +Delivery Notes {0} must be cancelled before cancelling this Sales Order,배달 노트는 {0}이 판매 주문을 취소하기 전에 취소해야합니다 +Delivery Status,배달 상태 +Delivery Time,배달 시간 +Delivery To,에 배달 +Department,부서 +Department Stores,백화점 +Depends on LWP,LWP에 따라 달라집니다 +Depreciation,감가 상각 +Description,기술 +Description HTML,설명 HTML +Designation,Designation +Designer,디자이너 +Detailed Breakup of the totals,합계의 자세한 해체 +Details,세부 정보 +Difference (Dr - Cr),차이 (박사 - 크롬) +Difference Account,차이 계정 +"Difference Account must be a 'Liability' type account, since this Stock Reconciliation is an Opening Entry",이 재고 조정이 오프닝 입장이기 때문에 차이 계정은 '책임'유형의 계정이어야합니다 +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에 있는지 확인하십시오. +Direct Expenses,직접 비용 +Direct Income,직접 수입 +Disable,사용 안함 +Disable Rounded Total,둥근 전체에게 사용 안 함 +Disabled,사용 안함 +Discount %,할인 % +Discount %,할인 % +Discount (%),할인 (%) +Discount Amount,할인 금액 +"Discount Fields will be available in Purchase Order, Purchase Receipt, Purchase Invoice","할인 필드는 구매 주문, 구입 영수증, 구매 송장에 사용할 수" +Discount Percentage,할인 비율 +Discount Percentage can be applied either against a Price List or for all Price List.,할인 비율은 가격 목록에 대해 또는 전체 가격 목록에 하나를 적용 할 수 있습니다. +Discount must be less than 100,할인 100 미만이어야합니다 +Discount(%),할인 (%) +Dispatch,파견 +Display all the individual items delivered with the main items,주요 항목과 함께 제공 모든 개별 항목을 표시 +Distribute transport overhead across items.,항목에 걸쳐 전송 오버 헤드를 배포합니다. +Distribution,유통 +Distribution Id,배신 ID +Distribution Name,배포 이름 +Distributor,분배 자 +Divorced,이혼 +Do Not Contact,연락하지 말라 +Do not show any symbol like $ etc next to currencies.,다음 통화 $ 등과 같은 모든 기호를 표시하지 마십시오. Do really want to unstop production order: , Do you really want to STOP , -Do you really want to STOP this Material Request?,Chiar vrei pentru a opri această cerere Material? -Do you really want to Submit all Salary Slip for month {0} and year {1},Chiar vrei să prezinte toate Slip Salariul pentru luna {0} și {1 an} +Do you really want to STOP this Material Request?,당신은 정말이 자료 요청을 중지 하시겠습니까? +Do you really want to Submit all Salary Slip for month {0} and year {1},당신은 정말 {0}과 {1} 년 달에 대한 모든 급여 슬립 제출 하시겠습니까 Do you really want to UNSTOP , -Do you really want to UNSTOP this Material Request?,Chiar vrei să unstop această cerere Material? +Do you really want to UNSTOP this Material Request?,당신은 정말이 자료 요청을 멈추지 하시겠습니까? Do you really want to stop production order: , -Doc Name,Doc Nume -Doc Type,Doc Tip -Document Description,Document Descriere -Document Type,Tip de document -Documents,Documente -Domain,Domeniu -Don't send Employee Birthday Reminders,Nu trimiteți Angajat Data nasterii Memento -Download Materials Required,Descărcați Materiale necesare -Download Reconcilation Data,Descărcați reconcilierii datelor -Download Template,Descărcați Format -Download a report containing all raw materials with their latest inventory status,Descărca un raport care conține toate materiile prime cu statutul lor ultimul inventar -"Download the Template, fill appropriate data and attach the modified file.","Descărcați șablonul, umple de date corespunzătoare și atașați fișierul modificat." +Doc Name,문서의 이름 +Doc Type,문서 유형 +Document Description,문서 설명 +Document Type,문서 형식 +Documents,서류 +Domain,도메인 +Don't send Employee Birthday Reminders,직원 생일 알림을 보내지 마십시오 +Download Materials Required,필요한 재료 다운로드하십시오 +Download Reconcilation Data,Reconcilation 데이터 다운로드하십시오 +Download Template,다운로드 템플릿 +Download a report containing all raw materials with their latest inventory status,그들의 최신의 재고 상황에 따라 모든 원료가 포함 된 보고서를 다운로드 +"Download the Template, fill appropriate data and attach the modified file.","템플릿을 다운로드, 적절한 데이터를 작성하고 수정 된 파일을 첨부합니다." "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. \ NTot data și combinație de angajat în perioada selectată va veni în șablon, cu înregistrări de prezență existente" -Draft,Ciornă -Dropbox,Dropbox -Dropbox Access Allowed,Dropbox de acces permise -Dropbox Access Key,Dropbox Access Key -Dropbox Access Secret,Dropbox Access Secret -Due Date,Datorită Data -Due Date cannot be after {0},Datorită Data nu poate fi după {0} -Due Date cannot be before Posting Date,Datorită Data nu poate fi înainte de a posta Data -Duplicate Entry. Please check Authorization Rule {0},Duplicat de intrare. Vă rugăm să verificați de autorizare Regula {0} -Duplicate Serial No entered for Item {0},Duplicat de ordine introduse pentru postul {0} -Duplicate entry,Duplicat de intrare -Duplicate row {0} with same {1},Duplicate rând {0} cu aceeași {1} -Duties and Taxes,Impozite și taxe -ERPNext Setup,ERPNext Setup -Earliest,Mai devreme -Earnest Money,Bani Earnest -Earning,Câștigul salarial -Earning & Deduction,Câștigul salarial & Deducerea -Earning Type,Câștigul salarial Tip +All dates and employee combination in the selected period will come in the template, with existing attendance records","템플릿을 다운로드, 적절한 데이터를 작성하고 수정 된 파일을 첨부합니다. + 선택한 기간의 모든 날짜와 직원의 조합은 기존의 출석 기록과 함께, 템플릿에 올 것이다" +Draft,초안 +Dropbox,드롭박스 +Dropbox Access Allowed,허용 보관 용 액세스 +Dropbox Access Key,보관 용 액세스 키 +Dropbox Access Secret,보관 용 액세스 비밀 +Due Date,마감일 +Due Date cannot be after {0},때문에 날짜가 없습니다 {0} +Due Date cannot be before Posting Date,기한 날짜를 게시하기 전에 할 수 없습니다 +Duplicate Entry. Please check Authorization Rule {0},중복 입력입니다..권한 부여 규칙을 확인하시기 바랍니다 {0} +Duplicate Serial No entered for Item {0},중복 된 일련 번호는 항목에 대해 입력 {0} +Duplicate entry,항목을 중복 +Duplicate row {0} with same {1},중복 행 {0}과 같은 {1} +Duties and Taxes,관세 및 세금 +ERPNext Setup,ERPNext 설치 +Earliest,처음 +Earnest Money,계약금 +Earning,적립 +Earning & Deduction,적립 및 공제 +Earning Type,유형 적립 Earning1,Earning1 -Edit,Editare -Education,Educație -Educational Qualification,Calificare de învățământ -Educational Qualification Details,De învățământ de calificare Detalii -Eg. smsgateway.com/api/send_sms.cgi,De exemplu. smsgateway.com / API / send_sms.cgi -Either debit or credit amount is required for {0},"Este necesar, fie de debit sau de credit pentru suma de {0}" -Either target qty or target amount is mandatory,Fie cantitate țintă sau valoarea țintă este obligatorie -Either target qty or target amount is mandatory.,Fie cantitate țintă sau valoarea țintă este obligatorie. -Electrical,Din punct de vedere electric -Electricity Cost,Costul energiei electrice -Electricity cost per hour,Costul de energie electrică pe oră -Electronics,Electronică -Email,E-mail -Email Digest,Email Digest -Email Digest Settings,E-mail Settings Digest +Edit,편집 +Edu. Cess on Excise,에듀.소비세에 운 +Edu. Cess on Service Tax,에듀.서비스 세금에 운 +Edu. Cess on TDS,에듀.TDS에 운 +Education,교육 +Educational Qualification,교육 자격 +Educational Qualification Details,교육 자격 세부 사항 +Eg. smsgateway.com/api/send_sms.cgi,예. smsgateway.com / API / send_sms.cgi +Either debit or credit amount is required for {0},직불 카드 또는 신용 금액 중 하나가 필요합니다 {0} +Either target qty or target amount is mandatory,목표 수량 또는 목표량 하나는 필수입니다 +Either target qty or target amount is mandatory.,목표 수량 또는 목표량 하나는 필수입니다. +Electrical,전기의 +Electricity Cost,전기 비용 +Electricity cost per hour,시간 당 전기 요금 +Electronics,전자 공학 +Email,이메일 +Email Digest,이메일 다이제스트 +Email Digest Settings,알림 이메일 설정 Email Digest: , -Email Id,E-mail Id-ul -"Email Id where a job applicant will email e.g. ""jobs@example.com""","E-mail Id-ul în cazul în care un solicitant de loc de muncă va trimite un email de exemplu ""jobs@example.com""" -Email Notifications,Notificări e-mail -Email Sent?,E-mail trimis? -"Email id must be unique, already exists for {0}","E-mail id trebuie să fie unic, există deja pentru {0}" -Email ids separated by commas.,ID-uri de e-mail separate prin virgule. -"Email settings to extract Leads from sales email id e.g. ""sales@example.com""","Setările de e-mail pentru a extrage de afaceri din vânzările de e-mail id-ul de exemplu, ""sales@example.com""" -Emergency Contact,De urgență Contact -Emergency Contact Details,Detalii de contact de urgență -Emergency Phone,Telefon de urgență -Employee,Angajat -Employee Birthday,Angajat de naștere -Employee Details,Detalii angajaților -Employee Education,Angajat Educație -Employee External Work History,Angajat Istoricul lucrului extern -Employee Information,Informații angajat -Employee Internal Work History,Angajat Istoricul lucrului intern -Employee Internal Work Historys,Angajat intern de lucru Historys -Employee Leave Approver,Angajat concediu aprobator -Employee Leave Balance,Angajat concediu Balance -Employee Name,Nume angajat -Employee Number,Numar angajat -Employee Records to be created by,Angajaților Records a fi create prin -Employee Settings,Setări angajaților -Employee Type,Tipul angajatului -"Employee designation (e.g. CEO, Director etc.).","Desemnarea angajat (de exemplu, CEO, director, etc)." -Employee master.,Maestru angajat. +Email Id,이메일 아이디 +"Email Id where a job applicant will email e.g. ""jobs@example.com""","작업 신청자가 보내드립니다 이메일 ID 예를 들면 ""jobs@example.com""" +Email Notifications,전자 메일 알림 +Email Sent?,이메일 전송? +"Email id must be unique, already exists for {0}","이메일 ID가 고유해야합니다, 이미 존재 {0}" +Email ids separated by commas.,이메일 ID를 쉼표로 구분. +"Email settings to extract Leads from sales email id e.g. ""sales@example.com""","판매 이메일 ID의 예를 들어 ""sales@example.com""에서 리드를 추출하는 전자 메일 설정" +Emergency Contact,비상 연락처 +Emergency Contact Details,비상 연락처 세부 정보 +Emergency Phone,긴급 전화 +Employee,종업원 +Employee Birthday,직원 생일 +Employee Details,직원의 자세한 사항 +Employee Education,직원 교육 +Employee External Work History,직원 외부 일 역사 +Employee Information,직원 정보 +Employee Internal Work History,직원 내부 작업 기록 +Employee Internal Work Historys,직원 내부 작업 Historys +Employee Leave Approver,직원 허가 승인자 +Employee Leave Balance,직원 허가 밸런스 +Employee Name,직원 이름 +Employee Number,직원 수 +Employee Records to be created by,직원 기록에 의해 생성되는 +Employee Settings,직원 설정 +Employee Type,직원 유형 +"Employee designation (e.g. CEO, Director etc.).","직원 지정 (예 : CEO, 이사 등)." +Employee master.,직원 마스터. Employee record is created using selected field. , -Employee records.,Înregistrările angajaților. -Employee relieved on {0} must be set as 'Left',"Angajat eliberat pe {0} trebuie să fie setat ca ""stânga""" -Employee {0} has already applied for {1} between {2} and {3},Angajat {0} a aplicat deja pentru {1} între {2} și {3} -Employee {0} is not active or does not exist,Angajat {0} nu este activ sau nu există -Employee {0} was on leave on {1}. Cannot mark attendance.,Angajat {0} a fost în concediu pe {1}. Nu se poate marca prezență. -Employees Email Id,Angajați mail Id-ul -Employment Details,Detalii ocuparea forței de muncă -Employment Type,Tipul de angajare -Enable / disable currencies.,Activarea / dezactivarea valute. -Enabled,Activat -Encashment Date,Data încasare -End Date,Data de încheiere -End Date can not be less than Start Date,Data de încheiere nu poate fi mai mic de Data de începere -End date of current invoice's period,Data de încheiere a perioadei facturii curente -End of Life,End of Life -Energy,Energie. -Engineer,Proiectarea -Enter Verification Code,Introduceti codul de verificare -Enter campaign name if the source of lead is campaign.,Introduceți numele campaniei în cazul în care sursa de plumb este de campanie. -Enter department to which this Contact belongs,Introduceti departamentul din care face parte acest contact -Enter designation of this Contact,Introduceți desemnarea acestui Contact -"Enter email id separated by commas, invoice will be mailed automatically on particular date","Introduceți ID-ul de e-mail separate prin virgule, factura va fi trimis prin poștă în mod automat la anumită dată" -Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,Introduce elemente și cantitate planificată pentru care doriți să ridice comenzi de producție sau descărcare materii prime pentru analiză. -Enter name of campaign if source of enquiry is campaign,"Introduceți numele de campanie, dacă sursa de anchetă este de campanie" -"Enter static url parameters here (Eg. sender=ERPNext, username=ERPNext, password=1234 etc.)","Introduceți parametrii url statice aici (de exemplu, expeditor = ERPNext, numele de utilizator = ERPNext, parola = 1,234, etc)" -Enter the company name under which Account Head will be created for this Supplier,Introduceți numele companiei sub care Account Director va fi creat pentru această Furnizor -Enter url parameter for message,Introduceți parametru url pentru mesaj -Enter url parameter for receiver nos,Introduceți parametru url pentru receptor nos -Entertainment & Leisure,Entertainment & Leisure -Entertainment Expenses,Cheltuieli de divertisment -Entries,Intrări -Entries against,Intrări împotriva -Entries are not allowed against this Fiscal Year if the year is closed.,"Lucrările nu sunt permise în acest an fiscal, dacă anul este închis." -Entries before {0} are frozen,Intrări înainte de {0} sunt înghețate -Equity,Echitate -Error: {0} > {1},Eroare: {0}> {1} -Estimated Material Cost,Costul estimat Material -Everyone can read,Oricine poate citi +Employee records.,직원 기록. +Employee relieved on {0} must be set as 'Left',{0}에 안심 직원은 '왼쪽'으로 설정해야합니다 +Employee {0} has already applied for {1} between {2} and {3},직원 {0}이 (가) 이미 사이에 {1}를 신청했다 {2}와 {3} +Employee {0} is not active or does not exist,직원 {0} 활성화되지 않거나 존재하지 않습니다 +Employee {0} was on leave on {1}. Cannot mark attendance.,직원은 {0} {1}에 휴가를했다.출석을 표시 할 수 없습니다. +Employees Email Id,직원 이드 이메일 +Employment Details,고용 세부 사항 +Employment Type,고용 유형 +Enable / disable currencies.,/ 비활성화 통화를 사용합니다. +Enabled,사용 +Encashment Date,현금화 날짜 +End Date,끝 날짜 +End Date can not be less than Start Date,종료 날짜는 시작 날짜보다 작을 수 없습니다 +End date of current invoice's period,현재 송장의 기간의 종료 날짜 +End of Life,수명 종료 +Energy,에너지 +Engineer,기사 +Enter Verification Code,인증 코드에게 입력 +Enter campaign name if the source of lead is campaign.,리드의 소스 캠페인 경우 캠페인 이름을 입력합니다. +Enter department to which this Contact belongs,이 연락처가 속한 부서를 입력 +Enter designation of this Contact,이 연락처의 지정을 입력 +"Enter email id separated by commas, invoice will be mailed automatically on particular date","쉼표로 구분 된 전자 메일 ID를 입력, 송장은 특정 날짜에 자동으로 발송됩니다" +Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,당신이 생산 주문을 올리거나 분석을위한 원시 자료를 다운로드하고자하는 항목 및 계획 수량을 입력합니다. +Enter name of campaign if source of enquiry is campaign,메시지의 소스 캠페인 경우 캠페인의 이름을 입력 +"Enter static url parameters here (Eg. sender=ERPNext, username=ERPNext, password=1234 etc.)","여기에 정적 URL 매개 변수를 입력합니다 (예 : 보낸 사람 = ERPNext, 사용자 이름 = ERPNext, 암호 = 1234 등)" +Enter the company name under which Account Head will be created for this Supplier,머리를 어느 계정에서 회사 이름을 입력이 업체 생성됩니다 +Enter url parameter for message,메시지의 URL 매개 변수를 입력 +Enter url parameter for receiver nos,수신기 NOS에 대한 URL 매개 변수를 입력 +Entertainment & Leisure,엔터테인먼트 & 레저 +Entertainment Expenses,접대비 +Entries,항목 +Entries against , +Entries are not allowed against this Fiscal Year if the year is closed.,올해가 닫혀있는 경우 항목이 회계 연도에 허용되지 않습니다. +Equity,공평 +Error: {0} > {1},오류 : {0}> {1} +Estimated Material Cost,예상 재료비 +"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","우선 순위가 가장 높은 가격에 여러 규칙이있는 경우에도, 그 다음 다음 내부의 우선 순위가 적용됩니다" +Everyone can read,모든 사람이 읽을 수 있습니다 "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.","Exemplu:. ABCD # # # # # \ nDacă serie este setat și nu de serie nu este menționat în tranzacții, atunci numărul de automate de serie va fi creat pe baza acestei serii. Dacă vrei mereu să menționeze în mod explicit de serie nr pentru acest articol. părăsi acest gol." -Exchange Rate,Rata de schimb -Excise Page Number,Numărul de accize Page -Excise Voucher,Accize Voucher -Execution,Detalii de fabricaţie -Executive Search,Executive Search -Exemption Limit,Limita de scutire -Exhibition,Expoziție -Existing Customer,Client existent -Exit,Ieșire -Exit Interview Details,Detalii ieșire Interviu -Expected,Preconizează -Expected Completion Date can not be less than Project Start Date,Așteptat Finalizarea Data nu poate fi mai mică de proiect Data de începere -Expected Date cannot be before Material Request Date,Data așteptat nu poate fi înainte Material Cerere Data -Expected Delivery Date,Așteptat Data de livrare -Expected Delivery Date cannot be before Purchase Order Date,Așteptat Data de livrare nu poate fi înainte de Comandă Data -Expected Delivery Date cannot be before Sales Order Date,Așteptat Data de livrare nu poate fi înainte de comandă de vânzări Data -Expected End Date,Așteptat Data de încheiere -Expected Start Date,Data de începere așteptată -Expense,cheltuială -Expense Account,Decont -Expense Account is mandatory,Contul de cheltuieli este obligatorie -Expense Claim,Cheltuieli de revendicare -Expense Claim Approved,Cheltuieli de revendicare Aprobat -Expense Claim Approved Message,Mesajul Expense Cerere aprobată -Expense Claim Detail,Cheltuieli de revendicare Detaliu -Expense Claim Details,Detalii cheltuială revendicare -Expense Claim Rejected,Cheltuieli de revendicare Respins -Expense Claim Rejected Message,Mesajul Expense Cerere Respins -Expense Claim Type,Cheltuieli de revendicare Tip -Expense Claim has been approved.,Cheltuieli de revendicare a fost aprobat. -Expense Claim has been rejected.,Cheltuieli de revendicare a fost respinsă. -Expense Claim is pending approval. Only the Expense Approver can update status.,Cheltuieli de revendicare este în curs de aprobare. Doar aprobator cheltuieli pot actualiza status. -Expense Date,Cheltuială Data -Expense Details,Detalii de cheltuieli -Expense Head,Cheltuială cap -Expense account is mandatory for item {0},Cont de cheltuieli este obligatorie pentru element {0} -Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,"Cheltuială sau Diferența cont este obligatorie pentru postul {0}, deoarece impactul valoare totală de stoc" -Expenses,Cheltuieli -Expenses Booked,Cheltuieli rezervare -Expenses Included In Valuation,Cheltuieli incluse în evaluare -Expenses booked for the digest period,Cheltuieli rezervat pentru perioada Digest -Expiry Date,Data expirării -Exports,Exporturile -External,Extern -Extract Emails,Extrage poștă electronică -FCFS Rate,FCFS Rate +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 # # # # # + 일련 설정되고 시리얼 No가 트랜잭션에 언급되지 않은 경우, 자동으로 일련 번호가이 시리즈에 기초하여 생성 될 것이다.당신은 항상 명시 적으로이 항목에 대한 일련 NOS를 언급합니다. 이 비워 둡니다." +Exchange Rate,환율 +Excise Duty 10,소비세 (10) +Excise Duty 14,소비세 14 +Excise Duty 4,소비세 4 +Excise Duty 8,소비세 8 +Excise Duty @ 10,10 @ 소비세 +Excise Duty @ 14,14 @ 소비세 +Excise Duty @ 4,4 @ 소비세 +Excise Duty @ 8,8 @ 소비세 +Excise Duty Edu Cess 2,소비세 의무 에듀 CESS 2 +Excise Duty SHE Cess 1,소비세 의무 SHE CESS 1 +Excise Page Number,소비세의 페이지 번호 +Excise Voucher,소비세 바우처 +Execution,실행 +Executive Search,대표 조사 +Exemption Limit,면제 한도 +Exhibition,전시회 +Existing Customer,기존 고객 +Exit,닫기 +Exit Interview Details,출구 인터뷰의 자세한 사항 +Expected,예상 +Expected Completion Date can not be less than Project Start Date,예상 완료 날짜 프로젝트 시작 날짜보다 작을 수 없습니다 +Expected Date cannot be before Material Request Date,예상 날짜 자료 요청 날짜 이전 할 수 없습니다 +Expected Delivery Date,예상 배송 날짜 +Expected Delivery Date cannot be before Purchase Order Date,예상 배송 날짜는 구매 주문 날짜 전에 할 수 없습니다 +Expected Delivery Date cannot be before Sales Order Date,예상 배달 날짜 이전에 판매 주문 날짜가 될 수 없습니다 +Expected End Date,예상 종료 날짜 +Expected Start Date,예상 시작 날짜 +Expense,지출 +Expense / Difference account ({0}) must be a 'Profit or Loss' account,비용 / 차이 계정 ({0})의 이익 또는 손실 '계정이어야합니다 +Expense Account,비용 계정 +Expense Account is mandatory,비용 계정이 필수입니다 +Expense Claim,비용 청구 +Expense Claim Approved,비용 청구 승인 +Expense Claim Approved Message,경비 청구서 승인 메시지 +Expense Claim Detail,비용 청구 상세 정보 +Expense Claim Details,비용 청구 상세 정보 +Expense Claim Rejected,비용 청구는 거부 +Expense Claim Rejected Message,비용 청구 거부 메시지 +Expense Claim Type,비용 청구 유형 +Expense Claim has been approved.,경비 요청이 승인되었습니다. +Expense Claim has been rejected.,경비 요청이 거부되었습니다. +Expense Claim is pending approval. Only the Expense Approver can update status.,비용 청구가 승인 대기 중입니다.만 비용 승인자 상태를 업데이트 할 수 있습니다. +Expense Date,비용 날짜 +Expense Details,비용 세부 정보 +Expense Head,비용 헤드 +Expense account is mandatory for item {0},비용 계정 항목에 대한 필수 {0} +Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,비용이나 차이 계정은 필수 항목에 대한 {0}에 영향을 미치기 전체 주식 가치로 +Expenses,지출 +Expenses Booked,예약 비용 +Expenses Included In Valuation,비용은 평가에 포함 +Expenses booked for the digest period,다이제스트 기간 동안 예약 비용 +Expiry Date,유효 기간 +Exports,수출 +External,외부 +Extract Emails,이메일을 추출 +FCFS Rate,FCFS 평가 Failed: , -Family Background,Context familie -Fax,Fax -Features Setup,Caracteristici de configurare -Feed,Hrănirea / Încărcarea / Alimentarea / Aprovizionarea / Furnizarea -Feed Type,Tip de alimentare -Feedback,Feedback -Female,Feminin -Fetch exploded BOM (including sub-assemblies),Fetch BOM a explodat (inclusiv subansamble) -"Field available in Delivery Note, Quotation, Sales Invoice, Sales Order","Câmp disponibil în nota de livrare, cotatie, Factura Vanzare, comandă de vânzări" -Files Folder ID,Files Folder ID -Fill the form and save it,Completați formularul și să-l salvați -Filter based on customer,Filtru bazat pe client -Filter based on item,Filtru conform punctului -Financial / accounting year.,An financiar / contabil. -Financial Analytics,Analytics financiare -Financial Services,Servicii Financiare -Financial Year End Date,Anul financiar Data de încheiere -Financial Year Start Date,Anul financiar Data începerii -Finished Goods,Produse finite -First Name,Prenume -First Responded On,Primul răspuns la -Fiscal Year,Exercițiu financiar -Fixed Asset,Activelor fixe -Fixed Assets,Mijloace Fixe -Follow via Email,Urmați prin e-mail -"Following table will show values if items are sub - contracted. These values will be fetched from the master of ""Bill of Materials"" of sub - contracted items.","Tabelul de mai jos va arata valori în cazul în care elementele sunt sub - contractate. Aceste valori vor fi preluat de la maestru de ""Bill of Materials"" de sub - contractate elemente." -Food,Alimente -"Food, Beverage & Tobacco","Produse alimentare, bauturi si tutun" -For Company,Pentru companie -For Employee,Pentru Angajat -For Employee Name,Pentru numele angajatului -For Price List,Pentru lista de preturi -For Production,Pentru producție -For Reference Only.,Numai pentru referință. -For Sales Invoice,Pentru Factura Vanzare -For Server Side Print Formats,Pentru formatele Print Server Side -For Supplier,De Furnizor -For Warehouse,Pentru Warehouse -For Warehouse is required before Submit,Pentru este necesară Warehouse înainte Trimite -"For e.g. 2012, 2012-13","De exemplu, 2012, 2012-13" -For reference,De referință -For reference only.,Pentru numai referință. -"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" -Fraction,Fracțiune -Fraction Units,Unități Fraction -Freeze Stock Entries,Freeze stoc Entries -Freeze Stocks Older Than [Days],Congelatoare Stocurile mai vechi de [zile] -Freight and Forwarding Charges,Marfă și de expediere Taxe -Friday,Vineri -From,Din data -From Bill of Materials,De la Bill de materiale -From Company,De la firma -From Currency,Din valutar -From Currency and To Currency cannot be same,Din valutar și a valutar nu poate fi același -From Customer,De la client -From Customer Issue,De la client Issue -From Date,De la data -From Date must be before To Date,De la data trebuie să fie înainte de a Dată -From Delivery Note,De la livrare Nota -From Employee,Din Angajat -From Lead,Din plumb -From Maintenance Schedule,Din Program de întreținere -From Material Request,Din Material Cerere -From Opportunity,De oportunitate -From Package No.,Din Pachetul Nu -From Purchase Order,De Comandă -From Purchase Receipt,Primirea de cumparare -From Quotation,Din ofertă -From Sales Order,De comandă de vânzări -From Supplier Quotation,Furnizor de ofertă -From Time,From Time -From Value,Din valoare -From and To dates required,De la și la termenul dorit -From value must be less than to value in row {0},De valoare trebuie să fie mai mică de valoare în rândul {0} -Frozen,Înghețat -Frozen Accounts Modifier,Congelate Conturi modificator -Fulfilled,Îndeplinite -Full Name,Numele complet -Full-time,Full-time -Fully Completed,Completata -Furniture and Fixture,Și mobilier -Further accounts can be made under Groups but entries can be made against Ledger,Conturile suplimentare pot fi făcute sub Grupa dar intrări pot fi făcute împotriva Ledger -"Further accounts can be made under Groups, but entries can be made against Ledger","Conturile suplimentare pot fi făcute în grupurile, dar înregistrări pot fi făcute împotriva Ledger" -Further nodes can be only created under 'Group' type nodes,"Noduri suplimentare pot fi create numai în noduri de tip ""grup""" -GL Entry,GL de intrare -Gantt Chart,Gantt Chart -Gantt chart of all tasks.,Diagrama Gantt a tuturor sarcinilor. -Gender,Sex -General,Generală -General Ledger,General Ledger -Generate Description HTML,Genera Descriere HTML -Generate Material Requests (MRP) and Production Orders.,Genera Cererile de materiale (MRP) și comenzi de producție. -Generate Salary Slips,Genera salariale Alunecările -Generate Schedule,Genera Program -Generates HTML to include selected image in the description,Genereaza HTML pentru a include imagini selectate în descrierea -Get Advances Paid,Ia avansurile plătite -Get Advances Received,Ia Avansuri primite -Get Against Entries,Ia împotriva Entries -Get Current Stock,Get Current Stock -Get Items,Ia Articole -Get Items From Sales Orders,Obține elemente din comenzi de vânzări -Get Items from BOM,Obține elemente din BOM -Get Last Purchase Rate,Ia Ultima Rate de cumparare -Get Outstanding Invoices,Ia restante Facturi -Get Relevant Entries,Ia intrările relevante -Get Sales Orders,Ia comenzi de vânzări -Get Specification Details,Ia Specificatii Detalii -Get Stock and Rate,Ia Stock și Rate -Get Template,Ia Format -Get Terms and Conditions,Ia Termeni și condiții -Get Weekly Off Dates,Ia săptămânal Off Perioada -"Get valuation rate and available stock at source/target warehouse on mentioned posting date-time. If serialized item, please press this button after entering serial nos.","Ia rata de evaluare și stocul disponibil la sursă / depozit țintă pe menționat detașarea data-timp. Dacă serializat element, vă rugăm să apăsați acest buton după ce a intrat nr de serie." -Global Defaults,Prestabilite la nivel mondial -Global POS Setting {0} already created for company {1},Setarea POS Global {0} deja creat pentru companie {1} -Global Settings,Setari Glob -"Go to the appropriate group (usually Application of Funds > Current Assets > Bank Accounts and create a new Account Ledger (by clicking on Add Child) of type ""Bank""","Du-te la grupul corespunzător (de obicei, de aplicare a fondurilor> activele circulante> conturi bancare și de a crea un nou cont Ledger (făcând clic pe Adăugați pentru copii) de tip ""Banca""" -"Go to the appropriate group (usually Source of Funds > Current Liabilities > Taxes and Duties and create a new Account Ledger (by clicking on Add Child) of type ""Tax"" and do mention the Tax rate.","Du-te la grupul corespunzător (de obicei, sursa de fonduri> pasivele curente> taxelor și impozitelor și a crea un nou cont Ledger (făcând clic pe Adăugați pentru copii) de tip ""fiscal"", și menționează rata de impozitare." -Goal,Scop -Goals,Obiectivele -Goods received from Suppliers.,Bunurile primite de la furnizori. -Google Drive,Google Drive -Google Drive Access Allowed,Google unitate de acces permise -Government,Guvern -Graduate,Absolvent -Grand Total,Total general -Grand Total (Company Currency),Total general (Compania de valuta) -"Grid ""","Grid """ -Grocery,Băcănie -Gross Margin %,Marja bruta% -Gross Margin Value,Valoarea brută Marja de -Gross Pay,Pay brut -Gross Pay + Arrear Amount +Encashment Amount - Total Deduction,Brut Suma de plată + restante Suma + încasări - Total Deducerea -Gross Profit,Profitul brut -Gross Profit (%),Profit brut (%) -Gross Weight,Greutate brut -Gross Weight UOM,Greutate brută UOM -Group,Grup -Group by Account,Grup de Cont -Group by Voucher,Grup de Voucher -Group or Ledger,Grup sau Ledger -Groups,Grupuri -HR Manager,Manager Resurse Umane -HR Settings,Setări HR -HTML / Banner that will show on the top of product list.,"HTML / Banner, care va arăta pe partea de sus a listei de produse." -Half Day,Jumătate de zi -Half Yearly,Semestrial -Half-yearly,Semestrial -Happy Birthday!,La multi ani! -Hardware,Hardware -Has Batch No,Are lot Nu -Has Child Node,Are Nod copii -Has Serial No,Are de ordine -Head of Marketing and Sales,Director de Marketing și Vânzări -Header,Antet -Health Care,Health -Health Concerns,Probleme de sanatate -Health Details,Sănătate Detalii -Held On,A avut loc pe -Help HTML,Ajutor HTML -"Help: To link to another record in the system, use ""#Form/Note/[Note Name]"" as the Link URL. (don't use ""http://"")","Ajutor: Pentru a lega la altă înregistrare în sistem, utilizați ""# Form / Note / [Nota Name]"" ca URL Link. (Nu folositi ""http://"")" -"Here you can maintain family details like name and occupation of parent, spouse and children","Aici vă puteți menține detalii de familie, cum ar fi numele și ocupația de mamă, soțul și copiii" -"Here you can maintain height, weight, allergies, medical concerns etc","Aici vă puteți menține inaltime, greutate, alergii, probleme medicale etc" -Hide Currency Symbol,Ascunde Valuta Simbol -High,Ridicată -History In Company,Istoric In companiei -Hold,Păstrarea / Ţinerea / Deţinerea -Holiday,Vacanță -Holiday List,Lista de vacanță -Holiday List Name,Denumire Lista de vacanță -Holiday master.,Maestru de vacanta. -Holidays,Concediu -Home,Acasă -Host,Găzduirea -"Host, Email and Password required if emails are to be pulled","Gazdă, e-mail și parola necesare în cazul în care e-mailuri să fie tras" -Hour,Oră -Hour Rate,Rate oră -Hour Rate Labour,Ora Rate de muncă -Hours,Ore -How frequently?,Cât de des? -"How should this currency be formatted? If not set, will use system defaults","Cum ar trebui să fie formatat aceasta moneda? Dacă nu setați, va folosi valorile implicite de sistem" -Human Resources,Managementul resurselor umane -Identification of the package for the delivery (for print),Identificarea pachetului de livrare (pentru imprimare) -If Income or Expense,În cazul în care venituri sau cheltuieli -If Monthly Budget Exceeded,Dacă bugetul lunar depășită -"If Sale BOM is defined, the actual BOM of the Pack is displayed as table. Available in Delivery Note and Sales Order","Dacă Vanzare BOM este definit, BOM efectivă a Pack este afișat ca masă. Disponibil în nota de livrare și comenzilor de vânzări" -"If Supplier Part Number exists for given Item, it gets stored here","În cazul în care există Number Furnizor parte pentru postul dat, ea este stocat aici" -If Yearly Budget Exceeded,Dacă bugetul anual depășită -"If checked, BOM for sub-assembly items will be considered for getting raw materials. Otherwise, all sub-assembly items will be treated as a raw material.","Dacă este bifată, BOM pentru un produs sub-asamblare vor fi luate în considerare pentru a obține materii prime. În caz contrar, toate elementele de sub-asamblare va fi tratată ca o materie primă." -"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Dacă este bifată, nu total. de zile de lucru va include concediu, iar acest lucru va reduce valoarea Salariul pe zi" -"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount","Dacă este bifată, suma taxei va fi considerată ca fiind deja incluse în Print Tarif / Print Suma" -If different than customer address,Dacă este diferită de adresa clientului -"If disable, 'Rounded Total' field will not be visible in any transaction","Dacă dezactivați, câmpul ""rotunjit Total"" nu vor fi vizibile in orice tranzacție" -"If enabled, the system will post accounting entries for inventory automatically.","Dacă este activat, sistemul va posta automat înregistrări contabile pentru inventar." -If more than one package of the same type (for print),În cazul în care mai mult de un pachet de același tip (de imprimare) -"If no change in either Quantity or Valuation Rate, leave the cell blank.","În cazul în care nici o schimbare în nici Cantitate sau Evaluează evaluare, lăsați necompletată celula." -If not applicable please enter: NA,"Dacă nu este cazul, vă rugăm să introduceți: NA" -"If not checked, the list will have to be added to each Department where it has to be applied.","Dacă nu verificat, lista trebuie să fie adăugate la fiecare Departament unde trebuie aplicată." -"If specified, send the newsletter using this email address","Daca este specificat, trimite newsletter-ul care utilizează această adresă e-mail" -"If the account is frozen, entries are allowed to restricted users.","În cazul în care contul este blocat, intrările li se permite utilizatorilor restricționate." -"If this Account represents a Customer, Supplier or Employee, set it here.","În cazul în care acest cont reprezintă un client, furnizor sau angajat, a stabilit aici." -If you follow Quality Inspection. Enables Item QA Required and QA No in Purchase Receipt,Dacă urmați Inspecție de calitate. Permite Articol QA obligatorii și de asigurare a calității nu în Primirea cumparare -If you have Sales Team and Sale Partners (Channel Partners) they can be tagged and maintain their contribution in the sales activity,"Dacă aveți echipa de vanzari si vandute Partners (parteneri), ele pot fi etichetate și menține contribuția lor la activitatea de vânzări" -"If you have created a standard template in Purchase Taxes and Charges Master, select one and click on the button below.","Dacă ați creat un model standard la taxele de cumpărare și de masterat taxe, selectați una și faceți clic pe butonul de mai jos." -"If you have created a standard template in Sales Taxes and Charges Master, select one and click on the button below.","Dacă ați creat un model standard la taxele de vânzare și de masterat taxe, selectați una și faceți clic pe butonul de mai jos." -"If you have long print formats, this feature can be used to split the page to be printed on multiple pages with all headers and footers on each page","Dacă aveți formate de imprimare lungi, această caracteristică poate fi folosit pentru a împărți pagina pentru a fi imprimate pe mai multe pagini, cu toate anteturile și subsolurile de pe fiecare pagină" -If you involve in manufacturing activity. Enables Item 'Is Manufactured',"Dacă vă implica în activitatea de producție. Permite Articol ""este fabricat""" -Ignore,Ignora +Family Background,가족 배경 +Fax,팩스 +Features Setup,기능 설정 +Feed,사육하기 +Feed Type,공급 유형 +Feedback,피드백 +Female,여성 +Fetch exploded BOM (including sub-assemblies),(서브 어셈블리 포함) 폭발 BOM 가져 오기 +"Field available in Delivery Note, Quotation, Sales Invoice, Sales Order","배달 참고, 견적, 판매 송장, 판매 주문에서 사용할 수있는 필드" +Files Folder ID,파일 폴더 ID +Fill the form and save it,양식을 작성하고 그것을 저장 +Filter based on customer,필터 고객에 따라 +Filter based on item,항목을 기준으로 필터링 +Financial / accounting year.,금융 / 회계 연도. +Financial Analytics,재무 분석 +Financial Services,금융 서비스 +Financial Year End Date,회계 연도 종료일 +Financial Year Start Date,회계 연도의 시작 날짜 +Finished Goods,완성품 +First Name,이름 +First Responded On,첫 번째에 반응했다 +Fiscal Year,회합계 연도 +Fiscal Year Start Date and Fiscal Year End Date are already set in Fiscal Year {0},회계 연도의 시작 날짜 및 회계 연도 종료 날짜가 이미 회계 연도에 설정되어 {0} +Fiscal Year Start Date and Fiscal Year End Date cannot be more than a year apart.,회계 연도 시작 날짜 및 회계 연도 종료 날짜가 떨어져 년 이상 할 수 없습니다. +Fiscal Year Start Date should not be greater than Fiscal Year End Date,회계 연도의 시작 날짜는 회계 연도 종료 날짜보다 크지 않아야한다 +Fixed Asset,고정 자산 +Fixed Assets,고정 자산 +Follow via Email,이메일을 통해 수행 +"Following table will show values if items are sub - contracted. These values will be fetched from the master of ""Bill of Materials"" of sub - contracted items.","항목 하위 경우 표를 수행하면 값을 표시합니다 - 계약.이 값은 하위의 ""재료 명세서 (BOM)""의 마스터에서 가져온 것입니다 - 상품 계약을 체결." +Food,음식 +"Food, Beverage & Tobacco","음식, 음료 및 담배" +"For 'Sales BOM' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Sales BOM' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","'판매 BOM'항목, 창고, 일련 번호 및 배치에 대한이 '포장 목록'테이블에서 고려 될 것입니다.창고 및 배치 없음은 '판매 BOM'항목에 대한 모든 포장 항목에 대해 동일한 경우,이 값은 기본 항목 테이블에 입력 할 수있는 값은 '포장 목록'테이블에 복사됩니다." +For Company,회사 +For Employee,직원에 대한 +For Employee Name,직원 이름에 +For Price List,가격 목록을 보려면 +For Production,생산 +For Reference Only.,참고 만하십시오. +For Sales Invoice,판매 송장 +For Server Side Print Formats,서버 측 인쇄 형식의 +For Supplier,공급 업체 +For Warehouse,웨어 하우스 +For Warehouse is required before Submit,창고가 필요한 내용은 이전에 제출 +"For e.g. 2012, 2012-13","예를 들어, 2012 년, 2012-13" +For reference,참고로 +For reference only.,참고하십시오. +"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","고객의 편의를 위해, 이러한 코드는 인보이스 배송 메모와 같은 인쇄 포맷으로 사용될 수있다" +Fraction,분수 +Fraction Units,분수 단위 +Freeze Stock Entries,동결 재고 항목 +Freeze Stocks Older Than [Days],고정 주식 이전보다 [일] +Freight and Forwarding Charges,화물 운송 및 포워딩 요금 +Friday,금요일 +From,로부터 +From Bill of Materials,재료 명세서 (BOM)에서 +From Company,회사에서 +From Currency,통화와 +From Currency and To Currency cannot be same,통화와 통화하는 방법은 동일 할 수 없습니다 +From Customer,고객의 +From Customer Issue,고객의 문제에서 +From Date,날짜 +From Date cannot be greater than To Date,날짜에서 날짜보다 클 수 없습니다 +From Date must be before To Date,날짜 누계 이전이어야합니다 +From Date should be within the Fiscal Year. Assuming From Date = {0},날짜에서 회계 연도 내에 있어야합니다.날짜 가정 = {0} +From Delivery Note,배달 주에서 +From Employee,직원에서 +From Lead,리드에서 +From Maintenance Schedule,유지 보수 일정에서 +From Material Request,자료 요청에서 +From Opportunity,기회에서 +From Package No.,패키지 번호에서 +From Purchase Order,구매 발주 +From Purchase Receipt,구매 영수증에서 +From Quotation,견적에서 +From Sales Order,판매 주문에서 +From Supplier Quotation,공급 업체의 견적에서 +From Time,시간에서 +From Value,값에서 +From and To dates required,일자 및 끝 +From value must be less than to value in row {0},값에서 행의 값보다 작아야합니다 {0} +Frozen,언 +Frozen Accounts Modifier,냉동 계정 수정 +Fulfilled,적용 +Full Name,전체 이름 +Full-time,전 시간 +Fully Billed,완전 청구 +Fully Completed,완전히 완료 +Fully Delivered,완전 배달 +Furniture and Fixture,가구 및 비품 +Further accounts can be made under Groups but entries can be made against Ledger,또한 계정은 그룹에서 할 수 있지만 항목이 원장에 대해 할 수있다 +"Further accounts can be made under Groups, but entries can be made against Ledger","또한 계정 그룹하에 제조 될 수 있지만, 항목은 원장에 대해 수행 될 수있다" +Further nodes can be only created under 'Group' type nodes,또한 노드는 '그룹'형태의 노드에서 생성 할 수 있습니다 +GL Entry,GL 등록 +Gantt Chart,Gantt 차트 +Gantt chart of all tasks.,모든 작업의 Gantt 차트. +Gender,성별 +General,일반 +General Ledger,원장 +Generate Description HTML,설명 HTML을 생성 +Generate Material Requests (MRP) and Production Orders.,자료 요청 (MRP) 및 생산 오더를 생성합니다. +Generate Salary Slips,급여 전표 생성 +Generate Schedule,일정을 생성 +Generates HTML to include selected image in the description,설명에 선택한 이미지를 포함하는 HTML을 생성합니다 +Get Advances Paid,진보는 돈을 받고 +Get Advances Received,진보는 수신 받기 +Get Current Stock,현재 주식을보세요 +Get Items,항목 가져 오기 +Get Items From Sales Orders,판매 주문에서 항목 가져 오기 +Get Items from BOM,BOM에서 항목 가져 오기 +Get Last Purchase Rate,마지막 구매께서는보세요 +Get Outstanding Invoices,미결제 인보이스를 얻을 +Get Relevant Entries,관련 항목을보세요 +Get Sales Orders,판매 주문을 받아보세요 +Get Specification Details,사양 세부 사항을 얻을 +Get Stock and Rate,주식 및 속도를 얻을 수 +Get Template,양식 구하기 +Get Terms and Conditions,약관을보세요 +Get Unreconciled Entries,비 조정 항목을보세요 +Get Weekly Off Dates,날짜 매주 하차 +"Get valuation rate and available stock at source/target warehouse on mentioned posting date-time. If serialized item, please press this button after entering serial nos.","언급 게시 날짜 시간에 소스 / 목표웨어 하우스에서 평가의 속도와 재고를 바로 확인해보세요.항목을 직렬화하는 경우, 시리얼 NOS를 입력 한 후,이 버튼을 누르십시오." +Global Defaults,글로벌 기본값 +Global POS Setting {0} already created for company {1},글로벌 POS 설정 {0}이 (가) 이미 위해 만든 회사 {1} +Global Settings,전역 설정 +"Go to the appropriate group (usually Application of Funds > Current Assets > Bank Accounts and create a new Account Ledger (by clicking on Add Child) of type ""Bank""","해당 그룹 (펀드 일반적으로 응용 프로그램> 유동 자산> 은행 계정으로 이동하여 ""은행에게""형식의 자식 추가를 클릭하여 새로운 계정 원장 ()를 작성" +"Go to the appropriate group (usually Source of Funds > Current Liabilities > Taxes and Duties and create a new Account Ledger (by clicking on Add Child) of type ""Tax"" and do mention the Tax rate.","해당 그룹 (기금의 보통 소스> 부채> 세금과 의무로 이동 유형 ""세금""의 원장 (클릭하여 어린이 추가) 새 계정을 생성하고 세율을 언급 않습니다." +Goal,골 +Goals,목표 +Goods received from Suppliers.,제품은 공급 업체에서 받았다. +Google Drive,구글 드라이브 +Google Drive Access Allowed,구글 드라이브 액세스가 허용 +Government,통치 체제 +Graduate,졸업생 +Grand Total,총 합계 +Grand Total (Company Currency),총계 (회사 통화) +"Grid ""","그리드 """ +Grocery,식료품 점 +Gross Margin %,매출 총 이익률의 % +Gross Margin Value,매출 총 이익률 값 +Gross Pay,총 지불 +Gross Pay + Arrear Amount +Encashment Amount - Total Deduction,총 급여 + 연체 금액 + 현금화 금액 - 총 공제 +Gross Profit,매출 총 이익 +Gross Profit (%),매출 총 이익 (%) +Gross Weight,총중량 +Gross Weight UOM,총중량 UOM +Group,그릅 +Group by Account,계정이 그룹 +Group by Voucher,바우처 그룹 +Group or Ledger,그룹 또는 원장 +Groups,그룹 +HR Manager,HR 관리자 +HR Settings,HR 설정 +HTML / Banner that will show on the top of product list.,제품 목록의 상단에 표시됩니다 HTML / 배너입니다. +Half Day,반나절 +Half Yearly,반년 +Half-yearly,반년마다 +Happy Birthday!,생일 축하해요! +Hardware,하드웨어 +Has Batch No,일괄 없음에게 있습니다 +Has Child Node,아이 노드에게 있습니다 +Has Serial No,시리얼 No에게 있습니다 +Head of Marketing and Sales,마케팅 및 영업 책임자 +Header,머리글 +Health Care,건강 관리 +Health Concerns,건강 문제 +Health Details,건강의 자세한 사항 +Held On,개최 +Help HTML,도움말 HTML +"Help: To link to another record in the system, use ""#Form/Note/[Note Name]"" as the Link URL. (don't use ""http://"")","도움말 : 시스템에서 다른 레코드에 링크는 ""# 양식 / 주 / [이름 참고]""링크 URL로 사용합니다. (에 ""http://""를 사용하지 않는다)" +"Here you can maintain family details like name and occupation of parent, spouse and children","여기에서 당신은 부모, 배우자와 자녀의 이름과 직업 등 가족 세부 사항을 유지 관리 할 수 있습니다" +"Here you can maintain height, weight, allergies, medical concerns etc","여기서 당신은 신장, 체중, 알레르기, 의료 문제 등 유지 관리 할 수 있습니다" +Hide Currency Symbol,통화 기호에게 숨기기 +High,높음 +History In Company,회사의 역사 +Hold,길게 누르기 +Holiday,휴일 +Holiday List,휴일 목록 +Holiday List Name,휴일 목록 이름 +Holiday master.,휴일 마스터. +Holidays,휴가 +Home,홈 +Host,호스트 +"Host, Email and Password required if emails are to be pulled","이메일을 당길 수있는 경우 호스트, 이메일과 비밀번호가 필요" +Hour,시간 +Hour Rate,시간 비율 +Hour Rate Labour,시간 요금 노동 +Hours,시간 +How Pricing Rule is applied?,어떻게 가격의 규칙이 적용됩니다? +How frequently?,얼마나 자주? +"How should this currency be formatted? If not set, will use system defaults","어떻게 통화를 포맷해야 하는가?설정하지 않은 경우, 시스템 기본값을 사용합니다" +Human Resources,인적 자원 +Identification of the package for the delivery (for print),(프린트) 전달을위한 패키지의 식별 +If Income or Expense,만약 소득 또는 비용 +If Monthly Budget Exceeded,월 예산을 초과하는 경우 +"If Sale BOM is defined, the actual BOM of the Pack is displayed as table. Available in Delivery Note and Sales Order","판매 BOM이 정의 된 경우, 팩의 실제 BOM은 테이블로 표시된다.배송 참고 및 판매 주문 가능" +"If Supplier Part Number exists for given Item, it gets stored here","공급 업체의 부품 번호가 지정된 항목이있는 경우, 그것은 여기에 저장됩니다" +If Yearly Budget Exceeded,연간 예산이 초과하는 경우 +"If checked, BOM for sub-assembly items will be considered for getting raw materials. Otherwise, all sub-assembly items will be treated as a raw material.","선택하면, 서브 어셈블리 항목에 대한 BOM은 원료를 얻기 위해 고려 될 것입니다.그렇지 않으면, 모든 서브 어셈블리 항목은 원료로 처리됩니다." +"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","이 옵션을 선택하면 총 없음. 작업 일의 휴일을 포함하며,이 급여 당 일의 가치를 감소시킬 것이다" +"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount",선택하면 이미 인쇄 속도 / 인쇄 금액에 포함되어있는 세액은 간주됩니다 +If different than customer address,만약 고객 주소와 다른 +"If disable, 'Rounded Total' field will not be visible in any transaction","사용하지 않으면, '둥근 총'이 필드는 모든 트랜잭션에서 볼 수 없습니다" +"If enabled, the system will post accounting entries for inventory automatically.","활성화되면, 시스템이 자동으로 재고에 대한 회계 항목을 게시 할 예정입니다." +If more than one package of the same type (for print),만약 (프린트) 동일한 유형의 하나 이상의 패키지 +"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","여러 가격의 규칙이 우선 계속되면, 사용자는 충돌을 해결하기 위해 수동으로 우선 순위를 설정하라는 메시지가 표시됩니다." +"If no change in either Quantity or Valuation Rate, leave the cell blank.","수량이나 평가 평가 하나의 변화는, 세포를 비워없는 경우." +If not applicable please enter: NA,적용 가능하지 않은 경우 입력 해주세요 NA +"If not checked, the list will have to be added to each Department where it has to be applied.","선택되지 않으면, 목록은인가되는 각 부서가 여기에 첨가되어야 할 것이다." +"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.","선택한 가격의 규칙이 '가격'을 위해 만든 경우, 가격 목록을 덮어 씁니다.가격 규칙 가격이 최종 가격이기 때문에, 더 이상 할인이 적용 될 수 없습니다.따라서, 판매 주문, 구매 주문 등과 같은 거래에서, 오히려 '가격리스트 평가'필드보다, '평가'분야에서 가져온 것입니다." +"If specified, send the newsletter using this email address","지정된 경우,이 이메일 주소를 사용하여 뉴스 레터를 보내" +"If the account is frozen, entries are allowed to restricted users.","계정이 동결 된 경우, 항목은 제한된 사용자에게 허용됩니다." +"If this Account represents a Customer, Supplier or Employee, set it here.","이 계정은 고객, 공급 업체 또는 직원을 나타내는 경우, 여기를 설정합니다." +"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","둘 이상의 가격 결정 규칙이 상기 조건에 기초하여 발견되는 경우, 우선 순위가 적용된다.기본 값이 0 (공백) 동안 우선 순위는 0-20 사이의 숫자입니다.숫자가 높을수록 동일한 조건으로 여러 가격의 규정이있는 경우는 우선 순위를 의미합니다." +If you follow Quality Inspection. Enables Item QA Required and QA No in Purchase Receipt,당신이 품질 검사를 수행합니다.아니 구매 영수증에 상품 QA 필수 및 QA를 활성화하지 +If you have Sales Team and Sale Partners (Channel Partners) they can be tagged and maintain their contribution in the sales activity,당신이 판매 팀 및 판매 파트너 (채널 파트너)가있는 경우 그들은 태그 및 영업 활동에 기여를 유지 할 수 있습니다 +"If you have created a standard template in Purchase Taxes and Charges Master, select one and click on the button below.","당신이 구매 세금과 요금 마스터에 표준 템플릿을 생성 한 경우, 하나를 선택하고 다음 버튼을 클릭합니다." +"If you have created a standard template in Sales Taxes and Charges Master, select one and click on the button below.","당신이 판매 세금 및 요금 마스터에 표준 템플릿을 생성 한 경우, 하나를 선택하고 다음 버튼을 클릭합니다." +"If you have long print formats, this feature can be used to split the page to be printed on multiple pages with all headers and footers on each page","당신이 긴 프린트 형식이있는 경우,이 기능은 각 페이지의 모든 머리글과 바닥 글과 함께 여러 페이지에 인쇄 할 페이지를 분할 할 수 있습니다" +If you involve in manufacturing activity. Enables Item 'Is Manufactured',당신이 생산 활동에 참여합니다.항목을 활성화는 '제조' +Ignore,무시 +Ignore Pricing Rule,가격 규칙을 무시 Ignored: , -Image,Imagine -Image View,Imagine Vizualizare -Implementation Partner,Partener de punere în aplicare -Import Attendance,Import Spectatori -Import Failed!,Import a eșuat! -Import Log,Import Conectare -Import Successful!,Importa cu succes! -Imports,Importurile -In Hours,În ore -In Process,În procesul de -In Qty,În Cantitate -In Value,În valoare -In Words,În cuvinte -In Words (Company Currency),În cuvinte (Compania valutar) -In Words (Export) will be visible once you save the Delivery Note.,În cuvinte (de export) va fi vizibil după ce a salva de livrare Nota. -In Words will be visible once you save the Delivery Note.,În cuvinte va fi vizibil după ce a salva de livrare Nota. -In Words will be visible once you save the Purchase Invoice.,În cuvinte va fi vizibil după ce salvați factura de cumpărare. -In Words will be visible once you save the Purchase Order.,În cuvinte va fi vizibil după ce a salva Ordinul de cumparare. -In Words will be visible once you save the Purchase Receipt.,În cuvinte va fi vizibil după ce a salva chitanța. -In Words will be visible once you save the Quotation.,În cuvinte va fi vizibil după ce salvați citat. -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ă. -In Words will be visible once you save the Sales Order.,În cuvinte va fi vizibil după ce a salva comanda de vânzări. -Incentives,Stimulente -Include Reconciled Entries,Includ intrările împăcat -Include holidays in Total no. of Working Days,Includ vacanțe în total nr. de zile lucrătoare -Income,Venit -Income / Expense,Venituri / cheltuieli -Income Account,Contul de venit -Income Booked,Venituri rezervat -Income Tax,Impozit pe venit -Income Year to Date,Venituri Anul curent -Income booked for the digest period,Venituri rezervat pentru perioada Digest -Incoming,Primite -Incoming Rate,Rate de intrare -Incoming quality inspection.,Control de calitate de intrare. -Incorrect or Inactive BOM {0} for Item {1} at row {2},Incorectă sau inactivă BOM {0} pentru postul {1} ​​la rând {2} -Indicates that the package is a part of this delivery,Indică faptul că pachetul este o parte din această livrare -Indirect Expenses,Cheltuieli indirecte -Indirect Income,Venituri indirecte -Individual,Individual -Industry,Industrie -Industry Type,Industrie Tip -Inspected By,Inspectat de -Inspection Criteria,Criteriile de inspecție -Inspection Required,Inspecție obligatorii -Inspection Type,Inspecție Tip -Installation Date,Data de instalare -Installation Note,Instalare Notă -Installation Note Item,Instalare Notă Postul -Installation Note {0} has already been submitted,Instalarea Nota {0} a fost deja prezentat -Installation Status,Starea de instalare -Installation Time,Timp de instalare -Installation date cannot be before delivery date for Item {0},Data de instalare nu poate fi înainte de data de livrare pentru postul {0} -Installation record for a Serial No.,Înregistrare de instalare pentru un nr de serie -Installed Qty,Instalat Cantitate -Instructions,Instrucţiuni -Integrate incoming support emails to Support Ticket,Integra e-mailuri de sprijin primite de suport de vânzare bilete -Interested,Interesat -Intern,Interna -Internal,Intern -Internet Publishing,Editura Internet -Introduction,Introducere -Invalid Barcode or Serial No,De coduri de bare de invalid sau de ordine -Invalid Mail Server. Please rectify and try again.,Server de mail invalid. Vă rugăm să rectifice și să încercați din nou. -Invalid Master Name,Maestru valabil Numele -Invalid User Name or Support Password. Please rectify and try again.,Nume utilizator invalid sau suport Parola. Vă rugăm să rectifice și să încercați din nou. -Invalid quantity specified for item {0}. Quantity should be greater than 0.,Cantitate nevalidă specificată pentru element {0}. Cantitatea ar trebui să fie mai mare decât 0. -Inventory,Inventarierea -Inventory & Support,Inventarul & Suport -Investment Banking,Investment Banking -Investments,Investiții -Invoice Date,Data facturii -Invoice Details,Factură Detalii -Invoice No,Factura Nu -Invoice Period From Date,Perioada factura la data -Invoice Period From and Invoice Period To dates mandatory for recurring invoice,Perioada factura la și facturilor perioadă la date obligatorii pentru facturi recurente -Invoice Period To Date,Perioada factură Pentru a Data -Invoiced Amount (Exculsive Tax),Facturate Suma (Exculsive Tax) -Is Active,Este activ -Is Advance,Este Advance -Is Cancelled,Este anulat -Is Carry Forward,Este Carry Forward -Is Default,Este Implicit -Is Encash,Este încasa -Is Fixed Asset Item,Este fixă ​​Asset Postul -Is LWP,Este LWP -Is Opening,Se deschide -Is Opening Entry,Deschiderea este de intrare -Is POS,Este POS -Is Primary Contact,Este primar Contact -Is Purchase Item,Este de cumparare Articol -Is Sales Item,Este produs de vânzări -Is Service Item,Este Serviciul Articol -Is Stock Item,Este Stock Articol -Is Sub Contracted Item,Este subcontractate Postul -Is Subcontracted,Este subcontractată -Is this Tax included in Basic Rate?,Este acest fiscală inclusă în rata de bază? -Issue,Problem -Issue Date,Data emiterii -Issue Details,Detalii emisiune -Issued Items Against Production Order,Emise Articole împotriva producției Ordine -It can also be used to create opening stock entries and to fix stock value.,Acesta poate fi de asemenea utilizat pentru a crea intrări de stocuri de deschidere și de a stabili o valoare de stoc. -Item,Obiect -Item Advanced,Articol avansate -Item Barcode,Element de coduri de bare -Item Batch Nos,Lot nr element -Item Code,Cod articol -Item Code and Warehouse should already exist.,Articol Cod și Warehouse trebuie să existe deja. -Item Code cannot be changed for Serial No.,Cod articol nu pot fi schimbate pentru Serial No. -Item Code is mandatory because Item is not automatically numbered,"Cod articol este obligatorie, deoarece postul nu este numerotat automat" -Item Code required at Row No {0},Cod element necesar la Row Nu {0} -Item Customer Detail,Articol client Detaliu -Item Description,Element Descriere -Item Desription,Element Descrierea hotelelor -Item Details,Detalii despre articol -Item Group,Grupa de articole -Item Group Name,Nume Grupa de articole -Item Group Tree,Grupa de articole copac -Item Groups in Details,Articol Grupuri în Detalii -Item Image (if not slideshow),Element de imagine (dacă nu slideshow) -Item Name,Denumire -Item Naming By,Element de denumire prin -Item Price,Preț de vanzare -Item Prices,Postul Preturi -Item Quality Inspection Parameter,Articol Inspecție de calitate Parametru -Item Reorder,Element Reordonare -Item Serial No,Element de ordine -Item Serial Nos,Element de serie nr -Item Shortage Report,Element Lipsa Raport -Item Supplier,Element Furnizor -Item Supplier Details,Detalii articol Furnizor -Item Tax,Postul fiscal -Item Tax Amount,Postul fiscal Suma -Item Tax Rate,Articol Rata de impozitare -Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Postul fiscal Row {0} trebuie sa aiba cont de tip fiscal sau de venituri sau cheltuieli sau taxabile -Item Tax1,Element Tax1 -Item To Manufacture,Element pentru fabricarea -Item UOM,Element UOM -Item Website Specification,Articol Site Specificații -Item Website Specifications,Articol Site Specificații -Item Wise Tax Detail,Articol înțelept fiscală Detaliu +Image,영상 +Image View,이미지보기 +Implementation Partner,구현 파트너 +Import Attendance,수입 출석 +Import Failed!,가져 오기 실패! +Import Log,가져 오기 로그 +Import Successful!,성공적인 가져 오기! +Imports,수입 +In Hours,시간 +In Process,처리 중 +In Qty,수량에 +In Value,가치있는 +In Words,즉 +In Words (Company Currency),단어 (회사 통화)에서 +In Words (Export) will be visible once you save the Delivery Note.,당신은 배달 주를 저장 한 단어에서 (수출) 표시됩니다. +In Words will be visible once you save the Delivery Note.,당신은 배달 주를 저장 한 단어에서 볼 수 있습니다. +In Words will be visible once you save the Purchase Invoice.,당신이 구입 송장을 저장 한 단어에서 볼 수 있습니다. +In Words will be visible once you save the Purchase Order.,당신이 구매 주문을 저장 한 단어에서 볼 수 있습니다. +In Words will be visible once you save the Purchase Receipt.,당신이 구입 영수증을 저장 한 단어에서 볼 수 있습니다. +In Words will be visible once you save the Quotation.,당신은 견적을 저장 한 단어에서 볼 수 있습니다. +In Words will be visible once you save the Sales Invoice.,당신이 판매 송장을 저장 한 단어에서 볼 수 있습니다. +In Words will be visible once you save the Sales Order.,당신이 판매 주문을 저장하면 단어에서 볼 수 있습니다. +Incentives,장려책 +Include Reconciled Entries,조정 됨 항목을 포함 +Include holidays in Total no. of Working Days,없이 총 휴일을 포함. 작업 일의 +Income,소득 +Income / Expense,수익 / 비용 +Income Account,소득 계정 +Income Booked,소득 예약 +Income Tax,소득세 +Income Year to Date,날짜 소득 연도 +Income booked for the digest period,다이제스트 기간 동안 예약 소득 +Incoming,수신 +Incoming Rate,수신 속도 +Incoming quality inspection.,수신 품질 검사. +Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,원장 항목의 개수가 잘못되었습니다 발견.당신은 트랜잭션에 잘못된 계정을 선택했을 수 있습니다. +Incorrect or Inactive BOM {0} for Item {1} at row {2},잘못된 또는 비활성 BOM {0} 항목에 대한 {1} 행에서 {2} +Indicates that the package is a part of this delivery (Only Draft),패키지이 배달의 일부임을 나타냅니다 (만 안) +Indirect Expenses,간접 비용 +Indirect Income,간접 소득 +Individual,개교회들과 사역들은 생겼다가 사라진다. +Industry,산업 +Industry Type,산업 유형 +Inspected By,검사 +Inspection Criteria,검사 기준 +Inspection Required,검사 필수 +Inspection Type,검사 유형 +Installation Date,설치 날짜 +Installation Note,설치 참고 +Installation Note Item,설치 참고 항목 +Installation Note {0} has already been submitted,설치 참고 {0}이 (가) 이미 제출되었습니다 +Installation Status,설치 상태 +Installation Time,설치 시간 +Installation date cannot be before delivery date for Item {0},설치 날짜는 항목에 대한 배달 날짜 이전 할 수 없습니다 {0} +Installation record for a Serial No.,일련 번호의 설치 기록 +Installed Qty,설치 수량 +Instructions,지침 +Integrate incoming support emails to Support Ticket,티켓 지원 들어오는 지원 이메일 통합 +Interested,관심 +Intern,인턴 +Internal,내부 +Internet Publishing,인터넷 게시 +Introduction,소개 +Invalid Barcode,잘못된 바코드 +Invalid Barcode or Serial No,잘못된 바코드 또는 일련 번호 +Invalid Mail Server. Please rectify and try again.,잘못된 메일 서버.조정하고 다시 시도하십시오. +Invalid Master Name,잘못된 마스터 이름 +Invalid User Name or Support Password. Please rectify and try again.,잘못된 사용자 이름 또는 지원의 비밀.조정하고 다시 시도하십시오. +Invalid quantity specified for item {0}. Quantity should be greater than 0.,항목에 대해 지정된 잘못된 수량 {0}.수량이 0보다 커야합니다. +Inventory,재고 +Inventory & Support,재고 및 지원 +Investment Banking,투자 은행 +Investments,투자 +Invoice Date,송장의 날짜 +Invoice Details,인보이스 세부 사항 +Invoice No,아니 송장 +Invoice Number,송장 번호 +Invoice Period From,에서 송장 기간 +Invoice Period From and Invoice Period To dates mandatory for recurring invoice,송장을 반복 필수 날짜에와 송장 기간에서 송장 기간 +Invoice Period To,청구서 기간 +Invoice Type,송장 유형 +Invoice/Journal Voucher Details,송장 / 분개장 세부 정보 +Invoiced Amount (Exculsive Tax),인보이스에 청구 된 금액 (Exculsive 세금) +Is Active,활성 +Is Advance,사전인가 +Is Cancelled,취소된다 +Is Carry Forward,이월된다 +Is Default,기본값 +Is Encash,현금화는 +Is Fixed Asset Item,고정 자산 상품에게 있습니다 +Is LWP,LWP는 +Is Opening,여는 +Is Opening Entry,항목을 여는 +Is POS,POS입니다 +Is Primary Contact,기본 연락처는 +Is Purchase Item,구매 상품입니다 +Is Sales Item,판매 상품입니다 +Is Service Item,서비스 항목은 +Is Stock Item,재고 품목입니다 +Is Sub Contracted Item,하위 계약 품목에게 있습니다 +Is Subcontracted,하청 +Is this Tax included in Basic Rate?,이 세금은 기본 요금에 포함되어 있습니까? +Issue,이슈 +Issue Date,발행일 +Issue Details,문제의 세부 사항 +Issued Items Against Production Order,생산 오더에 대해 실행 항목 +It can also be used to create opening stock entries and to fix stock value.,또한 개봉 재고 항목을 작성하고 주식 가치를 해결하는 데 사용할 수 있습니다. +Item,항목 +Item Advanced,상품 상세 +Item Barcode,상품의 바코드 +Item Batch Nos,상품 배치 NOS +Item Code,상품 코드 +Item Code > Item Group > Brand,상품 코드> 상품 그룹> 브랜드 +Item Code and Warehouse should already exist.,상품 코드 및 창고는 이미 존재해야합니다. +Item Code cannot be changed for Serial No.,상품 코드 일련 번호 변경할 수 없습니다 +Item Code is mandatory because Item is not automatically numbered,항목이 자동으로 번호가되어 있지 않기 때문에 상품 코드는 필수입니다 +Item Code required at Row No {0},행 번호에 필요한 상품 코드 {0} +Item Customer Detail,항목을 고객의 세부 사항 +Item Description,항목 설명 +Item Desription,항목 DESRIPTION +Item Details,상품 상세 +Item Group,항목 그룹 +Item Group Name,항목 그룹 이름 +Item Group Tree,항목 그룹 트리 +Item Group not mentioned in item master for item {0},항목에 대한 항목을 마스터에 언급되지 않은 항목 그룹 {0} +Item Groups in Details,자세한 사항 상품 그룹 +Item Image (if not slideshow),상품의 이미지 (그렇지 않으면 슬라이드 쇼) +Item Name,품명 +Item Naming By,상품 이름 지정으로 +Item Price,상품 가격 +Item Prices,상품 가격 +Item Quality Inspection Parameter,상품 품질 검사 매개 변수 +Item Reorder,항목 순서 바꾸기 +Item Serial No,상품 시리얼 번호 +Item Serial Nos,상품 직렬 NOS +Item Shortage Report,매물 부족 보고서 +Item Supplier,부품 공급 업체 +Item Supplier Details,부품 공급 업체의 상세 정보 +Item Tax,상품의 세금 +Item Tax Amount,항목 세액 +Item Tax Rate,항목 세율 +Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,상품 세금 행 {0} 유형의 세금 또는 수입 비용 또는 청구의 계정이 있어야합니다 +Item Tax1,항목 Tax1 +Item To Manufacture,제조 품목에 +Item UOM,상품 UOM +Item Website Specification,항목 웹 사이트 사양 +Item Website Specifications,항목 웹 사이트 사양 +Item Wise Tax Detail,항목 와이즈 세금 세부 정보 Item Wise Tax Detail , -Item is required,Este necesară Articol -Item is updated,Element este actualizat -Item master.,Maestru element. -"Item must be a purchase item, as it is present in one or many Active BOMs","Element trebuie să fie un element de cumpărare, așa cum este prezent în unul sau mai multe extraselor active" -Item or Warehouse for row {0} does not match Material Request,Element sau Depozit de rând {0} nu se potrivește Material Cerere -Item table can not be blank,Masă element nu poate fi gol -Item to be manufactured or repacked,Element care urmează să fie fabricate sau reambalate -Item valuation updated,Evaluare element actualizat -Item will be saved by this name in the data base.,Articol vor fi salvate de acest nume în baza de date. -Item {0} appears multiple times in Price List {1},Element {0} apare de mai multe ori în lista de prețuri {1} -Item {0} does not exist,Element {0} nu există -Item {0} does not exist in the system or has expired,Element {0} nu există în sistemul sau a expirat -Item {0} does not exist in {1} {2},Element {0} nu există în {1} {2} -Item {0} has already been returned,Element {0} a fost deja returnate -Item {0} has been entered multiple times against same operation,Element {0} a fost introdus de mai multe ori față de aceeași operație -Item {0} has been entered multiple times with same description or date,Postul {0} a fost introdus de mai multe ori cu aceeași descriere sau data -Item {0} has been entered multiple times with same description or date or warehouse,Element {0} a fost introdus de mai multe ori cu aceeași descriere sau data sau antrepozit -Item {0} has been entered twice,Element {0} a fost introdusă de două ori -Item {0} has reached its end of life on {1},Element {0} a ajuns la sfârșitul său de viață pe {1} -Item {0} ignored since it is not a stock item,"Element {0} ignorat, deoarece nu este un element de stoc" -Item {0} is cancelled,Element {0} este anulat -Item {0} is not Purchase Item,Element {0} nu este cumparare articol -Item {0} is not a serialized Item,Element {0} nu este un element serializate -Item {0} is not a stock Item,Element {0} nu este un element de stoc -Item {0} is not active or end of life has been reached,Element {0} nu este activă sau la sfârșitul vieții a fost atins -Item {0} is not setup for Serial Nos. Check Item master,Element {0} nu este de configurare pentru maestru nr Serial de selectare a elementului -Item {0} is not setup for Serial Nos. Column must be blank,Element {0} nu este de configurare pentru Serial Nr Coloana trebuie să fie gol -Item {0} must be Sales Item,Element {0} trebuie să fie produs de vânzări -Item {0} must be Sales or Service Item in {1},Element {0} trebuie să fie vânzări sau de service Articol din {1} -Item {0} must be Service Item,Element {0} trebuie să fie de service Articol -Item {0} must be a Purchase Item,Postul {0} trebuie sa fie un element de cumparare -Item {0} must be a Sales Item,Element {0} trebuie sa fie un element de vânzări -Item {0} must be a Service Item.,Element {0} trebuie sa fie un element de service. -Item {0} must be a Sub-contracted Item,Element {0} trebuie sa fie un element sub-contractat -Item {0} must be a stock Item,Element {0} trebuie sa fie un element de stoc -Item {0} must be manufactured or sub-contracted,Element {0} trebuie să fie fabricate sau sub-contractat -Item {0} not found,Element {0} nu a fost găsit -Item {0} with Serial No {1} is already installed,Element {0} cu ordine {1} este deja instalat -Item {0} with same description entered twice,Element {0} cu aceeași descriere a intrat de două ori -"Item, Warranty, AMC (Annual Maintenance Contract) details will be automatically fetched when Serial Number is selected.","Element, Garantie, AMC (de întreținere anuale contractului) detalii vor fi preluate în mod automat atunci când este selectat numărul de serie." -Item-wise Price List Rate,-Element înțelept Pret Rate -Item-wise Purchase History,-Element înțelept Istoricul achizițiilor -Item-wise Purchase Register,-Element înțelept cumparare Inregistrare -Item-wise Sales History,-Element înțelept Sales Istorie -Item-wise Sales Register,-Element înțelept vânzări Înregistrare +Item is required,항목이 필요합니다 +Item is updated,항목이 업데이트됩니다 +Item master.,품목 마스터. +"Item must be a purchase item, as it is present in one or many Active BOMs",그것은 하나 또는 여러 활성 된 BOM에 존재하는 등의 품목은 구입 항목을해야합니다 +Item or Warehouse for row {0} does not match Material Request,행에 대한 항목이나 창고 {0} 물자의 요청과 일치하지 않습니다 +Item table can not be blank,항목 테이블은 비워 둘 수 없습니다 +Item to be manufactured or repacked,제조 또는 재 포장 할 항목 +Item valuation updated,상품 평가가 업데이트 +Item will be saved by this name in the data base.,품목은 데이터베이스에이 이름으로 저장됩니다. +Item {0} appears multiple times in Price List {1},{0} 항목을 가격 목록에 여러 번 나타납니다 {1} +Item {0} does not exist,{0} 항목이 존재하지 않습니다 +Item {0} does not exist in the system or has expired,{0} 항목을 시스템에 존재하지 않거나 만료 +Item {0} does not exist in {1} {2},{0} 항목에 존재하지 않는 {1} {2} +Item {0} has already been returned,항목 {0}이 (가) 이미 반환 된 +Item {0} has been entered multiple times against same operation,{0} 항목을 동일한 작업에 대해 여러 번 입력 한 +Item {0} has been entered multiple times with same description or date,{0} 항목을 같은 설명 또는 날짜를 여러 번 입력 한 +Item {0} has been entered multiple times with same description or date or warehouse,{0} 항목을 같은 설명 또는 날짜 또는 창고로 여러 번 입력 한 +Item {0} has been entered twice,{0} 항목을 두 번 입력 한 +Item {0} has reached its end of life on {1},항목 {0}에 수명이 다한 {1} +Item {0} ignored since it is not a stock item,그것은 재고 품목이 아니기 때문에 {0} 항목을 무시 +Item {0} is cancelled,{0} 항목 취소 +Item {0} is not Purchase Item,항목 {0} 항목을 구매하지 않습니다 +Item {0} is not a serialized Item,{0} 항목을 직렬화 된 상품이 없습니다 +Item {0} is not a stock Item,{0} 항목을 재고 항목이 없습니다 +Item {0} is not active or end of life has been reached,{0} 항목을 활성화하지 않거나 수명이 도달했습니다 +Item {0} is not setup for Serial Nos. Check Item master,{0} 항목을 직렬 제의 체크 항목 마스터에 대한 설정이 없습니다 +Item {0} is not setup for Serial Nos. Column must be blank,{0} 항목을 직렬 제 칼럼에 대한 설정이 비어 있어야하지 +Item {0} must be Sales Item,{0} 항목 판매 상품이어야합니다 +Item {0} must be Sales or Service Item in {1},{0} 항목을 판매하거나 서비스 상품이어야 {1} +Item {0} must be Service Item,항목 {0} 서비스 상품이어야합니다 +Item {0} must be a Purchase Item,{0} 항목을 구매 상품이어야합니다 +Item {0} must be a Sales Item,항목 {0} 판매 품목이어야합니다 +Item {0} must be a Service Item.,항목 {0} 서비스 상품이어야합니다. +Item {0} must be a Sub-contracted Item,{0} 항목 하위 계약 품목이어야합니다 +Item {0} must be a stock Item,{0} 항목을 재고 품목 수 있어야합니다 +Item {0} must be manufactured or sub-contracted,{0} 항목을 제조 할 수 있어야합니다 또는 하위 계약 +Item {0} not found,{0} 항목을 찾을 수 없습니다 +Item {0} with Serial No {1} is already installed,{0} 항목을 일련 번호로 {1}이 (가) 이미 설치되어 있습니다 +Item {0} with same description entered twice,{0} 항목을 같은 설명과 함께 두 번 입력 +"Item, Warranty, AMC (Annual Maintenance Contract) details will be automatically fetched when Serial Number is selected.","일련 번호를 선택하면 항목, 보증, AMC (연간 유지 보수 계약) 자세한 내용은 자동으로 인출 될 것입니다." +Item-wise Price List Rate,상품이 많다는 가격리스트 평가 +Item-wise Purchase History,상품 현명한 구입 내역 +Item-wise Purchase Register,상품 현명한 구매 등록 +Item-wise Sales History,상품이 많다는 판매 기록 +Item-wise Sales Register,상품이 많다는 판매 등록 "Item: {0} managed batch-wise, can not be reconciled using \ - Stock Reconciliation, instead use Stock Entry","Postul: {0}-lot înțelept a reușit, nu pot fi reconciliate folosind \ \ n Bursa de reconciliere, folosiți în schimb Bursa de intrare" -Item: {0} not found in the system,Postul: {0} nu a fost găsit în sistemul -Items,Obiecte -Items To Be Requested,Elemente care vor fi solicitate -Items required,Elementele necesare -"Items to be requested which are ""Out of Stock"" considering all warehouses based on projected qty and minimum order qty","Elementele care urmează să fie solicitate care sunt ""in stoc"", luând în considerare toate depozitele bazate pe cantitate proiectat și comanda minima Cantitate" -Items which do not exist in Item master can also be entered on customer's request,"Elemente care nu există în maestru articol poate fi, de asemenea, introduse la cererea clientului" -Itemwise Discount,Itemwise Reducere -Itemwise Recommended Reorder Level,Itemwise Recomandat Reordonare nivel -Job Applicant,Solicitantul de locuri de muncă -Job Opening,Deschiderea de locuri de muncă -Job Profile,De locuri de muncă Profilul -Job Title,Denumirea postului -"Job profile, qualifications required etc.","Profil de locuri de muncă, calificările necesare, etc" -Jobs Email Settings,Setări de locuri de muncă de e-mail -Journal Entries,Intrari in jurnal -Journal Entry,Jurnal de intrare -Journal Voucher,Jurnalul Voucher -Journal Voucher Detail,Jurnalul Voucher Detaliu -Journal Voucher Detail No,Jurnalul Voucher Detaliu Nu -Journal Voucher {0} does not have account {1} or already matched,Jurnalul Voucher {0} nu are cont {1} sau deja potrivire -Journal Vouchers {0} are un-linked,Jurnalul Tichete {0} sunt ne-legate de -Keep a track of communication related to this enquiry which will help for future reference.,"Păstra o pistă de comunicare legate de această anchetă, care va ajuta de referință pentru viitor." -Keep it web friendly 900px (w) by 100px (h),Păstrați-l web 900px prietenos (w) de 100px (h) -Key Performance Area,Domeniul Major de performanță -Key Responsibility Area,Domeniul Major de Responsabilitate -Kg,Kg -LR Date,LR Data -LR No,LR Nu -Label,Etichetarea -Landed Cost Item,Aterizat Cost Articol -Landed Cost Items,Aterizat cost Articole -Landed Cost Purchase Receipt,Aterizat costul de achiziție de primire -Landed Cost Purchase Receipts,Aterizat Încasări costul de achiziție -Landed Cost Wizard,Wizard Cost aterizat -Landed Cost updated successfully,Costul aterizat actualizat cu succes -Language,Limbă -Last Name,Nume -Last Purchase Rate,Ultima Rate de cumparare -Latest,Ultimele -Lead,Șef -Lead Details,Plumb Detalii -Lead Id,Plumb Id -Lead Name,Numele plumb -Lead Owner,Plumb Proprietar -Lead Source,Sursa de plumb -Lead Status,Starea de plumb -Lead Time Date,Data de livrare -Lead Time Days,De livrare Zile -Lead Time days is number of days by which this item is expected in your warehouse. This days is fetched in Material Request when you select this item.,Plumb de zile de timp este numărul de zile cu care acest element este de așteptat în depozit. Această zi este descărcat în Material Cerere atunci când selectați acest element. -Lead Type,Tip Plumb -Lead must be set if Opportunity is made from Lead,Plumb trebuie să fie setat dacă Oportunitatea este facut din plumb -Leave Allocation,Lasă Alocarea -Leave Allocation Tool,Lasă Alocarea Tool -Leave Application,Lasă Application -Leave Approver,Lasă aprobator -Leave Approvers,Lasă Aprobatori -Leave Balance Before Application,Lasă Balanța înainte de aplicare -Leave Block List,Lasă Lista Block -Leave Block List Allow,Lasă Block List Permite -Leave Block List Allowed,Lasă Block List permise -Leave Block List Date,Lasă Block List Data -Leave Block List Dates,Lasă Block Lista de Date -Leave Block List Name,Lasă Name Block List -Leave Blocked,Lasă Blocat -Leave Control Panel,Pleca Control Panel -Leave Encashed?,Lasă încasate? -Leave Encashment Amount,Lasă încasări Suma -Leave Type,Lasă Tip -Leave Type Name,Lasă Tip Nume -Leave Without Pay,Concediu fără plată -Leave application has been approved.,Cerere de concediu a fost aprobat. -Leave application has been rejected.,Cerere de concediu a fost respinsă. -Leave approver must be one of {0},Lasă aprobator trebuie să fie una din {0} -Leave blank if considered for all branches,Lăsați necompletat dacă se consideră că pentru toate ramurile -Leave blank if considered for all departments,Lăsați necompletat dacă se consideră că pentru toate departamentele -Leave blank if considered for all designations,Lăsați necompletat dacă se consideră că pentru toate denumirile -Leave blank if considered for all employee types,Lăsați necompletat dacă se consideră că pentru toate tipurile de angajați -"Leave can be approved by users with Role, ""Leave Approver""","Lasă pot fi aprobate de către utilizatorii cu rol, ""Lasă-aprobator""" -Leave of type {0} cannot be longer than {1},Concediu de tip {0} nu poate fi mai mare de {1} -Leaves Allocated Successfully for {0},Frunze alocat cu succes pentru {0} -Leaves for type {0} already allocated for Employee {1} for Fiscal Year {0},Frunze de tip {0} deja alocate pentru Angajat {1} pentru anul fiscal {0} -Leaves must be allocated in multiples of 0.5,"Frunzele trebuie să fie alocate în multipli de 0,5" -Ledger,Carte mare -Ledgers,Registre -Left,Stânga -Legal,Legal -Legal Expenses,Cheltuieli juridice -Letter Head,Scrisoare cap -Letter Heads for print templates.,Capete de scrisoare de șabloane de imprimare. -Level,Nivel -Lft,LFT -Liability,Răspundere -List a few of your customers. They could be organizations or individuals.,Lista câteva dintre clienții dumneavoastră. Ele ar putea fi organizații sau persoane fizice. -List a few of your suppliers. They could be organizations or individuals.,Lista câteva dintre furnizorii dumneavoastră. Ele ar putea fi organizații sau persoane fizice. -List items that form the package.,Lista de elemente care formează pachetul. -List this Item in multiple groups on the website.,Lista acest articol în mai multe grupuri de pe site-ul. -"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 le cumpara sau vinde tale. Asigurați-vă că pentru a verifica Grupului articol, unitatea de măsură și alte proprietăți atunci când începe." -"List your tax heads (e.g. VAT, Excise; 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, accize, acestea 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." -Loading...,Încărcare... -Loans (Liabilities),Credite (pasive) -Loans and Advances (Assets),Împrumuturi și avansuri (Active) -Local,Local -Login with your new User ID,Autentifica-te cu noul ID utilizator -Logo,Logo -Logo and Letter Heads,Logo și Scrisoare Heads -Lost,Pierdut -Lost Reason,Expunere de motive a pierdut -Low,Scăzut -Lower Income,Venituri mai mici -MTN Details,MTN Detalii -Main,Principal -Main Reports,Rapoarte principale -Maintain Same Rate Throughout Sales Cycle,Menține aceeași rată de-a lungul ciclului de vânzări -Maintain same rate throughout purchase cycle,Menține aceeași rată de-a lungul ciclului de cumpărare -Maintenance,Mentenanţă -Maintenance Date,Data întreținere -Maintenance Details,Detalii întreținere -Maintenance Schedule,Program de întreținere -Maintenance Schedule Detail,Program de întreținere Detaliu -Maintenance Schedule Item,Program de întreținere Articol -Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',"Program de întreținere nu este generată pentru toate elementele. Vă rugăm să faceți clic pe ""Generate Program""" -Maintenance Schedule {0} exists against {0},Program de întreținere {0} există în {0} -Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Program de întreținere {0} trebuie anulată înainte de a anula această comandă de vânzări -Maintenance Schedules,Orarele de întreținere -Maintenance Status,Starea de întreținere -Maintenance Time,Timp de întreținere -Maintenance Type,Tip de întreținere -Maintenance Visit,Vizitează întreținere -Maintenance Visit Purpose,Vizitează întreținere Scop -Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Vizitează întreținere {0} trebuie anulată înainte de a anula această comandă de vânzări -Maintenance start date can not be before delivery date for Serial No {0},Întreținere data de începere nu poate fi înainte de data de livrare pentru de serie nr {0} -Major/Optional Subjects,Subiectele majore / opționale + Stock Reconciliation, instead use Stock Entry","품목 : {0} 배치 식 관리, 사용하여 조정할 수 없습니다 \ + 재고 조정 대신 증권 엔트리에게 사용" +Item: {0} not found in the system,품목 : {0} 시스템에서 찾을 수없는 +Items,아이템 +Items To Be Requested,요청 할 항목 +Items required,필요한 항목 +"Items to be requested which are ""Out of Stock"" considering all warehouses based on projected qty and minimum order qty","""재고 없음""이다 요구되는 항목은 예상 수량 및 최소 주문 수량에 따라 모든 창고를 고려" +Items which do not exist in Item master can also be entered on customer's request,품목 마스터에 존재하지 않는 항목은 고객의 요청에 따라 입력 할 수 있습니다 +Itemwise Discount,Itemwise 할인 +Itemwise Recommended Reorder Level,Itemwise는 재주문 수준에게 추천 +Job Applicant,구직자 +Job Opening,구인 +Job Profile,작업 프로필 +Job Title,직책 +"Job profile, qualifications required etc.","필요한 작업 프로필, 자격 등" +Jobs Email Settings,채용 정보 이메일 설정 +Journal Entries,저널 항목 +Journal Entry,분개 +Journal Voucher,분개장 +Journal Voucher Detail,분개장 세부 정보 +Journal Voucher Detail No,분개장 세부 사항 없음 +Journal Voucher {0} does not have account {1} or already matched,분개장 {0} 계정이없는 {1} 또는 이미 일치 +Journal Vouchers {0} are un-linked,분개장 {0} 않은 연결되어 +Keep a track of communication related to this enquiry which will help for future reference.,향후 참조를 위해 도움이 될 것입니다이 문의와 관련된 통신을 확인합니다. +Keep it web friendly 900px (w) by 100px (h),100 픽셀로 웹 친화적 인 900px (W)를 유지 (H) +Key Performance Area,핵심 성과 지역 +Key Responsibility Area,주요 책임 지역 +Kg,KG +LR Date,LR 날짜 +LR No,아니 LR +Label,라벨 +Landed Cost Item,착륙 비용 항목 +Landed Cost Items,비용 항목에 착륙 +Landed Cost Purchase Receipt,비용 구매 영수증 랜디 +Landed Cost Purchase Receipts,비용 구매 영수증 랜디 +Landed Cost Wizard,착륙 비용 마법사 +Landed Cost updated successfully,착륙 비용 성공적으로 업데이트 +Language,언어 +Last Name,성 +Last Purchase Rate,마지막 구매 비율 +Latest,최근 +Lead,납 +Lead Details,리드 세부 사항 +Lead Id,리드 아이디 +Lead Name,리드 명 +Lead Owner,리드 소유자 +Lead Source,리드 소스 +Lead Status,리드 상태 +Lead Time Date,리드 타임 날짜 +Lead Time Days,시간 일 리드 +Lead Time days is number of days by which this item is expected in your warehouse. This days is fetched in Material Request when you select this item.,리드 타임의 일이 품목이 당신의 창고에 예상되는 일 수입니다.이 항목을 선택하면이 일 자료 요청에 반입됩니다. +Lead Type,리드 타입 +Lead must be set if Opportunity is made from Lead,기회는 납으로 만든 경우 리드를 설정해야합니다 +Leave Allocation,할당을 남겨주세요 +Leave Allocation Tool,할당 도구를 남겨 +Leave Application,응용 프로그램을 남겨주 +Leave Approver,승인자를 남겨 +Leave Approvers,승인자를 남겨 +Leave Balance Before Application,응용 프로그램의 앞에 균형을 남겨주세요 +Leave Block List,차단 목록을 남겨주세요 +Leave Block List Allow,차단 목록은 허용 남겨 +Leave Block List Allowed,차단 목록은 허용 남겨 +Leave Block List Date,차단 목록 날짜를 남겨 +Leave Block List Dates,차단 목록 날짜를 남겨 +Leave Block List Name,차단 목록의 이름을 남겨주세요 +Leave Blocked,남겨 차단 +Leave Control Panel,제어판에게 남겨 +Leave Encashed?,Encashed 남겨? +Leave Encashment Amount,현금화 금액을 남겨주 +Leave Type,유형을 남겨주세요 +Leave Type Name,유형 이름을 남겨주세요 +Leave Without Pay,지불하지 않고 종료 +Leave application has been approved.,허가 신청이 승인되었습니다. +Leave application has been rejected.,허가 신청이 거부되었습니다. +Leave approver must be one of {0},남겨 승인 중 하나 여야합니다 {0} +Leave blank if considered for all branches,모든 지점을 고려하는 경우 비워 둡니다 +Leave blank if considered for all departments,모든 부서가 있다고 간주 될 경우 비워 둡니다 +Leave blank if considered for all designations,모든 지정을 고려하는 경우 비워 둡니다 +Leave blank if considered for all employee types,모든 직원의 유형을 고려하는 경우 비워 둡니다 +"Leave can be approved by users with Role, ""Leave Approver""","남겨 역할을 가진 사용자에 의해 승인 될 수있다 ""승인자를 남겨""" +Leave of type {0} cannot be longer than {1},유형의 휴가는 {0}을 넘을 수 없습니다 {1} +Leaves Allocated Successfully for {0},잎에 성공적으로 할당 된 {0} +Leaves for type {0} already allocated for Employee {1} for Fiscal Year {0},잎 유형에 대한 {0}이 (가) 이미 직원에 할당 된 {1} 회계 연도에 대한 {0} +Leaves must be allocated in multiples of 0.5,잎은 0.5의 배수로 할당해야합니다 +Ledger,원장 +Ledgers,합계정원장 +Left,왼쪽 +Legal,법률 +Legal Expenses,법률 비용 +Letter Head,레터 헤드 +Letter Heads for print templates.,인쇄 템플릿에 대한 편지 머리. +Level,레벨 +Lft,좌 +Liability,책임 +List a few of your customers. They could be organizations or individuals.,고객의 몇 가지를 나열합니다.그들은 조직 또는 개인이 될 수 있습니다. +List a few of your suppliers. They could be organizations or individuals.,공급 업체의 몇 가지를 나열합니다.그들은 조직 또는 개인이 될 수 있습니다. +List items that form the package.,패키지를 형성하는 목록 항목. +List this Item in multiple groups on the website.,웹 사이트에 여러 그룹에이 항목을 나열합니다. +"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 your tax heads (e.g. VAT, Excise; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","그들의 가격을, 당신의 세금 헤드 (그들은 고유 한 이름이 있어야합니다 예를 들어, VAT, 소비세)를 나열합니다.이것은 당신이 편집하고 나중에 더 추가 할 수있는 표준 템플릿을 생성합니다." +Loading...,로딩 중... +Loans (Liabilities),대출 (부채) +Loans and Advances (Assets),대출 및 발전 (자산) +Local,지역정보 검색 +Login,로그인 +Login with your new User ID,새 사용자 ID로 로그인 +Logo,로고 +Logo and Letter Heads,로고와 편지 머리 +Lost,상실 +Lost Reason,분실 된 이유 +Low,낮음 +Lower Income,낮은 소득 +MTN Details,MTN의 자세한 사항 +Main,주요 기능 +Main Reports,주 보고서 +Maintain Same Rate Throughout Sales Cycle,판매주기 전반에 걸쳐 동일한 비율을 유지 +Maintain same rate throughout purchase cycle,구매주기 동안 동일한 비율을 유지 +Maintenance,유지 +Maintenance Date,유지 보수 날짜 +Maintenance Details,유지 보수 세부 정보 +Maintenance Schedule,유지 보수 일정 +Maintenance Schedule Detail,유지 보수 일정의 세부 사항 +Maintenance Schedule Item,유지 보수 일정 상품 +Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',유지 보수 일정은 모든 항목에 대해 생성되지 않습니다.'생성 일정'을 클릭 해주세요 +Maintenance Schedule {0} exists against {0},유지 보수 일정은 {0}에있는 {0} +Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,유지 보수 일정은 {0}이 판매 주문을 취소하기 전에 취소해야합니다 +Maintenance Schedules,관리 스케줄 +Maintenance Status,유지 보수 상태 +Maintenance Time,유지 시간 +Maintenance Type,유지 보수 유형 +Maintenance Visit,유지 보수 방문 +Maintenance Visit Purpose,유지 보수 방문 목적 +Maintenance Visit {0} must be cancelled before cancelling this Sales Order,유지 보수 방문은 {0}이 판매 주문을 취소하기 전에 취소해야합니다 +Maintenance start date can not be before delivery date for Serial No {0},유지 보수 시작 날짜 일련 번호에 대한 배달 날짜 이전 할 수 없습니다 {0} +Major/Optional Subjects,주요 / 선택 주제 Make , -Make Accounting Entry For Every Stock Movement,Asigurați-vă de contabilitate de intrare pentru fiecare Stock Mișcarea -Make Bank Voucher,Banca face Voucher -Make Credit Note,Face Credit Nota -Make Debit Note,Face notă de debit -Make Delivery,Face de livrare -Make Difference Entry,Face diferenta de intrare -Make Excise Invoice,Face accize Factura -Make Installation Note,Face de instalare Notă -Make Invoice,Face Factura -Make Maint. Schedule,Face Maint. Program -Make Maint. Visit,Face Maint. Vizita -Make Maintenance Visit,Face de întreținere Vizitați -Make Packing Slip,Face bonul -Make Payment Entry,Face plată de intrare -Make Purchase Invoice,Face cumparare factură -Make Purchase Order,Face Comandă -Make Purchase Receipt,Face Primirea de cumparare -Make Salary Slip,Face Salariul Slip -Make Salary Structure,Face Structura Salariul -Make Sales Invoice,Face Factura Vanzare -Make Sales Order,Face comandă de vânzări -Make Supplier Quotation,Face Furnizor ofertă -Male,Masculin -Manage Customer Group Tree.,Gestiona Customer Group copac. -Manage Sales Person Tree.,Gestiona vânzările Persoana copac. -Manage Territory Tree.,Gestiona Teritoriul copac. -Manage cost of operations,Gestiona costul operațiunilor -Management,"Controlul situatiilor, (managementul)" -Manager,Manager -"Mandatory if Stock Item is ""Yes"". Also the default warehouse where reserved quantity is set from Sales Order.","Obligatoriu dacă Piesa este ""da"". De asemenea, depozitul implicit în cazul în care cantitatea rezervat este stabilit de comandă de vânzări." -Manufacture against Sales Order,Fabricarea de comandă de vânzări -Manufacture/Repack,Fabricarea / Repack -Manufactured Qty,Produs Cantitate -Manufactured quantity will be updated in this warehouse,Cantitate fabricat va fi actualizată în acest depozit -Manufactured quantity {0} cannot be greater than planned quanitity {1} in Production Order {2},Cantitate fabricat {0} nu poate fi mai mare decât avantajeje planificat {1} în producție Ordine {2} -Manufacturer,Producător -Manufacturer Part Number,Numarul de piesa -Manufacturing,De fabricație -Manufacturing Quantity,Cantitatea de fabricație -Manufacturing Quantity is mandatory,Cantitatea de fabricație este obligatorie -Margin,Margin -Marital Status,Stare civilă -Market Segment,Segmentul de piață -Marketing,Marketing -Marketing Expenses,Cheltuieli de marketing -Married,Căsătorit -Mass Mailing,Corespondență în masă -Master Name,Maestru Nume -Master Name is mandatory if account type is Warehouse,Maestrul Numele este obligatorie dacă tipul de cont este de depozit -Master Type,Maestru Tip -Masters,Masterat -Match non-linked Invoices and Payments.,Potrivesc Facturi non-legate și plăți. -Material Issue,Problema de material -Material Receipt,Primirea de material -Material Request,Cerere de material -Material Request Detail No,Material Cerere Detaliu Nu -Material Request For Warehouse,Cerere de material Pentru Warehouse -Material Request Item,Material Cerere Articol -Material Request Items,Material Cerere Articole -Material Request No,Cerere de material Nu -Material Request Type,Material Cerere tip -Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Cerere de material de maximum {0} se poate face pentru postul {1} ​​împotriva comandă de vânzări {2} -Material Request used to make this Stock Entry,Cerere de material utilizat pentru a face acest stoc de intrare -Material Request {0} is cancelled or stopped,Cerere de material {0} este anulată sau oprită -Material Requests for which Supplier Quotations are not created,Cererile de materiale pentru care nu sunt create Cotațiile Furnizor -Material Requests {0} created,Cererile de materiale {0} a creat -Material Requirement,Cerința de material -Material Transfer,Transfer de material -Materials,Materiale -Materials Required (Exploded),Materiale necesare (explodat) -Max 5 characters,Max 5 caractere -Max Days Leave Allowed,Max zile de concediu de companie -Max Discount (%),Max Discount (%) -Max Qty,Max Cantitate -Maximum allowed credit is {0} days after posting date,Credit maximă permisă este de {0} zile de la postarea data -Maximum {0} rows allowed,Maxime {0} rânduri permis -Maxiumm discount for Item {0} is {1}%,Reducere Maxiumm pentru postul {0} este {1}% -Medical,Medical -Medium,Medie -"Merging is only possible if following properties are same in both records. Group or Ledger, Root Type, Company","Fuzionarea este posibilă numai în cazul în care următoarele proprietăți sunt aceleași în ambele registre. Grup sau Ledger, Root tip, de companie" -Message,Mesaj -Message Parameter,Parametru mesaj -Message Sent,Mesajul a fost trimis -Message updated,Mesaj Actualizat -Messages,Mesaje -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 -Middle Income,Venituri medii -Milestone,Milestone -Milestone Date,Milestone Data -Milestones,Repere -Milestones will be added as Events in the Calendar,Repere vor fi adăugate ca evenimente din calendarul -Min Order Qty,Min Ordine Cantitate -Min Qty,Min Cantitate -Min Qty can not be greater than Max Qty,Min Cantitate nu poate fi mai mare decât Max Cantitate -Minimum Order Qty,Comanda minima Cantitate -Minute,Minut -Misc Details,Misc Detalii -Miscellaneous Expenses,Cheltuieli diverse +Make Accounting Entry For Every Stock Movement,모든 주식 이동을위한 회계 항목을 만듭니다 +Make Bank Voucher,은행 바우처에게 확인 +Make Credit Note,신용 참고하십시오 +Make Debit Note,직불 참고하십시오 +Make Delivery,배달을 +Make Difference Entry,차이의 항목을 만듭니다 +Make Excise Invoice,소비세 송장에게 확인 +Make Installation Note,설치 참고하십시오 +Make Invoice,인보이스를 확인 +Make Maint. Schedule,라쿠텐를 확인합니다.일정 +Make Maint. Visit,라쿠텐를 확인합니다.방문하기 +Make Maintenance Visit,유지 보수 방문을합니다 +Make Packing Slip,포장 명세서를 확인 +Make Payment,결제하기 +Make Payment Entry,지불 항목을 만듭니다 +Make Purchase Invoice,구매 인보이스에게 확인 +Make Purchase Order,확인 구매 주문 +Make Purchase Receipt,구매 영수증을 +Make Salary Slip,급여 슬립을 +Make Salary Structure,급여 구조를 확인 +Make Sales Invoice,견적서에게 확인 +Make Sales Order,확인 판매 주문 +Make Supplier Quotation,공급 업체의 견적을 +Make Time Log Batch,시간 로그 일괄 확인 +Male,남성 +Manage Customer Group Tree.,고객 그룹 트리를 관리 할 수 있습니다. +Manage Sales Partners.,판매 파트너를 관리합니다. +Manage Sales Person Tree.,판매 인 나무를 관리합니다. +Manage Territory Tree.,지역의 나무를 관리합니다. +Manage cost of operations,작업의 비용 관리 +Management,관리 +Manager,관리자 +"Mandatory if Stock Item is ""Yes"". Also the default warehouse where reserved quantity is set from Sales Order.","필수 경우 재고 품목은 ""예""입니다.또한 예약 된 수량이 판매 주문에서 설정된 기본 창고." +Manufacture against Sales Order,판매 주문에 대해 제조 +Manufacture/Repack,제조 / 다시 채워 +Manufactured Qty,제조 수량 +Manufactured quantity will be updated in this warehouse,제조 수량이 창고에 업데이트됩니다 +Manufactured quantity {0} cannot be greater than planned quanitity {1} in Production Order {2},제조 수량 {0} 계획 quanitity를 초과 할 수 없습니다 {1} 생산 순서에 {2} +Manufacturer,제조사: +Manufacturer Part Number,제조업체 부품 번호 +Manufacturing,제조의 +Manufacturing Quantity,제조 수량 +Manufacturing Quantity is mandatory,제조 수량이 필수입니다 +Margin,마진 +Marital Status,결혼 여부 +Market Segment,시장 세분 +Marketing,마케팅 +Marketing Expenses,마케팅 비용 +Married,결혼 한 +Mass Mailing,대량 메일 링 +Master Name,마스터 이름 +Master Name is mandatory if account type is Warehouse,계정 유형이 창고 인 경우 마스터의 이름이 필수입니다 +Master Type,마스터 종류 +Masters,석사 +Match non-linked Invoices and Payments.,연결되지 않은 청구서 지불을 일치시킵니다. +Material Issue,소재 호 +Material Receipt,소재 영수증 +Material Request,자료 요청 +Material Request Detail No,자료 요청의 세부 사항 없음 +Material Request For Warehouse,창고 재질 요청 +Material Request Item,자료 요청 항목 +Material Request Items,자료 요청 항목 +Material Request No,자료 요청 없음 +Material Request Type,자료 요청 유형 +Material Request of maximum {0} can be made for Item {1} against Sales Order {2},최대의 자료 요청은 {0} 항목에 대한 {1}에 대해 수행 할 수있는 판매 주문 {2} +Material Request used to make this Stock Entry,자료 요청이 재고 항목을 확인하는 데 사용 +Material Request {0} is cancelled or stopped,자료 요청 {0} 취소 또는 정지 +Material Requests for which Supplier Quotations are not created,공급 업체의 견적이 생성되지 않는 재질 요청 +Material Requests {0} created,자료 요청 {0} 생성 +Material Requirement,자료 요구 +Material Transfer,재료 이송 +Materials,도구 +Materials Required (Exploded),필요한 재료 (분해) +Max 5 characters,최대 5 자 +Max Days Leave Allowed,최대 일 허가 허용 +Max Discount (%),최대 할인 (%) +Max Qty,최대 수량 +Max discount allowed for item: {0} is {1}%,최대 할인 품목을 허용 : {0} {1} %이 +Maximum Amount,최대 금액 +Maximum allowed credit is {0} days after posting date,허용되는 최대 신용 날짜를 게시 한 후 {0} 일 +Maximum {0} rows allowed,최대 {0} 행이 허용 +Maxiumm discount for Item {0} is {1}%,항목에 대한 Maxiumm 할인은 {0} {1} %에게 is +Medical,의료 +Medium,중간 +"Merging is only possible if following properties are same in both records. Group or Ledger, Root Type, Company","다음과 같은 속성이 모두 기록에 같은 경우 병합에만 가능합니다.그룹 또는 레저, 루트 유형, 회사" +Message,메시지 +Message Parameter,메시지 매개 변수 +Message Sent,보낸 메시지 +Message updated,메시지 업데이트 +Messages,쪽지 +Messages greater than 160 characters will be split into multiple messages,160 자보다 큰 메시지는 여러 개의 메시지로 분할됩니다 +Middle Income,중간 소득 +Milestone,마일스톤 +Milestone Date,마일스톤 날짜 +Milestones,연혁 +Milestones will be added as Events in the Calendar,이정표는 달력에 이벤트로 추가됩니다 +Min Order Qty,최소 주문 수량 +Min Qty,최소 수량 +Min Qty can not be greater than Max Qty,최소 수량이 최대 수량보다 클 수 없습니다 +Minimum Amount,최소 금액 +Minimum Order Qty,최소 주문 수량 +Minute,분 +Misc Details,기타 세부 사항 +Miscellaneous Expenses,기타 비용 Miscelleneous,Miscelleneous -Mobile No,Mobil Nu -Mobile No.,Mobil Nu. -Mode of Payment,Mod de plata -Modern,Modern -Modified Amount,Modificat Suma -Monday,Luni -Month,Lună -Monthly,Lunar -Monthly Attendance Sheet,Lunar foaia de prezență -Monthly Earning & Deduction,Câștigul salarial lunar & Deducerea -Monthly Salary Register,Salariul lunar Inregistrare -Monthly salary statement.,Declarația salariu lunar. -More Details,Mai multe detalii -More Info,Mai multe informatii -Motion Picture & Video,Motion Picture & Video -Moving Average,Mutarea medie -Moving Average Rate,Rata medie mobilă -Mr,Mr -Ms,Ms -Multiple Item prices.,Mai multe prețuri element. +Mobile No,모바일 없음 +Mobile No.,모바일 번호 +Mode of Payment,지불의 모드 +Modern,현대식 +Monday,월요일 +Month,월 +Monthly,월 +Monthly Attendance Sheet,월간 출석 시트 +Monthly Earning & Deduction,월간 적립 및 차감 +Monthly Salary Register,월급 등록 +Monthly salary statement.,월급의 문. +More Details,세부정보 더보기 +More Info,추가 정보 +Motion Picture & Video,영화 및 비디오 +Moving Average,움직임 평균 +Moving Average Rate,이동 평균 속도 +Mr,씨 +Ms,MS +Multiple Item prices.,여러 품목의 가격. "Multiple Price Rule exists with same criteria, please resolve \ - conflict by assigning priority. Price Rules: {0}","Există Prețul multiple Regula cu aceleași criterii, vă rugăm să rezolve \ \ n conflict prin atribuirea de prioritate. Reguli Pret: {0}" -Music,Muzica -Must be Whole Number,Trebuie să fie Număr întreg -Name,Nume -Name and Description,Nume și descriere -Name and Employee ID,Nume și ID angajat -"Name of new Account. Note: Please don't create accounts for Customers and Suppliers, they are created automatically from the Customer and Supplier master","Nume de nou cont. Notă: Vă rugăm să nu creați conturi pentru clienți și furnizori, ele sunt create în mod automat de la client și furnizor maestru" -Name of person or organization that this address belongs to.,Nume de persoană sau organizație care această adresă aparține. -Name of the Budget Distribution,Numele distribuția bugetului -Naming Series,Naming Series -Negative Quantity is not allowed,Negativ Cantitatea nu este permis -Negative Stock Error ({6}) for Item {0} in Warehouse {1} on {2} {3} in {4} {5},Eroare negativ Stock ({6}) pentru postul {0} în Depozit {1} la {2} {3} în {4} {5} -Negative Valuation Rate is not allowed,Negativ Rata de evaluare nu este permis -Negative balance in Batch {0} for Item {1} at Warehouse {2} on {3} {4},Sold negativ în Lot {0} pentru postul {1} ​​de la Warehouse {2} pe {3} {4} -Net Pay,Net plată -Net Pay (in words) will be visible once you save the Salary Slip.,Pay net (în cuvinte) vor fi vizibile după ce salvați fișa de salariu. -Net Total,Net total -Net Total (Company Currency),Net total (Compania de valuta) -Net Weight,Greutate netă -Net Weight UOM,Greutate neta UOM -Net Weight of each Item,Greutatea netă a fiecărui produs -Net pay cannot be negative,Salariul net nu poate fi negativ -Never,Niciodată + conflict by assigning priority. Price Rules: {0}","여러 가격 규칙이 동일한 기준으로 존재 확인하시기 바랍니다 \ + 우선 순위를 할당하여 충돌.가격 규칙 : {0}" +Music,음악 +Must be Whole Number,전체 숫자 여야합니다 +Name,이름 +Name and Description,이름 및 설명 +Name and Employee ID,이름 및 직원 ID +"Name of new Account. Note: Please don't create accounts for Customers and Suppliers, they are created automatically from the Customer and Supplier master","새로운 계정의 이름입니다.참고 : 고객 및 공급 업체를위한 계정을 생성하지 마십시오, 그들은 고객 및 공급 업체 마스터에서 자동으로 생성됩니다" +Name of person or organization that this address belongs to.,이 주소가 속해있는 개인이나 조직의 이름입니다. +Name of the Budget Distribution,예산 분배의 이름 +Naming Series,시리즈 이름 지정 +Negative Quantity is not allowed,음의 수량은 허용되지 않습니다 +Negative Stock Error ({6}) for Item {0} in Warehouse {1} on {2} {3} in {4} {5},음의 주식 오류 ({6}) 항목에 대한 {0} 창고 {1}에 {2} {3}에서 {4} {5} +Negative Valuation Rate is not allowed,부정 평가 비율은 허용되지 않습니다 +Negative balance in Batch {0} for Item {1} at Warehouse {2} on {3} {4},배치에 부정적인 균형 {0} 항목에 대한 {1}의 창고에서 {2}에서 {3} {4} +Net Pay,실질 임금 +Net Pay (in words) will be visible once you save the Salary Slip.,당신이 급여 슬립을 저장하면 (즉) 순 유료가 표시됩니다. +Net Profit / Loss,당기 순이익 / 손실 +Net Total,합계액 +Net Total (Company Currency),합계액 (회사 통화) +Net Weight,순중량 +Net Weight UOM,순 중량 UOM +Net Weight of each Item,각 항목의 순 중량 +Net pay cannot be negative,순 임금은 부정 할 수 없습니다 +Never,안함 New , -New Account,Cont nou -New Account Name,Nume nou cont -New BOM,Nou BOM -New Communications,Noi Comunicații -New Company,Noua companie -New Cost Center,Nou centru de cost -New Cost Center Name,New Cost Center Nume -New Delivery Notes,De livrare de noi Note -New Enquiries,Noi Intrebari -New Leads,Oportunitati noi -New Leave Application,Noua cerere de concediu -New Leaves Allocated,Frunze noi alocate -New Leaves Allocated (In Days),Frunze noi alocate (în zile) -New Material Requests,Noi cereri Material -New Projects,Proiecte noi -New Purchase Orders,Noi comenzi de aprovizionare -New Purchase Receipts,Noi Încasări de cumpărare -New Quotations,Noi Citatele -New Sales Orders,Noi comenzi de vânzări -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 -New Stock Entries,Stoc nou Entries -New Stock UOM,Nou Stock UOM -New Stock UOM is required,New Stock UOM este necesar -New Stock UOM must be different from current stock UOM,New Stock UOM trebuie să fie diferit de curent stoc UOM -New Supplier Quotations,Noi Cotațiile Furnizor -New Support Tickets,Noi Bilete Suport -New UOM must NOT be of type Whole Number,New UOM nu trebuie să fie de tip Număr întreg -New Workplace,Nou la locul de muncă -Newsletter,Newsletter -Newsletter Content,Newsletter Conținut -Newsletter Status,Newsletter Starea -Newsletter has already been sent,Newsletter a fost deja trimisa -Newsletters is not allowed for Trial users,Buletine de știri nu este permis pentru utilizatorii Trial -"Newsletters to contacts, leads.","Buletine de contacte, conduce." -Newspaper Publishers,Editorii de ziare -Next,Urmatorea -Next Contact By,Următor Contact Prin -Next Contact Date,Următor Contact Data -Next Date,Data viitoare -Next email will be sent on:,E-mail viitor va fi trimis la: -No,Nu -No Customer Accounts found.,Niciun Conturi client gasit. -No Customer or Supplier Accounts found,Nici un client sau furnizor Conturi a constatat -No Expense Approvers. Please assign 'Expense Approver' Role to atleast one user,"Nu sunt Aprobatori cheltuieli. Vă rugăm să atribui Rolul ""Cheltuieli aprobator"" la cel putin un utilizator" -No Item with Barcode {0},Nici un articol cu ​​coduri de bare {0} -No Item with Serial No {0},Nici un articol cu ​​ordine {0} -No Items to pack,Nu sunt produse în ambalaj -No Leave Approvers. Please assign 'Leave Approver' Role to atleast one user,"Nu sunt Aprobatori plece. Vă rugăm să atribui 'Leave aprobator ""Rolul de cel putin un utilizator" -No Permission,Lipsă acces -No Production Orders created,Nu sunt comenzile de producție create -No Supplier Accounts found. Supplier Accounts are identified based on 'Master Type' value in account record.,"Niciun Conturi Furnizor găsit. Conturile furnizorul sunt identificate pe baza valorii ""Maestru de tip"" în înregistrare cont." -No accounting entries for the following warehouses,Nici o intrare contabile pentru următoarele depozite -No addresses created,Nici o adresa create -No contacts created,Nici un contact create -No default BOM exists for Item {0},Nu există implicit BOM pentru postul {0} -No description given,Nici o descriere dat -No employee found,Nu a fost gasit angajat -No employee found!,Nici un angajat nu a fost gasit! -No of Requested SMS,Nu de SMS solicitat -No of Sent SMS,Nu de SMS-uri trimise -No of Visits,Nu de vizite -No permission,Nici o permisiune -No record found,Nu au găsit înregistrări +New Account,새 계정 +New Account Name,새 계정 이름 +New BOM,새로운 BOM +New Communications,새로운 통신 +New Company,새로운 회사 +New Cost Center,새로운 비용 센터 +New Cost Center Name,새로운 비용 센터의 이름 +New Delivery Notes,새로운 배달 노트 +New Enquiries,새로운 문의 +New Leads,새로운 리드 +New Leave Application,새로운 허가 신청 +New Leaves Allocated,할당 된 새로운 잎 +New Leaves Allocated (In Days),(일) 할당 된 새로운 잎 +New Material Requests,새로운 자료 요청 +New Projects,새로운 프로젝트 +New Purchase Orders,새로운 구매 주문 +New Purchase Receipts,새로운 구매 영수증 +New Quotations,새로운 인용 +New Sales Orders,새로운 판매 주문 +New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,새로운 시리얼 번호는 창고를 가질 수 없습니다.창고 재고 항목 또는 구입 영수증으로 설정해야합니다 +New Stock Entries,새로운 주식 항목 +New Stock UOM,새로운 주식 UOM +New Stock UOM is required,새로운 주식 UOM가 필요합니다 +New Stock UOM must be different from current stock UOM,새로운 주식 UOM은 현재 주식 UOM 달라야합니다 +New Supplier Quotations,새로운 공급 업체 인용 +New Support Tickets,새로운 지원 티켓 +New UOM must NOT be of type Whole Number,새 UOM 형 정수 가져야 할 필요는 없다 +New Workplace,새로운 직장 +Newsletter,뉴스레터 +Newsletter Content,뉴스 레터 내용 +Newsletter Status,뉴스 레터 상태 +Newsletter has already been sent,뉴스 레터는 이미 전송 된 +"Newsletters to contacts, leads.","상대에게 뉴스 레터, 리드." +Newspaper Publishers,신문 발행인 +Next,다음 +Next Contact By,다음 접촉 +Next Contact Date,다음 접촉 날짜 +Next Date,다음 날짜 +Next email will be sent on:,다음 이메일에 전송됩니다 : +No,아니네요 +No Customer Accounts found.,고객의 계정을 찾을 수 없습니다. +No Customer or Supplier Accounts found,고객의 또는 공급 업체 계정을 찾을 수 없습니다 +No Expense Approvers. Please assign 'Expense Approver' Role to atleast one user,더 비용 승인자 없습니다.이어야 한 사용자에게 '비용 승인자'역할을 할당하십시오 +No Item with Barcode {0},바코드 가진 항목이 없습니다 {0} +No Item with Serial No {0},시리얼 번호와 어떤 항목이 없습니다 {0} +No Items to pack,포장하는 항목이 없습니다 +No Leave Approvers. Please assign 'Leave Approver' Role to atleast one user,는 허가 승인자 없습니다.이어야 한 사용자에게 '허가 승인자'역할을 할당하십시오 +No Permission,아무 권한이 없습니다 +No Production Orders created,생성 된 NO 생성 주문하지 +No Supplier Accounts found. Supplier Accounts are identified based on 'Master Type' value in account record.,어떤 공급 업체의 계정을 찾을 수 없습니다.공급 업체 계정은 계정 레코드의 '마스터 유형'값을 기준으로 식별됩니다. +No accounting entries for the following warehouses,다음 창고에 대한 회계 항목이 없음 +No addresses created,이 생성되지 않음 주소 없음 +No contacts created,생성 된 주소록이 없습니다 +No default Address Template found. Please create a new one from Setup > Printing and Branding > Address Template.,기본 주소 템플릿을 찾을 수 없습니다.설정> 인쇄 및 브랜딩에서 새> 주소 템플릿을 생성 해주세요. +No default BOM exists for Item {0},기본의 BOM은 존재하지 않습니다 항목에 대한 {0} +No description given,주어진 설명이 없습니다 +No employee found,검색된 직원이 없습니다 +No employee found!,어떤 직원을 찾을 수 없습니다! +No of Requested SMS,요청 SMS 없음 +No of Sent SMS,보낸 SMS 없음 +No of Visits,방문 없음 +No permission,아무 권한이 없습니다 +No record found,검색된 레코드가 없습니다 +No records found in the Invoice table,송장 테이블에있는 레코드 없음 +No records found in the Payment table,지불 테이블에있는 레코드 없음 No salary slip found for month: , -Non Profit,Non-Profit -Nos,Nos -Not Active,Nu este activ -Not Applicable,Nu se aplică -Not Available,Indisponibil -Not Billed,Nu Taxat -Not Delivered,Nu Pronunțată -Not Set,Nu a fost setat -Not allowed to update entries older than {0},Nu este permis să actualizeze înregistrări mai vechi de {0} -Not authorized to edit frozen Account {0},Nu este autorizat pentru a edita contul congelate {0} -Not authroized since {0} exceeds limits,Nu authroized din {0} depășește limitele -Not permitted,Nu este permisă -Note,Notă -Note User,Notă utilizator -"Note: Backups and files are not deleted from Dropbox, you will have to delete them manually.","Notă: Backup și fișierele nu sunt șterse de la Dropbox, va trebui să le ștergeți manual." -"Note: Backups and files are not deleted from Google Drive, you will have to delete them manually.","Notă: Backup și fișierele nu sunt șterse de pe Google Drive, va trebui să le ștergeți manual." -Note: Due Date exceeds the allowed credit days by {0} day(s),Notă: Datorită Data depășește zilele de credit permise de {0} zi (s) -Note: Email will not be sent to disabled users,Notă: Adresa de email nu va fi trimis la utilizatorii cu handicap -Note: Item {0} entered multiple times,Notă: Articol {0} a intrat de mai multe ori -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" -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" -Note: There is not enough leave balance for Leave Type {0},Notă: Nu este echilibrul concediu suficient pentru concediul de tip {0} -Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Notă: Acest centru de cost este un grup. Nu pot face înregistrări contabile impotriva grupuri. -Note: {0},Notă: {0} -Notes,Observații: -Notes:,Observații: -Nothing to request,Nimic de a solicita -Notice (days),Preaviz (zile) -Notification Control,Controlul notificare -Notification Email Address,Notificarea Adresa de e-mail -Notify by Email on creation of automatic Material Request,Notifica prin e-mail la crearea de cerere automată Material -Number Format,Număr Format -Offer Date,Oferta Date -Office,Birou -Office Equipments,Echipamente de birou -Office Maintenance Expenses,Cheltuieli de întreținere birou -Office Rent,Birou inchiriat -Old Parent,Vechi mamă -On Net Total,Pe net total -On Previous Row Amount,La rândul precedent Suma -On Previous Row Total,Inapoi la rândul Total -Online Auctions,Licitatii Online -Only Leave Applications with status 'Approved' can be submitted,"Lasă doar Aplicatii cu statutul de ""Aprobat"" pot fi depuse" -"Only Serial Nos with status ""Available"" can be delivered.","Numai Serial nr cu statutul ""Disponibile"", pot fi livrate." -Only leaf nodes are allowed in transaction,Numai noduri frunze sunt permise în tranzacție -Only the selected Leave Approver can submit this Leave Application,Numai selectat concediu aprobator poate înainta această aplicație Leave -Open,Deschide -Open Production Orders,Comenzi deschis de producție -Open Tickets,Bilete deschise -Open source ERP built for the web,ERP open source construit pentru web -Opening (Cr),Deschidere (Cr) -Opening (Dr),Deschidere (Dr) -Opening Date,Data deschiderii -Opening Entry,Deschiderea de intrare -Opening Qty,Deschiderea Cantitate -Opening Time,Timp de deschidere -Opening Value,Valoare de deschidere -Opening for a Job.,Deschidere pentru un loc de muncă. -Operating Cost,Costul de operare -Operation Description,Operație Descriere -Operation No,Operațiunea nu -Operation Time (mins),Operațiunea Timp (min) -Operation {0} is repeated in Operations Table,Operațiunea {0} se repetă în Operations tabelul -Operation {0} not present in Operations Table,Operațiunea {0} nu este prezent în Operations tabelul -Operations,Operatii -Opportunity,Oportunitate -Opportunity Date,Oportunitate Data -Opportunity From,Oportunitate de la -Opportunity Item,Oportunitate Articol -Opportunity Items,Articole de oportunitate -Opportunity Lost,Opportunity Lost -Opportunity Type,Tip de oportunitate -Optional. This setting will be used to filter in various transactions.,Opțional. Această setare va fi utilizat pentru a filtra în diverse tranzacții. -Order Type,Tip comandă -Order Type must be one of {1},Pentru Tipul trebuie să fie una din {1} -Ordered,Ordonat -Ordered Items To Be Billed,Comandat de Articole Pentru a fi facturat -Ordered Items To Be Delivered,Comandat de elemente pentru a fi livrate -Ordered Qty,Ordonat Cantitate -"Ordered Qty: Quantity ordered for purchase, but not received.","Comandat Cantitate: Cantitatea comandat pentru cumpărare, dar nu a primit." -Ordered Quantity,Ordonat Cantitate -Orders released for production.,Comenzi lansat pentru producție. -Organization Name,Numele organizației -Organization Profile,Organizație de profil -Organization branch master.,Ramură organizație maestru. -Organization unit (department) master.,Unitate de organizare (departament) maestru. -Original Amount,Suma inițială -Other,Altul -Other Details,Alte detalii -Others,Altel -Out Qty,Out Cantitate -Out Value,Out Valoarea -Out of AMC,Din AMC -Out of Warranty,Din garanție -Outgoing,Trimise -Outstanding Amount,Remarcabil Suma -Outstanding for {0} cannot be less than zero ({1}),Restante pentru {0} nu poate fi mai mică decât zero ({1}) -Overhead,Deasupra -Overheads,Cheltuieli generale -Overlapping conditions found between:,Condiții se suprapun găsite între: -Overview,Prezentare generală -Owned,Owned -Owner,Proprietar -PL or BS,PL sau BS -PO Date,PO Data -PO No,PO Nu -POP3 Mail Server,POP3 Mail Server -POP3 Mail Settings,POP3 Mail Settings -POP3 mail server (e.g. pop.gmail.com),Server de poștă electronică POP3 (de exemplu pop.gmail.com) -POP3 server e.g. (pop.gmail.com),Server de POP3 de exemplu (pop.gmail.com) -POS Setting,Setarea POS -POS Setting required to make POS Entry,Setarea POS necesare pentru a face POS intrare -POS Setting {0} already created for user: {1} and company {2},Setarea POS {0} deja creat pentru utilizator: {1} și companie {2} -POS View,POS View -PR Detail,PR Detaliu -PR Posting Date,PR Dată postare -Package Item Details,Detalii pachet Postul -Package Items,Pachet Articole -Package Weight Details,Pachetul Greutate Detalii -Packed Item,Articol ambalate -Packed quantity must equal quantity for Item {0} in row {1},Cantitate ambalate trebuie să fie egală cantitate pentru postul {0} în rândul {1} -Packing Details,Detalii de ambalare -Packing List,Lista de ambalare -Packing Slip,Slip de ambalare -Packing Slip Item,Bonul Articol -Packing Slip Items,Bonul de Articole -Packing Slip(s) cancelled,Slip de ambalare (e) anulate -Page Break,Page Break -Page Name,Nume pagină -Paid Amount,Suma plătită -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 -Pair,Pereche -Parameter,Parametru -Parent Account,Contul părinte -Parent Cost Center,Părinte Cost Center -Parent Customer Group,Părinte Client Group -Parent Detail docname,Părinte Detaliu docname -Parent Item,Părinte Articol -Parent Item Group,Părinte Grupa de articole -Parent Item {0} must be not Stock Item and must be a Sales Item,Părinte Articol {0} nu trebuie să fie Stock Articol și trebuie să fie un element de vânzări -Parent Party Type,Tip Party părinte -Parent Sales Person,Mamă Sales Person -Parent Territory,Teritoriul părinte -Parent Website Page,Părinte Site Page -Parent Website Route,Părinte Site Route -Parent account can not be a ledger,Cont părinte nu poate fi un registru -Parent account does not exist,Cont părinte nu există -Parenttype,ParentType -Part-time,Part-time -Partially Completed,Parțial finalizate -Partly Billed,Parțial Taxat -Partly Delivered,Parțial livrate -Partner Target Detail,Partener țintă Detaliu -Partner Type,Tip partener -Partner's Website,Site-ul partenerului -Party Type,Tip de partid -Party Type Name,Tip partid Nume -Passive,Pasiv -Passport Number,Numărul de pașaport -Password,Parolă -Pay To / Recd From,Pentru a plăti / Recd de la -Payable,Plătibil -Payables,Datorii -Payables Group,Datorii Group -Payment Days,Zile de plată -Payment Due Date,Data scadentă de plată -Payment Period Based On Invoice Date,Perioada de plată Bazat pe Data facturii -Payment Type,Tip de plată -Payment of salary for the month {0} and year {1},Plata salariului pentru luna {0} și {1 an} -Payment to Invoice Matching Tool,Plata la factură Tool potrivire -Payment to Invoice Matching Tool Detail,Plată să factureze Tool potrivire Detaliu -Payments,Plăți -Payments Made,Plățile efectuate -Payments Received,Plăți primite -Payments made during the digest period,Plățile efectuate în timpul perioadei de rezumat -Payments received during the digest period,Plăților primite în perioada de rezumat -Payroll Settings,Setări de salarizare -Pending,În așteptarea -Pending Amount,În așteptarea Suma -Pending Items {0} updated,Elemente în curs de {0} actualizat -Pending Review,Revizuirea în curs -Pending SO Items For Purchase Request,Până la SO articole pentru cerere de oferta -Pension Funds,Fondurile de pensii -Percent Complete,La sută complet -Percentage Allocation,Alocarea procent -Percentage Allocation should be equal to 100%,Alocarea procent ar trebui să fie egală cu 100% -Percentage variation in quantity to be allowed while receiving or delivering this item.,"Variație procentuală, în cantitate va fi permisă în timp ce primirea sau livrarea acestui articol." -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." -Performance appraisal.,De evaluare a performantei. -Period,Perioada -Period Closing Voucher,Voucher perioadă de închidere -Periodicity,Periodicitate -Permanent Address,Permanent Adresa -Permanent Address Is,Adresa permanentă este -Permission,Permisiune -Personal,Trader -Personal Details,Detalii personale -Personal Email,Personal de e-mail -Pharmaceutical,Farmaceutic -Pharmaceuticals,Produse farmaceutice -Phone,Telefon -Phone No,Nu telefon -Piecework,Muncă în acord -Pincode,Parola așa -Place of Issue,Locul eliberării -Plan for maintenance visits.,Planul de de vizite de întreținere. -Planned Qty,Planificate Cantitate -"Planned Qty: Quantity, for which, Production Order has been raised, but is pending to be manufactured.","Planificate Cantitate: Cantitate, pentru care, de producție Ordinul a fost ridicat, dar este în curs de a fi fabricate." -Planned Quantity,Planificate Cantitate -Planning,Planificare -Plant,Instalarea -Plant and Machinery,Instalații tehnice și mașini -Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,Vă rugăm Introduceți abreviere sau Numele Scurt corect ca acesta va fi adăugat ca sufix la toate capetele de cont. -Please add expense voucher details,Vă rugăm să adăugați cheltuieli detalii voucher -Please check 'Is Advance' against Account {0} if this is an advance entry.,"Vă rugăm să verificați ""Este Advance"" împotriva Contul {0} în cazul în care acest lucru este o intrare în avans." -Please click on 'Generate Schedule',"Vă rugăm să faceți clic pe ""Generate Program""" -Please click on 'Generate Schedule' to fetch Serial No added for Item {0},"Vă rugăm să faceți clic pe ""Generate Program"", pentru a aduce ordine adăugat pentru postul {0}" -Please click on 'Generate Schedule' to get schedule,"Vă rugăm să faceți clic pe ""Generate Program"", pentru a obține programul" -Please create Customer from Lead {0},Vă rugăm să creați client de plumb {0} -Please create Salary Structure for employee {0},Vă rugăm să creați Structura Salariul pentru angajat {0} -Please create new account from Chart of Accounts.,Vă rugăm să creați un cont nou de Planul de conturi. -Please do NOT create Account (Ledgers) for Customers and Suppliers. They are created directly from the Customer / Supplier masters.,Vă rugăm să nu crea contul (Ledgers) pentru clienții și furnizorii. Ele sunt create direct de la masterat client / furnizor. -Please enter 'Expected Delivery Date',"Vă rugăm să introduceți ""Data de livrare așteptată""" -Please enter 'Is Subcontracted' as Yes or No,"Va rugam sa introduceti ""este subcontractată"" ca Da sau Nu" -Please enter 'Repeat on Day of Month' field value,"Va rugam sa introduceti ""Repeat la zi a lunii"" valoare de câmp" -Please enter Account Receivable/Payable group in company master,Va rugam sa introduceti cont de încasat / de grup se plateste in companie de master -Please enter Approving Role or Approving User,Vă rugăm să introduceți Aprobarea Rolul sau aprobarea de utilizare -Please enter BOM for Item {0} at row {1},Va rugam sa introduceti BOM pentru postul {0} la rândul {1} -Please enter Company,Va rugam sa introduceti de companie -Please enter Cost Center,Va rugam sa introduceti Cost Center -Please enter Delivery Note No or Sales Invoice No to proceed,Va rugam sa introduceti de livrare Notă Nu sau Factura Vanzare Nu pentru a continua -Please enter Employee Id of this sales parson,Vă rugăm să introduceți ID-ul angajatului din acest Parson vânzări -Please enter Expense Account,Va rugam sa introduceti cont de cheltuieli -Please enter Item Code to get batch no,Va rugam sa introduceti codul articol pentru a obține lot nu -Please enter Item Code.,Vă rugăm să introduceți Cod produs. -Please enter Item first,Va rugam sa introduceti Articol primul -Please enter Maintaince Details first,Va rugam sa introduceti maintaince detaliile prima -Please enter Master Name once the account is created.,Va rugam sa introduceti Maestrul Numele odată ce este creat contul. -Please enter Planned Qty for Item {0} at row {1},Va rugam sa introduceti planificate Cantitate pentru postul {0} la rândul {1} -Please enter Production Item first,Va rugam sa introduceti de producție Articol întâi -Please enter Purchase Receipt No to proceed,Va rugam sa introduceti Primirea de cumparare Nu pentru a continua -Please enter Reference date,Vă rugăm să introduceți data de referință -Please enter Warehouse for which Material Request will be raised,Va rugam sa introduceti Depozit pentru care va fi ridicat Material Cerere -Please enter Write Off Account,Va rugam sa introduceti Scrie Off cont -Please enter atleast 1 invoice in the table,Va rugam sa introduceti cel putin 1 factura în tabelul -Please enter company first,Va rugam sa introduceti prima companie -Please enter company name first,Va rugam sa introduceti numele companiei în primul rând -Please enter default Unit of Measure,Va rugam sa introduceti Unitatea de măsură prestabilită -Please enter default currency in Company Master,Va rugam sa introduceti moneda implicit în Compania de Master -Please enter email address,Introduceți adresa de e-mail -Please enter item details,Va rugam sa introduceti detalii element -Please enter message before sending,Vă rugăm să introduceți mesajul înainte de trimitere -Please enter parent account group for warehouse account,Va rugam sa introduceti grup considerare părinte de cont depozit -Please enter parent cost center,Vă rugăm să introduceți centru de cost părinte -Please enter quantity for Item {0},Va rugam sa introduceti cantitatea pentru postul {0} -Please enter relieving date.,Vă rugăm să introduceți data alinarea. -Please enter sales order in the above table,Vă rugăm să introduceți comenzi de vânzări în tabelul de mai sus -Please enter valid Company Email,Va rugam sa introduceti email valida de companie -Please enter valid Email Id,Va rugam sa introduceti email valida Id -Please enter valid Personal Email,Va rugam sa introduceti email valida personale -Please enter valid mobile nos,Va rugam sa introduceti nos mobile valabile -Please install dropbox python module,Vă rugăm să instalați dropbox modul python -Please mention no of visits required,Vă rugăm să menționați nici de vizite necesare -Please pull items from Delivery Note,Vă rugăm să trage elemente de livrare Nota -Please save the Newsletter before sending,Vă rugăm să salvați Newsletter înainte de a trimite -Please save the document before generating maintenance schedule,Vă rugăm să salvați documentul înainte de a genera programul de întreținere -Please select Account first,Vă rugăm să selectați cont în primul rând -Please select Bank Account,Vă rugăm să selectați cont bancar -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 -Please select Category first,Vă rugăm să selectați categoria întâi -Please select Charge Type first,Vă rugăm să selectați de încărcare Tip întâi -Please select Fiscal Year,Vă rugăm să selectați Anul fiscal -Please select Group or Ledger value,Vă rugăm să selectați Group sau Ledger valoare -Please select Incharge Person's name,Vă rugăm să selectați numele Incharge Persoana -"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Sales BOM","Vă rugăm să selectați element, de unde ""Este Piesa"" este ""Nu"" și ""E Articol de vânzări"" este ""da"", și nu există nici un alt Vanzari BOM" -Please select Price List,Vă rugăm să selectați lista de prețuri -Please select Start Date and End Date for Item {0},Vă rugăm să selectați data de început și Data de final pentru postul {0} -Please select a csv file,Vă rugăm să selectați un fișier csv -Please select a valid csv file with data,Vă rugăm să selectați un fișier csv valid cu date -Please select a value for {0} quotation_to {1},Vă rugăm să selectați o valoare de {0} {1} quotation_to -"Please select an ""Image"" first","Vă rugăm să selectați o ""imagine"" în primul rând" -Please select charge type first,Vă rugăm să selectați tipul de taxă în primul rând -Please select company first.,Vă rugăm să selectați prima companie. -Please select item code,Vă rugăm să selectați codul de articol -Please select month and year,Vă rugăm selectați luna și anul -Please select prefix first,Vă rugăm să selectați prefix întâi -Please select the document type first,Vă rugăm să selectați tipul de document primul -Please select weekly off day,Vă rugăm să selectați zi liberă pe săptămână -Please select {0},Vă rugăm să selectați {0} -Please select {0} first,Vă rugăm selectați 0} {întâi -Please set Dropbox access keys in your site config,Vă rugăm să setați tastele de acces Dropbox pe site-ul dvs. de configurare -Please set Google Drive access keys in {0},Vă rugăm să setați tastele de acces disk Google în {0} -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} -Please set default value {0} in Company {0},Vă rugăm să setați valoarea implicită {0} în companie {0} -Please set {0},Vă rugăm să setați {0} -Please setup Employee Naming System in Human Resource > HR Settings,Vă rugăm să configurare Angajat sistemul de numire în resurse umane> Settings HR -Please setup numbering series for Attendance via Setup > Numbering Series,Vă rugăm să configurare serie de numerotare pentru Spectatori prin Setup> Numerotare Series -Please setup your chart of accounts before you start Accounting Entries,Vă rugăm configurarea diagrama de conturi înainte de a începe înregistrările contabile -Please specify,Vă rugăm să specificați -Please specify Company,Vă rugăm să specificați companiei -Please specify Company to proceed,Vă rugăm să specificați companiei pentru a continua -Please specify Default Currency in Company Master and Global Defaults,Vă rugăm să precizați implicit de valuta în Compania de Master și setări implicite globale -Please specify a,Vă rugăm să specificați un -Please specify a valid 'From Case No.',"Vă rugăm să specificați un valabil ""Din cauza nr""" -Please specify a valid Row ID for {0} in row {1},Vă rugăm să specificați un ID valid de linie pentru {0} în rândul {1} -Please specify either Quantity or Valuation Rate or both,Vă rugăm să specificați fie Cantitate sau Evaluează evaluare sau ambele -Please submit to update Leave Balance.,Vă rugăm să trimiteți actualizarea concediul Balance. -Plot,Parcelarea / Reprezentarea grafică / Trasarea -Plot By,Plot Prin -Point of Sale,Point of Sale -Point-of-Sale Setting,Punct-de-vânzare Setting -Post Graduate,Postuniversitar -Postal,Poștal -Postal Expenses,Cheltuieli poștale -Posting Date,Dată postare -Posting Time,Postarea de timp -Posting timestamp must be after {0},Timestamp postarea trebuie să fie după {0} -Potential opportunities for selling.,Potențiale oportunități de vânzare. -Preferred Billing Address,Adresa de facturare preferat -Preferred Shipping Address,Preferat Adresa Shipping -Prefix,Prefix -Present,Prezenta -Prevdoc DocType,Prevdoc DocType -Prevdoc Doctype,Prevdoc Doctype -Preview,Previzualizați -Previous,Precedenta -Previous Work Experience,Anterior Work Experience -Price,Preț -Price / Discount,Preț / Reducere -Price List,Lista de prețuri -Price List Currency,Lista de pret Valuta -Price List Currency not selected,Lista de pret Valuta nu selectat -Price List Exchange Rate,Lista de prețuri Cursul de schimb -Price List Name,Lista de prețuri Nume -Price List Rate,Lista de prețuri Rate -Price List Rate (Company Currency),Lista de prețuri Rate (Compania de valuta) -Price List master.,Maestru Lista de prețuri. -Price List must be applicable for Buying or Selling,Lista de prețuri trebuie să fie aplicabilă pentru cumpărarea sau vânzarea de -Price List not selected,Lista de prețuri nu selectat -Price List {0} is disabled,Lista de prețuri {0} este dezactivat -Price or Discount,Preț sau Reducere -Pricing Rule,Regula de stabilire a prețurilor -Pricing Rule For Discount,De stabilire a prețurilor De regulă Discount -Pricing Rule For Price,De stabilire a prețurilor De regulă Pret -Print Format Style,Print Style Format -Print Heading,Imprimare Titlu -Print Without Amount,Imprima Fără Suma -Print and Stationary,Imprimare și staționare -Printing and Branding,Imprimarea și Branding -Priority,Prioritate -Private Equity,Private Equity -Privilege Leave,Privilege concediu -Probation,Probă -Process Payroll,Salarizare proces -Produced,Produs -Produced Quantity,Produs Cantitate -Product Enquiry,Intrebare produs -Production,Producţie -Production Order,Număr Comandă Producţie: -Production Order status is {0},Statutul de producție Ordinul este {0} -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 -Production Order {0} must be submitted,Producția de Ordine {0} trebuie să fie prezentate -Production Orders,Comenzi de producție -Production Orders in Progress,Comenzile de producție în curs de desfășurare -Production Plan Item,Planul de producție Articol -Production Plan Items,Planul de producție Articole -Production Plan Sales Order,Planul de producție comandă de vânzări -Production Plan Sales Orders,Planul de producție comenzi de vânzări -Production Planning Tool,Producție instrument de planificare -Products,Instrumente -"Products will be sorted by weight-age in default searches. More the weight-age, higher the product will appear in the list.","Produsele vor fi clasificate în funcție de greutate, vârstă în căutări implicite. Mai mult greutate de vârstă, mai mare produsul va apărea în listă." -Profit and Loss,Profit și pierdere -Project,Proiectarea -Project Costing,Proiect de calculație a costurilor -Project Details,Detalii proiect -Project Manager,Manager de Proiect -Project Milestone,Milestone proiect -Project Milestones,Repere de proiect -Project Name,Denumirea proiectului -Project Start Date,Data de începere a proiectului -Project Type,Tip de proiect -Project Value,Valoare proiect -Project activity / task.,Activitatea de proiect / sarcină. -Project master.,Maestru proiect. -Project will get saved and will be searchable with project name given,Proiect vor fi salvate și vor fi căutate cu nume proiect dat -Project wise Stock Tracking,Proiect înțelept Tracking Stock -Project-wise data is not available for Quotation,Date proiect-înțelept nu este disponibilă pentru ofertă -Projected,Proiectat -Projected Qty,Proiectat Cantitate -Projects,Proiecte -Projects & System,Proiecte & System -Prompt for Email on Submission of,Prompt de e-mail pe Depunerea -Proposal Writing,Propunere de scriere -Provide email id registered in company,Furnizarea id-ul de e-mail înregistrată în societate -Public,Public -Publishing,Editare -Pull sales orders (pending to deliver) based on the above criteria,"Trage comenzi de vânzări (în curs de a livra), pe baza criteriilor de mai sus" -Purchase,Cumpărarea -Purchase / Manufacture Details,Detalii de cumpărare / Fabricarea -Purchase Analytics,Analytics de cumpărare -Purchase Common,Cumpărare comună -Purchase Details,Detalii de cumpărare -Purchase Discounts,Cumpărare Reduceri -Purchase In Transit,Cumpărare în tranzit -Purchase Invoice,Factura de cumpărare -Purchase Invoice Advance,Factura de cumpărare în avans -Purchase Invoice Advances,Avansuri factura de cumpărare -Purchase Invoice Item,Factura de cumpărare Postul -Purchase Invoice Trends,Cumpărare Tendințe factură -Purchase Invoice {0} is already submitted,Factura de cumpărare {0} este deja depusă -Purchase Order,Comandă de aprovizionare -Purchase Order Date,Comandă de aprovizionare Date -Purchase Order Item,Comandă de aprovizionare Articol -Purchase Order Item No,Comandă de aprovizionare Punctul nr -Purchase Order Item Supplied,Comandă de aprovizionare Articol Livrat -Purchase Order Items,Cumpărare Ordine Articole -Purchase Order Items Supplied,Comandă de aprovizionare accesoriilor furnizate -Purchase Order Items To Be Billed,Cumparare Ordine Articole Pentru a fi facturat -Purchase Order Items To Be Received,Achiziția comandă elementele de încasat -Purchase Order Message,Purchase Order Mesaj -Purchase Order Required,Comandă de aprovizionare necesare -Purchase Order Trends,Comandă de aprovizionare Tendințe -Purchase Order number required for Item {0},Număr de comandă de aprovizionare necesare pentru postul {0} -Purchase Order {0} is 'Stopped',"Achiziția comandă {0} este ""Oprit""" -Purchase Order {0} is not submitted,Comandă {0} nu este prezentat -Purchase Orders given to Suppliers.,A achiziționa ordine de date Furnizori. -Purchase Receipt,Primirea de cumpărare -Purchase Receipt Item,Primirea de cumpărare Postul -Purchase Receipt Item Supplied,Primirea de cumpărare Articol Livrat -Purchase Receipt Item Supplieds,Primirea de cumpărare Supplieds Postul -Purchase Receipt Items,Primirea de cumpărare Articole -Purchase Receipt Message,Primirea de cumpărare Mesaj -Purchase Receipt No,Primirea de cumpărare Nu -Purchase Receipt Required,Cumpărare de primire Obligatoriu -Purchase Receipt Trends,Tendințe Primirea de cumpărare -Purchase Receipt number required for Item {0},Număr Primirea de achiziție necesar pentru postul {0} -Purchase Receipt {0} is not submitted,Primirea de cumpărare {0} nu este prezentat -Purchase Register,Cumpărare Inregistrare -Purchase Return,Înapoi cumpărare -Purchase Returned,Cumpărare returnate -Purchase Taxes and Charges,Taxele de cumpărare și Taxe -Purchase Taxes and Charges Master,Taxele de cumpărare și taxe de Master -Purchse Order number required for Item {0},Număr de ordine Purchse necesar pentru postul {0} -Purpose,Scopul -Purpose must be one of {0},Scopul trebuie să fie una dintre {0} -QA Inspection,QA Inspecția -Qty,Cantitate -Qty Consumed Per Unit,Cantitate consumata pe unitatea -Qty To Manufacture,Cantitate pentru fabricarea -Qty as per Stock UOM,Cantitate conform Stock UOM -Qty to Deliver,Cantitate pentru a oferi -Qty to Order,Cantitate pentru comandă -Qty to Receive,Cantitate de a primi -Qty to Transfer,Cantitate de a transfera -Qualification,Calificare -Quality,Calitate -Quality Inspection,Inspecție de calitate -Quality Inspection Parameters,Parametrii de control de calitate -Quality Inspection Reading,Inspecție de calitate Reading -Quality Inspection Readings,Lecturi de control de calitate -Quality Inspection required for Item {0},Inspecție de calitate necesare pentru postul {0} -Quality Management,Managementul calitatii -Quantity,Cantitate -Quantity Requested for Purchase,Cantitate solicitată de cumparare -Quantity and Rate,Cantitatea și rata -Quantity and Warehouse,Cantitatea și Warehouse -Quantity cannot be a fraction in row {0},Cantitatea nu poate fi o fracțiune în rând {0} -Quantity for Item {0} must be less than {1},Cantitatea pentru postul {0} trebuie să fie mai mică de {1} -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}" -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 -Quantity required for Item {0} in row {1},Cantitatea necesară pentru postul {0} în rândul {1} -Quarter,Trimestru -Quarterly,Trimestrial -Quick Help,Ajutor rapid -Quotation,Citat -Quotation Date,Citat Data -Quotation Item,Citat Articol -Quotation Items,Cotație Articole -Quotation Lost Reason,Citat pierdut rațiunea -Quotation Message,Citat Mesaj -Quotation To,Citat Pentru a -Quotation Trends,Cotație Tendințe -Quotation {0} is cancelled,Citat {0} este anulat -Quotation {0} not of type {1},Citat {0} nu de tip {1} -Quotations received from Suppliers.,Cotatiilor primite de la furnizori. -Quotes to Leads or Customers.,Citate la Oportunitati sau clienți. -Raise Material Request when stock reaches re-order level,Ridica Material Cerere atunci când stocul ajunge la nivelul re-comandă -Raised By,Ridicate de -Raised By (Email),Ridicate de (e-mail) -Random,Aleatorii -Range,Interval -Rate,rată +Non Profit,비영리 +Nos,NOS +Not Active,동작 없음 +Not Applicable,적용 할 수 없음 +Not Available,사용할 수 없음 +Not Billed,청구되지 않음 +Not Delivered,전달되지 않음 +Not Set,설정 아님 +Not allowed to update stock transactions older than {0},이상 주식 거래는 이전 업데이트 할 수 없습니다 {0} +Not authorized to edit frozen Account {0},냉동 계정을 편집 할 수있는 권한이 없습니다 {0} +Not authroized since {0} exceeds limits,{0} 한도를 초과 한 authroized Not +Not permitted,허용하지 않음 +Note,정보 +Note User,주 사용자 +"Note: Backups and files are not deleted from Dropbox, you will have to delete them manually.","참고 : 백업 및 파일이 드롭 박스에서 삭제되지 않습니다, 당신은 수동으로 삭제해야합니다." +"Note: Backups and files are not deleted from Google Drive, you will have to delete them manually.","참고 : 백업 및 파일을 구글 드라이브에서 삭제되지 않습니다, 당신은 수동으로 삭제해야합니다." +Note: Due Date exceeds the allowed credit days by {0} day(s),참고 : 마감일은 {0} 일 (들)에 의해 허용 된 신용 일을 초과 +Note: Email will not be sent to disabled users,참고 : 전자 메일을 사용할 사용자에게 전송되지 않습니다 +Note: Item {0} entered multiple times,참고 : {0} 항목을 여러 번 입력 +Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,참고 : 결제 항목이 '현금 또는 은행 계좌'이 지정되지 않았기 때문에 생성되지 않습니다 +Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,주 : 시스템이 항목에 대한 납품에 이상 - 예약 확인하지 않습니다 {0} 수량 또는 금액으로 0이됩니다 +Note: There is not enough leave balance for Leave Type {0},참고 : 허가 유형에 대한 충분한 휴가 밸런스가 없습니다 {0} +Note: This Cost Center is a Group. Cannot make accounting entries against groups.,참고 :이 비용 센터가 그룹입니다.그룹에 대한 회계 항목을 만들 수 없습니다. +Note: {0},참고 : {0} +Notes,참고 +Notes:,주석: +Nothing to request,요청하지 마 +Notice (days),공지 사항 (일) +Notification Control,알림 제어 +Notification Email Address,알림 전자 메일 주소 +Notify by Email on creation of automatic Material Request,자동 자료 요청의 생성에 이메일로 통보 +Number Format,번호 형식 +Offer Date,제공 날짜 +Office,사무실 +Office Equipments,사무용품 +Office Maintenance Expenses,사무실 유지 비용 +Office Rent,사무실 임대 +Old Parent,이전 부모 +On Net Total,인터넷 전체에 +On Previous Row Amount,이전 행의 양에 +On Previous Row Total,이전 행에 총 +Online Auctions,온라인 경매 +Only Leave Applications with status 'Approved' can be submitted,만 제출 될 수있다 '승인'상태로 응용 프로그램을 남겨주 +"Only Serial Nos with status ""Available"" can be delivered.","상태 만 직렬 NOS는 ""사용 가능한""전달 될 수있다." +Only leaf nodes are allowed in transaction,만 잎 노드는 트랜잭션에 허용 +Only the selected Leave Approver can submit this Leave Application,만 선택 안함 승인자이 허가 신청을 제출할 수 있습니다 +Open,열기 +Open Production Orders,오픈 생산 주문 +Open Tickets,오픈 티켓 +Opening (Cr),오프닝 (CR) +Opening (Dr),오프닝 (박사) +Opening Date,Opening 날짜 +Opening Entry,항목 열기 +Opening Qty,열기 수량 +Opening Time,영업 시간 +Opening Value,영업 가치 +Opening for a Job.,작업에 대한 열기. +Operating Cost,운영 비용 +Operation Description,작업 설명 +Operation No,동작 없음 +Operation Time (mins),동작 시간 (분) +Operation {0} is repeated in Operations Table,동작은 {0} 작업 테이블에 반복된다 +Operation {0} not present in Operations Table,작업 테이블의 작업 {0} 존재하지 +Operations,운영 +Opportunity,기회 +Opportunity Date,기회 날짜 +Opportunity From,기회에서 +Opportunity Item,기회 상품 +Opportunity Items,기회 항목 +Opportunity Lost,잃어버린 기회 +Opportunity Type,기회의 유형 +Optional. This setting will be used to filter in various transactions.,선택.이 설정은 다양한 거래를 필터링하는 데 사용됩니다. +Order Type,주문 유형 +Order Type must be one of {0},주문 유형 중 하나 여야합니다 {0} +Ordered,주문 +Ordered Items To Be Billed,청구 항목을 주문한 +Ordered Items To Be Delivered,전달 될 품목을 주문 +Ordered Qty,수량 주문 +"Ordered Qty: Quantity ordered for purchase, but not received.",수량을 주문하는 : 수량 구입 주문 만 접수되지. +Ordered Quantity,주문 수량 +Orders released for production.,생산 발표 순서. +Organization Name,조직 이름 +Organization Profile,기업 프로필 +Organization branch master.,조직 분기의 마스터. +Organization unit (department) master.,조직 단위 (현)의 마스터. +Other,기타 +Other Details,기타 세부 사항 +Others,기타사항 +Out Qty,수량 아웃 +Out Value,분배 가치 +Out of AMC,AMC의 아웃 +Out of Warranty,보증 기간 만료 +Outgoing,발신 +Outstanding Amount,잔액 +Outstanding for {0} cannot be less than zero ({1}),뛰어난 {0}보다 작을 수 없습니다에 대한 ({1}) +Overhead,간접비 +Overheads,간접비 +Overlapping conditions found between:,사이에있는 중복 조건 : +Overview,개요 +Owned,소유 +Owner,소유권자 +P L A - Cess Portion,PLA - 운 비중 +PL or BS,PL 또는 BS +PO Date,PO 날짜 +PO No,PO 없음 +POP3 Mail Server,POP3 메일 서버 +POP3 Mail Settings,POP3 메일 설정 +POP3 mail server (e.g. pop.gmail.com),POP3 메일 서버 (예 pop.gmail.com) +POP3 server e.g. (pop.gmail.com),POP3 서버 예 (pop.gmail.com) +POS Setting,POS 설정 +POS Setting required to make POS Entry,POS 항목에게하기 위해 필요한 POS 설정 +POS Setting {0} already created for user: {1} and company {2},POS 설정 {0}이 (가) 이미 사용자에 대해 만들어 {1} 및 회사 {2} +POS View,POS보기 +PR Detail,PR의 세부 사항 +Package Item Details,패키지 상품 상세 +Package Items,패키지 아이템 +Package Weight Details,포장 무게 세부 정보 +Packed Item,포장 된 상품 +Packed quantity must equal quantity for Item {0} in row {1},{0} 행에서 {1} 포장 수량의 수량을 동일해야합니다 +Packing Details,패킹 세부 사항 +Packing List,패킹리스트 +Packing Slip,포장 명세서 +Packing Slip Item,패킹 슬립 상품 +Packing Slip Items,슬립 항목을 포장 +Packing Slip(s) cancelled,포장 명세서 (들) 취소 +Page Break,페이지 나누기 +Page Name,페이지 이름 +Paid Amount,지불 금액 +Paid amount + Write Off Amount can not be greater than Grand Total,지불 금액 + 금액 오프 쓰기 총합보다 클 수 없습니다 +Pair,페어링 +Parameter,매개변수 +Parent Account,부모 합계좌 +Parent Cost Center,부모의 비용 센터 +Parent Customer Group,상위 고객 그룹 +Parent Detail docname,부모 상세 docName 같은 +Parent Item,상위 항목 +Parent Item Group,부모 항목 그룹 +Parent Item {0} must be not Stock Item and must be a Sales Item,"부모 항목 {0} 재고 품목이 아니해야하며, 판매 품목이어야합니다" +Parent Party Type,부모 파티 유형 +Parent Sales Person,부모 판매 사람 +Parent Territory,상위 지역 +Parent Website Page,상위 웹 사이트의 페이지 +Parent Website Route,상위 웹 사이트 루트 +Parenttype,Parenttype +Part-time,파트 타임으로 +Partially Completed,부분적으로 완료 +Partly Billed,일부 청구 +Partly Delivered,일부 배달 +Partner Target Detail,파트너 대상의 세부 사항 +Partner Type,파트너 유형 +Partner's Website,파트너의 웹 사이트 +Party,파티 +Party Account,당 계정 +Party Type,파티 형 +Party Type Name,당 유형 이름 +Passive,수동 +Passport Number,여권 번호 +Password,비밀번호 +Pay To / Recd From,에서 / Recd 지불 +Payable,지급 +Payables,채무 +Payables Group,매입 채무 그룹 +Payment Days,지불 일 +Payment Due Date,지불 기한 +Payment Period Based On Invoice Date,송장의 날짜를 기준으로 납부 기간 +Payment Reconciliation,결제 조정 +Payment Reconciliation Invoice,결제 조정 송장 +Payment Reconciliation Invoices,지불 화해 인보이스 +Payment Reconciliation Payment,지불 화해 지불 +Payment Reconciliation Payments,지불 화해 지불 +Payment Type,지불 유형 +Payment cannot be made for empty cart,결제는 빈 카트에 할 수 없다 +Payment of salary for the month {0} and year {1},달의 급여의 지급 {0}과 연도 {1} +Payments,지불 +Payments Made,지불 한 금액 +Payments Received,지불금 +Payments made during the digest period,다이제스트 기간 중에 지불 +Payments received during the digest period,다이제스트 기간 동안받은 지불 +Payroll Settings,급여 설정 +Pending,대기 중 +Pending Amount,대기중인 금액 +Pending Items {0} updated,보류중인 항목 {0} 업데이트 +Pending Review,검토 중 +Pending SO Items For Purchase Request,구매 요청에 대한 SO 항목 보류 +Pension Funds,연금 펀드 +Percent Complete,완료율 +Percentage Allocation,비율 할당 +Percentage Allocation should be equal to 100%,백분율 할당은 100 % 같아야 +Percentage variation in quantity to be allowed while receiving or delivering this item.,이 항목을 수신하거나 제공하는 동시에 양의 백분율 변화는 허용된다. +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 % 허용된다. +Performance appraisal.,성능 평가. +Period,기간 +Period Closing Voucher,기간 결산 바우처 +Periodicity,주기성 +Permanent Address,영구 주소 +Permanent Address Is,영구 주소는 +Permission,허가 +Personal,개인의 +Personal Details,개인 정보 +Personal Email,개인 이메일 +Pharmaceutical,제약 +Pharmaceuticals,제약 +Phone,휴대폰 +Phone No,전화 번호 +Piecework,일한 분량에 따라 공임을 지급받는 일 +Pincode,PIN 코드 +Place of Issue,문제의 장소 +Plan for maintenance visits.,유지 보수 방문을 계획합니다. +Planned Qty,계획 수량 +"Planned Qty: Quantity, for which, Production Order has been raised, but is pending to be manufactured.","계획 수량 : 수량,하는, 생산 오더가 발생했지만, 제조되는 대기 중입니다." +Planned Quantity,계획 수량 +Planning,계획 +Plant,심기 +Plant and Machinery,플랜트 및 기계류 +Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,그것은 모든 계정 헤드와 접미사로 추가 될 것으로 제대로 약어 또는 짧은 이름을 입력하십시오. +Please Update SMS Settings,SMS 설정을 업데이트하십시오 +Please add expense voucher details,비용 바우처 세부 정보를 추가하십시오 +Please add to Modes of Payment from Setup.,설정에서 지불의 모드에 추가하십시오. +Please check 'Is Advance' against Account {0} if this is an advance entry.,계정에 대한 '사전인가'확인하시기 바랍니다 {0}이 미리 입력됩니다. +Please click on 'Generate Schedule','생성 일정'을 클릭 해주세요 +Please click on 'Generate Schedule' to fetch Serial No added for Item {0},시리얼 번호는 항목에 대한 추가 가져 오기 위해 '생성 일정'을 클릭하십시오 {0} +Please click on 'Generate Schedule' to get schedule,일정을 얻기 위해 '생성 일정'을 클릭 해주세요 +Please create Customer from Lead {0},리드에서 고객을 생성 해주세요 {0} +Please create Salary Structure for employee {0},직원에 대한 급여 구조를 만드십시오 {0} +Please create new account from Chart of Accounts.,계정의 차트에서 새로운 계정을 생성 해주세요. +Please do NOT create Account (Ledgers) for Customers and Suppliers. They are created directly from the Customer / Supplier masters.,고객 및 공급 업체를위한 계정 (원장)을 생성하지 마십시오.그들은 고객 / 공급 업체 마스터에서 직접 만들어집니다. +Please enter 'Expected Delivery Date','예상 배달 날짜'를 입력하십시오 +Please enter 'Is Subcontracted' as Yes or No,입력 해주십시오은 예 또는 아니오로 '하청' +Please enter 'Repeat on Day of Month' field value,필드 값을 '이달의 날 반복'을 입력하십시오 +Please enter Account Receivable/Payable group in company master,회사 마스터에 매출 채권 / 채무 그룹을 입력하십시오 +Please enter Approving Role or Approving User,역할을 승인 또는 사용을 승인 입력하십시오 +Please enter BOM for Item {0} at row {1},항목에 대한 BOM을 입력하십시오 {0} 행에서 {1} +Please enter Company,회사를 입력하십시오 +Please enter Cost Center,비용 센터를 입력 해주십시오 +Please enter Delivery Note No or Sales Invoice No to proceed,진행 납품서 없음 또는 판매 송장 번호를 입력하십시오 +Please enter Employee Id of this sales parson,이 판매 목사의 직원 ID를 입력하십시오 +Please enter Expense Account,비용 계정을 입력하십시오 +Please enter Item Code to get batch no,더 배치를 얻을 수 상품 코드를 입력하시기 바랍니다 +Please enter Item Code.,상품 코드를 입력 해 주시기 바랍니다. +Please enter Item first,첫 번째 항목을 입력하십시오 +Please enter Maintaince Details first,Maintaince를 세부 사항을 먼저 입력하십시오 +Please enter Master Name once the account is created.,계정이 생성되면 마스터 이름을 입력하십시오. +Please enter Planned Qty for Item {0} at row {1},항목에 대한 계획 수량을 입력하십시오 {0} 행에서 {1} +Please enter Production Item first,첫 번째 생산 품목을 입력하십시오 +Please enter Purchase Receipt No to proceed,더 진행 구매 영수증을 입력하시기 바랍니다 +Please enter Reference date,참고 날짜를 입력 해주세요 +Please enter Warehouse for which Material Request will be raised,자료 요청이 발생합니다있는 창고를 입력 해주십시오 +Please enter Write Off Account,계정을 끄기 쓰기 입력하십시오 +Please enter atleast 1 invoice in the table,표에이어야 1 송장을 입력하십시오 +Please enter company first,첫 번째 회사를 입력하십시오 +Please enter company name first,첫 번째 회사 이름을 입력하십시오 +Please enter default Unit of Measure,측정의 기본 단위를 입력하십시오 +Please enter default currency in Company Master,회사 마스터에 기본 통화를 입력 해주십시오 +Please enter email address,이메일 주소를 입력하세요 +Please enter item details,항목의 세부 사항을 입력하십시오 +Please enter message before sending,전송하기 전에 메시지를 입력 해주세요 +Please enter parent account group for warehouse account,창고 계정의 부모 계정 그룹을 입력하십시오 +Please enter parent cost center,부모의 비용 센터를 입력 해주십시오 +Please enter quantity for Item {0},제품의 수량을 입력 해주십시오 {0} +Please enter relieving date.,날짜를 덜어 입력 해 주시기 바랍니다. +Please enter sales order in the above table,위의 표에 판매 주문을 입력하십시오 +Please enter valid Company Email,유효한 회사 이메일을 입력 해주세요 +Please enter valid Email Id,유효한 이메일에게 ID를 입력하십시오 +Please enter valid Personal Email,유효한 개인의 이메일을 입력 해주세요 +Please enter valid mobile nos,유효 모바일 NOS를 입력 해주십시오 +Please find attached Sales Invoice #{0},첨부하여주십시오 판매 송장 번호 {0} +Please install dropbox python module,보관 용 파이썬 모듈을 설치하십시오 +Please mention no of visits required,언급 해주십시오 필요한 방문 없음 +Please pull items from Delivery Note,배달 주에서 항목을 뽑아주세요 +Please save the Newsletter before sending,전송하기 전에 뉴스를 저장하십시오 +Please save the document before generating maintenance schedule,유지 보수 일정을 생성하기 전에 문서를 저장하십시오 +Please see attachment,첨부 파일을 참조하시기 바랍니다 +Please select Bank Account,은행 계좌를 선택하세요 +Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,당신은 또한 이전 회계 연도의 균형이 회계 연도에 나뭇잎 포함 할 경우 이월를 선택하세요 +Please select Category first,첫 번째 범주를 선택하십시오 +Please select Charge Type first,충전 유형을 먼저 선택하세요 +Please select Fiscal Year,회계 연도를 선택하십시오 +Please select Group or Ledger value,그룹 또는 원장 값을 선택하세요 +Please select Incharge Person's name,INCHARGE 사람의 이름을 선택하세요 +Please select Invoice Type and Invoice Number in atleast one row,이어야 한 행에 송장 입력하고 송장 번호를 선택하세요 +"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Sales BOM","""재고 상품입니다"" ""아니오""와 ""판매 상품입니다"" ""예""이고 다른 판매 BOM이없는 항목을 선택하십시오" +Please select Price List,가격리스트를 선택하세요 +Please select Start Date and End Date for Item {0},시작 날짜와 항목에 대한 종료 날짜를 선택하세요 {0} +Please select Time Logs.,시간 로그를 선택하십시오. +Please select a csv file,CSV 파일을 선택하세요 +Please select a valid csv file with data,데이터가 유효한 CSV 파일을 선택하세요 +Please select a value for {0} quotation_to {1},값을 선택하세요 {0} quotation_to {1} +"Please select an ""Image"" first","먼저 ""이미지""를 선택하세요" +Please select charge type first,첫번째 책임 유형을 선택하세요 +Please select company first,첫 번째 회사를 선택하세요 +Please select company first.,첫 번째 회사를 선택하십시오. +Please select item code,품목 코드를 선택하세요 +Please select month and year,월 및 연도를 선택하세요 +Please select prefix first,첫 번째 접두사를 선택하세요 +Please select the document type first,첫 번째 문서 유형을 선택하세요 +Please select weekly off day,매주 오프 날짜를 선택하세요 +Please select {0},선택하세요 {0} +Please select {0} first,먼저 {0}를 선택하세요 +Please select {0} first.,먼저 {0}을 선택하십시오. +Please set Dropbox access keys in your site config,사이트 구성에 보관 액세스 키를 설정하십시오 +Please set Google Drive access keys in {0},구글 드라이브 액세스 키를 설정하십시오 {0} +Please set default Cash or Bank account in Mode of Payment {0},지불 모드로 기본 현금 또는 은행 계정을 설정하십시오 {0} +Please set default value {0} in Company {0},기본값을 설정하십시오 {0} 회사에서 {0} +Please set {0},설정하십시오 {0} +Please setup Employee Naming System in Human Resource > HR Settings,인적 자원의하십시오 설치 직원의 이름 지정 시스템> HR 설정 +Please setup numbering series for Attendance via Setup > Numbering Series,설정> 번호 매기기 Series를 통해 출석 해주세요 설정 번호 지정 시리즈 +Please setup your chart of accounts before you start Accounting Entries,당신이 회계 항목을 시작하기 전에 설정에게 계정의 차트를주세요 +Please specify,지정하십시오 +Please specify Company,회사를 지정하십시오 +Please specify Company to proceed,진행하는 회사를 지정하십시오 +Please specify Default Currency in Company Master and Global Defaults,회사 마스터 및 글로벌 기본값에 기본 통화를 지정하십시오 +Please specify a,를 지정하십시오 +Please specify a valid 'From Case No.','사건 번호에서'유효 기간을 지정하십시오 +Please specify a valid Row ID for {0} in row {1},행 {0}에 대한 유효한 행의 ID를 지정하십시오 {1} +Please specify either Quantity or Valuation Rate or both,수량이나 평가 비율 또는 둘 중 하나를 지정하십시오 +Please submit to update Leave Balance.,허가 밸런스를 업데이트 제출하시기 바랍니다. +Plot,줄거리 +Plot By,으로 플롯 +Point of Sale,판매 시점 +Point-of-Sale Setting,판매 시점 설정 +Post Graduate,졸업 후 +Postal,우편의 +Postal Expenses,우편 비용 +Posting Date,날짜 게시 +Posting Time,시간을 게시 +Posting date and posting time is mandatory,게시 날짜 및 게시 시간이 필수입니다 +Posting timestamp must be after {0},게시 타임 스탬프 이후 여야 {0} +Potential opportunities for selling.,판매를위한 잠재적 인 기회. +Preferred Billing Address,선호하는 결제 주소 +Preferred Shipping Address,선호하는 배송 주소 +Prefix,접두사 +Present,선물 +Prevdoc DocType,Prevdoc의 문서 종류 +Prevdoc Doctype,Prevdoc의 문서 종류 +Preview,미리보기 +Previous,이전 +Previous Work Experience,이전 작업 경험 +Price,가격 +Price / Discount,가격 / 할인 +Price List,가격리스트 +Price List Currency,가격리스트 통화 +Price List Currency not selected,가격리스트 통화 선택하지 +Price List Exchange Rate,가격 기준 환율 +Price List Name,가격리스트 이름 +Price List Rate,가격리스트 평가 +Price List Rate (Company Currency),가격 목록 비율 (회사 통화) +Price List master.,가격리스트 마스터. +Price List must be applicable for Buying or Selling,가격리스트는 구매 또는 판매에 적용해야합니다 +Price List not selected,가격 목록을 선택하지 +Price List {0} is disabled,가격 목록 {0} 비활성화 +Price or Discount,가격 또는 할인 +Pricing Rule,가격 규칙 +Pricing Rule Help,가격 규칙 도움말 +"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","가격 규칙은 첫 번째 항목, 항목 그룹 또는 브랜드가 될 수있는 필드 '에 적용'에 따라 선택됩니다." +"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","가격 규칙은 몇 가지 기준에 따라, 가격 목록 / 할인 비율을 정의 덮어 쓰기를한다." +Pricing Rules are further filtered based on quantity.,가격 규칙은 또한 수량에 따라 필터링됩니다. +Print Format Style,인쇄 서식 스타일 +Print Heading,인쇄 제목 +Print Without Amount,금액없이 인쇄 +Print and Stationary,인쇄 및 정지 +Printing and Branding,인쇄 및 브랜딩 +Priority,우선순위 +Private Equity,사모 +Privilege Leave,권한 허가 +Probation,근신 +Process Payroll,프로세스 급여 +Produced,생산 +Produced Quantity,생산 수량 +Product Enquiry,제품 문의 +Production,생산 +Production Order,생산 주문 +Production Order status is {0},생산 오더의 상태는 {0} +Production Order {0} must be cancelled before cancelling this Sales Order,생산 순서는 {0}이 판매 주문을 취소하기 전에 취소해야합니다 +Production Order {0} must be submitted,생산 오더 {0} 제출해야합니다 +Production Orders,생산 주문 +Production Orders in Progress,진행 중 생산 주문 +Production Plan Item,생산 계획 항목 +Production Plan Items,생산 계획 항목 +Production Plan Sales Order,생산 계획 판매 주문 +Production Plan Sales Orders,생산 계획의 판매 주문 +Production Planning Tool,생산 계획 도구 +Products,제품 +"Products will be sorted by weight-age in default searches. More the weight-age, higher the product will appear in the list.","제품은 기본 검색에 체중 연령에 의해 정렬됩니다.더 많은 체중 연령, 높은 제품이 목록에 나타납니다." +Professional Tax,프로 세 +Profit and Loss,이익과 손실 +Profit and Loss Statement,손익 계산서 +Project,프로젝트 +Project Costing,프로젝트 원가 계산 +Project Details,프로젝트 세부 사항 +Project Manager,프로젝트 매니저 +Project Milestone,프로젝트 마일스톤 +Project Milestones,프로젝트 연혁 +Project Name,프로젝트 이름 +Project Start Date,프로젝트 시작 날짜 +Project Type,프로젝트 형식 +Project Value,프로젝트 값 +Project activity / task.,프로젝트 활동 / 작업. +Project master.,프로젝트 마스터. +Project will get saved and will be searchable with project name given,프로젝트가 저장 얻을 것이다 지정된 프로젝트 이름을 검색 할 것입니다 +Project wise Stock Tracking,프로젝트 현명한 재고 추적 +Project-wise data is not available for Quotation,프로젝트 와이즈 데이터는 견적을 사용할 수 없습니다 +Projected,예상 +Projected Qty,수량을 예상 +Projects,프로젝트 +Projects & System,프로젝트 및 시스템 +Prompt for Email on Submission of,제출의 전자 우편을위한 프롬프트 +Proposal Writing,제안서 작성 +Provide email id registered in company,이메일 ID는 회사에 등록 제공 +Provisional Profit / Loss (Credit),임시 이익 / 손실 (신용) +Public,공공 +Published on website at: {0},에서 웹 사이트에 게시 된 {0} +Publishing,출판 +Pull sales orders (pending to deliver) based on the above criteria,위의 기준에 따라 (전달하기 위해 출원 중) 판매 주문을 당겨 +Purchase,구입 +Purchase / Manufacture Details,구매 / 제조 세부 사항 +Purchase Analytics,구매 분석 +Purchase Common,공동 구매 +Purchase Details,구매 상세 정보 +Purchase Discounts,할인 구매 +Purchase Invoice,구매 인보이스 +Purchase Invoice Advance,송장 전진에게 구입 +Purchase Invoice Advances,구매 인보이스 발전 +Purchase Invoice Item,구매 인보이스 상품 +Purchase Invoice Trends,송장 동향을 구입 +Purchase Invoice {0} is already submitted,구매 인보이스 {0}이 (가) 이미 제출 +Purchase Order,구매 주문 +Purchase Order Item,구매 주문 상품 +Purchase Order Item No,구매 주문 품목 아니오 +Purchase Order Item Supplied,구매 주문 상품 공급 +Purchase Order Items,구매 주문 항목 +Purchase Order Items Supplied,공급 구매 주문 항목 +Purchase Order Items To Be Billed,청구 할 수 구매 주문 아이템 +Purchase Order Items To Be Received,수신 될 구매 주문 아이템 +Purchase Order Message,구매 주문 메시지 +Purchase Order Required,주문 필수에게 구입 +Purchase Order Trends,주문 동향을 구매 +Purchase Order number required for Item {0},구매 주문 번호 항목에 필요한 {0} +Purchase Order {0} is 'Stopped',{0} '중지'를 주문 구매 +Purchase Order {0} is not submitted,구매 주문 {0} 제출되지 +Purchase Orders given to Suppliers.,공급 업체에 제공 구매 주문. +Purchase Receipt,구입 영수증 +Purchase Receipt Item,구매 영수증 항목 +Purchase Receipt Item Supplied,구매 영수증 품목 공급 +Purchase Receipt Item Supplieds,구매 영수증 항목 Supplieds +Purchase Receipt Items,구매 영수증 항목 +Purchase Receipt Message,구매 영수증 메시지 +Purchase Receipt No,구입 영수증 없음 +Purchase Receipt Required,필수 구입 영수증 +Purchase Receipt Trends,구매 영수증 동향 +Purchase Receipt number required for Item {0},상품에 필요한 구매 영수증 번호 {0} +Purchase Receipt {0} is not submitted,구입 영수증 {0} 제출되지 +Purchase Register,회원에게 구매 +Purchase Return,구매 돌아 가기 +Purchase Returned,반품에게 구입 +Purchase Taxes and Charges,구매 세금과 요금 +Purchase Taxes and Charges Master,구매 세금과 요금 마스터 +Purchse Order number required for Item {0},purchse를 주문 번호는 상품에 필요한 {0} +Purpose,용도 +Purpose must be one of {0},목적 중 하나 여야합니다 {0} +QA Inspection,QA 검사 +Qty,수량 +Qty Consumed Per Unit,수량 단위 시간당 소비 +Qty To Manufacture,제조하는 수량 +Qty as per Stock UOM,수량 재고 UOM 당 +Qty to Deliver,제공하는 수량 +Qty to Order,수량은 주문 +Qty to Receive,받도록 수량 +Qty to Transfer,전송하는 수량 +Qualification,자격 +Quality,품질 +Quality Inspection,품질 검사 +Quality Inspection Parameters,품질 검사 매개 변수 +Quality Inspection Reading,품질 검사 읽기 +Quality Inspection Readings,품질 검사의 판독 +Quality Inspection required for Item {0},상품에 필요한 품질 검사 {0} +Quality Management,품질 관리 +Quantity,수량 +Quantity Requested for Purchase,구매를 위해 요청한 수량 +Quantity and Rate,수량 및 평가 +Quantity and Warehouse,수량 및 창고 +Quantity cannot be a fraction in row {0},양 행의 일부가 될 수 없습니다 {0} +Quantity for Item {0} must be less than {1},수량 항목에 대한 {0}보다 작아야합니다 {1} +Quantity in row {0} ({1}) must be same as manufactured quantity {2},수량은 행에서 {0} ({1})와 동일해야합니다 제조 수량 {2} +Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,원료의 부여 수량에서 재 포장 / 제조 후의 아이템의 수량 +Quantity required for Item {0} in row {1},상품에 필요한 수량 {0} 행에서 {1} +Quarter,지구 +Quarterly,분기 별 +Quick Help,빠른 도움말 +Quotation,인용 +Quotation Item,견적 상품 +Quotation Items,견적 항목 +Quotation Lost Reason,견적 잃어버린 이유 +Quotation Message,견적 메시지 +Quotation To,에 견적 +Quotation Trends,견적 동향 +Quotation {0} is cancelled,견적 {0} 취소 +Quotation {0} not of type {1},견적 {0}은 유형 {1} +Quotations received from Suppliers.,인용문은 공급 업체에서 받았다. +Quotes to Leads or Customers.,리드 또는 고객에게 인용. +Raise Material Request when stock reaches re-order level,주식이 다시 주문 수준에 도달 할 때 자료 요청을 올립니다 +Raised By,에 의해 제기 +Raised By (Email),(이메일)에 의해 제기 +Random,무작위 +Range,범위 +Rate,비율 Rate , -Rate (%),Rate (%) -Rate (Company Currency),Rata de (Compania de valuta) -Rate Of Materials Based On,Rate de materiale bazate pe -Rate and Amount,Rata și volumul -Rate at which Customer Currency is converted to customer's base currency,Rata la care Clientul valuta este convertită în valuta de bază a clientului -Rate at which Price list currency is converted to company's base currency,Rata la care lista de prețuri moneda este convertit în moneda de bază a companiei -Rate at which Price list currency is converted to customer's base currency,Rata la care lista de prețuri moneda este convertit în valuta de bază a clientului -Rate at which customer's currency is converted to company's base currency,Rata la care moneda clientului este convertită în valuta de bază a companiei -Rate at which supplier's currency is converted to company's base currency,Rata la care moneda furnizorului este convertit în moneda de bază a companiei -Rate at which this tax is applied,Rata la care se aplică acest impozit -Raw Material,Material brut -Raw Material Item Code,Material brut Articol Cod -Raw Materials Supplied,Materii prime furnizate -Raw Materials Supplied Cost,Costul materiilor prime livrate -Raw material cannot be same as main Item,Materii prime nu poate fi la fel ca Item principal -Re-Order Level,Re-Order de nivel -Re-Order Qty,Re-Order Cantitate -Re-order,Re-comandă -Re-order Level,Nivelul de re-comandă -Re-order Qty,Re-comanda Cantitate -Read,Citirea -Reading 1,Reading 1 -Reading 10,Reading 10 -Reading 2,Reading 2 -Reading 3,Reading 3 -Reading 4,Reading 4 -Reading 5,Lectură 5 -Reading 6,Reading 6 -Reading 7,Lectură 7 -Reading 8,Lectură 8 -Reading 9,Lectură 9 -Real Estate,Imobiliare -Reason,motiv -Reason for Leaving,Motiv pentru Lăsând -Reason for Resignation,Motiv pentru demisie -Reason for losing,Motiv pentru a pierde -Recd Quantity,Recd Cantitate -Receivable,De încasat -Receivable / Payable account will be identified based on the field Master Type,De încasat de cont / de plătit vor fi identificate pe baza teren de Master Tip -Receivables,Creanțe -Receivables / Payables,Creanțe / Datorii -Receivables Group,Creanțe Group -Received Date,Data primit -Received Items To Be Billed,Articole primite Pentru a fi facturat -Received Qty,Primit Cantitate -Received and Accepted,Primite și acceptate -Receiver List,Receptor Lista -Receiver List is empty. Please create Receiver List,Receptor Lista goala. Vă rugăm să creați Receiver Lista -Receiver Parameter,Receptor Parametru -Recipients,Destinatarii -Reconcile,Reconcilierea -Reconciliation Data,Reconciliere a datelor -Reconciliation HTML,Reconciliere HTML -Reconciliation JSON,Reconciliere JSON -Record item movement.,Mișcare element înregistrare. -Recurring Id,Recurent Id -Recurring Invoice,Factura recurent -Recurring Type,Tip recurent -Reduce Deduction for Leave Without Pay (LWP),Reduce Deducerea pentru concediu fără plată (LWP) -Reduce Earning for Leave Without Pay (LWP),Reduce Câștigul salarial de concediu fără plată (LWP) -Ref Code,Cod de Ref -Ref SQ,Ref SQ -Reference,Referinta -Reference #{0} dated {1},Reference # {0} din {1} -Reference Date,Data de referință -Reference Name,Nume de referință -Reference No & Reference Date is required for {0},Nu referință și de referință Data este necesar pentru {0} -Reference No is mandatory if you entered Reference Date,De referință nu este obligatorie în cazul în care ați introdus Reference Data -Reference Number,Numărul de referință -Reference Row #,Reference Row # -Refresh,Actualizare -Registration Details,Detalii de înregistrare -Registration Info,Înregistrare Info -Rejected,Respinse -Rejected Quantity,Respins Cantitate -Rejected Serial No,Respins de ordine -Rejected Warehouse,Depozit Respins -Rejected Warehouse is mandatory against regected item,Warehouse respins este obligatorie împotriva articol regected -Relation,Relație -Relieving Date,Alinarea Data -Relieving Date must be greater than Date of Joining,Alinarea Data trebuie să fie mai mare decât Data aderării -Remark,Remarcă -Remarks,Remarci -Rename,Redenumire -Rename Log,Redenumi Conectare -Rename Tool,Redenumirea Tool -Rent Cost,Chirie Cost -Rent per hour,Inchirieri pe oră -Rented,Închiriate -Repeat on Day of Month,Repetați în ziua de Luna -Replace,Înlocuirea -Replace Item / BOM in all BOMs,Înlocuiți Articol / BOM în toate extraselor -Replied,A răspuns: -Report Date,Data raportului -Report Type,Tip de raport -Report Type is mandatory,Tip de raport este obligatorie -Reports to,Rapoarte -Reqd By Date,Reqd de Date -Request Type,Cerere tip -Request for Information,Cerere de informații -Request for purchase.,Cere pentru cumpărare. -Requested,Solicitată -Requested For,Pentru a solicitat -Requested Items To Be Ordered,Elemente solicitate să fie comandate -Requested Items To Be Transferred,Elemente solicitate să fie transferată -Requested Qty,A solicitat Cantitate -"Requested Qty: Quantity requested for purchase, but not ordered.","A solicitat Cantitate: Cantitatea solicitate pentru achiziții, dar nu a ordonat." -Requests for items.,Cererile de elemente. -Required By,Cerute de -Required Date,Date necesare -Required Qty,Necesar Cantitate -Required only for sample item.,Necesar numai pentru element de probă. -Required raw materials issued to the supplier for producing a sub - contracted item.,Materii prime necesare emise de furnizor pentru producerea unui sub - element contractat. -Research,Cercetarea -Research & Development,Cercetare & Dezvoltare -Researcher,Cercetător -Reseller,Reseller -Reserved,Rezervat -Reserved Qty,Rezervate Cantitate -"Reserved Qty: Quantity ordered for sale, but not delivered.","Rezervate Cantitate: Cantitatea comandat de vânzare, dar nu livrat." -Reserved Quantity,Rezervat Cantitate -Reserved Warehouse,Rezervat Warehouse -Reserved Warehouse in Sales Order / Finished Goods Warehouse,Rezervat Warehouse în Vânzări Ordine / Produse finite Warehouse -Reserved Warehouse is missing in Sales Order,Rezervat Warehouse lipsește în comandă de vânzări -Reserved Warehouse required for stock Item {0} in row {1},Depozit rezervat necesar pentru stocul de postul {0} în rândul {1} -Reserved warehouse required for stock item {0},Depozit rezervat necesar pentru postul de valori {0} -Reserves and Surplus,Rezerve și Excedent -Reset Filters,Reset Filtre -Resignation Letter Date,Scrisoare de demisie Data -Resolution,Rezolutie -Resolution Date,Data rezoluție -Resolution Details,Rezoluția Detalii -Resolved By,Rezolvat prin -Rest Of The World,Restul lumii -Retail,Cu amănuntul -Retail & Wholesale,Retail & Wholesale -Retailer,Vânzător cu amănuntul -Review Date,Data Comentariului +Rate (%),비율 (%) +Rate (Company Currency),속도 (회사 통화) +Rate Of Materials Based On,자료에 의거 한 속도 +Rate and Amount,속도 및 양 +Rate at which Customer Currency is converted to customer's base currency,고객 통화는 고객의 기본 통화로 변환하는 속도에 +Rate at which Price list currency is converted to company's base currency,가격 목록 통화는 회사의 기본 통화로 변환하는 속도에 +Rate at which Price list currency is converted to customer's base currency,가격 목록의 통화는 고객의 기본 통화로 변환하는 속도에 +Rate at which customer's currency is converted to company's base currency,고객의 통화는 회사의 기본 통화로 변환하는 속도에 +Rate at which supplier's currency is converted to company's base currency,공급 업체의 통화는 회사의 기본 통화로 변환하는 속도에 +Rate at which this tax is applied,요금이 세금이 적용되는 +Raw Material,원료 +Raw Material Item Code,원료 상품 코드 +Raw Materials Supplied,공급 원료 +Raw Materials Supplied Cost,원료 공급 비용 +Raw material cannot be same as main Item,원료의 주요 항목과 동일 할 수 없습니다 +Re-Order Level,다시 주문 레벨 +Re-Order Qty,다시 주문 수량 +Re-order,추천 포인트 +Re-order Level,다시 주문 레벨 +Re-order Qty,다시 주문 수량 +Read,돇 +Reading 1,읽기 1 +Reading 10,10 읽기 +Reading 2,2 읽기 +Reading 3,3 읽기 +Reading 4,4 읽기 +Reading 5,5 읽기 +Reading 6,6 읽기 +Reading 7,7 읽기 +Reading 8,8 읽기 +Reading 9,9 읽기 +Real Estate,부동산 +Reason,이유 +Reason for Leaving,떠나는 이유 +Reason for Resignation,사임 이유 +Reason for losing,잃는 이유 +Recd Quantity,Recd 수량 +Receivable,받을 수있는 +Receivable / Payable account will be identified based on the field Master Type,채권 / 채무 계정 필드 마스터 유형에 따라 확인한다 +Receivables,채권 +Receivables / Payables,채권 / 채무 +Receivables Group,채권 그룹 +Received Date,받은 날짜 +Received Items To Be Billed,청구에 주어진 항목 +Received Qty,수량에게받은 +Received and Accepted,접수 및 승인 +Receiver List,수신기 목록 +Receiver List is empty. Please create Receiver List,수신기 목록이 비어 있습니다.수신기 목록을 만드십시오 +Receiver Parameter,수신기 매개 변수 +Recipients,받는 사람 +Reconcile,조정 +Reconciliation Data,화해 데이터 +Reconciliation HTML,화해 HTML +Reconciliation JSON,화해 JSON +Record item movement.,기록 항목의 움직임. +Recurring Id,경상 아이디 +Recurring Invoice,경상 송장 +Recurring Type,경상 유형 +Reduce Deduction for Leave Without Pay (LWP),무급 휴직 공제를 줄 (LWP) +Reduce Earning for Leave Without Pay (LWP),무급 휴직 적립 감소 (LWP) +Ref,참조 +Ref Code,참조 코드 +Ref SQ,참조 SQ +Reference,참고 +Reference #{0} dated {1},참고 # {0} 년 {1} +Reference Date,참조 날짜 +Reference Name,참조명(Reference Name) +Reference No & Reference Date is required for {0},참조 번호 및 참고 날짜가 필요합니다 {0} +Reference No is mandatory if you entered Reference Date,당신이 참조 날짜를 입력 한 경우 참조 번호는 필수입니다 +Reference Number,참조 번호 +Reference Row #,참조 행 번호 +Refresh,새로 고침 +Registration Details,등록 세부 사항 +Registration Info,등록 정보 +Rejected,거부 +Rejected Quantity,거부 수량 +Rejected Serial No,시리얼 No 거부 +Rejected Warehouse,거부 창고 +Rejected Warehouse is mandatory against regected item,거부 창고 regected 항목에 대해 필수입니다 +Relation,관계 +Relieving Date,날짜를 덜어 +Relieving Date must be greater than Date of Joining,날짜를 완화하는 것은 가입 날짜보다 커야합니다 +Remark,비고 +Remarks,Remarks +Remarks Custom,비고 지정 +Rename,이름 +Rename Log,로그인에게 이름 바꾸기 +Rename Tool,도구에게 이름 바꾸기 +Rent Cost,임대 비용 +Rent per hour,시간당 대여 +Rented,대여 +Repeat on Day of Month,이달의 날 반복 +Replace,교체 +Replace Item / BOM in all BOMs,모든 BOM에있는 부품 / BOM을 대체 +Replied,대답 +Report Date,보고서 날짜 +Report Type,보고서 유형 +Report Type is mandatory,보고서 유형이 필수입니다 +Reports to,에 대한 보고서 +Reqd By Date,Reqd 날짜 +Reqd by Date,Reqd 날짜로 +Request Type,요청 유형 +Request for Information,정보 요청 +Request for purchase.,구입 요청합니다. +Requested,요청 +Requested For,에 대해 요청 +Requested Items To Be Ordered,주문 요청 항목 +Requested Items To Be Transferred,전송할 요청 항목 +Requested Qty,요청 수량 +"Requested Qty: Quantity requested for purchase, but not ordered.","요청 수량 : 수량 주문 구입 요청,하지만." +Requests for items.,상품에 대한 요청. +Required By,에 의해 필요한 +Required Date,필요한 날짜 +Required Qty,필요한 수량 +Required only for sample item.,단지 샘플 항목에 필요합니다. +Required raw materials issued to the supplier for producing a sub - contracted item.,서브를 생산 공급 업체에 발급에 필요한 원료 - 계약 항목. +Research,연구 +Research & Development,연구 개발 (R & D) +Researcher,연구원 +Reseller,리셀러 +Reserved,예약 +Reserved Qty,예약 수량 +"Reserved Qty: Quantity ordered for sale, but not delivered.","예약 수량 : 수량 판매를 위해 주문,하지만 배달되지 않습니다." +Reserved Quantity,예약 주문 +Reserved Warehouse,예약 창고 +Reserved Warehouse in Sales Order / Finished Goods Warehouse,판매 주문 / 완제품 창고에서 예약 창고 +Reserved Warehouse is missing in Sales Order,예약 창고는 판매 주문에 없습니다 +Reserved Warehouse required for stock Item {0} in row {1},재고 품목에 필요한 예약 창고 {0} 행에서 {1} +Reserved warehouse required for stock item {0},재고 품목에 필요한 예약 창고 {0} +Reserves and Surplus,적립금 및 잉여금 +Reset Filters,필터를 새로 고침 +Resignation Letter Date,사직서 날짜 +Resolution,해상도 +Resolution Date,결의일 +Resolution Details,해상도 세부 사항 +Resolved By,에 의해 해결 +Rest Of The World,세계의 나머지 +Retail,소매의 +Retail & Wholesale,소매 및 도매 +Retailer,소매상 인 +Review Date,검토 날짜 Rgt,RGT -Role Allowed to edit frozen stock,Rol permise pentru a edita stoc congelate -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. -Root Type,Rădăcină Tip -Root Type is mandatory,Rădăcină de tip este obligatorie -Root account can not be deleted,Contul de root nu pot fi șterse -Root cannot be edited.,Rădăcină nu poate fi editat. -Root cannot have a parent cost center,Rădăcină nu poate avea un centru de cost părinte -Rounded Off,Rotunjite -Rounded Total,Rotunjite total -Rounded Total (Company Currency),Rotunjite total (Compania de valuta) +Role Allowed to edit frozen stock,역할 냉동 주식을 편집 할 수 +Role that is allowed to submit transactions that exceed credit limits set.,설정 신용 한도를 초과하는 거래를 제출하도록 허용 역할. +Root Type,루트 유형 +Root Type is mandatory,루트 유형이 필수입니다 +Root account can not be deleted,루트 계정은 삭제할 수 없습니다 +Root cannot be edited.,루트는 편집 할 수 없습니다. +Root cannot have a parent cost center,루트는 부모의 비용 센터를 가질 수 없습니다 +Rounded Off,둥근 오프 +Rounded Total,둥근 총 +Rounded Total (Company Currency),둥근 합계 (회사 통화) Row # , Row # {0}: , +Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,행 # {0} : 주문 된 수량 (품목 마스터에 정의 된) 항목의 최소 주문 수량보다 적은 수 없습니다. +Row #{0}: Please specify Serial No for Item {1},행 번호는 {0} 항목에 대한 일련 번호를 지정하십시오 {1} "Row {0}: Account does not match with \ - Purchase Invoice Credit To account",Rând {0}: Contul nu se potrivește cu \ \ n cumparare factura de credit a contului + Purchase Invoice Credit To account","행 {0} : \ + 구매 송장 신용 계정에 대한 계정과 일치하지 않습니다" "Row {0}: Account does not match with \ - Sales Invoice Debit To account",Rând {0}: Contul nu se potrivește cu \ \ n Factura Vanzare de debit a contului -Row {0}: Credit entry can not be linked with a Purchase Invoice,Rând {0}: intrare de credit nu poate fi legat cu o factura de cumpărare -Row {0}: Debit entry can not be linked with a Sales Invoice,Rând {0}: intrare de debit nu poate fi legat de o factură de vânzare + Sales Invoice Debit To account","행 {0} : \ + 견적서 직불 계정에 대한 계정과 일치하지 않습니다" +Row {0}: Conversion Factor is mandatory,행 {0} : 변환 계수는 필수입니다 +Row {0}: Credit entry can not be linked with a Purchase Invoice,행 {0} : 신용 항목은 구매 송장에 링크 할 수 없습니다 +Row {0}: Debit entry can not be linked with a Sales Invoice,행 {0} : 차변 항목은 판매 송장에 링크 할 수 없습니다 +Row {0}: Payment amount must be less than or equals to invoice outstanding amount. Please refer Note below.,행 {0} : 지불 금액보다 작거나 잔액을 송장에 해당해야합니다.아래의 참고를 참조하십시오. +Row {0}: Qty is mandatory,행 {0} : 수량은 필수입니다 +"Row {0}: Qty not avalable in warehouse {1} on {2} {3}. + Available Qty: {4}, Transfer Qty: {5}","행 {0} : 수량은 창고에 avalable {1}에없는 {2} {3}. + 가능 수량 : {4}, 수량 전송 {5}" "Row {0}: To set {1} periodicity, difference between from and to date \ - must be greater than or equal to {2}","Rând {0}: Pentru a seta {1} periodicitate, diferența între data de început și \ \ n trebuie să fie mai mare sau egal cu {2}" -Row {0}:Start Date must be before End Date,Rând {0}: Data începerii trebuie să fie înainte de Data de încheiere -Rules for adding shipping costs.,Reguli pentru a adăuga costurile de transport maritim. -Rules for applying pricing and discount.,Normele de aplicare de stabilire a prețurilor și de scont. -Rules to calculate shipping amount for a sale,Reguli pentru a calcula suma de transport maritim pentru o vânzare -S.O. No.,SO Nu. -SMS Center,SMS Center -SMS Control,Controlul SMS -SMS Gateway URL,SMS Gateway URL -SMS Log,SMS Conectare -SMS Parameter,SMS Parametru -SMS Sender Name,SMS Sender Name -SMS Settings,Setări SMS -SO Date,SO Data -SO Pending Qty,SO așteptare Cantitate -SO Qty,SO Cantitate -Salary,Salariu -Salary Information,Informațiile de salarizare -Salary Manager,Salariul Director -Salary Mode,Mod de salariu -Salary Slip,Salariul Slip -Salary Slip Deduction,Salariul Slip Deducerea -Salary Slip Earning,Salariul Slip Câștigul salarial -Salary Slip of employee {0} already created for this month,Salariul alunecare de angajat {0} deja creat pentru această lună -Salary Structure,Structura salariu -Salary Structure Deduction,Structura Salariul Deducerea -Salary Structure Earning,Structura salariu Câștigul salarial -Salary Structure Earnings,Câștiguri Structura salariu -Salary breakup based on Earning and Deduction.,Salariul despartire bazat privind câștigul salarial și deducere. -Salary components.,Componente salariale. -Salary template master.,Maestru șablon salariu. -Sales,Vanzari -Sales Analytics,Analytics de vânzare -Sales BOM,Vânzări BOM -Sales BOM Help,Vânzări BOM Ajutor -Sales BOM Item,Vânzări BOM Articol -Sales BOM Items,Vânzări BOM Articole -Sales Browser,Vânzări Browser -Sales Details,Detalii de vanzari -Sales Discounts,Reduceri de vânzare -Sales Email Settings,Setări de vânzări de e-mail -Sales Expenses,Cheltuieli de vânzare -Sales Extras,Extras de vânzare -Sales Funnel,De vânzări pâlnie -Sales Invoice,Factură de vânzări -Sales Invoice Advance,Factura Vanzare Advance -Sales Invoice Item,Factură de vânzări Postul -Sales Invoice Items,Factura de vânzare Articole -Sales Invoice Message,Factură de vânzări Mesaj -Sales Invoice No,Factură de vânzări Nu -Sales Invoice Trends,Vânzări Tendințe factură -Sales Invoice {0} has already been submitted,Factură de vânzări {0} a fost deja prezentat -Sales Invoice {0} must be cancelled before cancelling this Sales Order,Factură de vânzări {0} trebuie anulată înainte de a anula această comandă de vânzări -Sales Order,Comandă de vânzări -Sales Order Date,Comandă de vânzări Data -Sales Order Item,Comandă de vânzări Postul -Sales Order Items,Vânzări Ordine Articole -Sales Order Message,Comandă de vânzări Mesaj -Sales Order No,Vânzări Ordinul nr -Sales Order Required,Comandă de vânzări obligatorii -Sales Order Trends,Vânzări Ordine Tendințe -Sales Order required for Item {0},Ordinul de vânzări necesar pentru postul {0} -Sales Order {0} is not submitted,Comandă de vânzări {0} nu este prezentat -Sales Order {0} is not valid,Comandă de vânzări {0} nu este valid -Sales Order {0} is stopped,Comandă de vânzări {0} este oprit -Sales Partner,Partener de vânzări -Sales Partner Name,Numele Partner Sales -Sales Partner Target,Vânzări Partner țintă -Sales Partners Commission,Agent vânzări al Comisiei -Sales Person,Persoana de vânzări -Sales Person Name,Sales Person Nume -Sales Person Target Variance Item Group-Wise,Persoana de vânzări țintă varianță Articol Grupa Înțelept -Sales Person Targets,Obiective de vânzări Persoana -Sales Person-wise Transaction Summary,Persoana de vânzări-înțelept Rezumat Transaction -Sales Register,Vânzări Inregistrare -Sales Return,Vânzări de returnare -Sales Returned,Vânzări întors -Sales Taxes and Charges,Taxele de vânzări și Taxe -Sales Taxes and Charges Master,Taxele de vânzări și taxe de Master -Sales Team,Echipa de vânzări -Sales Team Details,Detalii de vânzări Echipa -Sales Team1,Vânzări TEAM1 -Sales and Purchase,Vanzari si cumparare -Sales campaigns.,Campanii de vanzari. -Salutation,Salut -Sample Size,Eșantionul de dimensiune -Sanctioned Amount,Sancționate Suma -Saturday,Sâmbătă -Schedule,Program -Schedule Date,Program Data -Schedule Details,Detalii Program -Scheduled,Programat -Scheduled Date,Data programată -Scheduled to send to {0},Programat pentru a trimite la {0} -Scheduled to send to {0} recipients,Programat pentru a trimite la {0} destinatari -Scheduler Failed Events,Evenimente planificator nereușite -School/University,Școlar / universitar -Score (0-5),Scor (0-5) -Score Earned,Scor Earned -Score must be less than or equal to 5,Scorul trebuie să fie mai mică sau egală cu 5 -Scrap %,Resturi% -Seasonality for setting budgets.,Sezonier pentru stabilirea bugetelor. -Secretary,Secretar -Secured Loans,Împrumuturi garantate -Securities & Commodity Exchanges,A Valorilor Mobiliare și Burselor de Mărfuri -Securities and Deposits,Titluri de valoare și depozite -"See ""Rate Of Materials Based On"" in Costing Section","A se vedea ""Rate de materiale bazate pe"" în Costing Secțiunea" -"Select ""Yes"" for sub - contracting items","Selectați ""Da"" de sub - produse contractantă" -"Select ""Yes"" if this item is used for some internal purpose in your company.","Selectați ""Da"" în cazul în care acest element este folosit pentru un scop intern în compania dumneavoastră." -"Select ""Yes"" if this item represents some work like training, designing, consulting etc.","Selectați ""Da"" în cazul în care acest articol reprezintă ceva de lucru cum ar fi formarea, proiectare, consultanta etc" -"Select ""Yes"" if you are maintaining stock of this item in your Inventory.","Selectați ""Da"", dacă sunteți menținerea stocului de acest element în inventar." -"Select ""Yes"" if you supply raw materials to your supplier to manufacture this item.","Selectați ""Da"", dacă aprovizionarea cu materii prime a furnizorului dumneavoastră pentru a fabrica acest articol." -Select Budget Distribution to unevenly distribute targets across months.,Selectați Bugetul de distribuție pentru a distribui uniform obiective pe luni. -"Select Budget Distribution, if you want to track based on seasonality.","Selectați Buget Distribution, dacă doriți să urmăriți în funcție de sezonalitate." -Select DocType,Selectați DocType -Select Items,Selectați Elemente -Select Purchase Receipts,Selectați Încasări de cumpărare -Select Sales Orders,Selectați comenzi de vânzări -Select Sales Orders from which you want to create Production Orders.,Selectați comenzi de vânzări de la care doriți să creați comenzi de producție. -Select Time Logs and Submit to create a new Sales Invoice.,Selectați Timp Busteni Trimite pentru a crea o nouă factură de vânzare. -Select Transaction,Selectați Transaction -Select Your Language,Selectați limba -Select account head of the bank where cheque was deposited.,"Selectați contul șef al băncii, unde de verificare a fost depus." -Select company name first.,Selectați numele companiei în primul rând. -Select template from which you want to get the Goals,Selectați șablonul din care doriți să obțineți Obiectivelor -Select the Employee for whom you are creating the Appraisal.,Selectați angajatul pentru care doriți să creați de evaluare. -Select the period when the invoice will be generated automatically,Selectați perioada în care factura va fi generat automat -Select the relevant company name if you have multiple companies,"Selectați numele companiei în cauză, dacă aveți mai multe companii" -Select the relevant company name if you have multiple companies.,"Selectați numele companiei în cauză, dacă aveți mai multe companii." -Select who you want to send this newsletter to,Selectați care doriți să trimiteți acest newsletter -Select your home country and check the timezone and currency.,Selectați țara de origine și să verificați zona de fus orar și moneda. -"Selecting ""Yes"" will allow this item to appear in Purchase Order , Purchase Receipt.","Selectând ""Da"", va permite acest articol să apară în cumparare Ordine, Primirea de cumparare." -"Selecting ""Yes"" will allow this item to figure in Sales Order, Delivery Note","Selectând ""Da"", va permite acest element pentru a figura în comandă de vânzări, livrare Nota" -"Selecting ""Yes"" will allow you to create Bill of Material showing raw material and operational costs incurred to manufacture this item.","Selectând ""Da"", vă va permite să creați Bill of Material arată materii prime și costurile operaționale suportate pentru fabricarea acestui articol." -"Selecting ""Yes"" will allow you to make a Production Order for this item.","Selectând ""Da"", vă va permite să facă o comandă de producție pentru acest articol." -"Selecting ""Yes"" will give a unique identity to each entity of this item which can be viewed in the Serial No master.","Selectând ""Da"", va da o identitate unică pentru fiecare entitate din acest articol, care poate fi vizualizat în ordine maestru." -Selling,De vânzare -Selling Settings,Vanzarea Setări -Send,Trimiteți -Send Autoreply,Trimite Răspuns automat -Send Email,Trimiteți-ne email -Send From,Trimite la -Send Notifications To,Trimite notificări -Send Now,Trimite Acum -Send SMS,Trimite SMS -Send To,Pentru a trimite -Send To Type,Pentru a trimite Tip -Send mass SMS to your contacts,Trimite SMS-uri în masă a persoanelor de contact -Send to this list,Trimite pe această listă -Sender Name,Sender Name -Sent On,A trimis pe -Separate production order will be created for each finished good item.,Pentru producerea separată va fi creat pentru fiecare articol bun finit. -Serial No,Serial No -Serial No / Batch,Serial No / lot -Serial No Details,Serial Nu Detalii -Serial No Service Contract Expiry,Serial Nu Service Contract de expirare -Serial No Status,Serial Nu Statut -Serial No Warranty Expiry,Serial Nu Garantie pana -Serial No is mandatory for Item {0},Nu serial este obligatorie pentru postul {0} -Serial No {0} created,Serial Nu {0} a creat -Serial No {0} does not belong to Delivery Note {1},Serial No {0} nu aparține de livrare Nota {1} -Serial No {0} does not belong to Item {1},Serial Nu {0} nu aparține postul {1} -Serial No {0} does not belong to Warehouse {1},Serial Nu {0} nu apartine Warehouse {1} -Serial No {0} does not exist,Serial Nu {0} nu există -Serial No {0} has already been received,Serial Nu {0} a fost deja primit -Serial No {0} is under maintenance contract upto {1},Serial Nu {0} este sub contract de întreținere pana {1} -Serial No {0} is under warranty upto {1},Serial Nu {0} este în garanție pana {1} -Serial No {0} not in stock,Serial Nu {0} nu este în stoc -Serial No {0} quantity {1} cannot be a fraction,Serial Nu {0} {1} cantitate nu poate fi o fracțiune -Serial No {0} status must be 'Available' to Deliver,"Nu {0} Stare de serie trebuie să fie ""disponibile"" pentru a oferi" -Serial Nos Required for Serialized Item {0},Serial nr necesare pentru postul serializat {0} -Serial Number Series,Serial Number Series -Serial number {0} entered more than once,Număr de serie {0} a intrat de mai multe ori + must be greater than or equal to {2}","행 {0} 설정하려면 {1}주기에서 현재까지의 차이 \ +보다 크거나 같아야합니다 {2}" +Row {0}:Start Date must be before End Date,행 {0} : 시작 날짜가 종료 날짜 이전이어야합니다 +Rules for adding shipping costs.,비용을 추가하는 규칙. +Rules for applying pricing and discount.,가격 및 할인을 적용하기위한 규칙. +Rules to calculate shipping amount for a sale,판매 배송 금액을 계산하는 규칙 +S.O. No.,SO 번호 +SHE Cess on Excise,그녀는 소비세에 운 +SHE Cess on Service Tax,SHE는 서비스 세금에 운 +SHE Cess on TDS,그녀는 TDS에 운 +SMS Center,SMS 센터 +SMS Gateway URL,SMS 게이트웨이 URL +SMS Log,SMS 로그 +SMS Parameter,SMS 매개 변수 +SMS Sender Name,SMS 보낸 사람 이름 +SMS Settings,SMS 설정 +SO Date,SO 날짜 +SO Pending Qty,SO 보류 수량 +SO Qty,SO 수량 +Salary,봉급 +Salary Information,연봉 정보 +Salary Manager,급여 관리자 +Salary Mode,급여 모드 +Salary Slip,급여 슬립 +Salary Slip Deduction,급여 슬립 공제 +Salary Slip Earning,급여 슬립 적립 +Salary Slip of employee {0} already created for this month,직원의 급여 슬립 {0}이 (가) 이미 이번 달 생성 +Salary Structure,급여 구조 +Salary Structure Deduction,급여 구조 공제 +Salary Structure Earning,급여 구조 적립 +Salary Structure Earnings,급여 구조 실적 +Salary breakup based on Earning and Deduction.,급여 이별은 적립 및 차감에 따라. +Salary components.,급여의 구성 요소. +Salary template master.,급여 템플릿 마스터. +Sales,매상 +Sales Analytics,판매 분석 +Sales BOM,판매 BOM +Sales BOM Help,판매 BOM 도움말 +Sales BOM Item,판매 BOM 품목 +Sales BOM Items,판매 BOM 항목 +Sales Browser,판매 브라우저 +Sales Details,판매 세부 사항 +Sales Discounts,매출 할인 +Sales Email Settings,판매 이메일 설정 +Sales Expenses,영업 비용 +Sales Extras,판매 엑스트라 +Sales Funnel,판매 깔때기 +Sales Invoice,판매 송장 +Sales Invoice Advance,견적서 사전 +Sales Invoice Item,판매 송장 상품 +Sales Invoice Items,판매 송장 항목 +Sales Invoice Message,판매 송장 메시지 +Sales Invoice No,판매 송장 번호 +Sales Invoice Trends,견적서 동향 +Sales Invoice {0} has already been submitted,판매 송장 {0}이 (가) 이미 제출되었습니다 +Sales Invoice {0} must be cancelled before cancelling this Sales Order,판매 송장은 {0}이 판매 주문을 취소하기 전에 취소해야합니다 +Sales Order,판매 주문 +Sales Order Date,판매 주문 날짜 +Sales Order Item,판매 오더 품목 +Sales Order Items,판매 오더 품목 +Sales Order Message,판매 오더 메시지 +Sales Order No,판매 주문 번호 +Sales Order Required,판매 주문 필수 +Sales Order Trends,판매 주문 동향 +Sales Order required for Item {0},상품에 필요한 판매 주문 {0} +Sales Order {0} is not submitted,판매 오더 {0} 제출되지 +Sales Order {0} is not valid,판매 오더 {0} 유효하지 않습니다 +Sales Order {0} is stopped,판매 주문은 {0} 정지 +Sales Partner,판매 파트너 +Sales Partner Name,판매 파트너 이름 +Sales Partner Target,판매 파트너 대상 +Sales Partners Commission,판매 파트너위원회 +Sales Person,판매 사람 +Sales Person Name,판매 사람 이름 +Sales Person Target Variance Item Group-Wise,영업 사원 대상 분산 상품 그룹 와이즈 +Sales Person Targets,영업 사원 대상 +Sales Person-wise Transaction Summary,판매 사람이 많다는 거래 요약 +Sales Register,판매 등록 +Sales Return,판매로 돌아 가기 +Sales Returned,판매는 반환 +Sales Taxes and Charges,판매 세금 및 요금 +Sales Taxes and Charges Master,판매 세금 및 요금 마스터 +Sales Team,판매 팀 +Sales Team Details,판매 팀의 자세한 사항 +Sales Team1,판매 Team1 +Sales and Purchase,판매 및 구매 +Sales campaigns.,판매 캠페인. +Salutation,인사말 +Sample Size,표본 크기 +Sanctioned Amount,제재 금액 +Saturday,토요일 +Schedule,일정 +Schedule Date,일정 날짜 +Schedule Details,Schedule 세부사항 +Scheduled,예약된 +Scheduled Date,예약 된 날짜 +Scheduled to send to {0},에 보낼 예정 {0} +Scheduled to send to {0} recipients,{0}받는 사람에게 보낼 예정 +Scheduler Failed Events,스케줄러 실패 이벤트 +School/University,학교 / 대학 +Score (0-5),점수 (0-5) +Score Earned,점수 획득 +Score must be less than or equal to 5,점수보다 작거나 5 같아야 +Scrap %,스크랩 % +Seasonality for setting budgets.,예산을 설정하는 계절. +Secretary,비서 +Secured Loans,보안 대출 +Securities & Commodity Exchanges,증권 및 상품 교환 +Securities and Deposits,증권 및 예치금 +"See ""Rate Of Materials Based On"" in Costing Section","절 원가 계산의 ""에 근거를 자료의 평가""를 참조하십시오" +"Select ""Yes"" for sub - contracting items","서브에 대해 ""예""를 선택합니다 - 상품을 계약" +"Select ""Yes"" if this item is used for some internal purpose in your company.","이 항목을 귀하의 회사에 대한 내부 목적으로 사용하는 경우 ""예""를 선택합니다." +"Select ""Yes"" if this item represents some work like training, designing, consulting etc.","이 항목 등 컨설팅 교육, 디자인, 같은 몇 가지 작업을 나타내는 경우 ""예""를 선택합니다" +"Select ""Yes"" if you are maintaining stock of this item in your Inventory.","당신은 당신의 인벤토리에있는이 품목의 재고를 유지하는 경우 ""예""를 선택합니다." +"Select ""Yes"" if you supply raw materials to your supplier to manufacture this item.","당신이이 품목을 제조 공급 업체에 원료를 공급하는 경우 ""예""를 선택합니다." +Select Brand...,브랜드를 선택합니다 ... +Select Budget Distribution to unevenly distribute targets across months.,고르지 개월에 걸쳐 목표를 배포하는 예산 분배를 선택합니다. +"Select Budget Distribution, if you want to track based on seasonality.","당신은 계절에 따라 추적 할 경우, 예산 분배를 선택합니다." +Select Company...,회사를 선택 ... +Select DocType,문서 종류 선택 +Select Fiscal Year...,회계 연도 선택 ... +Select Items,항목 선택 +Select Project...,프로젝트를 선택합니다 ... +Select Purchase Receipts,구매 영수증을 선택 +Select Sales Orders,선택 판매 주문 +Select Sales Orders from which you want to create Production Orders.,당신이 생산 오더를 생성하려는 선택 판매 주문. +Select Time Logs and Submit to create a new Sales Invoice.,시간 로그를 선택하고 새로운 판매 송장을 만들 제출. +Select Transaction,선택하기 이체 +Select Warehouse...,창고를 선택합니다 ... +Select Your Language,언어를 선택하십시오 +Select account head of the bank where cheque was deposited.,검사가 입금 된 은행 계좌 머리를 선택합니다. +Select company name first.,첫 번째 회사 이름을 선택합니다. +Select template from which you want to get the Goals,당신이 목표를 취득하는 템플릿을 선택 +Select the Employee for whom you are creating the Appraisal.,당신은 감정을 만드는 누구를 위해 직원을 선택합니다. +Select the period when the invoice will be generated automatically,송장이 자동으로 생성됩니다 기간을 선택 +Select the relevant company name if you have multiple companies,여러 회사가있는 경우 해당 회사의 이름을 선택 +Select the relevant company name if you have multiple companies.,여러 회사가있는 경우 해당 회사의 이름을 선택합니다. +Select who you want to send this newsletter to,당신이 뉴스 레터를 보낼 사람 선택 +Select your home country and check the timezone and currency.,자신의 나라를 선택하고 시간대 및 통화를 확인합니다. +"Selecting ""Yes"" will allow this item to appear in Purchase Order , Purchase Receipt.","""예""를 선택하면이 항목은 구매 주문, 구입 영수증에 표시 할 수 있습니다." +"Selecting ""Yes"" will allow this item to figure in Sales Order, Delivery Note","""예""를 선택하면이 항목은 판매 주문, 배달 주에 파악 할 수 있도록" +"Selecting ""Yes"" will allow you to create Bill of Material showing raw material and operational costs incurred to manufacture this item.","""예""를 선택하면 원료 및이 항목의 제조에 따른 운영 비용을 보여주는 자료의 빌을 만들 수 있습니다." +"Selecting ""Yes"" will allow you to make a Production Order for this item.","""예""를 선택하면이 항목에 대한 생산 주문을 할 수 있습니다." +"Selecting ""Yes"" will give a unique identity to each entity of this item which can be viewed in the Serial No master.","""예""를 선택하면 일련 번호 마스터에서 볼 수있는 항목의 각 개체에 고유 한 ID를 제공합니다." +Selling,판매 +Selling Settings,설정 판매 +"Selling must be checked, if Applicable For is selected as {0}","해당 법령에가로 선택된 경우 판매, 확인해야합니다 {0}" +Send,보내기 +Send Autoreply,자동 회신을 보내 +Send Email,이메일 보내기 +Send From,에서 보내기 +Send Notifications To,알림을 보내기 +Send Now,지금 보내기 +Send SMS,SMS 보내기 +Send To,보내기 +Send To Type,입력 보내기 +Send mass SMS to your contacts,상대에게 대량 SMS를 보내기 +Send to this list,이 목록에 보내기 +Sender Name,보낸 사람 이름 +Sent On,에 전송 +Separate production order will be created for each finished good item.,별도의 생산 순서는 각 완제품 항목에 대해 작성됩니다. +Serial No,일련 번호 +Serial No / Batch,일련 번호 / 배치 +Serial No Details,일련 번호 세부 사항 +Serial No Service Contract Expiry,일련 번호 서비스 계약 유효 +Serial No Status,일련 번호 상태 없습니다 +Serial No Warranty Expiry,일련 번호 보증 유효하지 +Serial No is mandatory for Item {0},일련 번호는 항목에 대해 필수입니다 {0} +Serial No {0} created,일련 번호 {0} 생성 +Serial No {0} does not belong to Delivery Note {1},일련 번호 {0} 배달 주에 속하지 않는 {1} +Serial No {0} does not belong to Item {1},일련 번호 {0} 항목에 속하지 않는 {1} +Serial No {0} does not belong to Warehouse {1},일련 번호 {0} 창고에 속하지 않는 {1} +Serial No {0} does not exist,일련 번호 {0}이 (가) 없습니다 +Serial No {0} has already been received,일련 번호 {0}이 (가) 이미 수신 된 +Serial No {0} is under maintenance contract upto {1},일련 번호는 {0}까지 유지 보수 계약에 따라 {1} +Serial No {0} is under warranty upto {1},일련 번호는 {0}까지 보증 {1} +Serial No {0} not in stock,일련 번호 {0} 재고가없는 +Serial No {0} quantity {1} cannot be a fraction,일련 번호 {0} 수량 {1} 일부가 될 수 없습니다 +Serial No {0} status must be 'Available' to Deliver,일련 번호 {0} 상태가 제공하는 '가능'해야 +Serial Nos Required for Serialized Item {0},직렬화 된 항목에 대한 일련 NOS 필수 {0} +Serial Number Series,일련 번호 시리즈 +Serial number {0} entered more than once,일련 번호 {0} 번 이상 입력 "Serialized Item {0} cannot be updated \ - using Stock Reconciliation",Postul serializat {0} nu poate fi actualizat \ \ n folosind Bursa de reconciliere -Series,Serie -Series List for this Transaction,Lista de serie pentru această tranzacție -Series Updated,Seria Actualizat -Series Updated Successfully,Seria Actualizat cu succes -Series is mandatory,Seria este obligatorie -Series {0} already used in {1},Series {0} folosit deja în {1} -Service,Servicii -Service Address,Adresa serviciu -Services,Servicii -Set,Setează -"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Seta valorile implicite, cum ar fi Compania, valutar, Current Anul fiscal, etc" -Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,"Set bugetelor Grupa înțelept Articol de pe acest teritoriu. Puteți include, de asemenea, sezonier prin setarea distribuție." -Set as Default,Setat ca implicit -Set as Lost,Setați ca Lost -Set prefix for numbering series on your transactions,Set prefix pentru seria de numerotare pe tranzacțiile dvs. -Set targets Item Group-wise for this Sales Person.,Stabilească obiective Articol Grupa-înțelept pentru această persoană de vânzări. -Setting Account Type helps in selecting this Account in transactions.,Setarea Tipul de cont ajută în selectarea acest cont în tranzacții. -Setting up...,Configurarea ... -Settings,Setări -Settings for HR Module,Setările pentru modul HR -"Settings to extract Job Applicants from a mailbox e.g. ""jobs@example.com""","Setări pentru a extrage Solicitanții de locuri de muncă de la o cutie poștală de exemplu ""jobs@example.com""" -Setup,Setare -Setup Already Complete!!,Setup deja complet! -Setup Complete,Configurare complet -Setup Series,Seria de configurare -Setup Wizard,Setup Wizard -Setup incoming server for jobs email id. (e.g. jobs@example.com),Configurare de server de intrare pentru ocuparea forței de muncă id-ul de e-mail. (De exemplu jobs@example.com) -Setup incoming server for sales email id. (e.g. sales@example.com),Configurare de server de intrare pentru ID-ul de e-mail de vânzări. (De exemplu sales@example.com) -Setup incoming server for support email id. (e.g. support@example.com),Configurare de server de intrare pentru suport de e-mail id. (De exemplu support@example.com) -Share,Distribuiţi -Share With,Împărtăși cu -Shareholders Funds,Fondurile acționarilor -Shipments to customers.,Transporturile către clienți. -Shipping,Transport -Shipping Account,Contul de transport maritim -Shipping Address,Adresa de livrare -Shipping Amount,Suma de transport maritim -Shipping Rule,Regula de transport maritim -Shipping Rule Condition,Regula Condiții presetate -Shipping Rule Conditions,Condiții Regula de transport maritim -Shipping Rule Label,Regula de transport maritim Label -Shop,Magazin -Shopping Cart,Cosul de cumparaturi -Short biography for website and other publications.,Scurta biografie pentru site-ul web și alte publicații. -"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","Arata ""Pe stoc"" sau ""nu este pe stoc"", bazat pe stoc disponibil în acest depozit." -"Show / Hide features like Serial Nos, POS etc.","Arată / Ascunde caracteristici cum ar fi de serie nr, POS etc" -Show In Website,Arată în site-ul -Show a slideshow at the top of the page,Arata un slideshow din partea de sus a paginii -Show in Website,Arata pe site-ul -Show this slideshow at the top of the page,Arată această prezentare în partea de sus a paginii -Sick Leave,A concediului medical -Signature,Semnătura -Signature to be appended at the end of every email,Semnătura să fie adăugată la sfârșitul fiecărui email -Single,Celibatar -Single unit of an Item.,Unitate unică a unui articol. -Sit tight while your system is being setup. This may take a few moments.,Stai bine în timp ce sistemul este în curs de instalare. Acest lucru poate dura câteva momente. -Slideshow,Slideshow -Soap & Detergent,Soap & Detergent -Software,Software -Software Developer,Software Developer -"Sorry, Serial Nos cannot be merged","Ne pare rău, Serial nr nu se pot uni" -"Sorry, companies cannot be merged","Ne pare rău, companiile nu se pot uni" -Source,Sursă -Source File,Sursă de fișiere -Source Warehouse,Depozit sursă -Source and target warehouse cannot be same for row {0},Sursă și depozit țintă nu poate fi același pentru rând {0} -Source of Funds (Liabilities),Sursa fondurilor (pasive) -Source warehouse is mandatory for row {0},Depozit sursă este obligatorie pentru rând {0} -Spartan,Spartan -"Special Characters except ""-"" and ""/"" not allowed in naming series","Caractere speciale, cu excepția ""-"" și ""/"" nu este permis în denumirea serie" -Specification Details,Specificații Detalii -Specifications,Specificaţii: -"Specify a list of Territories, for which, this Price List is valid","Specificați o listă de teritorii, pentru care, aceasta lista de prețuri este valabilă" -"Specify a list of Territories, for which, this Shipping Rule is valid","Specificați o listă de teritorii, pentru care, aceasta regula transport maritim este valabil" -"Specify a list of Territories, for which, this Taxes Master is valid","Specificați o listă de teritorii, pentru care, aceasta Taxe Master este valabil" -"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ă." -Split Delivery Note into packages.,Împărțit de livrare Notă în pachete. -Sports,Sport -Standard,Standard -Standard Buying,Cumpararea Standard -Standard Rate,Rate Standard -Standard Reports,Rapoarte standard -Standard Selling,Vanzarea Standard -Standard contract terms for Sales or Purchase.,Clauzele contractuale standard pentru vânzări sau de cumpărare. -Start,Început(Pornire) -Start Date,Data începerii -Start date of current invoice's period,Data perioadei de factura de curent începem -Start date should be less than end date for Item {0},Data de începere trebuie să fie mai mică decât data de sfârșit pentru postul {0} -State,Stat -Static Parameters,Parametrii statice -Status,Stare -Status must be one of {0},Starea trebuie să fie una din {0} -Status of {0} {1} is now {2},Starea de {0} {1} este acum {2} -Status updated to {0},Starea actualizat la {0} -Statutory info and other general information about your Supplier,Info statutar și alte informații generale despre dvs. de Furnizor -Stay Updated,Stai Actualizat -Stock,Stoc -Stock Adjustment,Ajustarea stoc -Stock Adjustment Account,Cont Ajustarea stoc -Stock Ageing,Stoc Îmbătrânirea -Stock Analytics,Analytics stoc -Stock Assets,Active stoc -Stock Balance,Stoc Sold + using Stock Reconciliation","직렬화 된 항목 {0} 업데이트 할 수 없습니다 \ + 재고 조정을 사용하여" +Series,시리즈 +Series List for this Transaction,이 트랜잭션에 대한 시리즈 일람 +Series Updated,시리즈 업데이트 +Series Updated Successfully,시리즈가 업데이트 +Series is mandatory,시리즈는 필수입니다 +Series {0} already used in {1},계열 {0} 이미 사용될 {1} +Service,서비스 +Service Address,서비스 주소 +Service Tax,서비스 세금 +Services,Services (서비스) +Set,설정 +"Set Default Values like Company, Currency, Current Fiscal Year, etc.","기타 회사, 통화, 당해 사업 연도와 같은 기본값을 설정" +Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,이 지역에 상품 그룹 현명한 예산을 설정합니다.또한 배포를 설정하여 계절성을 포함 할 수 있습니다. +Set Status as Available,로 설정 가능 여부 +Set as Default,기본값으로 설정 +Set as Lost,분실로 설정 +Set prefix for numbering series on your transactions,트랜잭션에 일련 번호에 대한 설정 접두사 +Set targets Item Group-wise for this Sales Person.,목표를 설정 항목 그룹 방향이 판매 사람입니다. +Setting Account Type helps in selecting this Account in transactions.,계정 유형을 설정하면 트랜잭션이 계정을 선택하는 데 도움이됩니다. +Setting this Address Template as default as there is no other default,다른 기본이 없기 때문에 기본적으로이 주소 템플릿 설정 +Setting up...,설정 ... +Settings,설정 +Settings for HR Module,HR 모듈에 대한 설정 +"Settings to extract Job Applicants from a mailbox e.g. ""jobs@example.com""","사서함 예를 들면 ""jobs@example.com""에서 입사 지원자를 추출하는 설정" +Setup,설정 +Setup Already Complete!!,이미 설치 완료! +Setup Complete,설치 완료 +Setup SMS gateway settings,설치 SMS 게이트웨이 설정 +Setup Series,설치 시리즈 +Setup Wizard,설치 마법사 +Setup incoming server for jobs email id. (e.g. jobs@example.com),작업 메일 ID의 설정받는 서버. (예를 들어 jobs@example.com) +Setup incoming server for sales email id. (e.g. sales@example.com),판매 이메일 ID에 대한 설정받는 서버. (예를 들어 sales@example.com) +Setup incoming server for support email id. (e.g. support@example.com),지원 전자 우편 ID의 설정받는 서버. (예를 들어 support@example.com) +Share,공유 +Share With,함께 공유하기 +Shareholders Funds,주주의 자금 +Shipments to customers.,고객에게 선적. +Shipping,배송 +Shipping Account,배송 계정 +Shipping Address,배송 주소 +Shipping Amount,배송 금액 +Shipping Rule,배송 규칙 +Shipping Rule Condition,배송 규칙 조건 +Shipping Rule Conditions,배송 규칙 조건 +Shipping Rule Label,배송 규칙 라벨 +Shop,상점 +Shopping Cart,쇼핑 카트 +Short biography for website and other publications.,웹 사이트 및 기타 간행물에 대한 짧은 전기. +"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","""재고""표시 또는 ""재고 부족""이 창고에 재고를 기반으로." +"Show / Hide features like Serial Nos, POS etc.","등 일련 NOS, POS 등의 표시 / 숨기기 기능" +Show In Website,웹 사이트에 표시 +Show a slideshow at the top of the page,페이지의 상단에 슬라이드 쇼보기 +Show in Website,웹 사이트에 표시 +Show rows with zero values,0 값을 가진 행 표시 +Show this slideshow at the top of the page,페이지 상단에이 슬라이드 쇼보기 +Sick Leave,병가 +Signature,서명: +Signature to be appended at the end of every email,모든 이메일의 끝에 추가되는 서명 +Single,미혼 +Single unit of an Item.,항목의 하나의 단위. +Sit tight while your system is being setup. This may take a few moments.,시스템이 설치되는 동안 그대로 앉아있어.이 작업은 약간의 시간이 걸릴 수 있습니다. +Slideshow,슬라이드쇼 +Soap & Detergent,비누 및 세제 +Software,소프트웨어 +Software Developer,소프트웨어 개발자 +"Sorry, Serial Nos cannot be merged","죄송합니다, 시리얼 NOS는 병합 할 수 없습니다" +"Sorry, companies cannot be merged","죄송합니다, 회사는 병합 할 수 없습니다" +Source,소스 +Source File,소스 파일 +Source Warehouse,자료 창고 +Source and target warehouse cannot be same for row {0},소스와 목표웨어 하우스는 행에 대해 동일 할 수 없습니다 {0} +Source of Funds (Liabilities),자금의 출처 (부채) +Source warehouse is mandatory for row {0},소스웨어 하우스는 행에 대해 필수입니다 {0} +Spartan,스파르타의 +"Special Characters except ""-"" and ""/"" not allowed in naming series","를 제외한 특수 문자 ""-""및 ""/""시리즈 이름에 허용되지" +Specification Details,사양 세부 정보 +Specifications,사양 +"Specify a list of Territories, for which, this Price List is valid","지역의 목록을 지정하는,이 가격 목록은 유효" +"Specify a list of Territories, for which, this Shipping Rule is valid","지역의 목록을 지정하는,이 선박의 규칙이 유효합니다" +"Specify a list of Territories, for which, this Taxes Master is valid","지역의 목록을 지정하는 경우,이 마스터가 유효 세금" +"Specify the operations, operating cost and give a unique Operation no to your operations.","운영, 운영 비용을 지정하고 작업에 고유 한 작업에게 더를 제공합니다." +Split Delivery Note into packages.,패키지로 배달 주를 분할합니다. +Sports,스포츠 +Sr,SR +Standard,표준 +Standard Buying,표준 구매 +Standard Reports,표준 보고서 +Standard Selling,표준 판매 +Standard contract terms for Sales or Purchase.,판매 또는 구매를위한 표준 계약 조건. +Start,시작 +Start Date,시작 날짜 +Start date of current invoice's period,현재 송장의 기간의 시작 날짜 +Start date should be less than end date for Item {0},시작 날짜는 항목에 대한 종료 날짜보다 작아야합니다 {0} +State,도 +Statement of Account,계정의 문 +Static Parameters,정적 매개 변수 +Status,상태 +Status must be one of {0},상태 중 하나 여야합니다 {0} +Status of {0} {1} is now {2},{0} {1} 지금의 상태 {2} +Status updated to {0},상태로 업데이트 {0} +Statutory info and other general information about your Supplier,법정 정보 및 공급 업체에 대한 다른 일반적인 정보 +Stay Updated,숙박 업데이트 +Stock,재고 +Stock Adjustment,재고 조정 +Stock Adjustment Account,재고 조정 계정 +Stock Ageing,주식 고령화 +Stock Analytics,증권 분석 +Stock Assets,재고 자산 +Stock Balance,주식 대차 Stock Entries already created for Production Order , -Stock Entry,Stoc de intrare -Stock Entry Detail,Stoc de intrare Detaliu -Stock Expenses,Cheltuieli stoc -Stock Frozen Upto,Stoc Frozen Până la -Stock Ledger,Stoc Ledger -Stock Ledger Entry,Stoc Ledger intrare -Stock Ledger entries balances updated,Stoc Ledger intrări solduri actualizate -Stock Level,Nivelul de stoc -Stock Liabilities,Pasive stoc -Stock Projected Qty,Stoc proiectată Cantitate -Stock Queue (FIFO),Stoc Queue (FIFO) -Stock Received But Not Billed,"Stock primite, dar nu Considerat" -Stock Reconcilation Data,Stoc al reconcilierii datelor -Stock Reconcilation Template,Stoc reconcilierii Format -Stock Reconciliation,Stoc Reconciliere -"Stock Reconciliation can be used to update the stock on a particular date, usually as per physical inventory.","Stock Reconcilierea poate fi utilizată pentru a actualiza stocul de la o anumită dată, de obicei conform inventarului fizic." -Stock Settings,Setări stoc -Stock UOM,Stoc UOM -Stock UOM Replace Utility,Stoc UOM Înlocuiți Utility -Stock UOM updatd for Item {0},Updatd UOM stoc pentru postul {0} -Stock Uom,Stoc UOM -Stock Value,Valoare stoc -Stock Value Difference,Valoarea Stock Diferența -Stock balances updated,Solduri stoc actualizate -Stock cannot be updated against Delivery Note {0},Stock nu poate fi actualizat împotriva livrare Nota {0} -Stock entries exist against warehouse {0} cannot re-assign or modify 'Master Name',"Intrări de stocuri exista împotriva depozit {0} nu poate re-aloca sau modifica ""Maestru Name""" -Stop,Oprire -Stop Birthday Reminders,De oprire de naștere Memento -Stop Material Request,Oprire Material Cerere -Stop users from making Leave Applications on following days.,Opri utilizatorii de la a face aplicații concediu pentru următoarele zile. -Stop!,Opriti-va! -Stopped,Oprita -Stopped order cannot be cancelled. Unstop to cancel.,Pentru a opri nu pot fi anulate. Unstop pentru a anula. -Stores,Magazine -Stub,Ciot -Sub Assemblies,Sub Assemblies -"Sub-currency. For e.g. ""Cent""","Sub-valută. De exemplu ""Cent """ -Subcontract,Subcontract -Subject,Subiect -Submit Salary Slip,Prezenta Salariul Slip -Submit all salary slips for the above selected criteria,Să prezinte toate fișele de salariu pentru criteriile selectate de mai sus -Submit this Production Order for further processing.,Trimiteți acest comandă de producție pentru prelucrarea ulterioară. -Submitted,Inscrisa -Subsidiary,Filială +Stock Entry,재고 항목 +Stock Entry Detail,재고 항목의 세부 사항 +Stock Expenses,재고 비용 +Stock Frozen Upto,주식 냉동 개까지 +Stock Ledger,주식 원장 +Stock Ledger Entry,주식 원장 입장 +Stock Ledger entries balances updated,주식 원장 업데이트 균형 엔트리 +Stock Level,재고 수준 +Stock Liabilities,주식 부채 +Stock Projected Qty,재고 수량을 예상 +Stock Queue (FIFO),주식 큐 (FIFO) +Stock Received But Not Billed,주식 받았지만 청구하지 +Stock Reconcilation Data,주식 Reconcilation 데이터 +Stock Reconcilation Template,주식 Reconcilation 템플릿 +Stock Reconciliation,재고 조정 +"Stock Reconciliation can be used to update the stock on a particular date, usually as per physical inventory.",재고 조정은 보통 물리적 명세 사항 따라 특정 날짜에 콘텐츠를 업데이트하기 위해 사용될 수있다. +Stock Settings,스톡 설정 +Stock UOM,주식 UOM +Stock UOM Replace Utility,주식 UOM 유틸리티를 교체 +Stock UOM updatd for Item {0},상품에 대한 주식 UOM의 updatd {0} +Stock Uom,주식 UOM +Stock Value,주식 가치 +Stock Value Difference,주식 가치의 차이 +Stock balances updated,주식 잔고가 업데이트 +Stock cannot be updated against Delivery Note {0},스톡 배달 주에 업데이트 할 수 없습니다 {0} +Stock entries exist against warehouse {0} cannot re-assign or modify 'Master Name',재고 항목이 {0} '마스터 이름을'다시 지정하거나 수정할 수 없습니다 창고에 존재 +Stock transactions before {0} are frozen,{0} 전에 주식 거래는 냉동 +Stop,중지 +Stop Birthday Reminders,정지 생일 알림 +Stop Material Request,정지 자료 요청 +Stop users from making Leave Applications on following days.,다음과 같은 일에 허가 신청을하는 사용자가 중지합니다. +Stop!,거기 서! +Stopped,중지 +Stopped order cannot be cancelled. Unstop to cancel.,정지 순서는 취소 할 수 없습니다.취소 멈추지. +Stores,상점 +Stub,그루터기 +Sub Assemblies,서브 어셈블리 +"Sub-currency. For e.g. ""Cent""","하위 통화.예를 들면 ""에 대한센트 """ +Subcontract,하청 +Subject,주제 +Submit Salary Slip,급여 슬립 제출 +Submit all salary slips for the above selected criteria,위의 선택 기준에 대한 모든 급여 전표 제출 +Submit this Production Order for further processing.,추가 처리를 위해이 생산 주문을 제출합니다. +Submitted,제출 +Subsidiary,자회사 Successful: , -Successfully allocated,Alocate cu succes -Suggestions,Sugestii -Sunday,Duminică -Supplier,Furnizor -Supplier (Payable) Account,Furnizor (furnizori) de cont -Supplier (vendor) name as entered in supplier master,"Furnizor (furnizor), nume ca a intrat in legatura cu furnizorul de master" -Supplier Account,Furnizor de cont -Supplier Account Head,Furnizor de cont Șeful -Supplier Address,Furnizor Adresa -Supplier Addresses and Contacts,Adrese furnizorului și de Contacte -Supplier Details,Detalii furnizor -Supplier Intro,Furnizor Intro -Supplier Invoice Date,Furnizor Data facturii -Supplier Invoice No,Furnizor Factura Nu -Supplier Name,Furnizor Denumire -Supplier Naming By,Furnizor de denumire prin -Supplier Part Number,Furnizor Număr -Supplier Quotation,Furnizor ofertă -Supplier Quotation Item,Furnizor ofertă Articol -Supplier Reference,Furnizor de referință -Supplier Type,Furnizor Tip -Supplier Type / Supplier,Furnizor Tip / Furnizor -Supplier Type master.,Furnizor de tip maestru. -Supplier Warehouse,Furnizor Warehouse -Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Furnizor Depozit obligatoriu pentru contractate sub-cumparare Primirea -Supplier database.,Baza de date furnizor. -Supplier master.,Furnizor maestru. -Supplier warehouse where you have issued raw materials for sub - contracting,Depozit furnizor în cazul în care au emis materii prime pentru sub - contractare -Supplier-Wise Sales Analytics,Furnizor înțelept Vânzări Analytics -Support,Suport -Support Analtyics,Analtyics Suport -Support Analytics,Suport Analytics -Support Email,Suport de e-mail -Support Email Settings,Suport Setări e-mail -Support Password,Suport Parola -Support Ticket,Bilet de sprijin -Support queries from customers.,Interogări de suport din partea clienților. -Symbol,Simbol -Sync Support Mails,Sync Suport mailuri -Sync with Dropbox,Sincronizare cu Dropbox -Sync with Google Drive,Sincronizare cu Google Drive -System,Sistem -System Settings,Setări de sistem -"System User (login) ID. If set, it will become default for all HR forms.","Utilizator de sistem (login) de identitate. Dacă este setat, el va deveni implicit pentru toate formele de resurse umane." -Target Amount,Suma țintă -Target Detail,Țintă Detaliu -Target Details,Țintă Detalii -Target Details1,Țintă Details1 -Target Distribution,Țintă Distribuție -Target On,Țintă pe -Target Qty,Țintă Cantitate -Target Warehouse,Țintă Warehouse -Target warehouse in row {0} must be same as Production Order,Depozit țintă în rândul {0} trebuie să fie același ca și de producție de comandă -Target warehouse is mandatory for row {0},Depozit țintă este obligatorie pentru rând {0} -Task,Operatiune -Task Details,Sarcina Detalii -Tasks,Task-uri -Tax,Impozite -Tax Amount After Discount Amount,Suma taxa După Discount Suma -Tax Assets,Active fiscale -Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,"Taxa Categoria nu poate fi ""de evaluare"" sau ""de evaluare și total"", ca toate elementele sunt produse non-stoc" -Tax Rate,Cota de impozitare -Tax and other salary deductions.,Impozitul și alte rețineri salariale. +Successfully Reconciled,성공적으로 조정 됨 +Suggestions,제안 +Sunday,일요일 +Supplier,공급 업체 +Supplier (Payable) Account,공급 업체 (직불) 계정 +Supplier (vendor) name as entered in supplier master,공급 업체 마스터에 입력 공급 업체 (공급 업체) 이름으로 +Supplier > Supplier Type,공급 업체> 공급 업체 유형 +Supplier Account Head,공급 업체 계정 헤드 +Supplier Address,공급 업체 주소 +Supplier Addresses and Contacts,공급 업체 주소 및 연락처 +Supplier Details,공급 업체의 상세 정보 +Supplier Intro,업체 소개 +Supplier Invoice Date,공급 업체 송장 날짜 +Supplier Invoice No,공급 업체 송장 번호 +Supplier Name,공급 업체 이름 +Supplier Naming By,공급 업체 이름 지정으로 +Supplier Part Number,공급 업체 부품 번호 +Supplier Quotation,공급 업체 견적 +Supplier Quotation Item,공급 업체의 견적 상품 +Supplier Reference,공급 업체 참조 +Supplier Type,공급 업체 유형 +Supplier Type / Supplier,공급 업체 유형 / 공급 업체 +Supplier Type master.,공급 유형 마스터. +Supplier Warehouse,공급 업체 창고 +Supplier Warehouse mandatory for sub-contracted Purchase Receipt,하청 구입 영수증 필수 공급 업체 창고 +Supplier database.,공급 업체 데이터베이스. +Supplier master.,공급 업체 마스터. +Supplier warehouse where you have issued raw materials for sub - contracting,당신이 하위 원료를 발행 한 업체 창고 - 계약 +Supplier-Wise Sales Analytics,공급 업체 현명한 판매 분석 +Support,기술 지원 +Support Analtyics,지원 Analtyics +Support Analytics,지원 분석 +Support Email,지원 이메일 +Support Email Settings,지원 이메일 설정 +Support Password,지원 암호 +Support Ticket,지원 티켓 +Support queries from customers.,고객 지원 쿼리. +Symbol,상징 +Sync Support Mails,동기화 지원 메일 +Sync with Dropbox,드롭 박스와 동기화 +Sync with Google Drive,구글 드라이브와 동기화 +System,체계 +System Settings,시스템 설정 +"System User (login) ID. If set, it will become default for all HR forms.","시스템 사용자 (로그인) ID. 설정하면, 모든 HR 양식의 기본이 될 것입니다." +TDS (Advertisement),TDS (광고) +TDS (Commission),TDS (위원회) +TDS (Contractor),TDS (시공) +TDS (Interest),TDS (이자) +TDS (Rent),TDS (임대) +TDS (Salary),TDS (급여) +Target Amount,대상 금액 +Target Detail,세부 목표 +Target Details,대상 세부 정보 +Target Details1,대상 Details1 +Target Distribution,대상 배포 +Target On,대상에 +Target Qty,목표 수량 +Target Warehouse,목표웨어 하우스 +Target warehouse in row {0} must be same as Production Order,행의 목표웨어 하우스가 {0}과 동일해야합니다 생산 주문 +Target warehouse is mandatory for row {0},목표웨어 하우스는 행에 대해 필수입니다 {0} +Task,태스크 +Task Details,작업 상세 정보 +Tasks,타스크 +Tax,세금 +Tax Amount After Discount Amount,할인 금액 후 세액 +Tax Assets,법인세 자산 +Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,세금의 종류는 '평가'또는 '평가 및 전체'모든 항목은 비 재고 품목이기 때문에 할 수 없습니다 +Tax Rate,세율 +Tax and other salary deductions.,세금 및 기타 급여 공제. "Tax detail table fetched from item master as a string and stored in this field. -Used for Taxes and Charges",Taxa detaliu tabel preluat de la maestru element ca un șir și stocate în acest domeniu. \ NUtilizat pentru Impozite și Taxe -Tax template for buying transactions.,Șablon taxa pentru tranzacțiilor de cumpărare. -Tax template for selling transactions.,Șablon impozit pentru tranzacțiile de vânzare. -Taxable,Impozabil -Taxes and Charges,Impozite și Taxe -Taxes and Charges Added,Impozite și Taxe Added -Taxes and Charges Added (Company Currency),Impozite și Taxe adăugate (Compania de valuta) -Taxes and Charges Calculation,Impozite și Taxe Calcul -Taxes and Charges Deducted,Impozite și Taxe dedus -Taxes and Charges Deducted (Company Currency),Impozite și taxe deduse (Compania de valuta) -Taxes and Charges Total,Impozite și Taxe total -Taxes and Charges Total (Company Currency),Impozite și Taxe total (Compania de valuta) -Technology,Tehnologia nou-aparuta -Telecommunications,Telecomunicații -Telephone Expenses,Cheltuieli de telefon -Television,Televiziune -Template for performance appraisals.,Șablon pentru evaluările de performanță. -Template of terms or contract.,Șablon de termeni sau contractului. -Temporary Accounts (Assets),Conturile temporare (Active) -Temporary Accounts (Liabilities),Conturile temporare (pasive) -Temporary Assets,Active temporare -Temporary Liabilities,Pasive temporare -Term Details,Detalii pe termen -Terms,Termeni -Terms and Conditions,Termeni şi condiţii -Terms and Conditions Content,Termeni și condiții de conținut -Terms and Conditions Details,Termeni și condiții Detalii -Terms and Conditions Template,Termeni și condiții Format -Terms and Conditions1,Termeni și Conditions1 +Used for Taxes and Charges","세금 세부 테이블은 문자열로 품목 마스터에서 가져온이 분야에 저장됩니다. + 세금 및 요금에 사용" +Tax template for buying transactions.,트랜잭션을 구입을위한 세금 템플릿. +Tax template for selling transactions.,거래를 판매에 대한 세금 템플릿. +Taxable,과세 대상 +Taxes,세금 +Taxes and Charges,세금과 요금 +Taxes and Charges Added,추가 세금 및 수수료 +Taxes and Charges Added (Company Currency),추가 세금 및 수수료 (회사 통화) +Taxes and Charges Calculation,세금과 요금 계산 +Taxes and Charges Deducted,차감 세금과 요금 +Taxes and Charges Deducted (Company Currency),차감 세금 및 수수료 (회사 통화) +Taxes and Charges Total,세금과 요금 전체 +Taxes and Charges Total (Company Currency),세금과 요금 합계 (회사 통화) +Technology,기술 +Telecommunications,통신 +Telephone Expenses,전화 비용 +Television,텔레비전 +Template,템플릿 +Template for performance appraisals.,성과 평가를위한 템플릿. +Template of terms or contract.,조건 또는 계약의 템플릿. +Temporary Accounts (Assets),임시 계정 (자산) +Temporary Accounts (Liabilities),임시 계정 (부채) +Temporary Assets,임시 자산 +Temporary Liabilities,임시 부채 +Term Details,용어의 자세한 사항 +Terms,약관 +Terms and Conditions,이용약관 +Terms and Conditions Content,약관 내용 +Terms and Conditions Details,약관의 자세한 사항 +Terms and Conditions Template,이용 약관 템플릿 +Terms and Conditions1,약관 및 상태 인 경우 1 Terretory,Terretory -Territory,Teritoriu -Territory / Customer,Teritoriu / client -Territory Manager,Teritoriu Director -Territory Name,Teritoriului Denumire -Territory Target Variance Item Group-Wise,Teritoriul țintă Variance Articol Grupa Înțelept -Territory Targets,Obiective Territory -Test,Teste -Test Email Id,Test de e-mail Id-ul -Test the Newsletter,Testați Newsletter -The BOM which will be replaced,BOM care va fi înlocuit -The First User: You,Primul utilizator: -"The Item that represents the Package. This Item must have ""Is Stock Item"" as ""No"" and ""Is Sales Item"" as ""Yes""","Elementul care reprezintă pachetul. Acest articol trebuie să fi ""Este Piesa"" ca ""Nu"" și ""este produs de vânzări"" ca ""Da""" -The Organization,Organizația -"The account head under Liability, in which Profit/Loss will be booked","Contul capul sub răspunderii, în care Profit / pierdere va fi rezervat" +Territory,준주 +Territory / Customer,지역 / 고객 +Territory Manager,지역 관리자 +Territory Name,지역 이름 +Territory Target Variance Item Group-Wise,지역 대상 분산 상품 그룹 와이즈 +Territory Targets,지역 대상 +Test,미리 보기 +Test Email Id,테스트 이메일 아이디 +Test the Newsletter,뉴스 레터를 테스트 +The BOM which will be replaced,대체됩니다 BOM +The First User: You,첫 번째 사용자 : 당신 +"The Item that represents the Package. This Item must have ""Is Stock Item"" as ""No"" and ""Is Sales Item"" as ""Yes""","패키지를 나타내는 항목.""아니오""를 ""예""로 ""판매 아이템""으로이 항목은 ""재고 상품입니다""해야합니다" +The Organization,조직 +"The account head under Liability, in which Profit/Loss will be booked","이익 / 손실은 예약 할 수있는 책임에서 계정 머리," "The date on which next invoice will be generated. It is generated on submit. -",Data la care va fi generat următoarea factură. Acesta este generat pe prezinte. \ N -The date on which recurring invoice will be stop,La data la care factura recurente vor fi opri +","다음 송장이 생성되는 날짜입니다.그것은 제출에 생성됩니다. +" +The date on which recurring invoice will be stop,반복 송장이 중단 될 일자 "The day of the month on which auto invoice will be generated e.g. 05, 28 etc ", -The day(s) on which you are applying for leave are holiday. You need not apply for leave.,A doua zi (e) pe care aplici pentru concediu sunt vacanță. Tu nu trebuie să se aplice pentru concediu. -The first Leave Approver in the list will be set as the default Leave Approver,Primul Aprobatorul Lăsați în lista va fi setat ca implicit concediu aprobator -The first user will become the System Manager (you can change that later).,Primul utilizator va deveni System Manager (puteți schimba asta mai târziu). -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)" -The name of your company for which you are setting up this system.,Numele companiei dumneavoastră pentru care vă sunt configurarea acestui sistem. -The net weight of this package. (calculated automatically as sum of net weight of items),Greutatea netă a acestui pachet. (Calculat automat ca suma de greutate netă de produs) -The new BOM after replacement,Noul BOM după înlocuirea -The rate at which Bill Currency is converted into company's base currency,Rata la care Bill valuta este convertit în moneda de bază a companiei -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. -There are more holidays than working days this month.,Există mai multe sărbători decât de zile de lucru în această lună. -"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Nu poate fi doar o singură regulă Condiții presetate cu 0 sau o valoare necompletată pentru ""la valoarea""" -There is not enough leave balance for Leave Type {0},Nu există echilibru concediu suficient pentru concediul de tip {0} -There is nothing to edit.,Nu este nimic pentru a edita. -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.,Nu a fost o eroare. Un motiv probabil ar putea fi că nu ați salvat formularul. Vă rugăm să contactați support@erpnext.com dacă problema persistă. -There were errors.,Au fost erori. -This Currency is disabled. Enable to use in transactions,Acest valutar este dezactivată. Permite să folosească în tranzacțiile -This Leave Application is pending approval. Only the Leave Apporver can update status.,Această aplicație concediu este în curs de aprobare. Numai concediu Apporver poate actualiza starea. -This Time Log Batch has been billed.,Acest lot Timpul Log a fost facturat. -This Time Log Batch has been cancelled.,Acest lot Timpul Log a fost anulat. -This Time Log conflicts with {0},This Time Log conflict cu {0} -This is a root account and cannot be edited.,Acesta este un cont de rădăcină și nu pot fi editate. -This is a root customer group and cannot be edited.,Acesta este un grup de clienți rădăcină și nu pot fi editate. -This is a root item group and cannot be edited.,Acesta este un grup element rădăcină și nu pot fi editate. -This is a root sales person and cannot be edited.,Aceasta este o persoană de vânzări rădăcină și nu pot fi editate. -This is a root territory and cannot be edited.,Acesta este un teritoriu rădăcină și nu pot fi editate. -This is an example website auto-generated from ERPNext,Acesta este un site web exemplu auto-generat de ERPNext -This is the number of the last created transaction with this prefix,Acesta este numărul ultimei tranzacții creat cu acest prefix -This will be used for setting rule in HR module,Aceasta va fi utilizată pentru stabilirea regulă în modul de HR -Thread HTML,HTML fir -Thursday,Joi -Time Log,Timp Conectare -Time Log Batch,Timp Log lot -Time Log Batch Detail,Ora Log lot Detaliu -Time Log Batch Details,Timp Jurnal Detalii lot -Time Log Batch {0} must be 'Submitted',"Ora Log Lot {0} trebuie să fie ""Înscris""" -Time Log for tasks.,Log timp de sarcini. -Time Log {0} must be 'Submitted',"Ora Log {0} trebuie să fie ""Înscris""" -Time Zone,Time Zone -Time Zones,Time Zones -Time and Budget,Timp și buget -Time at which items were delivered from warehouse,Timp în care obiectele au fost livrate de la depozit -Time at which materials were received,Timp în care s-au primit materiale -Title,Titlu -Titles for print templates e.g. Proforma Invoice.,"Titluri de șabloane de imprimare, de exemplu proforma Factura." -To,Până la data -To Currency,Pentru a valutar -To Date,La Data -To Date should be same as From Date for Half Day leave,Pentru a Data trebuie să fie aceeași ca la data de concediu de jumatate de zi -To Discuss,Pentru a discuta -To Do List,To do list -To Package No.,La pachetul Nr -To Produce,Pentru a produce -To Time,La timp -To Value,La valoarea -To Warehouse,Pentru Warehouse -"To add child nodes, explore tree and click on the node under which you want to add more nodes.","Pentru a adăuga noduri copil, explora copac și faceți clic pe nodul în care doriți să adăugați mai multe noduri." -"To assign this issue, use the ""Assign"" button in the sidebar.","Pentru a atribui această problemă, utilizați butonul ""Assign"" în bara laterală." -To create a Bank Account:,Pentru a crea un cont bancar: -To create a Tax Account:,Pentru a crea un cont fiscal: -"To create an Account Head under a different company, select the company and save customer.","Pentru a crea un cap de cont sub o altă companie, selecta compania și de a salva client." -To date cannot be before from date,Până în prezent nu poate fi înainte de data -To enable Point of Sale features,Pentru a permite Point of Sale caracteristici -To enable Point of Sale view,Pentru a permite Point of Sale de vedere -To get Item Group in details table,Pentru a obține Grupa de articole în detalii de masă -"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" -"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" -"To report an issue, go to ", -"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""" -To track any installation or commissioning related work after sales,Pentru a urmări orice instalare sau punere în lucrările conexe după vânzări -"To track brand name in the following documents Delivery Note, Opportunity, Material Request, Item, Purchase Order, Purchase Voucher, Purchaser Receipt, Quotation, Sales Invoice, Sales BOM, Sales Order, Serial No","Pentru a urmări nume de marcă în următoarele documente nota de livrare, oportunitate, cerere Material, Item, Ordinul de cumparare, cumparare Voucherul, Cumpărătorul Primirea, cotatie, Factura Vanzare, Vanzari BOM, comandă de vânzări, Serial nr" -To track item in sales and purchase documents based on their serial nos. This is can also used to track warranty details of the product.,"Pentru a urmări element în vânzări și a documentelor de achiziție, pe baza lor de serie nr. Acest lucru se poate, de asemenea, utilizat pentru a urmări detalii de garanție ale produsului." -To track items in sales and purchase documents with batch nos
Preferred Industry: Chemicals etc,"Pentru a urmări elementele din vânzări și achiziționarea de documente, cu lot nr cui Industrie preferată: Produse chimice etc " -To track items using barcode. You will be able to enter items in Delivery Note and Sales Invoice by scanning barcode of item.,Pentru a urmări elemente utilizând coduri de bare. Va fi capabil de a intra articole în nota de livrare și factură de vânzare prin scanarea codului de bare de element. -Tools,Instrumentele -Total,totală -Total Advance,Total de Advance -Total Allocated Amount,Suma totală alocată -Total Allocated Amount can not be greater than unmatched amount,Suma totală alocată nu poate fi mai mare decât valoarea de neegalat -Total Amount,Suma totală -Total Amount To Pay,Suma totală să plătească -Total Amount in Words,Suma totală în cuvinte +The day(s) on which you are applying for leave are holiday. You need not apply for leave.,당신이 허가를 신청하는 날 (들)은 휴일입니다.당신은 휴가를 신청할 필요가 없습니다. +The first Leave Approver in the list will be set as the default Leave Approver,목록의 첫 번째 허가 승인자는 기본 남겨 승인자로 설정됩니다 +The first user will become the System Manager (you can change that later).,첫 번째 사용자 (당신은 나중에 변경할 수 있습니다) 시스템 관리자가 될 것입니다. +The gross weight of the package. Usually net weight + packaging material weight. (for print),패키지의 총 무게.보통 그물 무게 + 포장 재료의 무게. (프린트) +The name of your company for which you are setting up this system.,이 시스템을 설정하는하는 기업의 이름입니다. +The net weight of this package. (calculated automatically as sum of net weight of items),이 패키지의 순 중량. (항목의 순 중량의 합으로 자동으로 계산) +The new BOM after replacement,교체 후 새로운 BOM +The rate at which Bill Currency is converted into company's base currency,빌 통화는 회사의 기본 통화로 변환되는 비율 +The unique id for tracking all recurring invoices. It is generated on submit.,모든 반복 송장을 추적하는 고유 ID.그것은 제출에 생성됩니다. +"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","그런 가격 설정 규칙은 고객에 따라 필터링됩니다, 고객 그룹, 지역, 공급 업체, 공급 업체 유형, 캠페인, 판매 파트너 등" +There are more holidays than working days this month.,이번 달 작업 일 이상 휴일이 있습니다. +"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","전용 ""값을""0 또는 빈 값을 발송하는 규칙 조건이있을 수 있습니다" +There is not enough leave balance for Leave Type {0},허가 유형에 대한 충분한 휴가 밸런스가 없습니다 {0} +There is nothing to edit.,편집 할 수있는 것은 아무 것도 없습니다. +There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,오류가 발생했습니다.한 가지 가능한 이유는 양식을 저장하지 않은 경우입니다.문제가 계속되면 support@erpnext.com에 문의하시기 바랍니다. +There were errors.,오류가 발생했습니다. +This Currency is disabled. Enable to use in transactions,이 통화는 사용할 수 없습니다.트랜잭션을에 사용하도록 설정 +This Leave Application is pending approval. Only the Leave Apporver can update status.,이 허가 신청이 승인 대기 중입니다.만 남겨 Apporver 상태를 업데이트 할 수 있습니다. +This Time Log Batch has been billed.,이 시간 로그 일괄 청구하고있다. +This Time Log Batch has been cancelled.,이 시간 로그 일괄 취소되었습니다. +This Time Log conflicts with {0},이 시간 로그와 충돌 {0} +This format is used if country specific format is not found,국가 별 형식을 찾을 수없는 경우이 형식이 사용됩니다 +This is a root account and cannot be edited.,이 루트 계정 및 편집 할 수 없습니다. +This is a root customer group and cannot be edited.,이 루트 고객 그룹 및 편집 할 수 없습니다. +This is a root item group and cannot be edited.,이 루트 항목 그룹 및 편집 할 수 없습니다. +This is a root sales person and cannot be edited.,이 루트 판매 사람 및 편집 할 수 없습니다. +This is a root territory and cannot be edited.,이 루트 영토 및 편집 할 수 없습니다. +This is an example website auto-generated from ERPNext,이 ERPNext에서 자동으로 생성 예를 들어 웹 사이트입니다 +This is the number of the last created transaction with this prefix,이것은이 접두사를 마지막으로 생성 된 트랜잭션의 수입니다 +This will be used for setting rule in HR module,이것은 HR 모듈 규칙을 설정하는 데 사용할 +Thread HTML,스레드 HTML +Thursday,목요일 +Time Log,시간 로그인 +Time Log Batch,시간 로그 배치 +Time Log Batch Detail,시간 로그 일괄 처리 정보 +Time Log Batch Details,시간 로그 일괄 세부 정보 +Time Log Batch {0} must be 'Submitted',시간 로그 일괄 {0} '제출'해야 +Time Log Status must be Submitted.,시간 로그인 상태 제출해야합니다. +Time Log for tasks.,작업 시간에 로그인합니다. +Time Log is not billable,시간 로그인이 청구되지 않습니다 +Time Log {0} must be 'Submitted',시간 로그는 {0} '제출'해야 +Time Zone,시간대 +Time Zones,시간대 +Time and Budget,시간과 예산 +Time at which items were delivered from warehouse,상품이 창고에서 전달 된 시간입니다 +Time at which materials were received,재료가 수신 된 시간입니다 +Title,제목 +Titles for print templates e.g. Proforma Invoice.,인쇄 템플릿의 제목은 형식 상 청구서를 예. +To,선택된 연구에서 치료의 대조적인 차이의 영향을 조 +To Currency,통화로 +To Date,현재까지 +To Date should be same as From Date for Half Day leave,다른 날짜로 반나절 휴직 일로부터 동일해야합니다 +To Date should be within the Fiscal Year. Assuming To Date = {0},현재까지의 회계 연도 내에 있어야합니다.날짜에 가정 = {0} +To Discuss,토론하기 +To Do List,명부를 +To Package No.,번호를 패키지에 +To Produce,생산 +To Time,시간 +To Value,값 +To Warehouse,창고 +"To add child nodes, explore tree and click on the node under which you want to add more nodes.","자식 노드를 추가하려면, 나무를 탐구하고 더 많은 노드를 추가 할 노드를 클릭합니다." +"To assign this issue, use the ""Assign"" button in the sidebar.","이 문제를 할당 막대에서 ""할당""버튼을 사용하십시오." +To create a Bank Account,은행 계좌를 만들려면 +To create a Tax Account,세금 계정을 만들려면 +"To create an Account Head under a different company, select the company and save customer.",다른 회사에서 계정 머리를 만들려면 회사를 선택하고 고객을 저장합니다. +To date cannot be before from date,지금까지 날로부터 이전 할 수 없습니다 +To enable Point of Sale features,판매 기능의 포인트를 사용하려면 +To enable Point of Sale view,판매 를보기의 포인트를 사용하려면 +To get Item Group in details table,자세한 내용은 테이블에 항목 그룹을 얻으려면 +"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","행에있는 세금을 포함하려면 {0} 항목의 요금에, 행의 세금은 {1}도 포함되어야한다" +"To merge, following properties must be same for both items",병합하려면 다음과 같은 속성이 두 항목에 대해 동일해야합니다 +"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.",특정 트랜잭션에서 가격 규칙을 적용하지 않으려면 모두 적용 가격 규칙 비활성화해야합니다. +"To set this Fiscal Year as Default, click on 'Set as Default'",기본값으로이 회계 연도 설정하려면 '기본값으로 설정'을 클릭 +To track any installation or commissioning related work after sales,판매 후 제품 설치 관련 작업을 시운전을 추적하려면 +"To track brand name in the following documents Delivery Note, Opportunity, Material Request, Item, Purchase Order, Purchase Voucher, Purchaser Receipt, Quotation, Sales Invoice, Sales BOM, Sales Order, Serial No","다음의 서류 배달 참고, 기회, 자료 요청, 항목, 구매 주문, 구매 바우처, 구매자 영수증, 견적, 판매 송장, 판매 BOM, 판매 주문, 일련 번호에 브랜드 이름을 추적하려면" +To track item in sales and purchase documents based on their serial nos. This is can also used to track warranty details of the product.,자신의 시리얼 NOS에 따라 판매 및 구매 문서의 항목을 추적 할 수 있습니다.또한이 제품의 보증 내용을 추적하는 데 사용 할 수 있습니다. +To track items in sales and purchase documents with batch nos
Preferred Industry: Chemicals etc,매출 항목을 추적 및 배치 NOS
선호 산업 문서를 구매하려면 화학 물질 등 +To track items using barcode. You will be able to enter items in Delivery Note and Sales Invoice by scanning barcode of item.,바코드를 사용하여 항목을 추적 할 수 있습니다.당신은 상품의 바코드를 스캔하여 납품서 및 판매 송장에서 항목을 입력 할 수 있습니다. +Too many columns. Export the report and print it using a spreadsheet application.,열이 너무 많습니다.보고서를 내 보낸 스프레드 시트 응용 프로그램을 사용하여 인쇄 할 수 있습니다. +Tools,Tools (도구) +Total,합계 +Total ({0}),전체 ({0}) +Total Advance,전체 사전 +Total Amount,총액 +Total Amount To Pay,지불하는 총 금액 +Total Amount in Words,단어의 합계 금액 Total Billing This Year: , -Total Claimed Amount,Total suma pretinsă -Total Commission,Total de Comisie -Total Cost,Cost total -Total Credit,Total de Credit -Total Debit,Totală de debit -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} -Total Deduction,Total de deducere -Total Earning,Câștigul salarial total de -Total Experience,Experiența totală -Total Hours,Total ore -Total Hours (Expected),Numărul total de ore (Expected) -Total Invoiced Amount,Sumă totală facturată -Total Leave Days,Total de zile de concediu -Total Leaves Allocated,Totalul Frunze alocate -Total Message(s),Total de mesaje (e) -Total Operating Cost,Cost total de operare -Total Points,Total puncte -Total Raw Material Cost,Cost total de materii prime -Total Sanctioned Amount,Suma totală sancționat -Total Score (Out of 5),Scor total (din 5) -Total Tax (Company Currency),Totală Brut (Compania de valuta) -Total Taxes and Charges,Total Impozite și Taxe -Total Taxes and Charges (Company Currency),Total Impozite si Taxe (Compania valutar) -Total Words,Totalul Cuvinte -Total Working Days In The Month,Zile de lucru total în luna -Total allocated percentage for sales team should be 100,Procentul total alocat pentru echipa de vânzări ar trebui să fie de 100 -Total amount of invoices received from suppliers during the digest period,Suma totală a facturilor primite de la furnizori în timpul perioadei Digest -Total amount of invoices sent to the customer during the digest period,Suma totală a facturilor trimise clientului în timpul perioadei Digest -Total cannot be zero,Totală nu poate să fie zero -Total in words,Totală în cuvinte -Total points for all goals should be 100. It is {0},Numărul total de puncte pentru toate obiectivele trebuie să fie de 100. Este {0} -Total weightage assigned should be 100%. It is {0},Weightage total alocat este de 100%. Este {0} -Totals,Totaluri -Track Leads by Industry Type.,Track conduce de Industrie tip. -Track this Delivery Note against any Project,Urmareste acest Livrare Note împotriva oricărui proiect -Track this Sales Order against any Project,Urmareste acest Ordin de vânzări față de orice proiect -Transaction,Tranzacție -Transaction Date,Tranzacție Data -Transaction not allowed against stopped Production Order {0},Tranzacție nu este permis împotriva oprit comandă de producție {0} -Transfer,Transfer -Transfer Material,Material de transfer -Transfer Raw Materials,Transfer de materii prime -Transferred Qty,Transferat Cantitate -Transportation,Transport -Transporter Info,Info Transporter -Transporter Name,Transporter Nume -Transporter lorry number,Număr Transporter camion -Travel,Călători -Travel Expenses,Cheltuieli de călătorie -Tree Type,Arbore Tip -Tree of Item Groups.,Arborele de Postul grupuri. -Tree of finanial Cost Centers.,Arborele de centre de cost finanial. -Tree of finanial accounts.,Arborele de conturi finanial. -Trial Balance,Balanta -Tuesday,Marți -Type,Tip -Type of document to rename.,Tip de document pentru a redenumi. -"Type of leaves like casual, sick etc.","Tip de frunze, cum ar fi casual, bolnavi, etc" -Types of Expense Claim.,Tipuri de cheltuieli de revendicare. -Types of activities for Time Sheets,Tipuri de activități de fișe de pontaj -"Types of employment (permanent, contract, intern etc.).","Tipuri de locuri de muncă (permanent, contractul, intern etc)." -UOM Conversion Detail,Detaliu UOM de conversie -UOM Conversion Details,UOM Detalii de conversie -UOM Conversion Factor,Factorul de conversie UOM -UOM Conversion factor is required in row {0},Factor UOM de conversie este necesară în rândul {0} -UOM Name,Numele UOM -UOM coversion factor required for UOM {0} in Item {1},Factor coversion UOM necesar pentru UOM {0} de la postul {1} -Under AMC,Sub AMC -Under Graduate,Sub Absolvent -Under Warranty,Sub garanție -Unit,Unitate -Unit of Measure,Unitatea de măsură -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 -"Unit of measurement of this item (e.g. Kg, Unit, No, Pair).","Unitatea de măsură a acestui articol (de exemplu, Kg, Unitatea, Nu, pereche)." -Units/Hour,Unități / oră -Units/Shifts,Unități / Schimburi -Unmatched Amount,Suma de neegalat -Unpaid,Neachitat -Unscheduled,Neprogramat -Unsecured Loans,Creditele negarantate -Unstop,Unstop -Unstop Material Request,Unstop Material Cerere -Unstop Purchase Order,Unstop Comandă -Unsubscribed,Nesubscrise -Update,Actualizați -Update Clearance Date,Actualizare Clearance Data -Update Cost,Actualizare Cost -Update Finished Goods,Marfuri actualizare finite -Update Landed Cost,Actualizare Landed Cost -Update Series,Actualizare Series -Update Series Number,Actualizare Serii Număr -Update Stock,Actualizați Stock -"Update allocated amount in the above table and then click ""Allocate"" button","Actualizare a alocat sume în tabelul de mai sus și apoi faceți clic pe butonul ""Alocarea""" -Update bank payment dates with journals.,Actualizați datele de plată bancar cu reviste. -Update clearance date of Journal Entries marked as 'Bank Vouchers',"Data de clearance-ul de actualizare de jurnal intrările marcate ca ""Tichete Bank""" -Updated,Actualizat -Updated Birthday Reminders,Actualizat Data nasterii Memento -Upload Attendance,Încărcați Spectatori -Upload Backups to Dropbox,Încărcați Backup pentru Dropbox -Upload Backups to Google Drive,Încărcați Backup pentru unitate Google -Upload HTML,Încărcați HTML -Upload a .csv file with two columns: the old name and the new name. Max 500 rows.,Încărcați un fișier csv cu două coloane:. Numele vechi și noul nume. Max 500 rânduri. -Upload attendance from a .csv file,Încărcați de participare dintr-un fișier csv. -Upload stock balance via csv.,Încărcați echilibru stoc prin csv. -Upload your letter head and logo - you can edit them later.,Încărcați capul scrisoare și logo-ul - le puteți edita mai târziu. -Upper Income,Venituri de sus -Urgent,De urgență -Use Multi-Level BOM,Utilizarea Multi-Level BOM -Use SSL,Utilizați SSL -User,Utilizator -User ID,ID-ul de utilizator -User ID not set for Employee {0},ID-ul de utilizator nu este setat pentru Angajat {0} -User Name,Nume utilizator -User Name or Support Password missing. Please enter and try again.,Numele de utilizator sau parola de sprijin lipsește. Vă rugăm să introduceți și să încercați din nou. -User Remark,Observație utilizator -User Remark will be added to Auto Remark,Observație utilizator va fi adăugat la Auto Observație -User Remarks is mandatory,Utilizatorul Observații este obligatorie -User Specific,Utilizatorul specifică -User must always select,Utilizatorul trebuie să selecteze întotdeauna -User {0} is already assigned to Employee {1},Utilizatorul {0} este deja alocat Angajat {1} -User {0} is disabled,Utilizatorul {0} este dezactivat -Username,Nume utilizator -Users with this role are allowed to create / modify accounting entry before frozen date,Utilizatorii cu acest rol sunt permise pentru a crea / modifica intrare contabilitate înainte de data congelate -Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Utilizatorii cu acest rol li se permite să stabilească în conturile înghețate și de a crea / modifica intrări contabile împotriva conturile înghețate -Utilities,Utilities -Utility Expenses,Cheltuieli de utilitate -Valid For Territories,Valabil pentru teritoriile -Valid From,Valabil de la -Valid Upto,Valid Până la -Valid for Territories,Valabil pentru teritoriile -Validate,Valida -Valuation,Evaluare -Valuation Method,Metoda de evaluare -Valuation Rate,Rata de evaluare -Valuation Rate required for Item {0},Rata de evaluare necesar pentru postul {0} -Valuation and Total,Evaluare și Total -Value,Valoare -Value or Qty,Valoare sau Cantitate -Vehicle Dispatch Date,Dispeceratul vehicul Data -Vehicle No,Vehicul Nici -Venture Capital,Capital de Risc -Verified By,Verificate de -View Ledger,Vezi Ledger -View Now,Vizualizează acum -Visit report for maintenance call.,Vizitați raport de apel de întreținere. -Voucher #,Voucher # -Voucher Detail No,Detaliu voucher Nu -Voucher ID,ID Voucher -Voucher No,Voletul nr -Voucher No is not valid,Nu voucher nu este valid -Voucher Type,Tip Voucher -Voucher Type and Date,Tipul Voucher și data -Walk In,Walk In -Warehouse,Depozit -Warehouse Contact Info,Depozit Contact -Warehouse Detail,Depozit Detaliu -Warehouse Name,Depozit Denumire -Warehouse and Reference,Depozit și de referință -Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Depozit nu pot fi șterse ca exista intrare stoc registrul pentru acest depozit. -Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Depozit poate fi modificat numai prin Bursa de primire de intrare / livrare Nota / cumparare -Warehouse cannot be changed for Serial No.,Depozit nu poate fi schimbat pentru Serial No. -Warehouse is mandatory for stock Item {0} in row {1},Depozit este obligatorie pentru stocul de postul {0} în rândul {1} -Warehouse is missing in Purchase Order,Depozit lipsește în Comandă -Warehouse not found in the system,Depozit nu a fost găsit în sistemul -Warehouse required for stock Item {0},Depozit necesar pentru stocul de postul {0} -Warehouse required in POS Setting,Depozit necesare în Setarea POS -Warehouse where you are maintaining stock of rejected items,Depozit în cazul în care se menține stocul de articole respinse -Warehouse {0} can not be deleted as quantity exists for Item {1},Depozit {0} nu poate fi ștearsă ca exista cantitate pentru postul {1} -Warehouse {0} does not belong to company {1},Depozit {0} nu aparține companiei {1} -Warehouse {0} does not exist,Depozit {0} nu există -Warehouse-Wise Stock Balance,Depozit-înțelept Stock Balance -Warehouse-wise Item Reorder,-Depozit înțelept Postul de Comandă -Warehouses,Depozite -Warehouses.,Depozite. -Warn,Avertiza -Warning: Leave application contains following block dates,Atenție: Lăsați aplicație conține următoarele date de bloc -Warning: Material Requested Qty is less than Minimum Order Qty,Atenție: Materialul solicitat Cant este mai mică decât minima pentru comanda Cantitate -Warning: Sales Order {0} already exists against same Purchase Order number,Atenție: comandă de vânzări {0} există deja în număr aceeași comandă de aprovizionare -Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Atenție: Sistemul nu va verifica supraîncărcată din sumă pentru postul {0} din {1} este zero -Warranty / AMC Details,Garanție / AMC Detalii -Warranty / AMC Status,Garanție / AMC Starea -Warranty Expiry Date,Garanție Data expirării -Warranty Period (Days),Perioada de garanție (zile) -Warranty Period (in days),Perioada de garanție (în zile) -We buy this Item,Cumparam acest articol -We sell this Item,Vindem acest articol -Website,Site web -Website Description,Site-ul Descriere -Website Item Group,Site-ul Grupa de articole -Website Item Groups,Site-ul Articol Grupuri -Website Settings,Setarile site ului -Website Warehouse,Site-ul Warehouse -Wednesday,Miercuri -Weekly,Saptamanal -Weekly Off,Săptămânal Off -Weight UOM,Greutate UOM -"Weight is mentioned,\nPlease mention ""Weight UOM"" too", +Total Characters,전체 문자 +Total Claimed Amount,총 주장 금액 +Total Commission,전체위원회 +Total Cost,총 비용 +Total Credit,총 크레딧 +Total Debit,총 직불 +Total Debit must be equal to Total Credit. The difference is {0},총 직불 카드는 전체 신용 동일해야합니다.차이는 {0} +Total Deduction,총 공제 +Total Earning,총 적립 +Total Experience,총 체험 +Total Hours,총 시간 +Total Hours (Expected),총 시간 (예정) +Total Invoiced Amount,총 인보이스에 청구 된 금액 +Total Leave Days,총 허가 일 +Total Leaves Allocated,할당 된 전체 잎 +Total Message(s),전체 메시지 (들) +Total Operating Cost,총 영업 비용 +Total Points,총 포인트 +Total Raw Material Cost,총 원재료비 +Total Sanctioned Amount,전체 금액의인가를 +Total Score (Out of 5),전체 점수 (5 점 만점) +Total Tax (Company Currency),총 세금 (회사 통화) +Total Taxes and Charges,총 세금 및 요금 +Total Taxes and Charges (Company Currency),총 세금 및 요금 (회사 통화) +Total allocated percentage for sales team should be 100,영업 팀의 총 할당 비율은 100해야한다 +Total amount of invoices received from suppliers during the digest period,다이제스트 기간 동안 공급 업체로부터받은 송장의 총액 +Total amount of invoices sent to the customer during the digest period,다이제스트 기간 동안 고객에게 발송 송장의 총액 +Total cannot be zero,총은 제로가 될 수 없습니다 +Total in words,즉 전체 +Total points for all goals should be 100. It is {0},모든 목표에 총 포인트는 100이어야합니다.그것은 {0} +Total valuation for manufactured or repacked item(s) can not be less than total valuation of raw materials,제조 또는 재 포장 항목 (들)에 대한 총 평가는 원료의 총 평가보다 작을 수 없습니다 +Total weightage assigned should be 100%. It is {0},할당 된 총 weightage 100 %이어야한다.그것은 {0} +Totals,합계 +Track Leads by Industry Type.,트랙은 산업 유형에 의해 리드. +Track this Delivery Note against any Project,모든 프로젝트에 대해이 배달 주를 추적 +Track this Sales Order against any Project,모든 프로젝트에 대해이 판매 주문을 추적 +Transaction,거래 +Transaction Date,거래 날짜 +Transaction not allowed against stopped Production Order {0},거래 정지 생산 오더에 대해 허용되지 {0} +Transfer,이체 +Transfer Material,전송 자료 +Transfer Raw Materials,원료로 이동 +Transferred Qty,수량에게 전송 +Transportation,교통비 +Transporter Info,트랜스 정보 +Transporter Name,트랜스 포터의 이름 +Transporter lorry number,수송화물 자동차 번호 +Travel,여행 +Travel Expenses,여행 비용 +Tree Type,나무의 종류 +Tree of Item Groups.,항목 그룹의 나무. +Tree of finanial Cost Centers.,finanial 코스트 센터의 나무. +Tree of finanial accounts.,finanial 계정의 나무. +Trial Balance,시산표 +Tuesday,화요일 +Type,종류 +Type of document to rename.,이름을 바꿀 문서의 종류. +"Type of leaves like casual, sick etc.","캐주얼, 병 등과 같은 잎의 종류" +Types of Expense Claim.,비용 청구의 유형. +Types of activities for Time Sheets,시간 시트를위한 활동의 종류 +"Types of employment (permanent, contract, intern etc.).","고용 (영구, 계약, 인턴 등)의 종류." +UOM Conversion Detail,UOM 변환 세부 사항 +UOM Conversion Details,UOM 변환 세부 사항 +UOM Conversion Factor,UOM 변환 계수 +UOM Conversion factor is required in row {0},UOM 변환 계수는 행에 필요한 {0} +UOM Name,UOM 이름 +UOM coversion factor required for UOM: {0} in Item: {1},UOM에 필요한 UOM coversion 인자 : {0} 항목 {1} +Under AMC,AMC에서 +Under Graduate,대학원에서 +Under Warranty,보증에 따른 +Unit,단위 +Unit of Measure,측정 단위 +Unit of Measure {0} has been entered more than once in Conversion Factor Table,측정 단위는 {0}보다 변환 계수 표에 두 번 이상 입력 한 +"Unit of measurement of this item (e.g. Kg, Unit, No, Pair).","이 항목 (예 : kg, 단위, 없음, 쌍)의 측정 단위." +Units/Hour,단위 / 시간 +Units/Shifts,단위 / 교대 +Unpaid,지불하지 않은 +Unreconciled Payment Details,비 조정 지불 세부 사항 +Unscheduled,예약되지 않은 +Unsecured Loans,무담보 대출 +Unstop,...의 마개를 뽑다 +Unstop Material Request,멈추지 자료 요청 +Unstop Purchase Order,멈추지 구매 주문 +Unsubscribed,가입되어 있지 않음 +Update,업데이트 +Update Clearance Date,업데이트 통관 날짜 +Update Cost,업데이트 비용 +Update Finished Goods,업데이트 완성품 +Update Landed Cost,업데이트 비용 랜디 +Update Series,업데이트 시리즈 +Update Series Number,업데이트 시리즈 번호 +Update Stock,주식 업데이트 +Update bank payment dates with journals.,저널과 은행의 지불 날짜를 업데이트합니다. +Update clearance date of Journal Entries marked as 'Bank Vouchers',저널 항목의 업데이트 통관 날짜는 '은행 바우처'로 표시 +Updated,업데이트 +Updated Birthday Reminders,업데이트 생일 알림 +Upload Attendance,출석 업로드 +Upload Backups to Dropbox,보관 용 백업 업로드 +Upload Backups to Google Drive,구글 드라이브에 백업 업로드 +Upload HTML,업로드 HTML +Upload a .csv file with two columns: the old name and the new name. Max 500 rows.,이전 이름과 새 이름 :. 두 개의 열이있는 CSV 파일을 업로드 할 수 있습니다.최대 500 행. +Upload attendance from a .csv file,. csv 파일에서 출석을 업로드 +Upload stock balance via csv.,CSV를 통해 재고의 균형을 업로드 할 수 있습니다. +Upload your letter head and logo - you can edit them later.,편지의 머리와 로고를 업로드 - 나중에 편집 할 수 있습니다. +Upper Income,위 소득 +Urgent,긴급한 +Use Multi-Level BOM,사용 다중 레벨 BOM +Use SSL,SSL을 사용하여 +Used for Production Plan,생산 계획에 사용 +User,사용자 +User ID,사용자 ID +User ID not set for Employee {0},사용자 ID 직원에 대한 설정하지 {0} +User Name,User 이름 +User Name or Support Password missing. Please enter and try again.,사용자 이름 또는 지원 암호 누락.입력하고 다시 시도하십시오. +User Remark,사용자 비고 +User Remark will be added to Auto Remark,사용자 비고 자동 비고에 추가됩니다 +User Remarks is mandatory,사용자는 필수입니다 비고 +User Specific,사용자 별 +User must always select,사용자는 항상 선택해야합니다 +User {0} is already assigned to Employee {1},사용자 {0}이 (가) 이미 직원에 할당 된 {1} +User {0} is disabled,{0} 사용자가 비활성화되어 있습니다 +Username,User이름 +Users with this role are allowed to create / modify accounting entry before frozen date,이 역할이있는 사용자는 고정 된 날짜 이전에 회계 항목을 수정 / 만들 수 있습니다 +Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,이 역할이있는 사용자는 고정 된 계정에 대한 계정 항목을 수정 / 냉동 계정을 설정하고 만들 수 있습니다 +Utilities,"공공요금(전기세, 상/하 수도세, 가스세, 쓰레기세 등)" +Utility Expenses,광열비 +Valid For Territories,영토에 대한 유효 +Valid From,유효 +Valid Upto,유효한 개까지 +Valid for Territories,영토에 대한 유효 +Validate,유효성 검사 +Valuation,평가 +Valuation Method,평가 방법 +Valuation Rate,평가 평가 +Valuation Rate required for Item {0},상품에 필요한 평가 비율 {0} +Valuation and Total,평가 및 총 +Value,가치 +Value or Qty,값 또는 수량 +Vehicle Dispatch Date,차량 파견 날짜 +Vehicle No,차량 없음 +Venture Capital,벤처 캐피탈 +Verified By,에 의해 확인 +View Ledger,보기 원장 +View Now,지금보기 +Visit report for maintenance call.,유지 보수 통화에 대해 보고서를 참조하십시오. +Voucher #,상품권 # +Voucher Detail No,바우처 세부 사항 없음 +Voucher Detail Number,바우처 세부 번호 +Voucher ID,바우처 ID +Voucher No,바우처 없음 +Voucher Type,바우처 유형 +Voucher Type and Date,바우처 종류 및 날짜 +Walk In,걷다 +Warehouse,창고 +Warehouse Contact Info,창고 연락처 정보 +Warehouse Detail,창고 세부 정보 +Warehouse Name,창고의 이름 +Warehouse and Reference,창고 및 참조 +Warehouse can not be deleted as stock ledger entry exists for this warehouse.,주식 원장 항목이 창고에 존재하는웨어 하우스는 삭제할 수 없습니다. +Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,창고 재고 만 입력 / 배달 주 / 구매 영수증을 통해 변경 될 수 있습니다 +Warehouse cannot be changed for Serial No.,웨어 하우스는 일련 번호 변경할 수 없습니다 +Warehouse is mandatory for stock Item {0} in row {1},창고 재고 상품의 경우 필수 {0} 행에서 {1} +Warehouse is missing in Purchase Order,웨어 하우스는 구매 주문에 없습니다 +Warehouse not found in the system,시스템에서 찾을 수없는 창고 +Warehouse required for stock Item {0},재고 품목에 필요한 창고 {0} +Warehouse where you are maintaining stock of rejected items,당신이 거부 된 품목의 재고를 유지하고 창고 +Warehouse {0} can not be deleted as quantity exists for Item {1},수량이 항목에 대한 존재하는 창고 {0} 삭제할 수 없습니다 {1} +Warehouse {0} does not belong to company {1},웨어 하우스는 {0}에 속하지 않는 회사 {1} +Warehouse {0} does not exist,창고 {0}이 (가) 없습니다 +Warehouse {0}: Company is mandatory,창고 {0} : 회사는 필수입니다 +Warehouse {0}: Parent account {1} does not bolong to the company {2},창고 {0} : 부모 계정이 {1} 회사에 BOLONG하지 않는 {2} +Warehouse-Wise Stock Balance,창고 현명한 주식 밸런스 +Warehouse-wise Item Reorder,창고 현명한 항목 순서 바꾸기 +Warehouses,창고 +Warehouses.,창고. +Warn,경고 +Warning: Leave application contains following block dates,경고 : 응용 프로그램이 다음 블록 날짜를 포함 남겨 +Warning: Material Requested Qty is less than Minimum Order Qty,경고 : 수량 요청 된 자료는 최소 주문 수량보다 적은 +Warning: Sales Order {0} already exists against same Purchase Order number,경고 : 판매 주문 {0}이 (가) 이미 같은 구매 주문 번호에 존재 +Warning: System will not check overbilling since amount for Item {0} in {1} is zero,경고 : 시스템이 {0} {1} 제로의 항목에 대한 금액 때문에 과다 청구를 확인하지 않습니다 +Warranty / AMC Details,보증 / AMC의 자세한 사항 +Warranty / AMC Status,보증 / AMC 상태 +Warranty Expiry Date,보증 유효 기간 +Warranty Period (Days),보증 기간 (일) +Warranty Period (in days),(일) 보증 기간 +We buy this Item,우리는이 품목을 구매 +We sell this Item,우리는이 품목을 +Website,웹사이트 +Website Description,웹 사이트 설명 +Website Item Group,웹 사이트 상품 그룹 +Website Item Groups,웹 사이트 상품 그룹 +Website Settings,웹 사이트 설정 +Website Warehouse,웹 사이트 창고 +Wednesday,수요일 +Weekly,주l +Weekly Off,주간 끄기 +Weight UOM,무게 UOM +"Weight is mentioned,\nPlease mention ""Weight UOM"" too","무게는 언급, \n ""무게 UOM""를 언급 해주십시오도" Weightage,Weightage Weightage (%),Weightage (%) -Welcome,Bine ați venit -Welcome to ERPNext. Over the next few minutes we will help you setup your ERPNext account. Try and fill in as much information as you have even if it takes a bit longer. It will save you a lot of time later. Good Luck!,"Bine ati venit la ERPNext. De-a lungul următoarele câteva minute va vom ajuta sa de configurare a contului dvs. ERPNext. Încercați și să completați cât mai multe informații aveți, chiar dacă este nevoie de un pic mai mult. Aceasta va salva o mulțime de timp mai târziu. Good Luck!" -Welcome to ERPNext. Please select your language to begin the Setup Wizard.,Bine ati venit la ERPNext. Vă rugăm să selectați limba pentru a începe Expertul de instalare. -What does it do?,Ce face? -"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.","Atunci când oricare dintre tranzacțiile verificate sunt ""Trimis"", un e-mail de tip pop-up a deschis în mod automat pentru a trimite un e-mail la ""Contact"", asociat în această operațiune, cu tranzacția ca un atașament. Utilizatorul poate sau nu poate trimite e-mail." -"When submitted, the system creates difference entries to set the given stock and valuation on this date.","Când a prezentat, sistemul creează intrări diferență pentru a stabili stocul dat și evaluarea la această dată." -Where items are stored.,În cazul în care elementele sunt stocate. -Where manufacturing operations are carried out.,În cazul în care operațiunile de fabricație sunt efectuate. -Widowed,Văduvit -Will be calculated automatically when you enter the details,Vor fi calculate automat atunci când introduceți detaliile -Will be updated after Sales Invoice is Submitted.,Vor fi actualizate după Factura Vanzare este prezentat. -Will be updated when batched.,Vor fi actualizate atunci când dozate. -Will be updated when billed.,Vor fi actualizate atunci când facturat. -Wire Transfer,Transfer -With Operations,Cu Operațiuni -With period closing entry,Cu intrare perioadă de închidere -Work Details,Detalii de lucru -Work Done,Activitatea desfășurată -Work In Progress,Lucrări în curs -Work-in-Progress Warehouse,De lucru-in-Progress Warehouse -Work-in-Progress Warehouse is required before Submit,De lucru-in-Progress Warehouse este necesară înainte Trimite -Working,De lucru -Workstation,Stație de lucru -Workstation Name,Stație de lucru Nume -Write Off Account,Scrie Off cont -Write Off Amount,Scrie Off Suma -Write Off Amount <=,Scrie Off Suma <= -Write Off Based On,Scrie Off bazat pe -Write Off Cost Center,Scrie Off cost Center -Write Off Outstanding Amount,Scrie Off remarcabile Suma -Write Off Voucher,Scrie Off Voucher -Wrong Template: Unable to find head row.,Format greșit: Imposibil de găsit rând cap. -Year,An -Year Closed,An Închis -Year End Date,Anul Data de încheiere -Year Name,An Denumire -Year Start Date,An Data începerii -Year Start Date and Year End Date are already set in Fiscal Year {0},Data începerii an și de sfârșit de an data sunt deja stabilite în anul fiscal {0} -Year Start Date and Year End Date are not within Fiscal Year.,Data începerii an și Anul Data de încheiere nu sunt în anul fiscal. -Year Start Date should not be greater than Year End Date,An Data începerii nu trebuie să fie mai mare de sfârșit de an Data -Year of Passing,Ani de la promovarea -Yearly,Anual -Yes,Da -You are not authorized to add or update entries before {0},Tu nu sunt autorizate să adăugați sau actualizare intrări înainte de {0} -You are not authorized to set Frozen value,Tu nu sunt autorizate pentru a seta valoarea Frozen -You are the Expense Approver for this record. Please Update the 'Status' and Save,"Sunteți aprobator cheltuieli pentru acest record. Vă rugăm Actualizați ""statutul"" și Salvare" -You are the Leave Approver for this record. Please Update the 'Status' and Save,"Sunteți aprobator Lăsați pentru această înregistrare. Vă rugăm Actualizați ""statutul"" și Salvare" -You can enter any date manually,Puteți introduce manual orice dată -You can enter the minimum quantity of this item to be ordered.,Puteți introduce cantitatea minimă de acest element pentru a fi comandat. -You can not assign itself as parent account,Nu se poate atribui ca cont părinte -You can not change rate if BOM mentioned agianst any item,Nu puteți schimba rata dacă BOM menționat agianst orice element -You can not enter both Delivery Note No and Sales Invoice No. Please enter any one.,Nu puteți introduce atât de livrare Notă Nu și Factura Vanzare Nr Vă rugăm să introduceți nici una. -You can not enter current voucher in 'Against Journal Voucher' column,"Nu puteți introduce voucher curent în ""Împotriva Jurnalul Voucher"" coloana" -You can set Default Bank Account in Company master,Puteți seta implicit cont bancar în maestru de companie -You can start by selecting backup frequency and granting access for sync,Puteți începe prin selectarea frecvenței de backup și acordarea de acces pentru sincronizare -You can submit this Stock Reconciliation.,Puteți trimite această Bursa de reconciliere. -You can update either Quantity or Valuation Rate or both.,Puteți actualiza fie Cantitate sau Evaluează evaluare sau ambele. -You cannot credit and debit same account at the same time,"Nu puteți credit și de debit același cont, în același timp," -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. -You may need to update: {0},Posibil să aveți nevoie pentru a actualiza: {0} -You must Save the form before proceeding,Trebuie să salvați formularul înainte de a începe -You must allocate amount before reconcile,Trebuie să aloce sume înainte de reconciliere -Your Customer's TAX registration numbers (if applicable) or any general information,Numerele de înregistrare fiscală clientului dumneavoastră (dacă este cazul) sau orice informații generale -Your Customers,Clienții dvs. -Your Login Id,Intra Id-ul dvs. -Your Products or Services,Produsele sau serviciile dvs. -Your Suppliers,Furnizorii dumneavoastră -Your email address,Adresa dvs. de e-mail -Your financial year begins on,An dvs. financiar începe la data de -Your financial year ends on,An dvs. financiar se încheie pe -Your sales person who will contact the customer in future,Persoana de vânzări care va contacta clientul în viitor -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 -Your setup is complete. Refreshing...,Configurarea este completă. Refreshing ... -Your support email id - must be a valid email - this is where your emails will come!,Suport e-mail id-ul dvs. - trebuie să fie un e-mail validă - aceasta este în cazul în care e-mailurile tale vor veni! -[Select],[Select] -`Freeze Stocks Older Than` should be smaller than %d days.,`Stocuri Freeze mai în vârstă decât` ar trebui să fie mai mică decât% d zile. -and,și -are not allowed.,nu sunt permise. -assigned by,atribuit de către -"e.g. ""Build tools for builders""","de exemplu ""Construi instrumente de constructori """ -"e.g. ""MC""","de exemplu ""MC """ -"e.g. ""My Company LLC""","de exemplu ""My Company LLC """ -e.g. 5,de exemplu 5 -"e.g. Bank, Cash, Credit Card","de exemplu, bancar, Cash, Card de credit" -"e.g. Kg, Unit, Nos, m","de exemplu, Kg, Unitatea, nr, m" -e.g. VAT,"de exemplu, TVA" -eg. Cheque Number,de exemplu. Numărul Cec -example: Next Day Shipping,exemplu: Next Day Shipping -lft,LFT +Welcome,반갑습니다 +Welcome to ERPNext. Over the next few minutes we will help you setup your ERPNext account. Try and fill in as much information as you have even if it takes a bit longer. It will save you a lot of time later. Good Luck!,ERPNext에 오신 것을 환영합니다.다음 몇 분 동안 우리는 당신을 설정하여 ERPNext 계정을 도움이 될 것입니다.시도하고 당신이 조금 더 걸리는 경우에도이만큼의 정보를 입력합니다.나중에 당신에게 많은 시간을 절약 할 수 있습니다.행운을 빕니다! +Welcome to ERPNext. Please select your language to begin the Setup Wizard.,ERPNext에 오신 것을 환영합니다.설치 마법사를 시작하기 위해 언어를 선택하십시오. +What does it do?,그것은 무엇을 하는가? +"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.","체크 거래의 하나가 ""제출""하면, 이메일 팝업이 자동으로 첨부 파일로 트랜잭션, 트랜잭션에 관련된 ""연락처""로 이메일을 보내 열었다.사용자는 나 이메일을 보낼 수도 있고 그렇지 않을 수도 있습니다." +"When submitted, the system creates difference entries to set the given stock and valuation on this date.",제출하면 시스템이 날짜에 지정된 주식 가치 평가를 설정하는 차이 항목을 작성합니다. +Where items are stored.,항목이 저장되는 위치. +Where manufacturing operations are carried out.,제조 작업이 수행되는 경우. +Widowed,과부 +Will be calculated automatically when you enter the details,당신이 세부 사항을 입력하면 자동으로 계산됩니다 +Will be updated after Sales Invoice is Submitted.,견적서를 제출 한 후 업데이트됩니다. +Will be updated when batched.,일괄 처리 할 때 업데이트됩니다. +Will be updated when billed.,청구 할 때 업데이트됩니다. +Wire Transfer,송금 +With Operations,운영과 +With Period Closing Entry,기간 결산 항목과 +Work Details,작업 상세 정보 +Work Done,작업 완료 +Work In Progress,진행중인 작업 +Work-in-Progress Warehouse,작업중인 창고 +Work-in-Progress Warehouse is required before Submit,작업중인 창고는 제출하기 전에 필요 +Working,인식 중 +Working Days,작업 일 +Workstation,워크스테이션 +Workstation Name,워크 스테이션 이름 +Write Off Account,계정을 끄기 쓰기 +Write Off Amount,금액을 상각 +Write Off Amount <=,금액을 상각 <= +Write Off Based On,에 의거 오프 쓰기 +Write Off Cost Center,비용 센터를 오프 쓰기 +Write Off Outstanding Amount,잔액을 떨어져 쓰기 +Write Off Voucher,바우처 오프 쓰기 +Wrong Template: Unable to find head row.,잘못된 템플릿 : 머리 행을 찾을 수 없습니다. +Year,년 +Year Closed,연도 폐쇄 +Year End Date,연도 종료 날짜 +Year Name,올해의 이름 +Year Start Date,년 시작 날짜 +Year of Passing,전달의 해 +Yearly,매년 +Yes,예 +You are not authorized to add or update entries before {0},당신은 전에 항목을 추가하거나 업데이트 할 수있는 권한이 없습니다 {0} +You are not authorized to set Frozen value,당신은 고정 된 값을 설정할 수있는 권한이 없습니다 +You are the Expense Approver for this record. Please Update the 'Status' and Save,이 기록에 대한 비용 승인자입니다.'상태'를 업데이트하고 저장하십시오 +You are the Leave Approver for this record. Please Update the 'Status' and Save,이 기록에 대한 허가 승인자입니다.'상태'를 업데이트하고 저장하십시오 +You can enter any date manually,당신은 수동으로 날짜를 입력 할 수 있습니다 +You can enter the minimum quantity of this item to be ordered.,당신은 주문이 항목의 최소 수량을 입력 할 수 있습니다. +You can not change rate if BOM mentioned agianst any item,BOM 어떤 항목 agianst 언급 한 경우는 속도를 변경할 수 없습니다 +You can not enter both Delivery Note No and Sales Invoice No. Please enter any one.,당신은 아니오 모두 배달 주를 입력 할 수 없습니다 및 판매 송장 번호는 하나를 입력하십시오. +You can not enter current voucher in 'Against Journal Voucher' column,당신은 열 '분개장에 대하여'에서 현재의 바우처를 입력 할 수 없습니다 +You can set Default Bank Account in Company master,당신은 회사 마스터의 기본 은행 계좌를 설정할 수 있습니다 +You can start by selecting backup frequency and granting access for sync,당신은 백업 빈도를 선택하고 동기화에 대한 액세스를 부여하여 시작할 수 있습니다 +You can submit this Stock Reconciliation.,당신이 재고 조정을 제출할 수 있습니다. +You can update either Quantity or Valuation Rate or both.,당신은 수량이나 평가 비율 또는 둘 중 하나를 업데이트 할 수 있습니다. +You cannot credit and debit same account at the same time,당신은 신용과 같은 시간에 같은 계좌에서 금액을 인출 할 수 없습니다 +You have entered duplicate items. Please rectify and try again.,중복 항목을 입력했습니다.조정하고 다시 시도하십시오. +You may need to update: {0},당신은 업데이트 할 필요가있을 수 있습니다 : {0} +You must Save the form before proceeding,당신은 진행하기 전에 양식을 저장해야합니다 +Your Customer's TAX registration numbers (if applicable) or any general information,고객의 세금 등록 번호 (해당하는 경우) 또는 일반적인 정보 +Your Customers,고객 +Your Login Id,귀하의 로그인 아이디 +Your Products or Services,귀하의 제품이나 서비스 +Your Suppliers,공급 업체 +Your email address,귀하의 이메일 주소 +Your financial year begins on,귀하의 회계 연도가 시작됩니다 +Your financial year ends on,재무 년에 종료 +Your sales person who will contact the customer in future,미래의 고객에게 연락 할 것이다 판매 사람 +Your sales person will get a reminder on this date to contact the customer,귀하의 영업 사원은 고객에게 연락이 날짜에 알림을 얻을 것이다 +Your setup is complete. Refreshing...,귀하의 설치가 완료됩니다.상쾌한 ... +Your support email id - must be a valid email - this is where your emails will come!,귀하의 지원 전자 우편 ID는 - 유효한 이메일이어야합니다 - 귀하의 이메일이 올 것이다 곳이다! +[Error],[오류] +[Select],[선택] +`Freeze Stocks Older Than` should be smaller than %d days.,`이상 경과 프리즈 주식은`% d의 일보다 작아야한다. +and,손목 +are not allowed.,허용되지 않습니다. +assigned by,할당 +cannot be greater than 100,100보다 큰 수 없습니다 +"e.g. ""Build tools for builders""","예를 들어 """"빌더 빌드 도구" +"e.g. ""MC""","예를 들어 ""MC """ +"e.g. ""My Company LLC""","예를 들어 ""내 회사 LLC """ +e.g. 5,예를 들어 5 +"e.g. Bank, Cash, Credit Card","예를 들어, 은행, 현금, 신용 카드" +"e.g. Kg, Unit, Nos, m","예를 들어 kg, 단위, NOS, M" +e.g. VAT,예 VAT +eg. Cheque Number,예를 들어.수표 번호 +example: Next Day Shipping,예 : 익일 배송 +lft,좌 old_parent,old_parent rgt,RGT -website page link,pagina site-ului link-ul -{0} '{1}' not in Fiscal Year {2},"{0} {1} ""nu este în anul fiscal {2}" -{0} Credit limit {0} crossed,{0} Limita de credit {0} trecut -{0} Serial Numbers required for Item {0}. Only {0} provided.,{0} numere de serie necesare pentru postul {0}. Numai {0} furnizate. -{0} budget for Account {1} against Cost Center {2} will exceed by {3},{0} de buget pentru contul {1} ​​contra cost Centrul de {2} va depăși de {3} -{0} created,{0} creat -{0} does not belong to Company {1},{0} nu aparține companiei {1} -{0} entered twice in Item Tax,{0} a intrat de două ori în postul fiscal -{0} is an invalid email address in 'Notification Email Address',"{0} este o adresă de e-mail nevalidă în ""Notificarea Adresa de e-mail""" -{0} is mandatory,{0} este obligatorie -{0} is mandatory for Item {1},{0} este obligatorie pentru postul {1} -{0} is not a stock Item,{0} nu este un element de stoc -{0} is not a valid Batch Number for Item {1},{0} nu este un număr de lot valabil pentru postul {1} -{0} is not a valid Leave Approver,{0} nu este un concediu aprobator valid -{0} is not a valid email id,{0} nu este un id-ul de e-mail validă -{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} este acum implicit anul fiscal. Vă rugăm să reîmprospătați browser-ul dvs. pentru ca modificarea să aibă efect. -{0} is required,{0} este necesară -{0} must be a Purchased or Sub-Contracted Item in row {1},{0} trebuie sa fie un element Achiziționat sau subcontractate în rândul {1} -{0} must be less than or equal to {1},{0} trebuie să fie mai mic sau egal cu {1} -{0} must have role 'Leave Approver',"{0} trebuie să aibă rol de ""Leave aprobator""" -{0} valid serial nos for Item {1},{0} nos serie valabile pentru postul {1} -{0} {1} against Bill {2} dated {3},{0} {1} împotriva Bill {2} din {3} -{0} {1} against Invoice {2},{0} {1} împotriva Factura {2} -{0} {1} has already been submitted,{0} {1} a fost deja prezentat -{0} {1} has been modified. Please Refresh,{0} {1} a fost modificat. Va rugam sa Refresh -{0} {1} has been modified. Please refresh,{0} {1} a fost modificat. Vă rugăm să reîmprospătați -{0} {1} has been modified. Please refresh.,{0} {1} a fost modificat. Vă rugăm să reîmprospătați. -{0} {1} is not submitted,{0} {1} nu este prezentată -{0} {1} must be submitted,{0} {1} trebuie să fie prezentate -{0} {1} not in any Fiscal Year,{0} {1} nu într-un an fiscal -{0} {1} status is 'Stopped',"{0} {1} statut este ""Oprit""" -{0} {1} status is Stopped,{0} {1} statut este oprit -{0} {1} status is Unstopped,{0} {1} statut este destupate +subject,~에 복종시키다 +to,구입 +website page link,웹 사이트 페이지 링크 +{0} '{1}' not in Fiscal Year {2},{0} '{1}'하지 회계 연도에 {2} +{0} Credit limit {0} crossed,{0} 여신 한도 {0} 넘어 +{0} Serial Numbers required for Item {0}. Only {0} provided.,{0} 항목에 필요한 일련 번호 {0}.만 {0} 제공. +{0} budget for Account {1} against Cost Center {2} will exceed by {3},{0} 계정에 대한 예산은 {1} 코스트 센터에 대해 {2} {3}에 의해 초과 +{0} can not be negative,{0} 음수가 될 수 없습니다 +{0} created,{0} 생성 +{0} does not belong to Company {1},{0} 회사에 속하지 않는 {1} +{0} entered twice in Item Tax,{0} 항목의 세금에 두 번 입력 +{0} is an invalid email address in 'Notification Email Address',{0} '알림 전자 메일 주소'잘못된 이메일 주소입니다 +{0} is mandatory,{0} 필수입니다 +{0} is mandatory for Item {1},{0} 항목에 대한 필수입니다 {1} +{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} 필수입니다.아마 통화 기록은 {2}로 {1}에 만들어지지 않습니다. +{0} is not a stock Item,{0} 재고 상품이 아닌 +{0} is not a valid Batch Number for Item {1},{0} 항목에 대한 유효한 배치 수없는 {1} +{0} is not a valid Leave Approver. Removing row #{1}.,{0}이 (가) 올바른 허가 승인자가 없습니다.제거 행 # {1}. +{0} is not a valid email id,{0} 유효한 이메일 ID가 아닌 +{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} 이제 기본 회계 연도이다.변경 내용을 적용하기 위해 브라우저를 새로 고침하십시오. +{0} is required,{0}이 필요합니다 +{0} must be a Purchased or Sub-Contracted Item in row {1},{0} 행의 구입 또는 하위 계약 품목이어야 {1} +{0} must be reduced by {1} or you should increase overflow tolerance,{0} {1} 감소해야하거나 오버 플로우 내성을 증가한다 +{0} must have role 'Leave Approver',{0}의 역할 '허가 승인자'을 가지고 있어야합니다 +{0} valid serial nos for Item {1},항목에 대한 {0} 유효한 일련 NOS {1} +{0} {1} against Bill {2} dated {3},{0} {1} 계산서에 대하여 {2} 년 {3} +{0} {1} against Invoice {2},{0} {1} 송장에 대한 {2} +{0} {1} has already been submitted,{0} {1}이 (가) 이미 제출되었습니다 +{0} {1} has been modified. Please refresh.,{0} {1} 수정되었습니다.새로 고침하십시오. +{0} {1} is not submitted,{0} {1} 제출되지 +{0} {1} must be submitted,{0} {1} 제출해야합니다 +{0} {1} not in any Fiscal Year,{0} {1}되지 않은 회계 연도에 +{0} {1} status is 'Stopped',{0} {1} 상태가 '중지'된다 +{0} {1} status is Stopped,{0} {1} 상태가 중지됨 +{0} {1} status is Unstopped,{0} {1} 상태 Unstopped입니다 +{0} {1}: Cost Center is mandatory for Item {2},{0} {1} : 코스트 센터는 항목에 대해 필수입니다 {2} +{0}: {1} not found in Invoice Details table,{0} {1} 송장 정보 테이블에서 찾을 수 없습니다 diff --git a/erpnext/translations/nl.csv b/erpnext/translations/nl.csv index 648b675ab5..240fd24e07 100644 --- a/erpnext/translations/nl.csv +++ b/erpnext/translations/nl.csv @@ -14,7 +14,6 @@ % of materials delivered against this Sales Order,% Van de geleverde materialen tegen deze verkooporder % of materials ordered against this Material Request,% Van de bestelde materialen tegen dit materiaal aanvragen % of materials received against this Purchase Order,% Van de materialen ontvangen tegen deze Kooporder -%(conversion_rate_label)s is mandatory. Maybe Currency Exchange record is not created for %(from_currency)s to %(to_currency)s,% ( conversion_rate_label ) s is verplicht. Misschien Valutawissel record is niet gemaakt voor % ( from_currency ) s naar% ( to_currency ) s 'Actual Start Date' can not be greater than 'Actual End Date',' Werkelijke Startdatum ' kan niet groter zijn dan ' Werkelijke Einddatum ' zijn 'Based On' and 'Group By' can not be same,' Based On ' en ' Group By ' kan niet hetzelfde zijn 'Days Since Last Order' must be greater than or equal to zero,' Dagen sinds Last Order ' moet groter zijn dan of gelijk zijn aan nul @@ -30,11 +29,35 @@ 'Update Stock' for Sales Invoice {0} must be set,'Bijwerken Stock ' voor verkoopfactuur {0} moet worden ingesteld * Will be calculated in the transaction.,* Zal worden berekend in de transactie. "1 Currency = [?] Fraction -For e.g. 1 USD = 100 Cent",1 Valuta = [ ? ] Fraction \ Nfor bijv. +For e.g. 1 USD = 100 Cent","1 Valuta = [?] Fractie + Voor bijv. 1 USD = 100 Cent" 1. To maintain the customer wise item code and to make them searchable based on their code use this option,1. Om de klant wijzen artikelcode te behouden en om ze doorzoekbaar te maken op basis van hun code te gebruiken van deze optie "Add / Edit"," toevoegen / bewerken < / a>" "Add / Edit"," toevoegen / bewerken < / a>" "Add / Edit"," toevoegen / bewerken < / a>" +"

Default Template

+

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

+
{{ address_line1 }}<br>
+{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}
+{{ city }}<br>
+{% if state %}{{ state }}<br>{% endif -%}
+{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}
+{{ country }}<br>
+{% if phone %}Phone: {{ phone }}<br>{% endif -%}
+{% if fax %}Fax: {{ fax }}<br>{% endif -%}
+{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
+
","

Standaardsjabloon +

Gebruikt Jinja Templating en alle velden van Address ( inclusief aangepaste velden indien aanwezig) zal beschikbaar zijn +

  {{address_line1}} 
+ {% if address_line2%} {{address_line2}} {
% endif -%} + {{city}}
+ {% if staat%} {{staat}} {% endif
-%} + {% if pincode%} PIN: {{pincode}} {% endif
-%} + {{land}}
+ {% if telefoon%} Telefoon: {{telefoon}} {
% endif -%} + {% if fax%} Fax: {{fax}} {% endif
-%} + {% if email_id%} E-mail: {{email_id}}
; {% endif -%} + " A Customer Group exists with same name please change the Customer name or rename the Customer Group,Een Customer Group bestaat met dezelfde naam wijzigt u de naam van de klant of de naam van de Klant Groep A Customer exists with same name,Een Klant bestaat met dezelfde naam A Lead with this email id should exist,Een Lead met deze e-mail-ID moet bestaan @@ -44,7 +67,6 @@ A symbol for this currency. For e.g. $,Een symbool voor deze valuta. Voor bijvoo AMC Expiry Date,AMC Vervaldatum Abbr,Abbr Abbreviation cannot have more than 5 characters,Afkorting kan niet meer dan 5 tekens -About,Over Above Value,Boven Value Absent,Afwezig Acceptance Criteria,Acceptatiecriteria @@ -59,6 +81,8 @@ Account Details,Account Details Account Head,Account Hoofd Account Name,Accountnaam Account Type,Account Type +"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Saldo reeds in Credit, is het niet toegestaan om 'evenwicht moet worden' als 'Debet'" +"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Saldo reeds in Debit, is het niet toegestaan om 'evenwicht moet worden' als 'Credit'" Account for the warehouse (Perpetual Inventory) will be created under this Account.,Rekening voor het magazijn ( Perpetual Inventory ) wordt aangemaakt onder deze account . Account head {0} created,Account hoofd {0} aangemaakt Account must be a balance sheet account,Rekening moet een balansrekening zijn @@ -68,13 +92,20 @@ Account with existing transaction can not be deleted,Rekening met bestaande tran Account with existing transaction cannot be converted to ledger,Rekening met bestaande transactie kan niet worden geconverteerd naar grootboek Account {0} cannot be a Group,Account {0} kan een groep niet Account {0} does not belong to Company {1},Account {0} behoort niet tot Company {1} +Account {0} does not belong to company: {1},Account {0} behoort niet tot bedrijf: {1} Account {0} does not exist,Account {0} bestaat niet Account {0} has been entered more than once for fiscal year {1},Account {0} is ingevoerd meer dan een keer voor het fiscale jaar {1} Account {0} is frozen,Account {0} is bevroren Account {0} is inactive,Account {0} is niet actief +Account {0} is not valid,Account {0} is niet geldig Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item,Account {0} moet van het type ' vaste activa ' zijn zoals Item {1} is een actiefpost +Account {0}: Parent account {1} can not be a ledger,Account {0}: Parent rekening {1} kan een grootboek niet +Account {0}: Parent account {1} does not belong to company: {2},Account {0}: Parent rekening {1} hoort niet bij bedrijf: {2} +Account {0}: Parent account {1} does not exist,Account {0}: Parent rekening {1} bestaat niet +Account {0}: You can not assign itself as parent account,Account {0}: U kunt niet zelf toewijzen als ouder rekening "Account: {0} can only be updated via \ - Stock Transactions",Account : {0} kan alleen via \ bijgewerkt \ n Stock Transacties + Stock Transactions","Account: {0} kan alleen worden bijgewerkt via \ + Stock Transacties" Accountant,accountant Accounting,Rekening "Accounting Entries can be made against leaf nodes, called","Boekingen kunnen worden gemaakt tegen leaf nodes , genaamd" @@ -124,6 +155,7 @@ Address Details,Adresgegevens Address HTML,Adres HTML Address Line 1,Adres Lijn 1 Address Line 2,Adres Lijn 2 +Address Template,Adres Template Address Title,Adres Titel Address Title is mandatory.,Adres titel is verplicht. Address Type,Adrestype @@ -144,7 +176,6 @@ Against Docname,Tegen Docname Against Doctype,Tegen Doctype Against Document Detail No,Tegen Document Detail Geen Against Document No,Tegen document nr. -Against Entries,tegen Entries Against Expense Account,Tegen Expense Account Against Income Account,Tegen Inkomen account Against Journal Voucher,Tegen Journal Voucher @@ -180,10 +211,8 @@ All Territories,Alle gebieden "All export related fields like currency, conversion rate, export total, export grand total etc are available in Delivery Note, POS, Quotation, Sales Invoice, Sales Order etc.","Alle export gerelateerde gebieden zoals valuta , wisselkoers , export totaal, export eindtotaal enz. zijn beschikbaar in Delivery Note , POS , Offerte , verkoopfactuur , Sales Order etc." "All import related fields like currency, conversion rate, import total, import grand total etc are available in Purchase Receipt, Supplier Quotation, Purchase Invoice, Purchase Order etc.","Alle import gerelateerde gebieden zoals valuta , wisselkoers , import totaal, import eindtotaal enz. zijn beschikbaar in aankoopbewijs Leverancier offerte, factuur , bestelbon enz." All items have already been invoiced,Alle items zijn reeds gefactureerde -All items have already been transferred for this Production Order.,Alle items zijn reeds overgedragen voor deze productieorder . All these items have already been invoiced,Al deze items zijn reeds gefactureerde Allocate,Toewijzen -Allocate Amount Automatically,Toe te wijzen bedrag automatisch Allocate leaves for a period.,Toewijzen bladeren voor een periode . Allocate leaves for the year.,Wijs bladeren voor het jaar. Allocated Amount,Toegewezen bedrag @@ -204,13 +233,13 @@ Allow Users,Gebruikers toestaan Allow the following users to approve Leave Applications for block days.,Laat de volgende gebruikers te keuren Verlof Aanvragen voor blok dagen. Allow user to edit Price List Rate in transactions,Zodat de gebruiker te bewerken prijslijst Rate bij transacties Allowance Percent,Toelage Procent -Allowance for over-delivery / over-billing crossed for Item {0},Korting voor over- levering / over- billing gekruist voor post {0} +Allowance for over-{0} crossed for Item {1},Korting voor over-{0} gekruist voor post {1} +Allowance for over-{0} crossed for Item {1}.,Korting voor over-{0} gekruist voor post {1}. Allowed Role to Edit Entries Before Frozen Date,Toegestaan ​​Rol te bewerken items voor Frozen Datum Amended From,Gewijzigd Van Amount,Bedrag Amount (Company Currency),Bedrag (Company Munt) -Amount <=,Bedrag <= -Amount >=,Bedrag> = +Amount Paid,Betaald bedrag Amount to Bill,Neerkomen op Bill An Customer exists with same name,Een klant bestaat met dezelfde naam "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" @@ -260,6 +289,7 @@ As per Stock UOM,Per Stock Verpakking Asset,aanwinst Assistant,assistent Associate,associëren +Atleast one of the Selling or Buying must be selected,Tenminste een van de verkopen of aankopen moeten worden gekozen Atleast one warehouse is mandatory,Tenminste een magazijn is verplicht Attach Image,Bevestig Afbeelding Attach Letterhead,Bevestig briefhoofd @@ -319,6 +349,7 @@ Balance for Account {0} must always be {1},Saldo van account {0} moet altijd {1} Balance must be,Evenwicht moet worden "Balances of Accounts of type ""Bank"" or ""Cash""","Saldi van de rekeningen van het type "" Bank "" of "" Cash """ Bank,Bank +Bank / Cash Account,Bank / Cash Account Bank A/C No.,Bank A / C Nee Bank Account,Bankrekening Bank Account No.,Bank Account Nr @@ -397,18 +428,24 @@ Budget Distribution Details,Budget Distributie Details Budget Variance Report,Budget Variantie Report Budget cannot be set for Group Cost Centers,Begroting kan niet worden ingesteld voor groep kostenplaatsen Build Report,Build Report -Built on,gebouwd op Bundle items at time of sale.,Bundel artikelen op moment van verkoop. Business Development Manager,Business Development Manager Buying,Het kopen Buying & Selling,Kopen en verkopen Buying Amount,Kopen Bedrag Buying Settings,Kopen Instellingen +"Buying must be checked, if Applicable For is selected as {0}","Kopen moet worden gecontroleerd, indien van toepassing voor is geselecteerd als {0}" C-Form,C-Form C-Form Applicable,C-Form Toepasselijk C-Form Invoice Detail,C-Form Factuurspecificatie C-Form No,C-vorm niet C-Form records,C -Form platen +CENVAT Capital Goods,CENVAT Kapitaalgoederen +CENVAT Edu Cess,CENVAT Edu Cess +CENVAT SHE Cess,CENVAT SHE Cess +CENVAT Service Tax,CENVAT Dienst Belastingen +CENVAT Service Tax Cess 1,CENVAT Dienst Belastingen Cess 1 +CENVAT Service Tax Cess 2,CENVAT Dienst Belastingen Cess 2 Calculate Based On,Bereken Based On Calculate Total Score,Bereken Totaal Score Calendar Events,Kalender Evenementen @@ -432,7 +469,7 @@ Cannot approve leave as you are not authorized to approve leaves on Block Dates, Cannot cancel because Employee {0} is already approved for {1},Kan niet annuleren omdat Employee {0} is reeds goedgekeurd voor {1} Cannot cancel because submitted Stock Entry {0} exists,Kan niet annuleren omdat ingediend Stock Entry {0} bestaat Cannot carry forward {0},Kan niet dragen {0} -Cannot change Year Start Date and Year End Date once the Fiscal Year is saved.,Kan Jaar Start datum en jaar Einddatum zodra het boekjaar wordt opgeslagen niet wijzigen . +Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,Kan boekjaar Startdatum en Boekjaareinde Datum zodra het boekjaar wordt opgeslagen niet wijzigen. "Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Kan bedrijf standaard valuta niet veranderen , want er zijn bestaande transacties . Transacties moeten worden geannuleerd om de standaard valuta te wijzigen ." Cannot convert Cost Center to ledger as it has child nodes,Kan kostenplaats niet omzetten naar grootboek omdat het kind knooppunten Cannot covert to Group because Master Type or Account Type is selected.,Kan niet verkapte naar Groep omdat Master Type of Type account is geselecteerd. @@ -441,7 +478,7 @@ Cannot deactive or cancle BOM as it is linked with other BOMs,Kan niet deactive Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Kan niet aftrekken als categorie is voor ' Valuation ' of ' Valuation en Total ' "Cannot delete Serial No {0} in stock. First remove from stock, then delete.","Kan Serienummer {0} niet verwijderen in voorraad . Verwijder eerst uit voorraad , dan verwijderen." "Cannot directly set amount. For 'Actual' charge type, use the rate field","Kan niet direct is opgenomen. Voor ' Actual ""type lading , gebruikt u het veld tarief" -"Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in 'Setup' > 'Global Defaults'","Kan niet overbill voor post {0} in rij {0} meer dan {1} . Om overbilling staan ​​, stel dan in ' Instellingen ' > ' Global Defaults'" +"Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in Stock Settings","Kan niet overbill voor post {0} in rij {0} meer dan {1}. Om overbilling staan, stel dan in Stock Instellingen" Cannot produce more Item {0} than Sales Order quantity {1},Kan niet meer produceren Item {0} dan Sales Bestelhoeveelheid {1} Cannot refer row number greater than or equal to current row number for this Charge type,Kan niet verwijzen rij getal groter dan of gelijk aan de huidige rijnummer voor dit type Charge Cannot return more than {0} for Item {1},Kan niet meer dan terug {0} voor post {1} @@ -504,6 +541,8 @@ Click on a link to get options to expand get options , Client,Klant Close Balance Sheet and book Profit or Loss.,Sluiten Balans en boek Winst of verlies . Closed,Gesloten +Closing (Cr),Sluiten (Cr) +Closing (Dr),Sluiten (Dr) Closing Account Head,Sluiten Account Hoofd Closing Account {0} must be of type 'Liability',Closing account {0} moet van het type ' Aansprakelijkheid ' zijn Closing Date,Afsluitingsdatum @@ -514,7 +553,9 @@ CoA Help,CoA Help Code,Code Cold Calling,Cold Calling Color,Kleur +Column Break,Column Break Comma separated list of email addresses,Komma's gescheiden lijst van e-mailadressen +Comment,Commentaar Comments,Reacties Commercial,commercieel Commission,commissie @@ -599,7 +640,6 @@ Cosmetics,schoonheidsmiddelen Cost Center,Kostenplaats Cost Center Details,Kosten Center Details Cost Center Name,Kosten Center Naam -Cost Center is mandatory for Item {0},Kostenplaats is verplicht voor post {0} Cost Center is required for 'Profit and Loss' account {0},Kostenplaats is vereist voor ' winst-en verliesrekening ' rekening {0} Cost Center is required in row {0} in Taxes table for type {1},Kostenplaats is vereist in regel {0} in Belastingen tabel voor type {1} Cost Center with existing transactions can not be converted to group,Cost Center met bestaande transacties kunnen niet worden omgezet in groep @@ -609,6 +649,7 @@ Cost of Goods Sold,Kostprijs van verkochte goederen Costing,Costing Country,Land Country Name,Naam van het land +Country wise default Address Templates,Land verstandig default Adres Templates "Country, Timezone and Currency","Country , Tijdzone en Valuta" Create Bank Voucher for the total salary paid for the above selected criteria,Maak Bank Voucher voor het totale loon voor de bovenstaande geselecteerde criteria Create Customer,Maak de klant @@ -662,10 +703,12 @@ Customer (Receivable) Account,Klant (Debiteuren) Account Customer / Item Name,Klant / Naam van het punt Customer / Lead Address,Klant / Lead Adres Customer / Lead Name,Klant / Lead Naam +Customer > Customer Group > Territory,Klant> Customer Group> Territory Customer Account Head,Customer Account Head Customer Acquisition and Loyalty,Klantenwerving en Loyalty Customer Address,Klant Adres Customer Addresses And Contacts,Klant adressen en contacten +Customer Addresses and Contacts,Klant Adressen en Contacten Customer Code,Klantcode Customer Codes,Klant Codes Customer Details,Klant Details @@ -727,6 +770,8 @@ Deduction1,Deduction1 Deductions,Inhoudingen Default,Verzuim Default Account,Standaard Account +Default Address Template cannot be deleted,Default Address Template kan niet worden verwijderd +Default Amount,Standaard Bedrag Default BOM,Standaard BOM Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,Standaard Bank / Cash account wordt automatisch bijgewerkt in POS Factuur bij deze modus is geselecteerd. Default Bank Account,Standaard bankrekening @@ -734,7 +779,6 @@ Default Buying Cost Center,Standaard Buying kostenplaats Default Buying Price List,Standaard Buying Prijslijst Default Cash Account,Standaard Cash Account Default Company,Standaard Bedrijf -Default Cost Center for tracking expense for this item.,Standaard kostenplaats voor het bijhouden van kosten voor dit object. Default Currency,Standaard valuta Default Customer Group,Standaard Klant Groep Default Expense Account,Standaard Expense Account @@ -761,6 +805,7 @@ Default settings for selling transactions.,Standaardinstellingen voor verkooptra Default settings for stock transactions.,Standaardinstellingen voor effectentransacties . Defense,defensie "Define Budget for this Cost Center. To set budget action, see
Company Master","Definieer budget voor deze kostenplaats. Om de begroting actie in te stellen, zie Company Master" +Del,Verw. Delete,Verwijder Delete {0} {1}?,Verwijder {0} {1} ? Delivered,Geleverd @@ -809,6 +854,7 @@ Discount (%),Korting (%) Discount Amount,korting Bedrag "Discount Fields will be available in Purchase Order, Purchase Receipt, Purchase Invoice","Korting Velden zal beschikbaar zijn in Bestelbon, bewijs van aankoop Aankoop Factuur" Discount Percentage,kortingspercentage +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 prijslijst. Discount must be less than 100,Korting moet minder dan 100 zijn Discount(%),Korting (%) Dispatch,verzending @@ -841,7 +887,8 @@ Download Template,Download Template Download a report containing all raw materials with their latest inventory status,Download een verslag met alle grondstoffen met hun nieuwste inventaris status "Download the Template, fill appropriate data and attach the modified file.","Download de Template , vul de juiste gegevens en bevestig het gewijzigde bestand ." "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 en bevestig het gewijzigde bestand . \ NAlle dateert en werknemer combinatie in de gekozen periode zal komen in de sjabloon , met bestaande presentielijsten" +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 en bevestig het gewijzigde bestand. + Alle data en werknemer combinatie in de gekozen periode zal komen in de template, met bestaande presentielijsten" Draft,Ontwerp Dropbox,Dropbox Dropbox Access Allowed,Dropbox Toegang toegestaan @@ -863,6 +910,9 @@ Earning & Deduction,Verdienen & Aftrek Earning Type,Verdienen Type Earning1,Earning1 Edit,Redigeren +Edu. Cess on Excise,Edu. Cess op Excise +Edu. Cess on Service Tax,Edu. Ces op Dienst Belastingen +Edu. Cess on TDS,Edu. Cess op TDS Education,onderwijs Educational Qualification,Educatieve Kwalificatie Educational Qualification Details,Educatieve Kwalificatie Details @@ -937,16 +987,27 @@ Enter url parameter for receiver nos,Voer URL-parameter voor de ontvanger nos Entertainment & Leisure,Uitgaan & Vrije Tijd Entertainment Expenses,representatiekosten Entries,Inzendingen -Entries against,inzendingen tegen +Entries against , Entries are not allowed against this Fiscal Year if the year is closed.,Inzendingen zijn niet toegestaan ​​tegen deze fiscale jaar als het jaar gesloten is. -Entries before {0} are frozen,Inzendingen voor {0} zijn bevroren Equity,billijkheid Error: {0} > {1},Fout : {0} > {1} Estimated Material Cost,Geschatte Materiaal Kosten +"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Zelfs als er meerdere Prijzen Regels met de hoogste prioriteit, worden vervolgens volgende interne prioriteiten aangebracht:" Everyone can read,Iedereen kan lezen "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.","Voorbeeld : . ABCD # # # # # \ nAls serie speelt zich af en volgnummer wordt niet bij transacties vermeld , dan is automatische serienummer zal worden gemaakt op basis van deze serie ." +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.",". Voorbeeld: ABCD # # # # # + Als serie is ingesteld en volgnummer wordt niet bij transacties vermeld, zal dan automatisch het serienummer worden gemaakt op basis van deze serie. Als u wilt altijd expliciet te vermelden serienummers voor dit item. dit veld leeg laten." Exchange Rate,Wisselkoers +Excise Duty 10,Accijns 10 +Excise Duty 14,Excise Duty 14 +Excise Duty 4,Excise Duty 4 +Excise Duty 8,Accijns 8 +Excise Duty @ 10,Accijns @ 10 +Excise Duty @ 14,Accijns @ 14 +Excise Duty @ 4,Accijns @ 4 +Excise Duty @ 8,Accijns @ 8 +Excise Duty Edu Cess 2,Accijns Edu Cess 2 +Excise Duty SHE Cess 1,Accijns SHE Cess 1 Excise Page Number,Accijnzen Paginanummer Excise Voucher,Accijnzen Voucher Execution,uitvoering @@ -965,6 +1026,7 @@ Expected Delivery Date cannot be before Sales Order Date,Verwachte leverdatum ka Expected End Date,Verwachte einddatum Expected Start Date,Verwachte startdatum Expense,kosten +Expense / Difference account ({0}) must be a 'Profit or Loss' account,"Expense / Verschil rekening ({0}) moet een ""Winst of verlies 'rekening worden" Expense Account,Expense Account Expense Account is mandatory,Expense Account is verplicht Expense Claim,Expense Claim @@ -1015,12 +1077,16 @@ Finished Goods,afgewerkte producten First Name,Voornaam First Responded On,Eerste reageerden op Fiscal Year,Boekjaar +Fiscal Year Start Date and Fiscal Year End Date are already set in Fiscal Year {0},Boekjaar Startdatum en Boekjaareinde Datum zijn al ingesteld in het fiscale jaar {0} +Fiscal Year Start Date and Fiscal Year End Date cannot be more than a year apart.,Boekjaar Startdatum en Boekjaareinde datum kan niet meer dan een jaar uit elkaar zijn. +Fiscal Year Start Date should not be greater than Fiscal Year End Date,Boekjaar Startdatum mag niet groter zijn dan het fiscale jaar einddatum Fixed Asset,vaste Activa Fixed Assets,vaste activa Follow via Email,Volg via e-mail "Following table will show values if items are sub - contracted. These values will be fetched from the master of ""Bill of Materials"" of sub - contracted items.",Na tafel zal waarden als items zijn sub - gecontracteerde. Deze waarden zullen worden opgehaald van de meester van de "Bill of Materials" van sub - gecontracteerde items. Food,voedsel "Food, Beverage & Tobacco","Voedsel , drank en tabak" +"For 'Sales BOM' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Sales BOM' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Voor 'Sales BOM' items, Warehouse, volgnummer en Batch No zullen worden gezien van de 'Packing List' tafel. Als Warehouse en Batch No zijn gelijk voor alle inpakken van objecten voor een 'Sales BOM' post, kunnen deze waarden in de belangrijkste Item tabel worden ingevoerd, zullen de waarden worden gekopieerd naar 'Packing List' tafel." For Company,Voor Bedrijf For Employee,Uitvoeringsinstituut Werknemersverzekeringen For Employee Name,Voor Naam werknemer @@ -1050,7 +1116,9 @@ From Currency and To Currency cannot be same,Van Munt en naar Valuta kan niet he From Customer,Van Klant From Customer Issue,Van Customer Issue From Date,Van Datum +From Date cannot be greater than To Date,Vanaf de datum kan niet groter zijn dan tot nu toe From Date must be before To Date,Van datum moet voor-to-date +From Date should be within the Fiscal Year. Assuming From Date = {0},Van datum moet binnen het boekjaar. Ervan uitgaande dat Van Date = {0} From Delivery Note,Van Delivery Note From Employee,Van Medewerker From Lead,Van Lood @@ -1072,7 +1140,9 @@ Frozen Accounts Modifier,Bevroren rekeningen Modifikatie Fulfilled,Vervulde Full Name,Volledige naam Full-time,Full -time +Fully Billed,Volledig gefactureerde Fully Completed,Volledig ingevulde +Fully Delivered,Volledig geleverd Furniture and Fixture,Meubilair en Inrichting Further accounts can be made under Groups but entries can be made against Ledger,"Verder rekeningen kunnen onder Groepen worden gemaakt, maar data kan worden gemaakt tegen Ledger" "Further accounts can be made under Groups, but entries can be made against Ledger","Nadere accounts kunnen worden gemaakt onder groepen, maar items kunnen worden gemaakt tegen Ledger" @@ -1090,7 +1160,6 @@ Generate Schedule,Genereer Plan Generates HTML to include selected image in the description,Genereert HTML aan geselecteerde beeld te nemen in de beschrijving Get Advances Paid,Get betaalde voorschotten Get Advances Received,Get ontvangen voorschotten -Get Against Entries,Krijgen Tegen Entries Get Current Stock,Get Huidige voorraad Get Items,Get Items Get Items From Sales Orders,Krijg Items Van klantorders @@ -1103,6 +1172,7 @@ Get Specification Details,Get Specificatie Details Get Stock and Rate,Get voorraad en Rate Get Template,Get Sjabloon Get Terms and Conditions,Get Algemene Voorwaarden +Get Unreconciled Entries,Krijgen Unreconciled Entries Get Weekly Off Dates,Ontvang wekelijkse Uit Data "Get valuation rate and available stock at source/target warehouse on mentioned posting date-time. If serialized item, please press this button after entering serial nos.","Get waardering tarief en beschikbare voorraad bij de bron / doel pakhuis op de genoemde plaatsen van datum-tijd. Als geserialiseerde item, drukt u op deze toets na het invoeren van seriële nos." Global Defaults,Global Standaardwaarden @@ -1171,6 +1241,7 @@ Hour,uur Hour Rate,Uurtarief Hour Rate Labour,Uurtarief Arbeid Hours,Uur +How Pricing Rule is applied?,Hoe Pricing regel wordt toegepast? How frequently?,Hoe vaak? "How should this currency be formatted? If not set, will use system defaults","Hoe moet deze valuta worden geformatteerd? Indien niet ingesteld, zal gebruik maken van het systeem standaard" Human Resources,Human Resources @@ -1187,12 +1258,15 @@ If different than customer address,Indien anders dan adres van de klant "If disable, 'Rounded Total' field will not be visible in any transaction","Indien storing, 'Afgerond Total' veld niet zichtbaar zijn in een transactie" "If enabled, the system will post accounting entries for inventory automatically.","Indien ingeschakeld, zal het systeem de boekingen automatisch plaatsen voor de inventaris." If more than one package of the same type (for print),Als er meer dan een pakket van hetzelfde type (voor afdrukken) +"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." "If no change in either Quantity or Valuation Rate, leave the cell blank.","Als er geen wijziging optreedt Hoeveelheid of Valuation Rate , verlaat de cel leeg ." If not applicable please enter: NA,Indien niet van toepassing gelieve: Nvt "If not checked, the list will have to be added to each Department where it has to be applied.","Indien niet gecontroleerd, wordt de lijst worden toegevoegd aan elk Department waar het moet worden toegepast." +"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.","Indien geselecteerd Prijzen Regel is gemaakt voor 'Prijs', zal het prijslijst overschrijven. Pricing Rule prijs is de uiteindelijke prijs, dus geen verdere korting worden toegepast. Vandaar dat in transacties zoals Sales Order, Bestelling etc, het zal worden opgehaald in 'Rate' veld, in plaats van 'prijslijst Rate' veld." "If specified, send the newsletter using this email address","Als de opgegeven, stuurt u de nieuwsbrief via dit e-mailadres" "If the account is frozen, entries are allowed to restricted users.","Als de account wordt gepauzeerd, blijven inzendingen mogen gebruikers met beperkte rechten ." "If this Account represents a Customer, Supplier or Employee, set it here.","Als dit account is een klant, leverancier of werknemer, hier instellen." +"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Als twee of meer Prijzen Regels zijn gevonden die aan de bovenstaande voorwaarden, wordt prioriteit toegepast. Prioriteit is een getal tussen 0 en 20, terwijl standaardwaarde nul (blanco). Hoger nummer betekent dat het voorrang als er meerdere Prijzen Regels met dezelfde voorwaarden." If you follow Quality Inspection. Enables Item QA Required and QA No in Purchase Receipt,Als u volgen Kwaliteitscontrole . Stelt Item QA Vereiste en QA Geen in Kwitantie If you have Sales Team and Sale Partners (Channel Partners) they can be tagged and maintain their contribution in the sales activity,Als je Sales Team en Verkoop Partners (Channel Partners) ze kunnen worden gelabeld en onderhouden van hun bijdrage in de commerciële activiteit "If you have created a standard template in Purchase Taxes and Charges Master, select one and click on the button below.","Als u hebt gemaakt van een standaard template in Aankoop en-heffingen Meester, selecteert u een en klikt u op de knop." @@ -1200,6 +1274,7 @@ If you have Sales Team and Sale Partners (Channel Partners) they can be tagged "If you have long print formats, this feature can be used to split the page to be printed on multiple pages with all headers and footers on each page","Als je al lang af te drukken formaten, kan deze functie gebruikt worden om splitsing van de pagina die moet worden afgedrukt op meerdere pagina's met alle kop-en voetteksten op elke pagina" If you involve in manufacturing activity. Enables Item 'Is Manufactured',Als u te betrekken in de productie -activiteit . Stelt Item ' is vervaardigd ' Ignore,Negeren +Ignore Pricing Rule,Negeer Pricing Rule Ignored: ,Genegeerd: Image,Beeld Image View,Afbeelding View @@ -1236,8 +1311,9 @@ Income booked for the digest period,Inkomsten geboekt voor de digest periode Incoming,Inkomend Incoming Rate,Inkomende Rate Incoming quality inspection.,Inkomende kwaliteitscontrole. +Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Onjuist aantal Grootboekposten gevonden. Je zou een verkeerde account hebt geselecteerd in de transactie. Incorrect or Inactive BOM {0} for Item {1} at row {2},Onjuiste of Inactieve BOM {0} voor post {1} bij rij {2} -Indicates that the package is a part of this delivery,Geeft aan dat het pakket is een deel van deze levering +Indicates that the package is a part of this delivery (Only Draft),Geeft aan dat het pakket is een onderdeel van deze levering (alleen ontwerp) Indirect Expenses,indirecte kosten Indirect Income,indirecte Inkomen Individual,Individueel @@ -1263,6 +1339,7 @@ Intern,intern Internal,Intern Internet Publishing,internet Publishing Introduction,Introductie +Invalid Barcode,Ongeldige Barcode Invalid Barcode or Serial No,Ongeldige streepjescode of Serienummer Invalid Mail Server. Please rectify and try again.,Ongeldige Mail Server . Aub verwijderen en probeer het opnieuw . Invalid Master Name,Ongeldige Master Naam @@ -1275,9 +1352,12 @@ Investments,investeringen Invoice Date,Factuurdatum Invoice Details,Factuurgegevens Invoice No,Factuur nr. -Invoice Period From Date,Factuur Periode Van Datum +Invoice Number,Factuurnummer +Invoice Period From,Factuur Periode Van Invoice Period From and Invoice Period To dates mandatory for recurring invoice,Factuur Periode Van en Factuur periode data verplicht voor terugkerende factuur -Invoice Period To Date,Factuur Periode To Date +Invoice Period To,Factuur periode +Invoice Type,Factuur Type +Invoice/Journal Voucher Details,Factuur / Journal Voucher Details Invoiced Amount (Exculsive Tax),Factuurbedrag ( Exculsive BTW ) Is Active,Is actief Is Advance,Is Advance @@ -1308,6 +1388,7 @@ Item Advanced,Item Geavanceerde Item Barcode,Item Barcode Item Batch Nos,Item Batch Nos Item Code,Artikelcode +Item Code > Item Group > Brand,Item Code> Artikel Group> Merk Item Code and Warehouse should already exist.,Item Code en Warehouse moet al bestaan ​​. Item Code cannot be changed for Serial No.,Item Code kan niet worden gewijzigd voor Serienummer Item Code is mandatory because Item is not automatically numbered,Item Code is verplicht omdat Item is niet automatisch genummerd @@ -1319,6 +1400,7 @@ Item Details,Item Details Item Group,Item Group Item Group Name,Item Groepsnaam Item Group Tree,Punt Groepsstructuur +Item Group not mentioned in item master for item {0},Post Groep niet in punt meester genoemd voor punt {0} Item Groups in Details,Artikelgroepen in Details Item Image (if not slideshow),Item Afbeelding (indien niet diashow) Item Name,Naam van het punt @@ -1389,7 +1471,8 @@ Item-wise Purchase Register,Post-wise Aankoop Register Item-wise Sales History,Post-wise Sales Geschiedenis Item-wise Sales Register,Post-wise sales Registreren "Item: {0} managed batch-wise, can not be reconciled using \ - Stock Reconciliation, instead use Stock Entry","Item: {0} beheerd batchgewijs , niet kan worden verzoend met behulp van \ \ n Stock Verzoening , in plaats daarvan gebruik Stock Entry" + Stock Reconciliation, instead use Stock Entry","Item: {0} beheerd batchgewijs, niet kan worden verzoend met behulp van \ + Stock Verzoening, in plaats daarvan gebruik Stock Entry" Item: {0} not found in the system,Item: {0} niet gevonden in het systeem Items,Artikelen Items To Be Requested,Items worden aangevraagd @@ -1492,6 +1575,7 @@ Loading...,Loading ... Loans (Liabilities),Leningen (passiva ) Loans and Advances (Assets),Leningen en voorschotten ( Assets ) Local,lokaal +Login,login Login with your new User ID,Log in met je nieuwe gebruikersnaam Logo,Logo Logo and Letter Heads,Logo en Letter Heads @@ -1536,6 +1620,7 @@ Make Maint. Schedule,Maken Maint . dienstregeling Make Maint. Visit,Maken Maint . bezoek Make Maintenance Visit,Maak Maintenance Visit Make Packing Slip,Maak pakbon +Make Payment,Betalen Make Payment Entry,Betalen Entry Make Purchase Invoice,Maak inkoopfactuur Make Purchase Order,Maak Bestelling @@ -1545,8 +1630,10 @@ Make Salary Structure,Maak salarisstructuur Make Sales Invoice,Maak verkoopfactuur Make Sales Order,Maak klantorder Make Supplier Quotation,Maak Leverancier Offerte +Make Time Log Batch,Maak tijd Inloggen Batch Male,Mannelijk Manage Customer Group Tree.,Beheer Customer Group Boom . +Manage Sales Partners.,Beheer Sales Partners. Manage Sales Person Tree.,Beheer Sales Person Boom . Manage Territory Tree.,Beheer Grondgebied Boom. Manage cost of operations,Beheer kosten van de operaties @@ -1597,6 +1684,8 @@ Max 5 characters,Max. 5 tekens Max Days Leave Allowed,Max Dagen Laat toegestaan Max Discount (%),Max Korting (%) Max Qty,Max Aantal +Max discount allowed for item: {0} is {1}%,Maximale korting toegestaan voor artikel: {0} is {1}% +Maximum Amount,Maximum Bedrag Maximum allowed credit is {0} days after posting date,Maximaal toegestane krediet is {0} dagen na de boekingsdatum Maximum {0} rows allowed,Maximum {0} rijen toegestaan Maxiumm discount for Item {0} is {1}%,Maxiumm korting voor post {0} is {1} % @@ -1617,6 +1706,7 @@ Milestones will be added as Events in the Calendar,Mijlpalen worden toegevoegd a Min Order Qty,Minimum Aantal Min Qty,min Aantal Min Qty can not be greater than Max Qty,Min Aantal kan niet groter zijn dan Max Aantal zijn +Minimum Amount,Minimumbedrag Minimum Order Qty,Minimum Aantal Minute,minuut Misc Details,Misc Details @@ -1626,7 +1716,6 @@ Mobile No,Mobiel Nog geen Mobile No.,Mobile No Mode of Payment,Wijze van betaling Modern,Modern -Modified Amount,Gewijzigd Bedrag Monday,Maandag Month,Maand Monthly,Maandelijks @@ -1643,7 +1732,8 @@ Mr,De heer Ms,Mevrouw Multiple Item prices.,Meerdere Artikelprijzen . "Multiple Price Rule exists with same criteria, please resolve \ - conflict by assigning priority. Price Rules: {0}","Prijs Regel Meerdere bestaat met dezelfde criteria , dan kunt u oplossen \ \ n conflict door het toekennen van prioriteit." + conflict by assigning priority. Price Rules: {0}","Prijs Regel Meerdere bestaat met dezelfde criteria, dan kunt u oplossen door \ + conflict door het toekennen van prioriteit. Prijs Regels: {0}" Music,muziek Must be Whole Number,Moet heel getal zijn Name,Naam @@ -1659,6 +1749,7 @@ Negative Valuation Rate is not allowed,Negatieve waardering Rate is niet toegest Negative balance in Batch {0} for Item {1} at Warehouse {2} on {3} {4},Negatief saldo in Lot {0} voor post {1} bij Warehouse {2} op {3} {4} Net Pay,Nettoloon Net Pay (in words) will be visible once you save the Salary Slip.,Netto loon (in woorden) zal zichtbaar zodra het opslaan van de loonstrook. +Net Profit / Loss,Netto winst / verlies Net Total,Net Total Net Total (Company Currency),Netto Totaal (Bedrijf Munt) Net Weight,Netto Gewicht @@ -1699,7 +1790,6 @@ Newsletter,Nieuwsbrief Newsletter Content,Nieuwsbrief Inhoud Newsletter Status,Nieuwsbrief Status Newsletter has already been sent,Newsletter reeds verzonden -Newsletters is not allowed for Trial users,Nieuwsbrieven is niet toegestaan ​​voor Trial gebruikers "Newsletters to contacts, leads.","Nieuwsbrieven naar contacten, leidt." Newspaper Publishers,Newspaper Publishers Next,volgende @@ -1721,6 +1811,7 @@ No Supplier Accounts found. Supplier Accounts are identified based on 'Master Ty No accounting entries for the following warehouses,Geen boekingen voor de volgende magazijnen No addresses created,Geen adressen aangemaakt No contacts created,Geen contacten gemaakt +No default Address Template found. Please create a new one from Setup > Printing and Branding > Address Template.,Geen standaard-adres Template gevonden. Maak een nieuwe van Setup> Afdrukken en Branding> Address Template. No default BOM exists for Item {0},Geen standaard BOM bestaat voor post {0} No description given,Geen beschrijving gegeven No employee found,Geen enkele werknemer gevonden @@ -1730,6 +1821,8 @@ No of Sent SMS,Geen van Sent SMS No of Visits,Geen van bezoeken No permission,geen toestemming No record found,Geen record gevonden +No records found in the Invoice table,Geen records gevonden in de factuur tabel +No records found in the Payment table,Geen records gevonden in de betaling tabel No salary slip found for month: ,Geen loonstrook gevonden voor de maand: Non Profit,non Profit Nos,nos @@ -1739,7 +1832,7 @@ Not Available,niet beschikbaar Not Billed,Niet in rekening gebracht Not Delivered,Niet geleverd Not Set,niet instellen -Not allowed to update entries older than {0},Niet toegestaan ​​om data ouder dan updaten {0} +Not allowed to update stock transactions older than {0},Niet toegestaan om transacties in effecten ouder dan updaten {0} Not authorized to edit frozen Account {0},Niet bevoegd om bevroren account bewerken {0} Not authroized since {0} exceeds limits,Niet authroized sinds {0} overschrijdt grenzen Not permitted,niet toegestaan @@ -1780,7 +1873,6 @@ Only the selected Leave Approver can submit this Leave Application,Alleen de ges Open,Open Open Production Orders,Open productieorders Open Tickets,Open Kaarten -Open source ERP built for the web,Open source ERP gebouwd voor het web Opening (Cr),Opening ( Cr ) Opening (Dr),Opening ( Dr ) Opening Date,Opening Datum @@ -1805,7 +1897,7 @@ Opportunity Lost,Opportunity Verloren Opportunity Type,Type functie Optional. This setting will be used to filter in various transactions.,Optioneel. Deze instelling wordt gebruikt om te filteren op diverse transacties . Order Type,Bestel Type -Order Type must be one of {1},Bestel Type moet een van zijn {1} +Order Type must be one of {0},Bestel Type moet een van zijn {0} Ordered,bestelde Ordered Items To Be Billed,Bestelde artikelen te factureren Ordered Items To Be Delivered,Besteld te leveren zaken @@ -1817,7 +1909,6 @@ Organization Name,Naam van de Organisatie Organization Profile,organisatie Profiel Organization branch master.,Organisatie tak meester . Organization unit (department) master.,Organisatie -eenheid (departement) meester. -Original Amount,originele Bedrag Other,Ander Other Details,Andere Details Others,anderen @@ -1834,6 +1925,7 @@ Overlapping conditions found between:,Overlappende voorwaarden gevonden tussen : Overview,Overzicht Owned,Owned Owner,eigenaar +P L A - Cess Portion,PLA - Cess Portie PL or BS,PL of BS PO Date,PO Datum PO No,PO Geen @@ -1846,7 +1938,6 @@ POS Setting required to make POS Entry,POS -instelling verplicht om POS Entry ma POS Setting {0} already created for user: {1} and company {2},POS -instelling {0} al gemaakt voor de gebruiker : {1} en {2} bedrijf POS View,POS View PR Detail,PR Detail -PR Posting Date,PR Boekingsdatum Package Item Details,Pakket Item Details Package Items,Pakket Artikelen Package Weight Details,Pakket gewicht details @@ -1876,8 +1967,6 @@ Parent Sales Person,Parent Sales Person Parent Territory,Parent Territory Parent Website Page,Ouder Website Pagina Parent Website Route,Ouder Website Route -Parent account can not be a ledger,Bovenliggende account kan een grootboek niet -Parent account does not exist,Bovenliggende account niet bestaat Parenttype,Parenttype Part-time,Deeltijds Partially Completed,Gedeeltelijk afgesloten @@ -1886,6 +1975,8 @@ Partly Delivered,Deels geleverd Partner Target Detail,Partner Target Detail Partner Type,Partner Type Partner's Website,Website partner +Party,Partij +Party Account,Party Account Party Type,partij Type Party Type Name,Partij Type Naam Passive,Passief @@ -1898,10 +1989,14 @@ Payables Group,Schulden Groep Payment Days,Betaling Dagen Payment Due Date,Betaling Due Date Payment Period Based On Invoice Date,Betaling Periode Based On Factuurdatum +Payment Reconciliation,Betaling Verzoening +Payment Reconciliation Invoice,Betaling Verzoening Factuur +Payment Reconciliation Invoices,Betaling Verzoening Facturen +Payment Reconciliation Payment,Betaling Betaling Verzoening +Payment Reconciliation Payments,Betaling Verzoening Betalingen Payment Type,betaling Type +Payment cannot be made for empty cart,Betaling kan niet worden gemaakt van lege kar Payment of salary for the month {0} and year {1},Betaling van salaris voor de maand {0} en {1} jaar -Payment to Invoice Matching Tool,Betaling aan Factuurvergelijk Tool -Payment to Invoice Matching Tool Detail,Betaling aan Factuurvergelijk Tool Detail Payments,Betalingen Payments Made,Betalingen Made Payments Received,Betalingen ontvangen @@ -1944,7 +2039,9 @@ Planning,planning Plant,Plant Plant and Machinery,Plant and Machinery Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,Gelieve goed op Enter Afkorting of korte naam als het zal worden toegevoegd als suffix aan alle Account Heads. +Please Update SMS Settings,Werk SMS-instellingen Please add expense voucher details,Gelieve te voegen koste voucher informatie +Please add to Modes of Payment from Setup.,Gelieve te voegen aan vormen van betaling van Setup. Please check 'Is Advance' against Account {0} if this is an advance entry.,Kijk ' Is Advance ' tegen account {0} als dit is een voorschot binnenkomst . Please click on 'Generate Schedule',Klik op ' Generate Schedule' Please click on 'Generate Schedule' to fetch Serial No added for Item {0},Klik op ' Generate Schedule' te halen Serial No toegevoegd voor post {0} @@ -1992,12 +2089,13 @@ Please enter valid Company Email,Voer geldige Company Email Please enter valid Email Id,Voer een geldig e Id Please enter valid Personal Email,Voer geldige Personal Email Please enter valid mobile nos,Voer geldige mobiele nos +Please find attached Sales Invoice #{0},Gelieve in bijlage verkoopfactuur # {0} Please install dropbox python module,Installeer dropbox python module Please mention no of visits required,Vermeld geen bezoeken nodig Please pull items from Delivery Note,Gelieve te trekken items uit Delivery Note Please save the Newsletter before sending,Wij verzoeken u de nieuwsbrief voor het verzenden Please save the document before generating maintenance schedule,Bewaar het document voordat het genereren van onderhoudsschema -Please select Account first,Selecteer Account eerste +Please see attachment,Zie bijlage Please select Bank Account,Selecteer Bankrekening 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 Please select Category first,Selecteer Categorie eerst @@ -2005,14 +2103,17 @@ Please select Charge Type first,Selecteer Charge Type eerste Please select Fiscal Year,Selecteer boekjaar Please select Group or Ledger value,Selecteer Groep of Ledger waarde Please select Incharge Person's name,Selecteer de naam Incharge Person's +Please select Invoice Type and Invoice Number in atleast one row,Selecteer Factuur Type en factuurnummer in tenminste een rij "Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Sales BOM","Selecteer aub Punt waar "" Is Stock Item "" is ""Nee"" en "" Is Sales Item"" ""ja"" en er is geen andere Sales BOM" Please select Price List,Selecteer Prijs Lijst Please select Start Date and End Date for Item {0},Selecteer Start en Einddatum voor post {0} +Please select Time Logs.,Selecteer Time Logs. Please select a csv file,Selecteer een CSV-bestand Please select a valid csv file with data,Selecteer een geldige CSV-bestand met gegevens Please select a value for {0} quotation_to {1},Selecteer een waarde voor {0} quotation_to {1} "Please select an ""Image"" first","Selecteer aub een "" beeld"" eerste" Please select charge type first,Selecteer het type lading eerst +Please select company first,Selecteer eerst bedrijf Please select company first.,Selecteer eerst bedrijf. Please select item code,Selecteer aub artikelcode Please select month and year,Selecteer maand en jaar @@ -2021,6 +2122,7 @@ Please select the document type first,Selecteer het documenttype eerste Please select weekly off day,Selecteer wekelijkse rotdag Please select {0},Selecteer dan {0} Please select {0} first,Selecteer {0} eerste +Please select {0} first.,Selecteer {0} eerste. Please set Dropbox access keys in your site config,Stel Dropbox toegang sleutels in uw site config Please set Google Drive access keys in {0},Stel Google Drive toegang sleutels in {0} Please set default Cash or Bank account in Mode of Payment {0},Stel standaard Cash of bankrekening in wijze van betaling {0} @@ -2047,6 +2149,7 @@ Postal,Post- Postal Expenses,portokosten Posting Date,Plaatsingsdatum Posting Time,Posting Time +Posting date and posting time is mandatory,Boekingsdatum en detachering is verplicht Posting timestamp must be after {0},Posting timestamp moet na {0} Potential opportunities for selling.,Potentiële mogelijkheden voor de verkoop. Preferred Billing Address,Voorkeur Factuuradres @@ -2073,8 +2176,10 @@ Price List not selected,Prijslijst niet geselecteerd Price List {0} is disabled,Prijslijst {0} is uitgeschakeld Price or Discount,Prijs of korting Pricing Rule,Pricing Rule -Pricing Rule For Discount,Pricing Rule voor korting -Pricing Rule For Price,Pricing regel voor Prijs +Pricing Rule Help,Pricing Rule Help +"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Pricing Rule wordt eerst geselecteerd op basis van 'Toepassen op' veld, dat kan zijn item, artikel Group of merk." +"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Prijsstelling Regel is gemaakt om te overschrijven prijslijst / define kortingspercentage, gebaseerd op een aantal criteria." +Pricing Rules are further filtered based on quantity.,Pricing regels worden verder gefilterd op basis van kwantiteit. Print Format Style,Print Format Style Print Heading,Print rubriek Print Without Amount,Printen zonder Bedrag @@ -2102,7 +2207,9 @@ Production Plan Sales Orders,Productie Plan Verkooporders Production Planning Tool,Productie Planning Tool Products,producten "Products will be sorted by weight-age in default searches. More the weight-age, higher the product will appear in the list.","Producten worden gesorteerd op gewicht-leeftijd in verzuim zoekopdrachten. Meer van het gewicht-leeftijd, zal een hogere het product in de lijst." +Professional Tax,Professionele Tax Profit and Loss,Winst-en verliesrekening +Profit and Loss Statement,Winst-en verliesrekening Project,Project Project Costing,Project Costing Project Details,Details van het project @@ -2125,7 +2232,9 @@ Projects & System,Projecten & Systeem Prompt for Email on Submission of,Vragen om E-mail op Indiening van Proposal Writing,voorstel Schrijven Provide email id registered in company,Zorg voor e-id geregistreerd in bedrijf +Provisional Profit / Loss (Credit),Voorlopige winst / verlies (Credit) Public,Publiek +Published on website at: {0},Gepubliceerd op de website op: {0} Publishing,Publishing Pull sales orders (pending to deliver) based on the above criteria,Trek verkooporders (in afwachting van te leveren) op basis van de bovengenoemde criteria Purchase,Kopen @@ -2134,7 +2243,6 @@ Purchase Analytics,Aankoop Analytics Purchase Common,Aankoop Gemeenschappelijke Purchase Details,Aankoopinformatie Purchase Discounts,Inkoopkortingen -Purchase In Transit,Aankoop In Transit Purchase Invoice,Aankoop Factuur Purchase Invoice Advance,Aankoop Factuur Advance Purchase Invoice Advances,Aankoop Factuur Vooruitgang @@ -2142,7 +2250,6 @@ Purchase Invoice Item,Aankoop Factuur Item Purchase Invoice Trends,Aankoop Factuur Trends Purchase Invoice {0} is already submitted,Purchase Invoice {0} is al ingediend Purchase Order,Purchase Order -Purchase Order Date,Besteldatum Purchase Order Item,Aankoop Bestelling Purchase Order Item No,Purchase Order Item No Purchase Order Item Supplied,Aankoop Bestelling ingevoerd @@ -2206,7 +2313,6 @@ Quarter,Kwartaal Quarterly,Driemaandelijks Quick Help,Quick Help Quotation,Citaat -Quotation Date,Offerte Datum Quotation Item,Offerte Item Quotation Items,Offerte Items Quotation Lost Reason,Offerte Verloren Reden @@ -2284,6 +2390,7 @@ Recurring Invoice,Terugkerende Factuur Recurring Type,Terugkerende Type Reduce Deduction for Leave Without Pay (LWP),Verminderen Aftrek voor onbetaald verlof (LWP) Reduce Earning for Leave Without Pay (LWP),Verminderen Verdienen voor onbetaald verlof (LWP) +Ref,Ref Ref Code,Ref Code Ref SQ,Ref SQ Reference,Verwijzing @@ -2307,6 +2414,7 @@ Relieving Date,Het verlichten van Datum Relieving Date must be greater than Date of Joining,Het verlichten Datum moet groter zijn dan Datum van Deelnemen zijn Remark,Opmerking Remarks,Opmerkingen +Remarks Custom,Opmerkingen Custom Rename,andere naam geven Rename Log,Hernoemen Inloggen Rename Tool,Wijzig de naam van Tool @@ -2322,6 +2430,7 @@ Report Type,Meld Type Report Type is mandatory,Soort rapport is verplicht Reports to,Rapporteert aan Reqd By Date,Reqd op datum +Reqd by Date,Reqd op Datum Request Type,Soort aanvraag Request for Information,Aanvraag voor informatie Request for purchase.,Verzoek om aankoop. @@ -2375,21 +2484,34 @@ Rounded Total,Afgeronde Totaal Rounded Total (Company Currency),Afgeronde Totaal (Bedrijf Munt) Row # ,Rij # Row # {0}: , +Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,Rij # {0}: Bestelde hoeveelheid kan niet minder dan minimum afname item (gedefinieerd in punt master). +Row #{0}: Please specify Serial No for Item {1},Rij # {0}: Geef volgnummer voor post {1} "Row {0}: Account does not match with \ - Purchase Invoice Credit To account",Rij {0} : Account komt niet overeen met \ \ n Purchase Invoice Credit Om rekening te houden + Purchase Invoice Credit To account","Rij {0}: Account komt niet overeen met \ + Aankoop Factuur Credit Om rekening te houden" "Row {0}: Account does not match with \ - Sales Invoice Debit To account",Rij {0} : Account komt niet overeen met \ \ n verkoopfactuur Debit Om rekening te houden + Sales Invoice Debit To account","Rij {0}: Account komt niet overeen met \ + verkoopfactuur Debit Om rekening te houden" +Row {0}: Conversion Factor is mandatory,Rij {0}: Conversie Factor is verplicht Row {0}: Credit entry can not be linked with a Purchase Invoice,Rij {0} : Credit invoer kan niet worden gekoppeld aan een inkoopfactuur Row {0}: Debit entry can not be linked with a Sales Invoice,Rij {0} : debitering kan niet worden gekoppeld aan een verkoopfactuur +Row {0}: Payment amount must be less than or equals to invoice outstanding amount. Please refer Note below.,Rij {0}: Betaling bedrag moet kleiner dan of gelijk aan openstaande bedrag factureren zijn. Raadpleeg onderstaande opmerking. +Row {0}: Qty is mandatory,Rij {0}: Aantal is verplicht +"Row {0}: Qty not avalable in warehouse {1} on {2} {3}. + Available Qty: {4}, Transfer Qty: {5}","Rij {0}: Aantal niet voorraad in magazijn {1} op {2} {3}. + Beschikbaar Aantal: {4}, Transfer Aantal: {5}" "Row {0}: To set {1} periodicity, difference between from and to date \ - must be greater than or equal to {2}",Regel {0} : Instellen {1} periodiciteit moet tussen begin-en einddatum \ \ n groter dan of gelijk aan {2} + must be greater than or equal to {2}","Rij {0}: Voor het instellen van {1} periodiciteit, verschil tussen uit en tot op heden \ + moet groter zijn dan of gelijk aan {2}" Row {0}:Start Date must be before End Date,Rij {0} : Start Datum moet zijn voordat Einddatum Rules for adding shipping costs.,Regels voor het toevoegen van verzendkosten. Rules for applying pricing and discount.,Regels voor de toepassing van prijzen en kortingen . Rules to calculate shipping amount for a sale,Regels voor de scheepvaart bedrag te berekenen voor een verkoop S.O. No.,S.O. Nee. +SHE Cess on Excise,SHE Cess op Excise +SHE Cess on Service Tax,SHE Cess op Dienst Belastingen +SHE Cess on TDS,SHE Cess op TDS SMS Center,SMS Center -SMS Control,SMS Control SMS Gateway URL,SMS Gateway URL SMS Log,SMS Log SMS Parameter,SMS Parameter @@ -2494,15 +2616,20 @@ Securities and Deposits,Effecten en deposito's "Select ""Yes"" if this item represents some work like training, designing, consulting etc.","Selecteer "Ja" als dit voorwerp vertegenwoordigt wat werk zoals training, ontwerpen, overleg, enz." "Select ""Yes"" if you are maintaining stock of this item in your Inventory.",Selecteer "Ja" als u het handhaven voorraad van dit artikel in je inventaris. "Select ""Yes"" if you supply raw materials to your supplier to manufacture this item.",Selecteer "Ja" als u de levering van grondstoffen aan uw leverancier om dit item te produceren. +Select Brand...,Selecteer Merk ... Select Budget Distribution to unevenly distribute targets across months.,Selecteer Budget Uitkering aan ongelijk verdelen doelen uit maanden. "Select Budget Distribution, if you want to track based on seasonality.","Selecteer Budget Distributie, als je wilt volgen op basis van seizoensinvloeden." +Select Company...,Selecteer Company ... Select DocType,Selecteer DocType +Select Fiscal Year...,Selecteer boekjaar ... Select Items,Selecteer Items +Select Project...,Selecteer Project ... Select Purchase Receipts,Selecteer Aankoopfacturen Select Sales Orders,Selecteer Verkooporders Select Sales Orders from which you want to create Production Orders.,Selecteer Verkooporders van waaruit u wilt productieorders creëren. Select Time Logs and Submit to create a new Sales Invoice.,Selecteer Time Logs en indienen om een ​​nieuwe verkoopfactuur maken. Select Transaction,Selecteer Transactie +Select Warehouse...,Selecteer Warehouse ... Select Your Language,Selecteer uw taal Select account head of the bank where cheque was deposited.,Selecteer met het hoofd van de bank waar cheque werd afgezet. Select company name first.,Kies eerst een bedrijfsnaam. @@ -2520,6 +2647,7 @@ Select your home country and check the timezone and currency.,Selecteer uw land "Selecting ""Yes"" will give a unique identity to each entity of this item which can be viewed in the Serial No master.","Ja" geeft een unieke identiteit voor elke entiteit van dit artikel die kunnen worden bekeken in de Serial No meester. Selling,Selling Selling Settings,Selling Instellingen +"Selling must be checked, if Applicable For is selected as {0}","Selling moet worden gecontroleerd, indien van toepassing voor is geselecteerd als {0}" Send,Sturen Send Autoreply,Stuur Autoreply Send Email,E-mail verzenden @@ -2556,7 +2684,8 @@ Serial Nos Required for Serialized Item {0},Volgnummers Vereiste voor Serialized Serial Number Series,Serienummer Series Serial number {0} entered more than once,Serienummer {0} ingevoerd meer dan eens "Serialized Item {0} cannot be updated \ - using Stock Reconciliation",Geserialiseerde Item {0} niet kan worden bijgewerkt \ \ n behulp Stock Verzoening + using Stock Reconciliation","Geserialiseerde Item {0} niet kan worden bijgewerkt \ + met behulp van Stock Verzoening" Series,serie Series List for this Transaction,Series Lijst voor deze transactie Series Updated,serie update @@ -2565,15 +2694,18 @@ Series is mandatory,Serie is verplicht Series {0} already used in {1},Serie {0} al gebruikt in {1} Service,service Service Address,Service Adres +Service Tax,Dienst Belastingen Services,Diensten Set,reeks "Set Default Values like Company, Currency, Current Fiscal Year, etc.","Standaardwaarden zoals onderneming , Valuta , huidige boekjaar , etc." Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,Set Item Group-wise budgetten op dit gebied. U kunt ook seizoensinvloeden door de Distribution. +Set Status as Available,Stel Status als Beschikbaar Set as Default,Instellen als standaard Set as Lost,Instellen als Lost Set prefix for numbering series on your transactions,Stel prefix voor het nummeren van serie over uw transacties Set targets Item Group-wise for this Sales Person.,Set richt Item Group-wise voor deze verkoper. Setting Account Type helps in selecting this Account in transactions.,Instellen Account Type helpt bij het selecteren van deze account in transacties. +Setting this Address Template as default as there is no other default,Dit adres Template instellen als standaard als er geen andere standaard Setting up...,Het opzetten ... Settings,Instellingen Settings for HR Module,Instellingen voor HR Module @@ -2581,6 +2713,7 @@ Settings for HR Module,Instellingen voor HR Module Setup,Setup Setup Already Complete!!,Setup al voltooid ! Setup Complete,Installatie voltooid +Setup SMS gateway settings,Setup SMS gateway instellingen Setup Series,Setup-serie Setup Wizard,Setup Wizard Setup incoming server for jobs email id. (e.g. jobs@example.com),Setup inkomende server voor banen e-id . ( b.v. jobs@example.com ) @@ -2606,6 +2739,7 @@ Short biography for website and other publications.,Korte biografie voor website Show In Website,Toon in Website Show a slideshow at the top of the page,Laat een diavoorstelling aan de bovenkant van de pagina Show in Website,Toon in Website +Show rows with zero values,Toon rijen met nulwaarden Show this slideshow at the top of the page,Laat deze slideshow aan de bovenkant van de pagina Sick Leave,Sick Leave Signature,Handtekening @@ -2635,9 +2769,9 @@ Specifications,specificaties "Specify the operations, operating cost and give a unique Operation no to your operations.","Geef de operaties , operationele kosten en geven een unieke operatie niet aan uw activiteiten ." Split Delivery Note into packages.,Split pakbon in pakketten. Sports,sport- +Sr,Sr Standard,Standaard Standard Buying,Standard kopen -Standard Rate,Standaard Tarief Standard Reports,standaard rapporten Standard Selling,Standaard Selling Standard contract terms for Sales or Purchase.,Standaard contractvoorwaarden voor Sales en Inkoop . @@ -2646,6 +2780,7 @@ Start Date,Startdatum Start date of current invoice's period,Begindatum van de periode huidige factuur's Start date should be less than end date for Item {0},Startdatum moet kleiner zijn dan einddatum voor post zijn {0} State,Staat +Statement of Account,Rekeningafschrift Static Parameters,Statische Parameters Status,Staat Status must be one of {0},Status moet een van zijn {0} @@ -2687,6 +2822,7 @@ Stock Value Difference,Stock Waarde Verschil Stock balances updated,Stock saldi bijgewerkt Stock cannot be updated against Delivery Note {0},Voorraad kan niet worden bijgewerkt tegen Delivery Note {0} Stock entries exist against warehouse {0} cannot re-assign or modify 'Master Name',Stock inzendingen bestaan ​​tegen magazijn {0} kan niet opnieuw toewijzen of wijzigen 'Master Naam' +Stock transactions before {0} are frozen,Aandelentransacties voor {0} zijn bevroren Stop,Stop Stop Birthday Reminders,Stop verjaardagsherinneringen Stop Material Request,Stop Materiaal Request @@ -2706,13 +2842,13 @@ Submit this Production Order for further processing.,Submit deze productieorder Submitted,Ingezonden Subsidiary,Dochteronderneming Successful: ,Succesvol: -Successfully allocated,succes toegewezen +Successfully Reconciled,Succes Reconciled Suggestions,Tips Sunday,Zondag Supplier,Leverancier Supplier (Payable) Account,Leverancier (te betalen) Account Supplier (vendor) name as entered in supplier master,Leverancier (vendor) naam als die in leverancier meester -Supplier Account,leverancier Account +Supplier > Supplier Type,Leveranciers> Leverancier Type Supplier Account Head,Leverancier Account Head Supplier Address,Leverancier Adres Supplier Addresses and Contacts,Leverancier Adressen en Contacten @@ -2750,6 +2886,12 @@ Sync with Google Drive,Synchroniseren met Google Drive System,Systeem System Settings,Systeeminstellingen "System User (login) ID. If set, it will become default for all HR forms.","Systeem (login) ID. Indien ingesteld, zal het standaard voor alle HR-formulieren." +TDS (Advertisement),TDS (Advertentie) +TDS (Commission),TDS (Commissie) +TDS (Contractor),TDS (Aannemer) +TDS (Interest),TDS (Interest) +TDS (Rent),TDS (huur) +TDS (Salary),TDS (Salaris) Target Amount,Streefbedrag Target Detail,Doel Detail Target Details,Target Details @@ -2770,10 +2912,12 @@ Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are no Tax Rate,Belastingtarief Tax and other salary deductions.,Belastingen en andere inhoudingen op het loon. "Tax detail table fetched from item master as a string and stored in this field. -Used for Taxes and Charges",Tax detail tafel haalden van post meester als een string en opgeslagen in dit gebied . \ Nused voor belastingen en-heffingen +Used for Taxes and Charges","Tax detail tafel haalde van post meester als een string en opgeslagen in dit gebied. + Gebruikt voor belastingen en-heffingen" Tax template for buying transactions.,Belasting sjabloon voor het kopen van transacties . Tax template for selling transactions.,Belasting sjabloon voor de verkoop transacties. Taxable,Belastbaar +Taxes,Belastingen Taxes and Charges,Belastingen en heffingen Taxes and Charges Added,Belastingen en heffingen toegevoegd Taxes and Charges Added (Company Currency),Belastingen en heffingen toegevoegd (Company Munt) @@ -2786,6 +2930,7 @@ Technology,technologie Telecommunications,telecommunicatie Telephone Expenses,telefoonkosten Television,televisie +Template,Sjabloon Template for performance appraisals.,Sjabloon voor functioneringsgesprekken . Template of terms or contract.,Sjabloon van termen of contract. Temporary Accounts (Assets),Tijdelijke Accounts ( Activa ) @@ -2815,7 +2960,8 @@ The First User: You,De eerste gebruiker : U The Organization,de Organisatie "The account head under Liability, in which Profit/Loss will be booked","De rekening hoofd onder Aansprakelijkheid , waarin Winst / verlies zal worden geboekt" "The date on which next invoice will be generated. It is generated on submit. -",De datum waarop de volgende factuur wordt gegenereerd . +","De datum waarop de volgende factuur wordt gegenereerd. Het wordt geproduceerd op te dienen. +" The date on which recurring invoice will be stop,De datum waarop terugkerende factuur stoppen "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 wordt gegenereerd bv 05, 28 etc" The day(s) on which you are applying for leave are holiday. You need not apply for leave.,De dag (en ) waarop je solliciteert verlof zijn vakantie . Je hoeft niet voor verlof . @@ -2827,6 +2973,7 @@ The net weight of this package. (calculated automatically as sum of net weight o The new BOM after replacement,De nieuwe BOM na vervanging The rate at which Bill Currency is converted into company's base currency,De snelheid waarmee Bill valuta worden omgezet in basis bedrijf munt 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 geproduceerd op te dienen. +"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Dan prijsregels worden uitgefilterd op basis van Klant, Customer Group, Territory, Leverancier, Leverancier Type, Campagne, Sales Partner etc." There are more holidays than working days this month.,Er zijn meer vakanties dan werkdagen deze maand . "There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Er kan maar een Verzenden Regel Voorwaarde met 0 of blanco waarde voor ""To Value """ There is not enough leave balance for Leave Type {0},Er is niet genoeg verlofsaldo voor Verlof type {0} @@ -2838,6 +2985,7 @@ This Leave Application is pending approval. Only the Leave Apporver can update s This Time Log Batch has been billed.,This Time Log Batch is gefactureerd. This Time Log Batch has been cancelled.,This Time Log Batch is geannuleerd. This Time Log conflicts with {0},This Time Log in strijd is met {0} +This format is used if country specific format is not found,Dit formaat wordt gebruikt als landspecifieke indeling niet wordt gevonden This is a root account and cannot be edited.,Dit is een root account en kan niet worden bewerkt . This is a root customer group and cannot be edited.,Dit is een wortel klantgroep en kan niet worden bewerkt . This is a root item group and cannot be edited.,Dit is een hoofditem groep en kan niet worden bewerkt . @@ -2853,7 +3001,9 @@ Time Log Batch,Time Log Batch Time Log Batch Detail,Time Log Batch Detail Time Log Batch Details,Time Log Batch Details Time Log Batch {0} must be 'Submitted',Tijd Inloggen Batch {0} moet worden ' Ingezonden ' +Time Log Status must be Submitted.,Tijd Inloggen Status moet worden ingediend. Time Log for tasks.,Tijd Inloggen voor taken. +Time Log is not billable,Time Log is niet factureerbare Time Log {0} must be 'Submitted',Tijd Inloggen {0} moet worden ' Ingezonden ' Time Zone,Time Zone Time Zones,Tijdzones @@ -2866,6 +3016,7 @@ To,Naar To Currency,Naar Valuta To Date,To-date houden To Date should be same as From Date for Half Day leave,Om datum moet dezelfde zijn als Van Datum voor halve dag verlof zijn +To Date should be within the Fiscal Year. Assuming To Date = {0},To Date dient binnen het boekjaar. Ervan uitgaande To Date = {0} To Discuss,Om Bespreek To Do List,To Do List To Package No.,Op Nee Pakket @@ -2875,8 +3026,8 @@ To Value,Om Value To Warehouse,Om Warehouse "To add child nodes, explore tree and click on the node under which you want to add more nodes.","Om onderliggende nodes te voegen , te verkennen boom en klik op het knooppunt waar u wilt meer knooppunten toe te voegen ." "To assign this issue, use the ""Assign"" button in the sidebar.","Om dit probleem op te wijzen, gebruikt u de "Assign"-knop in de zijbalk." -To create a Bank Account:,Om een bankrekening te maken: -To create a Tax Account:,Om een Tax Account aanmaken : +To create a Bank Account,Om een bankrekening te creëren +To create a Tax Account,Om een Tax Account maken "To create an Account Head under a different company, select the company and save customer.","Om een ​​account te creëren hoofd onder een andere onderneming, selecteert u het bedrijf en op te slaan klant." To date cannot be before from date,Tot op heden kan niet eerder worden vanaf datum To enable Point of Sale features,Om Point of Sale functies in te schakelen @@ -2884,22 +3035,23 @@ To enable Point of Sale view,Om Point of Sale < / b > view staat To get Item Group in details table,Om Item Group te krijgen in details tabel "To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Om voorheffing omvatten in rij {0} in Item tarief , de belastingen in rijen {1} moet ook opgenomen worden" "To merge, following properties must be same for both items","Te fuseren , moeten volgende eigenschappen hetzelfde zijn voor beide posten" -"To report an issue, go to ", +"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Om Prijzen regel niet van toepassing in een bepaalde transactie, moeten alle toepasselijke prijszettingsregels worden uitgeschakeld." "To set this Fiscal Year as Default, click on 'Set as Default'","Om dit fiscale jaar ingesteld als standaard , klik op ' Als standaard instellen '" To track any installation or commissioning related work after sales,Om een ​​installatie of inbedrijfstelling gerelateerde werk na verkoop bij te houden "To track brand name in the following documents Delivery Note, Opportunity, Material Request, Item, Purchase Order, Purchase Voucher, Purchaser Receipt, Quotation, Sales Invoice, Sales BOM, Sales Order, Serial No","Om merknaam volgen op de volgende documenten Delivery Note, Opportunity , Materiaal Request , punt , Bestelling , Aankoopbon , Koper Ontvangst , Offerte , verkoopfactuur , Sales BOM , Sales Order , Serienummer" To track item in sales and purchase documents based on their serial nos. This is can also used to track warranty details of the product.,Om object in verkoop-en inkoopdocumenten op basis van hun seriële nos. Dit wordt ook gebruikt om informatie over de garantie van het product volgen. To track items in sales and purchase documents with batch nos
Preferred Industry: Chemicals etc,"Als u items in verkoop-en inkoopdocumenten volgen met batch nos
Voorkeur Industrie: Chemische stoffen, enz." To track items using barcode. You will be able to enter items in Delivery Note and Sales Invoice by scanning barcode of item.,Om items met behulp van barcode te volgen. Je zult in staat zijn om items in leveringsbon en Sales Invoice voer door het scannen van barcodes van item. +Too many columns. Export the report and print it using a spreadsheet application.,Te veel kolommen. Het rapport exporteren en afdrukken met behulp van een spreadsheetprogramma. Tools,Gereedschap Total,Totaal +Total ({0}),Totaal ({0}) Total Advance,Totaal Advance -Total Allocated Amount,Totaal toegewezen bedrag -Total Allocated Amount can not be greater than unmatched amount,Totaal toegewezen bedrag kan niet hoger zijn dan een ongeëvenaarde bedrag Total Amount,Totaal bedrag Total Amount To Pay,Totaal te betalen bedrag Total Amount in Words,Totaal bedrag in woorden Total Billing This Year: ,Totaal Facturering Dit Jaar: +Total Characters,Totaal Characters Total Claimed Amount,Totaal gedeclareerde bedrag Total Commission,Totaal Commissie Total Cost,Totale kosten @@ -2923,14 +3075,13 @@ Total Score (Out of 5),Totaal Score (van de 5) Total Tax (Company Currency),Total Tax (Company Munt) Total Taxes and Charges,Totaal belastingen en heffingen Total Taxes and Charges (Company Currency),Total en-heffingen (Company Munt) -Total Words,Totaal Woorden -Total Working Days In The Month,Totaal Werkdagen In De Maand Total allocated percentage for sales team should be 100,Totaal toegewezen percentage voor sales team moet 100 Total amount of invoices received from suppliers during the digest period,Totaal bedrag van de facturen van leveranciers ontvangen tijdens de digest periode Total amount of invoices sent to the customer during the digest period,Totaalbedrag van de verzonden facturen aan de klant tijdens de digest periode Total cannot be zero,Totaal kan niet nul zijn Total in words,Totaal in woorden Total points for all goals should be 100. It is {0},Totaal aantal punten voor alle doelen moet 100 . Het is {0} +Total valuation for manufactured or repacked item(s) can not be less than total valuation of raw materials,Totale waardering voor de gefabriceerde of omgepakt item (s) kan niet lager zijn dan de totale waarde van de grondstoffen worden Total weightage assigned should be 100%. It is {0},Totaal weightage toegewezen moet 100 % zijn. Het is {0} Totals,Totalen Track Leads by Industry Type.,Track Leads door de industrie type . @@ -2966,7 +3117,7 @@ UOM Conversion Details,Verpakking Conversie Details UOM Conversion Factor,Verpakking Conversie Factor UOM Conversion factor is required in row {0},Verpakking omrekeningsfactor worden vastgesteld in rij {0} UOM Name,Verpakking Naam -UOM coversion factor required for UOM {0} in Item {1},Verpakking conversie factor die nodig is voor Verpakking {0} in Item {1} +UOM coversion factor required for UOM: {0} in Item: {1},Verpakking conversie factor die nodig is voor Verpakking: {0} in Item: {1} Under AMC,Onder AMC Under Graduate,Onder Graduate Under Warranty,Onder de garantie @@ -2976,8 +3127,8 @@ Unit of Measure {0} has been entered more than once in Conversion Factor Table,M "Unit of measurement of this item (e.g. Kg, Unit, No, Pair).","Meeteenheid van dit artikel (bijvoorbeeld kg, eenheid, Nee, Pair)." Units/Hour,Eenheden / uur Units/Shifts,Eenheden / Verschuivingen -Unmatched Amount,Ongeëvenaarde Bedrag Unpaid,Onbetaald +Unreconciled Payment Details,Onverzoend Betalingsgegevens Unscheduled,Ongeplande Unsecured Loans,ongedekte leningen Unstop,opendraaien @@ -2992,7 +3143,6 @@ Update Landed Cost,Update Landed Cost Update Series,Update Series Update Series Number,Update Serie Nummer Update Stock,Werk Stock -"Update allocated amount in the above table and then click ""Allocate"" button",Werk toegewezen bedrag in de bovenstaande tabel en klik vervolgens op "Toewijzen" knop Update bank payment dates with journals.,Update bank betaaldata met tijdschriften. Update clearance date of Journal Entries marked as 'Bank Vouchers',Goedkeuring datum actualisering van Journaalposten gemarkeerd als ' Bank Vouchers ' Updated,Bijgewerkt @@ -3009,6 +3159,7 @@ Upper Income,Bovenste Inkomen Urgent,Dringend Use Multi-Level BOM,Gebruik Multi-Level BOM Use SSL,Gebruik SSL +Used for Production Plan,Gebruikt voor Productie Plan User,Gebruiker User ID,Gebruikers-ID User ID not set for Employee {0},Gebruikers-ID niet ingesteld voor Employee {0} @@ -3047,9 +3198,9 @@ View Now,Bekijk nu Visit report for maintenance call.,Bezoek rapport voor onderhoud gesprek. Voucher #,voucher # Voucher Detail No,Voucher Detail Geen +Voucher Detail Number,Voucher Detail Nummer Voucher ID,Voucher ID Voucher No,Blad nr. -Voucher No is not valid,Voucher Nee is niet geldig Voucher Type,Voucher Type Voucher Type and Date,Voucher Type en Date Walk In,Walk In @@ -3065,11 +3216,12 @@ Warehouse is mandatory for stock Item {0} in row {1},Warehouse is verplicht voor Warehouse is missing in Purchase Order,Warehouse ontbreekt in Purchase Order Warehouse not found in the system,Magazijn niet gevonden in het systeem Warehouse required for stock Item {0},Magazijn nodig voor voorraad Item {0} -Warehouse required in POS Setting,Warehouse vereist POS Setting Warehouse where you are maintaining stock of rejected items,Warehouse waar u het handhaven voorraad van afgewezen artikelen Warehouse {0} can not be deleted as quantity exists for Item {1},Magazijn {0} kan niet worden verwijderd als hoeveelheid bestaat voor post {1} Warehouse {0} does not belong to company {1},Magazijn {0} behoort niet tot bedrijf {1} Warehouse {0} does not exist,Magazijn {0} bestaat niet +Warehouse {0}: Company is mandatory,Magazijn {0}: Bedrijf is verplicht +Warehouse {0}: Parent account {1} does not bolong to the company {2},Magazijn {0}: Parent rekening {1} niet bolong aan het bedrijf {2} Warehouse-Wise Stock Balance,Warehouse-Wise Stock Balance Warehouse-wise Item Reorder,Warehouse-wise Item opnieuw ordenen Warehouses,Magazijnen @@ -3114,13 +3266,14 @@ Will be updated when batched.,Zal worden bijgewerkt wanneer gedoseerd. Will be updated when billed.,Zal worden bijgewerkt wanneer gefactureerd. Wire Transfer,overboeking With Operations,Met Operations -With period closing entry,Met periode sluitpost +With Period Closing Entry,Met Periode sluitpost Work Details,Work Details Work Done,Werk Work In Progress,Work In Progress Work-in-Progress Warehouse,Work-in-Progress Warehouse Work-in-Progress Warehouse is required before Submit,Work -in- Progress Warehouse wordt vóór vereist Verzenden Working,Werkzaam +Working Days,Werkdagen Workstation,Workstation Workstation Name,Naam van werkstation Write Off Account,Schrijf Uit account @@ -3136,9 +3289,6 @@ Year Closed,Jaar Gesloten Year End Date,Eind van het jaar Datum Year Name,Jaar Naam Year Start Date,Jaar Startdatum -Year Start Date and Year End Date are already set in Fiscal Year {0},Jaar Start datum en jaar Einddatum zijn al ingesteld in het fiscale jaar {0} -Year Start Date and Year End Date are not within Fiscal Year.,Jaar Start datum en jaar Einddatum niet binnen boekjaar . -Year Start Date should not be greater than Year End Date,Jaar Startdatum mag niet groter zijn dan Jaar einddatum Year of Passing,Jaar van de Passing Yearly,Jaar- Yes,Ja @@ -3148,7 +3298,6 @@ You are the Expense Approver for this record. Please Update the 'Status' and Sav You are the Leave Approver for this record. Please Update the 'Status' and Save,U bent de Leave Approver voor dit record . Werk van de 'Status' en opslaan You can enter any date manually,U kunt elke datum handmatig You can enter the minimum quantity of this item to be ordered.,U kunt de minimale hoeveelheid van dit product te bestellen. -You can not assign itself as parent account,U kunt zich niet toewijzen als ouder rekening You can not change rate if BOM mentioned agianst any item,U kunt geen koers veranderen als BOM agianst een item genoemd You can not enter both Delivery Note No and Sales Invoice No. Please enter any one.,Je kunt niet Geen Voer beide Delivery Note en verkoopfactuur Nee Geef iemand. You can not enter current voucher in 'Against Journal Voucher' column,Je kan niet in de huidige voucher in ' Against Journal Voucher ' kolom @@ -3160,7 +3309,6 @@ You cannot credit and debit same account at the same time,Je kunt niet creditere You have entered duplicate items. Please rectify and try again.,U heeft dubbele items ingevoerd. Aub verwijderen en probeer het opnieuw . You may need to update: {0},U kan nodig zijn om te werken: {0} You must Save the form before proceeding,U moet het formulier opslaan voordat u verder gaat -You must allocate amount before reconcile,U moet dit bedrag gebruiken voor elkaar te verzoenen Your Customer's TAX registration numbers (if applicable) or any general information,Uw klant fiscale nummers (indien van toepassing) of een algemene informatie Your Customers,uw klanten Your Login Id,Uw login-ID @@ -3173,11 +3321,13 @@ Your sales person who will contact the customer in future,Uw verkoop persoon die Your sales person will get a reminder on this date to contact the customer,Uw verkoop persoon krijgt een herinnering op deze datum aan de klant contact op te nemen Your setup is complete. Refreshing...,Uw installatie is voltooid . Verfrissend ... Your support email id - must be a valid email - this is where your emails will come!,Uw steun e-id - moet een geldig e zijn - dit is waar je e-mails zal komen! +[Error],[Error] [Select],[Selecteer ] `Freeze Stocks Older Than` should be smaller than %d days.,`Freeze Voorraden Ouder dan` moet kleiner zijn dan %d dagen. and,en are not allowed.,zijn niet toegestaan ​​. assigned by,toegewezen door +cannot be greater than 100,mag niet groter zijn dan 100 "e.g. ""Build tools for builders""","bijv. ""Bouw gereedschap voor bouwers """ "e.g. ""MC""","bijv. "" MC """ "e.g. ""My Company LLC""","bijv. "" My Company LLC """ @@ -3190,32 +3340,34 @@ example: Next Day Shipping,Bijvoorbeeld: Next Day Shipping lft,lft old_parent,old_parent rgt,RGT +subject,onderwerp +to,naar website page link,website Paginalink {0} '{1}' not in Fiscal Year {2},{0} ' {1} ' niet in het fiscale jaar {2} {0} Credit limit {0} crossed,{0} kredietlimiet {0} gekruist {0} Serial Numbers required for Item {0}. Only {0} provided.,{0} serienummers nodig voor post {0} . Slechts {0} ontvangen . {0} budget for Account {1} against Cost Center {2} will exceed by {3},{0} budget voor Account {1} tegen kostenplaats {2} zal overschrijden door {3} +{0} can not be negative,{0} kan niet negatief zijn {0} created,{0} aangemaakt {0} does not belong to Company {1},{0} is niet van Company {1} {0} entered twice in Item Tax,{0} twee keer opgenomen in post Tax {0} is an invalid email address in 'Notification Email Address',{0} is een ongeldig e-mailadres in ' Notification E-mailadres ' {0} is mandatory,{0} is verplicht {0} is mandatory for Item {1},{0} is verplicht voor post {1} +{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} is verplicht. Misschien Valutawissel record is niet gemaakt voor {1} naar {2}. {0} is not a stock Item,{0} is geen voorraad artikel {0} is not a valid Batch Number for Item {1},{0} is geen geldig batchnummer voor post {1} -{0} is not a valid Leave Approver,{0} is geen geldig Leave Approver +{0} is not a valid Leave Approver. Removing row #{1}.,{0} is geen geldig Leave Approver. Het verwijderen van rij # {1}. {0} is not a valid email id,{0} is geen geldig e-id {0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} is nu de standaard boekjaar . Vernieuw uw browser om de wijziging door te voeren . {0} is required,{0} is verplicht {0} must be a Purchased or Sub-Contracted Item in row {1},{0} moet een gekochte of uitbesteed Item in rij {1} -{0} must be less than or equal to {1},{0} is kleiner dan of gelijk aan {1} +{0} must be reduced by {1} or you should increase overflow tolerance,{0} moet worden verminderd door {1} of moet je overflow tolerantie verhogen {0} must have role 'Leave Approver',{0} moet rol ' Leave Approver ' hebben {0} valid serial nos for Item {1},{0} geldig serienummer nos voor post {1} {0} {1} against Bill {2} dated {3},{0} {1} tegen Bill {2} gedateerd {3} {0} {1} against Invoice {2},{0} {1} tegen Factuur {2} {0} {1} has already been submitted,{0} {1} al is ingediend -{0} {1} has been modified. Please Refresh,{0} {1} is gewijzigd . Vernieuw -{0} {1} has been modified. Please refresh,{0} {1} is gewijzigd . Vernieuw {0} {1} has been modified. Please refresh.,{0} {1} is gewijzigd . Vernieuw . {0} {1} is not submitted,{0} {1} wordt niet ingediend {0} {1} must be submitted,{0} {1} moet worden ingediend @@ -3223,3 +3375,5 @@ website page link,website Paginalink {0} {1} status is 'Stopped',{0} {1} status ' Gestopt ' {0} {1} status is Stopped,{0} {1} status Gestopt {0} {1} status is Unstopped,{0} {1} status ontsloten +{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: kostenplaats is verplicht voor Item {2} +{0}: {1} not found in Invoice Details table,{0}: {1} niet gevonden in Factuur Details tabel diff --git a/erpnext/translations/pt-BR.csv b/erpnext/translations/pt-BR.csv index 42195b37d6..df558c57e7 100644 --- a/erpnext/translations/pt-BR.csv +++ b/erpnext/translations/pt-BR.csv @@ -14,7 +14,6 @@ % of materials delivered against this Sales Order,% de materiais entregues contra esta Ordem de Venda % of materials ordered against this Material Request,% De materiais encomendados contra este pedido se % of materials received against this Purchase Order,% de materiais recebidos contra esta Ordem de Compra -%(conversion_rate_label)s is mandatory. Maybe Currency Exchange record is not created for %(from_currency)s to %(to_currency)s,% ( conversion_rate_label ) s é obrigatória. Talvez recorde Câmbios não é criado para % ( from_currency ) s para% ( to_currency ) s 'Actual Start Date' can not be greater than 'Actual End Date',' Real data de início ' não pode ser maior que ' Actual Data Final ' 'Based On' and 'Group By' can not be same,'Baseado ' e ' Grupo por ' não pode ser o mesmo 'Days Since Last Order' must be greater than or equal to zero,' Dias desde a última Ordem deve ser maior ou igual a zero @@ -30,11 +29,35 @@ 'Update Stock' for Sales Invoice {0} must be set,"'Atualizar Estoque ""para vendas Invoice {0} deve ser definido" * Will be calculated in the transaction.,* Será calculado na transação. "1 Currency = [?] Fraction -For e.g. 1 USD = 100 Cent",1 Moeda = [?] Fração \ nPor exemplo +For e.g. 1 USD = 100 Cent","1 Moeda = [?] Fração + Por exemplo 1 USD = 100 Cent" 1. To maintain the customer wise item code and to make them searchable based on their code use this option,1. Para manter o código de item do cliente e para torná-los pesquisáveis ​​com base em seu código use esta opção "Add / Edit"," Adicionar / Editar " "Add / Edit"," Adicionar / Editar " "Add / Edit"," Adicionar / Editar " +"

Default Template

+

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

+
{{ address_line1 }}<br>
+{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}
+{{ city }}<br>
+{% if state %}{{ state }}<br>{% endif -%}
+{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}
+{{ country }}<br>
+{% if phone %}Phone: {{ phone }}<br>{% endif -%}
+{% if fax %}Fax: {{ fax }}<br>{% endif -%}
+{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
+
","

modelo padrão +

Usa Jinja Templating e todos os campos de Endereço ( incluindo campos personalizados se houver) estará disponível +

  {{}} address_line1 
+ {% if address_line2%} {{}} address_line2
{ endif% -%} + {{cidade}}
+ {% if%} Estado {{estado}} {% endif
-%} + {% if pincode%} PIN: {{}} pincode
{% endif -%} + {{país}}
+ {% if%} telefone Telefone: {{telefone}} {
endif% -%} + {% if%} fax Fax: {{fax}} {% endif
-%} + {% if% email_id} E-mail: {{}} email_id
, {% endif -%} + " A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Um grupo de clientes existente com o mesmo nome, por favor altere o nome do cliente ou renomear o grupo de clientes" A Customer exists with same name,Um cliente existe com mesmo nome A Lead with this email id should exist,Um Prospecto com esse endereço de e-mail deve existir @@ -44,7 +67,6 @@ A symbol for this currency. For e.g. $,Um símbolo para esta moeda. Por exemplo: AMC Expiry Date,Data de Validade do CAM Abbr,Abrev Abbreviation cannot have more than 5 characters,Abreviatura não pode ter mais de 5 caracteres -About,Sobre Above Value,Acima de Valor Absent,Ausente Acceptance Criteria,Critérios de Aceitação @@ -59,6 +81,8 @@ Account Details,Detalhes da Conta Account Head,Conta Account Name,Nome da Conta Account Type,Tipo de Conta +"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Saldo já em crédito, você não tem permissão para definir 'saldo deve ser' como 'débito'" +"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Saldo já em débito, você não tem permissão para definir 'saldo deve ser' como 'crédito'" Account for the warehouse (Perpetual Inventory) will be created under this Account.,Conta para o depósito ( inventário permanente ) será criado nessa conta. Account head {0} created,Cabeça Conta {0} criado Account must be a balance sheet account,Conta deve ser uma conta de balanço @@ -68,13 +92,20 @@ Account with existing transaction can not be deleted,Conta com a transação exi Account with existing transaction cannot be converted to ledger,Conta com a transação existente não pode ser convertido em livro Account {0} cannot be a Group,Conta {0} não pode ser um grupo Account {0} does not belong to Company {1},Conta {0} não pertence à empresa {1} +Account {0} does not belong to company: {1},Conta {0} não pertence à empresa: {1} Account {0} does not exist,Conta {0} não existe Account {0} has been entered more than once for fiscal year {1},Conta {0} foi inserido mais de uma vez para o ano fiscal {1} Account {0} is frozen,Conta {0} está congelado Account {0} is inactive,Conta {0} está inativo +Account {0} is not valid,Conta {0} não é válido Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item,"Conta {0} deve ser do tipo "" Ativo Fixo "" como item {1} é um item de ativos" +Account {0}: Parent account {1} can not be a ledger,Conta {0}: conta Parent {1} não pode ser um livro +Account {0}: Parent account {1} does not belong to company: {2},Conta {0}: conta Parent {1} não pertence à empresa: {2} +Account {0}: Parent account {1} does not exist,Conta {0}: conta Parent {1} não existe +Account {0}: You can not assign itself as parent account,Conta {0}: Você não pode atribuir-se como conta principal "Account: {0} can only be updated via \ - Stock Transactions",Conta: {0} só pode ser atualizado via \ \ n Stock Transações + Stock Transactions","Conta: {0} só pode ser atualizado através de \ + operações com ações" Accountant,contador Accounting,Contabilidade "Accounting Entries can be made against leaf nodes, called","Lançamentos contábeis podem ser feitas contra nós folha , chamado" @@ -124,6 +155,7 @@ Address Details,Detalhes do Endereço Address HTML,Endereço HTML Address Line 1,Endereço Linha 1 Address Line 2,Endereço Linha 2 +Address Template,Modelo de endereço Address Title,Título do Endereço Address Title is mandatory.,Endereço de título é obrigatório. Address Type,Tipo de Endereço @@ -144,7 +176,6 @@ Against Docname,Contra Docname Against Doctype,Contra Doctype Against Document Detail No,Contra Detalhe do Documento nº Against Document No,Contra Documento nº -Against Entries,contra Entradas Against Expense Account,Contra a Conta de Despesas Against Income Account,Contra a Conta de Rendimentos Against Journal Voucher,Contra Comprovante do livro Diário @@ -180,10 +211,8 @@ All Territories,Todos os Territórios "All export related fields like currency, conversion rate, export total, export grand total etc are available in Delivery Note, POS, Quotation, Sales Invoice, Sales Order etc.","Todas as exportações campos relacionados, como moeda, taxa de conversão , a exportação total, a exportação total etc estão disponíveis na nota de entrega , POS, Cotação , Vendas fatura , Ordem de vendas etc" "All import related fields like currency, conversion rate, import total, import grand total etc are available in Purchase Receipt, Supplier Quotation, Purchase Invoice, Purchase Order etc.","Todos os campos de importação relacionados, como moeda , taxa de conversão total de importação , importação total etc estão disponíveis no Recibo de compra , fornecedor de cotação , factura de compra , ordem de compra , etc" All items have already been invoiced,Todos os itens já foram faturados -All items have already been transferred for this Production Order.,Todos os itens já foram transferidos para esta ordem de produção . All these items have already been invoiced,Todos esses itens já foram faturados Allocate,Alocar -Allocate Amount Automatically,Alocar o valor automaticamente Allocate leaves for a period.,Alocar folhas por um período . Allocate leaves for the year.,Alocar licenças para o ano. Allocated Amount,Montante alocado @@ -204,13 +233,13 @@ Allow Users,Permitir que os usuários Allow the following users to approve Leave Applications for block days.,Permitir que os usuários a seguir para aprovar aplicações deixam para os dias de bloco. Allow user to edit Price List Rate in transactions,Permitir ao usuário editar Lista de Preços Taxa em transações Allowance Percent,Percentual de tolerância -Allowance for over-delivery / over-billing crossed for Item {0},Provisão para over- entrega / sobre- faturamento cruzou para item {0} +Allowance for over-{0} crossed for Item {1},Provisão para over-{0} cruzou para item {1} +Allowance for over-{0} crossed for Item {1}.,Provisão para over-{0} cruzou para item {1}. Allowed Role to Edit Entries Before Frozen Date,Permitidos Papel para editar entradas Antes Congelado Data Amended From,Corrigido De Amount,Quantidade Amount (Company Currency),Amount (Moeda Company) -Amount <=,Quantidade <= -Amount >=,Quantidade> = +Amount Paid,Valor pago Amount to Bill,Elevar-se a Bill An Customer exists with same name,Existe um cliente com o mesmo nome "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 mudar o nome do grupo de itens" @@ -260,6 +289,7 @@ As per Stock UOM,Como UDM do Estoque Asset,ativos Assistant,assistente Associate,associado +Atleast one of the Selling or Buying must be selected,Pelo menos um dos que vendem ou compram deve ser selecionado Atleast one warehouse is mandatory,Pelo menos um almoxarifado é obrigatório Attach Image,anexar imagem Attach Letterhead,anexar timbrado @@ -319,6 +349,7 @@ Balance for Account {0} must always be {1},Saldo Conta {0} deve ser sempre {1} Balance must be,Equilíbrio deve ser "Balances of Accounts of type ""Bank"" or ""Cash""","Saldos das contas do tipo "" Banco"" ou ""Cash """ Bank,Banco +Bank / Cash Account,Banco / Conta Caixa Bank A/C No.,Nº Cta. Bancária Bank Account,Conta Bancária Bank Account No.,Nº Conta Bancária @@ -397,18 +428,24 @@ Budget Distribution Details,Detalhes da Distribuição de Orçamento Budget Variance Report,Relatório Variance Orçamento Budget cannot be set for Group Cost Centers,Orçamento não pode ser definido por centros de custo do grupo Build Report,Criar relatório -Built on,construído sobre Bundle items at time of sale.,Empacotar itens no momento da venda. Business Development Manager,Gerente de Desenvolvimento de Negócios Buying,Compras Buying & Selling,Compra e Venda Buying Amount,Comprar Valor Buying Settings,Comprar Configurações +"Buying must be checked, if Applicable For is selected as {0}","Compra deve ser verificada, se for caso disso for selecionado como {0}" C-Form,Formulário-C C-Form Applicable,Formulário-C Aplicável C-Form Invoice Detail,Detalhe Fatura do Formulário-C C-Form No,Nº do Formulário-C C-Form records,Registros C -Form +CENVAT Capital Goods,CENVAT Bens de Capital +CENVAT Edu Cess,CENVAT Edu Cess +CENVAT SHE Cess,CENVAT SHE Cess +CENVAT Service Tax,CENVAT Imposto sobre Serviços +CENVAT Service Tax Cess 1,CENVAT Imposto sobre Serviços Cess 1 +CENVAT Service Tax Cess 2,CENVAT Imposto sobre Serviços Cess 2 Calculate Based On,Calcule Baseado em Calculate Total Score,Calcular a Pontuação Total Calendar Events,Calendário de Eventos @@ -432,7 +469,7 @@ Cannot approve leave as you are not authorized to approve leaves on Block Dates, Cannot cancel because Employee {0} is already approved for {1},Não pode cancelar porque Employee {0} já está aprovado para {1} Cannot cancel because submitted Stock Entry {0} exists,Não pode cancelar por causa da entrada submetido {0} existe Cannot carry forward {0},Não é possível levar adiante {0} -Cannot change Year Start Date and Year End Date once the Fiscal Year is saved.,Não é possível alterar Ano Data de Início e Fim de Ano Data vez o Ano Fiscal é salvo. +Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,Não é possível alterar o Ano Fiscal Data de Início e Data de Fim Ano Fiscal uma vez que o Ano Fiscal é salvo. "Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Não é possível alterar a moeda padrão da empresa, porque existem operações existentes. Transações devem ser canceladas para alterar a moeda padrão." Cannot convert Cost Center to ledger as it has child nodes,"Não é possível converter Centro de Custo de contabilidade , uma vez que tem nós filhos" Cannot covert to Group because Master Type or Account Type is selected.,Não é possível converter ao Grupo porque Type Master ou Tipo de Conta é selecionado. @@ -441,7 +478,7 @@ Cannot deactive or cancle BOM as it is linked with other BOMs,"Não pode desativ 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' "Cannot delete Serial No {0} in stock. First remove from stock, then delete.","Não é possível excluir Sem Serial {0} em estoque. Primeiro retire do estoque , em seguida, exclua ." "Cannot directly set amount. For 'Actual' charge type, use the rate field","Não é possível definir diretamente montante. Para ' Actual ' tipo de carga , use o campo taxa" -"Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in 'Setup' > 'Global Defaults'","Não pode overbill para item {0} na linha {0} mais de {1}. Para permitir o superfaturamento , defina em ""Setup"" > "" padrões globais """ +"Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in Stock Settings","Não pode overbill para item {0} na linha {0} mais de {1}. Para permitir o superfaturamento, defina no Banco Configurações" Cannot produce more Item {0} than Sales Order quantity {1},Não é possível produzir mais item {0} do que a quantidade Ordem de Vendas {1} Cannot refer row number greater than or equal to current row number for this Charge type,Não é possível consultar número da linha superior ou igual ao número da linha atual para este tipo de carga Cannot return more than {0} for Item {1},Não pode retornar mais de {0} para {1} item @@ -504,6 +541,8 @@ Click on a link to get options to expand get options , Client,Cliente Close Balance Sheet and book Profit or Loss.,Fechar Balanço e livro ou perda . Closed,Fechado +Closing (Cr),Fechamento (Cr) +Closing (Dr),Fechamento (Dr) Closing Account Head,Conta de Fechamento Closing Account {0} must be of type 'Liability',Fechando Conta {0} deve ser do tipo ' responsabilidade ' Closing Date,Data de Encerramento @@ -514,7 +553,9 @@ CoA Help,Ajuda CoA Code,Código Cold Calling,Cold Calling Color,Cor +Column Break,Quebra de coluna Comma separated list of email addresses,Lista separada por vírgulas de endereços de e-mail +Comment,Comentário Comments,Comentários Commercial,comercial Commission,comissão @@ -599,7 +640,6 @@ Cosmetics,Cosméticos Cost Center,Centro de Custos Cost Center Details,Detalhes do Centro de Custo Cost Center Name,Nome do Centro de Custo -Cost Center is mandatory for Item {0},Centro de Custo é obrigatória para item {0} Cost Center is required for 'Profit and Loss' account {0},"Centro de custo é necessário para "" Lucros e Perdas "" conta {0}" Cost Center is required in row {0} in Taxes table for type {1},Centro de Custo é necessária na linha {0} no Imposto de mesa para o tipo {1} Cost Center with existing transactions can not be converted to group,Centro de custo com as operações existentes não podem ser convertidos em grupo @@ -609,6 +649,7 @@ Cost of Goods Sold,Custo dos Produtos Vendidos Costing,Custeio Country,País Country Name,Nome do País +Country wise default Address Templates,Modelos País default sábio endereço "Country, Timezone and Currency","País , o fuso horário e moeda" Create Bank Voucher for the total salary paid for the above selected criteria,Criar Comprovante Bancário para o salário total pago para os critérios acima selecionados Create Customer,criar Cliente @@ -662,10 +703,12 @@ Customer (Receivable) Account,Cliente (receber) Conta Customer / Item Name,Cliente / Nome do item Customer / Lead Address,Cliente / Chumbo Endereço Customer / Lead Name,Cliente / Nome de chumbo +Customer > Customer Group > Territory,Cliente> Grupo Cliente> Território Customer Account Head,Cliente Cabeça Conta Customer Acquisition and Loyalty,Aquisição de Cliente e Fidelização Customer Address,Endereço do cliente Customer Addresses And Contacts,Endereços e contatos do cliente +Customer Addresses and Contacts,Endereços de Clientes e Contactos Customer Code,Código do Cliente Customer Codes,Códigos de Clientes Customer Details,Detalhes do Cliente @@ -727,6 +770,8 @@ Deduction1,Deduction1 Deductions,Deduções Default,Padrão Default Account,Conta Padrão +Default Address Template cannot be deleted,Template endereço padrão não pode ser excluído +Default Amount,Quantidade padrão Default BOM,LDM padrão Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,Conta do Banco/Caixa padrão será atualizada automaticamente na nota fiscal do PDV quando este modo for selecionado. Default Bank Account,Conta Bancária Padrão @@ -734,7 +779,6 @@ Default Buying Cost Center,Compra Centro de Custo Padrão Default Buying Price List,Compra Lista de Preços Padrão Default Cash Account,Conta Caixa padrão Default Company,Empresa padrão -Default Cost Center for tracking expense for this item.,Centro de Custo padrão para controle de despesas para este item. Default Currency,Moeda padrão Default Customer Group,Grupo de Clientes padrão Default Expense Account,Conta Despesa padrão @@ -761,6 +805,7 @@ Default settings for selling transactions.,As configurações padrão para a ven Default settings for stock transactions.,As configurações padrão para transações com ações . Defense,defesa "Define Budget for this Cost Center. To set budget action, see
Company Master","Definir Orçamento para este Centro de Custo. Para definir ação do orçamento, consulte Cadastro de Empresa" +Del,Del Delete,Excluir Delete {0} {1}?,Excluir {0} {1} ? Delivered,Entregue @@ -809,6 +854,7 @@ Discount (%),Desconto (%) Discount Amount,Montante do Desconto "Discount Fields will be available in Purchase Order, Purchase Receipt, Purchase Invoice","Campos de desconto estarão disponíveis em Ordem de Compra, Recibo de Compra, Nota Fiscal de Compra" Discount Percentage,Percentagem de Desconto +Discount Percentage can be applied either against a Price List or for all Price List.,Percentual de desconto pode ser aplicado contra uma lista de preços ou para todos Lista de Preços. Discount must be less than 100,Desconto deve ser inferior a 100 Discount(%),Desconto (%) Dispatch,expedição @@ -841,7 +887,8 @@ Download Template,Baixar o Modelo 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 estado mais recente do inventário "Download the Template, fill appropriate data and attach the modified file.","Baixe o modelo , preencha os dados apropriados e anexe o arquivo modificado." "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","Baixe o modelo , preencha os dados apropriados e anexe o arquivo modificado. \ NTodas datas e combinação de funcionários no período selecionado virá no modelo, com registros de freqüência existentes" +All dates and employee combination in the selected period will come in the template, with existing attendance records","Baixe o modelo, preencha os dados apropriados e anexe o arquivo modificado. + Todas as datas e combinação empregado no período selecionado virá no modelo, com registros de freqüência existentes" Draft,Rascunho Dropbox,Dropbox Dropbox Access Allowed,Dropbox acesso permitido @@ -863,6 +910,9 @@ Earning & Deduction,Ganho & Dedução Earning Type,Tipo de Ganho Earning1,Earning1 Edit,Editar +Edu. Cess on Excise,Edu. Cess em impostos indiretos +Edu. Cess on Service Tax,Edu. Cess em Imposto sobre Serviços +Edu. Cess on TDS,Edu. Cess em TDS Education,educação Educational Qualification,Qualificação Educacional Educational Qualification Details,Detalhes da Qualificação Educacional @@ -937,16 +987,27 @@ Enter url parameter for receiver nos,Digite o parâmetro da url para os números Entertainment & Leisure,Entretenimento & Lazer Entertainment Expenses,despesas de representação Entries,Lançamentos -Entries against,Entradas contra +Entries against , Entries are not allowed against this Fiscal Year if the year is closed.,Lançamentos não são permitidos contra este Ano Fiscal se o ano está fechado. -Entries before {0} are frozen,Entradas antes {0} são congelados Equity,equidade Error: {0} > {1},Erro: {0} > {1} Estimated Material Cost,Custo estimado de Material +"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Mesmo se houver várias regras de preços com maior prioridade, então seguintes prioridades internas são aplicadas:" Everyone can read,Todo mundo pode ler "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.","Exemplo: . ABCD # # # # # \ nSe série está definido e número de série não é mencionado em transações , então o número de série automático será criado com base nessa série." +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.",". Exemplo: ABCD # # # # # + Se série está definido e número de série não é mencionado em transações, número de série, então automático será criado com base nessa série. Se você sempre quis mencionar explicitamente os números de ordem para este item. deixe em branco." Exchange Rate,Taxa de Câmbio +Excise Duty 10,Impostos Especiais de Consumo 10 +Excise Duty 14,Impostos Especiais de Consumo 14 +Excise Duty 4,Excise Duty 4 +Excise Duty 8,Excise Duty 8 +Excise Duty @ 10,Impostos Especiais de Consumo @ 10 +Excise Duty @ 14,Impostos Especiais de Consumo @ 14 +Excise Duty @ 4,Impostos Especiais de Consumo @ 4 +Excise Duty @ 8,Impostos Especiais de Consumo @ 8 +Excise Duty Edu Cess 2,Impostos Especiais de Consumo Edu Cess 2 +Excise Duty SHE Cess 1,Impostos Especiais de Consumo SHE Cess 1 Excise Page Number,Número de página do imposto Excise Voucher,Comprovante do imposto Execution,execução @@ -965,6 +1026,7 @@ Expected Delivery Date cannot be before Sales Order Date,Previsão de Entrega A Expected End Date,Data Final prevista Expected Start Date,Data Inicial prevista Expense,despesa +Expense / Difference account ({0}) must be a 'Profit or Loss' account,Despesa conta / Diferença ({0}) deve ser um 'resultados' conta Expense Account,Conta de Despesas Expense Account is mandatory,Conta de despesa é obrigatória Expense Claim,Pedido de Reembolso de Despesas @@ -1015,12 +1077,16 @@ Finished Goods,Produtos Acabados First Name,Nome First Responded On,Primeira resposta em Fiscal Year,Exercício fiscal +Fiscal Year Start Date and Fiscal Year End Date are already set in Fiscal Year {0},Ano Fiscal Data de Início e Término do Exercício Social Data já estão definidos no ano fiscal de {0} +Fiscal Year Start Date and Fiscal Year End Date cannot be more than a year apart.,Ano Fiscal Data de Início e Término do Exercício Social Data não pode ter mais do que um ano de intervalo. +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 Fixed Asset,ativos Fixos Fixed Assets,Imobilizado Follow via Email,Siga por e-mail "Following table will show values if items are sub - contracted. These values will be fetched from the master of ""Bill of Materials"" of sub - contracted items.",A tabela a seguir mostrará valores se os itens são sub-contratados. Estes valores serão obtidos a partir do cadastro da "Lista de Materiais" de itens sub-contratados. Food,comida "Food, Beverage & Tobacco","Alimentos, Bebidas e Fumo" +"For 'Sales BOM' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Sales BOM' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Para os itens de vendas 'BOM', Armazém, N º de Série e Batch Não será considerada a partir da tabela ""Packing List"". Se Warehouse e Batch Não são as mesmas para todos os itens de embalagem para qualquer item 'Vendas BOM', esses valores podem ser inseridos na tabela do item principal, os valores serão copiados para a tabela ""Packing List""." For Company,Para a Empresa For Employee,Para o Funcionário For Employee Name,Para Nome do Funcionário @@ -1050,7 +1116,9 @@ From Currency and To Currency cannot be same,De Moeda e Para Moeda não pode ser From Customer,Do Cliente From Customer Issue,Do problema do cliente From Date,A partir da data +From Date cannot be greater than To Date,A partir de data não pode ser maior que a Data From Date must be before To Date,A data inicial deve ser anterior a data final +From Date should be within the Fiscal Year. Assuming From Date = {0},A partir de data deve estar dentro do ano fiscal. Assumindo De Date = {0} From Delivery Note,De Nota de Entrega From Employee,De Empregado From Lead,De Chumbo @@ -1072,7 +1140,9 @@ Frozen Accounts Modifier,Contas congeladas Modifier Fulfilled,Cumprido Full Name,Nome Completo Full-time,De tempo integral +Fully Billed,Totalmente Anunciado Fully Completed,Totalmente concluída +Fully Delivered,Totalmente entregue Furniture and Fixture,Móveis e utensílios Further accounts can be made under Groups but entries can be made against Ledger,"Outras contas podem ser feitas em grupos , mas as entradas podem ser feitas contra Ledger" "Further accounts can be made under Groups, but entries can be made against Ledger","Outras contas podem ser feitas em grupos , mas as entradas podem ser feitas contra Ledger" @@ -1090,7 +1160,6 @@ Generate Schedule,Gerar Agenda Generates HTML to include selected image in the description,Gera HTML para incluir a imagem selecionada na descrição Get Advances Paid,Obter adiantamentos pagos Get Advances Received,Obter adiantamentos recebidos -Get Against Entries,Obter Contra Entradas Get Current Stock,Obter Estoque atual Get Items,Obter itens Get Items From Sales Orders,Obter itens de Pedidos de Vendas @@ -1103,6 +1172,7 @@ Get Specification Details,Obter detalhes da Especificação Get Stock and Rate,Obter Estoque e Valor Get Template,Obter Modelo Get Terms and Conditions,Obter os Termos e Condições +Get Unreconciled Entries,Obter Unreconciled Entradas Get Weekly Off Dates,Obter datas de descanso semanal "Get valuation rate and available stock at source/target warehouse on mentioned posting date-time. If serialized item, please press this button after entering serial nos.","Obter valorização e estoque disponível no almoxarifado de origem/destino na data e hora de postagem mencionada. Se for item serializado, pressione este botão depois de entrar os nº de série." Global Defaults,Padrões globais @@ -1171,6 +1241,7 @@ Hour,hora Hour Rate,Valor por hora Hour Rate Labour,Valor por hora de mão-de-obra Hours,Horas +How Pricing Rule is applied?,Como regra de preços é aplicada? How frequently?,Com que frequência? "How should this currency be formatted? If not set, will use system defaults","Como essa moeda deve ser formatada? Se não for definido, serão usados os padrões do sistema" Human Resources,Recursos Humanos @@ -1187,12 +1258,15 @@ If different than customer address,Se diferente do endereço do cliente "If disable, 'Rounded Total' field will not be visible in any transaction","Se desativar, 'Arredondado Total' campo não será visível em qualquer transação" "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." If more than one package of the same type (for print),Se mais do que uma embalagem do mesmo tipo (para impressão) +"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." "If no change in either Quantity or Valuation Rate, leave the cell blank.","Se nenhuma alteração em qualquer quantidade ou Avaliação Rate, deixar em branco o celular." If not applicable please enter: NA,Se não for aplicável digite: NA "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." +"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 Preços selecionado é feita para 'Preço', ele irá substituir Lista de Preços. Preço Regra O preço é o preço final, de forma que nenhum desconto adicional deve ser aplicada. Assim, em operações como a ordem de venda, ordem de compra, etc, será buscado em campo 'Taxa', campo 'Lista de Preços Taxa de ""em vez de." "If specified, send the newsletter using this email address","Se especificado, enviar a newsletter usando esse endereço de e-mail" "If the account is frozen, entries are allowed to restricted users.","Se a conta for congelada , as entradas são permitidos aos usuários restritos." "If this Account represents a Customer, Supplier or Employee, set it here.","Se essa conta representa um cliente, fornecedor ou funcionário, estabeleça aqui." +"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Se duas ou mais regras de preços encontram-se com base nas condições acima, a prioridade é aplicada. A prioridade é um número entre 0 a 20, enquanto o valor padrão é zero (em branco). Número maior significa que ele terá precedência se houver várias regras de preços com as mesmas condições." If you follow Quality Inspection. Enables Item QA Required and QA No in Purchase Receipt,Se você seguir Inspeção de Qualidade . Permite item QA Obrigatório e QA Não no Recibo de compra If you have Sales Team and Sale Partners (Channel Partners) they can be tagged and maintain their contribution in the sales activity,Se você tiver Equipe de Vendas e Parceiros de Venda (Parceiros de Canal) eles podem ser marcadas e manter suas contribuições na atividade de vendas "If you have created a standard template in Purchase Taxes and Charges Master, select one and click on the button below.","Se você criou um modelo padrão no cadastro de Impostos de Compra e Encargos, selecione um e clique no botão abaixo." @@ -1200,6 +1274,7 @@ If you have Sales Team and Sale Partners (Channel Partners) they can be tagged "If you have long print formats, this feature can be used to split the page to be printed on multiple pages with all headers and footers on each page","Se você formatos longos de impressão, esse recurso pode ser usado para dividir a página a ser impressa em várias páginas com todos os cabeçalhos e rodapés em cada página" If you involve in manufacturing activity. Enables Item 'Is Manufactured',Se envolver em atividades de fabricação. Permite Item ' é fabricado ' Ignore,Ignorar +Ignore Pricing Rule,Ignorar regra de preços Ignored: ,Ignorados: Image,Imagem Image View,Ver imagem @@ -1236,8 +1311,9 @@ Income booked for the digest period,Renda reservado para o período digest Incoming,Entrada Incoming Rate,Taxa de entrada Incoming quality inspection.,Inspeção de qualidade de entrada. +Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Número incorreto de General Ledger Entries encontrado. Talvez você tenha selecionado uma conta de errado na transação. Incorrect or Inactive BOM {0} for Item {1} at row {2},Incorreto ou inativo BOM {0} para {1} item na linha {2} -Indicates that the package is a part of this delivery,Indica que o pacote é uma parte desta entrega +Indicates that the package is a part of this delivery (Only Draft),Indica que o pacote é uma parte desta entrega (Só Projecto) Indirect Expenses,Despesas Indiretas Indirect Income,Resultado indirecto Individual,Individual @@ -1263,6 +1339,7 @@ Intern,internar Internal,Interno Internet Publishing,Publishing Internet Introduction,Introdução +Invalid Barcode,Código de barras inválido Invalid Barcode or Serial No,Código de barras inválido ou Serial Não Invalid Mail Server. Please rectify and try again.,"Mail Server inválido . Por favor, corrigir e tentar novamente." Invalid Master Name,Invalid Name Mestre @@ -1275,9 +1352,12 @@ Investments,Investimentos Invoice Date,Data da nota fiscal Invoice Details,Detalhes da nota fiscal Invoice No,Nota Fiscal nº -Invoice Period From Date,Período Inicial de Fatura +Invoice Number,Número da Fatura +Invoice Period From,Fatura Período De Invoice Period From and Invoice Period To dates mandatory for recurring invoice,Fatura Período De e Período fatura para datas obrigatórias para fatura recorrentes -Invoice Period To Date,Período Final de Fatura +Invoice Period To,Período fatura para +Invoice Type,Tipo de Fatura +Invoice/Journal Voucher Details,Factura / Jornal Vale detalhes Invoiced Amount (Exculsive Tax),Valor faturado ( Exculsive Tributário) Is Active,É Ativo Is Advance,É antecipado @@ -1308,6 +1388,7 @@ Item Advanced,Item antecipado Item Barcode,Código de barras do Item Item Batch Nos,Nº do Lote do Item Item Code,Código do Item +Item Code > Item Group > Brand,Código do item> Item Grupo> Marca Item Code and Warehouse should already exist.,Código do item e Warehouse já deve existir. Item Code cannot be changed for Serial No.,Código do item não pode ser alterado para Serial No. Item Code is mandatory because Item is not automatically numbered,Código do item é obrigatório porque Item não é numerada automaticamente @@ -1319,6 +1400,7 @@ Item Details,Detalhes do Item Item Group,Grupo de Itens Item Group Name,Nome do Grupo de Itens Item Group Tree,Item Tree grupo +Item Group not mentioned in item master for item {0},Grupo item não mencionado no mestre de item para item {0} Item Groups in Details,Detalhes dos Grupos de Itens Item Image (if not slideshow),Imagem do Item (se não for slideshow) Item Name,Nome do Item @@ -1389,7 +1471,8 @@ Item-wise Purchase Register,Item-wise Compra Register Item-wise Sales History,Item-wise Histórico de Vendas Item-wise Sales Register,Vendas de item sábios Registrar "Item: {0} managed batch-wise, can not be reconciled using \ - Stock Reconciliation, instead use Stock Entry","Item : {0} gerido por lotes , não podem ser reconciliadas usando \ \ n Stock Reconciliação , em vez usar Banco de Entrada" + Stock Reconciliation, instead use Stock Entry","Item: {0} gerido por lotes, não pode ser conciliada com \ + Banco de reconciliação, em vez usar Banco de Entrada" Item: {0} not found in the system,Item : {0} não foi encontrado no sistema Items,Itens Items To Be Requested,Itens a ser solicitado @@ -1492,6 +1575,7 @@ Loading...,Carregando ... Loans (Liabilities),Empréstimos ( Passivo) Loans and Advances (Assets),Empréstimos e Adiantamentos (Ativo ) Local,local +Login,login Login with your new User ID,Entrar com o seu novo ID de usuário Logo,Logotipo Logo and Letter Heads,Logo e Carta Chefes @@ -1536,6 +1620,7 @@ Make Maint. Schedule,Faça Manut . horário Make Maint. Visit,Faça Manut . visita Make Maintenance Visit,Faça Manutenção Visita Make Packing Slip,Faça embalagem deslizamento +Make Payment,Efetuar pagamento Make Payment Entry,Faça Entry Pagamento Make Purchase Invoice,Faça factura de compra Make Purchase Order,Faça Ordem de Compra @@ -1545,8 +1630,10 @@ Make Salary Structure,Faça Estrutura Salarial Make Sales Invoice,Fazer vendas Fatura Make Sales Order,Faça Ordem de Vendas Make Supplier Quotation,Faça Fornecedor Cotação +Make Time Log Batch,Make Time Log Batch Male,Masculino Manage Customer Group Tree.,Gerenciar Grupo Cliente Tree. +Manage Sales Partners.,Gerenciar parceiros de vendas. Manage Sales Person Tree.,Gerenciar Vendas Pessoa Tree. Manage Territory Tree.,Gerenciar Árvore Território. Manage cost of operations,Gerenciar custo das operações @@ -1597,6 +1684,8 @@ Max 5 characters,Max 5 caracteres Max Days Leave Allowed,Período máximo de Licença Max Discount (%),Desconto Máx. (%) Max Qty,Max Qtde +Max discount allowed for item: {0} is {1}%,Max desconto permitido para o item: {0} é {1}% +Maximum Amount,Montante Máximo Maximum allowed credit is {0} days after posting date,Crédito máximo permitido é {0} dias após a data de publicação Maximum {0} rows allowed,Máximo de {0} linhas permitido Maxiumm discount for Item {0} is {1}%,Maxiumm desconto para item {0} {1} % @@ -1617,6 +1706,7 @@ Milestones will be added as Events in the Calendar,Marcos serão adicionados com Min Order Qty,Pedido Mínimo Min Qty,min Qty Min Qty can not be greater than Max Qty,Qty mínimo não pode ser maior do que Max Qtde +Minimum Amount,Valor mínimo Minimum Order Qty,Pedido Mínimo Minute,minuto Misc Details,Detalhes Diversos @@ -1626,7 +1716,6 @@ Mobile No,Telefone Celular Mobile No.,Telefone Celular. Mode of Payment,Forma de Pagamento Modern,Moderno -Modified Amount,Quantidade modificada Monday,Segunda-feira Month,Mês Monthly,Mensal @@ -1643,7 +1732,8 @@ Mr,Sr. Ms,Sra. Multiple Item prices.,Vários preços item. "Multiple Price Rule exists with same criteria, please resolve \ - conflict by assigning priority. Price Rules: {0}","Várias Rule Preço existe com os mesmos critérios , por favor resolver \ \ n conflito , atribuindo prioridade." + conflict by assigning priority. Price Rules: {0}","Várias Rule Preço existe com os mesmos critérios, por favor resolver \ + conflito atribuindo prioridade. Regras Preço: {0}" Music,música Must be Whole Number,Deve ser Número inteiro Name,Nome @@ -1659,6 +1749,7 @@ Negative Valuation Rate is not allowed,Negativa Avaliação Taxa não é permiti Negative balance in Batch {0} for Item {1} at Warehouse {2} on {3} {4},Saldo negativo em lote {0} para {1} item no Armazém {2} em {3} {4} Net Pay,Pagamento Líquido Net Pay (in words) will be visible once you save the Salary Slip.,Pagamento líquido (por extenso) será visível quando você salvar a folha de pagamento. +Net Profit / Loss,Lucro / Prejuízo Líquido Net Total,Total Líquido Net Total (Company Currency),Total Líquido (Moeda Company) Net Weight,Peso Líquido @@ -1699,7 +1790,6 @@ Newsletter,Boletim informativo Newsletter Content,Conteúdo do boletim Newsletter Status,Estado do boletim Newsletter has already been sent,Boletim informativo já foi enviado -Newsletters is not allowed for Trial users,Newsletters não é permitido para usuários experimentais "Newsletters to contacts, leads.","Newsletters para contatos, leva." Newspaper Publishers,Editores de Jornais Next,próximo @@ -1721,6 +1811,7 @@ No Supplier Accounts found. Supplier Accounts are identified based on 'Master Ty No accounting entries for the following warehouses,Nenhuma entrada de contabilidade para os seguintes armazéns No addresses created,Nenhum endereço criadas No contacts created,Nenhum contato criadas +No default Address Template found. Please create a new one from Setup > Printing and Branding > Address Template.,"No modelo padrão Endereço encontrado. Por favor, crie um novo a partir de configuração> Impressão e Branding> modelo de endereço." No default BOM exists for Item {0},No BOM padrão existe para item {0} No description given,Sem descrição dada No employee found,Nenhum funcionário encontrado @@ -1730,6 +1821,8 @@ No of Sent SMS,Nº de SMS enviados No of Visits,Nº de Visitas No permission,Sem permissão No record found,Nenhum registro encontrado +No records found in the Invoice table,Nenhum registro encontrado na tabela de fatura +No records found in the Payment table,Nenhum registro encontrado na tabela de pagamento No salary slip found for month: ,Sem folha de salário encontrado para o mês: Non Profit,sem Fins Lucrativos Nos,Nos @@ -1739,7 +1832,7 @@ Not Available,não disponível Not Billed,Não Faturado Not Delivered,Não Entregue Not Set,não informado -Not allowed to update entries older than {0},Não permitido para atualizar as entradas mais velho do que {0} +Not allowed to update stock transactions older than {0},Não é permitido atualizar transações com ações mais velho do que {0} Not authorized to edit frozen Account {0},Não autorizado para editar conta congelada {0} Not authroized since {0} exceeds limits,Não authroized desde {0} excede os limites Not permitted,não é permitido @@ -1780,7 +1873,6 @@ Only the selected Leave Approver can submit this Leave Application,Somente o Lea Open,Abrir Open Production Orders,Pedidos em aberto Produção Open Tickets,Tickets abertos -Open source ERP built for the web,ERP de código aberto construído para a web Opening (Cr),Abertura (Cr) Opening (Dr),Abertura (Dr) Opening Date,Data de abertura @@ -1805,7 +1897,7 @@ Opportunity Lost,Oportunidade perdida Opportunity Type,Tipo de Oportunidade Optional. This setting will be used to filter in various transactions.,Opcional . Esta configuração será usada para filtrar em várias transações. Order Type,Tipo de Ordem -Order Type must be one of {1},Tipo de Ordem deve ser uma das {1} +Order Type must be one of {0},Tipo de Ordem deve ser uma das {0} Ordered,pedido Ordered Items To Be Billed,Itens encomendados a serem faturados Ordered Items To Be Delivered,Itens encomendados a serem entregues @@ -1817,7 +1909,6 @@ Organization Name,Nome da Organização Organization Profile,Perfil da Organização Organization branch master.,Mestre Organização ramo . Organization unit (department) master.,Organização unidade (departamento) mestre. -Original Amount,Valor original Other,Outro Other Details,Outros detalhes Others,outros @@ -1834,6 +1925,7 @@ Overlapping conditions found between:,Condições sobreposição encontradas ent Overview,visão global Owned,Pertencente Owner,proprietário +P L A - Cess Portion,PLA - Cess Parcela PL or BS,PL ou BS PO Date,PO Data PO No,No PO @@ -1846,7 +1938,6 @@ POS Setting required to make POS Entry,Setting POS obrigados a fazer POS Entry POS Setting {0} already created for user: {1} and company {2},POS Setting {0} já criado para o usuário : {1} e {2} empresa POS View,POS Ver PR Detail,Detalhe PR -PR Posting Date,PR Data da Publicação Package Item Details,Detalhes do Item do Pacote Package Items,Itens do pacote Package Weight Details,Detalhes do peso do pacote @@ -1876,8 +1967,6 @@ Parent Sales Person,Vendedor pai Parent Territory,Território pai Parent Website Page,Pai site Página Parent Website Route,Pai site Route -Parent account can not be a ledger,Pai conta não pode ser um livro -Parent account does not exist,Pai conta não existe Parenttype,Parenttype Part-time,De meio expediente Partially Completed,Parcialmente concluída @@ -1886,6 +1975,8 @@ Partly Delivered,Parcialmente entregue Partner Target Detail,Detalhe da Meta do parceiro Partner Type,Tipo de parceiro Partner's Website,Site do parceiro +Party,Parte +Party Account,Conta Party Party Type,Tipo de Festa Party Type Name,Tipo Partido Nome Passive,Passiva @@ -1898,10 +1989,14 @@ Payables Group,Grupo de contas a pagar Payment Days,Datas de Pagamento Payment Due Date,Data de Vencimento Payment Period Based On Invoice Date,Período de pagamento com base no fatura Data +Payment Reconciliation,Reconciliação Pagamento +Payment Reconciliation Invoice,Reconciliação O pagamento da fatura +Payment Reconciliation Invoices,Facturas Reconciliação Pagamento +Payment Reconciliation Payment,Reconciliação Pagamento +Payment Reconciliation Payments,Pagamentos Reconciliação Pagamento Payment Type,Tipo de pagamento +Payment cannot be made for empty cart,O pagamento não pode ser feito para carrinho vazio Payment of salary for the month {0} and year {1},Pagamento de salário para o mês {0} e {1} ano -Payment to Invoice Matching Tool,Ferramenta de Pagamento contra Fatura correspondente -Payment to Invoice Matching Tool Detail,Detalhe da Ferramenta de Pagamento contra Fatura correspondente Payments,Pagamentos Payments Made,Pagamentos efetuados Payments Received,Pagamentos Recebidos @@ -1944,7 +2039,9 @@ Planning,planejamento Plant,Planta Plant and Machinery,Máquinas e instalações Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,Por favor insira a correta Abreviação ou Nome Curto pois ele será adicionado como sufixo a todas as Contas. +Please Update SMS Settings,Atualize Configurações SMS Please add expense voucher details,"Por favor, adicione despesas detalhes do voucher" +Please add to Modes of Payment from Setup.,"Por favor, adicione às formas de pagamento a partir de configuração." Please check 'Is Advance' against Account {0} if this is an advance entry.,"Por favor, verifique 'É Advance' contra Conta {0} se isso é uma entrada antecipadamente." Please click on 'Generate Schedule',"Por favor, clique em "" Gerar Agenda '" Please click on 'Generate Schedule' to fetch Serial No added for Item {0},"Por favor, clique em "" Gerar Cronograma ' para buscar Serial Sem adição de item {0}" @@ -1992,12 +2089,13 @@ Please enter valid Company Email,Por favor insira válido Empresa E-mail Please enter valid Email Id,"Por favor, indique -mail válido Id" Please enter valid Personal Email,"Por favor, indique -mail válido Pessoal" Please enter valid mobile nos,"Por favor, indique nn móveis válidos" +Please find attached Sales Invoice #{0},Segue em anexo Vendas Invoice # {0} Please install dropbox python module,"Por favor, instale o Dropbox módulo python" Please mention no of visits required,"Por favor, não mencione de visitas necessárias" Please pull items from Delivery Note,"Por favor, puxar itens de entrega Nota" Please save the Newsletter before sending,"Por favor, salve o Boletim informativo antes de enviar" Please save the document before generating maintenance schedule,"Por favor, salve o documento antes de gerar programação de manutenção" -Please select Account first,"Por favor, selecione Conta primeiro" +Please see attachment,"Por favor, veja anexo" Please select Bank Account,Por favor seleccione Conta Bancária 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 Please select Category first,Por favor seleccione Categoria primeira @@ -2005,14 +2103,17 @@ Please select Charge Type first,Por favor seleccione Carga Tipo primeiro Please select Fiscal Year,Por favor seleccione o Ano Fiscal Please select Group or Ledger value,Selecione Grupo ou Ledger valor Please select Incharge Person's name,"Por favor, selecione o nome do Incharge Pessoa" +Please select Invoice Type and Invoice Number in atleast one row,Por favor seleccione fatura Tipo e número da fatura em pelo menos uma linha "Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Sales BOM","Por favor, selecione Item onde "" é Stock item "" é "" Não"" e "" é o item de vendas "" é ""Sim"" e não há nenhum outro BOM Vendas" Please select Price List,"Por favor, selecione Lista de Preço" Please select Start Date and End Date for Item {0},Por favor seleccione Data de início e data de término do item {0} +Please select Time Logs.,Por favor seleccione Tempo Logs. Please select a csv file,"Por favor, selecione um arquivo csv" Please select a valid csv file with data,"Por favor, selecione um arquivo csv com dados válidos" Please select a value for {0} quotation_to {1},Por favor seleccione um valor para {0} {1} quotation_to "Please select an ""Image"" first","Por favor, selecione uma ""Imagem"" primeiro" Please select charge type first,"Por favor, selecione o tipo de carga primeiro" +Please select company first,Por favor seleccione primeira empresa Please select company first.,Por favor seleccione primeira empresa. Please select item code,Por favor seleccione código do item Please select month and year,Selecione mês e ano @@ -2021,6 +2122,7 @@ Please select the document type first,"Por favor, selecione o tipo de documento Please select weekly off day,Por favor seleccione dia de folga semanal Please select {0},Por favor seleccione {0} Please select {0} first,Por favor seleccione {0} primeiro +Please select {0} first.,Por favor seleccione {0} primeiro. Please set Dropbox access keys in your site config,Defina teclas de acesso Dropbox em sua configuração local Please set Google Drive access keys in {0},Defina teclas de acesso do Google Drive em {0} 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} @@ -2047,6 +2149,7 @@ Postal,Postal Postal Expenses,despesas postais Posting Date,Data da Postagem Posting Time,Horário da Postagem +Posting date and posting time is mandatory,Data e postagem Posting tempo é obrigatório Posting timestamp must be after {0},Postando timestamp deve ser posterior a {0} Potential opportunities for selling.,Oportunidades potenciais para a venda. Preferred Billing Address,Preferred Endereço de Cobrança @@ -2073,8 +2176,10 @@ Price List not selected,Lista de Preço não selecionado Price List {0} is disabled,Preço de {0} está desativado Price or Discount,Preço ou desconto Pricing Rule,Regra de Preços -Pricing Rule For Discount,Preços Regra para desconto -Pricing Rule For Price,Preços regra para Preço +Pricing Rule Help,Regra Preços Ajuda +"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." +"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Regra de preços é feita para substituir Lista de Preços / define percentual de desconto, com base em alguns critérios." +Pricing Rules are further filtered based on quantity.,As regras de tarifação são ainda filtrados com base na quantidade. Print Format Style,Formato de impressão Estilo Print Heading,Cabeçalho de impressão Print Without Amount,Imprimir Sem Quantia @@ -2102,7 +2207,9 @@ Production Plan Sales Orders,Ordens de Venda do Plano de Produção Production Planning Tool,Ferramenta de Planejamento da Produção Products,produtos "Products will be sorted by weight-age in default searches. More the weight-age, higher the product will appear in the list.","Os produtos serão classificados por peso em buscas padrão. Maior o peso, mais alto o produto irá aparecer na lista." +Professional Tax,Imposto Profissional Profit and Loss,Lucros e perdas +Profit and Loss Statement,Demonstração dos Resultados Project,Projeto Project Costing,Custo do Projeto Project Details,Detalhes do Projeto @@ -2125,7 +2232,9 @@ Projects & System,Projetos e Sistema Prompt for Email on Submission of,Solicitar e-mail no envio da Proposal Writing,Proposta Redação Provide email id registered in company,Fornecer Endereço de E-mail registrado na empresa +Provisional Profit / Loss (Credit),Lucro Provisória / Loss (Crédito) Public,Público +Published on website at: {0},Publicado no site em: {0} Publishing,Publishing Pull sales orders (pending to deliver) based on the above criteria,Puxar as Ordens de Venda (pendentes de entrega) com base nos critérios acima Purchase,Compras @@ -2134,7 +2243,6 @@ Purchase Analytics,Análise de compras Purchase Common,Compras comum Purchase Details,Detalhes da compra Purchase Discounts,Descontos da compra -Purchase In Transit,Compre Em Trânsito Purchase Invoice,Nota Fiscal de Compra Purchase Invoice Advance,Antecipação da Nota Fiscal de Compra Purchase Invoice Advances,Antecipações da Nota Fiscal de Compra @@ -2142,7 +2250,6 @@ Purchase Invoice Item,Item da Nota Fiscal de Compra Purchase Invoice Trends,Compra Tendências fatura Purchase Invoice {0} is already submitted,Compra Invoice {0} já é submetido Purchase Order,Ordem de Compra -Purchase Order Date,Data da Ordem de Compra Purchase Order Item,Item da Ordem de Compra Purchase Order Item No,Nº do Item da Ordem de Compra Purchase Order Item Supplied,Item da Ordem de Compra fornecido @@ -2206,7 +2313,6 @@ Quarter,Trimestre Quarterly,Trimestral Quick Help,Ajuda Rápida Quotation,Cotação -Quotation Date,Data da Cotação Quotation Item,Item da Cotação Quotation Items,Itens da Cotação Quotation Lost Reason,Razão da perda da Cotação @@ -2284,6 +2390,7 @@ Recurring Invoice,Nota Fiscal Recorrente Recurring Type,Tipo de recorrência Reduce Deduction for Leave Without Pay (LWP),Reduzir Dedução por licença sem vencimento (LWP) Reduce Earning for Leave Without Pay (LWP),Reduzir a Geração de Renda para sair sem pagar (LWP) +Ref,Reference Ref Code,Código de Ref. Ref SQ,Ref SQ Reference,Referência @@ -2307,6 +2414,7 @@ Relieving Date,Data da Liberação Relieving Date must be greater than Date of Joining,Aliviar A data deve ser maior que Data de Juntando Remark,Observação Remarks,Observações +Remarks Custom,Observações Personalizado Rename,rebatizar Rename Log,Renomeie Entrar Rename Tool,Ferramenta de Renomear @@ -2322,6 +2430,7 @@ Report Type,Tipo de relatório Report Type is mandatory,Tipo de relatório é obrigatória Reports to,Relatórios para Reqd By Date,Requisições Por Data +Reqd by Date,Reqd por Data Request Type,Tipo de Solicitação Request for Information,Pedido de Informação Request for purchase.,Pedido de Compra. @@ -2375,21 +2484,34 @@ Rounded Total,Total arredondado Rounded Total (Company Currency),Total arredondado (Moeda Company) Row # ,Linha # Row # {0}: , +Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,Row # {0}: qty ordenado pode não inferior a qty pedido mínimo do item (definido no mestre de item). +Row #{0}: Please specify Serial No for Item {1},Row # {0}: Favor especificar Sem Serial para item {1} "Row {0}: Account does not match with \ - Purchase Invoice Credit To account",Row {0} : Conta não coincide com \ \ n factura de compra de crédito para conta + Purchase Invoice Credit To account","Row {0}: Conta não corresponde com \ + Compra fatura de crédito para conta" "Row {0}: Account does not match with \ - Sales Invoice Debit To account",Row {0} : Conta não coincide com \ \ n vendas fatura de débito em conta + Sales Invoice Debit To account","Row {0}: Conta não corresponde com \ + Vendas fatura de débito em conta" +Row {0}: Conversion Factor is mandatory,Row {0}: Fator de Conversão é obrigatório Row {0}: Credit entry can not be linked with a Purchase Invoice,Row {0}: entrada de crédito não pode ser associada com uma fatura de compra Row {0}: Debit entry can not be linked with a Sales Invoice,Row {0}: lançamento de débito não pode ser associada com uma factura de venda +Row {0}: Payment amount must be less than or equals to invoice outstanding amount. Please refer Note below.,"Row {0}: Valor do pagamento deve ser menor ou igual a facturar montante em dívida. Por favor, consulte a nota abaixo." +Row {0}: Qty is mandatory,Row {0}: Quantidade é obrigatório +"Row {0}: Qty not avalable in warehouse {1} on {2} {3}. + Available Qty: {4}, Transfer Qty: {5}","Row {0}: Quantidade não avalable no armazém {1} em {2} {3}. + Disponível Qtde: {4}, Transferência Qtde: {5}" "Row {0}: To set {1} periodicity, difference between from and to date \ - must be greater than or equal to {2}","Fila {0} : Para definir {1} periodicidade , diferença entre a data de e \ \ n deve ser maior do que ou igual a {2}" + must be greater than or equal to {2}","Fila {0}: Para definir {1} periodicidade, diferença entre a data e a partir de \ + deve ser maior do que ou igual a {2}" Row {0}:Start Date must be before End Date,Row {0}: Data de início deve ser anterior a data de término Rules for adding shipping costs.,Regras para adicionar os custos de envio . Rules for applying pricing and discount.,Regras para aplicação de preços e de desconto. Rules to calculate shipping amount for a sale,Regras para calcular valor de frete para uma venda S.O. No.,S.O. Não. +SHE Cess on Excise,SHE Cess em impostos indiretos +SHE Cess on Service Tax,SHE Cess em Imposto sobre Serviços +SHE Cess on TDS,SHE Cess em TDS SMS Center,Centro de SMS -SMS Control,Controle de SMS SMS Gateway URL,URL de Gateway para SMS SMS Log,Log de SMS SMS Parameter,Parâmetro de SMS @@ -2494,15 +2616,20 @@ Securities and Deposits,Títulos e depósitos "Select ""Yes"" if this item represents some work like training, designing, consulting etc.","Selecione "Sim" se esse item representa algum trabalho como treinamento, design, consultoria, etc" "Select ""Yes"" if you are maintaining stock of this item in your Inventory.",Selecione "Sim" se você está mantendo estoque deste item no seu Inventário. "Select ""Yes"" if you supply raw materials to your supplier to manufacture this item.",Selecione "Sim" se você fornece as matérias-primas para o seu fornecedor fabricar este item. +Select Brand...,Selecione Marca ... Select Budget Distribution to unevenly distribute targets across months.,Selecione distribuição do orçamento para distribuir metas diferentes para os meses. "Select Budget Distribution, if you want to track based on seasonality.","Selecione distribuição do orçamento, se você quiser acompanhar baseado em sazonalidade." +Select Company...,Selecione Empresa ... Select DocType,Selecione o DocType +Select Fiscal Year...,Selecione o ano fiscal ... Select Items,Selecione itens +Select Project...,Selecionar Projeto... Select Purchase Receipts,Selecione recibos de compra Select Sales Orders,Selecione as Ordens de Venda Select Sales Orders from which you want to create Production Orders.,Selecione as Ordens de Venda a partir das quais você deseja criar Ordens de Produção. Select Time Logs and Submit to create a new Sales Invoice.,Selecione Time Logs e enviar para criar uma nova factura de venda. Select Transaction,Selecione a Transação +Select Warehouse...,Selecione Armazém ... Select Your Language,Selecione seu idioma Select account head of the bank where cheque was deposited.,Selecione a Conta do banco onde o cheque foi depositado. Select company name first.,Selecione o nome da empresa por primeiro. @@ -2520,6 +2647,7 @@ Select your home country and check the timezone and currency.,Selecione o seu pa "Selecting ""Yes"" will give a unique identity to each entity of this item which can be viewed in the Serial No master.",Selecionando "Sim" vai dar uma identificação única para cada entidade deste item que pode ser vista no cadastro do Número de Série. Selling,Vendas Selling Settings,Vendendo Configurações +"Selling must be checked, if Applicable For is selected as {0}","Venda deve ser verificada, se for caso disso for selecionado como {0}" Send,Enviar Send Autoreply,Enviar Resposta Automática Send Email,Enviar E-mail @@ -2556,7 +2684,8 @@ Serial Nos Required for Serialized Item {0},Serial Nos Obrigatório para Seriali Serial Number Series,Serial Series Número Serial number {0} entered more than once,Número de série {0} entrou mais de uma vez "Serialized Item {0} cannot be updated \ - using Stock Reconciliation",Serialized item {0} não pode ser atualizado \ \ n usando Banco de Reconciliação + using Stock Reconciliation","Serialized item {0} não pode ser atualizado \ + usando Banco de Reconciliação" Series,série Series List for this Transaction,Lista de séries para esta transação Series Updated,Série Atualizado @@ -2565,15 +2694,18 @@ Series is mandatory,Série é obrigatório Series {0} already used in {1},Série {0} já usado em {1} Service,serviço Service Address,Endereço de Serviço +Service Tax,Imposto sobre Serviços Services,Serviços Set,conjunto "Set Default Values like Company, Currency, Current Fiscal Year, etc.","Definir valores padrão , como Company, de moeda, Atual Exercício , etc" Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,"Definir orçamentos para Grupos de Itens neste território. Você também pode incluir a sazonalidade, defininda na Distribuição." +Set Status as Available,Definir status como Disponível Set as Default,Definir como padrão Set as Lost,Definir como perdida Set prefix for numbering series on your transactions,Definir prefixo para séries de numeração em suas transações Set targets Item Group-wise for this Sales Person.,Estabelecer metas para Grupos de Itens para este Vendedor. Setting Account Type helps in selecting this Account in transactions.,Definir o Tipo de Conta ajuda na seleção desta Conta nas transações. +Setting this Address Template as default as there is no other default,"A definição desse modelo de endereço como padrão, pois não há outro padrão" Setting up...,Configurar ... Settings,Configurações Settings for HR Module,Configurações para o Módulo HR @@ -2581,6 +2713,7 @@ Settings for HR Module,Configurações para o Módulo HR Setup,Configuração Setup Already Complete!!,Instalação já está completa ! Setup Complete,Instalação concluída +Setup SMS gateway settings,Configurações de gateway SMS Setup Setup Series,Configuração de Séries Setup Wizard,Assistente de Configuração Setup incoming server for jobs email id. (e.g. jobs@example.com),Configuração do servidor de entrada para os trabalhos de identificação do email . ( por exemplo jobs@example.com ) @@ -2606,6 +2739,7 @@ Short biography for website and other publications.,Breve biografia para o site Show In Website,Mostrar No Site Show a slideshow at the top of the page,Mostrar uma apresentação de slides no topo da página Show in Website,Mostrar no site +Show rows with zero values,Mostrar as linhas com valores zero Show this slideshow at the top of the page,Mostrar esta apresentação de slides no topo da página Sick Leave,doente Deixar Signature,Assinatura @@ -2635,9 +2769,9 @@ Specifications,especificações "Specify the operations, operating cost and give a unique Operation no to your operations.","Especificar as operações , custos operacionais e dar uma operação única não às suas operações." Split Delivery Note into packages.,Dividir Guia de Remessa em pacotes. Sports,esportes +Sr,Sr Standard,Padrão Standard Buying,Compra padrão -Standard Rate,Taxa normal Standard Reports,Relatórios padrão Standard Selling,venda padrão Standard contract terms for Sales or Purchase.,Termos do contrato padrão para vendas ou compra. @@ -2646,6 +2780,7 @@ Start Date,Data de Início Start date of current invoice's period,Data de início do período de fatura atual Start date should be less than end date for Item {0},Data de início deve ser inferior a data final para o item {0} State,Estado +Statement of Account,Extrato de conta Static Parameters,Parâmetros estáticos Status,Estado Status must be one of {0},Estado deve ser um dos {0} @@ -2687,6 +2822,7 @@ Stock Value Difference,Banco de Valor Diferença Stock balances updated,Banco saldos atualizados Stock cannot be updated against Delivery Note {0},Banco não pode ser atualizado contra entrega Nota {0} Stock entries exist against warehouse {0} cannot re-assign or modify 'Master Name',As entradas em existências existir contra armazém {0} não pode voltar a atribuir ou modificar 'Master Name' +Stock transactions before {0} are frozen,Transações com ações antes {0} são congelados Stop,Pare Stop Birthday Reminders,Parar Aniversário Lembretes Stop Material Request,Solicitação de parada de materiais @@ -2706,13 +2842,13 @@ Submit this Production Order for further processing.,Enviar esta ordem de produ Submitted,Enviado Subsidiary,Subsidiário Successful: ,Bem-sucedido: -Successfully allocated,alocados com sucesso +Successfully Reconciled,Reconciliados com sucesso Suggestions,Sugestões Sunday,Domingo Supplier,Fornecedor Supplier (Payable) Account,Fornecedor (pago) Conta Supplier (vendor) name as entered in supplier master,"Nome do fornecedor (vendedor), como inscritos no cadastro de fornecedores" -Supplier Account,Fornecedor Conta +Supplier > Supplier Type,Fornecedor> Fornecedor Tipo Supplier Account Head,Fornecedor Cabeça Conta Supplier Address,Endereço do Fornecedor Supplier Addresses and Contacts,Fornecedor Endereços e contatos @@ -2750,6 +2886,12 @@ Sync with Google Drive,Sincronia com o Google Drive System,Sistema System Settings,Configurações do sistema "System User (login) ID. If set, it will become default for all HR forms.","Identificação do usuário do sistema (login). Se for marcado, ele vai se tornar padrão para todos os formulários de RH." +TDS (Advertisement),TDS (Anúncio) +TDS (Commission),TDS (Comissão) +TDS (Contractor),TDS (Contratado) +TDS (Interest),TDS (interesse) +TDS (Rent),TDS (Rent) +TDS (Salary),TDS (Salário) Target Amount,Valor da meta Target Detail,Detalhe da meta Target Details,Detalhes da meta @@ -2770,10 +2912,12 @@ Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are no Tax Rate,Taxa de Imposto Tax and other salary deductions.,Impostos e outras deduções salariais. "Tax detail table fetched from item master as a string and stored in this field. -Used for Taxes and Charges",Pormenor tabela do Imposto buscados mestre como uma string e armazenada neste campo. \ NUsed dos Impostos e Taxas +Used for Taxes and Charges","Tabela de detalhes Imposto obtido a partir de mestre como uma string e armazenada neste campo. + Usado para Impostos e Taxas" Tax template for buying transactions.,Modelo de impostos para a compra de transações. Tax template for selling transactions.,Modelo imposto pela venda de transações. Taxable,Tributável +Taxes,Impostos Taxes and Charges,Impostos e Encargos Taxes and Charges Added,Impostos e Encargos Adicionados Taxes and Charges Added (Company Currency),Impostos e taxas Adicionado (Moeda Company) @@ -2786,6 +2930,7 @@ Technology,tecnologia Telecommunications,Telecomunicações Telephone Expenses,Despesas de telefone Television,televisão +Template,Modelo Template for performance appraisals.,Modelo para avaliação de desempenho . Template of terms or contract.,Modelo de termos ou contratos. Temporary Accounts (Assets),Contas Transitórias (Ativo ) @@ -2815,7 +2960,8 @@ The First User: You,O primeiro usuário : Você The Organization,a Organização "The account head under Liability, in which Profit/Loss will be booked","O chefe conta com Responsabilidade , no qual Lucro / Prejuízo será reservado" "The date on which next invoice will be generated. It is generated on submit. -",A data em que próxima fatura será gerada. +","A data em que próxima fatura será gerada. Ele é gerado em enviar. +" The date on which recurring invoice will be stop,A data em que fatura recorrente será interrompida "The day of the month on which auto invoice will be generated e.g. 05, 28 etc ","O dia do mês em que factura automática será gerada, por exemplo 05, 28 etc" The day(s) on which you are applying for leave are holiday. You need not apply for leave.,No dia (s) em que você está se candidatando para a licença estão de férias. Você não precisa solicitar uma licença . @@ -2827,6 +2973,7 @@ The net weight of this package. (calculated automatically as sum of net weight o The new BOM after replacement,A nova LDM após substituição The rate at which Bill Currency is converted into company's base currency,A taxa na qual a moeda de faturamento é convertida na moeda base da empresa The unique id for tracking all recurring invoices. It is generated on submit.,A ID exclusiva para acompanhar todas as facturas recorrentes. Ele é gerado em enviar. +"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Então Preços Regras são filtradas com base no Cliente, Grupo de Clientes, Território, fornecedor, fornecedor Tipo, Campanha, Parceiro de vendas etc" There are more holidays than working days this month.,Há mais feriados do que dias úteis do mês. "There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Só pode haver uma regra de envio Condição com 0 ou valor em branco para "" To Valor """ There is not enough leave balance for Leave Type {0},Não há o suficiente equilíbrio pela licença Tipo {0} @@ -2838,6 +2985,7 @@ This Leave Application is pending approval. Only the Leave Apporver can update s This Time Log Batch has been billed.,Este lote Log O tempo tem sido anunciado. This Time Log Batch has been cancelled.,Este lote Log Tempo foi cancelada. This Time Log conflicts with {0},Este Log Tempo em conflito com {0} +This format is used if country specific format is not found,Este formato é usado se o formato específico país não é encontrado This is a root account and cannot be edited.,Esta é uma conta de root e não pode ser editada. This is a root customer group and cannot be edited.,Este é um grupo de clientes de raiz e não pode ser editada. This is a root item group and cannot be edited.,Este é um grupo de itens de raiz e não pode ser editada. @@ -2853,7 +3001,9 @@ Time Log Batch,Tempo Batch Log Time Log Batch Detail,Tempo Log Detail Batch Time Log Batch Details,Tempo de registro de detalhes de lote Time Log Batch {0} must be 'Submitted',Tempo Log Batch {0} deve ser ' enviado ' +Time Log Status must be Submitted.,Tempo Log Estado devem ser apresentadas. Time Log for tasks.,Tempo de registro para as tarefas. +Time Log is not billable,Tempo Log não é cobrável Time Log {0} must be 'Submitted',Tempo Log {0} deve ser ' enviado ' Time Zone,Fuso horário Time Zones,Fusos horários @@ -2866,6 +3016,7 @@ To,Para To Currency,A Moeda To Date,Até a Data To Date should be same as From Date for Half Day leave,Para data deve ser mesmo a partir da data de licença Meio Dia +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} To Discuss,Para Discutir To Do List,Para fazer a lista To Package No.,Para Pacote Nº. @@ -2875,8 +3026,8 @@ To Value,Ao Valor To Warehouse,Para Almoxarifado "To add child nodes, explore tree and click on the node under which you want to add more nodes.","Para adicionar nós filho, explorar árvore e clique no nó em que você deseja adicionar mais nós." "To assign this issue, use the ""Assign"" button in the sidebar.","Para atribuir esse problema a alguém, use o botão "Atribuir" na barra lateral." -To create a Bank Account:,Para criar uma conta bancária : -To create a Tax Account:,Para criar uma conta de Imposto: +To create a Bank Account,Para criar uma conta bancária +To create a Tax Account,Para criar uma conta de impostos "To create an Account Head under a different company, select the company and save customer.","Para criar uma Conta, sob uma empresa diferente, selecione a empresa e salve o Cliente." To date cannot be before from date,Até o momento não pode ser antes a partir da data To enable Point of Sale features,Para habilitar as características de Ponto de Venda @@ -2884,22 +3035,23 @@ To enable Point of Sale view,Para habilitar Point of Sale vista To get Item Group in details table,Para obter Grupo de Itens na tabela de detalhes "To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Para incluir impostos na linha {0} na taxa de Item, os impostos em linhas {1} também deve ser incluída" "To merge, following properties must be same for both items","Para mesclar , seguintes propriedades devem ser os mesmos para ambos os itens" -"To report an issue, go to ", +"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." "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 '" To track any installation or commissioning related work after sales,Para rastrear qualquer trabalho relacionado à instalação ou colocação em funcionamento após a venda "To track brand name in the following documents Delivery Note, Opportunity, Material Request, Item, Purchase Order, Purchase Voucher, Purchaser Receipt, Quotation, Sales Invoice, Sales BOM, Sales Order, Serial No","Para acompanhar marca nos seguintes documentos Nota de Entrega , Oportunidade, Solicitação Material, Item, Ordem de Compra, Compra Vale , Comprador recibo , cotação, nota fiscal de venda , Vendas BOM, Pedido de Vendas , Serial Não" To track item in sales and purchase documents based on their serial nos. This is can also used to track warranty details of the product.,Para acompanhar o item em documentos de vendas e de compras com base em seus números de série. Isso também pode ser usado para rastrear detalhes sobre a garantia do produto. To track items in sales and purchase documents with batch nos
Preferred Industry: Chemicals etc,"Para controlar os itens de vendas e documentos de compra pelo nº do lote
Por Ex.: Indústria Química, etc" To track items using barcode. You will be able to enter items in Delivery Note and Sales Invoice by scanning barcode of item.,Para rastrear itens usando código de barras. Você será capaz de inserir itens na Guia de Remessa e Nota Fiscal de Venda através do escaneamento do código de barras do item. +Too many columns. Export the report and print it using a spreadsheet application.,Muitas colunas. Exportar o relatório e imprimi-lo usando um aplicativo de planilha. Tools,Ferramentas Total,Total +Total ({0}),Total ({0}) Total Advance,Antecipação Total -Total Allocated Amount,Montante total atribuído -Total Allocated Amount can not be greater than unmatched amount,Montante total atribuído não pode ser maior do que a quantidade inigualável Total Amount,Valor Total Total Amount To Pay,Valor total a pagar Total Amount in Words,Valor Total por extenso Total Billing This Year: ,Faturamento total deste ano: +Total Characters,Total de Personagens Total Claimed Amount,Montante Total Requerido Total Commission,Total da Comissão Total Cost,Custo Total @@ -2923,14 +3075,13 @@ Total Score (Out of 5),Pontuação total (sobre 5) Total Tax (Company Currency),Imposto Total (moeda da empresa) Total Taxes and Charges,Total de Impostos e Encargos Total Taxes and Charges (Company Currency),Total de Impostos e Taxas (moeda da empresa) -Total Words,Total de Palavras -Total Working Days In The Month,Total de dias úteis do mês Total allocated percentage for sales team should be 100,Porcentagem total alocado para a equipe de vendas deve ser de 100 Total amount of invoices received from suppliers during the digest period,O valor total das faturas recebidas de fornecedores durante o período de digestão Total amount of invoices sent to the customer during the digest period,O valor total das faturas enviadas para o cliente durante o período de digestão Total cannot be zero,Total não pode ser zero Total in words,Total por extenso Total points for all goals should be 100. It is {0},Total de pontos para todos os objetivos devem ser 100. Ele é {0} +Total valuation for manufactured or repacked item(s) can not be less than total valuation of raw materials,Valor total para o item (s) fabricados ou reembalados não pode ser menor do que valor total das matérias-primas Total weightage assigned should be 100%. It is {0},Weightage total atribuído deve ser de 100 %. É {0} Totals,Totais Track Leads by Industry Type.,Trilha leva por setor Type. @@ -2966,7 +3117,7 @@ UOM Conversion Details,Detalhes da Conversão de UDM UOM Conversion Factor,Fator de Conversão da UDM UOM Conversion factor is required in row {0},UOM fator de conversão é necessária na linha {0} UOM Name,Nome da UDM -UOM coversion factor required for UOM {0} in Item {1},Fator coversion UOM necessário para UOM {0} no item {1} +UOM coversion factor required for UOM: {0} in Item: {1},Fator coversion UOM necessário para UOM: {0} no Item: {1} Under AMC,Sob CAM Under Graduate,Em Graduação Under Warranty,Sob Garantia @@ -2976,8 +3127,8 @@ Unit of Measure {0} has been entered more than once in Conversion Factor Table,U "Unit of measurement of this item (e.g. Kg, Unit, No, Pair).","Unidade de medida do item (por exemplo: kg, unidade, nº, par)." Units/Hour,Unidades/hora Units/Shifts,Unidades/Turnos -Unmatched Amount,Quantidade incomparável Unpaid,Não remunerado +Unreconciled Payment Details,Unreconciled Detalhes do pagamento Unscheduled,Sem agendamento Unsecured Loans,Empréstimos não garantidos Unstop,desentupir @@ -2992,7 +3143,6 @@ Update Landed Cost,Atualização Landed Cost Update Series,Atualizar Séries Update Series Number,Atualizar Números de Séries Update Stock,Atualizar Estoque -"Update allocated amount in the above table and then click ""Allocate"" button",Atualize o montante atribuído na tabela acima e clique no botão "Alocar" Update bank payment dates with journals.,Atualizar datas de pagamento bancário com livro Diário. Update clearance date of Journal Entries marked as 'Bank Vouchers',Data de apuramento Atualização de entradas de diário marcado como ' Banco ' Vouchers Updated,Atualizado @@ -3009,6 +3159,7 @@ Upper Income,Renda superior Urgent,Urgente Use Multi-Level BOM,Utilize LDM de Vários Níveis Use SSL,Use SSL +Used for Production Plan,Usado para o Plano de Produção User,Usuário User ID,ID de Usuário User ID not set for Employee {0},ID do usuário não definido para Employee {0} @@ -3047,9 +3198,9 @@ View Now,Ver Agora Visit report for maintenance call.,Relatório da visita da chamada de manutenção. Voucher #,vale # Voucher Detail No,Nº do Detalhe do comprovante +Voucher Detail Number,Número Detalhe voucher Voucher ID,ID do Comprovante Voucher No,Nº do comprovante -Voucher No is not valid,No voucher não é válido Voucher Type,Tipo de comprovante Voucher Type and Date,Tipo Vale e Data Walk In,Walk In @@ -3065,11 +3216,12 @@ Warehouse is mandatory for stock Item {0} in row {1},Armazém é obrigatória pa Warehouse is missing in Purchase Order,Armazém está faltando na Ordem de Compra Warehouse not found in the system,Warehouse não foi encontrado no sistema Warehouse required for stock Item {0},Armazém necessário para stock o item {0} -Warehouse required in POS Setting,Armazém exigido em POS Setting Warehouse where you are maintaining stock of rejected items,Almoxarifado onde você está mantendo estoque de itens rejeitados Warehouse {0} can not be deleted as quantity exists for Item {1},Armazém {0} não pode ser excluído como existe quantidade para item {1} Warehouse {0} does not belong to company {1},Armazém {0} não pertence à empresa {1} Warehouse {0} does not exist,Armazém {0} não existe +Warehouse {0}: Company is mandatory,Armazém {0}: Empresa é obrigatório +Warehouse {0}: Parent account {1} does not bolong to the company {2},Armazém {0}: conta Parent {1} não Bolong à empresa {2} Warehouse-Wise Stock Balance,Warehouse-sábio Stock Balance Warehouse-wise Item Reorder,Armazém-sábio item Reordenar Warehouses,Armazéns @@ -3114,13 +3266,14 @@ Will be updated when batched.,Será atualizado quando agrupadas. Will be updated when billed.,Será atualizado quando faturado. Wire Transfer,por transferência bancária With Operations,Com Operações -With period closing entry,Com a entrada de encerramento do período +With Period Closing Entry,Com a entrada do período de encerramento Work Details,Detalhes da Obra Work Done,Trabalho feito Work In Progress,Trabalho em andamento Work-in-Progress Warehouse,Armazém Work-in-Progress Work-in-Progress Warehouse is required before Submit,Trabalho em andamento Warehouse é necessário antes de Enviar Working,Trabalhando +Working Days,Dias de Trabalho Workstation,Estação de Trabalho Workstation Name,Nome da Estação de Trabalho Write Off Account,Eliminar Conta @@ -3136,9 +3289,6 @@ Year Closed,Ano Encerrado Year End Date,Data de Fim de Ano Year Name,Nome do Ano Year Start Date,Data de início do ano -Year Start Date and Year End Date are already set in Fiscal Year {0},Ano Data de Início e Fim de Ano Data já estão definidos no ano fiscal de {0} -Year Start Date and Year End Date are not within Fiscal Year.,Ano Data de Início e Fim de Ano Data não estão dentro de Ano Fiscal. -Year Start Date should not be greater than Year End Date,Ano Data de início não deve ser maior do que o Fim de Ano Data Year of Passing,Ano de Passagem Yearly,Anual Yes,Sim @@ -3148,7 +3298,6 @@ You are the Expense Approver for this record. Please Update the 'Status' and Sav You are the Leave Approver for this record. Please Update the 'Status' and Save,Você é o Leave aprovador para esse registro. Atualize o 'Estado' e salvar You can enter any date manually,Você pode entrar qualquer data manualmente You can enter the minimum quantity of this item to be ordered.,Você pode inserir a quantidade mínima deste item a ser encomendada. -You can not assign itself as parent account,Você não pode atribuir -se como conta principal You can not change rate if BOM mentioned agianst any item,Você não pode alterar a taxa de se BOM mencionado agianst qualquer item You can not enter both Delivery Note No and Sales Invoice No. Please enter any one.,Você não pode entrar tanto de entrega Nota Não e Vendas fatura Não. Por favor entrar em qualquer um. You can not enter current voucher in 'Against Journal Voucher' column,Você não pode entrar comprovante atual em ' Contra Jornal Vale ' coluna @@ -3160,7 +3309,6 @@ You cannot credit and debit same account at the same time,Você não pode de cr You have entered duplicate items. Please rectify and try again.,"Você digitou itens duplicados . Por favor, corrigir e tentar novamente." You may need to update: {0},Você pode precisar atualizar : {0} You must Save the form before proceeding,Você deve salvar o formulário antes de continuar -You must allocate amount before reconcile,Você deve alocar o valor antes de reconciliação Your Customer's TAX registration numbers (if applicable) or any general information,Os números de inscrição fiscal do seu Cliente (se aplicável) ou qualquer outra informação geral Your Customers,seus Clientes Your Login Id,Seu ID de login @@ -3173,11 +3321,13 @@ Your sales person who will contact the customer in future,Seu vendedor que entra Your sales person will get a reminder on this date to contact the customer,Seu vendedor receberá um lembrete nesta data para contatar o cliente Your setup is complete. Refreshing...,Sua configuração está concluída. Atualizando ... Your support email id - must be a valid email - this is where your emails will come!,O seu E-mail de suporte - deve ser um e-mail válido - este é o lugar de onde seus e-mails virão! +[Error],[Erro] [Select],[ Select] `Freeze Stocks Older Than` should be smaller than %d days.,` Stocks Congelar Mais velho do que ` deve ser menor que %d dias . and,e are not allowed.,não são permitidos. assigned by,atribuído pela +cannot be greater than 100,não pode ser maior do que 100 "e.g. ""Build tools for builders""","por exemplo ""Construa ferramentas para os construtores """ "e.g. ""MC""","por exemplo "" MC """ "e.g. ""My Company LLC""","por exemplo "" My Company LLC""" @@ -3190,32 +3340,34 @@ example: Next Day Shipping,exemplo: Next Day envio lft,esq. old_parent,old_parent rgt,dir. +subject,sujeito +to,para website page link,link da página do site {0} '{1}' not in Fiscal Year {2},{0} '{1}' não no ano fiscal de {2} {0} Credit limit {0} crossed,{0} Limite de crédito {0} atravessou {0} Serial Numbers required for Item {0}. Only {0} provided.,{0} números de série necessários para item {0}. Apenas {0} fornecida . {0} budget for Account {1} against Cost Center {2} will exceed by {3},{0} orçamento para conta {1} contra Centro de Custo {2} excederá por {3} +{0} can not be negative,{0} não pode ser negativo {0} created,{0} criado {0} does not belong to Company {1},{0} não pertence à empresa {1} {0} entered twice in Item Tax,{0} entrou duas vezes em Imposto item {0} is an invalid email address in 'Notification Email Address',{0} é um endereço de e-mail inválido em ' Notificação de E-mail ' {0} is mandatory,{0} é obrigatório {0} is mandatory for Item {1},{0} é obrigatório para item {1} +{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} é obrigatório. Talvez recorde Câmbios não é criado para {1} de {2}. {0} is not a stock Item,{0} não é um item de estoque {0} is not a valid Batch Number for Item {1},{0} não é um número de lote válido por item {1} -{0} is not a valid Leave Approver,{0} não é uma licença válida Aprovador +{0} is not a valid Leave Approver. Removing row #{1}.,{0} não é uma licença Approver válido. Remoção de linha # {1}. {0} is not a valid email id,{0} não é um ID de e-mail válido {0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,"{0} é agora o padrão Ano Fiscal. Por favor, atualize seu navegador para que a alteração tenha efeito." {0} is required,{0} é necessária {0} must be a Purchased or Sub-Contracted Item in row {1},{0} deve ser um item comprado ou subcontratadas na linha {1} -{0} must be less than or equal to {1},{0} tem de ser inferior ou igual a {1} +{0} must be reduced by {1} or you should increase overflow tolerance,{0} deve ser reduzido em {1} ou você deve aumentar a tolerância ao excesso {0} must have role 'Leave Approver',{0} deve ter papel ' Leave aprovador ' {0} valid serial nos for Item {1},{0} N º s de série válido para o item {1} {0} {1} against Bill {2} dated {3},{0} {1} contra Bill {2} {3} datado {0} {1} against Invoice {2},{0} {1} contra Invoice {2} {0} {1} has already been submitted,{0} {1} já foi apresentado -{0} {1} has been modified. Please Refresh,{0} {1} foi modificado . Refresca -{0} {1} has been modified. Please refresh,{0} {1} foi modificado . Refresca {0} {1} has been modified. Please refresh.,"{0} {1} foi modificado . Por favor, atualize ." {0} {1} is not submitted,{0} {1} não for apresentado {0} {1} must be submitted,{0} {1} deve ser apresentado @@ -3223,3 +3375,5 @@ website page link,link da página do site {0} {1} status is 'Stopped',{0} {1} status é ' parado ' {0} {1} status is Stopped,{0} {1} status é parado {0} {1} status is Unstopped,{0} {1} status é abrirão +{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Centro de Custo é obrigatória para item {2} +{0}: {1} not found in Invoice Details table,{0}: {1} não foi encontrado na fatura Detalhes Mesa diff --git a/erpnext/translations/pt.csv b/erpnext/translations/pt.csv index fcd2637ddb..5af9bc72e4 100644 --- a/erpnext/translations/pt.csv +++ b/erpnext/translations/pt.csv @@ -14,7 +14,6 @@ % of materials delivered against this Sales Order,% Dos materiais entregues contra esta Ordem de Vendas % of materials ordered against this Material Request,% De materiais ordenou contra este pedido se % of materials received against this Purchase Order,% Do material recebido contra esta Ordem de Compra -%(conversion_rate_label)s is mandatory. Maybe Currency Exchange record is not created for %(from_currency)s to %(to_currency)s,% ( conversion_rate_label ) s is verplicht. Misschien Valutawissel record is niet gemaakt voor % ( from_currency ) s naar% ( to_currency ) s 'Actual Start Date' can not be greater than 'Actual End Date',' Real data de início ' não pode ser maior que ' Actual Data Final ' 'Based On' and 'Group By' can not be same,'Baseado ' e ' Grupo por ' não pode ser o mesmo 'Days Since Last Order' must be greater than or equal to zero,' Dias desde a última Ordem deve ser maior ou igual a zero @@ -30,11 +29,35 @@ 'Update Stock' for Sales Invoice {0} must be set,"'Atualizar Estoque ""para vendas Invoice {0} deve ser definido" * Will be calculated in the transaction.,* Será calculado na transação. "1 Currency = [?] Fraction -For e.g. 1 USD = 100 Cent",1 Moeda = [?] Fração \ nPor exemplo +For e.g. 1 USD = 100 Cent","1 Moeda = [?] Fração + Por exemplo 1 USD = 100 Cent" 1. To maintain the customer wise item code and to make them searchable based on their code use this option,1. Para manter o cliente código do item sábio e para torná-los pesquisáveis ​​com base em seu código usar esta opção "Add / Edit"," toevoegen / bewerken < / a>" "Add / Edit"," toevoegen / bewerken < / a>" "Add / Edit"," toevoegen / bewerken < / a>" +"

Default Template

+

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

+
{{ address_line1 }}<br>
+{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}
+{{ city }}<br>
+{% if state %}{{ state }}<br>{% endif -%}
+{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}
+{{ country }}<br>
+{% if phone %}Phone: {{ phone }}<br>{% endif -%}
+{% if fax %}Fax: {{ fax }}<br>{% endif -%}
+{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
+
","

modelo padrão +

Usa Jinja Templating e todos os campos de Endereço ( incluindo campos personalizados se houver) estará disponível +

  {{}} address_line1 
+ {% if address_line2%} {{}} address_line2
{ endif% -%} + {{cidade}}
+ {% if%} Estado {{estado}} {% endif
-%} + {% if pincode%} PIN: {{}} pincode
{% endif -%} + {{país}}
+ {% if%} telefone Telefone: {{telefone}} {
endif% -%} + {% if%} fax Fax: {{fax}} {% endif
-%} + {% if% email_id} E-mail: {{}} email_id
, {% endif -%} + " A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Um grupo de clientes existente com o mesmo nome, por favor altere o nome do cliente ou renomear o grupo de clientes" A Customer exists with same name,Um cliente existe com mesmo nome A Lead with this email id should exist,Um chumbo com esse ID de e-mail deve existir @@ -44,7 +67,6 @@ A symbol for this currency. For e.g. $,Um símbolo para esta moeda. Por exemplo: AMC Expiry Date,AMC Data de Validade Abbr,Abbr Abbreviation cannot have more than 5 characters,Abreviatura não pode ter mais de 5 caracteres -About,Sobre Above Value,Acima de Valor Absent,Ausente Acceptance Criteria,Critérios de Aceitação @@ -59,6 +81,8 @@ Account Details,Detalhes da conta Account Head,Chefe conta Account Name,Nome da conta Account Type,Tipo de conta +"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Saldo já em crédito, você não tem permissão para definir 'saldo deve ser' como 'débito'" +"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Saldo já em débito, você não tem permissão para definir 'saldo deve ser' como 'crédito'" Account for the warehouse (Perpetual Inventory) will be created under this Account.,Rekening voor het magazijn ( Perpetual Inventory ) wordt aangemaakt onder deze account . Account head {0} created,Cabeça Conta {0} criado Account must be a balance sheet account,Conta deve ser uma conta de balanço @@ -68,13 +92,20 @@ Account with existing transaction can not be deleted,Conta com a transação exi Account with existing transaction cannot be converted to ledger,Conta com a transação existente não pode ser convertido em livro Account {0} cannot be a Group,Conta {0} não pode ser um grupo Account {0} does not belong to Company {1},Conta {0} não pertence à empresa {1} +Account {0} does not belong to company: {1},Conta {0} não pertence à empresa: {1} Account {0} does not exist,Conta {0} não existe Account {0} has been entered more than once for fiscal year {1},Conta {0} foi inserido mais de uma vez para o ano fiscal {1} Account {0} is frozen,Conta {0} está congelado Account {0} is inactive,Conta {0} está inativo +Account {0} is not valid,Conta {0} não é válido Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item,"Conta {0} deve ser do tipo "" Ativo Fixo "" como item {1} é um item de ativos" +Account {0}: Parent account {1} can not be a ledger,Conta {0}: conta Parent {1} não pode ser um livro +Account {0}: Parent account {1} does not belong to company: {2},Conta {0}: conta Parent {1} não pertence à empresa: {2} +Account {0}: Parent account {1} does not exist,Conta {0}: conta Parent {1} não existe +Account {0}: You can not assign itself as parent account,Conta {0}: Você não pode atribuir-se como conta principal "Account: {0} can only be updated via \ - Stock Transactions",Conta: {0} só pode ser atualizado via \ \ n Stock Transações + Stock Transactions","Conta: {0} só pode ser atualizado através de \ + operações com ações" Accountant,contador Accounting,Contabilidade "Accounting Entries can be made against leaf nodes, called","Boekingen kunnen worden gemaakt tegen leaf nodes , genaamd" @@ -124,6 +155,7 @@ Address Details,Detalhes de endereço Address HTML,Abordar HTML Address Line 1,Endereço Linha 1 Address Line 2,Endereço Linha 2 +Address Template,Modelo de endereço Address Title,Título endereço Address Title is mandatory.,Endereço de título é obrigatório. Address Type,Tipo de endereço @@ -144,7 +176,6 @@ Against Docname,Contra docName Against Doctype,Contra Doctype Against Document Detail No,Contra Detalhe documento n Against Document No,Contra documento n -Against Entries,contra Entradas Against Expense Account,Contra a conta de despesas Against Income Account,Contra Conta Renda Against Journal Voucher,Contra Vale Jornal @@ -180,10 +211,8 @@ All Territories,Todos os Territórios "All export related fields like currency, conversion rate, export total, export grand total etc are available in Delivery Note, POS, Quotation, Sales Invoice, Sales Order etc.","Todas as exportações campos relacionados, como moeda, taxa de conversão , a exportação total, a exportação total etc estão disponíveis na nota de entrega , POS, Cotação , Vendas fatura , Ordem de vendas etc" "All import related fields like currency, conversion rate, import total, import grand total etc are available in Purchase Receipt, Supplier Quotation, Purchase Invoice, Purchase Order etc.","Todos os campos de importação relacionados, como moeda , taxa de conversão total de importação , importação total etc estão disponíveis no Recibo de compra , fornecedor de cotação , factura de compra , ordem de compra , etc" All items have already been invoiced,Todos os itens já foram faturados -All items have already been transferred for this Production Order.,Todos os itens já foram transferidos para esta ordem de produção . All these items have already been invoiced,Todos esses itens já foram faturados Allocate,Distribuir -Allocate Amount Automatically,Alocar o valor automaticamente Allocate leaves for a period.,Alocar folhas por um período . Allocate leaves for the year.,Alocar folhas para o ano. Allocated Amount,Montante afectado @@ -204,13 +233,13 @@ Allow Users,Permitir que os usuários Allow the following users to approve Leave Applications for block days.,Permitir que os seguintes usuários para aprovar Deixe Applications para os dias de bloco. Allow user to edit Price List Rate in transactions,Permitir ao usuário editar Lista de Preços Taxa em transações Allowance Percent,Percentual subsídio -Allowance for over-delivery / over-billing crossed for Item {0},Provisão para over- entrega / sobre- faturamento cruzou para item {0} +Allowance for over-{0} crossed for Item {1},Provisão para over-{0} cruzou para item {1} +Allowance for over-{0} crossed for Item {1}.,Provisão para over-{0} cruzou para item {1}. Allowed Role to Edit Entries Before Frozen Date,Toegestaan ​​Rol te bewerken items voor Frozen Datum Amended From,Alterado De Amount,Quantidade Amount (Company Currency),Amount (Moeda Company) -Amount <=,Quantidade <= -Amount >=,Quantidade> = +Amount Paid,Valor pago Amount to Bill,Neerkomen op Bill An Customer exists with same name,Existe um cliente com o mesmo nome "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 mudar o nome do grupo de itens" @@ -260,6 +289,7 @@ As per Stock UOM,Como por Banco UOM Asset,ativos Assistant,assistente Associate,associado +Atleast one of the Selling or Buying must be selected,Pelo menos um dos que vendem ou compram deve ser selecionado Atleast one warehouse is mandatory,Pelo menos um armazém é obrigatório Attach Image,anexar imagem Attach Letterhead,anexar timbrado @@ -319,6 +349,7 @@ Balance for Account {0} must always be {1},Saldo Conta {0} deve ser sempre {1} Balance must be,Equilíbrio deve ser "Balances of Accounts of type ""Bank"" or ""Cash""","Saldos das contas do tipo "" Banco"" ou ""Cash """ Bank,Banco +Bank / Cash Account,Banco / Conta Caixa Bank A/C No.,Bank A / C N º Bank Account,Conta bancária Bank Account No.,Banco Conta N º @@ -397,18 +428,24 @@ Budget Distribution Details,Distribuição Detalhes Orçamento Budget Variance Report,Relatório Variance Orçamento Budget cannot be set for Group Cost Centers,Orçamento não pode ser definido por centros de custo do grupo Build Report,Build Report -Built on,construído sobre Bundle items at time of sale.,Bundle itens no momento da venda. Business Development Manager,Gerente de Desenvolvimento de Negócios Buying,Comprar Buying & Selling,Compra e Venda Buying Amount,Comprar Valor Buying Settings,Comprar Configurações +"Buying must be checked, if Applicable For is selected as {0}","Compra deve ser verificada, se for caso disso for selecionado como {0}" C-Form,C-Form C-Form Applicable,C-Form Aplicável C-Form Invoice Detail,C-Form Detalhe Fatura C-Form No,C-Forma Não C-Form records,C -Form platen +CENVAT Capital Goods,CENVAT Bens de Capital +CENVAT Edu Cess,CENVAT Edu Cess +CENVAT SHE Cess,CENVAT SHE Cess +CENVAT Service Tax,CENVAT Imposto sobre Serviços +CENVAT Service Tax Cess 1,CENVAT Imposto sobre Serviços Cess 1 +CENVAT Service Tax Cess 2,CENVAT Imposto sobre Serviços Cess 2 Calculate Based On,Calcule Baseado em Calculate Total Score,Calcular a pontuação total Calendar Events,Calendário de Eventos @@ -432,7 +469,7 @@ Cannot approve leave as you are not authorized to approve leaves on Block Dates, Cannot cancel because Employee {0} is already approved for {1},Não pode cancelar porque Employee {0} já está aprovado para {1} Cannot cancel because submitted Stock Entry {0} exists,Não pode cancelar por causa da entrada submetido {0} existe Cannot carry forward {0},Não é possível levar adiante {0} -Cannot change Year Start Date and Year End Date once the Fiscal Year is saved.,Kan Jaar Start datum en jaar Einddatum zodra het boekjaar wordt opgeslagen niet wijzigen . +Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,Não é possível alterar o Ano Fiscal Data de Início e Data de Fim Ano Fiscal uma vez que o Ano Fiscal é salvo. "Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Não é possível alterar a moeda padrão da empresa, porque existem operações existentes. Transações devem ser canceladas para alterar a moeda padrão." Cannot convert Cost Center to ledger as it has child nodes,"Não é possível converter Centro de Custo de contabilidade , uma vez que tem nós filhos" Cannot covert to Group because Master Type or Account Type is selected.,Não é possível converter ao Grupo porque Type Master ou Tipo de Conta é selecionado. @@ -441,7 +478,7 @@ Cannot deactive or cancle BOM as it is linked with other BOMs,"Não pode desativ 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' "Cannot delete Serial No {0} in stock. First remove from stock, then delete.","Não é possível excluir Sem Serial {0} em estoque. Primeiro retire do estoque , em seguida, exclua ." "Cannot directly set amount. For 'Actual' charge type, use the rate field","Não é possível definir diretamente montante. Para ' Actual ' tipo de carga , use o campo taxa" -"Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in 'Setup' > 'Global Defaults'","Não pode overbill para item {0} na linha {0} mais de {1}. Para permitir o superfaturamento , defina em ""Setup"" > "" padrões globais """ +"Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in Stock Settings","Não pode overbill para item {0} na linha {0} mais de {1}. Para permitir o superfaturamento, defina no Banco Configurações" Cannot produce more Item {0} than Sales Order quantity {1},Não é possível produzir mais item {0} do que a quantidade Ordem de Vendas {1} Cannot refer row number greater than or equal to current row number for this Charge type,Não é possível consultar número da linha superior ou igual ao número da linha atual para este tipo de carga Cannot return more than {0} for Item {1},Não pode retornar mais de {0} para {1} item @@ -504,6 +541,8 @@ Click on a link to get options to expand get options , Client,Cliente Close Balance Sheet and book Profit or Loss.,Sluiten Balans en boek Winst of verlies . Closed,Fechado +Closing (Cr),Fechamento (Cr) +Closing (Dr),Fechamento (Dr) Closing Account Head,Fechando Chefe Conta Closing Account {0} must be of type 'Liability',Fechando Conta {0} deve ser do tipo ' responsabilidade ' Closing Date,Data de Encerramento @@ -514,7 +553,9 @@ CoA Help,Ajuda CoA Code,Código Cold Calling,Cold Calling Color,Cor +Column Break,Quebra de coluna Comma separated list of email addresses,Lista separada por vírgulas de endereços de e-mail +Comment,Comentário Comments,Comentários Commercial,comercial Commission,comissão @@ -599,7 +640,6 @@ Cosmetics,Cosméticos Cost Center,Centro de Custos Cost Center Details,Custo Detalhes Centro Cost Center Name,Custo Nome Centro -Cost Center is mandatory for Item {0},Centro de Custo é obrigatória para item {0} Cost Center is required for 'Profit and Loss' account {0},"Centro de custo é necessário para "" Lucros e Perdas "" conta {0}" Cost Center is required in row {0} in Taxes table for type {1},Centro de Custo é necessária na linha {0} no Imposto de mesa para o tipo {1} Cost Center with existing transactions can not be converted to group,Centro de custo com as operações existentes não podem ser convertidos em grupo @@ -609,6 +649,7 @@ Cost of Goods Sold,Custo dos Produtos Vendidos Costing,Custeio Country,País Country Name,Nome do País +Country wise default Address Templates,Modelos País default sábio endereço "Country, Timezone and Currency","Country , Tijdzone en Valuta" Create Bank Voucher for the total salary paid for the above selected criteria,Criar Vale do Banco Mundial para o salário total pago para os critérios acima selecionados Create Customer,Maak de klant @@ -662,10 +703,12 @@ Customer (Receivable) Account,Cliente (receber) Conta Customer / Item Name,Cliente / Nome do item Customer / Lead Address,Klant / Lead Adres Customer / Lead Name,Cliente / Nome de chumbo +Customer > Customer Group > Territory,Cliente> Grupo Cliente> Território Customer Account Head,Cliente Cabeça Conta Customer Acquisition and Loyalty,Klantenwerving en Loyalty Customer Address,Endereço do cliente Customer Addresses And Contacts,Endereços e contatos de clientes +Customer Addresses and Contacts,Endereços de Clientes e Contactos Customer Code,Código Cliente Customer Codes,Códigos de clientes Customer Details,Detalhes do cliente @@ -727,6 +770,8 @@ Deduction1,Deduction1 Deductions,Deduções Default,Omissão Default Account,Conta Padrão +Default Address Template cannot be deleted,Template endereço padrão não pode ser excluído +Default Amount,Quantidade padrão Default BOM,BOM padrão Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,Conta padrão Banco / Cash será atualizado automaticamente na fatura POS quando este modo for selecionado. Default Bank Account,Conta Bancária Padrão @@ -734,7 +779,6 @@ Default Buying Cost Center,Compra Centro de Custo Padrão Default Buying Price List,Standaard Buying Prijslijst Default Cash Account,Conta Caixa padrão Default Company,Empresa padrão -Default Cost Center for tracking expense for this item.,Centro de Custo padrão para controle de despesas para este item. Default Currency,Moeda padrão Default Customer Group,Grupo de Clientes padrão Default Expense Account,Conta Despesa padrão @@ -761,6 +805,7 @@ Default settings for selling transactions.,As configurações padrão para a ven Default settings for stock transactions.,As configurações padrão para transações com ações . Defense,defesa "Define Budget for this Cost Center. To set budget action, see
Company Master","Definir Orçamento para este Centro de Custo. Para definir ação do orçamento, consulte Mestre Empresa" +Del,Del Delete,Excluir Delete {0} {1}?,Excluir {0} {1} ? Delivered,Entregue @@ -809,6 +854,7 @@ Discount (%),Desconto (%) Discount Amount,Montante do Desconto "Discount Fields will be available in Purchase Order, Purchase Receipt, Purchase Invoice","Campos de desconto estará disponível em Ordem de Compra, Recibo de Compra, Nota Fiscal de Compra" Discount Percentage,Percentagem de Desconto +Discount Percentage can be applied either against a Price List or for all Price List.,Percentual de desconto pode ser aplicado contra uma lista de preços ou para todos Lista de Preços. Discount must be less than 100,Desconto deve ser inferior a 100 Discount(%),Desconto (%) Dispatch,expedição @@ -841,7 +887,8 @@ Download Template,Baixe Template Download a report containing all raw materials with their latest inventory status,Baixe um relatório contendo todas as matérias-primas com o seu estado mais recente inventário "Download the Template, fill appropriate data and attach the modified file.","Baixe o modelo , preencha os dados apropriados e anexe o arquivo modificado." "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","Baixe o modelo , preencha os dados apropriados e anexe o arquivo modificado. \ NTodas datas e combinação de funcionários no período selecionado virá no modelo, com registros de freqüência existentes" +All dates and employee combination in the selected period will come in the template, with existing attendance records","Baixe o modelo, preencha os dados apropriados e anexe o arquivo modificado. + Todas as datas e combinação empregado no período selecionado virá no modelo, com registros de freqüência existentes" Draft,Rascunho Dropbox,Dropbox Dropbox Access Allowed,Dropbox acesso permitido @@ -863,6 +910,9 @@ Earning & Deduction,Ganhar & Dedução Earning Type,Ganhando Tipo Earning1,Earning1 Edit,Editar +Edu. Cess on Excise,Edu. Cess em impostos indiretos +Edu. Cess on Service Tax,Edu. Cess em Imposto sobre Serviços +Edu. Cess on TDS,Edu. Cess em TDS Education,educação Educational Qualification,Qualificação Educacional Educational Qualification Details,Detalhes educacionais de qualificação @@ -937,16 +987,27 @@ Enter url parameter for receiver nos,Digite o parâmetro url para nn receptor Entertainment & Leisure,Entretenimento & Lazer Entertainment Expenses,despesas de representação Entries,Entradas -Entries against,inzendingen tegen +Entries against , Entries are not allowed against this Fiscal Year if the year is closed.,Entradas não são permitidos contra este Ano Fiscal se o ano está fechada. -Entries before {0} are frozen,Entradas antes {0} são congelados Equity,equidade Error: {0} > {1},Erro: {0} > {1} Estimated Material Cost,Custo de Material estimada +"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Mesmo se houver várias regras de preços com maior prioridade, então seguintes prioridades internas são aplicadas:" Everyone can read,Todo mundo pode ler "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.","Exemplo: . ABCD # # # # # \ nSe série está definido e número de série não é mencionado em transações , então o número de série automático será criado com base nessa série." +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.",". Exemplo: ABCD # # # # # + Se série está definido e número de série não é mencionado em transações, número de série, então automático será criado com base nessa série. Se você sempre quis mencionar explicitamente os números de ordem para este item. deixe em branco." Exchange Rate,Taxa de Câmbio +Excise Duty 10,Impostos Especiais de Consumo 10 +Excise Duty 14,Impostos Especiais de Consumo 14 +Excise Duty 4,Excise Duty 4 +Excise Duty 8,Excise Duty 8 +Excise Duty @ 10,Impostos Especiais de Consumo @ 10 +Excise Duty @ 14,Impostos Especiais de Consumo @ 14 +Excise Duty @ 4,Impostos Especiais de Consumo @ 4 +Excise Duty @ 8,Impostos Especiais de Consumo @ 8 +Excise Duty Edu Cess 2,Impostos Especiais de Consumo Edu Cess 2 +Excise Duty SHE Cess 1,Impostos Especiais de Consumo SHE Cess 1 Excise Page Number,Número de página especial sobre o consumo Excise Voucher,Vale especiais de consumo Execution,execução @@ -965,6 +1026,7 @@ Expected Delivery Date cannot be before Sales Order Date,Previsão de Entrega A Expected End Date,Data final esperado Expected Start Date,Data de Início do esperado Expense,despesa +Expense / Difference account ({0}) must be a 'Profit or Loss' account,Despesa conta / Diferença ({0}) deve ser um 'resultados' conta Expense Account,Conta Despesa Expense Account is mandatory,Conta de despesa é obrigatória Expense Claim,Relatório de Despesas @@ -1015,12 +1077,16 @@ Finished Goods,afgewerkte producten First Name,Nome First Responded On,Primeiro respondeu em Fiscal Year,Exercício fiscal +Fiscal Year Start Date and Fiscal Year End Date are already set in Fiscal Year {0},Ano Fiscal Data de Início e Término do Exercício Social Data já estão definidos no ano fiscal de {0} +Fiscal Year Start Date and Fiscal Year End Date cannot be more than a year apart.,Ano Fiscal Data de Início e Término do Exercício Social Data não pode ter mais do que um ano de intervalo. +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 Fixed Asset,ativos Fixos Fixed Assets,Imobilizado Follow via Email,Siga por e-mail "Following table will show values if items are sub - contracted. These values will be fetched from the master of ""Bill of Materials"" of sub - contracted items.",Após tabela mostrará valores se os itens são sub - contratada. Estes valores serão obtidos a partir do mestre de "Bill of Materials" de sub - itens contratados. Food,comida "Food, Beverage & Tobacco","Alimentos, Bebidas e Fumo" +"For 'Sales BOM' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Sales BOM' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Para os itens de vendas 'BOM', Armazém, N º de Série e Batch Não será considerada a partir da tabela ""Packing List"". Se Warehouse e Batch Não são as mesmas para todos os itens de embalagem para qualquer item 'Vendas BOM', esses valores podem ser inseridos na tabela do item principal, os valores serão copiados para a tabela ""Packing List""." For Company,Para a Empresa For Employee,Para Empregado For Employee Name,Para Nome do Funcionário @@ -1050,7 +1116,9 @@ From Currency and To Currency cannot be same,De Moeda e Para Moeda não pode ser From Customer,Do Cliente From Customer Issue,Van Customer Issue From Date,A partir da data +From Date cannot be greater than To Date,A partir de data não pode ser maior que a Data From Date must be before To Date,A partir da data deve ser anterior a Data +From Date should be within the Fiscal Year. Assuming From Date = {0},A partir de data deve estar dentro do ano fiscal. Assumindo De Date = {0} From Delivery Note,De Nota de Entrega From Employee,De Empregado From Lead,De Chumbo @@ -1072,7 +1140,9 @@ Frozen Accounts Modifier,Bevroren rekeningen Modifikatie Fulfilled,Cumprido Full Name,Nome Completo Full-time,De tempo integral +Fully Billed,Totalmente Anunciado Fully Completed,Totalmente concluída +Fully Delivered,Totalmente entregue Furniture and Fixture,Móveis e utensílios Further accounts can be made under Groups but entries can be made against Ledger,"Outras contas podem ser feitas em grupos , mas as entradas podem ser feitas contra Ledger" "Further accounts can be made under Groups, but entries can be made against Ledger","Outras contas podem ser feitas em grupos , mas as entradas podem ser feitas contra Ledger" @@ -1090,7 +1160,6 @@ Generate Schedule,Gerar Agende Generates HTML to include selected image in the description,Gera HTML para incluir imagem selecionada na descrição Get Advances Paid,Obter adiantamentos pagos Get Advances Received,Obter adiantamentos recebidos -Get Against Entries,Obter Contra Entradas Get Current Stock,Obter Estoque atual Get Items,Obter itens Get Items From Sales Orders,Obter itens de Pedidos de Vendas @@ -1103,6 +1172,7 @@ Get Specification Details,Obtenha detalhes Especificação Get Stock and Rate,Obter Estoque e Taxa de Get Template,Obter modelo Get Terms and Conditions,Obter os Termos e Condições +Get Unreconciled Entries,Obter Unreconciled Entradas Get Weekly Off Dates,Obter semanal Datas Off "Get valuation rate and available stock at source/target warehouse on mentioned posting date-time. If serialized item, please press this button after entering serial nos.","Obter taxa de valorização e estoque disponível na origem / destino em armazém mencionado postagem data e hora. Se serializado item, prima este botão depois de entrar n º s de série." Global Defaults,Padrões globais @@ -1171,6 +1241,7 @@ Hour,hora Hour Rate,Taxa de hora Hour Rate Labour,A taxa de hora Hours,Horas +How Pricing Rule is applied?,Como regra de preços é aplicada? How frequently?,Com que freqüência? "How should this currency be formatted? If not set, will use system defaults","Como deve ser essa moeda ser formatado? Se não for definido, vai usar padrões do sistema" Human Resources,Recursos Humanos @@ -1187,12 +1258,15 @@ If different than customer address,Se diferente do endereço do cliente "If disable, 'Rounded Total' field will not be visible in any transaction","Se desativar, 'Arredondado Total "campo não será visível em qualquer transação" "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." If more than one package of the same type (for print),Se mais do que uma embalagem do mesmo tipo (por impressão) +"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." "If no change in either Quantity or Valuation Rate, leave the cell blank.","Als er geen wijziging optreedt Hoeveelheid of Valuation Rate , verlaat de cel leeg ." If not applicable please enter: NA,Se não for aplicável digite: NA "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." +"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 Preços selecionado é feita para 'Preço', ele irá substituir Lista de Preços. Preço Regra O preço é o preço final, de forma que nenhum desconto adicional deve ser aplicada. Assim, em operações como a ordem de venda, ordem de compra, etc, será buscado em campo 'Taxa', campo 'Lista de Preços Taxa de ""em vez de." "If specified, send the newsletter using this email address","Se especificado, enviar a newsletter usando esse endereço de e-mail" "If the account is frozen, entries are allowed to restricted users.","Als de account wordt gepauzeerd, blijven inzendingen mogen gebruikers met beperkte rechten ." "If this Account represents a Customer, Supplier or Employee, set it here.","Se essa conta representa um cliente, fornecedor ou funcionário, configurá-lo aqui." +"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Se duas ou mais regras de preços encontram-se com base nas condições acima, a prioridade é aplicada. A prioridade é um número entre 0 a 20, enquanto o valor padrão é zero (em branco). Número maior significa que ele terá precedência se houver várias regras de preços com as mesmas condições." If you follow Quality Inspection. Enables Item QA Required and QA No in Purchase Receipt,Se você seguir Inspeção de Qualidade . Permite item QA Obrigatório e QA Não no Recibo de compra If you have Sales Team and Sale Partners (Channel Partners) they can be tagged and maintain their contribution in the sales activity,Se você tiver Equipe de Vendas e Parceiros de Venda (Parceiros de Canal) podem ser marcadas e manter sua contribuição na atividade de vendas "If you have created a standard template in Purchase Taxes and Charges Master, select one and click on the button below.","Se você criou um modelo padrão no Imposto de Compra e Master Encargos, selecione um e clique no botão abaixo." @@ -1200,6 +1274,7 @@ If you have Sales Team and Sale Partners (Channel Partners) they can be tagged "If you have long print formats, this feature can be used to split the page to be printed on multiple pages with all headers and footers on each page","Se você tem muito tempo imprimir formatos, esse recurso pode ser usado para dividir a página a ser impressa em várias páginas com todos os cabeçalhos e rodapés em cada página" If you involve in manufacturing activity. Enables Item 'Is Manufactured',Se envolver em atividades de fabricação. Permite Item ' é fabricado ' Ignore,Ignorar +Ignore Pricing Rule,Ignorar regra de preços Ignored: ,Ignorados: Image,Imagem Image View,Ver imagem @@ -1236,8 +1311,9 @@ Income booked for the digest period,Renda reservado para o período digest Incoming,Entrada Incoming Rate,Taxa de entrada Incoming quality inspection.,Inspeção de qualidade de entrada. +Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Número incorreto de General Ledger Entries encontrado. Talvez você tenha selecionado uma conta de errado na transação. Incorrect or Inactive BOM {0} for Item {1} at row {2},Incorreto ou inativo BOM {0} para {1} item na linha {2} -Indicates that the package is a part of this delivery,Indica que o pacote é uma parte deste fornecimento +Indicates that the package is a part of this delivery (Only Draft),Indica que o pacote é uma parte desta entrega (Só Projecto) Indirect Expenses,Despesas Indiretas Indirect Income,Resultado indirecto Individual,Individual @@ -1263,6 +1339,7 @@ Intern,internar Internal,Interno Internet Publishing,Publishing Internet Introduction,Introdução +Invalid Barcode,Código de barras inválido Invalid Barcode or Serial No,Código de barras inválido ou Serial Não Invalid Mail Server. Please rectify and try again.,"Mail Server inválido . Por favor, corrigir e tentar novamente." Invalid Master Name,Ongeldige Master Naam @@ -1275,9 +1352,12 @@ Investments,Investimentos Invoice Date,Data da fatura Invoice Details,Detalhes da fatura Invoice No,A factura n º -Invoice Period From Date,Período fatura do Data +Invoice Number,Número da fatura +Invoice Period From,Fatura Período De Invoice Period From and Invoice Period To dates mandatory for recurring invoice,Fatura Período De e Período fatura para datas obrigatórias para fatura recorrentes -Invoice Period To Date,Período fatura para Data +Invoice Period To,Período fatura para +Invoice Type,Tipo de Fatura +Invoice/Journal Voucher Details,Factura / Jornal Vale detalhes Invoiced Amount (Exculsive Tax),Factuurbedrag ( Exculsive BTW ) Is Active,É Ativo Is Advance,É o avanço @@ -1308,6 +1388,7 @@ Item Advanced,Item Avançado Item Barcode,Código de barras do item Item Batch Nos,Lote n item Item Code,Código do artigo +Item Code > Item Group > Brand,Código do item> Item Grupo> Marca Item Code and Warehouse should already exist.,Item Code en Warehouse moet al bestaan ​​. Item Code cannot be changed for Serial No.,Item Code kan niet worden gewijzigd voor Serienummer Item Code is mandatory because Item is not automatically numbered,Código do item é obrigatório porque Item não é numerada automaticamente @@ -1319,6 +1400,7 @@ Item Details,Item Detalhes Item Group,Grupo Item Item Group Name,Nome do Grupo item Item Group Tree,Punt Groepsstructuur +Item Group not mentioned in item master for item {0},Grupo item não mencionado no mestre de item para item {0} Item Groups in Details,Grupos de itens em Detalhes Item Image (if not slideshow),Imagem item (se não slideshow) Item Name,Nome do item @@ -1389,7 +1471,8 @@ Item-wise Purchase Register,Item-wise Compra Register Item-wise Sales History,Item-wise Histórico de Vendas Item-wise Sales Register,Vendas de item sábios Registrar "Item: {0} managed batch-wise, can not be reconciled using \ - Stock Reconciliation, instead use Stock Entry","Item : {0} gerido por lotes , não podem ser reconciliadas usando \ \ n Stock Reconciliação , em vez usar Banco de Entrada" + Stock Reconciliation, instead use Stock Entry","Item: {0} gerido por lotes, não pode ser conciliada com \ + Banco de reconciliação, em vez usar Banco de Entrada" Item: {0} not found in the system,Item : {0} não foi encontrado no sistema Items,Itens Items To Be Requested,Items worden aangevraagd @@ -1492,6 +1575,7 @@ Loading...,Loading ... Loans (Liabilities),Empréstimos ( Passivo) Loans and Advances (Assets),Empréstimos e Adiantamentos (Ativo ) Local,local +Login,login Login with your new User ID,Log in met je nieuwe gebruikersnaam Logo,Logotipo Logo and Letter Heads,Logo en Letter Heads @@ -1536,6 +1620,7 @@ Make Maint. Schedule,Maken Maint . dienstregeling Make Maint. Visit,Maken Maint . bezoek Make Maintenance Visit,Maak Maintenance Visit Make Packing Slip,Maak pakbon +Make Payment,Efetuar pagamento Make Payment Entry,Betalen Entry Make Purchase Invoice,Maak inkoopfactuur Make Purchase Order,Maak Bestelling @@ -1545,8 +1630,10 @@ Make Salary Structure,Maak salarisstructuur Make Sales Invoice,Maak verkoopfactuur Make Sales Order,Maak klantorder Make Supplier Quotation,Maak Leverancier Offerte +Make Time Log Batch,Make Time Log Batch Male,Masculino Manage Customer Group Tree.,Gerenciar Grupo Cliente Tree. +Manage Sales Partners.,Gerenciar parceiros de vendas. Manage Sales Person Tree.,Gerenciar Vendas Pessoa Tree. Manage Territory Tree.,Gerenciar Árvore Território. Manage cost of operations,Gerenciar custo das operações @@ -1597,6 +1684,8 @@ Max 5 characters,Max 5 caracteres Max Days Leave Allowed,Dias Max Deixe admitidos Max Discount (%),Max Desconto (%) Max Qty,Max Qtde +Max discount allowed for item: {0} is {1}%,Max desconto permitido para o item: {0} é {1}% +Maximum Amount,Montante Máximo Maximum allowed credit is {0} days after posting date,Crédito máximo permitido é {0} dias após a data de publicação Maximum {0} rows allowed,Máximo de {0} linhas permitido Maxiumm discount for Item {0} is {1}%,Maxiumm desconto para item {0} {1} % @@ -1617,6 +1706,7 @@ Milestones will be added as Events in the Calendar,Marcos será adicionado como Min Order Qty,Min Qty Ordem Min Qty,min Qty Min Qty can not be greater than Max Qty,Qty mínimo não pode ser maior do que Max Qtde +Minimum Amount,Montante Mínimo Minimum Order Qty,Qtde mínima Minute,minuto Misc Details,Detalhes Diversos @@ -1626,7 +1716,6 @@ Mobile No,No móvel Mobile No.,Mobile No. Mode of Payment,Modo de Pagamento Modern,Moderno -Modified Amount,Quantidade modificado Monday,Segunda-feira Month,Mês Monthly,Mensal @@ -1643,7 +1732,8 @@ Mr,Sr. Ms,Ms Multiple Item prices.,Meerdere Artikelprijzen . "Multiple Price Rule exists with same criteria, please resolve \ - conflict by assigning priority. Price Rules: {0}","Várias Rule Preço existe com os mesmos critérios , por favor resolver \ \ n conflito , atribuindo prioridade." + conflict by assigning priority. Price Rules: {0}","Várias Rule Preço existe com os mesmos critérios, por favor resolver \ + conflito atribuindo prioridade. Regras Preço: {0}" Music,música Must be Whole Number,Deve ser Número inteiro Name,Nome @@ -1659,6 +1749,7 @@ Negative Valuation Rate is not allowed,Negativa Avaliação Taxa não é permiti Negative balance in Batch {0} for Item {1} at Warehouse {2} on {3} {4},Saldo negativo em lote {0} para {1} item no Armazém {2} em {3} {4} Net Pay,Pagamento Net Net Pay (in words) will be visible once you save the Salary Slip.,Pagamento líquido (em palavras) será visível quando você salvar a folha de salário. +Net Profit / Loss,Lucro / Prejuízo Líquido Net Total,Líquida Total Net Total (Company Currency),Total Líquido (Moeda Company) Net Weight,Peso Líquido @@ -1699,7 +1790,6 @@ Newsletter,Boletim informativo Newsletter Content,Conteúdo boletim Newsletter Status,Estado boletim Newsletter has already been sent,Boletim informativo já foi enviado -Newsletters is not allowed for Trial users,Newsletters não é permitido para usuários experimentais "Newsletters to contacts, leads.","Newsletters para contatos, leva." Newspaper Publishers,Editores de Jornais Next,próximo @@ -1721,6 +1811,7 @@ No Supplier Accounts found. Supplier Accounts are identified based on 'Master Ty No accounting entries for the following warehouses,Nenhuma entrada de contabilidade para os seguintes armazéns No addresses created,Geen adressen aangemaakt No contacts created,Geen contacten gemaakt +No default Address Template found. Please create a new one from Setup > Printing and Branding > Address Template.,"No modelo padrão Endereço encontrado. Por favor, crie um novo a partir de configuração> Impressão e Branding> modelo de endereço." No default BOM exists for Item {0},No BOM padrão existe para item {0} No description given,Sem descrição dada No employee found,Nenhum funcionário encontrado @@ -1730,6 +1821,8 @@ No of Sent SMS,N º de SMS enviados No of Visits,N º de Visitas No permission,Sem permissão No record found,Nenhum registro encontrado +No records found in the Invoice table,Nenhum registro encontrado na tabela de fatura +No records found in the Payment table,Nenhum registro encontrado na tabela de pagamento No salary slip found for month: ,Sem folha de salário encontrado para o mês: Non Profit,sem Fins Lucrativos Nos,Nos @@ -1739,7 +1832,7 @@ Not Available,niet beschikbaar Not Billed,Não faturado Not Delivered,Não entregue Not Set,niet instellen -Not allowed to update entries older than {0},Não permitido para atualizar as entradas mais velho do que {0} +Not allowed to update stock transactions older than {0},Não é permitido atualizar transações com ações mais velho do que {0} Not authorized to edit frozen Account {0},Não autorizado para editar conta congelada {0} Not authroized since {0} exceeds limits,Não authroized desde {0} excede os limites Not permitted,não é permitido @@ -1780,7 +1873,6 @@ Only the selected Leave Approver can submit this Leave Application,Somente o Lea Open,Abrir Open Production Orders,Open productieorders Open Tickets,Bilhetes abertas -Open source ERP built for the web,ERP de código aberto construído para a web Opening (Cr),Abertura (Cr) Opening (Dr),Abertura (Dr) Opening Date,Data de abertura @@ -1805,7 +1897,7 @@ Opportunity Lost,Oportunidade perdida Opportunity Type,Tipo de Oportunidade Optional. This setting will be used to filter in various transactions.,Optioneel. Deze instelling wordt gebruikt om te filteren op diverse transacties . Order Type,Tipo de Ordem -Order Type must be one of {1},Tipo de Ordem deve ser uma das {1} +Order Type must be one of {0},Tipo de Ordem deve ser uma das {0} Ordered,bestelde Ordered Items To Be Billed,Itens ordenados a ser cobrado Ordered Items To Be Delivered,Itens ordenados a ser entregue @@ -1817,7 +1909,6 @@ Organization Name,Naam van de Organisatie Organization Profile,Perfil da Organização Organization branch master.,Mestre Organização ramo . Organization unit (department) master.,Organização unidade (departamento) mestre. -Original Amount,Valor original Other,Outro Other Details,Outros detalhes Others,outros @@ -1834,6 +1925,7 @@ Overlapping conditions found between:,Condições sobreposição encontradas ent Overview,Overzicht Owned,Possuído Owner,eigenaar +P L A - Cess Portion,PLA - Cess Parcela PL or BS,PL of BS PO Date,PO Datum PO No,PO Geen @@ -1846,7 +1938,6 @@ POS Setting required to make POS Entry,Setting POS obrigados a fazer POS Entry POS Setting {0} already created for user: {1} and company {2},POS Setting {0} já criado para o usuário : {1} e {2} empresa POS View,POS Ver PR Detail,Detalhe PR -PR Posting Date,PR Boekingsdatum Package Item Details,Item Detalhes do pacote Package Items,Itens do pacote Package Weight Details,Peso Detalhes do pacote @@ -1876,8 +1967,6 @@ Parent Sales Person,Vendas Pessoa pai Parent Territory,Território pai Parent Website Page,Pai site Página Parent Website Route,Pai site Route -Parent account can not be a ledger,Pai conta não pode ser um livro -Parent account does not exist,Pai conta não existe Parenttype,ParentType Part-time,De meio expediente Partially Completed,Parcialmente concluída @@ -1886,6 +1975,8 @@ Partly Delivered,Entregue em parte Partner Target Detail,Detalhe Alvo parceiro Partner Type,Tipo de parceiro Partner's Website,Site do parceiro +Party,Festa +Party Account,Conta Party Party Type,Tipo de Festa Party Type Name,Tipo Partido Nome Passive,Passiva @@ -1898,10 +1989,14 @@ Payables Group,Grupo de contas a pagar Payment Days,Datas de Pagamento Payment Due Date,Betaling Due Date Payment Period Based On Invoice Date,Betaling Periode Based On Factuurdatum +Payment Reconciliation,Reconciliação Pagamento +Payment Reconciliation Invoice,Reconciliação O pagamento da fatura +Payment Reconciliation Invoices,Facturas Reconciliação Pagamento +Payment Reconciliation Payment,Reconciliação Pagamento +Payment Reconciliation Payments,Pagamentos Reconciliação Pagamento Payment Type,betaling Type +Payment cannot be made for empty cart,O pagamento não pode ser feito para carrinho vazio Payment of salary for the month {0} and year {1},Pagamento de salário para o mês {0} e {1} ano -Payment to Invoice Matching Tool,Pagamento a ferramenta correspondente fatura -Payment to Invoice Matching Tool Detail,Pagamento a Detalhe Ferramenta fatura correspondente Payments,Pagamentos Payments Made,Pagamentos efetuados Payments Received,Pagamentos Recebidos @@ -1944,7 +2039,9 @@ Planning,planejamento Plant,Planta Plant and Machinery,Máquinas e instalações Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,Por favor insira Abreviação ou Nome Curto corretamente como ele será adicionado como sufixo a todos os chefes de Conta. +Please Update SMS Settings,Atualize Configurações SMS Please add expense voucher details,"Por favor, adicione despesas detalhes do voucher" +Please add to Modes of Payment from Setup.,"Por favor, adicione às formas de pagamento a partir de configuração." Please check 'Is Advance' against Account {0} if this is an advance entry.,"Por favor, verifique 'É Advance' contra Conta {0} se isso é uma entrada antecipadamente." Please click on 'Generate Schedule',"Por favor, clique em "" Gerar Agenda '" Please click on 'Generate Schedule' to fetch Serial No added for Item {0},"Por favor, clique em "" Gerar Cronograma ' para buscar Serial Sem adição de item {0}" @@ -1992,12 +2089,13 @@ Please enter valid Company Email,Por favor insira válido Empresa E-mail Please enter valid Email Id,"Por favor, indique -mail válido Id" Please enter valid Personal Email,"Por favor, indique -mail válido Pessoal" Please enter valid mobile nos,"Por favor, indique nn móveis válidos" +Please find attached Sales Invoice #{0},Segue em anexo Vendas Invoice # {0} Please install dropbox python module,"Por favor, instale o Dropbox módulo python" Please mention no of visits required,"Por favor, não mencione de visitas necessárias" Please pull items from Delivery Note,"Por favor, puxar itens de entrega Nota" Please save the Newsletter before sending,"Por favor, salve o Boletim informativo antes de enviar" Please save the document before generating maintenance schedule,Bewaar het document voordat het genereren van onderhoudsschema -Please select Account first,Selecteer Account eerste +Please see attachment,"Por favor, veja anexo" Please select Bank Account,Por favor seleccione Conta Bancária Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Por favor seleccione Carry Forward se você também quer incluir equilíbrio ano fiscal anterior deixa para este ano fiscal Please select Category first,Selecteer Categorie eerst @@ -2005,14 +2103,17 @@ Please select Charge Type first,Selecteer Charge Type eerste Please select Fiscal Year,Por favor seleccione o Ano Fiscal Please select Group or Ledger value,Selecione Grupo ou Ledger valor Please select Incharge Person's name,"Por favor, selecione o nome do Incharge Pessoa" +Please select Invoice Type and Invoice Number in atleast one row,Por favor seleccione fatura Tipo e número da fatura em pelo menos uma linha "Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Sales BOM","Por favor, selecione Item onde "" é Stock item "" é "" Não"" e "" é o item de vendas "" é ""Sim"" e não há nenhum outro BOM Vendas" Please select Price List,"Por favor, selecione Lista de Preço" Please select Start Date and End Date for Item {0},Por favor seleccione Data de início e data de término do item {0} +Please select Time Logs.,Por favor seleccione Tempo Logs. Please select a csv file,"Por favor, selecione um arquivo csv" Please select a valid csv file with data,"Por favor, selecione um arquivo csv com dados válidos" Please select a value for {0} quotation_to {1},Por favor seleccione um valor para {0} {1} quotation_to "Please select an ""Image"" first","Selecteer aub een "" beeld"" eerste" Please select charge type first,"Por favor, selecione o tipo de carga primeiro" +Please select company first,Por favor seleccione primeira empresa Please select company first.,Por favor seleccione primeira empresa. Please select item code,Por favor seleccione código do item Please select month and year,Selecione mês e ano @@ -2021,6 +2122,7 @@ Please select the document type first,"Por favor, selecione o tipo de documento Please select weekly off day,Por favor seleccione dia de folga semanal Please select {0},Por favor seleccione {0} Please select {0} first,Por favor seleccione {0} primeiro +Please select {0} first.,Por favor seleccione {0} primeiro. Please set Dropbox access keys in your site config,Defina teclas de acesso Dropbox em sua configuração local Please set Google Drive access keys in {0},Defina teclas de acesso do Google Drive em {0} 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} @@ -2047,6 +2149,7 @@ Postal,Postal Postal Expenses,despesas postais Posting Date,Data da Publicação Posting Time,Postagem Tempo +Posting date and posting time is mandatory,Data e postagem Posting tempo é obrigatório Posting timestamp must be after {0},Postando timestamp deve ser posterior a {0} Potential opportunities for selling.,Oportunidades potenciais para a venda. Preferred Billing Address,Preferred Endereço de Cobrança @@ -2073,8 +2176,10 @@ Price List not selected,Lista de Preço não selecionado Price List {0} is disabled,Preço de {0} está desativado Price or Discount,Preço ou desconto Pricing Rule,Regra de Preços -Pricing Rule For Discount,Preços Regra para desconto -Pricing Rule For Price,Preços regra para Preço +Pricing Rule Help,Regra Preços Ajuda +"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." +"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Regra de preços é feita para substituir Lista de Preços / define percentual de desconto, com base em alguns critérios." +Pricing Rules are further filtered based on quantity.,As regras de tarifação são ainda filtrados com base na quantidade. Print Format Style,Formato de impressão Estilo Print Heading,Imprimir título Print Without Amount,Imprimir Sem Quantia @@ -2102,7 +2207,9 @@ Production Plan Sales Orders,Vendas de produção do Plano de Ordens Production Planning Tool,Ferramenta de Planejamento da Produção Products,produtos "Products will be sorted by weight-age in default searches. More the weight-age, higher the product will appear in the list.","Os produtos serão classificados por peso-idade em buscas padrão. Mais o peso-idade, maior o produto irá aparecer na lista." +Professional Tax,Imposto Profissional Profit and Loss,Lucros e perdas +Profit and Loss Statement,Demonstração dos Resultados Project,Projeto Project Costing,Project Costing Project Details,Detalhes do projeto @@ -2125,7 +2232,9 @@ Projects & System,Projetos e Sistema Prompt for Email on Submission of,Solicitar-mail mediante a apresentação da Proposal Writing,Proposta Redação Provide email id registered in company,Fornecer ID e-mail registrado na empresa +Provisional Profit / Loss (Credit),Lucro Provisória / Loss (Crédito) Public,Público +Published on website at: {0},Publicado no site em: {0} Publishing,Publishing Pull sales orders (pending to deliver) based on the above criteria,Puxe pedidos de vendas pendentes (de entregar) com base nos critérios acima Purchase,Comprar @@ -2134,7 +2243,6 @@ Purchase Analytics,Analytics compra Purchase Common,Compre comum Purchase Details,Detalhes de compra Purchase Discounts,Descontos de compra -Purchase In Transit,Compre Em Trânsito Purchase Invoice,Compre Fatura Purchase Invoice Advance,Compra Antecipada Fatura Purchase Invoice Advances,Avanços comprar Fatura @@ -2142,7 +2250,6 @@ Purchase Invoice Item,Comprar item Fatura Purchase Invoice Trends,Compra Tendências fatura Purchase Invoice {0} is already submitted,Compra Invoice {0} já é submetido Purchase Order,Ordem de Compra -Purchase Order Date,Data da compra Ordem Purchase Order Item,Comprar item Ordem Purchase Order Item No,Comprar item Portaria n Purchase Order Item Supplied,Item da ordem de compra em actualização @@ -2206,7 +2313,6 @@ Quarter,Trimestre Quarterly,Trimestral Quick Help,Quick Help Quotation,Citação -Quotation Date,Data citação Quotation Item,Item citação Quotation Items,Itens cotação Quotation Lost Reason,Cotação Perdeu Razão @@ -2284,6 +2390,7 @@ Recurring Invoice,Fatura recorrente Recurring Type,Tipo recorrente Reduce Deduction for Leave Without Pay (LWP),Reduzir Dedução por licença sem vencimento (LWP) Reduce Earning for Leave Without Pay (LWP),Reduzir a Geração de Renda para sair sem pagar (LWP) +Ref,Ref Ref Code,Ref Código Ref SQ,Ref ² Reference,Referência @@ -2307,6 +2414,7 @@ Relieving Date,Aliviar Data Relieving Date must be greater than Date of Joining,Aliviar A data deve ser maior que Data de Juntando Remark,Observação Remarks,Observações +Remarks Custom,Observações Personalizado Rename,andere naam geven Rename Log,Renomeie Entrar Rename Tool,Renomear Ferramenta @@ -2322,6 +2430,7 @@ Report Type,Tipo de relatório Report Type is mandatory,Tipo de relatório é obrigatória Reports to,Relatórios para Reqd By Date,Reqd Por Data +Reqd by Date,Reqd por Data Request Type,Tipo de Solicitação Request for Information,Pedido de Informação Request for purchase.,Pedido de compra. @@ -2375,21 +2484,34 @@ Rounded Total,Total arredondado Rounded Total (Company Currency),Total arredondado (Moeda Company) Row # ,Linha # Row # {0}: , +Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,Row # {0}: qty ordenado pode não inferior a qty pedido mínimo do item (definido no mestre de item). +Row #{0}: Please specify Serial No for Item {1},Row # {0}: Favor especificar Sem Serial para item {1} "Row {0}: Account does not match with \ - Purchase Invoice Credit To account",Row {0} : Conta não coincide com \ \ n factura de compra de crédito para conta + Purchase Invoice Credit To account","Row {0}: Conta não corresponde com \ + Compra fatura de crédito para conta" "Row {0}: Account does not match with \ - Sales Invoice Debit To account",Row {0} : Conta não coincide com \ \ n vendas fatura de débito em conta + Sales Invoice Debit To account","Row {0}: Conta não corresponde com \ + Vendas fatura de débito em conta" +Row {0}: Conversion Factor is mandatory,Row {0}: Fator de Conversão é obrigatório Row {0}: Credit entry can not be linked with a Purchase Invoice,Row {0}: entrada de crédito não pode ser associada com uma fatura de compra Row {0}: Debit entry can not be linked with a Sales Invoice,Row {0}: lançamento de débito não pode ser associada com uma factura de venda +Row {0}: Payment amount must be less than or equals to invoice outstanding amount. Please refer Note below.,"Row {0}: Valor do pagamento deve ser menor ou igual a facturar montante em dívida. Por favor, consulte a nota abaixo." +Row {0}: Qty is mandatory,Row {0}: Quantidade é obrigatório +"Row {0}: Qty not avalable in warehouse {1} on {2} {3}. + Available Qty: {4}, Transfer Qty: {5}","Row {0}: Quantidade não avalable no armazém {1} em {2} {3}. + Disponível Qtde: {4}, Transferência Qtde: {5}" "Row {0}: To set {1} periodicity, difference between from and to date \ - must be greater than or equal to {2}","Fila {0} : Para definir {1} periodicidade , diferença entre a data de e \ \ n deve ser maior do que ou igual a {2}" + must be greater than or equal to {2}","Fila {0}: Para definir {1} periodicidade, diferença entre a data e a partir de \ + deve ser maior do que ou igual a {2}" Row {0}:Start Date must be before End Date,Row {0}: Data de início deve ser anterior a data de término Rules for adding shipping costs.,Regras para adicionar os custos de envio . Rules for applying pricing and discount.,Regras para aplicação de preços e de desconto. Rules to calculate shipping amount for a sale,Regras para calcular valor de frete para uma venda S.O. No.,S.O. Nee. +SHE Cess on Excise,SHE Cess em impostos indiretos +SHE Cess on Service Tax,SHE Cess em Imposto sobre Serviços +SHE Cess on TDS,SHE Cess em TDS SMS Center,SMS Center -SMS Control,SMS Controle SMS Gateway URL,SMS Gateway de URL SMS Log,SMS Log SMS Parameter,Parâmetro SMS @@ -2494,15 +2616,20 @@ Securities and Deposits,Títulos e depósitos "Select ""Yes"" if this item represents some work like training, designing, consulting etc.","Selecione "Sim" se esse item representa algum trabalho como treinamento, design, consultoria etc" "Select ""Yes"" if you are maintaining stock of this item in your Inventory.",Selecione "Sim" se você está mantendo estoque deste item no seu inventário. "Select ""Yes"" if you supply raw materials to your supplier to manufacture this item.",Selecione "Sim" se você fornecer matérias-primas para o seu fornecedor para fabricar este item. +Select Brand...,Selecione Marca ... Select Budget Distribution to unevenly distribute targets across months.,Selecione distribuição do orçamento para distribuir desigualmente alvos em todo mês. "Select Budget Distribution, if you want to track based on seasonality.","Selecione distribuição do orçamento, se você quiser acompanhar baseado em sazonalidade." +Select Company...,Selecione Empresa ... Select DocType,Selecione DocType +Select Fiscal Year...,Selecione o ano fiscal ... Select Items,Selecione itens +Select Project...,Selecione Project ... Select Purchase Receipts,Selecteer Aankoopfacturen Select Sales Orders,Selecione Pedidos de Vendas Select Sales Orders from which you want to create Production Orders.,Selecione Ordens de venda a partir do qual você deseja criar ordens de produção. Select Time Logs and Submit to create a new Sales Invoice.,Selecione Time Logs e enviar para criar uma nova factura de venda. Select Transaction,Selecione Transação +Select Warehouse...,Selecione Armazém ... Select Your Language,Selecione seu idioma Select account head of the bank where cheque was deposited.,Selecione cabeça conta do banco onde cheque foi depositado. Select company name first.,Selecione o nome da empresa em primeiro lugar. @@ -2520,6 +2647,7 @@ Select your home country and check the timezone and currency.,Selecteer uw land "Selecting ""Yes"" will give a unique identity to each entity of this item which can be viewed in the Serial No master.",Selecionando "Sim" vai dar uma identidade única para cada entidade deste item que pode ser visto no mestre Número de ordem. Selling,Vendendo Selling Settings,Vendendo Configurações +"Selling must be checked, if Applicable For is selected as {0}","Venda deve ser verificada, se for caso disso for selecionado como {0}" Send,Enviar Send Autoreply,Enviar Autoreply Send Email,Enviar E-mail @@ -2556,7 +2684,8 @@ Serial Nos Required for Serialized Item {0},Serial Nos Obrigatório para Seriali Serial Number Series,Serienummer Series Serial number {0} entered more than once,Número de série {0} entrou mais de uma vez "Serialized Item {0} cannot be updated \ - using Stock Reconciliation",Serialized item {0} não pode ser atualizado \ \ n usando Banco de Reconciliação + using Stock Reconciliation","Serialized item {0} não pode ser atualizado \ + usando Banco de Reconciliação" Series,serie Series List for this Transaction,Lista de séries para esta transação Series Updated,Série Atualizado @@ -2565,15 +2694,18 @@ Series is mandatory,Série é obrigatório Series {0} already used in {1},Série {0} já usado em {1} Service,serviço Service Address,Serviço Endereço +Service Tax,Imposto sobre Serviços Services,Serviços Set,conjunto "Set Default Values like Company, Currency, Current Fiscal Year, etc.","Definir valores padrão , como Company, de moeda, Atual Exercício , etc" Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,"Definir item Group-wise orçamentos sobre este território. Você também pode incluir sazonalidade, definindo a distribuição." +Set Status as Available,Definir status como Disponível Set as Default,Instellen als standaard Set as Lost,Instellen als Lost Set prefix for numbering series on your transactions,Definir prefixo para numeração de série em suas transações Set targets Item Group-wise for this Sales Person.,Estabelecer metas item Group-wise para este Vendas Pessoa. Setting Account Type helps in selecting this Account in transactions.,Tipo de conta Definir ajuda na seleção desta conta em transações. +Setting this Address Template as default as there is no other default,"A definição desse modelo de endereço como padrão, pois não há outro padrão" Setting up...,Het opzetten ... Settings,Configurações Settings for HR Module,Configurações para o Módulo HR @@ -2581,6 +2713,7 @@ Settings for HR Module,Configurações para o Módulo HR Setup,Instalação Setup Already Complete!!,Setup al voltooid ! Setup Complete,Instalação concluída +Setup SMS gateway settings,Configurações de gateway SMS Setup Setup Series,Série de configuração Setup Wizard,Assistente de Configuração Setup incoming server for jobs email id. (e.g. jobs@example.com),Configuração do servidor de entrada para os trabalhos de identificação do email . ( por exemplo jobs@example.com ) @@ -2606,6 +2739,7 @@ Short biography for website and other publications.,Breve biografia para o site Show In Website,Mostrar No Site Show a slideshow at the top of the page,Ver uma apresentação de slides no topo da página Show in Website,Show em site +Show rows with zero values,Mostrar as linhas com valores zero Show this slideshow at the top of the page,Mostrar esta slideshow no topo da página Sick Leave,doente Deixar Signature,Assinatura @@ -2635,9 +2769,9 @@ Specifications,especificações "Specify the operations, operating cost and give a unique Operation no to your operations.","Geef de operaties , operationele kosten en geven een unieke operatie niet aan uw activiteiten ." Split Delivery Note into packages.,Nota de Entrega dividir em pacotes. Sports,esportes +Sr,Sr Standard,Padrão Standard Buying,Compra padrão -Standard Rate,Taxa normal Standard Reports,Relatórios padrão Standard Selling,venda padrão Standard contract terms for Sales or Purchase.,Termos do contrato padrão para vendas ou compra. @@ -2646,6 +2780,7 @@ Start Date,Data de Início Start date of current invoice's period,A data de início do período de fatura atual Start date should be less than end date for Item {0},Data de início deve ser inferior a data final para o item {0} State,Estado +Statement of Account,Extrato de conta Static Parameters,Parâmetros estáticos Status,Estado Status must be one of {0},Estado deve ser um dos {0} @@ -2687,6 +2822,7 @@ Stock Value Difference,Banco de Valor Diferença Stock balances updated,Banco saldos atualizados Stock cannot be updated against Delivery Note {0},Banco não pode ser atualizado contra entrega Nota {0} Stock entries exist against warehouse {0} cannot re-assign or modify 'Master Name',As entradas em existências existir contra armazém {0} não pode voltar a atribuir ou modificar 'Master Name' +Stock transactions before {0} are frozen,Transações com ações antes {0} são congelados Stop,Pare Stop Birthday Reminders,Stop verjaardagsherinneringen Stop Material Request,Stop Materiaal Request @@ -2706,13 +2842,13 @@ Submit this Production Order for further processing.,Submit deze productieorder Submitted,Enviado Subsidiary,Subsidiário Successful: ,Bem-sucedido: -Successfully allocated,alocados com sucesso +Successfully Reconciled,Reconciliados com sucesso Suggestions,Sugestões Sunday,Domingo Supplier,Fornecedor Supplier (Payable) Account,Fornecedor (pago) Conta Supplier (vendor) name as entered in supplier master,"Nome do fornecedor (fornecedor), inscritos no cadastro de fornecedores" -Supplier Account,leverancier Account +Supplier > Supplier Type,Fornecedor> Fornecedor Tipo Supplier Account Head,Fornecedor Cabeça Conta Supplier Address,Endereço do Fornecedor Supplier Addresses and Contacts,Leverancier Adressen en Contacten @@ -2750,6 +2886,12 @@ Sync with Google Drive,Sincronia com o Google Drive System,Sistema System Settings,Configurações do sistema "System User (login) ID. If set, it will become default for all HR forms.","Sistema de identificação do usuário (login). Se for definido, ele vai se tornar padrão para todas as formas de RH." +TDS (Advertisement),TDS (Anúncio) +TDS (Commission),TDS (Comissão) +TDS (Contractor),TDS (Contratado) +TDS (Interest),TDS (interesse) +TDS (Rent),TDS (Rent) +TDS (Salary),TDS (Salário) Target Amount,Valor Alvo Target Detail,Detalhe alvo Target Details,Detalhes alvo @@ -2770,10 +2912,12 @@ Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are no Tax Rate,Taxa de Imposto Tax and other salary deductions.,Fiscais e deduções salariais outros. "Tax detail table fetched from item master as a string and stored in this field. -Used for Taxes and Charges",Pormenor tabela do Imposto buscados mestre como uma string e armazenada neste campo. \ NUsed dos Impostos e Taxas +Used for Taxes and Charges","Tabela de detalhes Imposto obtido a partir de mestre como uma string e armazenada neste campo. + Usado para Impostos e Taxas" Tax template for buying transactions.,Modelo de impostos para a compra de transações. Tax template for selling transactions.,Modelo imposto pela venda de transações. Taxable,Tributável +Taxes,Impostos Taxes and Charges,Impostos e Encargos Taxes and Charges Added,Impostos e Encargos Adicionado Taxes and Charges Added (Company Currency),Impostos e taxas Adicionado (Moeda Company) @@ -2786,6 +2930,7 @@ Technology,tecnologia Telecommunications,Telecomunicações Telephone Expenses,Despesas de telefone Television,televisão +Template,Modelo Template for performance appraisals.,Modelo para avaliação de desempenho . Template of terms or contract.,Modelo de termos ou contratos. Temporary Accounts (Assets),Contas Transitórias (Ativo ) @@ -2815,7 +2960,8 @@ The First User: You,De eerste gebruiker : U The Organization,de Organisatie "The account head under Liability, in which Profit/Loss will be booked","De rekening hoofd onder Aansprakelijkheid , waarin Winst / verlies zal worden geboekt" "The date on which next invoice will be generated. It is generated on submit. -",A data em que próxima fatura será gerada. +","A data em que próxima fatura será gerada. Ele é gerado em enviar. +" The date on which recurring invoice will be stop,A data em que fatura recorrente será parar "The day of the month on which auto invoice will be generated e.g. 05, 28 etc ","O dia do mês em que factura automática será gerada, por exemplo 05, 28 etc" The day(s) on which you are applying for leave are holiday. You need not apply for leave.,No dia (s) em que você está se candidatando para a licença estão de férias. Você não precisa solicitar uma licença . @@ -2827,6 +2973,7 @@ The net weight of this package. (calculated automatically as sum of net weight o The new BOM after replacement,O BOM novo após substituição The rate at which Bill Currency is converted into company's base currency,A taxa na qual a moeda que Bill é convertida em moeda empresa de base The unique id for tracking all recurring invoices. It is generated on submit.,A ID exclusiva para acompanhar todas as facturas recorrentes. Ele é gerado em enviar. +"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Então Preços Regras são filtradas com base no Cliente, Grupo de Clientes, Território, fornecedor, fornecedor Tipo, Campanha, Parceiro de vendas etc" There are more holidays than working days this month.,Há mais feriados do que dias úteis do mês. "There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Só pode haver uma regra de envio Condição com 0 ou valor em branco para "" To Valor """ There is not enough leave balance for Leave Type {0},Não há o suficiente equilíbrio pela licença Tipo {0} @@ -2838,6 +2985,7 @@ This Leave Application is pending approval. Only the Leave Apporver can update s This Time Log Batch has been billed.,Este lote Log O tempo tem sido anunciado. This Time Log Batch has been cancelled.,Este lote Log Tempo foi cancelada. This Time Log conflicts with {0},Este Log Tempo em conflito com {0} +This format is used if country specific format is not found,Este formato é usado se o formato específico país não é encontrado This is a root account and cannot be edited.,Dit is een root account en kan niet worden bewerkt . This is a root customer group and cannot be edited.,Dit is een wortel klantgroep en kan niet worden bewerkt . This is a root item group and cannot be edited.,Dit is een hoofditem groep en kan niet worden bewerkt . @@ -2853,7 +3001,9 @@ Time Log Batch,Tempo Batch Log Time Log Batch Detail,Tempo Log Detail Batch Time Log Batch Details,Tempo de registro de detalhes de lote Time Log Batch {0} must be 'Submitted',Tempo Log Batch {0} deve ser ' enviado ' +Time Log Status must be Submitted.,Tempo Log Estado devem ser apresentadas. Time Log for tasks.,Tempo de registro para as tarefas. +Time Log is not billable,Tempo Log não é cobrável Time Log {0} must be 'Submitted',Tempo Log {0} deve ser ' enviado ' Time Zone,Fuso horário Time Zones,Time Zones @@ -2866,6 +3016,7 @@ To,Para To Currency,A Moeda To Date,Conhecer To Date should be same as From Date for Half Day leave,Om datum moet dezelfde zijn als Van Datum voor halve dag verlof zijn +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} To Discuss,Para Discutir To Do List,Para fazer a lista To Package No.,Para empacotar Não. @@ -2875,8 +3026,8 @@ To Value,Ao Valor To Warehouse,Para Armazém "To add child nodes, explore tree and click on the node under which you want to add more nodes.","Om onderliggende nodes te voegen , te verkennen boom en klik op het knooppunt waar u wilt meer knooppunten toe te voegen ." "To assign this issue, use the ""Assign"" button in the sidebar.","Para atribuir esse problema, use o botão "Atribuir" na barra lateral." -To create a Bank Account:,Om een bankrekening te maken: -To create a Tax Account:,Om een Tax Account aanmaken : +To create a Bank Account,Para criar uma conta bancária +To create a Tax Account,Para criar uma conta de impostos "To create an Account Head under a different company, select the company and save customer.","Para criar uma conta, sob Cabeça uma empresa diferente, selecione a empresa e salvar cliente." To date cannot be before from date,Tot op heden kan niet eerder worden vanaf datum To enable Point of Sale features,Para habilitar o Ponto de Venda características @@ -2884,22 +3035,23 @@ To enable Point of Sale view,Om Point of Sale < / b > view staat To get Item Group in details table,Para obter Grupo item na tabela de detalhes "To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Para incluir impostos na linha {0} na taxa de Item, os impostos em linhas {1} também deve ser incluída" "To merge, following properties must be same for both items","Te fuseren , moeten volgende eigenschappen hetzelfde zijn voor beide posten" -"To report an issue, go to ", +"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." "To set this Fiscal Year as Default, click on 'Set as Default'","Om dit fiscale jaar ingesteld als standaard , klik op ' Als standaard instellen '" To track any installation or commissioning related work after sales,Para rastrear qualquer instalação ou comissionamento trabalho relacionado após vendas "To track brand name in the following documents Delivery Note, Opportunity, Material Request, Item, Purchase Order, Purchase Voucher, Purchaser Receipt, Quotation, Sales Invoice, Sales BOM, Sales Order, Serial No","Para acompanhar marca nos seguintes documentos Nota de Entrega , Oportunidade, Solicitação Material, Item, Ordem de Compra, Compra Vale , Comprador recibo , cotação, nota fiscal de venda , Vendas BOM, Pedido de Vendas , Serial Não" To track item in sales and purchase documents based on their serial nos. This is can also used to track warranty details of the product.,Para acompanhar o item em documentos de vendas e de compras com base em seus números de ordem. Este é também pode ser usada para rastrear detalhes sobre a garantia do produto. To track items in sales and purchase documents with batch nos
Preferred Industry: Chemicals etc,Para controlar os itens de vendas e documentos de compra com lotes n º s
Indústria preferido: etc Chemicals To track items using barcode. You will be able to enter items in Delivery Note and Sales Invoice by scanning barcode of item.,Para rastrear itens usando código de barras. Você será capaz de inserir itens na nota de entrega e nota fiscal de venda pela digitalização de código de barras do item. +Too many columns. Export the report and print it using a spreadsheet application.,Muitas colunas. Exportar o relatório e imprimi-lo usando um aplicativo de planilha. Tools,Ferramentas Total,Total +Total ({0}),Total ({0}) Total Advance,Antecipação total -Total Allocated Amount,Montante total atribuído -Total Allocated Amount can not be greater than unmatched amount,Montante total atribuído não pode ser maior do que a quantidade inigualável Total Amount,Valor Total Total Amount To Pay,Valor total a pagar Total Amount in Words,Valor Total em Palavras Total Billing This Year: ,Faturamento total deste ano: +Total Characters,Total de Personagens Total Claimed Amount,Montante reclamado total Total Commission,Total Comissão Total Cost,Custo Total @@ -2923,14 +3075,13 @@ Total Score (Out of 5),Pontuação total (em 5) Total Tax (Company Currency),Imposto Total (moeda da empresa) Total Taxes and Charges,Total Impostos e Encargos Total Taxes and Charges (Company Currency),Total de Impostos e Taxas (moeda da empresa) -Total Words,Total de Palavras -Total Working Days In The Month,Total de dias úteis do mês Total allocated percentage for sales team should be 100,Porcentagem total alocado para a equipe de vendas deve ser de 100 Total amount of invoices received from suppliers during the digest period,O valor total das faturas recebidas de fornecedores durante o período de digestão Total amount of invoices sent to the customer during the digest period,O valor total das faturas enviadas para o cliente durante o período de digestão Total cannot be zero,Total não pode ser zero Total in words,Total em palavras Total points for all goals should be 100. It is {0},Total de pontos para todos os objetivos devem ser 100. Ele é {0} +Total valuation for manufactured or repacked item(s) can not be less than total valuation of raw materials,Valor total para o item (s) fabricados ou reembalados não pode ser menor do que valor total das matérias-primas Total weightage assigned should be 100%. It is {0},Weightage total atribuído deve ser de 100 %. É {0} Totals,Totais Track Leads by Industry Type.,Trilha leva por setor Type. @@ -2966,7 +3117,7 @@ UOM Conversion Details,Conversão Detalhes UOM UOM Conversion Factor,UOM Fator de Conversão UOM Conversion factor is required in row {0},UOM fator de conversão é necessária na linha {0} UOM Name,Nome UOM -UOM coversion factor required for UOM {0} in Item {1},Fator coversion UOM necessário para UOM {0} no item {1} +UOM coversion factor required for UOM: {0} in Item: {1},Fator coversion UOM necessário para UOM: {0} no Item: {1} Under AMC,Sob AMC Under Graduate,Sob graduação Under Warranty,Sob Garantia @@ -2976,8 +3127,8 @@ Unit of Measure {0} has been entered more than once in Conversion Factor Table,U "Unit of measurement of this item (e.g. Kg, Unit, No, Pair).","Unidade de medida do item (por exemplo kg Unidade, não, par)." Units/Hour,Unidades / hora Units/Shifts,Unidades / Turnos -Unmatched Amount,Quantidade incomparável Unpaid,Não remunerado +Unreconciled Payment Details,Unreconciled Detalhes do pagamento Unscheduled,Sem marcação Unsecured Loans,Empréstimos não garantidos Unstop,opendraaien @@ -2992,7 +3143,6 @@ Update Landed Cost,Update Landed Cost Update Series,Atualização Series Update Series Number,Atualização de Número de Série Update Stock,Actualização de stock -"Update allocated amount in the above table and then click ""Allocate"" button",Atualize montante atribuído no quadro acima e clique em "alocar" botão Update bank payment dates with journals.,Atualização de pagamento bancário com data revistas. Update clearance date of Journal Entries marked as 'Bank Vouchers',Goedkeuring datum actualisering van Journaalposten gemarkeerd als ' Bank Vouchers ' Updated,Atualizado @@ -3009,6 +3159,7 @@ Upper Income,Renda superior Urgent,Urgente Use Multi-Level BOM,Utilize Multi-Level BOM Use SSL,Use SSL +Used for Production Plan,Usado para o Plano de Produção User,Usuário User ID,ID de usuário User ID not set for Employee {0},ID do usuário não definido para Employee {0} @@ -3047,9 +3198,9 @@ View Now,Bekijk nu Visit report for maintenance call.,Relatório de visita para a chamada manutenção. Voucher #,voucher # Voucher Detail No,Detalhe folha no +Voucher Detail Number,Número Detalhe voucher Voucher ID,ID comprovante Voucher No,Não vale -Voucher No is not valid,No voucher não é válido Voucher Type,Tipo comprovante Voucher Type and Date,Tipo Vale e Data Walk In,Walk In @@ -3065,11 +3216,12 @@ Warehouse is mandatory for stock Item {0} in row {1},Armazém é obrigatória pa Warehouse is missing in Purchase Order,Warehouse ontbreekt in Purchase Order Warehouse not found in the system,Warehouse não foi encontrado no sistema Warehouse required for stock Item {0},Armazém necessário para stock o item {0} -Warehouse required in POS Setting,Armazém exigido em POS Setting Warehouse where you are maintaining stock of rejected items,Armazém onde você está mantendo estoque de itens rejeitados Warehouse {0} can not be deleted as quantity exists for Item {1},Armazém {0} não pode ser excluído como existe quantidade para item {1} Warehouse {0} does not belong to company {1},Armazém {0} não pertence à empresa {1} Warehouse {0} does not exist,Armazém {0} não existe +Warehouse {0}: Company is mandatory,Armazém {0}: Empresa é obrigatório +Warehouse {0}: Parent account {1} does not bolong to the company {2},Armazém {0}: conta Parent {1} não Bolong à empresa {2} Warehouse-Wise Stock Balance,Warehouse-sábio Stock Balance Warehouse-wise Item Reorder,Armazém-sábio item Reordenar Warehouses,Armazéns @@ -3114,13 +3266,14 @@ Will be updated when batched.,Será atualizado quando agrupadas. Will be updated when billed.,Será atualizado quando faturado. Wire Transfer,por transferência bancária With Operations,Com Operações -With period closing entry,Met periode sluitpost +With Period Closing Entry,Com a entrada do período de encerramento Work Details,Detalhes da Obra Work Done,Trabalho feito Work In Progress,Trabalho em andamento Work-in-Progress Warehouse,Armazém Work-in-Progress Work-in-Progress Warehouse is required before Submit,Trabalho em andamento Warehouse é necessário antes de Enviar Working,Trabalhando +Working Days,Dias de trabalho Workstation,Estação de trabalho Workstation Name,Nome da Estação de Trabalho Write Off Account,Escreva Off Conta @@ -3136,9 +3289,6 @@ Year Closed,Ano Encerrado Year End Date,Eind van het jaar Datum Year Name,Nome Ano Year Start Date,Data de início do ano -Year Start Date and Year End Date are already set in Fiscal Year {0},Ano Data de Início e Fim de Ano Data já estão definidos no ano fiscal de {0} -Year Start Date and Year End Date are not within Fiscal Year.,Jaar Start datum en jaar Einddatum niet binnen boekjaar . -Year Start Date should not be greater than Year End Date,Jaar Startdatum mag niet groter zijn dan Jaar einddatum Year of Passing,Ano de Passagem Yearly,Anual Yes,Sim @@ -3148,7 +3298,6 @@ You are the Expense Approver for this record. Please Update the 'Status' and Sav You are the Leave Approver for this record. Please Update the 'Status' and Save,U bent de Leave Approver voor dit record . Werk van de 'Status' en opslaan You can enter any date manually,Você pode entrar em qualquer data manualmente You can enter the minimum quantity of this item to be ordered.,Você pode inserir a quantidade mínima deste item a ser ordenada. -You can not assign itself as parent account,Você não pode atribuir -se como conta principal You can not change rate if BOM mentioned agianst any item,U kunt geen koers veranderen als BOM agianst een item genoemd You can not enter both Delivery Note No and Sales Invoice No. Please enter any one.,Je kunt niet Geen Voer beide Delivery Note en verkoopfactuur Nee Geef iemand. You can not enter current voucher in 'Against Journal Voucher' column,Você não pode entrar comprovante atual em ' Contra Jornal Vale ' coluna @@ -3160,7 +3309,6 @@ You cannot credit and debit same account at the same time,Você não pode de cr You have entered duplicate items. Please rectify and try again.,U heeft dubbele items ingevoerd. Aub verwijderen en probeer het opnieuw . You may need to update: {0},Você pode precisar atualizar : {0} You must Save the form before proceeding,Você deve salvar o formulário antes de continuar -You must allocate amount before reconcile,Você deve alocar o valor antes de reconciliação Your Customer's TAX registration numbers (if applicable) or any general information,Seu cliente FISCAIS números de inscrição (se aplicável) ou qualquer outra informação geral Your Customers,uw klanten Your Login Id,Seu ID de login @@ -3173,11 +3321,13 @@ Your sales person who will contact the customer in future,Sua pessoa de vendas q Your sales person will get a reminder on this date to contact the customer,Seu vendedor receberá um lembrete sobre esta data para contato com o cliente Your setup is complete. Refreshing...,Uw installatie is voltooid . Verfrissend ... Your support email id - must be a valid email - this is where your emails will come!,O seu ID e-mail de apoio - deve ser um email válido - este é o lugar onde seus e-mails virão! +[Error],[Erro] [Select],[ Select] `Freeze Stocks Older Than` should be smaller than %d days.,` Stocks Congelar Mais velho do que ` deve ser menor que %d dias . and,e are not allowed.,zijn niet toegestaan ​​. assigned by,atribuído pela +cannot be greater than 100,não pode ser maior do que 100 "e.g. ""Build tools for builders""","por exemplo ""Construa ferramentas para os construtores """ "e.g. ""MC""","por exemplo "" MC """ "e.g. ""My Company LLC""","por exemplo "" My Company LLC""" @@ -3190,32 +3340,34 @@ example: Next Day Shipping,exemplo: Next Day envio lft,lft old_parent,old_parent rgt,rgt +subject,assunto +to,para website page link,link da página site {0} '{1}' not in Fiscal Year {2},{0} '{1}' não no ano fiscal de {2} {0} Credit limit {0} crossed,{0} Limite de crédito {0} atravessou {0} Serial Numbers required for Item {0}. Only {0} provided.,{0} números de série necessários para item {0}. Apenas {0} fornecida . {0} budget for Account {1} against Cost Center {2} will exceed by {3},{0} orçamento para conta {1} contra Centro de Custo {2} excederá por {3} +{0} can not be negative,{0} não pode ser negativo {0} created,{0} criado {0} does not belong to Company {1},{0} não pertence à empresa {1} {0} entered twice in Item Tax,{0} entrou duas vezes em Imposto item {0} is an invalid email address in 'Notification Email Address',{0} é um endereço de e-mail inválido em ' Notificação de E-mail ' {0} is mandatory,{0} é obrigatório {0} is mandatory for Item {1},{0} é obrigatório para item {1} +{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} é obrigatório. Talvez recorde Câmbios não é criado para {1} de {2}. {0} is not a stock Item,{0} não é um item de estoque {0} is not a valid Batch Number for Item {1},{0} não é um número de lote válido por item {1} -{0} is not a valid Leave Approver,{0} não é uma licença válida Aprovador +{0} is not a valid Leave Approver. Removing row #{1}.,{0} não é uma licença Approver válido. Remoção de linha # {1}. {0} is not a valid email id,{0} não é um ID de e-mail válido {0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,"{0} é agora o padrão Ano Fiscal. Por favor, atualize seu navegador para que a alteração tenha efeito." {0} is required,{0} é necessária {0} must be a Purchased or Sub-Contracted Item in row {1},{0} deve ser um item comprado ou subcontratadas na linha {1} -{0} must be less than or equal to {1},{0} tem de ser inferior ou igual a {1} +{0} must be reduced by {1} or you should increase overflow tolerance,{0} deve ser reduzido em {1} ou você deve aumentar a tolerância ao excesso {0} must have role 'Leave Approver',{0} deve ter papel ' Leave aprovador ' {0} valid serial nos for Item {1},{0} N º s de série válido para o item {1} {0} {1} against Bill {2} dated {3},{0} {1} contra Bill {2} {3} datado {0} {1} against Invoice {2},{0} {1} contra Invoice {2} {0} {1} has already been submitted,{0} {1} já foi apresentado -{0} {1} has been modified. Please Refresh,{0} {1} foi modificado . Refresca -{0} {1} has been modified. Please refresh,{0} {1} foi modificado . Refresca {0} {1} has been modified. Please refresh.,"{0} {1} foi modificado . Por favor, atualize ." {0} {1} is not submitted,{0} {1} não for apresentado {0} {1} must be submitted,{0} {1} deve ser apresentado @@ -3223,3 +3375,5 @@ website page link,link da página site {0} {1} status is 'Stopped',{0} {1} status é ' parado ' {0} {1} status is Stopped,{0} {1} status é parado {0} {1} status is Unstopped,{0} {1} status é abrirão +{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Centro de Custo é obrigatória para item {2} +{0}: {1} not found in Invoice Details table,{0}: {1} não foi encontrado na fatura Detalhes Mesa diff --git a/erpnext/translations/ro.csv b/erpnext/translations/ro.csv index ea7ca81eec..a076b171bc 100644 --- a/erpnext/translations/ro.csv +++ b/erpnext/translations/ro.csv @@ -13,13 +13,12 @@ % of materials delivered against this Delivery Note,% Din materiale livrate de această livrare Nota % of materials delivered against this Sales Order,% Din materiale livrate de această comandă de vânzări % of materials ordered against this Material Request,% Din materiale comandate în această cerere Material -% of materials received against this Purchase Order,% Din materialele primite în acest Comandă -%(conversion_rate_label)s is mandatory. Maybe Currency Exchange record is not created for %(from_currency)s to %(to_currency)s,% (Conversion_rate_label) s este obligatorie. Poate înregistrare de schimb valutar nu este creat pentru% (from_currency) s la% (to_currency) s +% of materials received against this Purchase Order,% Din materiale au primit în această Comandă 'Actual Start Date' can not be greater than 'Actual End Date',"""Data de începere efectivă"" nu poate fi mai mare decât ""Actual Data de încheiere""" 'Based On' and 'Group By' can not be same,"""Bazat pe"" și ""grup de"" nu poate fi același" '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" 'Entries' cannot be empty,"""Intrările"" nu poate fi gol" -'Expected Start Date' can not be greater than 'Expected End Date',"""Data Start așteptat"" nu poate fi mai mare decât ""Date End așteptat""" +'Expected Start Date' can not be greater than 'Expected End Date',"""Data de începere așteptată"" nu poate fi mai mare decât ""Date End așteptat""" 'From Date' is required,"""De la data"" este necesară" 'From Date' must be after 'To Date',"""De la data"" trebuie să fie după ""To Date""" 'Has Serial No' can not be 'Yes' for non-stock item,"""Nu are de serie"" nu poate fi ""Da"" pentru element non-stoc" @@ -30,11 +29,35 @@ 'Update Stock' for Sales Invoice {0} must be set,"""Actualizare Stock"" pentru Vânzări Factura {0} trebuie să fie stabilite" * Will be calculated in the transaction.,* Vor fi calculate în tranzacție. "1 Currency = [?] Fraction -For e.g. 1 USD = 100 Cent","1 valutar = [?] Fracțiune \ nPentru de exemplu, 1 USD = 100 Cent" -1. To maintain the customer wise item code and to make them searchable based on their code use this option,1 De a menține codul de client element înțelept și să le căutate bazate pe utilizarea lor de cod aceasta optiune +For e.g. 1 USD = 100 Cent","1 valutar = [?] Fractiune + De exemplu, 1 USD = 100 Cent" +1. To maintain the customer wise item code and to make them searchable based on their code use this option,1 Pentru a menține codul de client element înțelept și pentru a le face pe baza utilizării lor cod de această opțiune "Add / Edit"," Add / Edit " "Add / Edit"," Add / Edit " "Add / Edit"," Add / Edit " +"

Default Template

+

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

+
{{ address_line1 }}<br>
+{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}
+{{ city }}<br>
+{% if state %}{{ state }}<br>{% endif -%}
+{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}
+{{ country }}<br>
+{% if phone %}Phone: {{ phone }}<br>{% endif -%}
+{% if fax %}Fax: {{ fax }}<br>{% endif -%}
+{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
+
","

implicit Format +

Utilizeaza Jinja templating și toate domeniile de Adresa ( inclusiv Câmpuri personalizate dacă este cazul) va fi disponibil +

  {{}} address_line1 
+ {% dacă address_line2%} {{}} address_line2 cui { % endif -%} + {{oras}}
+ {%, în cazul în care de stat%} {{}} stat {cui% endif -%} + {%, în cazul în care parola așa%} PIN: {{}} parola așa cui {% endif -%} + {{țară}}
+ {%, în cazul în care telefonul%} Telefon: {{telefon}} cui { % endif -%} + {% dacă fax%} Fax: {{fax}} cui {% endif -%} + {% dacă email_id%} Email: {{}} email_id
; {% endif -%} + " 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 redenumi Grupul Customer A Customer exists with same name,Există un client cu același nume A Lead with this email id should exist,Un plumb cu acest id-ul de e-mail ar trebui să existe @@ -44,7 +67,6 @@ A symbol for this currency. For e.g. $,"Un simbol pentru această monedă. De ex AMC Expiry Date,AMC Data expirării Abbr,Abbr Abbreviation cannot have more than 5 characters,Abreviere nu poate avea mai mult de 5 caractere -About,Despre Above Value,Valoarea de mai sus Absent,Absent Acceptance Criteria,Criteriile de acceptare @@ -59,6 +81,8 @@ Account Details,Detalii cont Account Head,Cont Șeful Account Name,Nume cont Account Type,Tip de cont +"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Soldul contului deja în credit, tu nu sunt permise pentru a seta ""Balanța trebuie să fie"" la fel de ""debit""" +"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Soldul contului deja în debit, nu vi se permite să stabilească ""Balanța trebuie să fie"" drept ""credit""" Account for the warehouse (Perpetual Inventory) will be created under this Account.,Cont de depozit (Inventar Perpetual) va fi creat sub acest cont. Account head {0} created,Cap cont {0} a creat Account must be a balance sheet account,Contul trebuie să fie un cont de bilanț @@ -68,13 +92,20 @@ Account with existing transaction can not be deleted,Cont cu tranzacții existen Account with existing transaction cannot be converted to ledger,Cont cu tranzacții existente nu pot fi convertite în registrul Account {0} cannot be a Group,Contul {0} nu poate fi un grup Account {0} does not belong to Company {1},Contul {0} nu aparține companiei {1} +Account {0} does not belong to company: {1},Contul {0} nu apartine companiei: {1} Account {0} does not exist,Contul {0} nu există Account {0} has been entered more than once for fiscal year {1},Contul {0} a fost introdus mai mult de o dată pentru anul fiscal {1} Account {0} is frozen,Contul {0} este înghețat Account {0} is inactive,Contul {0} este inactiv +Account {0} is not valid,Contul {0} nu este valid Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item,"Contul {0} trebuie să fie de tip ""active fixe"", ca Item {1} este un element activ" +Account {0}: Parent account {1} can not be a ledger,Contul {0}: cont Părinte {1} nu poate fi un registru +Account {0}: Parent account {1} does not belong to company: {2},Contul {0}: cont Părinte {1} nu apartine companiei: {2} +Account {0}: Parent account {1} does not exist,Contul {0}: cont Părinte {1} nu exista +Account {0}: You can not assign itself as parent account,Contul {0}: Nu se poate atribui ca cont părinte "Account: {0} can only be updated via \ - Stock Transactions",Cont: {0} poate fi actualizat doar prin \ \ n Tranzacții stoc + Stock Transactions","Cont: {0} poate fi actualizat doar prin \ + Tranzacții stoc" Accountant,Contabil Accounting,Contabilitate "Accounting Entries can be made against leaf nodes, called","Înregistrări contabile pot fi făcute împotriva nodurile frunză, numit" @@ -124,6 +155,7 @@ Address Details,Detalii Adresa Address HTML,Adresa HTML Address Line 1,Adresa Linia 1 Address Line 2,Adresa Linia 2 +Address Template,Format adresa Address Title,Adresa Titlu Address Title is mandatory.,Adresa Titlul este obligatoriu. Address Type,Adresa Tip @@ -144,7 +176,6 @@ Against Docname,Împotriva Docname Against Doctype,Împotriva Doctype Against Document Detail No,Împotriva Document Detaliu Nu Against Document No,Împotriva Documentul nr -Against Entries,Împotriva Entries Against Expense Account,Împotriva cont de cheltuieli Against Income Account,Împotriva contul de venit Against Journal Voucher,Împotriva Jurnalul Voucher @@ -180,10 +211,8 @@ All Territories,Toate teritoriile "All export related fields like currency, conversion rate, export total, export grand total etc are available in Delivery Note, POS, Quotation, Sales Invoice, Sales Order etc.","Domenii legate de toate de export, cum ar fi moneda, rata de conversie, numărul total export, export mare etc totală sunt disponibile în nota de livrare, POS, cotatie, Factura Vanzare, comandă de vânzări, etc" "All import related fields like currency, conversion rate, import total, import grand total etc are available in Purchase Receipt, Supplier Quotation, Purchase Invoice, Purchase Order etc.","Toate domeniile legate de import, cum ar fi moneda, rata de conversie, total de import, de import de mare etc totală sunt disponibile în Primirea de cumparare, furnizor cotatie, cumparare factură, Ordinul de cumparare, etc" All items have already been invoiced,Toate elementele au fost deja facturate -All items have already been transferred for this Production Order.,Toate elementele au fost deja transferate pentru această comandă de producție. All these items have already been invoiced,Toate aceste elemente au fost deja facturate Allocate,Alocarea -Allocate Amount Automatically,Suma aloca automat Allocate leaves for a period.,Alocați frunze pentru o perioadă. Allocate leaves for the year.,Alocarea de frunze pentru anul. Allocated Amount,Suma alocată @@ -204,16 +233,16 @@ Allow Users,Se permite utilizatorilor Allow the following users to approve Leave Applications for block days.,Permite următoarele utilizatorilor să aprobe cererile de concediu pentru zile bloc. Allow user to edit Price List Rate in transactions,Permite utilizatorului să editeze Lista de preturi Rate în tranzacții Allowance Percent,Alocație Procent -Allowance for over-delivery / over-billing crossed for Item {0},Reduceri pentru mai mult de-livrare / supra-facturare trecut pentru postul {0} +Allowance for over-{0} crossed for Item {1},Reduceri pentru mai mult de-{0} a trecut pentru postul {1} +Allowance for over-{0} crossed for Item {1}.,Reduceri pentru mai mult de-{0} a trecut pentru postul {1}. Allowed Role to Edit Entries Before Frozen Date,Rolul permisiunea de a edita intrările înainte de Frozen Data Amended From,A fost modificat de la Amount,Suma Amount (Company Currency),Suma (Compania de valuta) -Amount <=,Suma <= -Amount >=,Suma> = +Amount Paid,Suma plătită Amount to Bill,Se ridică la Bill An Customer exists with same name,Există un client cu același nume -"An Item Group exists with same name, please change the item name or rename the item group","Există un grup articol cu ​​același nume, vă rugăm să schimbați numele elementului sau redenumi grupul element" +"An Item Group exists with same name, please change the item name or rename the item group","Există un grup articol cu același nume, vă rugăm să schimbați numele elementului sau redenumi grupul element" "An item exists with same name ({0}), please change the item group name or rename the item","Un element există cu același nume ({0}), vă rugăm să schimbați numele grupului element sau redenumi elementul" Analyst,Analist Annual,Anual @@ -260,6 +289,7 @@ As per Stock UOM,Ca pe Stock UOM Asset,Asset Assistant,Asistent Associate,Asociat +Atleast one of the Selling or Buying must be selected,Cel putin una din vânzarea sau cumpărarea trebuie să fie selectată Atleast one warehouse is mandatory,Cel putin un antrepozit este obligatorie Attach Image,Atașați Image Attach Letterhead,Atașați cu antet @@ -306,7 +336,7 @@ BOM number is required for manufactured Item {0} in row {1},Este necesară numă BOM number not allowed for non-manufactured Item {0} in row {1},Număr BOM nu este permis pentru postul non-fabricat {0} în rândul {1} BOM recursion: {0} cannot be parent or child of {2},BOM recursivitate: {0} nu poate fi parinte sau copil din {2} BOM replaced,BOM înlocuit -BOM {0} for Item {1} in row {2} is inactive or not submitted,BOM {0} pentru postul {1} ​​în rândul {2} este inactiv sau nu a prezentat +BOM {0} for Item {1} in row {2} is inactive or not submitted,BOM {0} pentru postul {1} în rândul {2} este inactiv sau nu a prezentat BOM {0} is not active or not submitted,BOM {0} nu este activ sau nu a prezentat BOM {0} is not submitted or inactive BOM for Item {1},BOM {0} nu este depusă sau inactiv BOM pentru postul {1} Backup Manager,Backup Manager @@ -319,6 +349,7 @@ Balance for Account {0} must always be {1},Bilant pentru Contul {0} trebuie să Balance must be,Echilibru trebuie să fie "Balances of Accounts of type ""Bank"" or ""Cash""","Soldurile de conturi de tip ""Banca"" sau ""Cash""" Bank,Banca +Bank / Cash Account,Bank / cont Cash Bank A/C No.,Bank A / C Nr Bank Account,Cont bancar Bank Account No.,Cont bancar nr @@ -397,18 +428,24 @@ Budget Distribution Details,Detalii buget de distribuție Budget Variance Report,Buget Variance Raportul Budget cannot be set for Group Cost Centers,Bugetul nu poate fi setat pentru centre de cost Group Build Report,Construi Raport -Built on,Construit pe Bundle items at time of sale.,Bundle elemente la momentul de vânzare. Business Development Manager,Business Development Manager de Buying,Cumpărare Buying & Selling,De cumparare si vânzare Buying Amount,Suma de cumpărare Buying Settings,Cumpararea Setări +"Buying must be checked, if Applicable For is selected as {0}","De cumpărare trebuie să fie verificate, dacă este cazul Pentru este selectat ca {0}" C-Form,C-Form C-Form Applicable,C-forma aplicabila C-Form Invoice Detail,C-Form Factura Detalii C-Form No,C-Form No C-Form records,Înregistrări C-Form +CENVAT Capital Goods,CENVAT bunurilor de capital +CENVAT Edu Cess,CENVAT Edu Cess +CENVAT SHE Cess,CENVAT SHE Cess +CENVAT Service Tax,CENVAT Serviciul Fiscal +CENVAT Service Tax Cess 1,CENVAT Serviciul Fiscal de Cess 1 +CENVAT Service Tax Cess 2,CENVAT Serviciul Fiscal de Cess 2 Calculate Based On,Calculează pe baza Calculate Total Score,Calcula Scor total Calendar Events,Calendar Evenimente @@ -432,7 +469,7 @@ Cannot approve leave as you are not authorized to approve leaves on Block Dates, Cannot cancel because Employee {0} is already approved for {1},Nu pot anula din cauza angajaților {0} este deja aprobat pentru {1} Cannot cancel because submitted Stock Entry {0} exists,"Nu pot anula, deoarece a prezentat Bursa de intrare {0} există" Cannot carry forward {0},Nu se poate duce mai departe {0} -Cannot change Year Start Date and Year End Date once the Fiscal Year is saved.,Nu se poate schimba An Data de începere și de sfârșit de an Data odată ce anul fiscal este salvată. +Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,Nu se poate schimba anul fiscal Data de începere și se termină anul fiscal Data odată ce anul fiscal este salvată. "Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Nu se poate schimba implicit moneda companiei, deoarece există tranzacții existente. Tranzacțiile trebuie să fie anulate de a schimba moneda implicit." Cannot convert Cost Center to ledger as it has child nodes,"Nu se poate converti de cost Centrul de registru, deoarece are noduri copil" Cannot covert to Group because Master Type or Account Type is selected.,Nu se poate sub acoperire să Group deoarece este selectat de Master de tip sau de tip de cont. @@ -441,7 +478,7 @@ Cannot deactive or cancle BOM as it is linked with other BOMs,"Nu pot DEACTIVE s Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Nu se poate deduce când categorie este de ""evaluare"" sau ""de evaluare și total""" "Cannot delete Serial No {0} in stock. First remove from stock, then delete.","Nu se poate șterge Nu Serial {0} în stoc. Mai întâi se scoate din stoc, apoi ștergeți." "Cannot directly set amount. For 'Actual' charge type, use the rate field","Nu se poate seta direct sumă. De tip taxă ""real"", utilizați câmpul rata" -"Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in 'Setup' > 'Global Defaults'","Nu pot overbill pentru postul {0} în rândul {0} mai mult de {1}. Pentru a permite supraîncărcată, vă rugăm să setați în ""Configurare""> ""Implicite Globale""" +"Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in Stock Settings","Nu pot overbill pentru postul {0} în rândul {0} mai mult de {1}. Pentru a permite supraîncărcată, vă rugăm să setați în stoc Setări" Cannot produce more Item {0} than Sales Order quantity {1},Nu poate produce mai mult Postul {0} decât cantitatea de vânzări Ordine {1} Cannot refer row number greater than or equal to current row number for this Charge type,Nu se poate referi număr de rând mai mare sau egal cu numărul actual rând pentru acest tip de încărcare Cannot return more than {0} for Item {1},Nu se poate reveni mai mult de {0} pentru postul {1} @@ -504,6 +541,8 @@ Click on a link to get options to expand get options , Client,Client Close Balance Sheet and book Profit or Loss.,Aproape Bilanțul și carte profit sau pierdere. Closed,Inchisa +Closing (Cr),De închidere (Cr) +Closing (Dr),De închidere (Dr) Closing Account Head,Închiderea contului cap Closing Account {0} must be of type 'Liability',"Contul {0} de închidere trebuie să fie de tip ""Răspunderea""" Closing Date,Data de închidere @@ -514,7 +553,9 @@ CoA Help,CoA Ajutor Code,Cod Cold Calling,De asteptare la rece Color,Culorarea +Column Break,Coloana Break Comma separated list of email addresses,Virgulă listă de adrese de e-mail separat +Comment,Comentariu Comments,Comentarii Commercial,Comercial Commission,Comision @@ -532,7 +573,7 @@ Company (not Customer or Supplier) master.,Compania (nu client sau furnizor) de Company Abbreviation,Abreviere de companie Company Details,Detalii companie Company Email,Compania de e-mail -"Company Email ID not found, hence mail not sent","Compania ID-ul de e-mail, nu a fost găsit, prin urmare, nu e-mail trimis" +"Company Email ID not found, hence mail not sent","Compania ID-ul de e-mail nu a fost găsit, prin urmare, nu e-mail trimis" Company Info,Informatii companie Company Name,Nume firma acasa Company Settings,Setări Company @@ -599,7 +640,6 @@ Cosmetics,Cosmetică Cost Center,Cost Center Cost Center Details,Cost Center Detalii Cost Center Name,Cost Numele Center -Cost Center is mandatory for Item {0},Cost Center este obligatorie pentru postul {0} Cost Center is required for 'Profit and Loss' account {0},"Cost Center este necesară pentru contul ""Profit și pierdere"" {0}" Cost Center is required in row {0} in Taxes table for type {1},Cost Center este necesară în rândul {0} în tabelul Taxele de tip {1} Cost Center with existing transactions can not be converted to group,Centrul de cost cu tranzacțiile existente nu pot fi transformate în grup @@ -609,6 +649,7 @@ Cost of Goods Sold,Costul bunurilor vândute Costing,Costing Country,Ţară Country Name,Nume țară +Country wise default Address Templates,Șabloanele țară înțelept adresa implicită "Country, Timezone and Currency","Țară, Timezone și valutar" Create Bank Voucher for the total salary paid for the above selected criteria,Crea Bank Voucher pentru salariul totală plătită pentru criteriile selectate de mai sus Create Customer,Creare client @@ -626,7 +667,7 @@ Created By,Creat de Creates salary slip for above mentioned criteria.,Creează alunecare salariu pentru criteriile de mai sus. Creation Date,Data creării Creation Document No,Creare de documente Nu -Creation Document Type,Document Type creație +Creation Document Type,Tip de document creație Creation Time,Timp de creație Credentials,Scrisori de acreditare Credit,credit @@ -662,10 +703,12 @@ Customer (Receivable) Account,Client (de încasat) Cont Customer / Item Name,Client / Denumire Customer / Lead Address,Client / plumb Adresa Customer / Lead Name,Client / Nume de plumb +Customer > Customer Group > Territory,Client> Client Group> Teritoriul Customer Account Head,Cont client cap Customer Acquisition and Loyalty,Achiziționarea client și Loialitate Customer Address,Client Adresa Customer Addresses And Contacts,Adrese de clienți și Contacte +Customer Addresses and Contacts,Adrese clienților și Contacte Customer Code,Cod client Customer Codes,Coduri de client Customer Details,Detalii client @@ -727,6 +770,8 @@ Deduction1,Deduction1 Deductions,Deduceri Default,Implicit Default Account,Contul implicit +Default Address Template cannot be deleted,Format implicit Adresa nu poate fi șters +Default Amount,Implicit Suma Default BOM,Implicit BOM Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,"Default cont bancar / numerar vor fi actualizate în mod automat în POS Factura, atunci când acest mod este selectat." Default Bank Account,Implicit cont bancar @@ -734,7 +779,6 @@ Default Buying Cost Center,Implicit de cumparare cost Center Default Buying Price List,Implicit de cumparare Lista de prețuri Default Cash Account,Contul Cash implicit Default Company,Implicit de companie -Default Cost Center for tracking expense for this item.,Centrul de cost standard pentru cheltuieli de urmărire pentru acest articol. Default Currency,Monedă implicită Default Customer Group,Implicit Client Group Default Expense Account,Cont implicit de cheltuieli @@ -761,6 +805,7 @@ Default settings for selling transactions.,Setările implicite pentru tranzacți Default settings for stock transactions.,Setările implicite pentru tranzacțiile bursiere. Defense,Apărare "Define Budget for this Cost Center. To set budget action, see
Company Master","Definirea Bugetul pentru acest centru de cost. Pentru a seta o acțiune buget, consultați Compania Maestrul " +Del,Del Delete,Șterge Delete {0} {1}?,Șterge {0} {1}? Delivered,Livrat @@ -809,6 +854,7 @@ Discount (%),Discount (%) Discount Amount,Discount Suma "Discount Fields will be available in Purchase Order, Purchase Receipt, Purchase Invoice","Discount Fields va fi disponibil în cumparare Ordine, Primirea de cumparare, cumparare factura" Discount Percentage,Procentul de reducere +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. Discount must be less than 100,Reducere trebuie să fie mai mică de 100 Discount(%),Discount (%) Dispatch,Expedierea @@ -841,13 +887,14 @@ Download Template,Descărcați Format Download a report containing all raw materials with their latest inventory status,Descărca un raport care conține toate materiile prime cu statutul lor ultimul inventar "Download the Template, fill appropriate data and attach the modified file.","Descărcați șablonul, umple de date corespunzătoare și atașați fișierul modificat." "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. \ NTot data și combinație de angajat în perioada selectată va veni în șablon, cu înregistrări de prezență existente" +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 combinație angajat în perioada selectată va veni în șablon, cu înregistrări de prezență existente" Draft,Ciornă Dropbox,Dropbox Dropbox Access Allowed,Dropbox de acces permise Dropbox Access Key,Dropbox Access Key Dropbox Access Secret,Dropbox Access Secret -Due Date,Datorită Data +Due Date,Data scadenței Due Date cannot be after {0},Datorită Data nu poate fi după {0} Due Date cannot be before Posting Date,Datorită Data nu poate fi înainte de a posta Data Duplicate Entry. Please check Authorization Rule {0},Duplicat de intrare. Vă rugăm să verificați de autorizare Regula {0} @@ -862,7 +909,10 @@ Earning,Câștigul salarial Earning & Deduction,Câștigul salarial & Deducerea Earning Type,Câștigul salarial Tip Earning1,Earning1 -Edit,Editare +Edit,Editează +Edu. Cess on Excise,Edu. Cess pe accize +Edu. Cess on Service Tax,Edu. Cess la Serviciul Fiscal +Edu. Cess on TDS,Edu. Cess pe TDS Education,Educație Educational Qualification,Calificare de învățământ Educational Qualification Details,De învățământ de calificare Detalii @@ -937,16 +987,27 @@ Enter url parameter for receiver nos,Introduceți parametru url pentru receptor Entertainment & Leisure,Entertainment & Leisure Entertainment Expenses,Cheltuieli de divertisment Entries,Intrări -Entries against,Intrări împotriva +Entries against , Entries are not allowed against this Fiscal Year if the year is closed.,"Lucrările nu sunt permise în acest an fiscal, dacă anul este închis." -Entries before {0} are frozen,Intrări înainte de {0} sunt înghețate Equity,Echitate Error: {0} > {1},Eroare: {0}> {1} Estimated Material Cost,Costul estimat Material +"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Chiar dacă există mai multe reguli de stabilire a prețurilor, cu cea mai mare prioritate, se aplică apoi următoarele priorități interne:" Everyone can read,Oricine poate citi "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.","Exemplu:. ABCD # # # # # \ nDacă serie este setat și nu de serie nu este menționat în tranzacții, atunci numărul de automate de serie va fi creat pe baza acestei serii. Dacă vrei mereu să menționeze în mod explicit de serie nr pentru acest articol. părăsi acest gol." +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.",". Exemplu: ABCD # # # # # + În cazul în care seria este setat și nu de serie nu este menționat în tranzacții, numărul de atunci automat de serie va fi creat pe baza acestei serii. Dacă vrei mereu să menționeze în mod explicit de serie nr pentru acest articol. părăsi acest gol." Exchange Rate,Rata de schimb +Excise Duty 10,Accize 10 +Excise Duty 14,Accize 14 +Excise Duty 4,Accize 4 +Excise Duty 8,Accize 8 +Excise Duty @ 10,Accize @ 10 +Excise Duty @ 14,Accize @ 14 +Excise Duty @ 4,Accize @ 4 +Excise Duty @ 8,Accize @ 8 +Excise Duty Edu Cess 2,Accizele Edu Cess 2 +Excise Duty SHE Cess 1,Accizele SHE Cess 1 Excise Page Number,Numărul de accize Page Excise Voucher,Accize Voucher Execution,Detalii de fabricaţie @@ -965,6 +1026,7 @@ Expected Delivery Date cannot be before Sales Order Date,Așteptat Data de livra Expected End Date,Așteptat Data de încheiere Expected Start Date,Data de începere așteptată Expense,cheltuială +Expense / Difference account ({0}) must be a 'Profit or Loss' account,"Cheltuială cont / Diferența ({0}) trebuie să fie un cont de ""profit sau pierdere""" Expense Account,Decont Expense Account is mandatory,Contul de cheltuieli este obligatorie Expense Claim,Cheltuieli de revendicare @@ -1015,12 +1077,16 @@ Finished Goods,Produse finite First Name,Prenume First Responded On,Primul răspuns la Fiscal Year,Exercițiu financiar +Fiscal Year Start Date and Fiscal Year End Date are already set in Fiscal Year {0},Data începerii anului fiscal și se termină anul fiscal la data sunt deja stabilite în anul fiscal {0} +Fiscal Year Start Date and Fiscal Year End Date cannot be more than a year apart.,Anul fiscal Data de începere și se termină anul fiscal Data nu poate fi mai mult de un an în afară. +Fiscal Year Start Date should not be greater than Fiscal Year End Date,Anul fiscal Data începerii nu trebuie să fie mai mare decât anul fiscal Data de încheiere Fixed Asset,Activelor fixe Fixed Assets,Mijloace Fixe Follow via Email,Urmați prin e-mail "Following table will show values if items are sub - contracted. These values will be fetched from the master of ""Bill of Materials"" of sub - contracted items.","Tabelul de mai jos va arata valori în cazul în care elementele sunt sub - contractate. Aceste valori vor fi preluat de la maestru de ""Bill of Materials"" de sub - contractate elemente." Food,Alimente "Food, Beverage & Tobacco","Produse alimentare, bauturi si tutun" +"For 'Sales BOM' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Sales BOM' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Pentru ""Vanzari BOM"" elemente, Warehouse, Serial No și lot nu vor fi luate în considerare de la masa ""Lista de ambalare"". Dacă Warehouse și lot nu sunt aceleași pentru toate elementele de ambalare pentru orice 'Sales BOM ""element, aceste valori pot fi introduse în tabelul Articol principal, valori vor fi copiate la masa"" Lista de ambalare ""." For Company,Pentru companie For Employee,Pentru Angajat For Employee Name,Pentru numele angajatului @@ -1050,7 +1116,9 @@ From Currency and To Currency cannot be same,Din valutar și a valutar nu poate From Customer,De la client From Customer Issue,De la client Issue From Date,De la data +From Date cannot be greater than To Date,De la data nu poate fi mai mare decât la data From Date must be before To Date,De la data trebuie să fie înainte de a Dată +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} From Delivery Note,De la livrare Nota From Employee,Din Angajat From Lead,Din plumb @@ -1059,7 +1127,7 @@ From Material Request,Din Material Cerere From Opportunity,De oportunitate From Package No.,Din Pachetul Nu From Purchase Order,De Comandă -From Purchase Receipt,Primirea de cumparare +From Purchase Receipt,Primirea de la cumparare From Quotation,Din ofertă From Sales Order,De comandă de vânzări From Supplier Quotation,Furnizor de ofertă @@ -1072,7 +1140,9 @@ Frozen Accounts Modifier,Congelate Conturi modificator Fulfilled,Îndeplinite Full Name,Numele complet Full-time,Full-time +Fully Billed,Complet Taxat Fully Completed,Completata +Fully Delivered,Livrat complet Furniture and Fixture,Și mobilier Further accounts can be made under Groups but entries can be made against Ledger,Conturile suplimentare pot fi făcute sub Grupa dar intrări pot fi făcute împotriva Ledger "Further accounts can be made under Groups, but entries can be made against Ledger","Conturile suplimentare pot fi făcute în grupurile, dar înregistrări pot fi făcute împotriva Ledger" @@ -1090,7 +1160,6 @@ Generate Schedule,Genera Program Generates HTML to include selected image in the description,Genereaza HTML pentru a include imagini selectate în descrierea Get Advances Paid,Ia avansurile plătite Get Advances Received,Ia Avansuri primite -Get Against Entries,Ia împotriva Entries Get Current Stock,Get Current Stock Get Items,Ia Articole Get Items From Sales Orders,Obține elemente din comenzi de vânzări @@ -1103,6 +1172,7 @@ Get Specification Details,Ia Specificatii Detalii Get Stock and Rate,Ia Stock și Rate Get Template,Ia Format Get Terms and Conditions,Ia Termeni și condiții +Get Unreconciled Entries,Ia nereconciliate Entries Get Weekly Off Dates,Ia săptămânal Off Perioada "Get valuation rate and available stock at source/target warehouse on mentioned posting date-time. If serialized item, please press this button after entering serial nos.","Ia rata de evaluare și stocul disponibil la sursă / depozit țintă pe menționat detașarea data-timp. Dacă serializat element, vă rugăm să apăsați acest buton după ce a intrat nr de serie." Global Defaults,Prestabilite la nivel mondial @@ -1153,7 +1223,7 @@ Health Details,Sănătate Detalii Held On,A avut loc pe Help HTML,Ajutor HTML "Help: To link to another record in the system, use ""#Form/Note/[Note Name]"" as the Link URL. (don't use ""http://"")","Ajutor: Pentru a lega la altă înregistrare în sistem, utilizați ""# Form / Note / [Nota Name]"" ca URL Link. (Nu folositi ""http://"")" -"Here you can maintain family details like name and occupation of parent, spouse and children","Aici vă puteți menține detalii de familie, cum ar fi numele și ocupația de mamă, soțul și copiii" +"Here you can maintain family details like name and occupation of parent, spouse and children","Aici vă puteți menține detalii de familie cum ar fi numele și ocupația de mamă, soție și copii" "Here you can maintain height, weight, allergies, medical concerns etc","Aici vă puteți menține inaltime, greutate, alergii, probleme medicale etc" Hide Currency Symbol,Ascunde Valuta Simbol High,Ridicată @@ -1171,6 +1241,7 @@ Hour,Oră Hour Rate,Rate oră Hour Rate Labour,Ora Rate de muncă Hours,Ore +How Pricing Rule is applied?,Cum se aplică regula pret? How frequently?,Cât de des? "How should this currency be formatted? If not set, will use system defaults","Cum ar trebui să fie formatat aceasta moneda? Dacă nu setați, va folosi valorile implicite de sistem" Human Resources,Managementul resurselor umane @@ -1184,15 +1255,18 @@ If Yearly Budget Exceeded,Dacă bugetul anual depășită "If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Dacă este bifată, nu total. de zile de lucru va include concediu, iar acest lucru va reduce valoarea Salariul pe zi" "If checked, the tax amount will be considered as already included in the Print Rate / Print Amount","Dacă este bifată, suma taxei va fi considerată ca fiind deja incluse în Print Tarif / Print Suma" If different than customer address,Dacă este diferită de adresa clientului -"If disable, 'Rounded Total' field will not be visible in any transaction","Dacă dezactivați, câmpul ""rotunjit Total"" nu vor fi vizibile in orice tranzacție" +"If disable, 'Rounded Total' field will not be visible in any transaction","Dacă dezactivați, câmpul ""rotunjit Total"" nu vor fi vizibile în orice tranzacție" "If enabled, the system will post accounting entries for inventory automatically.","Dacă este activat, sistemul va posta automat înregistrări contabile pentru inventar." If more than one package of the same type (for print),În cazul în care mai mult de un pachet de același tip (de imprimare) +"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." "If no change in either Quantity or Valuation Rate, leave the cell blank.","În cazul în care nici o schimbare în nici Cantitate sau Evaluează evaluare, lăsați necompletată celula." If not applicable please enter: NA,"Dacă nu este cazul, vă rugăm să introduceți: NA" "If not checked, the list will have to be added to each Department where it has to be applied.","Dacă nu verificat, lista trebuie să fie adăugate la fiecare Departament unde trebuie aplicată." -"If specified, send the newsletter using this email address","Daca este specificat, trimite newsletter-ul care utilizează această adresă e-mail" +"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.","Dacă Regula Preturi selectat se face pentru ""Pret"", se va suprascrie lista de prețuri. Preț Regula de stabilire a prețurilor este prețul final, astfel încât ar trebui să se aplice nici o reducere în continuare. Prin urmare, în tranzacții, cum ar fi Vânzări Ordine, Ordinul de cumparare, etc, el va fi preluat în câmpul ""Rate"", domeniul ""Lista de prețuri Rate"", mai degrabă decât." +"If specified, send the newsletter using this email address","Daca este specificat, trimite newsletter-ul prin această adresă de e-mail" "If the account is frozen, entries are allowed to restricted users.","În cazul în care contul este blocat, intrările li se permite utilizatorilor restricționate." "If this Account represents a Customer, Supplier or Employee, set it here.","În cazul în care acest cont reprezintă un client, furnizor sau angajat, a stabilit aici." +"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","În cazul în care se găsesc două sau mai multe reguli de stabilire a prețurilor în funcție de condițiile de mai sus, se aplică prioritate. Prioritatea este un număr între 0 și 20 în timp ce valoarea implicită este zero (martor). Număr mai mare înseamnă că va avea prioritate în cazul în care există mai multe reguli de stabilire a prețurilor, cu aceleași condiții." If you follow Quality Inspection. Enables Item QA Required and QA No in Purchase Receipt,Dacă urmați Inspecție de calitate. Permite Articol QA obligatorii și de asigurare a calității nu în Primirea cumparare If you have Sales Team and Sale Partners (Channel Partners) they can be tagged and maintain their contribution in the sales activity,"Dacă aveți echipa de vanzari si vandute Partners (parteneri), ele pot fi etichetate și menține contribuția lor la activitatea de vânzări" "If you have created a standard template in Purchase Taxes and Charges Master, select one and click on the button below.","Dacă ați creat un model standard la taxele de cumpărare și de masterat taxe, selectați una și faceți clic pe butonul de mai jos." @@ -1200,6 +1274,7 @@ If you have Sales Team and Sale Partners (Channel Partners) they can be tagged "If you have long print formats, this feature can be used to split the page to be printed on multiple pages with all headers and footers on each page","Dacă aveți formate de imprimare lungi, această caracteristică poate fi folosit pentru a împărți pagina pentru a fi imprimate pe mai multe pagini, cu toate anteturile și subsolurile de pe fiecare pagină" If you involve in manufacturing activity. Enables Item 'Is Manufactured',"Dacă vă implica în activitatea de producție. Permite Articol ""este fabricat""" Ignore,Ignora +Ignore Pricing Rule,Ignora Regula Preturi Ignored: , Image,Imagine Image View,Imagine Vizualizare @@ -1236,8 +1311,9 @@ Income booked for the digest period,Venituri rezervat pentru perioada Digest Incoming,Primite Incoming Rate,Rate de intrare Incoming quality inspection.,Control de calitate de intrare. -Incorrect or Inactive BOM {0} for Item {1} at row {2},Incorectă sau inactivă BOM {0} pentru postul {1} ​​la rând {2} -Indicates that the package is a part of this delivery,Indică faptul că pachetul este o parte din această livrare +Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Număr incorect de contabilitate intrările găsit. Este posibil să fi selectat un cont greșit în tranzacție. +Incorrect or Inactive BOM {0} for Item {1} at row {2},Incorectă sau inactivă BOM {0} pentru postul {1} la rând {2} +Indicates that the package is a part of this delivery (Only Draft),Indică faptul că pachetul este o parte din această livrare (Proiect de numai) Indirect Expenses,Cheltuieli indirecte Indirect Income,Venituri indirecte Individual,Individual @@ -1263,7 +1339,8 @@ Intern,Interna Internal,Intern Internet Publishing,Editura Internet Introduction,Introducere -Invalid Barcode or Serial No,De coduri de bare de invalid sau de ordine +Invalid Barcode,Coduri de bare invalid +Invalid Barcode or Serial No,Coduri de bare invalid sau de ordine Invalid Mail Server. Please rectify and try again.,Server de mail invalid. Vă rugăm să rectifice și să încercați din nou. Invalid Master Name,Maestru valabil Numele Invalid User Name or Support Password. Please rectify and try again.,Nume utilizator invalid sau suport Parola. Vă rugăm să rectifice și să încercați din nou. @@ -1275,9 +1352,12 @@ Investments,Investiții Invoice Date,Data facturii Invoice Details,Factură Detalii Invoice No,Factura Nu -Invoice Period From Date,Perioada factura la data +Invoice Number,Numar factura +Invoice Period From,Perioada factura la Invoice Period From and Invoice Period To dates mandatory for recurring invoice,Perioada factura la și facturilor perioadă la date obligatorii pentru facturi recurente -Invoice Period To Date,Perioada factură Pentru a Data +Invoice Period To,Perioada de facturare a +Invoice Type,Factura Tip +Invoice/Journal Voucher Details,Factura / Jurnalul Voucher Detalii Invoiced Amount (Exculsive Tax),Facturate Suma (Exculsive Tax) Is Active,Este activ Is Advance,Este Advance @@ -1285,7 +1365,7 @@ Is Cancelled,Este anulat Is Carry Forward,Este Carry Forward Is Default,Este Implicit Is Encash,Este încasa -Is Fixed Asset Item,Este fixă ​​Asset Postul +Is Fixed Asset Item,Este fixă Asset Postul Is LWP,Este LWP Is Opening,Se deschide Is Opening Entry,Deschiderea este de intrare @@ -1301,13 +1381,14 @@ Is this Tax included in Basic Rate?,Este acest fiscală inclusă în rata de baz Issue,Problem Issue Date,Data emiterii Issue Details,Detalii emisiune -Issued Items Against Production Order,Emise Articole împotriva producției Ordine +Issued Items Against Production Order,Emise Articole împotriva producției de comandă It can also be used to create opening stock entries and to fix stock value.,Acesta poate fi de asemenea utilizat pentru a crea intrări de stocuri de deschidere și de a stabili o valoare de stoc. Item,Obiect Item Advanced,Articol avansate Item Barcode,Element de coduri de bare Item Batch Nos,Lot nr element Item Code,Cod articol +Item Code > Item Group > Brand,Cod articol> Articol Grupa> Brand Item Code and Warehouse should already exist.,Articol Cod și Warehouse trebuie să existe deja. Item Code cannot be changed for Serial No.,Cod articol nu pot fi schimbate pentru Serial No. Item Code is mandatory because Item is not automatically numbered,"Cod articol este obligatorie, deoarece postul nu este numerotat automat" @@ -1319,6 +1400,7 @@ Item Details,Detalii despre articol Item Group,Grupa de articole Item Group Name,Nume Grupa de articole Item Group Tree,Grupa de articole copac +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} Item Groups in Details,Articol Grupuri în Detalii Item Image (if not slideshow),Element de imagine (dacă nu slideshow) Item Name,Denumire @@ -1358,7 +1440,7 @@ Item {0} does not exist in the system or has expired,Element {0} nu există în Item {0} does not exist in {1} {2},Element {0} nu există în {1} {2} Item {0} has already been returned,Element {0} a fost deja returnate Item {0} has been entered multiple times against same operation,Element {0} a fost introdus de mai multe ori față de aceeași operație -Item {0} has been entered multiple times with same description or date,Postul {0} a fost introdus de mai multe ori cu aceeași descriere sau data +Item {0} has been entered multiple times with same description or date,Element {0} a fost introdus de mai multe ori cu aceeași descriere sau data Item {0} has been entered multiple times with same description or date or warehouse,Element {0} a fost introdus de mai multe ori cu aceeași descriere sau data sau antrepozit Item {0} has been entered twice,Element {0} a fost introdusă de două ori Item {0} has reached its end of life on {1},Element {0} a ajuns la sfârșitul său de viață pe {1} @@ -1373,7 +1455,7 @@ Item {0} is not setup for Serial Nos. Column must be blank,Element {0} nu este d Item {0} must be Sales Item,Element {0} trebuie să fie produs de vânzări Item {0} must be Sales or Service Item in {1},Element {0} trebuie să fie vânzări sau de service Articol din {1} Item {0} must be Service Item,Element {0} trebuie să fie de service Articol -Item {0} must be a Purchase Item,Postul {0} trebuie sa fie un element de cumparare +Item {0} must be a Purchase Item,Element {0} trebuie sa fie un element de cumparare Item {0} must be a Sales Item,Element {0} trebuie sa fie un element de vânzări Item {0} must be a Service Item.,Element {0} trebuie sa fie un element de service. Item {0} must be a Sub-contracted Item,Element {0} trebuie sa fie un element sub-contractat @@ -1389,7 +1471,8 @@ Item-wise Purchase Register,-Element înțelept cumparare Inregistrare Item-wise Sales History,-Element înțelept Sales Istorie Item-wise Sales Register,-Element înțelept vânzări Înregistrare "Item: {0} managed batch-wise, can not be reconciled using \ - Stock Reconciliation, instead use Stock Entry","Postul: {0}-lot înțelept a reușit, nu pot fi reconciliate folosind \ \ n Bursa de reconciliere, folosiți în schimb Bursa de intrare" + Stock Reconciliation, instead use Stock Entry","Postul: {0}-lot înțelept a reușit, nu pot fi reconciliate cu ajutorul \ + Bursa de reconciliere, folosiți în schimb Bursa de intrare" Item: {0} not found in the system,Postul: {0} nu a fost găsit în sistemul Items,Obiecte Items To Be Requested,Elemente care vor fi solicitate @@ -1492,6 +1575,7 @@ Loading...,Încărcare... Loans (Liabilities),Credite (pasive) Loans and Advances (Assets),Împrumuturi și avansuri (Active) Local,Local +Login,Conectare Login with your new User ID,Autentifica-te cu noul ID utilizator Logo,Logo Logo and Letter Heads,Logo și Scrisoare Heads @@ -1536,6 +1620,7 @@ Make Maint. Schedule,Face Maint. Program Make Maint. Visit,Face Maint. Vizita Make Maintenance Visit,Face de întreținere Vizitați Make Packing Slip,Face bonul +Make Payment,Face plată Make Payment Entry,Face plată de intrare Make Purchase Invoice,Face cumparare factură Make Purchase Order,Face Comandă @@ -1545,8 +1630,10 @@ Make Salary Structure,Face Structura Salariul Make Sales Invoice,Face Factura Vanzare Make Sales Order,Face comandă de vânzări Make Supplier Quotation,Face Furnizor ofertă +Make Time Log Batch,Ora face Log lot Male,Masculin Manage Customer Group Tree.,Gestiona Customer Group copac. +Manage Sales Partners.,Gestiona vânzările Partners. Manage Sales Person Tree.,Gestiona vânzările Persoana copac. Manage Territory Tree.,Gestiona Teritoriul copac. Manage cost of operations,Gestiona costul operațiunilor @@ -1584,7 +1671,7 @@ Material Request Item,Material Cerere Articol Material Request Items,Material Cerere Articole Material Request No,Cerere de material Nu Material Request Type,Material Cerere tip -Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Cerere de material de maximum {0} se poate face pentru postul {1} ​​împotriva comandă de vânzări {2} +Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Cerere de material de maximum {0} se poate face pentru postul {1} împotriva comandă de vânzări {2} Material Request used to make this Stock Entry,Cerere de material utilizat pentru a face acest stoc de intrare Material Request {0} is cancelled or stopped,Cerere de material {0} este anulată sau oprită Material Requests for which Supplier Quotations are not created,Cererile de materiale pentru care nu sunt create Cotațiile Furnizor @@ -1597,6 +1684,8 @@ Max 5 characters,Max 5 caractere Max Days Leave Allowed,Max zile de concediu de companie Max Discount (%),Max Discount (%) Max Qty,Max Cantitate +Max discount allowed for item: {0} is {1}%,Discount maxim permis pentru articol: {0} este {1}% +Maximum Amount,Suma maximă Maximum allowed credit is {0} days after posting date,Credit maximă permisă este de {0} zile de la postarea data Maximum {0} rows allowed,Maxime {0} rânduri permis Maxiumm discount for Item {0} is {1}%,Reducere Maxiumm pentru postul {0} este {1}% @@ -1617,6 +1706,7 @@ Milestones will be added as Events in the Calendar,Repere vor fi adăugate ca ev Min Order Qty,Min Ordine Cantitate Min Qty,Min Cantitate Min Qty can not be greater than Max Qty,Min Cantitate nu poate fi mai mare decât Max Cantitate +Minimum Amount,Suma minima Minimum Order Qty,Comanda minima Cantitate Minute,Minut Misc Details,Misc Detalii @@ -1626,7 +1716,6 @@ Mobile No,Mobil Nu Mobile No.,Mobil Nu. Mode of Payment,Mod de plata Modern,Modern -Modified Amount,Modificat Suma Monday,Luni Month,Lună Monthly,Lunar @@ -1643,7 +1732,8 @@ Mr,Mr Ms,Ms Multiple Item prices.,Mai multe prețuri element. "Multiple Price Rule exists with same criteria, please resolve \ - conflict by assigning priority. Price Rules: {0}","Există Prețul multiple Regula cu aceleași criterii, vă rugăm să rezolve \ \ n conflict prin atribuirea de prioritate. Reguli Pret: {0}" + conflict by assigning priority. Price Rules: {0}","Există Prețul multiple Regula cu aceleași criterii, vă rugăm să rezolve \ + conflictelor de acordând prioritate. Reguli Pret: {0}" Music,Muzica Must be Whole Number,Trebuie să fie Număr întreg Name,Nume @@ -1656,9 +1746,10 @@ Naming Series,Naming Series Negative Quantity is not allowed,Negativ Cantitatea nu este permis Negative Stock Error ({6}) for Item {0} in Warehouse {1} on {2} {3} in {4} {5},Eroare negativ Stock ({6}) pentru postul {0} în Depozit {1} la {2} {3} în {4} {5} Negative Valuation Rate is not allowed,Negativ Rata de evaluare nu este permis -Negative balance in Batch {0} for Item {1} at Warehouse {2} on {3} {4},Sold negativ în Lot {0} pentru postul {1} ​​de la Warehouse {2} pe {3} {4} +Negative balance in Batch {0} for Item {1} at Warehouse {2} on {3} {4},Sold negativ în Lot {0} pentru postul {1} la Warehouse {2} pe {3} {4} Net Pay,Net plată Net Pay (in words) will be visible once you save the Salary Slip.,Pay net (în cuvinte) vor fi vizibile după ce salvați fișa de salariu. +Net Profit / Loss,Profit / pierdere net Net Total,Net total Net Total (Company Currency),Net total (Compania de valuta) Net Weight,Greutate netă @@ -1699,7 +1790,6 @@ Newsletter,Newsletter Newsletter Content,Newsletter Conținut Newsletter Status,Newsletter Starea Newsletter has already been sent,Newsletter a fost deja trimisa -Newsletters is not allowed for Trial users,Buletine de știri nu este permis pentru utilizatorii Trial "Newsletters to contacts, leads.","Buletine de contacte, conduce." Newspaper Publishers,Editorii de ziare Next,Urmatorea @@ -1711,8 +1801,8 @@ No,Nu No Customer Accounts found.,Niciun Conturi client gasit. No Customer or Supplier Accounts found,Nici un client sau furnizor Conturi a constatat No Expense Approvers. Please assign 'Expense Approver' Role to atleast one user,"Nu sunt Aprobatori cheltuieli. Vă rugăm să atribui Rolul ""Cheltuieli aprobator"" la cel putin un utilizator" -No Item with Barcode {0},Nici un articol cu ​​coduri de bare {0} -No Item with Serial No {0},Nici un articol cu ​​ordine {0} +No Item with Barcode {0},Nici un articol cu coduri de bare {0} +No Item with Serial No {0},Nici un articol cu ordine {0} No Items to pack,Nu sunt produse în ambalaj No Leave Approvers. Please assign 'Leave Approver' Role to atleast one user,"Nu sunt Aprobatori plece. Vă rugăm să atribui 'Leave aprobator ""Rolul de cel putin un utilizator" No Permission,Lipsă acces @@ -1721,6 +1811,7 @@ No Supplier Accounts found. Supplier Accounts are identified based on 'Master Ty No accounting entries for the following warehouses,Nici o intrare contabile pentru următoarele depozite No addresses created,Nici o adresa create No contacts created,Nici un contact create +No default Address Template found. Please create a new one from Setup > Printing and Branding > Address Template.,Nu Format implicit Adresa găsit. Vă rugăm să creați unul nou de la Setup> Imprimare și Branding> Format Adresa. No default BOM exists for Item {0},Nu există implicit BOM pentru postul {0} No description given,Nici o descriere dat No employee found,Nu a fost gasit angajat @@ -1730,6 +1821,8 @@ No of Sent SMS,Nu de SMS-uri trimise No of Visits,Nu de vizite No permission,Nici o permisiune No record found,Nu au găsit înregistrări +No records found in the Invoice table,Nu sunt găsite în tabelul de factură înregistrări +No records found in the Payment table,Nu sunt găsite în tabelul de plăți înregistrări No salary slip found for month: , Non Profit,Non-Profit Nos,Nos @@ -1739,7 +1832,7 @@ Not Available,Indisponibil Not Billed,Nu Taxat Not Delivered,Nu Pronunțată Not Set,Nu a fost setat -Not allowed to update entries older than {0},Nu este permis să actualizeze înregistrări mai vechi de {0} +Not allowed to update stock transactions older than {0},Nu este permis să actualizeze tranzacțiile bursiere mai vechi de {0} Not authorized to edit frozen Account {0},Nu este autorizat pentru a edita contul congelate {0} Not authroized since {0} exceeds limits,Nu authroized din {0} depășește limitele Not permitted,Nu este permisă @@ -1780,7 +1873,6 @@ Only the selected Leave Approver can submit this Leave Application,Numai selecta Open,Deschide Open Production Orders,Comenzi deschis de producție Open Tickets,Bilete deschise -Open source ERP built for the web,ERP open source construit pentru web Opening (Cr),Deschidere (Cr) Opening (Dr),Deschidere (Dr) Opening Date,Data deschiderii @@ -1801,11 +1893,11 @@ Opportunity Date,Oportunitate Data Opportunity From,Oportunitate de la Opportunity Item,Oportunitate Articol Opportunity Items,Articole de oportunitate -Opportunity Lost,Opportunity Lost +Opportunity Lost,Oportunitate pierdută Opportunity Type,Tip de oportunitate Optional. This setting will be used to filter in various transactions.,Opțional. Această setare va fi utilizat pentru a filtra în diverse tranzacții. Order Type,Tip comandă -Order Type must be one of {1},Pentru Tipul trebuie să fie una din {1} +Order Type must be one of {0},Pentru Tipul trebuie să fie una dintre {0} Ordered,Ordonat Ordered Items To Be Billed,Comandat de Articole Pentru a fi facturat Ordered Items To Be Delivered,Comandat de elemente pentru a fi livrate @@ -1817,7 +1909,6 @@ Organization Name,Numele organizației Organization Profile,Organizație de profil Organization branch master.,Ramură organizație maestru. Organization unit (department) master.,Unitate de organizare (departament) maestru. -Original Amount,Suma inițială Other,Altul Other Details,Alte detalii Others,Altel @@ -1834,6 +1925,7 @@ Overlapping conditions found between:,Condiții se suprapun găsite între: Overview,Prezentare generală Owned,Owned Owner,Proprietar +P L A - Cess Portion,PLA - Cess portii PL or BS,PL sau BS PO Date,PO Data PO No,PO Nu @@ -1846,7 +1938,6 @@ POS Setting required to make POS Entry,Setarea POS necesare pentru a face POS in POS Setting {0} already created for user: {1} and company {2},Setarea POS {0} deja creat pentru utilizator: {1} și companie {2} POS View,POS View PR Detail,PR Detaliu -PR Posting Date,PR Dată postare Package Item Details,Detalii pachet Postul Package Items,Pachet Articole Package Weight Details,Pachetul Greutate Detalii @@ -1876,8 +1967,6 @@ Parent Sales Person,Mamă Sales Person Parent Territory,Teritoriul părinte Parent Website Page,Părinte Site Page Parent Website Route,Părinte Site Route -Parent account can not be a ledger,Cont părinte nu poate fi un registru -Parent account does not exist,Cont părinte nu există Parenttype,ParentType Part-time,Part-time Partially Completed,Parțial finalizate @@ -1886,6 +1975,8 @@ Partly Delivered,Parțial livrate Partner Target Detail,Partener țintă Detaliu Partner Type,Tip partener Partner's Website,Site-ul partenerului +Party,Grup +Party Account,Party Account Party Type,Tip de partid Party Type Name,Tip partid Nume Passive,Pasiv @@ -1898,10 +1989,14 @@ Payables Group,Datorii Group Payment Days,Zile de plată Payment Due Date,Data scadentă de plată Payment Period Based On Invoice Date,Perioada de plată Bazat pe Data facturii -Payment Type,Tip de plată +Payment Reconciliation,Reconcilierea plată +Payment Reconciliation Invoice,Reconcilierea plata facturii +Payment Reconciliation Invoices,Facturi de reconciliere plată +Payment Reconciliation Payment,Reconciliere de plata +Payment Reconciliation Payments,Plăți de reconciliere plată +Payment Type,Tipul de plată +Payment cannot be made for empty cart,Plata nu se poate face pentru cart gol Payment of salary for the month {0} and year {1},Plata salariului pentru luna {0} și {1 an} -Payment to Invoice Matching Tool,Plata la factură Tool potrivire -Payment to Invoice Matching Tool Detail,Plată să factureze Tool potrivire Detaliu Payments,Plăți Payments Made,Plățile efectuate Payments Received,Plăți primite @@ -1919,7 +2014,7 @@ Percentage Allocation,Alocarea procent Percentage Allocation should be equal to 100%,Alocarea procent ar trebui să fie egală cu 100% Percentage variation in quantity to be allowed while receiving or delivering this item.,"Variație procentuală, în cantitate va fi permisă în timp ce primirea sau livrarea acestui articol." 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." -Performance appraisal.,De evaluare a performantei. +Performance appraisal.,De evaluare a performanțelor. Period,Perioada Period Closing Voucher,Voucher perioadă de închidere Periodicity,Periodicitate @@ -1944,7 +2039,9 @@ Planning,Planificare Plant,Instalarea Plant and Machinery,Instalații tehnice și mașini Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,Vă rugăm Introduceți abreviere sau Numele Scurt corect ca acesta va fi adăugat ca sufix la toate capetele de cont. +Please Update SMS Settings,Vă rugăm să actualizați Setări SMS Please add expense voucher details,Vă rugăm să adăugați cheltuieli detalii voucher +Please add to Modes of Payment from Setup.,Vă rugăm să adăugați la Moduri de plată de la instalare. Please check 'Is Advance' against Account {0} if this is an advance entry.,"Vă rugăm să verificați ""Este Advance"" împotriva Contul {0} în cazul în care acest lucru este o intrare în avans." Please click on 'Generate Schedule',"Vă rugăm să faceți clic pe ""Generate Program""" Please click on 'Generate Schedule' to fetch Serial No added for Item {0},"Vă rugăm să faceți clic pe ""Generate Program"", pentru a aduce ordine adăugat pentru postul {0}" @@ -1957,7 +2054,7 @@ Please enter 'Expected Delivery Date',"Vă rugăm să introduceți ""Data de liv Please enter 'Is Subcontracted' as Yes or No,"Va rugam sa introduceti ""este subcontractată"" ca Da sau Nu" Please enter 'Repeat on Day of Month' field value,"Va rugam sa introduceti ""Repeat la zi a lunii"" valoare de câmp" Please enter Account Receivable/Payable group in company master,Va rugam sa introduceti cont de încasat / de grup se plateste in companie de master -Please enter Approving Role or Approving User,Vă rugăm să introduceți Aprobarea Rolul sau aprobarea de utilizare +Please enter Approving Role or Approving User,Va rugam sa introduceti Aprobarea Rolul sau aprobarea de utilizare Please enter BOM for Item {0} at row {1},Va rugam sa introduceti BOM pentru postul {0} la rândul {1} Please enter Company,Va rugam sa introduceti de companie Please enter Cost Center,Va rugam sa introduceti Cost Center @@ -1992,12 +2089,13 @@ Please enter valid Company Email,Va rugam sa introduceti email valida de compani Please enter valid Email Id,Va rugam sa introduceti email valida Id Please enter valid Personal Email,Va rugam sa introduceti email valida personale Please enter valid mobile nos,Va rugam sa introduceti nos mobile valabile +Please find attached Sales Invoice #{0},Vă rugăm să găsiți atașat Factura Vanzare # {0} Please install dropbox python module,Vă rugăm să instalați dropbox modul python Please mention no of visits required,Vă rugăm să menționați nici de vizite necesare Please pull items from Delivery Note,Vă rugăm să trage elemente de livrare Nota Please save the Newsletter before sending,Vă rugăm să salvați Newsletter înainte de a trimite Please save the document before generating maintenance schedule,Vă rugăm să salvați documentul înainte de a genera programul de întreținere -Please select Account first,Vă rugăm să selectați cont în primul rând +Please see attachment,Vă rugăm să consultați atașament Please select Bank Account,Vă rugăm să selectați cont bancar 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 Please select Category first,Vă rugăm să selectați categoria întâi @@ -2005,14 +2103,17 @@ Please select Charge Type first,Vă rugăm să selectați de încărcare Tip în Please select Fiscal Year,Vă rugăm să selectați Anul fiscal Please select Group or Ledger value,Vă rugăm să selectați Group sau Ledger valoare Please select Incharge Person's name,Vă rugăm să selectați numele Incharge Persoana +Please select Invoice Type and Invoice Number in atleast one row,Vă rugăm să selectați Factura Tip și factura Numărul din cel putin un rând "Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Sales BOM","Vă rugăm să selectați element, de unde ""Este Piesa"" este ""Nu"" și ""E Articol de vânzări"" este ""da"", și nu există nici un alt Vanzari BOM" Please select Price List,Vă rugăm să selectați lista de prețuri Please select Start Date and End Date for Item {0},Vă rugăm să selectați data de început și Data de final pentru postul {0} +Please select Time Logs.,Vă rugăm să selectați Ora Activitate. Please select a csv file,Vă rugăm să selectați un fișier csv Please select a valid csv file with data,Vă rugăm să selectați un fișier csv valid cu date Please select a value for {0} quotation_to {1},Vă rugăm să selectați o valoare de {0} {1} quotation_to "Please select an ""Image"" first","Vă rugăm să selectați o ""imagine"" în primul rând" Please select charge type first,Vă rugăm să selectați tipul de taxă în primul rând +Please select company first,Vă rugăm să selectați prima companie Please select company first.,Vă rugăm să selectați prima companie. Please select item code,Vă rugăm să selectați codul de articol Please select month and year,Vă rugăm selectați luna și anul @@ -2020,7 +2121,8 @@ Please select prefix first,Vă rugăm să selectați prefix întâi Please select the document type first,Vă rugăm să selectați tipul de document primul Please select weekly off day,Vă rugăm să selectați zi liberă pe săptămână Please select {0},Vă rugăm să selectați {0} -Please select {0} first,Vă rugăm selectați 0} {întâi +Please select {0} first,Vă rugăm să selectați {0} primul +Please select {0} first.,Vă rugăm să selectați {0} primul. Please set Dropbox access keys in your site config,Vă rugăm să setați tastele de acces Dropbox pe site-ul dvs. de configurare Please set Google Drive access keys in {0},Vă rugăm să setați tastele de acces disk Google în {0} 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} @@ -2032,7 +2134,7 @@ Please setup your chart of accounts before you start Accounting Entries,Vă rug Please specify,Vă rugăm să specificați Please specify Company,Vă rugăm să specificați companiei Please specify Company to proceed,Vă rugăm să specificați companiei pentru a continua -Please specify Default Currency in Company Master and Global Defaults,Vă rugăm să precizați implicit de valuta în Compania de Master și setări implicite globale +Please specify Default Currency in Company Master and Global Defaults,Vă rugăm să specificați Monedă implicită în Compania de Master și setări implicite globale Please specify a,Vă rugăm să specificați un Please specify a valid 'From Case No.',"Vă rugăm să specificați un valabil ""Din cauza nr""" Please specify a valid Row ID for {0} in row {1},Vă rugăm să specificați un ID valid de linie pentru {0} în rândul {1} @@ -2047,6 +2149,7 @@ Postal,Poștal Postal Expenses,Cheltuieli poștale Posting Date,Dată postare Posting Time,Postarea de timp +Posting date and posting time is mandatory,Data postării și postarea de timp este obligatorie Posting timestamp must be after {0},Timestamp postarea trebuie să fie după {0} Potential opportunities for selling.,Potențiale oportunități de vânzare. Preferred Billing Address,Adresa de facturare preferat @@ -2064,7 +2167,7 @@ Price List,Lista de prețuri Price List Currency,Lista de pret Valuta Price List Currency not selected,Lista de pret Valuta nu selectat Price List Exchange Rate,Lista de prețuri Cursul de schimb -Price List Name,Lista de prețuri Nume +Price List Name,Lista de preț Nume Price List Rate,Lista de prețuri Rate Price List Rate (Company Currency),Lista de prețuri Rate (Compania de valuta) Price List master.,Maestru Lista de prețuri. @@ -2073,8 +2176,10 @@ Price List not selected,Lista de prețuri nu selectat Price List {0} is disabled,Lista de prețuri {0} este dezactivat Price or Discount,Preț sau Reducere Pricing Rule,Regula de stabilire a prețurilor -Pricing Rule For Discount,De stabilire a prețurilor De regulă Discount -Pricing Rule For Price,De stabilire a prețurilor De regulă Pret +Pricing Rule Help,Regula de stabilire a prețurilor de ajutor +"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." +"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Regula de stabilire a prețurilor se face pentru a suprascrie Pret / defini procent de reducere, pe baza unor criterii." +Pricing Rules are further filtered based on quantity.,Regulile de stabilire a prețurilor sunt filtrate în continuare în funcție de cantitate. Print Format Style,Print Style Format Print Heading,Imprimare Titlu Print Without Amount,Imprima Fără Suma @@ -2102,7 +2207,9 @@ Production Plan Sales Orders,Planul de producție comenzi de vânzări Production Planning Tool,Producție instrument de planificare Products,Instrumente "Products will be sorted by weight-age in default searches. More the weight-age, higher the product will appear in the list.","Produsele vor fi clasificate în funcție de greutate, vârstă în căutări implicite. Mai mult greutate de vârstă, mai mare produsul va apărea în listă." +Professional Tax,Taxa profesional Profit and Loss,Profit și pierdere +Profit and Loss Statement,Profit și pierdere Project,Proiectarea Project Costing,Proiect de calculație a costurilor Project Details,Detalii proiect @@ -2125,7 +2232,9 @@ Projects & System,Proiecte & System Prompt for Email on Submission of,Prompt de e-mail pe Depunerea Proposal Writing,Propunere de scriere Provide email id registered in company,Furnizarea id-ul de e-mail înregistrată în societate +Provisional Profit / Loss (Credit),Profit provizorie / Pierdere (Credit) Public,Public +Published on website at: {0},Publicat pe site-ul la: {0} Publishing,Editare Pull sales orders (pending to deliver) based on the above criteria,"Trage comenzi de vânzări (în curs de a livra), pe baza criteriilor de mai sus" Purchase,Cumpărarea @@ -2134,7 +2243,6 @@ Purchase Analytics,Analytics de cumpărare Purchase Common,Cumpărare comună Purchase Details,Detalii de cumpărare Purchase Discounts,Cumpărare Reduceri -Purchase In Transit,Cumpărare în tranzit Purchase Invoice,Factura de cumpărare Purchase Invoice Advance,Factura de cumpărare în avans Purchase Invoice Advances,Avansuri factura de cumpărare @@ -2142,7 +2250,6 @@ Purchase Invoice Item,Factura de cumpărare Postul Purchase Invoice Trends,Cumpărare Tendințe factură Purchase Invoice {0} is already submitted,Factura de cumpărare {0} este deja depusă Purchase Order,Comandă de aprovizionare -Purchase Order Date,Comandă de aprovizionare Date Purchase Order Item,Comandă de aprovizionare Articol Purchase Order Item No,Comandă de aprovizionare Punctul nr Purchase Order Item Supplied,Comandă de aprovizionare Articol Livrat @@ -2206,7 +2313,6 @@ Quarter,Trimestru Quarterly,Trimestrial Quick Help,Ajutor rapid Quotation,Citat -Quotation Date,Citat Data Quotation Item,Citat Articol Quotation Items,Cotație Articole Quotation Lost Reason,Citat pierdut rațiunea @@ -2284,6 +2390,7 @@ Recurring Invoice,Factura recurent Recurring Type,Tip recurent Reduce Deduction for Leave Without Pay (LWP),Reduce Deducerea pentru concediu fără plată (LWP) Reduce Earning for Leave Without Pay (LWP),Reduce Câștigul salarial de concediu fără plată (LWP) +Ref,Re Ref Code,Cod de Ref Ref SQ,Ref SQ Reference,Referinta @@ -2307,6 +2414,7 @@ Relieving Date,Alinarea Data Relieving Date must be greater than Date of Joining,Alinarea Data trebuie să fie mai mare decât Data aderării Remark,Remarcă Remarks,Remarci +Remarks Custom,Observații personalizat Rename,Redenumire Rename Log,Redenumi Conectare Rename Tool,Redenumirea Tool @@ -2322,6 +2430,7 @@ Report Type,Tip de raport Report Type is mandatory,Tip de raport este obligatorie Reports to,Rapoarte Reqd By Date,Reqd de Date +Reqd by Date,Reqd de Date Request Type,Cerere tip Request for Information,Cerere de informații Request for purchase.,Cere pentru cumpărare. @@ -2375,21 +2484,34 @@ Rounded Total,Rotunjite total Rounded Total (Company Currency),Rotunjite total (Compania de valuta) Row # , Row # {0}: , +Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,Rând # {0}: Cantitate Comandat poate nu mai puțin de cantitate minimă de comandă item (definit la punctul de master). +Row #{0}: Please specify Serial No for Item {1},Rând # {0}: Vă rugăm să specificați Nu serial pentru postul {1} "Row {0}: Account does not match with \ - Purchase Invoice Credit To account",Rând {0}: Contul nu se potrivește cu \ \ n cumparare factura de credit a contului + Purchase Invoice Credit To account","Rând {0}: Contul nu se potrivește cu \ + cumparare Facturi de credit a contului" "Row {0}: Account does not match with \ - Sales Invoice Debit To account",Rând {0}: Contul nu se potrivește cu \ \ n Factura Vanzare de debit a contului + Sales Invoice Debit To account","Rând {0}: Contul nu se potrivește cu \ + Vânzări Facturi de debit a contului" +Row {0}: Conversion Factor is mandatory,Rând {0}: Factorul de conversie este obligatorie Row {0}: Credit entry can not be linked with a Purchase Invoice,Rând {0}: intrare de credit nu poate fi legat cu o factura de cumpărare Row {0}: Debit entry can not be linked with a Sales Invoice,Rând {0}: intrare de debit nu poate fi legat de o factură de vânzare +Row {0}: Payment amount must be less than or equals to invoice outstanding amount. Please refer Note below.,Rând {0}: Suma de plată trebuie să fie mai mic sau egal cu factura suma restante. Vă rugăm să consultați nota de mai jos. +Row {0}: Qty is mandatory,Rând {0}: Cant este obligatorie +"Row {0}: Qty not avalable in warehouse {1} on {2} {3}. + Available Qty: {4}, Transfer Qty: {5}","Rând {0}: Cantitate nu avalable în depozit {1} la {2} {3}. + Disponibil Cantitate: {4}, transfer Cantitate: {5}" "Row {0}: To set {1} periodicity, difference between from and to date \ - must be greater than or equal to {2}","Rând {0}: Pentru a seta {1} periodicitate, diferența între data de început și \ \ n trebuie să fie mai mare sau egal cu {2}" + must be greater than or equal to {2}","Rând {0}: Pentru a seta {1} periodicitate, diferența între de la și până la data \ + trebuie să fie mai mare sau egal cu {2}" Row {0}:Start Date must be before End Date,Rând {0}: Data începerii trebuie să fie înainte de Data de încheiere Rules for adding shipping costs.,Reguli pentru a adăuga costurile de transport maritim. Rules for applying pricing and discount.,Normele de aplicare de stabilire a prețurilor și de scont. Rules to calculate shipping amount for a sale,Reguli pentru a calcula suma de transport maritim pentru o vânzare S.O. No.,SO Nu. +SHE Cess on Excise,SHE Cess pe accize +SHE Cess on Service Tax,SHE Cess la Serviciul Fiscal +SHE Cess on TDS,SHE Cess pe TDS SMS Center,SMS Center -SMS Control,Controlul SMS SMS Gateway URL,SMS Gateway URL SMS Log,SMS Conectare SMS Parameter,SMS Parametru @@ -2494,15 +2616,20 @@ Securities and Deposits,Titluri de valoare și depozite "Select ""Yes"" if this item represents some work like training, designing, consulting etc.","Selectați ""Da"" în cazul în care acest articol reprezintă ceva de lucru cum ar fi formarea, proiectare, consultanta etc" "Select ""Yes"" if you are maintaining stock of this item in your Inventory.","Selectați ""Da"", dacă sunteți menținerea stocului de acest element în inventar." "Select ""Yes"" if you supply raw materials to your supplier to manufacture this item.","Selectați ""Da"", dacă aprovizionarea cu materii prime a furnizorului dumneavoastră pentru a fabrica acest articol." +Select Brand...,Selectați Brand ... Select Budget Distribution to unevenly distribute targets across months.,Selectați Bugetul de distribuție pentru a distribui uniform obiective pe luni. "Select Budget Distribution, if you want to track based on seasonality.","Selectați Buget Distribution, dacă doriți să urmăriți în funcție de sezonalitate." +Select Company...,Selectați Company ... Select DocType,Selectați DocType +Select Fiscal Year...,Selectați anul fiscal ... Select Items,Selectați Elemente +Select Project...,Selectați Project ... Select Purchase Receipts,Selectați Încasări de cumpărare Select Sales Orders,Selectați comenzi de vânzări Select Sales Orders from which you want to create Production Orders.,Selectați comenzi de vânzări de la care doriți să creați comenzi de producție. Select Time Logs and Submit to create a new Sales Invoice.,Selectați Timp Busteni Trimite pentru a crea o nouă factură de vânzare. Select Transaction,Selectați Transaction +Select Warehouse...,Selectați Warehouse ... Select Your Language,Selectați limba Select account head of the bank where cheque was deposited.,"Selectați contul șef al băncii, unde de verificare a fost depus." Select company name first.,Selectați numele companiei în primul rând. @@ -2520,6 +2647,7 @@ Select your home country and check the timezone and currency.,Selectați țara d "Selecting ""Yes"" will give a unique identity to each entity of this item which can be viewed in the Serial No master.","Selectând ""Da"", va da o identitate unică pentru fiecare entitate din acest articol, care poate fi vizualizat în ordine maestru." Selling,De vânzare Selling Settings,Vanzarea Setări +"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}" Send,Trimiteți Send Autoreply,Trimite Răspuns automat Send Email,Trimiteți-ne email @@ -2542,7 +2670,7 @@ Serial No Status,Serial Nu Statut Serial No Warranty Expiry,Serial Nu Garantie pana Serial No is mandatory for Item {0},Nu serial este obligatorie pentru postul {0} Serial No {0} created,Serial Nu {0} a creat -Serial No {0} does not belong to Delivery Note {1},Serial No {0} nu aparține de livrare Nota {1} +Serial No {0} does not belong to Delivery Note {1},Serial Nu {0} nu face parte din livrare Nota {1} Serial No {0} does not belong to Item {1},Serial Nu {0} nu aparține postul {1} Serial No {0} does not belong to Warehouse {1},Serial Nu {0} nu apartine Warehouse {1} Serial No {0} does not exist,Serial Nu {0} nu există @@ -2553,27 +2681,31 @@ Serial No {0} not in stock,Serial Nu {0} nu este în stoc Serial No {0} quantity {1} cannot be a fraction,Serial Nu {0} {1} cantitate nu poate fi o fracțiune Serial No {0} status must be 'Available' to Deliver,"Nu {0} Stare de serie trebuie să fie ""disponibile"" pentru a oferi" Serial Nos Required for Serialized Item {0},Serial nr necesare pentru postul serializat {0} -Serial Number Series,Serial Number Series +Serial Number Series,Număr de serie de serie Serial number {0} entered more than once,Număr de serie {0} a intrat de mai multe ori "Serialized Item {0} cannot be updated \ - using Stock Reconciliation",Postul serializat {0} nu poate fi actualizat \ \ n folosind Bursa de reconciliere + using Stock Reconciliation","Postul serializat {0} nu poate fi actualizat \ + folosind Bursa de reconciliere" Series,Serie Series List for this Transaction,Lista de serie pentru această tranzacție Series Updated,Seria Actualizat Series Updated Successfully,Seria Actualizat cu succes Series is mandatory,Seria este obligatorie -Series {0} already used in {1},Series {0} folosit deja în {1} +Series {0} already used in {1},Seria {0} folosit deja în {1} Service,Servicii Service Address,Adresa serviciu +Service Tax,Serviciul Fiscal Services,Servicii Set,Setează "Set Default Values like Company, Currency, Current Fiscal Year, etc.","Seta valorile implicite, cum ar fi Compania, valutar, Current Anul fiscal, etc" Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,"Set bugetelor Grupa înțelept Articol de pe acest teritoriu. Puteți include, de asemenea, sezonier prin setarea distribuție." +Set Status as Available,Setați Starea ca Disponibil Set as Default,Setat ca implicit Set as Lost,Setați ca Lost Set prefix for numbering series on your transactions,Set prefix pentru seria de numerotare pe tranzacțiile dvs. Set targets Item Group-wise for this Sales Person.,Stabilească obiective Articol Grupa-înțelept pentru această persoană de vânzări. Setting Account Type helps in selecting this Account in transactions.,Setarea Tipul de cont ajută în selectarea acest cont în tranzacții. +Setting this Address Template as default as there is no other default,Setarea acestei Format Adresa implicit ca nu exista nici un alt implicit Setting up...,Configurarea ... Settings,Setări Settings for HR Module,Setările pentru modul HR @@ -2581,6 +2713,7 @@ Settings for HR Module,Setările pentru modul HR Setup,Setare Setup Already Complete!!,Setup deja complet! Setup Complete,Configurare complet +Setup SMS gateway settings,Setări de configurare SMS gateway-ul Setup Series,Seria de configurare Setup Wizard,Setup Wizard Setup incoming server for jobs email id. (e.g. jobs@example.com),Configurare de server de intrare pentru ocuparea forței de muncă id-ul de e-mail. (De exemplu jobs@example.com) @@ -2606,6 +2739,7 @@ Short biography for website and other publications.,Scurta biografie pentru site Show In Website,Arată în site-ul Show a slideshow at the top of the page,Arata un slideshow din partea de sus a paginii Show in Website,Arata pe site-ul +Show rows with zero values,Arată rânduri cu valori de zero Show this slideshow at the top of the page,Arată această prezentare în partea de sus a paginii Sick Leave,A concediului medical Signature,Semnătura @@ -2635,9 +2769,9 @@ Specifications,Specificaţii: "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ă." Split Delivery Note into packages.,Împărțit de livrare Notă în pachete. Sports,Sport +Sr,Sr Standard,Standard Standard Buying,Cumpararea Standard -Standard Rate,Rate Standard Standard Reports,Rapoarte standard Standard Selling,Vanzarea Standard Standard contract terms for Sales or Purchase.,Clauzele contractuale standard pentru vânzări sau de cumpărare. @@ -2646,6 +2780,7 @@ Start Date,Data începerii Start date of current invoice's period,Data perioadei de factura de curent începem Start date should be less than end date for Item {0},Data de începere trebuie să fie mai mică decât data de sfârșit pentru postul {0} State,Stat +Statement of Account,Extras de cont Static Parameters,Parametrii statice Status,Stare Status must be one of {0},Starea trebuie să fie una din {0} @@ -2687,6 +2822,7 @@ Stock Value Difference,Valoarea Stock Diferența Stock balances updated,Solduri stoc actualizate Stock cannot be updated against Delivery Note {0},Stock nu poate fi actualizat împotriva livrare Nota {0} Stock entries exist against warehouse {0} cannot re-assign or modify 'Master Name',"Intrări de stocuri exista împotriva depozit {0} nu poate re-aloca sau modifica ""Maestru Name""" +Stock transactions before {0} are frozen,Tranzacțiilor bursiere înainte de {0} sunt înghețate Stop,Oprire Stop Birthday Reminders,De oprire de naștere Memento Stop Material Request,Oprire Material Cerere @@ -2706,13 +2842,13 @@ Submit this Production Order for further processing.,Trimiteți acest comandă d Submitted,Inscrisa Subsidiary,Filială Successful: , -Successfully allocated,Alocate cu succes +Successfully Reconciled,Împăcați cu succes Suggestions,Sugestii Sunday,Duminică Supplier,Furnizor Supplier (Payable) Account,Furnizor (furnizori) de cont Supplier (vendor) name as entered in supplier master,"Furnizor (furnizor), nume ca a intrat in legatura cu furnizorul de master" -Supplier Account,Furnizor de cont +Supplier > Supplier Type,Furnizor> Furnizor Tip Supplier Account Head,Furnizor de cont Șeful Supplier Address,Furnizor Adresa Supplier Addresses and Contacts,Adrese furnizorului și de Contacte @@ -2750,6 +2886,12 @@ Sync with Google Drive,Sincronizare cu Google Drive System,Sistem System Settings,Setări de sistem "System User (login) ID. If set, it will become default for all HR forms.","Utilizator de sistem (login) de identitate. Dacă este setat, el va deveni implicit pentru toate formele de resurse umane." +TDS (Advertisement),TDS (Publicitate) +TDS (Commission),TDS (Comisia) +TDS (Contractor),TDS (Contractor) +TDS (Interest),TDS (dobânzi) +TDS (Rent),TDS (inchiriere) +TDS (Salary),TDS (salariu) Target Amount,Suma țintă Target Detail,Țintă Detaliu Target Details,Țintă Detalii @@ -2770,10 +2912,12 @@ Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are no Tax Rate,Cota de impozitare Tax and other salary deductions.,Impozitul și alte rețineri salariale. "Tax detail table fetched from item master as a string and stored in this field. -Used for Taxes and Charges",Taxa detaliu tabel preluat de la maestru element ca un șir și stocate în acest domeniu. \ NUtilizat pentru Impozite și Taxe +Used for Taxes and Charges","Masă detaliu impozit preluat de la postul de master ca un șir și stocate în acest domeniu. + Folosit pentru Impozite și Taxe" Tax template for buying transactions.,Șablon taxa pentru tranzacțiilor de cumpărare. Tax template for selling transactions.,Șablon impozit pentru tranzacțiile de vânzare. Taxable,Impozabil +Taxes,Impozite Taxes and Charges,Impozite și Taxe Taxes and Charges Added,Impozite și Taxe Added Taxes and Charges Added (Company Currency),Impozite și Taxe adăugate (Compania de valuta) @@ -2786,6 +2930,7 @@ Technology,Tehnologia nou-aparuta Telecommunications,Telecomunicații Telephone Expenses,Cheltuieli de telefon Television,Televiziune +Template,Sablon Template for performance appraisals.,Șablon pentru evaluările de performanță. Template of terms or contract.,Șablon de termeni sau contractului. Temporary Accounts (Assets),Conturile temporare (Active) @@ -2815,7 +2960,8 @@ The First User: You,Primul utilizator: The Organization,Organizația "The account head under Liability, in which Profit/Loss will be booked","Contul capul sub răspunderii, în care Profit / pierdere va fi rezervat" "The date on which next invoice will be generated. It is generated on submit. -",Data la care va fi generat următoarea factură. Acesta este generat pe prezinte. \ N +","Data la care va fi generat următoarea factură. Acesta este generat pe prezinte. +" The date on which recurring invoice will be stop,La data la care factura recurente vor fi opri "The day of the month on which auto invoice will be generated e.g. 05, 28 etc ", The day(s) on which you are applying for leave are holiday. You need not apply for leave.,A doua zi (e) pe care aplici pentru concediu sunt vacanță. Tu nu trebuie să se aplice pentru concediu. @@ -2827,6 +2973,7 @@ The net weight of this package. (calculated automatically as sum of net weight o The new BOM after replacement,Noul BOM după înlocuirea The rate at which Bill Currency is converted into company's base currency,Rata la care Bill valuta este convertit în moneda de bază a companiei 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. +"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Apoi normelor privind prețurile sunt filtrate pe baza Customer, Client Group, Territory, furnizor, furnizor de tip, Campania, Vanzari Partener etc" There are more holidays than working days this month.,Există mai multe sărbători decât de zile de lucru în această lună. "There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Nu poate fi doar o singură regulă Condiții presetate cu 0 sau o valoare necompletată pentru ""la valoarea""" There is not enough leave balance for Leave Type {0},Nu există echilibru concediu suficient pentru concediul de tip {0} @@ -2838,6 +2985,7 @@ This Leave Application is pending approval. Only the Leave Apporver can update s This Time Log Batch has been billed.,Acest lot Timpul Log a fost facturat. This Time Log Batch has been cancelled.,Acest lot Timpul Log a fost anulat. This Time Log conflicts with {0},This Time Log conflict cu {0} +This format is used if country specific format is not found,Acest format este utilizat în cazul în format specific țării nu este găsit This is a root account and cannot be edited.,Acesta este un cont de rădăcină și nu pot fi editate. This is a root customer group and cannot be edited.,Acesta este un grup de clienți rădăcină și nu pot fi editate. This is a root item group and cannot be edited.,Acesta este un grup element rădăcină și nu pot fi editate. @@ -2853,7 +3001,9 @@ Time Log Batch,Timp Log lot Time Log Batch Detail,Ora Log lot Detaliu Time Log Batch Details,Timp Jurnal Detalii lot Time Log Batch {0} must be 'Submitted',"Ora Log Lot {0} trebuie să fie ""Înscris""" +Time Log Status must be Submitted.,Ora Log Starea trebuie să fie prezentate. Time Log for tasks.,Log timp de sarcini. +Time Log is not billable,Timpul Conectare nu este facturabile Time Log {0} must be 'Submitted',"Ora Log {0} trebuie să fie ""Înscris""" Time Zone,Time Zone Time Zones,Time Zones @@ -2866,6 +3016,7 @@ To,Până la data To Currency,Pentru a valutar To Date,La Data To Date should be same as From Date for Half Day leave,Pentru a Data trebuie să fie aceeași ca la data de concediu de jumatate de zi +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} To Discuss,Pentru a discuta To Do List,To do list To Package No.,La pachetul Nr @@ -2875,8 +3026,8 @@ To Value,La valoarea To Warehouse,Pentru Warehouse "To add child nodes, explore tree and click on the node under which you want to add more nodes.","Pentru a adăuga noduri copil, explora copac și faceți clic pe nodul în care doriți să adăugați mai multe noduri." "To assign this issue, use the ""Assign"" button in the sidebar.","Pentru a atribui această problemă, utilizați butonul ""Assign"" în bara laterală." -To create a Bank Account:,Pentru a crea un cont bancar: -To create a Tax Account:,Pentru a crea un cont fiscal: +To create a Bank Account,Pentru a crea un cont bancar +To create a Tax Account,Pentru a crea un cont fiscală "To create an Account Head under a different company, select the company and save customer.","Pentru a crea un cap de cont sub o altă companie, selecta compania și de a salva client." To date cannot be before from date,Până în prezent nu poate fi înainte de data To enable Point of Sale features,Pentru a permite Point of Sale caracteristici @@ -2884,22 +3035,23 @@ To enable Point of Sale view,Pentru a permite Point of Sale de To get Item Group in details table,Pentru a obține Grupa de articole în detalii de masă "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" "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" -"To report an issue, go to ", +"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." "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""" To track any installation or commissioning related work after sales,Pentru a urmări orice instalare sau punere în lucrările conexe după vânzări "To track brand name in the following documents Delivery Note, Opportunity, Material Request, Item, Purchase Order, Purchase Voucher, Purchaser Receipt, Quotation, Sales Invoice, Sales BOM, Sales Order, Serial No","Pentru a urmări nume de marcă în următoarele documente nota de livrare, oportunitate, cerere Material, Item, Ordinul de cumparare, cumparare Voucherul, Cumpărătorul Primirea, cotatie, Factura Vanzare, Vanzari BOM, comandă de vânzări, Serial nr" To track item in sales and purchase documents based on their serial nos. This is can also used to track warranty details of the product.,"Pentru a urmări element în vânzări și a documentelor de achiziție, pe baza lor de serie nr. Acest lucru se poate, de asemenea, utilizat pentru a urmări detalii de garanție ale produsului." To track items in sales and purchase documents with batch nos
Preferred Industry: Chemicals etc,"Pentru a urmări elementele din vânzări și achiziționarea de documente, cu lot nr cui Industrie preferată: Produse chimice etc " To track items using barcode. You will be able to enter items in Delivery Note and Sales Invoice by scanning barcode of item.,Pentru a urmări elemente utilizând coduri de bare. Va fi capabil de a intra articole în nota de livrare și factură de vânzare prin scanarea codului de bare de element. +Too many columns. Export the report and print it using a spreadsheet application.,Prea multe coloane. Exporta raportul și imprima utilizând o aplicație de calcul tabelar. Tools,Instrumentele Total,totală +Total ({0}),Total ({0}) Total Advance,Total de Advance -Total Allocated Amount,Suma totală alocată -Total Allocated Amount can not be greater than unmatched amount,Suma totală alocată nu poate fi mai mare decât valoarea de neegalat Total Amount,Suma totală Total Amount To Pay,Suma totală să plătească Total Amount in Words,Suma totală în cuvinte Total Billing This Year: , +Total Characters,Total de caractere Total Claimed Amount,Total suma pretinsă Total Commission,Total de Comisie Total Cost,Cost total @@ -2923,14 +3075,13 @@ Total Score (Out of 5),Scor total (din 5) Total Tax (Company Currency),Totală Brut (Compania de valuta) Total Taxes and Charges,Total Impozite și Taxe Total Taxes and Charges (Company Currency),Total Impozite si Taxe (Compania valutar) -Total Words,Totalul Cuvinte -Total Working Days In The Month,Zile de lucru total în luna Total allocated percentage for sales team should be 100,Procentul total alocat pentru echipa de vânzări ar trebui să fie de 100 Total amount of invoices received from suppliers during the digest period,Suma totală a facturilor primite de la furnizori în timpul perioadei Digest Total amount of invoices sent to the customer during the digest period,Suma totală a facturilor trimise clientului în timpul perioadei Digest -Total cannot be zero,Totală nu poate să fie zero +Total cannot be zero,Totală nu poate fi zero Total in words,Totală în cuvinte -Total points for all goals should be 100. It is {0},Numărul total de puncte pentru toate obiectivele trebuie să fie de 100. Este {0} +Total points for all goals should be 100. It is {0},Numărul total de puncte pentru toate obiectivele ar trebui să fie de 100. Este {0} +Total valuation for manufactured or repacked item(s) can not be less than total valuation of raw materials,Evaluare totală de element fabricate sau reambalate (e) nu poate fi mai mică de evaluare totală de materii prime Total weightage assigned should be 100%. It is {0},Weightage total alocat este de 100%. Este {0} Totals,Totaluri Track Leads by Industry Type.,Track conduce de Industrie tip. @@ -2966,7 +3117,7 @@ UOM Conversion Details,UOM Detalii de conversie UOM Conversion Factor,Factorul de conversie UOM UOM Conversion factor is required in row {0},Factor UOM de conversie este necesară în rândul {0} UOM Name,Numele UOM -UOM coversion factor required for UOM {0} in Item {1},Factor coversion UOM necesar pentru UOM {0} de la postul {1} +UOM coversion factor required for UOM: {0} in Item: {1},Factor coversion UOM UOM necesare pentru: {0} in articol: {1} Under AMC,Sub AMC Under Graduate,Sub Absolvent Under Warranty,Sub garanție @@ -2976,8 +3127,8 @@ Unit of Measure {0} has been entered more than once in Conversion Factor Table,U "Unit of measurement of this item (e.g. Kg, Unit, No, Pair).","Unitatea de măsură a acestui articol (de exemplu, Kg, Unitatea, Nu, pereche)." Units/Hour,Unități / oră Units/Shifts,Unități / Schimburi -Unmatched Amount,Suma de neegalat Unpaid,Neachitat +Unreconciled Payment Details,Nereconciliate Detalii de plată Unscheduled,Neprogramat Unsecured Loans,Creditele negarantate Unstop,Unstop @@ -2992,7 +3143,6 @@ Update Landed Cost,Actualizare Landed Cost Update Series,Actualizare Series Update Series Number,Actualizare Serii Număr Update Stock,Actualizați Stock -"Update allocated amount in the above table and then click ""Allocate"" button","Actualizare a alocat sume în tabelul de mai sus și apoi faceți clic pe butonul ""Alocarea""" Update bank payment dates with journals.,Actualizați datele de plată bancar cu reviste. Update clearance date of Journal Entries marked as 'Bank Vouchers',"Data de clearance-ul de actualizare de jurnal intrările marcate ca ""Tichete Bank""" Updated,Actualizat @@ -3009,6 +3159,7 @@ Upper Income,Venituri de sus Urgent,De urgență Use Multi-Level BOM,Utilizarea Multi-Level BOM Use SSL,Utilizați SSL +Used for Production Plan,Folosit pentru Planul de producție User,Utilizator User ID,ID-ul de utilizator User ID not set for Employee {0},ID-ul de utilizator nu este setat pentru Angajat {0} @@ -3023,7 +3174,7 @@ User {0} is already assigned to Employee {1},Utilizatorul {0} este deja alocat A User {0} is disabled,Utilizatorul {0} este dezactivat Username,Nume utilizator Users with this role are allowed to create / modify accounting entry before frozen date,Utilizatorii cu acest rol sunt permise pentru a crea / modifica intrare contabilitate înainte de data congelate -Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Utilizatorii cu acest rol li se permite să stabilească în conturile înghețate și de a crea / modifica intrări contabile împotriva conturile înghețate +Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Utilizatorii cu acest rol le este permis să stabilească conturile înghețate și de a crea / modifica intrări contabile împotriva conturile înghețate Utilities,Utilities Utility Expenses,Cheltuieli de utilitate Valid For Territories,Valabil pentru teritoriile @@ -3043,13 +3194,13 @@ Vehicle No,Vehicul Nici Venture Capital,Capital de Risc Verified By,Verificate de View Ledger,Vezi Ledger -View Now,Vizualizează acum +View Now,Vezi acum Visit report for maintenance call.,Vizitați raport de apel de întreținere. Voucher #,Voucher # Voucher Detail No,Detaliu voucher Nu +Voucher Detail Number,Voucher Numărul de Detaliu Voucher ID,ID Voucher Voucher No,Voletul nr -Voucher No is not valid,Nu voucher nu este valid Voucher Type,Tip Voucher Voucher Type and Date,Tipul Voucher și data Walk In,Walk In @@ -3065,11 +3216,12 @@ Warehouse is mandatory for stock Item {0} in row {1},Depozit este obligatorie pe Warehouse is missing in Purchase Order,Depozit lipsește în Comandă Warehouse not found in the system,Depozit nu a fost găsit în sistemul Warehouse required for stock Item {0},Depozit necesar pentru stocul de postul {0} -Warehouse required in POS Setting,Depozit necesare în Setarea POS Warehouse where you are maintaining stock of rejected items,Depozit în cazul în care se menține stocul de articole respinse Warehouse {0} can not be deleted as quantity exists for Item {1},Depozit {0} nu poate fi ștearsă ca exista cantitate pentru postul {1} Warehouse {0} does not belong to company {1},Depozit {0} nu aparține companiei {1} Warehouse {0} does not exist,Depozit {0} nu există +Warehouse {0}: Company is mandatory,Depozit {0}: Company este obligatorie +Warehouse {0}: Parent account {1} does not bolong to the company {2},Depozit {0}: cont Părinte {1} nu Bolong a companiei {2} Warehouse-Wise Stock Balance,Depozit-înțelept Stock Balance Warehouse-wise Item Reorder,-Depozit înțelept Postul de Comandă Warehouses,Depozite @@ -3096,7 +3248,7 @@ Wednesday,Miercuri Weekly,Saptamanal Weekly Off,Săptămânal Off Weight UOM,Greutate UOM -"Weight is mentioned,\nPlease mention ""Weight UOM"" too", +"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Greutate este menționat, \n Vă rugăm să menționați ""Greutate UOM"" prea" Weightage,Weightage Weightage (%),Weightage (%) Welcome,Bine ați venit @@ -3114,13 +3266,14 @@ Will be updated when batched.,Vor fi actualizate atunci când dozate. Will be updated when billed.,Vor fi actualizate atunci când facturat. Wire Transfer,Transfer With Operations,Cu Operațiuni -With period closing entry,Cu intrare perioadă de închidere +With Period Closing Entry,Cu intrare Perioada de închidere Work Details,Detalii de lucru Work Done,Activitatea desfășurată Work In Progress,Lucrări în curs Work-in-Progress Warehouse,De lucru-in-Progress Warehouse Work-in-Progress Warehouse is required before Submit,De lucru-in-Progress Warehouse este necesară înainte Trimite Working,De lucru +Working Days,Zile lucratoare Workstation,Stație de lucru Workstation Name,Stație de lucru Nume Write Off Account,Scrie Off cont @@ -3136,19 +3289,15 @@ Year Closed,An Închis Year End Date,Anul Data de încheiere Year Name,An Denumire Year Start Date,An Data începerii -Year Start Date and Year End Date are already set in Fiscal Year {0},Data începerii an și de sfârșit de an data sunt deja stabilite în anul fiscal {0} -Year Start Date and Year End Date are not within Fiscal Year.,Data începerii an și Anul Data de încheiere nu sunt în anul fiscal. -Year Start Date should not be greater than Year End Date,An Data începerii nu trebuie să fie mai mare de sfârșit de an Data Year of Passing,Ani de la promovarea Yearly,Anual Yes,Da -You are not authorized to add or update entries before {0},Tu nu sunt autorizate să adăugați sau actualizare intrări înainte de {0} +You are not authorized to add or update entries before {0},Tu nu sunt autorizate pentru a adăuga sau actualiza intrări înainte de {0} You are not authorized to set Frozen value,Tu nu sunt autorizate pentru a seta valoarea Frozen You are the Expense Approver for this record. Please Update the 'Status' and Save,"Sunteți aprobator cheltuieli pentru acest record. Vă rugăm Actualizați ""statutul"" și Salvare" You are the Leave Approver for this record. Please Update the 'Status' and Save,"Sunteți aprobator Lăsați pentru această înregistrare. Vă rugăm Actualizați ""statutul"" și Salvare" You can enter any date manually,Puteți introduce manual orice dată You can enter the minimum quantity of this item to be ordered.,Puteți introduce cantitatea minimă de acest element pentru a fi comandat. -You can not assign itself as parent account,Nu se poate atribui ca cont părinte You can not change rate if BOM mentioned agianst any item,Nu puteți schimba rata dacă BOM menționat agianst orice element You can not enter both Delivery Note No and Sales Invoice No. Please enter any one.,Nu puteți introduce atât de livrare Notă Nu și Factura Vanzare Nr Vă rugăm să introduceți nici una. You can not enter current voucher in 'Against Journal Voucher' column,"Nu puteți introduce voucher curent în ""Împotriva Jurnalul Voucher"" coloana" @@ -3160,7 +3309,6 @@ You cannot credit and debit same account at the same time,"Nu puteți credit și 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. You may need to update: {0},Posibil să aveți nevoie pentru a actualiza: {0} You must Save the form before proceeding,Trebuie să salvați formularul înainte de a începe -You must allocate amount before reconcile,Trebuie să aloce sume înainte de reconciliere Your Customer's TAX registration numbers (if applicable) or any general information,Numerele de înregistrare fiscală clientului dumneavoastră (dacă este cazul) sau orice informații generale Your Customers,Clienții dvs. Your Login Id,Intra Id-ul dvs. @@ -3173,11 +3321,13 @@ Your sales person who will contact the customer in future,Persoana de vânzări 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 Your setup is complete. Refreshing...,Configurarea este completă. Refreshing ... Your support email id - must be a valid email - this is where your emails will come!,Suport e-mail id-ul dvs. - trebuie să fie un e-mail validă - aceasta este în cazul în care e-mailurile tale vor veni! +[Error],[Eroare] [Select],[Select] `Freeze Stocks Older Than` should be smaller than %d days.,`Stocuri Freeze mai în vârstă decât` ar trebui să fie mai mică decât% d zile. and,și are not allowed.,nu sunt permise. assigned by,atribuit de către +cannot be greater than 100,nu poate fi mai mare de 100 "e.g. ""Build tools for builders""","de exemplu ""Construi instrumente de constructori """ "e.g. ""MC""","de exemplu ""MC """ "e.g. ""My Company LLC""","de exemplu ""My Company LLC """ @@ -3190,32 +3340,34 @@ example: Next Day Shipping,exemplu: Next Day Shipping lft,LFT old_parent,old_parent rgt,RGT +subject,subiect +to,către website page link,pagina site-ului link-ul {0} '{1}' not in Fiscal Year {2},"{0} {1} ""nu este în anul fiscal {2}" {0} Credit limit {0} crossed,{0} Limita de credit {0} trecut {0} Serial Numbers required for Item {0}. Only {0} provided.,{0} numere de serie necesare pentru postul {0}. Numai {0} furnizate. -{0} budget for Account {1} against Cost Center {2} will exceed by {3},{0} de buget pentru contul {1} ​​contra cost Centrul de {2} va depăși de {3} -{0} created,{0} creat +{0} budget for Account {1} against Cost Center {2} will exceed by {3},{0} de buget pentru contul {1} contra cost Centrul de {2} va depăși de {3} +{0} can not be negative,{0} nu poate fi negativ +{0} created,{0} a creat {0} does not belong to Company {1},{0} nu aparține companiei {1} {0} entered twice in Item Tax,{0} a intrat de două ori în postul fiscal {0} is an invalid email address in 'Notification Email Address',"{0} este o adresă de e-mail nevalidă în ""Notificarea Adresa de e-mail""" {0} is mandatory,{0} este obligatorie {0} is mandatory for Item {1},{0} este obligatorie pentru postul {1} +{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} este obligatorie. Poate înregistrare de schimb valutar nu este creat pentru {1} la {2}. {0} is not a stock Item,{0} nu este un element de stoc {0} is not a valid Batch Number for Item {1},{0} nu este un număr de lot valabil pentru postul {1} -{0} is not a valid Leave Approver,{0} nu este un concediu aprobator valid +{0} is not a valid Leave Approver. Removing row #{1}.,{0} nu este un concediu aprobator valabil. Scoaterea rând # {1}. {0} is not a valid email id,{0} nu este un id-ul de e-mail validă {0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} este acum implicit anul fiscal. Vă rugăm să reîmprospătați browser-ul dvs. pentru ca modificarea să aibă efect. {0} is required,{0} este necesară {0} must be a Purchased or Sub-Contracted Item in row {1},{0} trebuie sa fie un element Achiziționat sau subcontractate în rândul {1} -{0} must be less than or equal to {1},{0} trebuie să fie mai mic sau egal cu {1} +{0} must be reduced by {1} or you should increase overflow tolerance,{0} trebuie să fie redusă cu {1} sau ar trebui să crească toleranța preaplin {0} must have role 'Leave Approver',"{0} trebuie să aibă rol de ""Leave aprobator""" {0} valid serial nos for Item {1},{0} nos serie valabile pentru postul {1} {0} {1} against Bill {2} dated {3},{0} {1} împotriva Bill {2} din {3} {0} {1} against Invoice {2},{0} {1} împotriva Factura {2} {0} {1} has already been submitted,{0} {1} a fost deja prezentat -{0} {1} has been modified. Please Refresh,{0} {1} a fost modificat. Va rugam sa Refresh -{0} {1} has been modified. Please refresh,{0} {1} a fost modificat. Vă rugăm să reîmprospătați {0} {1} has been modified. Please refresh.,{0} {1} a fost modificat. Vă rugăm să reîmprospătați. {0} {1} is not submitted,{0} {1} nu este prezentată {0} {1} must be submitted,{0} {1} trebuie să fie prezentate @@ -3223,3 +3375,5 @@ website page link,pagina site-ului link-ul {0} {1} status is 'Stopped',"{0} {1} statut este ""Oprit""" {0} {1} status is Stopped,{0} {1} statut este oprit {0} {1} status is Unstopped,{0} {1} statut este destupate +{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Cost Center este obligatorie pentru postul {2} +{0}: {1} not found in Invoice Details table,{0}: {1} nu a fost găsit în factură Detalii masă diff --git a/erpnext/translations/ru.csv b/erpnext/translations/ru.csv index 78b4b0aecb..b480a1c605 100644 --- a/erpnext/translations/ru.csv +++ b/erpnext/translations/ru.csv @@ -1,39 +1,40 @@ (Half Day), and year: , -""" does not exists",По умолчанию BOM -% Delivered,Не можете переносить {0} -% Amount Billed,Зарезервировано Склад в заказ клиента отсутствует -% Billed,Поставленные товары быть выставлен счет -% Completed,Счет-фактура Нет -% Delivered,Пассивный -% Installed,Шаблоном Зарплата. -% Received,Рабочая станция -% of materials billed against this Purchase Order.,Открытие Время -% of materials billed against this Sales Order,Может быть одобрено {0} -% of materials delivered against this Delivery Note,Фильтр на основе клиента -% of materials delivered against this Sales Order,Дата начала -% of materials ordered against this Material Request,Фактическое начало Дата -% of materials received against this Purchase Order,"Пожалуйста, введите выпуска изделия сначала" -'Actual Start Date' can not be greater than 'Actual End Date',"Поставщик (продавец) имя, как вступил в мастер поставщиком" -'Based On' and 'Group By' can not be same,% Установленная -'Days Since Last Order' must be greater than or equal to zero,Выбор языка -'Entries' cannot be empty,Пожалуйста вытяните элементов из накладной -'Expected Start Date' can not be greater than 'Expected End Date',Против Doctype -'From Date' is required,{0} не является акционерным Пункт -'From Date' must be after 'To Date',Зарплата Структура Вычет -'Has Serial No' can not be 'Yes' for non-stock item,Связаться с мастером. -'Notification Email Addresses' not specified for recurring invoice,Элемент -'Profit and Loss' type account {0} not allowed in Opening Entry,Время входа {0} должен быть 'Представленные' -'To Case No.' cannot be less than 'From Case No.',Покупка Налоги и сборы Мастер -'To Date' is required,"не Вы не можете войти как Delivery Note Нет и Расходная накладная номер Пожалуйста, введите любой." -'Update Stock' for Sales Invoice {0} must be set,Отправить автоответчике -* Will be calculated in the transaction.,Источник Склад +""" does not exists","""Не существует" +% Delivered,% При поставке +% Amount Billed,% Сумма счета +% Billed,% Объявленный +% Completed,% Завершено +% Delivered,% При поставке +% Installed,% Установленная +% Received,% В редакцию +% of materials billed against this Purchase Order.,% Материалов выставлено против этого заказа на поставку. +% of materials billed against this Sales Order,% Материалов выставленных против этого заказа клиента +% of materials delivered against this Delivery Note,"% Материалов, вынесенных против этой накладной" +% of materials delivered against this Sales Order,"% Материалов, вынесенных против этого заказа клиента" +% of materials ordered against this Material Request,% От заказанных материалов против этого материала запрос +% of materials received against this Purchase Order,% Полученных материалов против данного Заказа +'Actual Start Date' can not be greater than 'Actual End Date',"""Фактическое начало Дата"" не может быть больше, чем «Актуальные Дата окончания '" +'Based On' and 'Group By' can not be same,"""На основе"" и ""Группировка по"" не может быть таким же," +'Days Since Last Order' must be greater than or equal to zero,"""Дни с последнего Порядке так должно быть больше или равно нулю" +'Entries' cannot be empty,"""Записи"" не может быть пустым" +'Expected Start Date' can not be greater than 'Expected End Date',"""Ожидаемый Дата начала 'не может быть больше, чем"" Ожидаемый Дата окончания'" +'From Date' is required,"""С даты 'требуется" +'From Date' must be after 'To Date',"""С даты 'должно быть после' To Date '" +'Has Serial No' can not be 'Yes' for non-stock item,"'Имеет Серийный номер' не может быть ""Да"" для не-фондовой пункта" +'Notification Email Addresses' not specified for recurring invoice,"'Notification Адреса электронной почты', не предназначенных для повторяющихся счет" +'Profit and Loss' type account {0} not allowed in Opening Entry,"""Прибыль и убытки"" тип счета {0} не допускаются в Открытие запись" +'To Case No.' cannot be less than 'From Case No.',"""Для делу № ' не может быть меньше, чем «От делу № '" +'To Date' is required,'To Date' требуется +'Update Stock' for Sales Invoice {0} must be set,"""Обновление со 'для Расходная накладная {0} должен быть установлен" +* Will be calculated in the transaction.,* Будет рассчитана в сделке. "1 Currency = [?] Fraction -For e.g. 1 USD = 100 Cent",Запланируйте для посещения технического обслуживания. -1. To maintain the customer wise item code and to make them searchable based on their code use this option,Серийный номер является обязательным для п. {0} -"
Add / Edit",{0} требуется -"Add / Edit",Из накладной -"Add / Edit",Валюта необходима для Прейскурантом {0} +For e.g. 1 USD = 100 Cent","1 Валюта = [?] Фракция + Для например 1 USD = 100 Cent" +1. To maintain the customer wise item code and to make them searchable based on their code use this option,1 Для поддержания клиентов мудрый пункт код и сделать их доступными для поиска в зависимости от их кода использовать эту опцию +"Add / Edit"," Добавить / Изменить " +"Add / Edit"," Добавить / Изменить " +"Add / Edit"," Добавить / Изменить " "

Default Template

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

{{ address_line1 }}<br>
@@ -45,3234 +46,3334 @@ For e.g. 1 USD = 100 Cent",Запланируйте для посещения т
 {% if phone %}Phone: {{ phone }}<br>{% endif -%}
 {% if fax %}Fax: {{ fax }}<br>{% endif -%}
 {% if email_id %}Email: {{ email_id }}<br>{% endif -%}
-
",О передаче материала -A Customer Group exists with same name please change the Customer name or rename the Customer Group,Работа-в-Прогресс Склад -A Customer exists with same name,Замужем -A Lead with this email id should exist,Проектированный -A Product or Service,"Продажа должна быть проверена, если выбран Применимо для как {0}" -A Supplier exists with same name,Времени создания -A symbol for this currency. For e.g. $,Отправить Сейчас -AMC Expiry Date,Цель -Abbr,Настоящее. -Abbreviation cannot have more than 5 characters,Оставьте утверждающий должен быть одним из {0} -Above Value,Произвести оценку -Absent,Инструкции -Acceptance Criteria,Фондовые активы -Accepted,Фото со Регулировка счета -Accepted + Rejected Qty must be equal to Received quantity for Item {0},Статус доставки -Accepted Quantity,По крайней мере один склад является обязательным -Accepted Warehouse,Тема -Account,Время выполнения Дата -Account Balance,Оставьте Тип -Account Created: {0},Адрес сервисного центра -Account Details,Закрыть баланс и книга прибыли или убытка. -Account Head,Валюта -Account Name,Мы продаем этот товар -Account Type,"Тогда ценообразование Правила отфильтровываются на основе Заказчика, Группа клиентов, Территория, поставщиков, Тип Поставщик, Кампания, Партнеры по сбыту и т.д." -"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'",Не показывать любой символ вроде $ и т.д. рядом с валютами. -"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",По крайней мере один из продажи или покупки должен быть выбран -Account for the warehouse (Perpetual Inventory) will be created under this Account.,"Пожалуйста, выберите префикс первым" -Account head {0} created,Добавить складских остатков с помощью CSV. -Account must be a balance sheet account,Текущая стоимость -Account with child nodes cannot be converted to ledger,Ожидаемая дата не может быть до Материал Дата заказа -Account with existing transaction can not be converted to group.,Стандартный Продажа -Account with existing transaction can not be deleted,Является ли переносить -Account with existing transaction cannot be converted to ledger,"Пожалуйста, укажите кол-во посещений, необходимых" -Account {0} cannot be a Group,"Оставьте пустым, если рассматривать для всех отделов" -Account {0} does not belong to Company {1},Ваучер -Account {0} does not exist,Имя Пользователя -Account {0} has been entered more than once for fiscal year {1},Регистрационные номера Налог вашего клиента (если применимо) или любой общая информация -Account {0} is frozen,Овдовевший -Account {0} is inactive,Существует клиентов с одноименным названием -Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item,Расходов претензии Отклонен Сообщение +
","

умолчанию шаблона +

Использует Jinja шаблонов и все поля Адрес ( в том числе пользовательских полей если таковые имеются) будут доступны +

  {{address_line1}} инструменты 
+ {%, если address_line2%} {{address_line2}} инструменты { % ENDIF -%} 
+ {{город}} инструменты 
+ {%, если состояние%} {{состояние}} инструменты {% ENDIF -%} 
+ {%, если пин-код%} PIN-код: {{пин-код}} инструменты {% ENDIF -%} 
+ {{страна}} инструменты 
+ {%, если телефон%} Телефон: {{телефон}} инструменты { % ENDIF -%} 
+ {%, если факс%} Факс: {{факс}} инструменты {% ENDIF -%} 
+ {%, если email_id%} Email: {{email_id}} инструменты ; {% ENDIF -%} 
+  "
+A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Группа клиентов существует с тем же именем, пожалуйста изменить имя клиентов или переименовать группу клиентов"
+A Customer exists with same name,Существует клиентов с одноименным названием
+A Lead with this email id should exist,Ведущий с этим электронный идентификатор должен существовать
+A Product or Service,Продукт или сервис
+A Supplier exists with same name,Поставщик существует с одноименным названием
+A symbol for this currency. For e.g. $,"Символ для этой валюты. Для например, $"
+AMC Expiry Date,КУА срок действия
+Abbr,Сокр
+Abbreviation cannot have more than 5 characters,Аббревиатура не может иметь более 5 символов
+Above Value,Выше стоимости
+Absent,Рассеянность
+Acceptance Criteria,Критерии приемлемости
+Accepted,Принято
+Accepted + Rejected Qty must be equal to Received quantity for Item {0},Принято + Отклоненные Кол-во должно быть равно полученного количества по пункту {0}
+Accepted Quantity,Принято Количество
+Accepted Warehouse,Принято Склад
+Account,Аккаунт
+Account Balance,Остаток на счете
+Account Created: {0},Учетная запись создана: {0}
+Account Details,Детали аккаунта
+Account Head,Счет руководитель
+Account Name,Имя Учетной Записи
+Account Type,Тип счета
+"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Баланс счета уже в кредит, вы не можете установить ""баланс должен быть 'как' Debit '"
+"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Баланс счета уже в дебет, вы не можете установить ""баланс должен быть 'как' Кредит»"
+Account for the warehouse (Perpetual Inventory) will be created under this Account.,Счет для склада (непрерывной инвентаризации) будут созданы под этой учетной записью.
+Account head {0} created,Глава счета {0} создан
+Account must be a balance sheet account,Счет должен быть балансовый счет
+Account with child nodes cannot be converted to ledger,Счет с дочерних узлов не могут быть преобразованы в книге
+Account with existing transaction can not be converted to group.,Счет с существующей сделки не могут быть преобразованы в группы.
+Account with existing transaction can not be deleted,Счет с существующей сделки не могут быть удалены
+Account with existing transaction cannot be converted to ledger,Счет с существующей сделки не могут быть преобразованы в книге
+Account {0} cannot be a Group,Счет {0} не может быть группа
+Account {0} does not belong to Company {1},Счет {0} не принадлежит компании {1}
+Account {0} does not belong to company: {1},Счет {0} не принадлежит компании: {1}
+Account {0} does not exist,Счет {0} не существует
+Account {0} has been entered more than once for fiscal year {1},Счет {0} был введен более чем один раз в течение финансового года {1}
+Account {0} is frozen,Счет {0} заморожен
+Account {0} is inactive,Счет {0} неактивен
+Account {0} is not valid,Счет {0} не является допустимым
+Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item,"Счет {0} должен быть типа ""Fixed Asset"", как товара {1} является активом Пункт"
+Account {0}: Parent account {1} can not be a ledger,Счет {0}: Родитель счета {1} не может быть книга
+Account {0}: Parent account {1} does not belong to company: {2},Счет {0}: Родитель счета {1} не принадлежит компании: {2}
+Account {0}: Parent account {1} does not exist,Счет {0}: Родитель счета {1} не существует
+Account {0}: You can not assign itself as parent account,Счет {0}: Вы не можете назначить себя как родительским счетом
 "Account: {0} can only be updated via \
-					Stock Transactions",Остановить пользователям вносить Leave приложений на последующие дни.
-Accountant,"Деталь должен быть пункт покупки, так как он присутствует в одном или нескольких активных спецификаций"
-Accounting,По словам будет виден только вы сохраните заказ на поставку.
-"Accounting Entries can be made against leaf nodes, called",Новый
-"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.",Примирение JSON
-Accounting journal entries.,Время входа Пакетная Подробно
-Accounts,Нет отправленных SMS
-Accounts Browser,квартал
-Accounts Frozen Upto,Периодическое Тип
-Accounts Payable,% Объявленный
-Accounts Receivable,"Заказал пунктов, которые будут Объявленный"
-Accounts Settings,Пользователи
-Active,Создание банка Ваучер на общую зарплату заплатили за вышеуказанных выбранным критериям
+					Stock Transactions","Счета: {0} может быть обновлен только через \
+ Биржевые операции"
+Accountant,Бухгалтер
+Accounting,Пользователи
+"Accounting Entries can be made against leaf nodes, called","Бухгалтерские записи могут быть сделаны против конечных узлов, называется"
+"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","Бухгалтерская запись заморожены до этой даты, никто не может сделать / изменить запись, кроме роли, указанной ниже."
+Accounting journal entries.,Бухгалтерские Journal.
+Accounts,Учётные записи
+Accounts Browser,Дебиторская Браузер
+Accounts Frozen Upto,Счета заморожены До
+Accounts Payable,Ежемесячные счета по кредиторской задолженности
+Accounts Receivable,Дебиторская задолженность
+Accounts Settings,Счета Настройки
+Active,Активен
 Active: Will extract emails from ,
-Activity,Счет Период С даты
-Activity Log,Количество Заказ клиента
-Activity Log:,Браузер по продажам
-Activity Type,Универмаги
-Actual,Время Log Пакетные Подробнее
-Actual Budget,Еда
-Actual Completion Date,Суббота
-Actual Date,"Общая сумма счетов-фактур, полученных от поставщиков в период дайджест"
-Actual End Date,Дебиторская задолженность
-Actual Invoice Date,"например, НДС"
-Actual Posting Date,Успешная:
-Actual Qty,Финансовый год Дата начала и финансовый год Дата окончания не может быть больше года друг от друга.
-Actual Qty (at source/target),Фактический Кол-во
-Actual Qty After Transaction,Настройки по умолчанию
-Actual Qty: Quantity available in the warehouse.,№ партии
-Actual Quantity,Обновлен День рождения Напоминания
-Actual Start Date,"Пожалуйста, введите Склад для которых Материал Запрос будет поднят"
-Add,Пункт {0} отменяется
-Add / Edit Taxes and Charges,Причиной отставки
-Add Child,"Нет Расходные утверждающих. Пожалуйста, назначить ""расходов утверждающего"" роли для по крайней мере одного пользователя"
-Add Serial No,По умолчанию Склад является обязательным для складе Пункт.
-Add Taxes,"Для, например 2012, 2012-13"
-Add Taxes and Charges,Количество сотовых
-Add or Deduct,Год Имя
-Add rows to set annual budgets on Accounts.,Материал Поступление
-Add to Cart,Пункт Подробная информация о поставщике
-Add to calendar on this date,ТАК Кол-во
-Add/Remove Recipients,Текущий BOM
-Address,Сроки и условиях1
-Address & Contact,Сделать Зарплата Слип
-Address & Contacts,Потрясающие Продукты
-Address Desc,Выдающийся для {0} не может быть меньше нуля ({1})
-Address Details,Инвестиционно-банковская деятельность
-Address HTML,Новые Котировки Поставщик
-Address Line 1,Кол-во для передачи
-Address Line 2,Возможность От
-Address Template,"Компания, месяц и финансовый год является обязательным"
-Address Title,Доступные Stock для упаковки товаров
-Address Title is mandatory.,Это корневая группа клиентов и не могут быть изменены.
-Address Type,Импорт успешным!
-Address master.,Цитата Сообщение
-Administrative Expenses,Корневая не может иметь родителей МВЗ
-Administrative Officer,Либо целевой Количество или целевое количество является обязательным.
-Advance Amount,Зарплата скольжения Заработок
-Advance amount,"Показать все отдельные элементы, поставляемые с основных пунктов"
-Advances,Направлено на
-Advertisement,"Пожалуйста, введите ТОВАРНЫЙ ЧЕК Нет, чтобы продолжить"
-Advertising,"Фото со Примирение может быть использован для обновления запасов на определенную дату, как правило, в соответствии с физической инвентаризации."
-Aerospace,От стоимости
-After Sale Installations,Коммунальные расходы
-Against,Факс:
-Against Account,Добавить дочерний
-Against Bill {0} dated {1},Формирует HTML включить выбранное изображение в описании
-Against Docname,Отрицательный Ошибка со ({6}) по пункту {0} в Склад {1} на {2} {3} в {4} {5}
-Against Doctype,Единицы / час
-Against Document Detail No,Цель по умолчанию Склад
-Against Document No,"Выберите, кем вы хотите отправить этот бюллетень"
-Against Entries,Mесяц
-Against Expense Account,Бренд
-Against Income Account,Забыли Причина
-Against Journal Voucher,Краткая биография для веб-сайта и других изданий.
-Against Journal Voucher {0} does not have any unmatched {1} entry,Перекрытие условия найдено между:
-Against Purchase Invoice,Оценка Оцените требуется для Пункт {0}
-Against Sales Invoice,замороженные
-Against Sales Order,Склад-Мудрый со Баланс
-Against Voucher,Заказчик / Ведущий Имя
-Against Voucher Type,Склад является обязательным для складе Пункт {0} в строке {1}
-Ageing Based On,"Вы действительно хотите, чтобы остановить"
-Ageing Date is mandatory for opening entry,Для Прейскурантом
-Ageing date is mandatory for opening entry,"Если отмечено, спецификации для суб-монтажными деталями будут рассмотрены для получения сырья. В противном случае, все элементы В сборе будет рассматриваться в качестве сырья."
-Agent,Вес нетто
-Aging Date,Партнеры по сбыту целям
-Aging Date is mandatory for opening entry,Цены Правила дополнительно фильтруются на основе количества.
-Agriculture,Если доходов или расходов
-Airline,Гарантийный срок (дней)
-All Addresses.,Материал Запрос максимума {0} могут быть сделаны для Пункт {1} против Заказ на продажу {2}
-All Contact,Аукционы в Интернете
-All Contacts.,Пункт будет сохранен под этим именем в базе данных.
-All Customer Contact,Адрес (2-я строка)
-All Customer Groups,Производственный заказ {0} должно быть отменено до отмены этого заказ клиента
-All Day,Autoreply при получении новой почты
-All Employee (Active),Синхронизация Поддержка письма
-All Item Groups,Серийный Номер серии
-All Lead (Open),Тип обслуживание
-All Products or Services.,"Пожалуйста, выберите категорию первый"
-All Sales Partner Contact,Покупка Сумма
-All Sales Person,Время входа Пакетный
-All Supplier Contact,Размер выборки
-All Supplier Types,Bundle детали на момент продажи.
-All Territories,Возможность Забыли
-"All export related fields like currency, conversion rate, export total, export grand total etc are available in Delivery Note, POS, Quotation, Sales Invoice, Sales Order etc.",Финики
-"All import related fields like currency, conversion rate, import total, import grand total etc are available in Purchase Receipt, Supplier Quotation, Purchase Invoice, Purchase Order etc.","Счет {0} должен быть типа ""Fixed Asset"", как товара {1} является активом Пункт"
-All items have already been invoiced,Место выдачи
-All these items have already been invoiced,Сотрудники Email ID
-Allocate,"Пункт Группа существует с тем же именем, пожалуйста, измените имя элемента или переименовать группу товаров"
-Allocate Amount Automatically,Синхронизация с Google Drive
-Allocate leaves for a period.,"Пожалуйста, введите адрес электронной почты,"
-Allocate leaves for the year.,Настройки по умолчанию для продажи сделок.
-Allocated Amount,Получить Наличие на складе
-Allocated Budget,"Для установки в этом финансовом году, как по умолчанию, нажмите на кнопку ""Установить по умолчанию"""
-Allocated amount,"Пожалуйста, выберите компанию в первую очередь."
-Allocated amount can not be negative,"Копия записи. Пожалуйста, проверьте Авторизация Правило {0}"
-Allocated amount can not greater than unadusted amount,Дубликат Серийный номер вводится для Пункт {0}
-Allow Bill of Materials,Ряд {0}: Дебет запись не может быть связан с продаж счета-фактуры
-Allow Bill of Materials should be 'Yes'. Because one or many active BOMs present for this item,Получить спецификации подробно
-Allow Children,Важно
-Allow Dropbox Access,Клиент
-Allow Google Drive Access,Новые листья Выделенные (в днях)
-Allow Negative Balance,Контактное Лицо
-Allow Negative Stock,Для пакета №
-Allow Production Order,Среда
-Allow User,не Серийный Нет Положение
-Allow Users,Инженер
-Allow the following users to approve Leave Applications for block days.,"Выберите шаблон, из которого вы хотите получить Целей"
-Allow user to edit Price List Rate in transactions,Поступило Дата
-Allowance Percent,Действительно для территорий
-Allowance for over-delivery / over-billing crossed for Item {0},Установка Примечание Пункт
-Allowance for over-delivery / over-billing crossed for Item {0}.,Заметье
-Allowed Role to Edit Entries Before Frozen Date,"""Ожидаемый Дата начала 'не может быть больше, чем"" Ожидаемый Дата окончания'"
-Amended From,Счет по продажам Написать письмо
-Amount,В Слов (Экспорт) будут видны только вы сохраните накладной.
-Amount (Company Currency),Часовой разряд
-Amount <=,Компьютеры
-Amount >=,Источник склад является обязательным для ряда {0}
-Amount to Bill,Новый BOM
-An Customer exists with same name,Промышленность
-"An Item Group exists with same name, please change the item name or rename the item group",Это Пакетная Время Лог был отменен.
-"An item exists with same name ({0}), please change the item group name or rename the item",Отдельный производственный заказ будет создан для каждого готового хорошего пункта.
-Analyst,Добавить в календарь в этот день
-Annual,"Вы не можете изменить скорость, если спецификации упоминается agianst любого элемента"
-Another Period Closing Entry {0} has been made after {1},! Экспорт
-Another Salary Structure {0} is active for employee {0}. Please make its status 'Inactive' to proceed.,Ожидаемая дата поставки не может быть до заказа на Дата
-"Any other comments, noteworthy effort that should go in the records.",Бренд
-Apparel & Accessories,Авторизация Правило
-Applicability,Заказ на продажу товара
-Applicable For,{0} {1} против Invoice {2}
-Applicable Holiday List,"% Материалов, вынесенных против этой накладной"
-Applicable Territory,Налоговые активы
-Applicable To (Designation),"Там может быть только один Правило Начальные с 0 или пустое значение для ""To Размер"""
-Applicable To (Employee),Человек по продажам Имя
-Applicable To (Role),"Даже если есть несколько правил ценообразования с наивысшим приоритетом, то следующие внутренние приоритеты применяются:"
-Applicable To (User),Игнорировать
-Applicant Name,Постоянный адрес Является
-Applicant for a Job.,Itemwise Скидка
-Application of Funds (Assets),Miscelleneous
-Applications for leave.,Новые запросы
-Applies to Company,Склад и справочники
-Apply On,Фактический Дата проводки
-Appraisal,Доступен Кол-во на склад
-Appraisal Goal,"Перейти к соответствующей группе (обычно использования средств> оборотных средств> Банковские счета и создать новый лицевой счет (нажав на Добавить дочерний) типа ""банк"""
-Appraisal Goals,Отличия (д-р - Cr)
-Appraisal Template,С графиком технического обслуживания
-Appraisal Template Goal,"Можете обратиться строку, только если тип заряда «О Предыдущая сумма Row» или «Предыдущая Row Всего"""
-Appraisal Template Title,"Нет умолчанию Адрес шаблона не найдено. Пожалуйста, создайте новый из Setup> Печать и брендинга> Адресная шаблон."
-Appraisal {0} created for Employee {1} in the given date range,Печать и стационарное
-Apprentice,Покупка
-Approval Status,Периодическое Id
-Approval Status must be 'Approved' or 'Rejected',Нет доступа
-Approved," Добавить / Изменить "
-Approver,Завершено
-Approving Role,Ежемесячная посещаемость Лист
-Approving Role cannot be same as role the rule is Applicable To,Техподдержки
-Approving User,{0} {1} не представлено
-Approving User cannot be same as user the rule is Applicable To,Преобразовать в Леджер
+Activity,Деятельность
+Activity Log,Журнал активности
+Activity Log:,Журнал активности:
+Activity Type,Тип активности
+Actual,Фактически
+Actual Budget,Фактический бюджет
+Actual Completion Date,Фактический Дата завершения
+Actual Date,Фактическая дата
+Actual End Date,Фактический Дата окончания
+Actual Invoice Date,Фактическая стоимость Дата
+Actual Posting Date,Фактический Дата проводки
+Actual Qty,Фактический Кол-во
+Actual Qty (at source/target),Фактический Кол-во (в источнике / цели)
+Actual Qty After Transaction,Фактический Кол После проведения операции
+Actual Qty: Quantity available in the warehouse.,Фактический Кол-во: Есть в наличии на складе.
+Actual Quantity,Фактический Количество
+Actual Start Date,Фактическое начало Дата
+Add,Добавить
+Add / Edit Taxes and Charges,Добавить / Изменить Налоги и сборы
+Add Child,Добавить дочерний
+Add Serial No,Добавить серийный номер
+Add Taxes,Добавить Налоги
+Add Taxes and Charges,Добавить налогов и сборов
+Add or Deduct,Добавить или вычесть
+Add rows to set annual budgets on Accounts.,"Добавьте строки, чтобы установить годовые бюджеты на счетах."
+Add to Cart,Добавить в корзину
+Add to calendar on this date,Добавить в календарь в этот день
+Add/Remove Recipients,Добавить / Удалить получателей
+Address,Адрес
+Address & Contact,Адрес & Контактная
+Address & Contacts,Адрес и контакты
+Address Desc,Адрес по убыванию
+Address Details,Адрес
+Address HTML,Адрес HTML
+Address Line 1,Адрес (1-я строка)
+Address Line 2,Адрес (2-я строка)
+Address Template,Адрес шаблона
+Address Title,Адрес Название
+Address Title is mandatory.,Адрес Название является обязательным.
+Address Type,Тип Адреса
+Address master.,Адрес мастер.
+Administrative Expenses,Административные затраты
+Administrative Officer,Администратор
+Advance Amount,Предварительная сумма
+Advance amount,Предварительная сумма
+Advances,Авансы
+Advertisement,Реклама
+Advertising,Реклама
+Aerospace,Авиационно-космический
+After Sale Installations,После продажи установок
+Against,Против
+Against Account,Против Счет
+Against Bill {0} dated {1},Против Билл {0} от {1}
+Against Docname,Против DOCNAME
+Against Doctype,Против Doctype
+Against Document Detail No,Против деталях документа Нет
+Against Document No,Против Документ №
+Against Expense Account,Против Expense Счет
+Against Income Account,Против ДОХОДОВ
+Against Journal Voucher,Против Journal ваучером
+Against Journal Voucher {0} does not have any unmatched {1} entry,Против Journal ваучером {0} не имеет непревзойденную {1} запись
+Against Purchase Invoice,Против счете-фактуре
+Against Sales Invoice,Против продаж счета-фактуры
+Against Sales Order,Против заказ клиента
+Against Voucher,Против ваучером
+Against Voucher Type,Против Сертификаты Тип
+Ageing Based On,"Проблемам старения, на основе"
+Ageing Date is mandatory for opening entry,Старение Дата является обязательным для открытия запись
+Ageing date is mandatory for opening entry,Дата Старение является обязательным для открытия запись
+Agent,Оператор
+Aging Date,Старение Дата
+Aging Date is mandatory for opening entry,Старение Дата является обязательным для открытия запись
+Agriculture,Сельское хозяйство
+Airline,Авиалиния
+All Addresses.,Все Адреса.
+All Contact,Все Связаться
+All Contacts.,Все контакты.
+All Customer Contact,Все клиентов Связаться
+All Customer Groups,Все Группы клиентов
+All Day,Весь день
+All Employee (Active),Все Сотрудник (Активный)
+All Item Groups,Все Группы товаров
+All Lead (Open),Все Свинец (Открыть)
+All Products or Services.,Все продукты или услуги.
+All Sales Partner Contact,Все Партнеры по сбыту Связаться
+All Sales Person,Все Менеджер по продажам
+All Supplier Contact,Все поставщиком Связаться
+All Supplier Types,Все типы Поставщик
+All Territories,Все Территории
+"All export related fields like currency, conversion rate, export total, export grand total etc are available in Delivery Note, POS, Quotation, Sales Invoice, Sales Order etc.","Все экспорт смежных областях, как валюты, обменный курс, экспорт Количество, экспорт общего итога и т.д. доступны в накладной, POS, цитаты, счет-фактура, заказ клиента и т.д."
+"All import related fields like currency, conversion rate, import total, import grand total etc are available in Purchase Receipt, Supplier Quotation, Purchase Invoice, Purchase Order etc.","Все импорта смежных областях, как валюты, обменный курс, общий объем импорта, импорт общего итога и т.д. доступны в ТОВАРНЫЙ ЧЕК, поставщиков цитаты, счета-фактуры Заказа т.д."
+All items have already been invoiced,Все детали уже выставлен счет
+All these items have already been invoiced,Все эти предметы уже выставлен счет
+Allocate,Выделять
+Allocate leaves for a period.,Выделите листья на определенный срок.
+Allocate leaves for the year.,Выделите листья в течение года.
+Allocated Amount,Ассигнованная сумма
+Allocated Budget,Выделенные Бюджет
+Allocated amount,Ассигнованная сумма
+Allocated amount can not be negative,Выделенные сумма не может быть отрицательным
+Allocated amount can not greater than unadusted amount,Выделенные количество не может превышать unadusted сумму
+Allow Bill of Materials,Разрешить Ведомость материалов
+Allow Bill of Materials should be 'Yes'. Because one or many active BOMs present for this item,"Разрешить Ведомость материалов должно быть ""Да"". Потому что один или много активных спецификаций представляют для этого элемента"
+Allow Children,Разрешайте детям
+Allow Dropbox Access,Разрешить Dropbox Access
+Allow Google Drive Access,Разрешить доступ Google Drive
+Allow Negative Balance,Разрешить отрицательное сальдо
+Allow Negative Stock,Разрешить негативных складе
+Allow Production Order,Разрешить производственного заказа
+Allow User,Разрешить пользователю
+Allow Users,Разрешить пользователям
+Allow the following users to approve Leave Applications for block days.,Разрешить следующие пользователи утвердить Leave приложений для блочных дней.
+Allow user to edit Price List Rate in transactions,Разрешить пользователю редактировать Прайс-лист Оценить в сделках
+Allowance Percent,Резерв Процент
+Allowance for over-{0} crossed for Item {1},Учет по-{0} скрещенными за Пункт {1}
+Allowance for over-{0} crossed for Item {1}.,Учет по-{0} скрещенными за Пункт {1}.
+Allowed Role to Edit Entries Before Frozen Date,Разрешено Роль в редактировать записи Перед Frozen Дата
+Amended From,Измененный С
+Amount,Сумма
+Amount (Company Currency),Сумма (Компания Валюта)
+Amount Paid,Выплачиваемая сумма
+Amount to Bill,"Сумма, Биллу"
+An Customer exists with same name,Существует клиентов с одноименным названием
+"An Item Group exists with same name, please change the item name or rename the item group","Пункт Группа существует с тем же именем, пожалуйста, измените имя элемента или переименовать группу товаров"
+"An item exists with same name ({0}), please change the item group name or rename the item","Элемент существует с тем же именем ({0}), пожалуйста, измените название группы или переименовать пункт"
+Analyst,Аналитик
+Annual,За год
+Another Period Closing Entry {0} has been made after {1},Другой Период Окончание Вступление {0} был сделан после {1}
+Another Salary Structure {0} is active for employee {0}. Please make its status 'Inactive' to proceed.,"Другой Зарплата Структура {0} активна для работника {0}. Пожалуйста, убедитесь, свой статус ""неактивного"", чтобы продолжить."
+"Any other comments, noteworthy effort that should go in the records.","Любые другие комментарии, отметить усилия, которые должны пойти в записях."
+Apparel & Accessories,Одежда и аксессуары
+Applicability,Применение
+Applicable For,Применимо для
+Applicable Holiday List,Применимо Список праздников
+Applicable Territory,Применимо Территория
+Applicable To (Designation),Применимо к (Обозначение)
+Applicable To (Employee),Применимо к (Сотрудник)
+Applicable To (Role),Применимо к (Роль)
+Applicable To (User),Применимо к (Пользователь)
+Applicant Name,Имя заявителя
+Applicant for a Job.,Заявитель на работу.
+Application of Funds (Assets),Применение средств (активов)
+Applications for leave.,Заявки на отпуск.
+Applies to Company,Относится к компании
+Apply On,Нанесите на
+Appraisal,Оценка
+Appraisal Goal,Оценка Гол
+Appraisal Goals,Оценочные голов
+Appraisal Template,Оценка шаблона
+Appraisal Template Goal,Оценка шаблона Гол
+Appraisal Template Title,Оценка шаблона Название
+Appraisal {0} created for Employee {1} in the given date range,Оценка {0} создан Требуются {1} в указанный диапазон дат
+Apprentice,Ученик
+Approval Status,Статус утверждения
+Approval Status must be 'Approved' or 'Rejected',"Состояние утверждения должны быть ""Одобрено"" или ""Отклонено"""
+Approved,Утверждено
+Approver,Утверждаю
+Approving Role,Утверждении Роль
+Approving Role cannot be same as role the rule is Applicable To,"Утверждении роль не может быть такой же, как роль правило применимо к"
+Approving User,Утверждении Пользователь
+Approving User cannot be same as user the rule is Applicable To,"Утверждении покупатель не может быть такой же, как пользователь правило применимо к"
 Are you sure you want to STOP ,
 Are you sure you want to UNSTOP ,
-Arrear Amount,Установка завершена. Обновление...
-"As Production Order can be made for this item, it must be a stock item.","Вес упоминается, \ nПожалуйста упомянуть ""Вес UOM"" слишком"
-As per Stock UOM,{0} вводится дважды в пункт налоге
-"As there are existing stock transactions for this item, you can not change the values of 'Has Serial No', 'Is Stock Item' and 'Valuation Method'",Прикрепите бланке
-Asset,Переносить
-Assistant,Освобождение Предел
-Associate,Публичный
-Atleast one of the Selling or Buying must be selected,Завершенные Производственные заказы
-Atleast one warehouse is mandatory,Покупка чеков товары
-Attach Image,Представленный
-Attach Letterhead,Изменить
-Attach Logo,Применимо для
-Attach Your Picture,Управление стоимость операций
-Attendance,Поставщик Цитата Пункт
-Attendance Date,Против ваучером
-Attendance Details,Пакетная (много) элемента.
-Attendance From Date,Является POS
-Attendance From Date and Attendance To Date is mandatory,"Этот формат используется, если конкретный формат страна не найден"
-Attendance To Date,Выберите Заказы из которого вы хотите создать производственных заказов.
-Attendance can not be marked for future dates,Пункт Единица измерения
-Attendance for employee {0} is already marked,PL или BS
-Attendance record.,MTN Подробнее
-Authorization Control,Показать В веб-сайте
-Authorization Rule,Выше стоимости
-Auto Accounting For Stock Settings,Освобождение Дата должна быть больше даты присоединения
-Auto Material Request,Войти
-Auto-raise Material Request if quantity goes below re-order level in a warehouse,Доставка Примечание Нет
-Automatically compose message on submission of transactions.,Посадка Мастер Стоимость
+Arrear Amount,Просроченной задолженности Сумма
+"As Production Order can be made for this item, it must be a stock item.","Как Производственный заказ можно сделать по этой статье, он должен быть запас пункт."
+As per Stock UOM,По фондовой UOM
+"As there are existing stock transactions for this item, you can not change the values of 'Has Serial No', 'Is Stock Item' and 'Valuation Method'","Как есть существующие биржевые операции для данного элемента, вы не можете изменить значения 'Имеет Серийный номер »,« Является фонда Пункт ""и"" Оценка Метод """
+Asset,Актив
+Assistant,Помощник
+Associate,Помощник
+Atleast one of the Selling or Buying must be selected,По крайней мере один из продажи или покупки должен быть выбран
+Atleast one warehouse is mandatory,По крайней мере один склад является обязательным
+Attach Image,Прикрепите изображение
+Attach Letterhead,Прикрепите бланке
+Attach Logo,Прикрепите логотип
+Attach Your Picture,Прикрепите свою фотографию
+Attendance,Посещаемость
+Attendance Date,Посещаемость Дата
+Attendance Details,Посещаемость Подробнее
+Attendance From Date,Посещаемость С Дата
+Attendance From Date and Attendance To Date is mandatory,Посещаемость С Дата и посещаемости на сегодняшний день является обязательным
+Attendance To Date,Посещаемость To Date
+Attendance can not be marked for future dates,Посещаемость не могут быть отмечены для будущих дат
+Attendance for employee {0} is already marked,Посещаемость за работника {0} уже отмечен
+Attendance record.,Информация о посещаемости.
+Authorization Control,Авторизация управления
+Authorization Rule,Авторизация Правило
+Auto Accounting For Stock Settings,Авто Учет акций Настройки
+Auto Material Request,Авто Материал Запрос
+Auto-raise Material Request if quantity goes below re-order level in a warehouse,"Авто-рейз Материал Запрос, если количество идет ниже уровня повторного заказа на складе"
+Automatically compose message on submission of transactions.,Автоматически создавать сообщение о подаче сделок.
 Automatically extract Job Applicants from a mail box ,
-Automatically extract Leads from a mail box e.g.,Информационный бюллетень уже был отправлен
-Automatically updated via Stock Entry of type Manufacture/Repack,Акции Аналитика
-Automotive,Импорт
-Autoreply when a new mail is received,"Скорость, с которой Прайс-лист валюта конвертируется в базовой валюте клиента"
-Available,"Узнать, нужен автоматические повторяющихся счетов. После представления любого счет продаж, Периодическое раздел будет виден."
-Available Qty at Warehouse,Прогулка в
-Available Stock for Packing Items,Мастер проекта.
-"Available in BOM, Delivery Note, Purchase Invoice, Production Order, Purchase Order, Purchase Receipt, Sales Invoice, Sales Order, Stock Entry, Timesheet",Выберите Warehouse ...
-Average Age,Частично Завершено
-Average Commission Rate,Журнал активности:
-Average Discount,Мобильный номер
-Awesome Products,Загрузить файл CSV с двумя колонками. Старое название и новое имя. Макс 500 строк.
-Awesome Services,Нет умолчанию спецификации не существует Пункт {0}
-BOM Detail No,Здравоохранение
-BOM Explosion Item,Планировщик Неудачные События
-BOM Item,Введение
-BOM No,"""Для делу № ' не может быть меньше, чем «От делу № '"
-BOM No. for a Finished Good Item,"Выберите период, когда счет-фактура будет сгенерирован автоматически"
-BOM Operation,Для создания налогового учета:
-BOM Operations,Необеспеченных кредитов
-BOM Replace Tool,Пункт {0} уже вернулся
-BOM number is required for manufactured Item {0} in row {1},"В спецификации, которые будут заменены"
-BOM number not allowed for non-manufactured Item {0} in row {1},Четверг
-BOM recursion: {0} cannot be parent or child of {2},"Группа клиентов существует с тем же именем, пожалуйста изменить имя клиентов или переименовать группу клиентов"
-BOM replaced,Другой Период Окончание Вступление {0} был сделан после {1}
-BOM {0} for Item {1} in row {2} is inactive or not submitted,Покупка Получение Сообщение
-BOM {0} is not active or not submitted,Всего рейтинг (из 5)
-BOM {0} is not submitted or inactive BOM for Item {1},Серия Обновлено
-Backup Manager,Поставщик Склад
-Backup Right Now,Арендованный
-Backups will be uploaded to,Гарантийный срок (в днях)
-Balance Qty,Настройка
-Balance Sheet,% Материалов выставлено против этого заказа на поставку.
-Balance Value,Серийный номер {0} находится под контрактом на техническое обслуживание ДО {1}
-Balance for Account {0} must always be {1},"Впритык не может быть, прежде чем отправлять Дата"
-Balance must be,Нет
-"Balances of Accounts of type ""Bank"" or ""Cash""",Добытое количество
-Bank,{0} {1} положение остановлен
-Bank A/C No.,Гарантия / АМК Подробнее
-Bank Account,Время выполнения дни
-Bank Account No.,Привилегированный Оставить
-Bank Accounts,Связь HTML
-Bank Clearance Summary,Новая компания
-Bank Draft,Техническое обслуживание Статус
-Bank Name,Из пакета №
-Bank Overdraft Account,"например кг, единицы, Нос, м"
-Bank Reconciliation,Отправить массовый SMS в список контактов
-Bank Reconciliation Detail,Счет по продажам
-Bank Reconciliation Statement,"Пожалуйста, выберите правильный файл CSV с данными"
-Bank Voucher,"Если отключить, 'закругленными Всего' поле не будет виден в любой сделке"
-Bank/Cash Balance,Операция {0} нет в Operations таблице
-Banking,Это валют отключена. Включить для использования в операции
-Barcode,Территория Целевая Разница Пункт Группа Мудрого
-Barcode {0} already used in Item {1},Воскресенье
-Based On,Нерешенные вопросы {0} обновляется
-Basic,Закрытие Кол-во
-Basic Info,Выделите листья в течение года.
-Basic Information,Путешествия
-Basic Rate,Капитальные оборудование
-Basic Rate (Company Currency),Период Окончание Ваучер
-Batch,Менеджера по продажам Цели
-Batch (lot) of an Item.,В поле Значение
-Batch Finished Date,Розничный торговец
-Batch ID,Доход С начала года
-Batch No,Всего:
-Batch Started Date,Предупреждение: Заказ на продажу {0} уже существует в отношении числа же заказа на
-Batch Time Logs for billing.,Помощник
-Batch-Wise Balance History,Выписка по счету
-Batched for Billing,Отсутствует разрешение
-Better Prospects,"Счет голову под ответственности, в котором Прибыль / убыток будут забронированы"
-Bill Date,Разрешение Подробнее
-Bill No,Доходы / расходы
-Bill No {0} already booked in Purchase Invoice {1},"Введите предметы и плановый Количество, для которых необходимо повысить производственные заказы или скачать сырье для анализа."
-Bill of Material,Дебет-нота
-Bill of Material to be considered for manufacturing,Спорт
-Bill of Materials (BOM),Кредитная Amt
-Billable,"Бухгалтерская запись заморожены до этой даты, никто не может сделать / изменить запись, кроме роли, указанной ниже."
-Billed,Вы не можете отвечать на этот билет.
-Billed Amount,Разное
-Billed Amt,С операций
-Billing,"""С даты 'требуется"
-Billing Address,LFT
-Billing Address Name,Примечание: В связи Дата превышает разрешенный кредит дня на {0} день (дни)
-Billing Status,Заявки на отпуск.
-Bills raised by Suppliers.,Блок дня
-Bills raised to Customers.,Объявленный Количество
-Bin,Примечание Пользователь будет добавлен в Auto замечания
-Bio,Bin
-Biotechnology,"Сиди, пока система в настоящее время установки. Это может занять несколько секунд."
-Birthday,Название банка
-Block Date,Если не применяется введите: Н.А.
-Block Days,Целевая Распределение
-Block leave applications by department.,Банк примирения
-Blog Post,LR Нет
-Blog Subscriber,Консалтинг
-Blood Group,BOM продаж
-Both Warehouse must belong to same Company,{0} является обязательным
-Box,"Законопроекты, поднятые для клиентов."
-Branch,"Пожалуйста, введите дату Ссылка"
-Brand,Техническое обслуживание дата не может быть до даты доставки для Serial No {0}
-Brand Name,Срок годности:
-Brand master.,Учет по-доставки / Over-биллинга скрещенными за Пункт {0}
-Brands,Производственный план товары
-Breakdown,Является фонда Пункт
-Broadcasting,Общий итог
-Brokerage,Открытие (д-р)
-Budget,Элементы
-Budget Allocated,Отрицательное сальдо в пакетном {0} для Пункт {1} в Хранилище {2} на {3} {4}
-Budget Detail,Действительно До
-Budget Details,Зарезервировано Количество
-Budget Distribution,Адрес HTML
-Budget Distribution Detail,Расходы
-Budget Distribution Details,График обслуживания {0} существует против {0}
-Budget Variance Report,Число Purchse Заказать требуется для Пункт {0}
-Budget cannot be set for Group Cost Centers,Валюта баланса
-Build Report,Требуются
-Bundle items at time of sale.,Отклонен Количество
-Business Development Manager,Оценка Заработано
-Buying,Сайт Пункт Группа
-Buying & Selling,Пункт Пакетное Нос
-Buying Amount,Доход заказали за период дайджест
-Buying Settings,Потрясающие услуги
-"Buying must be checked, if Applicable For is selected as {0}",Transporter информация
-C-Form,Пункт требуется
-C-Form Applicable,Наличность кассовая
-C-Form Invoice Detail,Имя Список праздников
-C-Form No,Добавить посещаемости
-C-Form records,Отправка
-Calculate Based On,Не разрешается редактировать замороженный счет {0}
-Calculate Total Score,Расходов претензии ожидает одобрения. Только расходов утверждающий можете обновить статус.
-Calendar Events,Пакет товары
-Call,Выберите сделка
-Calls,Отправить
-Campaign,"Нет Leave утверждающих. Пожалуйста назначить роль ""оставить утверждающий ', чтобы по крайней мере одного пользователя"
-Campaign Name,"""Прибыль и убытки"" тип счета {0} не допускаются в Открытие запись"
-Campaign Name is required,Содержание
-Campaign Naming By,Новый фонда UOM
-Campaign-.####,"POP3-сервер, например, (pop.gmail.com)"
-Can be approved by {0},Расценки
-"Can not filter based on Account, if grouped by Account","Вы уверены, что хотите Unstop"
-"Can not filter based on Voucher No, if grouped by Voucher",Изготовлено Кол-во
-Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',Открытие Дата
-Cancel Material Visit {0} before cancelling this Customer Issue,Скидка в процентах
-Cancel Material Visits {0} before cancelling this Maintenance Visit,"Чистая Платное (прописью) будут видны, как только вы сохраните Зарплата Слип."
-Cancelled,Покупка получения элемента Supplieds
-Cancelling this Stock Reconciliation will nullify its effect.,Настройки
-Cannot Cancel Opportunity as Quotation Exists,Разрешить отрицательное сальдо
-Cannot approve leave as you are not authorized to approve leaves on Block Dates,Фото со Примирение
-Cannot cancel because Employee {0} is already approved for {1},Замороженные счета Модификатор
-Cannot cancel because submitted Stock Entry {0} exists,Все Группы товаров
-Cannot carry forward {0},График обслуживания товара
-Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,Ежедневно
-"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.",Незапланированный
-Cannot convert Cost Center to ledger as it has child nodes,Адрес (1-я строка)
-Cannot covert to Group because Master Type or Account Type is selected.,Склад не найден в системе
-Cannot deactive or cancle BOM as it is linked with other BOMs,Он также может быть использован для создания начальный запас записи и исправить стоимость акций.
-"Cannot declare as lost, because Quotation has been made.",Сотрудник {0} был в отпусках по {1}. Невозможно отметить посещаемость.
-Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Поднятый По
-"Cannot delete Serial No {0} in stock. First remove from stock, then delete.",Банковский счет
-"Cannot directly set amount. For 'Actual' charge type, use the rate field",Ссылка Row #
-"Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in Stock Settings",Классические
-Cannot produce more Item {0} than Sales Order quantity {1},"Билл материала, который будет рассматриваться на производстве"
-Cannot refer row number greater than or equal to current row number for this Charge type,Покупка Получение товара
-Cannot return more than {0} for Item {1},Поставщик-Wise продаж Аналитика
-Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,Pay To / RECD С
-Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for valuation. You can select only 'Total' option for previous row amount or previous row total,Покупка Вернуться
-Cannot set as Lost as Sales Order is made.,Дистрибьютор
-Cannot set authorization on basis of Discount for {0},Скидка должна быть меньше 100
-Capacity,"Неверное имя пользователя или поддержки Пароль. Пожалуйста, исправить и попробовать еще раз."
-Capacity Units,Оставьте инкассированы?
-Capital Account,"Пожалуйста, создайте новую учетную запись с Планом счетов бухгалтерского учета."
-Capital Equipments,Загрузить письмо голову и логотип - вы можете редактировать их позже.
-Carry Forward,Начальник отдела маркетинга и продаж
-Carry Forwarded Leaves,SMS Отправитель Имя
-Case No(s) already in use. Try from Case No {0},Настройка сервера входящей для продажи электронный идентификатор. (Например sales@example.com)
-Case No. cannot be 0,Дата начала проекта
-Cash,Пол
-Cash In Hand,Оставьте баланс перед нанесением
-Cash Voucher,"Пожалуйста, выберите ""Image"" первым"
-Cash or Bank Account is mandatory for making payment entry," Добавить / Изменить "
-Cash/Bank Account,Всего Advance
-Casual Leave,Примирение HTML
-Cell Number,"Список предметов, которые формируют пакет."
-Change UOM for an Item.,Инспекция Обязательные
-Change the starting / current sequence number of an existing series.,Курс обмена
-Channel Partner,Кредитная Для
-Charge of type 'Actual' in row {0} cannot be included in Item Rate,Учетная запись создана: {0}
-Chargeable,Хост
-Charity and Donations,{0} действительные серийные NOS для Пункт {1}
-Chart Name,Отключено
-Chart of Accounts,Аббревиатура компании
-Chart of Cost Centers,Отправить SMS
-Check how the newsletter looks in an email by sending it to your email.,Самолет поддержки
-"Check if recurring invoice, uncheck to stop recurring or put proper End Date","Настройки электронной почты для извлечения ведет от продаж электронный идентификатор, например, ""sales@example.com"""
-"Check if you need automatic recurring invoices. After submitting any sales invoice, Recurring section will be visible.",Под КУА
-Check if you want to send salary slip in mail to each employee while submitting salary slip,Загрузить HTML
-Check this if you want to force the user to select a series before saving. There will be no default if you check this.,Является Service Элемент
-Check this if you want to show in website,Из материалов запрос
-Check this to disallow fractions. (for Nos),"Чтобы объединить, следующие свойства должны быть одинаковыми для обоих пунктов"
-Check this to pull emails from your mailbox,Развлечения и досуг
-Check to activate,Главная
-Check to make Shipping Address,"Скорость, с которой Билл валюта конвертируется в базовую валюту компании"
-Check to make primary address,Действительно для территорий
-Chemical,Счета Настройки
-Cheque,Группы
-Cheque Date,В случайном порядке
-Cheque Number,Серийный номер {0} вошли более одного раза
-Child account exists for this account. You can not delete this account.,"Выберите бюджета Distribution, если вы хотите, чтобы отслеживать на основе сезонности."
-City,Конец контракта Дата
-City/Town,Пакетная работы Дата
-Claim Amount,Условия шаблона
-Claims for company expense.,Производственный план по продажам Заказать
-Class / Percentage,Заявление Банк примирения
-Classic,По умолчанию Группа клиентов
-Clear Table,Элемент Производство
-Clearance Date,"Не можете Отменить возможностей, как Существует цитаты"
-Clearance Date not mentioned,Сделано
-Clearance date cannot be before check date in row {0},Средний Скидка
-Click on 'Make Sales Invoice' button to create a new Sales Invoice.,Пункт Серийный Нос
+Automatically extract Leads from a mail box e.g.,"Автоматическое извлечение ведет от почтового ящика, например,"
+Automatically updated via Stock Entry of type Manufacture/Repack,Автоматически обновляется через фондовой позиции типа Производство / Repack
+Automotive,Автомобилестроение
+Autoreply when a new mail is received,Autoreply при получении новой почты
+Available,имеется
+Available Qty at Warehouse,Доступен Кол-во на склад
+Available Stock for Packing Items,Доступные Stock для упаковки товаров
+"Available in BOM, Delivery Note, Purchase Invoice, Production Order, Purchase Order, Purchase Receipt, Sales Invoice, Sales Order, Stock Entry, Timesheet","Доступный в спецификации, накладной, счете-фактуре, производственного заказа, заказа на поставку, покупка получение, счет-фактура, заказ клиента, фондовой въезда, расписания"
+Average Age,Средний возраст
+Average Commission Rate,Средний Комиссия курс
+Average Discount,Средний Скидка
+Awesome Products,Потрясающие Продукты
+Awesome Services,Потрясающие услуги
+BOM Detail No,BOM Подробно Нет
+BOM Explosion Item,BOM Взрыв Пункт
+BOM Item,Позиции спецификации
+BOM No,BOM Нет
+BOM No. for a Finished Good Item,BOM номер для готового изделия Пункт
+BOM Operation,BOM Операция
+BOM Operations,BOM Операции
+BOM Replace Tool,BOM Заменить Tool
+BOM number is required for manufactured Item {0} in row {1},BOM номер необходим для выпускаемой Пункт {0} в строке {1}
+BOM number not allowed for non-manufactured Item {0} in row {1},Число спецификации не допускается для не-выпускаемой Пункт {0} в строке {1}
+BOM recursion: {0} cannot be parent or child of {2},BOM рекурсия: {0} не может быть родитель или ребенок {2}
+BOM replaced,BOM заменить
+BOM {0} for Item {1} in row {2} is inactive or not submitted,BOM {0} для Пункт {1} в строке {2} неактивен или не представили
+BOM {0} is not active or not submitted,BOM {0} не является активным или не представили
+BOM {0} is not submitted or inactive BOM for Item {1},BOM {0} не представлено или неактивным спецификации по пункту {1}
+Backup Manager,Backup Manager
+Backup Right Now,Резервное копирование прямо сейчас
+Backups will be uploaded to,Резервные копии будут размещены на
+Balance Qty,Баланс Кол-во
+Balance Sheet,Балансовый отчет
+Balance Value,Валюта баланса
+Balance for Account {0} must always be {1},Весы для счета {0} должен быть всегда {1}
+Balance must be,Баланс должен быть
+"Balances of Accounts of type ""Bank"" or ""Cash""",Остатки на счетах типа «Банк» или «Денежные средства»
+Bank,Банк:
+Bank / Cash Account,Банк / Денежный счет
+Bank A/C No.,Bank A / С №
+Bank Account,Банковский счет
+Bank Account No.,Счет №
+Bank Accounts,Банковские счета
+Bank Clearance Summary,Банк просвет Основная
+Bank Draft,"Тратта, выставленная банком на другой банк"
+Bank Name,Название банка
+Bank Overdraft Account,Банк Овердрафт счета
+Bank Reconciliation,Банк примирения
+Bank Reconciliation Detail,Банк примирения Подробно
+Bank Reconciliation Statement,Заявление Банк примирения
+Bank Voucher,Банк Ваучер
+Bank/Cash Balance,Банк / Остатки денежных средств
+Banking,Банковское дело
+Barcode,Штрих
+Barcode {0} already used in Item {1},Штрих {0} уже используется в пункте {1}
+Based On,На основе
+Basic,Базовый
+Basic Info,Введение
+Basic Information,Основная информация
+Basic Rate,Базовая ставка
+Basic Rate (Company Currency),Basic Rate (Компания Валюта)
+Batch,Парти
+Batch (lot) of an Item.,Пакетная (много) элемента.
+Batch Finished Date,Пакетная Готовые Дата
+Batch ID,ID Пакета
+Batch No,№ партии
+Batch Started Date,Пакетная работы Дата
+Batch Time Logs for billing.,Пакетные Журналы Время для выставления счетов.
+Batch-Wise Balance History,Порционно Баланс История
+Batched for Billing,Batched для биллинга
+Better Prospects,Лучшие перспективы
+Bill Date,Дата оплаты
+Bill No,Билл Нет
+Bill No {0} already booked in Purchase Invoice {1},Билл Нет {0} уже заказали в счете-фактуре {1}
+Bill of Material,Спецификация материала
+Bill of Material to be considered for manufacturing,"Билл материала, который будет рассматриваться на производстве"
+Bill of Materials (BOM),Ведомость материалов (BOM)
+Billable,Платежные
+Billed,Объявленный
+Billed Amount,Объявленный Количество
+Billed Amt,Объявленный Amt
+Billing,Выставление счетов
+Billing Address,Адрес для выставления счетов
+Billing Address Name,Адрес для выставления счета Имя
+Billing Status,Статус Биллинг
+Bills raised by Suppliers.,"Законопроекты, поднятые поставщиков."
+Bills raised to Customers.,"Законопроекты, поднятые для клиентов."
+Bin,Bin
+Bio,Ваша Биография
+Biotechnology,Биотехнологии
+Birthday,Дата рождения
+Block Date,Блок Дата
+Block Days,Блок дня
+Block leave applications by department.,Блок отпуска приложений отделом.
+Blog Post,Сообщение блога
+Blog Subscriber,Блог абонента
+Blood Group,Группа крови
+Both Warehouse must belong to same Company,Оба Склад должен принадлежать той же компании
+Box,Рамка
+Branch,Ветвь:
+Brand,Бренд
+Brand Name,Бренд
+Brand master.,Бренд мастер.
+Brands,Бренды
+Breakdown,Разбивка
+Broadcasting,Вещание
+Brokerage,Посредничество
+Budget,Бюджет
+Budget Allocated,"Бюджет, выделенный"
+Budget Detail,Бюджет Подробно
+Budget Details,Бюджет Подробнее
+Budget Distribution,Распределение бюджета
+Budget Distribution Detail,Деталь Распределение бюджета
+Budget Distribution Details,Распределение бюджета Подробности
+Budget Variance Report,Бюджет Разница Сообщить
+Budget cannot be set for Group Cost Centers,Бюджет не может быть установлено для группы МВЗ
+Build Report,Построить Сообщить
+Bundle items at time of sale.,Bundle детали на момент продажи.
+Business Development Manager,Менеджер по развитию бизнеса
+Buying,Покупка
+Buying & Selling,Покупка и продажа
+Buying Amount,Покупка Сумма
+Buying Settings,Покупка Настройки
+"Buying must be checked, if Applicable For is selected as {0}","Покупка должна быть проверена, если выбран Применимо для как {0}"
+C-Form,C-образный
+C-Form Applicable,C-образный Применимо
+C-Form Invoice Detail,C-образный Счет Подробно
+C-Form No,C-образный Нет
+C-Form records,С-форма записи
+CENVAT Capital Goods,CENVAT Инвестиционные товары
+CENVAT Edu Cess,CENVAT Эду Цесс
+CENVAT SHE Cess,CENVAT ОНА Цесс
+CENVAT Service Tax,CENVAT налоговой службы
+CENVAT Service Tax Cess 1,CENVAT налоговой службы Цесс 1
+CENVAT Service Tax Cess 2,CENVAT налоговой службы Цесс 2
+Calculate Based On,Рассчитать на основе
+Calculate Total Score,Рассчитать общее количество баллов
+Calendar Events,Календарь
+Call,Вызов
+Calls,Вызовы
+Campaign,Кампания
+Campaign Name,Название кампании
+Campaign Name is required,Название кампании требуется
+Campaign Naming By,Кампания Именование По
+Campaign-.####,Кампания-.# # # #
+Can be approved by {0},Может быть одобрено {0}
+"Can not filter based on Account, if grouped by Account","Не можете фильтровать на основе счета, если сгруппированы по Счет"
+"Can not filter based on Voucher No, if grouped by Voucher","Не можете фильтровать на основе ваучером Нет, если сгруппированы по ваучером"
+Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"Можете обратиться строку, только если тип заряда «О Предыдущая сумма Row» или «Предыдущая Row Всего"""
+Cancel Material Visit {0} before cancelling this Customer Issue,Отменить Материал Посетить {0} до отмены этого вопроса клиентов
+Cancel Material Visits {0} before cancelling this Maintenance Visit,Отменить Материал просмотров {0} до отмены этого обслуживания визит
+Cancelled,Отменено
+Cancelling this Stock Reconciliation will nullify its effect.,Отмена этого со примирения аннулирует свое действие.
+Cannot Cancel Opportunity as Quotation Exists,"Не можете Отменить возможностей, как Существует цитаты"
+Cannot approve leave as you are not authorized to approve leaves on Block Dates,"Не можете одобрить отпуск, пока вы не уполномочен утверждать листья на блоке Даты"
+Cannot cancel because Employee {0} is already approved for {1},"Нельзя отменить, потому что сотрудников {0} уже одобрен для {1}"
+Cannot cancel because submitted Stock Entry {0} exists,"Нельзя отменить, потому что представляется со Вступление {0} существует"
+Cannot carry forward {0},Не можете переносить {0}
+Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,Невозможно изменить финансовый год Дата начала и финансовый год Дата окончания сразу финансовый год будет сохранен.
+"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Невозможно изменить Базовая валюта компании, потому что есть существующие операции. Сделки должны быть отменены, чтобы поменять валюту."
+Cannot convert Cost Center to ledger as it has child nodes,"Невозможно преобразовать МВЗ в книге, как это имеет дочерние узлы"
+Cannot covert to Group because Master Type or Account Type is selected.,"Не можете скрытые в группу, потому что выбран Мастер Введите или счета Тип."
+Cannot deactive or cancle BOM as it is linked with other BOMs,Не можете деактивировать или CANCLE BOM поскольку она связана с другими спецификациями
+"Cannot declare as lost, because Quotation has been made.","Не можете объявить как потерял, потому что цитаты было сделано."
+Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Не можете вычесть, когда категория для ""Оценка"" или ""Оценка и Всего"""
+"Cannot delete Serial No {0} in stock. First remove from stock, then delete.","Не удается удалить серийный номер {0} в наличии. Сначала снимите со склада, а затем удалить."
+"Cannot directly set amount. For 'Actual' charge type, use the rate field","Не можете непосредственно установить сумму. Для «Актуальные 'типа заряда, используйте поле скорости"
+"Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in Stock Settings","Не можете overbill по пункту {0} в строке {0} более {1}. Чтобы разрешить overbilling, пожалуйста, установите на фондовых Настройки"
+Cannot produce more Item {0} than Sales Order quantity {1},"Не можете производить больше элемент {0}, чем количество продаж Заказать {1}"
+Cannot refer row number greater than or equal to current row number for this Charge type,"Не можете обратиться номер строки, превышающую или равную текущему номеру строки для этого типа зарядки"
+Cannot return more than {0} for Item {1},Не можете вернуть более {0} для Пункт {1}
+Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,"Невозможно выбрать тип заряда, как «О предыдущего ряда Сумма» или «О предыдущего ряда Всего 'для первой строки"
+Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for valuation. You can select only 'Total' option for previous row amount or previous row total,"Невозможно выбрать тип заряда, как «О предыдущего ряда Сумма» или «О предыдущего ряда Всего"" для оценки. Вы можете выбрать только опцию ""Всего"" за предыдущий количества строк или предыдущей общей строки"
+Cannot set as Lost as Sales Order is made.,"Невозможно установить, как Остаться в живых, как заказ клиента производится."
+Cannot set authorization on basis of Discount for {0},Не удается установить разрешение на основе Скидка для {0}
+Capacity,Объём
+Capacity Units,Вместимость Единицы
+Capital Account,Счет операций с капиталом
+Capital Equipments,Капитальные оборудование
+Carry Forward,Переносить
+Carry Forwarded Leaves,Carry направляются листья
+Case No(s) already in use. Try from Case No {0},Случай Нет (ы) уже используется. Попробуйте из дела № {0}
+Case No. cannot be 0,Дело № не может быть 0
+Cash,Наличные
+Cash In Hand,Наличность кассовая
+Cash Voucher,Кассовый чек
+Cash or Bank Account is mandatory for making payment entry,Наличными или банковский счет является обязательным для внесения записи платежей
+Cash/Bank Account,Счет Наличный / Банк
+Casual Leave,Повседневная Оставить
+Cell Number,Количество сотовых
+Change UOM for an Item.,Изменение UOM для элемента.
+Change the starting / current sequence number of an existing series.,Изменение начального / текущий порядковый номер существующей серии.
+Channel Partner,Channel ДУrtner
+Charge of type 'Actual' in row {0} cannot be included in Item Rate,Начисление типа «Актуальные 'в строке {0} не могут быть включены в пункт Оценить
+Chargeable,Ответственный
+Charity and Donations,Благотворительность и пожертвования
+Chart Name,График Имя
+Chart of Accounts,План счетов
+Chart of Cost Centers,План МВЗ
+Check how the newsletter looks in an email by sending it to your email.,"Проверьте, как бюллетень выглядит по электронной почте, отправив его по электронной почте."
+"Check if recurring invoice, uncheck to stop recurring or put proper End Date","Убедитесь в том, повторяющихся счет, снимите, чтобы остановить повторяющиеся или поставить правильное Дата окончания"
+"Check if you need automatic recurring invoices. After submitting any sales invoice, Recurring section will be visible.","Узнать, нужен автоматические повторяющихся счетов. После представления любого счет продаж, Периодическое раздел будет виден."
+Check if you want to send salary slip in mail to each employee while submitting salary slip,"Проверьте, если вы хотите отправить ведомость расчета зарплаты в почте каждому сотруднику при подаче ведомость расчета зарплаты"
+Check this if you want to force the user to select a series before saving. There will be no default if you check this.,"Проверьте это, если вы хотите, чтобы заставить пользователя выбрать серию перед сохранением. Там не будет по умолчанию, если вы проверить это."
+Check this if you want to show in website,"Проверьте это, если вы хотите показать в веб-сайт"
+Check this to disallow fractions. (for Nos),"Проверьте это, чтобы запретить фракции. (Для №)"
+Check this to pull emails from your mailbox,"Проверьте это, чтобы вытащить письма из почтового ящика"
+Check to activate,"Проверьте, чтобы активировать"
+Check to make Shipping Address,"Убедитесь, адрес доставки"
+Check to make primary address,"Проверьте, чтобы основной адрес"
+Chemical,Химический
+Cheque,Чек
+Cheque Date,Чек Дата
+Cheque Number,Чек Количество
+Child account exists for this account. You can not delete this account.,Детский учетная запись существует для этой учетной записи. Вы не можете удалить этот аккаунт.
+City,Город
+City/Town,Город /
+Claim Amount,Сумма претензии
+Claims for company expense.,Претензии по счет компании.
+Class / Percentage,Класс / в процентах
+Classic,Классические
+Clear Table,Ясно Таблица
+Clearance Date,Клиренс Дата
+Clearance Date not mentioned,Клиренс Дата не упоминается
+Clearance date cannot be before check date in row {0},Дата просвет не может быть до даты регистрации в строке {0}
+Click on 'Make Sales Invoice' button to create a new Sales Invoice.,"Нажмите на кнопку ""Создать Расходная накладная», чтобы создать новый счет-фактуру."
 Click on a link to get options to expand get options ,
-Client,1
-Close Balance Sheet and book Profit or Loss.,Пункт {0} не установка для серийные номера колонке должно быть пустым
-Closed,Дата платежа
-Closing Account Head,Тип адреса
-Closing Account {0} must be of type 'Liability',Подробная информация о поставщике
-Closing Date,GL Вступление
-Closing Fiscal Year,Сотрудник
-Closing Qty,"Пожалуйста, введите 'Является субподряду "", как Да или Нет"
-Closing Value,"Вы ввели повторяющихся элементов. Пожалуйста, исправить и попробовать еще раз."
-CoA Help,Материал Запрос
-Code,Поставщик> Поставщик Тип
-Cold Calling,Для требуется Склад перед Отправить
-Color,Нет учетной записи для следующих складов
-Comma separated list of email addresses,Скрыть Символа Валюты
-Comment,Предыдущая
-Comments,Ваш Логин ID
-Commercial,Акцизный Ваучер
-Commission,"например ""Построить инструменты для строителей """
-Commission Rate,Возможности товары
-Commission Rate (%),Шаблон терминов или договором.
-Commission on Sales,Г-н
-Commission rate cannot be greater than 100,Термины
-Communication,Применимо к (Пользователь)
-Communication HTML,Тип контента
-Communication History,Из спецификации материалов
-Communication log.,Филиал
-Communications,Фото со UOM Заменить Utility
-Company,Корзина Прайс-лист
-Company (not Customer or Supplier) master.,Заказ на продажу {0} не является допустимым
-Company Abbreviation,Для Обсудить
-Company Details,"Серийный номер {0} состояние должно быть ""имеющиеся"" для доставки"
-Company Email,"Ряд {0}: Кол-во не Имеющийся на складе {1} на {2} {3} \ п Доступен Кол-во:. {4}, трансфер Количество: {5}"
-"Company Email ID not found, hence mail not sent",Пункт {0} не сериализованным Пункт
-Company Info,Кредиторская задолженность
-Company Name,Установка Примечание {0} уже представлен
-Company Settings,Применимо к (Обозначение)
-Company is missing in warehouses {0},BOM номер необходим для выпускаемой Пункт {0} в строке {1}
-Company is required,Осмотр Критерии
-Company registration numbers for your reference. Example: VAT Registration Numbers etc.,"Закрытие счета {0} должен быть типа ""ответственности"""
-Company registration numbers for your reference. Tax numbers etc.,Принято + Отклоненные Кол-во должно быть равно полученного количества по пункту {0}
-"Company, Month and Fiscal Year is mandatory","Выберите ""Да"", если этот элемент представляет определенную работу, как обучение, проектирование, консалтинг и т.д."
-Compensatory Off,Для Склад
-Complete,Изменение начального / текущий порядковый номер существующей серии.
-Complete Setup,"Нет контактов, созданные"
-Completed,Из Кол-во
-Completed Production Orders,"Всего оценка для выпускаемой или перепакованы пункт (ы) не может быть меньше, чем общая оценка сырья"
-Completed Qty,Банковский перевод
-Completion Date,Дата расхода
-Completion Status,Расписание Дата
-Computer,"Пункт {0} игнорируется, так как это не складские позиции"
-Computers,Против продаж счета-фактуры
-Confirmation Date,Ни один сотрудник не найден!
-Confirmed orders from Customers.,Обновление банк платежные даты с журналов.
-Consider Tax or Charge for,Установить по умолчанию
-Considered as Opening Balance,Дебиторская задолженность Группы
-Considered as an Opening Balance,История В компании
-Consultant,PR Подробно
-Consulting,В поле Имя Сотрудника
-Consumable,Объявленный
-Consumable Cost,Отмена этого со примирения аннулирует свое действие.
-Consumable cost per hour,Котировки в снабжении или клиентов.
-Consumed Qty,Доставка Примечание {0} не представлено
-Consumer Products,"Продукты питания, напитки и табак"
-Contact,Санкционированный Количество
-Contact Control,Заказ на покупку Тенденции
-Contact Desc,Ваш адрес электронной почты
-Contact Details,Записи против
-Contact Email,Название Распределение бюджета
-Contact HTML,Готово
-Contact Info,Склад {0} не существует
-Contact Mobile No,Оборудование
-Contact Name,Адрес по умолчанию шаблона не может быть удален
-Contact No.,POS Настройка
-Contact Person,Пункт мудрый Покупка Зарегистрироваться
-Contact Type,Добавить налогов и сборов
-Contact master.,"Пожалуйста, выберите пункт, где ""это со Пункт"" является ""Нет"" и ""является продажа товара"" ""да"" и нет никакой другой Продажи BOM"
-Contacts,Объём
-Content,"Выберите ""Да"", если этот элемент используется для какой-то внутренней цели в вашей компании."
-Content Type,Значение или Кол-во
-Contra Voucher,Запланированно
-Contract,Критерии приемлемости
-Contract End Date,Адреса клиентов и Контакты
-Contract End Date must be greater than Date of Joining,Фактическая стоимость Дата
-Contribution (%),Образовательный ценз
-Contribution to Net Total,Заказ товара Поставляется
-Conversion Factor,"например банк, наличные, кредитная карта"
-Conversion Factor is required,Тип документа
-Conversion factor cannot be in fractions,Против Сертификаты Тип
-Conversion factor for default Unit of Measure must be 1 in row {0},Эффективно используем APM в высшей лиге
-Conversion rate cannot be 0 or 1,Пакет Детальная информация о товаре
-Convert into Recurring Invoice,Отправки сообщения?
-Convert to Group,Общение
-Convert to Ledger,Тема HTML
-Converted,"Пожалуйста, выберите значение для {0} quotation_to {1}"
-Copy From Item Group,Склад не может быть удален как существует запись складе книга для этого склада.
-Cosmetics,"Вы действительно хотите, чтобы остановить производственный заказ:"
-Cost Center,Private Equity
-Cost Center Details,В ожидании
-Cost Center Name,Личное
-Cost Center is required for 'Profit and Loss' account {0},Биотехнологии
-Cost Center is required in row {0} in Taxes table for type {1},Выплата заработной платы за месяц {0} и год {1}
-Cost Center with existing transactions can not be converted to group,Закрытие финансового года
-Cost Center with existing transactions can not be converted to ledger,Билл Нет {0} уже заказали в счете-фактуре {1}
-Cost Center {0} does not belong to Company {1},О передаче материала
-Cost of Goods Sold,По умолчанию Продажа Стоимость центр
-Costing,Дилер
-Country,Чистая Платное
-Country Name,Шапка
-Country wise default Address Templates,Серийный номер Сервисный контракт Срок
-"Country, Timezone and Currency",Контракт
-Create Bank Voucher for the total salary paid for the above selected criteria,Пользователь Замечания является обязательным
-Create Customer,Тест
-Create Material Requests,Terretory
-Create New,Непогашенная сумма
-Create Opportunity,Не запись не найдено
-Create Production Orders,С вступлением закрытия периода
-Create Quotation,Финансовый год Дата начала
-Create Receiver List,Календарь
-Create Salary Slip,"Пожалуйста, введите количество для Пункт {0}"
-Create Stock Ledger Entries when you submit a Sales Invoice,Получить складе и Оценить
-"Create and manage daily, weekly and monthly email digests.",Ваш финансовый год заканчивается
-Create rules to restrict transactions based on values.,Вклад в Net Всего
-Created By,Фото со Прогнозируемый Количество
-Creates salary slip for above mentioned criteria.,Банк Овердрафт счета
-Creation Date,Список Серия для этого сделки
-Creation Document No,Клиентам Код товара
-Creation Document Type,Импорт Вход
-Creation Time,"Пожалуйста, установите значение по умолчанию {0} в компании {0}"
-Credentials,Фото со Ledger Entry
-Credit,Повседневная Оставить
-Credit Amt,Кол-во для производства
-Credit Card,Всего Налоги и сборы
-Credit Card Voucher,Примечание: {0}
-Credit Controller,Сайт Склад
-Credit Days,Почты POP3 Сервер
-Credit Limit,Deduction1
-Credit Note,"Установить значения по умолчанию, как Болгарии, Валюта, текущий финансовый год и т.д."
-Credit To,Не работник не найдено
-Currency,Правило Начальные
-Currency Exchange,Дата и время окончания периода текущего счета-фактуры в
-Currency Name,"Контроль качества, необходимые для Пункт {0}"
-Currency Settings,Фото со UoM
-Currency and Price List,Магазин
-Currency exchange rate master.,Не Authroized с {0} превышает пределы
-Current Address,Frappe.io Портал
-Current Address Is,"Всего Выделенная сумма не может быть больше, чем непревзойденной сумму"
-Current Assets,Оставьте Черный список животных
-Current BOM,Праздник
-Current BOM and New BOM can not be same,"Не можете фильтровать на основе счета, если сгруппированы по Счет"
-Current Fiscal Year,Оставьте Распределение
-Current Liabilities,Расходов претензий Подробнее
-Current Stock,{0} {1} не в любом финансовом году
-Current Stock UOM,Против
-Current Value,"Пожалуйста, введите Код товара, чтобы получить партию не"
-Custom,Ведущий с этим электронный идентификатор должен существовать
-Custom Autoreply Message,Сотрудник День рождения
-Custom Message,"Как Производственный заказ можно сделать по этой статье, он должен быть запас пункт."
-Customer,Все контакты.
-Customer (Receivable) Account,Продуктовый
-Customer / Item Name,Доставка документов Нет
-Customer / Lead Address,Популярные Адрес для выставления счета
-Customer / Lead Name,Заявитель на работу.
-Customer > Customer Group > Territory,Услуги
-Customer Account Head,C-образный Счет Подробно
-Customer Acquisition and Loyalty,Контактный номер
-Customer Address,Суммарный опыт
-Customer Addresses And Contacts,Группа
-Customer Code,Выделите Количество Автоматически
-Customer Codes,Поставщик Номер детали
-Customer Details,Расходов Глава
-Customer Feedback,Кассовый чек
-Customer Group,"Цены Правило состоит перезаписать Прайс-лист / определить скидка процент, на основе некоторых критериев."
-Customer Group / Customer,Аренда площади для офиса
-Customer Group Name,Основные
-Customer Intro,Фото Старение
-Customer Issue,Держите его веб дружелюбны 900px (ш) на 100px (ч)
-Customer Issue against Serial No.,Применимо к (Сотрудник)
-Customer Name,Сделать Зарплата Структура
-Customer Naming By,Правила применения цен и скидки.
-Customer Service,Разведенный
-Customer database.,Дебет Для
-Customer is required,"Пожалуйста, выберите {0} первый"
-Customer master.,Имя рабочей станции
-Customer required for 'Customerwise Discount',Уровень
-Customer {0} does not belong to project {1},Сумма по счетам (Exculsive стоимость)
-Customer {0} does not exist,Новый фонда Единица измерения требуется
-Customer's Item Code,После продажи установок
-Customer's Purchase Order Date,Скидка в процентах можно применять либо против прайс-листа или для всех прайс-листа.
-Customer's Purchase Order No,"Убедитесь в том, повторяющихся счет, снимите, чтобы остановить повторяющиеся или поставить правильное Дата окончания"
-Customer's Purchase Order Number,Цена Имя
-Customer's Vendor,Доставка Количество
-Customers Not Buying Since Long Time,Основные / факультативных предметов
-Customerwise Discount,Склад не может быть изменен для серийный номер
-Customize,Общий вес пакета. Обычно вес нетто + упаковочный материал вес. (Для печати)
-Customize the Notification,"Для удобства клиентов, эти коды могут быть использованы в печатных форматов, таких как счета-фактуры и накладных"
-Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,Ряд {0}: Счет не соответствует с \ \ п в счете-фактуре в плюс на счет
-DN Detail,Заказ на продажу Требуемые
-Daily,Партнеры по сбыту Комиссия
-Daily Time Log Summary,Обслуживание
-Database Folder ID,Itemwise Рекомендуем изменить порядок Уровень
-Database of potential customers.,Правила и условия
-Date,Небольшая Поставляются
-Date Format,Всего Заработок
-Date Of Retirement,Цитата {0} не типа {1}
-Date Of Retirement must be greater than Date of Joining,Построить Сообщить
-Date is repeated,Именование клиентов По
-Date of Birth,Посадка стоимости покупки Квитанция
-Date of Issue,Группа Имя клиента
-Date of Joining,Запланированная дата
-Date of Joining must be greater than Date of Birth,Оставьте Тип Название
-Date on which lorry started from supplier warehouse,Проект мудрый данные не доступны для коммерческого предложения
-Date on which lorry started from your warehouse,"Момент, в который были получены материалы"
-Dates,"например, 5"
-Days Since Last Order,Фото со Очередь (FIFO)
-Days for which Holidays are blocked for this department.,Валовая прибыль (%)
-Dealer,"% Материалов, вынесенных против этого заказа клиента"
-Debit,Открывает запись
-Debit Amt,Ссылка Имя
-Debit Note,Название и описание
-Debit To,Всего Оставить дней
-Debit and Credit not equal for this voucher. Difference is {0}.,Транзакция
-Deduct,"Добро пожаловать в ERPNext. В течение следующих нескольких минут мы поможем вам настроить ваш аккаунт ERPNext. Попробуйте и заполнить столько информации, сколько у вас есть даже если это займет немного больше времени. Это сэкономит вам много времени спустя. Удачи Вам!"
-Deduction,Серийный номер {0} не существует
-Deduction Type,Весь день
-Deduction1,Создать расписание
-Deductions,"Любые другие комментарии, отметить усилия, которые должны пойти в записях."
-Default,Менеджер по подбору кадров
-Default Account,Покупка Счет {0} уже подано
-Default Address Template cannot be deleted,Материал: Запрос подробной Нет
-Default BOM,"Настроить вводный текст, который идет в составе этой электронной почте. Каждая транзакция имеет отдельный вводный текст."
-Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,Обновление Готовые изделия
-Default Bank Account,Источник и цель склад не может быть одинаковым для ряда {0}
-Default Buying Cost Center,Имя сотрудника
-Default Buying Price List,Выделенные количество не может превышать unadusted сумму
-Default Cash Account,Сделать ОБСЛУЖИВАНИЕ Посетите
-Default Company,Единиц / Сдвиги
-Default Currency,Основные этапы
-Default Customer Group,"Пожалуйста, напишите что-нибудь в тему и текст сообщения!"
-Default Expense Account,Дебиторская задолженность / оплачивается счет будет идентифицирован на основе поля Master Тип
-Default Income Account,Ведущий Имя
-Default Item Group,"Введите электронный идентификатор разделенных запятыми, счет будет автоматически отправлен на определенную дату"
-Default Price List,Дата Старение является обязательным для открытия запись
-Default Purchase Account in which cost of the item will be debited.,Выход
-Default Selling Cost Center,Зарезервировано Склад требуется для складе Пункт {0} в строке {1}
-Default Settings,Пункт {0} был введен несколько раз по сравнению с аналогичным работы
-Default Source Warehouse,Получить элементов из спецификации
-Default Stock UOM,Телевидение
-Default Supplier,Ежемесячно
-Default Supplier Type,Необходимые материалы (в разобранном)
-Default Target Warehouse,По умолчанию компании
-Default Territory,"Пожалуйста, сформулируйте валюту в компании"
-Default Unit of Measure,Серия обновление
-"Default Unit of Measure can not be changed directly because you have already made some transaction(s) with another UOM. To change default UOM, use 'UOM Replace Utility' tool under Stock module.",Пункт {0} должно быть Service Элемент
-Default Valuation Method,"Создание и управление ежедневные, еженедельные и ежемесячные дайджесты новостей."
-Default Warehouse,Настройки почты POP3
-Default Warehouse is mandatory for stock Item.,Уведомление E-mail адрес
-Default settings for accounting transactions.,Котировочные тенденции
-Default settings for buying transactions.,"

умолчанию шаблона \ п

Использует Jinja шаблонов и все поля Адрес (включая Настраиваемые поля, если таковые имеются) будут доступны \ н

  {{address_line1}} 
\ п {%, если address_line2%} {{address_line2}}
{% ENDIF - %} \ п {{город}} инструменты \ п {%, если состояние%} {{состояние}} инструменты {% ENDIF -%} \ п {%, если пин-код%} PIN: {{пин-код} } {инструменты% ENDIF -%} \ п {{страна}} инструменты \ п {%, если телефон%} Телефон: {{телефон}} инструменты {% ENDIF -%} \ п { %, если факс%} Факс: {{факс}} инструменты {% ENDIF -%} \ п {%, если email_id%} Email: {{email_id}} инструменты {% ENDIF -%} \ п < / код> " -Default settings for selling transactions.,Выберите бюджета Распределение чтобы неравномерно распределить цели через месяцев. -Default settings for stock transactions.,Поддержка Analtyics -Defense,"Есть больше праздников, чем рабочих дней в этом месяце." -"Define Budget for this Cost Center. To set budget action, see
Company Master",Против записей -Delete,Готовая продукция -Delete {0} {1}?,"Оставьте может быть утвержден пользователей с роли, ""Оставьте утверждающего""" -Delivered,"Если указано, отправить бюллетень с помощью этого адреса электронной почты" -Delivered Items To Be Billed,Родитель Сайт Маршрут -Delivered Qty,Понедельник -Delivered Serial No {0} cannot be deleted,МВЗ требуется в строке {0} в виде налогов таблицы для типа {1} -Delivery Date,Пункт {0} был введен несколько раз с таким же описанием или по дате -Delivery Details,Для Склад -Delivery Document No,Вес нетто каждого пункта -Delivery Document Type,% Полученных материалов против данного Заказа -Delivery Note,Несколько цены товара. -Delivery Note Item,Обновление посадку стоимость -Delivery Note Items,Управление групповой клиентов дерево. -Delivery Note Message,Счет операций с капиталом -Delivery Note No,"""Дни с последнего Порядке так должно быть больше или равно нулю" -Delivery Note Required,Основное -Delivery Note Trends,Пункт {0} должно быть продажи или в пункте СЕРВИС {1} -Delivery Note {0} is not submitted,"Код товара является обязательным, поскольку Деталь не автоматически нумеруются" -Delivery Note {0} must not be submitted,Магазины -Delivery Notes {0} must be cancelled before cancelling this Sales Order,Дерево finanial счетов. -Delivery Status,Продажи Подробности -Delivery Time,Учётные записи -Delivery To,E-mail Id -Department,Кол-во в заказ -Department Stores,Получатели -Depends on LWP,Посмотреть Леджер -Depreciation,Название кампании -Description,Новые Облигации Доставка -Description HTML,Мыло и моющих средств -Designation,Общая сумма в словах -Designer,Цена -Detailed Breakup of the totals,Посадка Стоимость успешно обновлены -Details,Следующая Дата -Difference (Dr - Cr),Доставка Примечание сообщение -Difference Account,Метод оценки -"Difference Account must be a 'Liability' type account, since this Stock Reconciliation is an Opening Entry",Предложение Дата -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.,Для справки только. -Direct Expenses,Против Счет -Direct Income,"Дата, на которую будет сгенерирован следующий счет-фактура. Он создается на представить. \ П" -Disable,Детали проекта -Disable Rounded Total,Мастер Прайс-лист. -Disabled,Агент -Discount %,Следующая будет отправлено письмо на: -Discount %,Рассылка Статус -Discount (%),Это корень группу товаров и не могут быть изменены. -Discount Amount,Счет Продажи {0} должно быть отменено до отмены этого заказ клиента -"Discount Fields will be available in Purchase Order, Purchase Receipt, Purchase Invoice",Перечислите несколько ваших поставщиков. Они могут быть организации или частные лица. -Discount Percentage,"Ожидаемый срок завершения не может быть меньше, чем Дата начала проекта" -Discount Percentage can be applied either against a Price List or for all Price List.,Ряд {0}: Кол-во является обязательным -Discount must be less than 100,"Для учета налога в строке {0} в размере Item, налоги в строках должны быть также включены {1}" -Discount(%),Посадка стоимости покупки расписок -Dispatch,Вы можете обновить либо Количество или оценка Оценить или обоих. -Display all the individual items delivered with the main items,Просмотр -Distribute transport overhead across items.,Налоги и сборы Расчет -Distribution,Пункт Группа -Distribution Id,"Выберите соответствующий название компании, если у вас есть несколько компаний." -Distribution Name,Серийный номер {0} не в наличии -Distributor,выполненных -Divorced,Получить элементов из заказов клиента -Do Not Contact,Контактная информация -Do not show any symbol like $ etc next to currencies.,Адрес шаблона +Client,Клиент +Close Balance Sheet and book Profit or Loss.,Закрыть баланс и книга прибыли или убытка. +Closed,Закрыт +Closing (Cr),Закрытие (Cr) +Closing (Dr),Закрытие (д-р) +Closing Account Head,Закрытие счета руководитель +Closing Account {0} must be of type 'Liability',"Закрытие счета {0} должен быть типа ""ответственности""" +Closing Date,Дата закрытия +Closing Fiscal Year,Закрытие финансового года +Closing Qty,Закрытие Кол-во +Closing Value,Значение закрытия +CoA Help,КоА Помощь +Code,Код +Cold Calling,Холодная Вызов +Color,Цвет +Column Break,Разрыв столбца +Comma separated list of email addresses,Разделенный запятыми список адресов электронной почты +Comment,Комментарий +Comments,Комментарии +Commercial,Коммерческий сектор +Commission,Комиссионный сбор +Commission Rate,Комиссия +Commission Rate (%),Комиссия ставка (%) +Commission on Sales,Комиссия по продажам +Commission rate cannot be greater than 100,"Скорость Комиссия не может быть больше, чем 100" +Communication,Общение +Communication HTML,Связь HTML +Communication History,История Связь +Communication log.,Журнал соединений. +Communications,Связь +Company,Организация +Company (not Customer or Supplier) master.,Компания (не клиента или поставщика) хозяин. +Company Abbreviation,Аббревиатура компании +Company Details,Данные предприятия +Company Email,Адрес эл. почты +"Company Email ID not found, hence mail not sent","Компании e-mail ID не найден, следовательно, Почта не отправляется" +Company Info,Информация о компании +Company Name,Название компании +Company Settings,Настройки компании +Company is missing in warehouses {0},Компания на складах отсутствует {0} +Company is required,Укажите компанию +Company registration numbers for your reference. Example: VAT Registration Numbers etc.,Регистрационные номера компании для вашей справки. Пример: НДС регистрационные номера и т.д. +Company registration numbers for your reference. Tax numbers etc.,Регистрационные номера компании для вашей справки. Налоговые числа и т.д. +"Company, Month and Fiscal Year is mandatory","Компания, месяц и финансовый год является обязательным" +Compensatory Off,Компенсационные Выкл +Complete,Готово +Complete Setup,Завершение установки +Completed,Завершено +Completed Production Orders,Завершенные Производственные заказы +Completed Qty,Завершено Кол-во +Completion Date,Дата завершения +Completion Status,Статус завершения +Computer,Компьютер +Computers,Компьютеры +Confirmation Date,Дата подтверждения +Confirmed orders from Customers.,Подтвержденные заказы от клиентов. +Consider Tax or Charge for,Рассмотрим налога или сбора для +Considered as Opening Balance,Рассматривается как начальное сальдо +Considered as an Opening Balance,Рассматривается как баланс открытия +Consultant,Консультант +Consulting,Консалтинг +Consumable,Потребляемый +Consumable Cost,Расходные Стоимость +Consumable cost per hour,Расходные Стоимость в час +Consumed Qty,Потребляемая Кол-во +Consumer Products,Потребительские товары +Contact,Контакты +Contact Control,Связаться управления +Contact Desc,Связаться Описание изделия +Contact Details,Контактная информация +Contact Email,Эл. адрес +Contact HTML,Связаться с HTML +Contact Info,Контактная информация +Contact Mobile No,Связаться Мобильный Нет +Contact Name,Имя Контакта +Contact No.,Контактный номер +Contact Person,Контактное Лицо +Contact Type,Тип контакта +Contact master.,Связаться с мастером. +Contacts,Контакты +Content,Содержимое +Content Type,Тип контента +Contra Voucher,Contra Ваучер +Contract,Контракт +Contract End Date,Конец контракта Дата +Contract End Date must be greater than Date of Joining,"Конец контракта Дата должна быть больше, чем дата вступления" +Contribution (%),Вклад (%) +Contribution to Net Total,Вклад в Net Всего +Conversion Factor,Коэффициент преобразования +Conversion Factor is required,Коэффициент преобразования требуется +Conversion factor cannot be in fractions,Коэффициент пересчета не может быть в долях +Conversion factor for default Unit of Measure must be 1 in row {0},Коэффициент пересчета для дефолтного Единица измерения должна быть 1 в строке {0} +Conversion rate cannot be 0 or 1,Коэффициент конверсии не может быть 0 или 1 +Convert into Recurring Invoice,Преобразование в повторяющихся Счет +Convert to Group,Преобразовать в группе +Convert to Ledger,Преобразовать в Леджер +Converted,Переделанный +Copy From Item Group,Скопируйте Из группы товаров +Cosmetics,Косметика +Cost Center,Центр учета затрат +Cost Center Details,Центр затрат домена +Cost Center Name,Название учетного отдела +Cost Center is required for 'Profit and Loss' account {0},Стоимость Центр необходим для 'о прибылях и убытках »счета {0} +Cost Center is required in row {0} in Taxes table for type {1},МВЗ требуется в строке {0} в виде налогов таблицы для типа {1} +Cost Center with existing transactions can not be converted to group,МВЗ с существующими сделок не могут быть преобразованы в группе +Cost Center with existing transactions can not be converted to ledger,МВЗ с существующими сделок не могут быть преобразованы в книге +Cost Center {0} does not belong to Company {1},МВЗ {0} не принадлежит компании {1} +Cost of Goods Sold,Себестоимость проданного товара +Costing,Стоимость +Country,Страна +Country Name,Название страны +Country wise default Address Templates,Шаблоны Страна мудрый адрес по умолчанию +"Country, Timezone and Currency","Страна, Временной пояс и валют" +Create Bank Voucher for the total salary paid for the above selected criteria,Создание банка Ваучер на общую зарплату заплатили за вышеуказанных выбранным критериям +Create Customer,Создание клиентов +Create Material Requests,Создать запросы Материал +Create New,Создать новый +Create Opportunity,Создание Возможность +Create Production Orders,Создание производственных заказов +Create Quotation,Создание цитаты +Create Receiver List,Создание приемника Список +Create Salary Slip,Создание Зарплата Слип +Create Stock Ledger Entries when you submit a Sales Invoice,Создание изображения Ledger Записи при отправке Расходная накладная +"Create and manage daily, weekly and monthly email digests.","Создание и управление ежедневные, еженедельные и ежемесячные дайджесты новостей." +Create rules to restrict transactions based on values.,Создание правил для ограничения операций на основе значений. +Created By,Созданный +Creates salary slip for above mentioned criteria.,Создает ведомость расчета зарплаты за вышеуказанные критерии. +Creation Date,Дата создания +Creation Document No,Создание документа Нет +Creation Document Type,Тип документа Создание +Creation Time,Времени создания +Credentials,Сведения о профессиональной квалификации +Credit,Кредит +Credit Amt,Кредитная Amt +Credit Card,Кредитная карта +Credit Card Voucher,Ваучер Кредитная карта +Credit Controller,Кредитная контроллер +Credit Days,Кредитные дней +Credit Limit,{0}{/0} {1}Кредитный лимит {/1} +Credit Note,Кредит-нота +Credit To,Кредитная Для +Currency,Валюта +Currency Exchange,Курс обмена валюты +Currency Name,Название валюты +Currency Settings,Валюты Настройки +Currency and Price List,Валюта и прайс-лист +Currency exchange rate master.,Мастер Валютный курс. +Current Address,Текущий адрес +Current Address Is,Текущий адрес +Current Assets,Оборотные активы +Current BOM,Текущий BOM +Current BOM and New BOM can not be same,"Текущий спецификации и Нью-BOM не может быть таким же," +Current Fiscal Year,Текущий финансовый год +Current Liabilities,Текущие обязательства +Current Stock,Наличие на складе +Current Stock UOM,Наличие на складе Единица измерения +Current Value,Текущая стоимость +Custom,Пользовательские +Custom Autoreply Message,Пользовательские Autoreply Сообщение +Custom Message,Текст сообщения +Customer,Клиент +Customer (Receivable) Account,Заказчик (задолженность) счета +Customer / Item Name,Заказчик / Название товара +Customer / Lead Address,Заказчик / Ведущий Адрес +Customer / Lead Name,Заказчик / Ведущий Имя +Customer > Customer Group > Territory,Клиент> Группа клиентов> Территория +Customer Account Head,Клиент аккаунт начальник +Customer Acquisition and Loyalty,Приобретение и лояльности клиентов +Customer Address,Клиент Адрес +Customer Addresses And Contacts,Адреса клиентов и Контакты +Customer Addresses and Contacts,Адреса клиентов и Контакты +Customer Code,Код клиента +Customer Codes,Коды покупателей +Customer Details,Данные клиента +Customer Feedback,Обратная связь с клиентами +Customer Group,Группа клиентов +Customer Group / Customer,Группа клиентов / клиентов +Customer Group Name,Группа Имя клиента +Customer Intro,Введение клиентов +Customer Issue,Выпуск клиентов +Customer Issue against Serial No.,Выпуск клиентов против серийный номер +Customer Name,Наименование заказчика +Customer Naming By,Именование клиентов По +Customer Service,Обслуживание Клиентов +Customer database.,База данных клиентов. +Customer is required,Требуется клиентов +Customer master.,Мастер клиентов. +Customer required for 'Customerwise Discount',"Клиент требуется для ""Customerwise Скидка""" +Customer {0} does not belong to project {1},Клиент {0} не принадлежит к проекту {1} +Customer {0} does not exist,Клиент {0} не существует +Customer's Item Code,Клиентам Код товара +Customer's Purchase Order Date,Клиентам Дата Заказ +Customer's Purchase Order No,Клиентам Заказ Нет +Customer's Purchase Order Number,Количество Заказ клиента +Customer's Vendor,Производитель Клиентам +Customers Not Buying Since Long Time,Клиенты не покупать так как долгое время +Customerwise Discount,Customerwise Скидка +Customize,Выполнять по индивидуальному заказу +Customize the Notification,Настроить уведомления +Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,"Настроить вводный текст, который идет в составе этой электронной почте. Каждая транзакция имеет отдельный вводный текст." +DN Detail,DN Деталь +Daily,Ежедневно +Daily Time Log Summary,Дневной Резюме Время Лог +Database Folder ID,База данных Папка ID +Database of potential customers.,База данных потенциальных клиентов. +Date,Дата +Date Format,Формат даты +Date Of Retirement,Дата выбытия +Date Of Retirement must be greater than Date of Joining,Дата выхода на пенсию должен быть больше даты присоединения +Date is repeated,Дата повторяется +Date of Birth,Дата рождения +Date of Issue,Дата выдачи +Date of Joining,Дата вступления +Date of Joining must be greater than Date of Birth,Дата Присоединение должно быть больше Дата рождения +Date on which lorry started from supplier warehouse,"Дата, в которую грузовик начал с поставщиком склад" +Date on which lorry started from your warehouse,"Дата, в которую грузовик начал с вашего склада" +Dates,Финики +Days Since Last Order,Дни с последнего Заказать +Days for which Holidays are blocked for this department.,"Дни, для которых Праздники заблокированные для этого отдела." +Dealer,Дилер +Debit,Дебет +Debit Amt,Дебет Amt +Debit Note,Дебет-нота +Debit To,Дебет Для +Debit and Credit not equal for this voucher. Difference is {0}.,"Дебет и Кредит не равны для этого ваучера. Разница в том, {0}." +Deduct,Вычеты € +Deduction,Вычет +Deduction Type,Вычет Тип +Deduction1,Deduction1 +Deductions,Отчисления +Default,По умолчанию +Default Account,По умолчанию учетная запись +Default Address Template cannot be deleted,Адрес по умолчанию шаблона не может быть удален +Default Amount,По умолчанию количество +Default BOM,По умолчанию BOM +Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,По умолчанию Счет в банке / Наличные будут автоматически обновляться в POS фактуре когда выбран этот режим. +Default Bank Account,По умолчанию Банковский счет +Default Buying Cost Center,По умолчанию Покупка МВЗ +Default Buying Price List,По умолчанию Покупка Прайс-лист +Default Cash Account,По умолчанию денежного счета +Default Company,По умолчанию компании +Default Currency,Базовая валюта +Default Customer Group,По умолчанию Группа клиентов +Default Expense Account,По умолчанию расходов счета +Default Income Account,По умолчанию Счет Доходы +Default Item Group,По умолчанию Пункт Группа +Default Price List,По умолчанию Прайс-лист +Default Purchase Account in which cost of the item will be debited.,"По умолчанию Покупка аккаунт, в котором будет списана стоимость объекта." +Default Selling Cost Center,По умолчанию Продажа Стоимость центр +Default Settings,Настройки по умолчанию +Default Source Warehouse,По умолчанию Источник Склад +Default Stock UOM,По умолчанию со UOM +Default Supplier,По умолчанию Поставщик +Default Supplier Type,По умолчанию Тип Поставщик +Default Target Warehouse,Цель по умолчанию Склад +Default Territory,По умолчанию Территория +Default Unit of Measure,По умолчанию Единица измерения +"Default Unit of Measure can not be changed directly because you have already made some transaction(s) with another UOM. To change default UOM, use 'UOM Replace Utility' tool under Stock module.","По умолчанию Единица измерения не могут быть изменены непосредственно, потому что вы уже сделали некоторые сделки (сделок) с другим UOM. Чтобы изменить стандартную UOM, использовать 'Единица измерения Заменить Utility' инструмент под фондовой модуля." +Default Valuation Method,Метод по умолчанию Оценка +Default Warehouse,По умолчанию Склад +Default Warehouse is mandatory for stock Item.,По умолчанию Склад является обязательным для складе Пункт. +Default settings for accounting transactions.,Настройки по умолчанию для бухгалтерских операций. +Default settings for buying transactions.,Настройки по умолчанию для покупки сделок. +Default settings for selling transactions.,Настройки по умолчанию для продажи сделок. +Default settings for stock transactions.,Настройки по умолчанию для биржевых операций. +Defense,Оборона +"Define Budget for this Cost Center. To set budget action, see Company Master","Определите бюджет для этого МВЗ. Чтобы установить бюджета действие см. Компания Мастер " +Del,Удалить +Delete,Удалить +Delete {0} {1}?,Удалить {0} {1}? +Delivered,Доставлено +Delivered Items To Be Billed,Поставленные товары быть выставлен счет +Delivered Qty,Поставляется Кол-во +Delivered Serial No {0} cannot be deleted,Поставляется Серийный номер {0} не может быть удален +Delivery Date,Дата поставки +Delivery Details,План поставки +Delivery Document No,Доставка документов Нет +Delivery Document Type,Тип доставки документов +Delivery Note,· Отметки о доставке +Delivery Note Item,Доставка Примечание Пункт +Delivery Note Items,Доставка Примечание Элементы +Delivery Note Message,Доставка Примечание сообщение +Delivery Note No,Доставка Примечание Нет +Delivery Note Required,Доставка Примечание необходимое +Delivery Note Trends,Доставка Примечание тенденции +Delivery Note {0} is not submitted,Доставка Примечание {0} не представлено +Delivery Note {0} must not be submitted,Доставка Примечание {0} не должны быть представлены +Delivery Notes {0} must be cancelled before cancelling this Sales Order,Примечания Доставка {0} должно быть отменено до отмены этого заказ клиента +Delivery Status,Статус доставки +Delivery Time,Срок поставки +Delivery To,Доставка Для +Department,Отдел +Department Stores,Универмаги +Depends on LWP,Зависит от LWP +Depreciation,Амортизация +Description,Описание +Description HTML,Описание HTML +Designation,Назначение +Designer,Дизайнер +Detailed Breakup of the totals,Подробное Распад итогам +Details,Детали +Difference (Dr - Cr),Отличия (д-р - Cr) +Difference Account,Счет разницы +"Difference Account must be a 'Liability' type account, since this Stock Reconciliation is an Opening Entry","Разница счета должна быть учетной записью типа ""Ответственность"", так как это со Примирение Открытие Вступление" +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." +Direct Expenses,Прямые расходы +Direct Income,Прямая прибыль +Disable,Отключить +Disable Rounded Total,Отключение закругленными Итого +Disabled,Отключено +Discount %,Скидка% +Discount %,Скидка% +Discount (%),Скидка (%) +Discount Amount,Сумма скидки +"Discount Fields will be available in Purchase Order, Purchase Receipt, Purchase Invoice","Скидка Поля будут доступны в заказе на, покупка получение, в счете-фактуре" +Discount Percentage,Скидка в процентах +Discount Percentage can be applied either against a Price List or for all Price List.,Скидка в процентах можно применять либо против прайс-листа или для всех прайс-листа. +Discount must be less than 100,Скидка должна быть меньше 100 +Discount(%),Скидка (%) +Dispatch,Отправка +Display all the individual items delivered with the main items,"Показать все отдельные элементы, поставляемые с основных пунктов" +Distribute transport overhead across items.,Распределить транспортной накладных расходов по статьям. +Distribution,Распределение +Distribution Id,Распределение Id +Distribution Name,Распределение Имя +Distributor,Дистрибьютор +Divorced,Разведенный +Do Not Contact,Не обращайтесь +Do not show any symbol like $ etc next to currencies.,Не показывать любой символ вроде $ и т.д. рядом с валютами. Do really want to unstop production order: , Do you really want to STOP , -Do you really want to STOP this Material Request?,Prevdoc Doctype -Do you really want to Submit all Salary Slip for month {0} and year {1},Производственный заказ +Do you really want to STOP this Material Request?,"Вы действительно хотите, чтобы остановить эту запросу материал?" +Do you really want to Submit all Salary Slip for month {0} and year {1},"Вы действительно хотите, чтобы представить все Зарплата Слип для месяца {0} и год {1}" Do you really want to UNSTOP , -Do you really want to UNSTOP this Material Request?,Пункт {0} не является активным или конец жизни был достигнут +Do you really want to UNSTOP this Material Request?,"Вы действительно хотите, чтобы Unstop этот материал запрос?" Do you really want to stop production order: , -Doc Name,"Ряд # {0}: Пожалуйста, сформулируйте Серийный номер для Пункт {1}" -Doc Type,Капитальные активы -Document Description,Скидка (%) -Document Type,Базовая ставка -Documents,"Введите статические параметры адрес здесь (Например отправитель = ERPNext, имя пользователя = ERPNext, пароль = 1234 и т.д.)" -Domain,Пункт мудрый Продажи Зарегистрироваться -Don't send Employee Birthday Reminders,Введите обозначение этому контактному -Download Materials Required,"Роль, которая имеет право на представление операции, превышающие лимиты кредитования, установленные." -Download Reconcilation Data,Следующая контакты -Download Template,Точки продаж -Download a report containing all raw materials with their latest inventory status,Цвет -"Download the Template, fill appropriate data and attach the modified file.",Оценка шаблона Гол +Doc Name,Док Имя +Doc Type,Тип документа +Document Description,Документ Описание +Document Type,Тип документа +Documents,Документация +Domain,Домен +Don't send Employee Birthday Reminders,Не отправляйте Employee рождения Напоминания +Download Materials Required,Скачать Необходимые материалы +Download Reconcilation Data,Скачать приведению данных +Download Template,Скачать шаблон +Download a report containing all raw materials with their latest inventory status,"Скачать доклад, содержащий все сырье с их последней инвентаризации статус" +"Download the Template, fill appropriate data and attach the modified file.","Скачать шаблон, заполнить соответствующие данные и приложить измененный файл." "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",Единица измерения фактором Конверсия требуется для UOM: {0} в пункте: {1} -Draft,C-образный Применимо -Dropbox,Реклама -Dropbox Access Allowed,Либо дебетовая или кредитная сумма необходима для {0} -Dropbox Access Key,Сделать Разница запись -Dropbox Access Secret,Ожидаемая дата поставки не может быть до даты заказа на продажу -Due Date,Настройки Вакансии Email -Due Date cannot be after {0},Возможность Дата -Due Date cannot be before Posting Date,Новые Коммуникации -Duplicate Entry. Please check Authorization Rule {0},"Примечание: Резервные копии и файлы не удаляются из Dropbox, вам придется удалить их вручную." -Duplicate Serial No entered for Item {0},Выплаченная сумма -Duplicate entry,"После таблицу покажет значения, если элементы являются суб - контракт. Эти значения будут получены от мастера ""Спецификация"" суб - контракт предметы." -Duplicate row {0} with same {1},Техническое обслуживание Посетить {0} должно быть отменено до отмены этого заказ клиента -Duties and Taxes,Профиль работы -ERPNext Setup,Прайс-лист Обмен не выбран -Earliest,"Разрешить Ведомость материалов должно быть ""Да"". Потому что один или много активных спецификаций представляют для этого элемента" -Earnest Money,Счет должен быть балансовый счет -Earning,Заказ на продажу {0} не представлено -Earning & Deduction,Зарплата распада на основе Заработок и дедукции. -Earning Type,Кредитная контроллер -Earning1,От купли получении -Edit,Рассылок -Education,Другие детали -Educational Qualification,Всего очков -Educational Qualification Details,Ежеквартально -Eg. smsgateway.com/api/send_sms.cgi,Папка с файлами ID -Either debit or credit amount is required for {0},Расходные Стоимость -Either target qty or target amount is mandatory,Проблема -Either target qty or target amount is mandatory.,Фото Вступление -Electrical,"Пожалуйста, выберите Charge Тип первый" -Electricity Cost,Расходов счета является обязательным -Electricity cost per hour,"Выбор ""Да"" позволит вам сделать производственного заказа для данного элемента." -Electronics,"{0} теперь используется по умолчанию финансовый год. Пожалуйста, обновите страницу в браузере, чтобы изменения вступили в силу." -Email,"Момент, в который предметы были доставлены со склада" -Email Digest,Год Дата окончания -Email Digest Settings,Помощник +All dates and employee combination in the selected period will come in the template, with existing attendance records","Скачать шаблон, заполнить соответствующие данные и приложить измененный файл. + Все даты и сочетание работник в выбранном периоде придет в шаблоне, с существующими рекорды посещаемости" +Draft,Новый +Dropbox,Dropbox +Dropbox Access Allowed,Dropbox доступ разрешен +Dropbox Access Key,Dropbox Ключ доступа +Dropbox Access Secret,Dropbox Доступ Секрет +Due Date,Дата исполнения +Due Date cannot be after {0},Впритык не может быть после {0} +Due Date cannot be before Posting Date,"Впритык не может быть, прежде чем отправлять Дата" +Duplicate Entry. Please check Authorization Rule {0},"Копия записи. Пожалуйста, проверьте Авторизация Правило {0}" +Duplicate Serial No entered for Item {0},Дубликат Серийный номер вводится для Пункт {0} +Duplicate entry,Дублировать запись +Duplicate row {0} with same {1},Дубликат строка {0} с же {1} +Duties and Taxes,Пошлины и налоги +ERPNext Setup,ERPNext установки +Earliest,Старейшие +Earnest Money,Задаток +Earning,Зарабатывание +Earning & Deduction,Заработок & Вычет +Earning Type,Набор Тип +Earning1,Earning1 +Edit,Редактировать +Edu. Cess on Excise,Эду. Цесс на акцизов +Edu. Cess on Service Tax,Эду. Цесс на налоговой службы +Edu. Cess on TDS,Эду. Цесс на TDS +Education,Образование +Educational Qualification,Образовательный ценз +Educational Qualification Details,Образовательный ценз Подробнее +Eg. smsgateway.com/api/send_sms.cgi,Например. smsgateway.com / API / send_sms.cgi +Either debit or credit amount is required for {0},Либо дебетовая или кредитная сумма необходима для {0} +Either target qty or target amount is mandatory,Либо целевой Количество или целевое количество является обязательным +Either target qty or target amount is mandatory.,Либо целевой Количество или целевое количество является обязательным. +Electrical,Электрический +Electricity Cost,Стоимость электроэнергии +Electricity cost per hour,Стоимость электроэнергии в час +Electronics,Электроника +Email,E-mail +Email Digest,E-mail Дайджест +Email Digest Settings,Email Дайджест Настройки Email Digest: , -Email Id,Добавить резервных копий в Google Drive -"Email Id where a job applicant will email e.g. ""jobs@example.com""",Ваша Биография -Email Notifications,"Проверьте это, чтобы запретить фракции. (Для №)" -Email Sent?,Дата Присоединение должно быть больше Дата рождения -"Email id must be unique, already exists for {0}",Всего Дебет -Email ids separated by commas.,Добавить Налоги -"Email settings to extract Leads from sales email id e.g. ""sales@example.com""",Фото Замороженные До -Emergency Contact,"Вы не можете ввести текущий ваучер в ""Против Journal ваучер 'колонке" -Emergency Contact Details,"Пожалуйста, введите сообщение перед отправкой" -Emergency Phone,Валовая маржа% -Employee,Кампания-.# # # # -Employee Birthday,Новый -Employee Details,Претензии по счет компании. -Employee Education,"Пожалуйста, установите Cash умолчанию или банковский счет в режим оплаты {0}" -Employee External Work History,"Пожалуйста, выберите в неделю выходной" -Employee Information,Вы расходов утверждающий для этой записи. Пожалуйста Обновите 'Status' и сохранить -Employee Internal Work History,Стоимость -Employee Internal Work Historys,Детали расходов Детали -Employee Leave Approver,BOM Продажи Помощь -Employee Leave Balance,Оставить утверждающий в списке будет установлен по умолчанию Оставить утверждающего -Employee Name,Все Адреса. -Employee Number,"Определите бюджет для этого МВЗ. Чтобы установить бюджета действие см. Компания Мастер " -Employee Records to be created by,{0} {1} должны быть представлены -Employee Settings,Неоплачено -Employee Type,Входящий -"Employee designation (e.g. CEO, Director etc.).",Лучшие перспективы -Employee master.,Служебная аттестация. +Email Id,E-mail Id +"Email Id where a job applicant will email e.g. ""jobs@example.com""","E-mail Id, где соискатель вышлем например ""jobs@example.com""" +Email Notifications,Уведомления электронной почты +Email Sent?,Отправки сообщения? +"Email id must be unique, already exists for {0}","Удостоверение личности электронной почты должен быть уникальным, уже существует для {0}" +Email ids separated by commas.,Email идентификаторы через запятую. +"Email settings to extract Leads from sales email id e.g. ""sales@example.com""","Настройки электронной почты для извлечения ведет от продаж электронный идентификатор, например, ""sales@example.com""" +Emergency Contact,Экстренная связь +Emergency Contact Details,Аварийный Контактные данные +Emergency Phone,В случае чрезвычайных ситуаций +Employee,Сотрудник +Employee Birthday,Сотрудник День рождения +Employee Details,Сотрудник Подробнее +Employee Education,Сотрудник Образование +Employee External Work History,Сотрудник Внешний Работа История +Employee Information,Сотрудник Информация +Employee Internal Work History,Сотрудник внутреннего Работа История +Employee Internal Work Historys,Сотрудник внутреннего Работа Historys +Employee Leave Approver,Сотрудник Оставить утверждающий +Employee Leave Balance,Сотрудник Оставить Баланс +Employee Name,Имя Сотрудника +Employee Number,Общее число сотрудников +Employee Records to be created by,Сотрудник отчеты должны быть созданные +Employee Settings,Настройки работникам +Employee Type,Сотрудник Тип +"Employee designation (e.g. CEO, Director etc.).","Сотрудник обозначение (например, генеральный директор, директор и т.д.)." +Employee master.,Мастер сотрудников. Employee record is created using selected field. , -Employee records.,Единица измерения Детали преобразования -Employee relieved on {0} must be set as 'Left',Показать этот слайд-шоу в верхней части страницы -Employee {0} has already applied for {1} between {2} and {3},"Скорость, с которой этот налог применяется" -Employee {0} is not active or does not exist,Получить соответствующие записи -Employee {0} was on leave on {1}. Cannot mark attendance.,% При поставке -Employees Email Id,Корневая Тип -Employment Details,Публикация -Employment Type,Не можете вернуть более {0} для Пункт {1} -Enable / disable currencies.,Склад-мудрый Пункт Переупоряд -Enabled,Сумма (Компания Валюта) -Encashment Date,Особенности установки -End Date,Заказчик / Название товара -End Date can not be less than Start Date,Общее количество очков для всех целей должна быть 100. Это {0} -End date of current invoice's period,Последние -End of Life,Распределить транспортной накладных расходов по статьям. -Energy,Пункт Мудрый Налоговый Подробно -Engineer,Счет № -Enter Verification Code,Product Enquiry -Enter campaign name if the source of lead is campaign.,Источник финансирования (обязательства) -Enter department to which this Contact belongs,Оба Склад должен принадлежать той же компании -Enter designation of this Contact,Прочие расходы -"Enter email id separated by commas, invoice will be mailed automatically on particular date",Время входа Пакетная {0} должен быть 'Представленные' -Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,"Обновление выделено сумму в таблице выше, а затем нажмите кнопку ""Выделить""" -Enter name of campaign if source of enquiry is campaign,"Профиль работы, квалификация, необходимые т.д." -"Enter static url parameters here (Eg. sender=ERPNext, username=ERPNext, password=1234 etc.)",Не введено описание -Enter the company name under which Account Head will be created for this Supplier,Купли-продажи -Enter url parameter for message,Применение средств (активов) -Enter url parameter for receiver nos,Предыдущий опыт работы -Entertainment & Leisure,Тип документа Создание -Entertainment Expenses,Стоимость электроэнергии -Entries,Тип Поставщик мастер. -Entries against,Доставка Примечание Пункт -Entries are not allowed against this Fiscal Year if the year is closed.,Посадка затрат -Entries before {0} are frozen,Случай Нет (ы) уже используется. Попробуйте из дела № {0} -Equity,Это корень счета и не могут быть изменены. -Error: {0} > {1},"Нельзя отменить, потому что сотрудников {0} уже одобрен для {1}" -Estimated Material Cost,Оставить заявку -"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Перечислите ваши продукты или услуги, которые вы покупаете или продаете. Убедитесь в том, чтобы проверить позицию Group, единицу измерения и других свойств при запуске." -Everyone can read,Проект мудрый слежения со +Employee records.,Сотрудник записей. +Employee relieved on {0} must be set as 'Left',"Сотрудник освобожден от {0} должен быть установлен как ""левые""" +Employee {0} has already applied for {1} between {2} and {3},Сотрудник {0} уже подало заявку на {1} между {2} и {3} +Employee {0} is not active or does not exist,Сотрудник {0} не активен или не существует +Employee {0} was on leave on {1}. Cannot mark attendance.,Сотрудник {0} был в отпусках по {1}. Невозможно отметить посещаемость. +Employees Email Id,Сотрудники Email ID +Employment Details,Подробности по трудоустройству +Employment Type,Вид занятости +Enable / disable currencies.,Включение / отключение валюты. +Enabled,Включено +Encashment Date,Инкассация Дата +End Date,Дата окончания +End Date can not be less than Start Date,"Дата окончания не может быть меньше, чем Дата начала" +End date of current invoice's period,Дата и время окончания периода текущего счета-фактуры в +End of Life,Конец срока службы +Energy,Энергоэффективность +Engineer,Инженер +Enter Verification Code,Введите код +Enter campaign name if the source of lead is campaign.,"Введите название кампании, если источником свинца является кампания." +Enter department to which this Contact belongs,"Введите отдел, к которому принадлежит этого контакт" +Enter designation of this Contact,Введите обозначение этому контактному +"Enter email id separated by commas, invoice will be mailed automatically on particular date","Введите электронный идентификатор разделенных запятыми, счет будет автоматически отправлен на определенную дату" +Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,"Введите предметы и плановый Количество, для которых необходимо повысить производственные заказы или скачать сырье для анализа." +Enter name of campaign if source of enquiry is campaign,"Введите имя кампании, если источником исследования является кампания" +"Enter static url parameters here (Eg. sender=ERPNext, username=ERPNext, password=1234 etc.)","Введите статические параметры адрес здесь (Например отправитель = ERPNext, имя пользователя = ERPNext, пароль = 1234 и т.д.)" +Enter the company name under which Account Head will be created for this Supplier,"Введите название компании, под какой учетной Руководитель будут созданы для этого поставщика" +Enter url parameter for message,Введите параметр URL для сообщения +Enter url parameter for receiver nos,Введите параметр URL для приемника NOS +Entertainment & Leisure,Развлечения и досуг +Entertainment Expenses,Представительские расходы +Entries,Записи +Entries against , +Entries are not allowed against this Fiscal Year if the year is closed.,"Записи не допускаются против этого финансовый год, если год закрыт." +Equity,Ценные бумаги +Error: {0} > {1},Ошибка: {0}> {1} +Estimated Material Cost,Расчетное Материал Стоимость +"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Даже если есть несколько правил ценообразования с наивысшим приоритетом, то следующие внутренние приоритеты применяются:" +Everyone can read,Каждый может читать "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.",Тип документа -Exchange Rate,"Выбор ""Да"" позволит этот пункт, чтобы понять в заказ клиента, накладной" -Excise Page Number,Общее количество часов -Excise Voucher,Поставляется Кол-во -Execution,{0} не принадлежит компании {1} -Executive Search,Налоги и сборы -Exemption Limit,Цены Правило -Exhibition,"Не можете производить больше элемент {0}, чем количество продаж Заказать {1}" -Existing Customer,Уставный информации и другие общие сведения о вашем Поставщик -Exit,"Сумма, Биллу" -Exit Interview Details,Общие эксплуатационные расходы -Expected,"Невозможно изменить Базовая валюта компании, потому что есть существующие операции. Сделки должны быть отменены, чтобы поменять валюту." -Expected Completion Date can not be less than Project Start Date,Ассигнованная сумма -Expected Date cannot be before Material Request Date,Облагаемый налогом -Expected Delivery Date,Посещаемость С Дата -Expected Delivery Date cannot be before Purchase Order Date,Сотрудник Оставить утверждающий -Expected Delivery Date cannot be before Sales Order Date,Старение Дата является обязательным для открытия запись -Expected End Date,База данных потенциальных клиентов. -Expected Start Date,{0}{/0} {1}Кредитный лимит {/1} -Expense,Распределение -Expense / Difference account ({0}) must be a 'Profit or Loss' account,Пункт Группа не упоминается в мастера пункт по пункту {0} -Expense Account,По умолчанию -Expense Account is mandatory,Уменьшите Набор для отпуска без сохранения (LWP) -Expense Claim,"Ваш продавец, который свяжется с клиентом в будущем" -Expense Claim Approved,Скидка% -Expense Claim Approved Message,"Не допускается, чтобы обновить записи старше {0}" -Expense Claim Detail,Оборудование офиса -Expense Claim Details,С Даты -Expense Claim Rejected,"Пункт, Гарантия, AMC (Ежегодное обслуживание контракта) подробная информация будет автоматически извлекаются при выборе Серийный номер." -Expense Claim Rejected Message,Цель Подробности -Expense Claim Type,Всего Weightage назначен должна быть 100%. Это {0} -Expense Claim has been approved.,"Целевая склад в строке {0} должно быть таким же, как производственного заказа" -Expense Claim has been rejected.,Потенциальные возможности для продажи. -Expense Claim is pending approval. Only the Expense Approver can update status.,Воронка продаж -Expense Date,Всего выделено процент для отдела продаж должен быть 100 -Expense Details,Адрес -Expense Head,"Скачать шаблон, заполнить соответствующие данные и приложить измененный файл." -Expense account is mandatory for item {0},Котировочные товары -Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Регистры -Expenses,"См. ""Оценить материалов на основе"" в калькуляции раздел" -Expenses Booked,Введение -Expenses Included In Valuation,Значение Дата -Expenses booked for the digest period,Создание Зарплата Слип -Expiry Date,Мебель и приспособления -Exports,Пункт или Склад для строки {0} не соответствует запросу материал -External,Округлые Всего (Компания Валюта) -Extract Emails,Бюджет Подробнее -FCFS Rate,Родитель Сайт Страница +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 # # # # # + Если серии установлен и Серийный номер не упоминается в сделках, то автоматическая серийный номер будет создана на основе этой серии. Если вы всегда хотите явно упомянуть серийный Нос для этого элемента. оставьте поле пустым." +Exchange Rate,Курс обмена +Excise Duty 10,Акцизе 10 +Excise Duty 14,Акцизе 14 +Excise Duty 4,Акцизе 4 +Excise Duty 8,Акцизе 8 +Excise Duty @ 10,Акцизе @ 10 +Excise Duty @ 14,Акцизе @ 14 +Excise Duty @ 4,Акцизе @ 4 +Excise Duty @ 8,Акцизе @ 8 +Excise Duty Edu Cess 2,Акцизе Эду Цесс 2 +Excise Duty SHE Cess 1,Акцизе ОНА Цесс 1 +Excise Page Number,Количество Акцизный Страница +Excise Voucher,Акцизный Ваучер +Execution,Реализация +Executive Search,Executive Search +Exemption Limit,Освобождение Предел +Exhibition,Показательный +Existing Customer,Существующий клиент +Exit,Выход +Exit Interview Details,Выход Интервью Подробности +Expected,Ожидаемые +Expected Completion Date can not be less than Project Start Date,"Ожидаемый срок завершения не может быть меньше, чем Дата начала проекта" +Expected Date cannot be before Material Request Date,Ожидаемая дата не может быть до Материал Дата заказа +Expected Delivery Date,Ожидаемая дата поставки +Expected Delivery Date cannot be before Purchase Order Date,Ожидаемая дата поставки не может быть до заказа на Дата +Expected Delivery Date cannot be before Sales Order Date,Ожидаемая дата поставки не может быть до даты заказа на продажу +Expected End Date,Ожидаемая дата завершения +Expected Start Date,Ожидаемая дата начала +Expense,Расходы +Expense / Difference account ({0}) must be a 'Profit or Loss' account,"Расходов / Разница счет ({0}) должен быть ""прибыль или убыток» счета" +Expense Account,Расходов счета +Expense Account is mandatory,Расходов счета является обязательным +Expense Claim,Расходов претензии +Expense Claim Approved,Расходов претензии Утверждено +Expense Claim Approved Message,Расходов претензии Утверждено Сообщение +Expense Claim Detail,Расходов претензии Подробно +Expense Claim Details,Расходов претензий Подробнее +Expense Claim Rejected,Расходов претензии Отклонен +Expense Claim Rejected Message,Расходов претензии Отклонен Сообщение +Expense Claim Type,Расходов претензии Тип +Expense Claim has been approved.,Расходов претензии была одобрена. +Expense Claim has been rejected.,Расходов претензии были отклонены. +Expense Claim is pending approval. Only the Expense Approver can update status.,Расходов претензии ожидает одобрения. Только расходов утверждающий можете обновить статус. +Expense Date,Дата расхода +Expense Details,Детали расходов Детали +Expense Head,Расходов Глава +Expense account is mandatory for item {0},Расходов счета является обязательным для пункта {0} +Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,"Расходов или Разница счета является обязательным для п. {0}, поскольку это влияет общая стоимость акции" +Expenses,Расходы +Expenses Booked,Расходы Заказанный +Expenses Included In Valuation,"Затрат, включаемых в оценке" +Expenses booked for the digest period,Расходы забронированы на период дайджест +Expiry Date,Срок годности: +Exports,! Экспорт +External,Внешний GPS с RS232 +Extract Emails,Извлечь почты +FCFS Rate,FCFS Оценить Failed: , -Family Background,"Пожалуйста, введите действительный Личная на e-mail" -Fax,Коэффициент конверсии не может быть 0 или 1 -Features Setup,Платежные -Feed,Программное обеспечение -Feed Type,Ваучер # -Feedback,Примечание Пользователь -Female,Пользователи с этой ролью могут устанавливать замороженных счетов и создания / изменения бухгалтерских проводок против замороженных счетов -Fetch exploded BOM (including sub-assemblies),Непревзойденная Количество -"Field available in Delivery Note, Quotation, Sales Invoice, Sales Order",Открыть Производственные заказы -Files Folder ID,Сделка не допускается в отношении остановил производство ордена {0} -Fill the form and save it,Стандартный -Filter based on customer,Мы Купить этот товар -Filter based on item,Сбросить фильтры -Financial / accounting year.,Бюджет Подробно -Financial Analytics,Производственные заказы в Прогресс -Financial Services,Информация о зарплате -Financial Year End Date,Moving Average Rate -Financial Year Start Date,Аналитик -Finished Goods,Код элемента -First Name,Правила для расчета количества груза для продажи -First Responded On,Единица измерения Преобразование Подробно -Fiscal Year,Не применяется -Fiscal Year Start Date and Fiscal Year End Date are already set in Fiscal Year {0},Покупка Подробности -Fiscal Year Start Date and Fiscal Year End Date cannot be more than a year apart.,Открывает -Fiscal Year Start Date should not be greater than Fiscal Year End Date,Оценка шаблона -Fixed Asset,Неправильное или Неактивный BOM {0} для Пункт {1} в строке {2} -Fixed Assets,"Пожалуйста, выберите тип заряда первым" -Follow via Email,Всего Налоги и сборы (Компания Валюты) -"Following table will show values if items are sub - contracted. These values will be fetched from the master of ""Bill of Materials"" of sub - contracted items.",Мастер Тип -Food,Язык -"Food, Beverage & Tobacco",По словам будет виден только вы сохраните ТОВАРНЫЙ ЧЕК. -For Company,Только листовые узлы допускаются в сделке -For Employee,Пункт {0} должен быть запас товара -For Employee Name,Добавить или вычесть -For Price List,Счета: {0} может быть обновлен только через \ \ п Биржевые операции -For Production,Года -For Reference Only.,Оценка -For Sales Invoice,МВЗ с существующими сделок не могут быть преобразованы в книге -For Server Side Print Formats,Материал Тип запроса -For Supplier,Статус утверждения -For Warehouse,Выберите компанию ... -For Warehouse is required before Submit,"""Фактическое начало Дата"" не может быть больше, чем «Актуальные Дата окончания '" -"For e.g. 2012, 2012-13",Адрес по убыванию -For reference,Полностью завершен -For reference only.,Изменение UOM для элемента. -"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes",Шаблон -Fraction,Инвентаризация -Fraction Units,Оценка {0} создан Требуются {1} в указанный диапазон дат -Freeze Stock Entries,"Элемент существует с тем же именем ({0}), пожалуйста, измените название группы или переименовать пункт" -Freeze Stocks Older Than [Days],Адрес доставки -Freight and Forwarding Charges,На рабо -Friday,"Автоматическое извлечение ведет от почтового ящика, например," -From,Оставьте панели управления -From Bill of Materials,Пункт {0} не Приобретите товар -From Company,Розничная и оптовая торговля -From Currency,Спецификация материала -From Currency and To Currency cannot be same,Дата рождения -From Customer,Удельный Пользователь -From Customer Issue,Бюджет Разница Сообщить -From Date,Формат печати Стиль -From Date must be before To Date,Против Билл {0} от {1} -From Delivery Note,Поставщик Ссылка -From Employee,Перечислите несколько ваших клиентов. Они могут быть организации или частные лица. -From Lead,Организация филиал мастер. -From Maintenance Schedule,Проект Milestone -From Material Request,Оставить заявление было отклонено. -From Opportunity,"Пожалуйста, выберите прайс-лист" -From Package No.,Дублировать запись -From Purchase Order,Предложение Написание -From Purchase Receipt,Операция Нет -From Quotation,Сотрудник Оставить Баланс -From Sales Order,Общее количество часов (ожидаемый) -From Supplier Quotation,Максимальное количество дней отпуска разрешены -From Time,Резерв Процент -From Value,Пункт мудрый История продаж -From and To dates required,Всего в словах -From value must be less than to value in row {0},Бланк -Frozen,Продажи Вернуться -Frozen Accounts Modifier,Код товара не может быть изменен для серийный номер -Fulfilled,Продажи Аналитика -Full Name,Рабочие Подробнее -Full-time,Оставьте черных списков Даты -Fully Billed,Периодичность -Fully Completed,С-форма записи -Fully Delivered,Заполните форму и сохранить его -Furniture and Fixture,График обслуживания {0} должно быть отменено до отмены этого заказ клиента -Further accounts can be made under Groups but entries can be made against Ledger,Статус {0} {1} теперь {2} -"Further accounts can be made under Groups, but entries can be made against Ledger","Пожалуйста, выберите переносить, если вы также хотите включить баланс предыдущего финансового года оставляет в этом финансовом году" -Further nodes can be only created under 'Group' type nodes,Листья для типа {0} уже выделено Требуются {1} для финансового года {0} -GL Entry,Старейшие -Gantt Chart,Контакты -Gantt chart of all tasks.,Дата исполнения -Gender,Отдел продаж Подробнее -General,Заказанное количество -General Ledger,Пункт Расширенный -Generate Description HTML,Временные счета (активы) -Generate Material Requests (MRP) and Production Orders.,Формат даты -Generate Salary Slips,Пункт Штрих -Generate Schedule,Присвоено -Generates HTML to include selected image in the description,Источник -Get Advances Paid,Условия Содержимое -Get Advances Received,Введение клиентов -Get Against Entries,Комиссия по продажам -Get Current Stock,Название элемента -Get Items,Бухгалтерские Journal. -Get Items From Sales Orders,Работа-в-Прогресс Склад требуется перед Отправить -Get Items from BOM,История Связь -Get Last Purchase Rate,Выделите листья на определенный срок. -Get Outstanding Invoices,Техническое обслуживание Детали -Get Relevant Entries,"Нельзя отменить, потому что представляется со Вступление {0} существует" -Get Sales Orders,Дебиторская задолженность -Get Specification Details,Инвестиции -Get Stock and Rate,"Доступный в спецификации, накладной, счете-фактуре, производственного заказа, заказа на поставку, покупка получение, счет-фактура, заказ клиента, фондовой въезда, расписания" -Get Template,Чистая Всего -Get Terms and Conditions,Сайт Группы товаров -Get Weekly Off Dates,BOM {0} не представлено или неактивным спецификации по пункту {1} -"Get valuation rate and available stock at source/target warehouse on mentioned posting date-time. If serialized item, please press this button after entering serial nos.",Новый UOM НЕ должен иметь тип целого числа -Global Defaults,Пункт Сумма налога -Global POS Setting {0} already created for company {1},Операция Описание -Global Settings,Целевая склад является обязательным для ряда {0} -"Go to the appropriate group (usually Application of Funds > Current Assets > Bank Accounts and create a new Account Ledger (by clicking on Add Child) of type ""Bank""",Добавить / Изменить Налоги и сборы -"Go to the appropriate group (usually Source of Funds > Current Liabilities > Taxes and Duties and create a new Account Ledger (by clicking on Add Child) of type ""Tax"" and do mention the Tax rate.",Чтобы отслеживать пункт в купли-продажи документов по их серийных NOS. Это также может использоваться для отслеживания гарантийные детали продукта. -Goal,Фактический Дата завершения -Goals,BOM {0} не является активным или не представили -Goods received from Suppliers.,Пятница -Google Drive,Выберите товары -Google Drive Access Allowed,Покупка / Производство Подробнее -Government,Информация о регистрации -Graduate,Комментарии -Grand Total,Фото со приведению данных -Grand Total (Company Currency),КО № -"Grid """,Планирование -Grocery,Включите примириться Записи -Gross Margin %,Муж -Gross Margin Value,"Приемник Список пуст. Пожалуйста, создайте приемник Список" -Gross Pay,Доставка Примечание {0} не должны быть представлены -Gross Pay + Arrear Amount +Encashment Amount - Total Deduction,Нет товара с серийным № {0} -Gross Profit,Группа по Счет -Gross Profit (%),Центр затрат домена -Gross Weight,Платежи в период дайджест -Gross Weight UOM,Создание производственных заказов -Group,Клиентам Дата Заказ -Group by Account,Сумма <= -Group by Voucher,Всего Выделенная сумма -Group or Ledger,Пункт {0} не является акционерным Пункт -Groups,"Пожалуйста, введите утверждении роли или утверждении Пользователь" -HR Manager,Реализация Партнер -HR Settings,Ничего просить -HTML / Banner that will show on the top of product list.,"Укажите список территорий, для которых, это прайс-лист действителен" -Half Day,"Подпись, которая будет добавлена ​​в конце каждого письма" -Half Yearly,Переделанный -Half-yearly,Производитель Номер -Happy Birthday!,Вес нетто единица измерения -Hardware,Электроника -Has Batch No,"Пожалуйста, введите родительскую группу счета для складского учета" -Has Child Node,Счет-фактура по продажам товары -Has Serial No,Прайс-лист {0} отключена -Head of Marketing and Sales,Обновите SMS Настройки -Header,Семейное положение -Health Care,Поддержка Аналитика -Health Concerns,Оценка должна быть меньше или равна 5 -Health Details,"{0} является недопустимым адрес электронной почты в ""Notification адрес электронной почты""" -Held On,Пункт НАЛ1 -Help HTML,Оплата счета-фактуры Matching Tool -"Help: To link to another record in the system, use ""#Form/Note/[Note Name]"" as the Link URL. (don't use ""http://"")",Введите действительные мобильных NOS -"Here you can maintain family details like name and occupation of parent, spouse and children","Серийный Пункт {0} не может быть обновлен \ \ п, используя Stock примирения" -"Here you can maintain height, weight, allergies, medical concerns etc",Против Expense Счет -Hide Currency Symbol,"Обязательно, если со Пункт «Да». Также склад по умолчанию, где защищены количество установлено от заказа клиента." -High,Комплект поставки -History In Company,"Если флажок установлен, все время не. рабочих дней будет включать в себя праздники, и это приведет к снижению стоимости Зарплата в день" -Hold,Дата установки не может быть до даты доставки для Пункт {0} -Holiday,Новый Серийный номер не может быть Склад. Склад должен быть установлен на фондовой Вступил или приобрести получении -Holiday List,Записи до {0} заморожены -Holiday List Name,Подписка на Delivery Note против любого проекта -Holiday master.,Спартанский -Holidays,Дата выставления счета -Home,Владелец -Host,Подоходный налог -"Host, Email and Password required if emails are to be pulled",Финансовый год Дата окончания -Hour,Оценочные голов -Hour Rate,Оценить -Hour Rate Labour,Выделенные Бюджет -Hours,Клиренс Дата -How Pricing Rule is applied?,BOM Операция -How frequently?,КУА срок действия -"How should this currency be formatted? If not set, will use system defaults",Добавить серийный номер -Human Resources,Статус обновлен до {0} -Identification of the package for the delivery (for print),Пункт мудрый Прайс-лист Оценить -If Income or Expense,Тип контакта -If Monthly Budget Exceeded,"Пожалуйста, проверьте ""Есть Advance"" против Счет {0}, если это заранее запись." -"If Sale BOM is defined, the actual BOM of the Pack is displayed as table. Available in Delivery Note and Sales Order",Изменить порядок Уровень -"If Supplier Part Number exists for given Item, it gets stored here",Время монтажа -If Yearly Budget Exceeded,Доставка Примечание необходимое -"If checked, BOM for sub-assembly items will be considered for getting raw materials. Otherwise, all sub-assembly items will be treated as a raw material.","Пожалуйста, введите действительный Компания Email" -"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Выберите ""Да"" для суб - заражения предметы" -"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount","Скачать шаблон, заполнить соответствующие данные и приложить измененный файл. \ NВсе дату и сочетание работник в выбранный период придет в шаблоне, с существующими рекорды посещаемости" -If different than customer address,Постоянный адрес -"If disable, 'Rounded Total' field will not be visible in any transaction",Вид занятости -"If enabled, the system will post accounting entries for inventory automatically.","Законопроекты, поднятые поставщиков." -If more than one package of the same type (for print),Фармацевтический -"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.",Просмотр изображения -"If no change in either Quantity or Valuation Rate, leave the cell blank.",Территория Имя -If not applicable please enter: NA,Ряд # {0}: Заказал Количество может не менее минимального Кол порядка элемента (определяется в мастер пункт). -"If not checked, the list will have to be added to each Department where it has to be applied.",Родительский клиент Группа -"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.",Это Пакетная Время Лог был объявлен. -"If specified, send the newsletter using this email address","Акции записи существуют в отношении склада {0} не может повторно назначить или изменить ""Master Имя '" -"If the account is frozen, entries are allowed to restricted users.",Родитель Территория -"If this Account represents a Customer, Supplier or Employee, set it here.",Relation -"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.",Ссылка SQ -If you follow Quality Inspection. Enables Item QA Required and QA No in Purchase Receipt,"Листья должны быть выделены несколько 0,5" -If you have Sales Team and Sale Partners (Channel Partners) they can be tagged and maintain their contribution in the sales activity,Фактический Кол-во (в источнике / цели) -"If you have created a standard template in Purchase Taxes and Charges Master, select one and click on the button below.",Возвращаемое значение -"If you have created a standard template in Sales Taxes and Charges Master, select one and click on the button below.",Вычеты € -"If you have long print formats, this feature can be used to split the page to be printed on multiple pages with all headers and footers on each page",Поставщик аккаунт руководитель -If you involve in manufacturing activity. Enables Item 'Is Manufactured',"Пункт {0} не существует в системе, или истек" -Ignore,Адрес эл. почты -Ignore Pricing Rule,"Пожалуйста, создайте Клиента от свинца {0}" +Family Background,Семья Фон +Fax,Факс: +Features Setup,Особенности установки +Feed,Кормить +Feed Type,Тип подачи +Feedback,Обратная связь +Female,Жен +Fetch exploded BOM (including sub-assemblies),Fetch разобранном BOM (в том числе узлов) +"Field available in Delivery Note, Quotation, Sales Invoice, Sales Order","Поле доступно в накладной, цитаты, счет-фактура, заказ клиента" +Files Folder ID,Папка с файлами ID +Fill the form and save it,Заполните форму и сохранить его +Filter based on customer,Фильтр на основе клиента +Filter based on item,Фильтр на основе пункта +Financial / accounting year.,Финансовый / отчетного года. +Financial Analytics,Финансовая аналитика +Financial Services,Финансовые услуги +Financial Year End Date,Финансовый год Дата окончания +Financial Year Start Date,Финансовый год Дата начала +Finished Goods,Готовая продукция +First Name,Имя +First Responded On,Впервые Ответил на +Fiscal Year,Отчетный год +Fiscal Year Start Date and Fiscal Year End Date are already set in Fiscal Year {0},Финансовый год Дата начала и финансовый год Дата окончания уже установлены в финансовый год {0} +Fiscal Year Start Date and Fiscal Year End Date cannot be more than a year apart.,Финансовый год Дата начала и финансовый год Дата окончания не может быть больше года друг от друга. +Fiscal Year Start Date should not be greater than Fiscal Year End Date,"Финансовый год Дата начала не должен быть больше, чем финансовый год Дата окончания" +Fixed Asset,Исправлена активами +Fixed Assets,Капитальные активы +Follow via Email,Следуйте по электронной почте +"Following table will show values if items are sub - contracted. These values will be fetched from the master of ""Bill of Materials"" of sub - contracted items.","После таблицу покажет значения, если элементы являются суб - контракт. Эти значения будут получены от мастера ""Спецификация"" суб - контракт предметы." +Food,Еда +"Food, Beverage & Tobacco","Продукты питания, напитки и табак" +"For 'Sales BOM' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Sales BOM' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Для «Продажи спецификации"" предметов, склад, серийный номер и Batch Нет будут рассмотрены со стола 'упаковочный лист'. Если Склад и пакетная Нет являются одинаковыми для всех упаковочных деталей для любой пункта «Продажи спецификации"", эти значения могут быть введены в основной таблице Item, значения будут скопированы в ""список Упаковка» таблицы." +For Company,За компанию +For Employee,Требуются +For Employee Name,В поле Имя Сотрудника +For Price List,Для Прейскурантом +For Production,Для производства +For Reference Only.,Для справки. +For Sales Invoice,Для продаж счета-фактуры +For Server Side Print Formats,Для стороне сервера форматов печати +For Supplier,Для поставщиков +For Warehouse,Для Склад +For Warehouse is required before Submit,Для требуется Склад перед Отправить +"For e.g. 2012, 2012-13","Для, например 2012, 2012-13" +For reference,Для справки +For reference only.,Для справки только. +"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Для удобства клиентов, эти коды могут быть использованы в печатных форматов, таких как счета-фактуры и накладных" +Fraction,Доля +Fraction Units,Фракция Единицы +Freeze Stock Entries,Замораживание акций Записи +Freeze Stocks Older Than [Days],"Морозильники Акции старше, чем [дней]" +Freight and Forwarding Charges,Грузовые и экспедиторские Сборы +Friday,Пятница +From,От +From Bill of Materials,Из спецификации материалов +From Company,От компании +From Currency,Из валюты +From Currency and To Currency cannot be same,"Из валюты и В валюту не может быть таким же," +From Customer,От клиентов +From Customer Issue,Из выпуска Пользовательское +From Date,С Даты +From Date cannot be greater than To Date,"С даты не может быть больше, чем к дате" +From Date must be before To Date,"С даты должны быть, прежде чем к дате" +From Date should be within the Fiscal Year. Assuming From Date = {0},С даты должно быть в пределах финансового года. Предполагая С даты = {0} +From Delivery Note,Из накладной +From Employee,От работника +From Lead,От Ведущий +From Maintenance Schedule,С графиком технического обслуживания +From Material Request,Из материалов запрос +From Opportunity,Из возможностей +From Package No.,Из пакета № +From Purchase Order,От Заказа +From Purchase Receipt,От купли получении +From Quotation,Из цитаты +From Sales Order,От заказа клиента +From Supplier Quotation,От поставщика цитаты +From Time,От времени +From Value,От стоимости +From and To dates required,"От и До даты, необходимых" +From value must be less than to value in row {0},"От значение должно быть меньше, чем значение в строке {0}" +Frozen,замороженные +Frozen Accounts Modifier,Замороженные счета Модификатор +Fulfilled,выполненных +Full Name,Полное имя +Full-time,Полный рабочий день +Fully Billed,Полностью Объявленный +Fully Completed,Полностью завершен +Fully Delivered,Полностью Поставляются +Furniture and Fixture,Мебель и приспособления +Further accounts can be made under Groups but entries can be made against Ledger,"Дальнейшие счета могут быть сделаны в соответствии с группами, но записи могут быть сделаны против Леджер" +"Further accounts can be made under Groups, but entries can be made against Ledger","Дальнейшие счета могут быть сделаны в соответствии с группами, но Вы можете быть предъявлен Леджер" +Further nodes can be only created under 'Group' type nodes,Дальнейшие узлы могут быть созданы только под узлами типа «Группа» +GL Entry,GL Вступление +Gantt Chart,Диаграмма Ганта +Gantt chart of all tasks.,Диаграмма Ганта всех задач. +Gender,Пол +General,Основное +General Ledger,Бухгалтерская книга +Generate Description HTML,Генерация Описание HTML +Generate Material Requests (MRP) and Production Orders.,Создать запросы Материал (ППМ) и производственных заказов. +Generate Salary Slips,Создать зарплат Slips +Generate Schedule,Создать расписание +Generates HTML to include selected image in the description,Формирует HTML включить выбранное изображение в описании +Get Advances Paid,Получить авансы выданные +Get Advances Received,Получить авансы полученные +Get Current Stock,Получить Наличие на складе +Get Items,Получить товары +Get Items From Sales Orders,Получить элементов из заказов клиента +Get Items from BOM,Получить элементов из спецификации +Get Last Purchase Rate,Получить последнюю покупку Оценить +Get Outstanding Invoices,Получить неоплаченных счетов-фактур +Get Relevant Entries,Получить соответствующие записи +Get Sales Orders,Получить заказов клиента +Get Specification Details,Получить спецификации подробно +Get Stock and Rate,Получить складе и Оценить +Get Template,Получить шаблон +Get Terms and Conditions,Получить Правила и условия +Get Unreconciled Entries,Получить непримиримыми Записи +Get Weekly Off Dates,Получить Weekly Выкл Даты +"Get valuation rate and available stock at source/target warehouse on mentioned posting date-time. If serialized item, please press this button after entering serial nos.","Получить скорость оценки и доступных запасов на источник / целевой склад на упомянутой Дата публикации времени. Если по частям деталь, пожалуйста нажмите эту кнопку после ввода серийных NOS." +Global Defaults,Глобальные умолчанию +Global POS Setting {0} already created for company {1},Global Setting POS {0} уже создан для компании {1} +Global Settings,Общие настройки +"Go to the appropriate group (usually Application of Funds > Current Assets > Bank Accounts and create a new Account Ledger (by clicking on Add Child) of type ""Bank""","Перейти к соответствующей группе (обычно использования средств> оборотных средств> Банковские счета и создать новый лицевой счет (нажав на Добавить дочерний) типа ""банк""" +"Go to the appropriate group (usually Source of Funds > Current Liabilities > Taxes and Duties and create a new Account Ledger (by clicking on Add Child) of type ""Tax"" and do mention the Tax rate.","Перейти к соответствующей группе (обычно источником средств> Краткосрочные обязательства> налогам и сборам и создать новый аккаунт Леджер (нажав на Добавить дочерний) типа ""Налоговый"" и не говоря уже о налоговой ставки." +Goal,Цель +Goals,Цели +Goods received from Suppliers.,"Товары, полученные от поставщиков." +Google Drive,Google Drive +Google Drive Access Allowed,Разрешено Google Drive Доступ +Government,Правительство +Graduate,Выпускник +Grand Total,Общий итог +Grand Total (Company Currency),Общий итог (Компания Валюта) +"Grid ""","Сетка """ +Grocery,Продуктовый +Gross Margin %,Валовая маржа% +Gross Margin Value,Валовая маржа Значение +Gross Pay,Зарплата до вычетов +Gross Pay + Arrear Amount +Encashment Amount - Total Deduction,Валовой Платное + просроченной задолженности суммы + Инкассация Сумма - Всего Вычет +Gross Profit,Валовая прибыль +Gross Profit (%),Валовая прибыль (%) +Gross Weight,Вес брутто +Gross Weight UOM,Вес брутто Единица измерения +Group,Группа +Group by Account,Группа по Счет +Group by Voucher,Группа по ваучером +Group or Ledger,Группа или Леджер +Groups,Группы +HR Manager,Менеджер по подбору кадров +HR Settings,Настройки HR +HTML / Banner that will show on the top of product list.,HTML / Баннер который будет отображаться на верхней части списка товаров. +Half Day,Полдня +Half Yearly,Половина года +Half-yearly,Раз в полгода +Happy Birthday!,С Днем Рождения! +Hardware,Оборудование +Has Batch No,"Имеет, серия №" +Has Child Node,Имеет дочерний узел +Has Serial No,Имеет Серийный номер +Head of Marketing and Sales,Начальник отдела маркетинга и продаж +Header,Шапка +Health Care,Здравоохранение +Health Concerns,Проблемы Здоровья +Health Details,Подробности Здоровье +Held On,Состоявшемся +Help HTML,Помощь HTML +"Help: To link to another record in the system, use ""#Form/Note/[Note Name]"" as the Link URL. (don't use ""http://"")","Помощь: Чтобы связать с другой записью в системе, используйте ""# формуляр / Примечание / [Примечание Имя]"", как ссылка URL. (Не используйте ""http://"")" +"Here you can maintain family details like name and occupation of parent, spouse and children","Здесь Вы можете сохранить семейные подробности, как имя и оккупации родитель, супруг и детей" +"Here you can maintain height, weight, allergies, medical concerns etc","Здесь вы можете поддерживать рост, вес, аллергии, медицинские проблемы и т.д." +Hide Currency Symbol,Скрыть Символа Валюты +High,Высокая +History In Company,История В компании +Hold,Удержание +Holiday,Выходной +Holiday List,Список праздников +Holiday List Name,Имя Список праздников +Holiday master.,Мастер отдыха. +Holidays,Праздники +Home,Домашний +Host,Хост +"Host, Email and Password required if emails are to be pulled","Хост, E-mail и пароль требуется, если электронные письма потянуться" +Hour,Час +Hour Rate,Часовой разряд +Hour Rate Labour,Час Оценить труда +Hours,Часов +How Pricing Rule is applied?,Как Ценообразование Правило применяется? +How frequently?,Как часто? +"How should this currency be formatted? If not set, will use system defaults","Как это должно валюта быть отформатирован? Если не установлен, будет использовать системные значения по умолчанию" +Human Resources,Работа с персоналом +Identification of the package for the delivery (for print),Идентификация пакета на поставку (для печати) +If Income or Expense,Если доходов или расходов +If Monthly Budget Exceeded,Если Месячный бюджет Превышен +"If Sale BOM is defined, the actual BOM of the Pack is displayed as table. Available in Delivery Note and Sales Order","Если Продажа спецификации определяется, фактическое BOM стаи отображается в виде таблицы. Доступный в накладной и заказ клиента" +"If Supplier Part Number exists for given Item, it gets stored here","Если существует Количество Поставщик Часть для данного элемента, он получает хранится здесь" +If Yearly Budget Exceeded,Если Годовой бюджет превысили +"If checked, BOM for sub-assembly items will be considered for getting raw materials. Otherwise, all sub-assembly items will be treated as a raw material.","Если отмечено, спецификации для суб-монтажными деталями будут рассмотрены для получения сырья. В противном случае, все элементы В сборе будет рассматриваться в качестве сырья." +"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Если флажок установлен, все время не. рабочих дней будет включать в себя праздники, и это приведет к снижению стоимости Зарплата в день" +"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount","Если флажок установлен, сумма налога будет считаться уже включены в Печать Оценить / Количество печати" +If different than customer address,Если отличается от адреса клиента +"If disable, 'Rounded Total' field will not be visible in any transaction","Если отключить, 'закругленными Всего' поле не будет виден в любой сделке" +"If enabled, the system will post accounting entries for inventory automatically.","Если включен, то система будет отправлять бухгалтерских проводок для инвентаризации автоматически." +If more than one package of the same type (for print),Если более чем один пакет того же типа (для печати) +"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Если несколько правил ценообразования продолжают преобладать, пользователям предлагается установить приоритет вручную разрешить конфликт." +"If no change in either Quantity or Valuation Rate, leave the cell blank.","Если никаких изменений в любом количестве или оценочной Оценить, не оставляйте ячейку пустой." +If not applicable please enter: NA,Если не применяется введите: Н.А. +"If not checked, the list will have to be added to each Department where it has to be applied.","Если не установлен, то список нужно будет добавлен в каждом департаменте, где он должен быть применен." +"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 '." +"If specified, send the newsletter using this email address","Если указано, отправить бюллетень с помощью этого адреса электронной почты" +"If the account is frozen, entries are allowed to restricted users.","Если счет замораживается, записи разрешается ограниченных пользователей." +"If this Account represents a Customer, Supplier or Employee, set it here.","Если это счет представляет собой клиентов, поставщиков или работник, установите его здесь." +"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Если два или более Ценообразование Правила найдены на основе указанных выше условиях, приоритет применяется. Приоритет представляет собой число от 0 до 20 в то время как значение по умолчанию равно нулю (пусто). Большее число означает, что он будет иметь приоритет, если есть несколько правил ценообразования с одинаковых условиях." +If you follow Quality Inspection. Enables Item QA Required and QA No in Purchase Receipt,Если вы будете следовать осмотра качества. Разрешает Item требуется и QA QA Нет в ТОВАРНЫЙ ЧЕК +If you have Sales Team and Sale Partners (Channel Partners) they can be tagged and maintain their contribution in the sales activity,"Если у вас есть отдел продаж и продажа партнеры (Channel Partners), они могут быть помечены и поддерживать их вклад в сбытовой деятельности" +"If you have created a standard template in Purchase Taxes and Charges Master, select one and click on the button below.","Если вы создали стандартный шаблон в Покупка налогам и сборам Master, выберите один и нажмите на кнопку ниже." +"If you have created a standard template in Sales Taxes and Charges Master, select one and click on the button below.","Если вы создали стандартный шаблон в продажах налогам и сборам Master, выберите один и нажмите на кнопку ниже." +"If you have long print formats, this feature can be used to split the page to be printed on multiple pages with all headers and footers on each page","Если у вас длинные форматы печати, эта функция может быть использована для разрезки страницу, которая будет напечатана на нескольких страниц со всеми верхние и нижние колонтитулы на каждой странице" +If you involve in manufacturing activity. Enables Item 'Is Manufactured',Если вы привлечь в производственной деятельности. Включает элемент 'производится' +Ignore,Игнорировать +Ignore Pricing Rule,Игнорировать Цены Правило Ignored: , -Image,Существует не хватает отпуск баланс для отпуске Тип {0} -Image View,Заказ на продажу Нет -Implementation Partner,Почтовые расходы -Import Attendance,Мастер Имя -Import Failed!,"Пожалуйста, введите заказ клиента в таблице выше" -Import Log,Новые билеты Поддержка -Import Successful!,Тип Поставщик / Поставщик -Imports,Срок поставки -In Hours,Настройки для модуля HR -In Process,Утверждаю -In Qty,"Скорость, с которой Заказчик валют преобразуется в базовой валюте клиента" -In Value,"Дата, в которую грузовик начал с поставщиком склад" -In Words,По умолчанию Территория -In Words (Company Currency),Склад требуется для складе Пункт {0} -In Words (Export) will be visible once you save the Delivery Note.,Пункт {0} с серийным № уже установлена ​​{1} -In Words will be visible once you save the Delivery Note.,"Настройки для извлечения Работа Кандидаты от почтового ящика, например ""jobs@example.com""" -In Words will be visible once you save the Purchase Invoice.,Потребительские товары -In Words will be visible once you save the Purchase Order.,Сезонность для установления бюджетов. -In Words will be visible once you save the Purchase Receipt.,"Не найдено ни Поставщик счета. Поставщик счета определяются на основе стоимости ""Мастер Type 'в счет записи." -In Words will be visible once you save the Quotation.,Является субподряду -In Words will be visible once you save the Sales Invoice.,"Заказал Количество: Количество заказал для покупки, но не получил." -In Words will be visible once you save the Sales Order.,Аккаунт -Incentives,Получить товары -Include Reconciled Entries,Всего очков -Include holidays in Total no. of Working Days,"Неверный Сервер Почта. Пожалуйста, исправить и попробовать еще раз." -Income,Покупка Скидки -Income / Expense,Парти -Income Account,Причина потери -Income Booked,Разрешить Ведомость материалов -Income Tax,Гарантия / АМК Статус -Income Year to Date,"Дата, в которую грузовик начал с вашего склада" -Income booked for the digest period,"Если у вас длинные форматы печати, эта функция может быть использована для разрезки страницу, которая будет напечатана на нескольких страниц со всеми верхние и нижние колонтитулы на каждой странице" -Incoming,кол-во -Incoming Rate,Предмет цены -Incoming quality inspection.,Есть ли действительно хотите откупоривать производственный заказ: -Incorrect or Inactive BOM {0} for Item {1} at row {2},Общая стоимость -Indicates that the package is a part of this delivery (Only Draft),"Баланс счета уже в кредит, вы не можете установить ""баланс должен быть 'как' Debit '" -Indirect Expenses,Будет обновляться при счет. -Indirect Income,Блог абонента -Individual,Описание -Industry,Поставщик Счет Нет -Industry Type,"Невозможно установить, как Остаться в живых, как заказ клиента производится." -Inspected By,"Чтобы не применяются Цены правило в конкретной сделки, все применимые правила ценообразования должны быть отключены." -Inspection Criteria,Семья Фон -Inspection Required,Выделять -Inspection Type,"Нет Производственные заказы, созданные" -Installation Date,Посетите отчет за призыв обслуживания. -Installation Note,Локальные -Installation Note Item,Email Дайджест Настройки -Installation Note {0} has already been submitted,· Отметки о доставке -Installation Status,Работа продолжается -Installation Time,Нет товара со штрих-кодом {0} -Installation date cannot be before delivery date for Item {0},Имя страницы -Installation record for a Serial No.,Уровень запасов -Installed Qty,Установить префикс для нумерации серии на ваших сделок -Instructions,Банк: -Integrate incoming support emails to Support Ticket,Последний Покупка Оценить -Interested,Резерв на более-доставки / над-биллинга скрещенными за Пункт {0}. -Intern,"Суб-валюты. Для например ""Цент """ -Internal,Целевая Кол-во -Internet Publishing,Другое -Introduction,Подробности по трудоустройству -Invalid Barcode or Serial No,Кредитные дней -Invalid Mail Server. Please rectify and try again.,Отменить Материал Посетить {0} до отмены этого вопроса клиентов -Invalid Master Name,Дата закрытия -Invalid User Name or Support Password. Please rectify and try again.,Скачать шаблон -Invalid quantity specified for item {0}. Quantity should be greater than 0.,Ценные бумаги и депозиты -Inventory,Bank A / С № -Inventory & Support,Бюджет -Investment Banking,Заказчик / Ведущий Адрес -Investments,По умолчанию денежного счета -Invoice Date,Счет Продажи {0} уже представлен -Invoice Details,"Показать ""На складе"" или ""нет на складе"", основанный на складе имеющейся в этом складе." -Invoice No,Косвенные расходы -Invoice Period From Date,"'Notification Адреса электронной почты', не предназначенных для повторяющихся счет" -Invoice Period From and Invoice Period To dates mandatory for recurring invoice,Запрашиваемая Для -Invoice Period To Date,Следующая Контактные По -Invoiced Amount (Exculsive Tax),Поставщик цитаты -Is Active,Все Связаться -Is Advance,Счет Наличный / Банк -Is Cancelled,Извлечь почты -Is Carry Forward,По умолчанию Счет в банке / Наличные будут автоматически обновляться в POS фактуре когда выбран этот режим. -Is Default,Регистр -Is Encash,Мобильная Нет -Is Fixed Asset Item,Упаковочный лист товары -Is LWP,Сотрудник внутреннего Работа История -Is Opening,Верхний Доход -Is Opening Entry,"День (дни), на котором вы подаете заявление на отпуск, отпуск. Вам не нужно обратиться за разрешением." -Is POS,"Пример:. ABCD # # # # # \ nЕсли серии установлен и Серийный номер не упоминается в сделках, то автоматическая серийный номер будет создана на основе этой серии. Если вы всегда хотите явно упомянуть серийный Нос для этого элемента. оставьте поле пустым." -Is Primary Contact,Команда1 продаж -Is Purchase Item,"Бюджет, выделенный" -Is Sales Item,Производство / Repack -Is Service Item,Имя -Is Stock Item,МВЗ с существующими сделок не могут быть преобразованы в группе -Is Sub Contracted Item,Списание на основе -Is Subcontracted,"Только Оставьте приложений с статуса ""Одобрено"" могут быть представлены" -Is this Tax included in Basic Rate?,сайт ссылку -Issue,Материал Запрос {0} отменяется или остановлен -Issue Date,Добавить / Удалить получателей -Issue Details,Родитель партия Тип -Issued Items Against Production Order,Бухгалтерская книга -It can also be used to create opening stock entries and to fix stock value.,"Скорость, с которой Прайс-лист валюта конвертируется в базовую валюту компании" -Item,Список праздников -Item Advanced,"Из валюты и В валюту не может быть таким же," -Item Barcode,На основе -Item Batch Nos,"Проверьте это, если вы хотите показать в веб-сайт" -Item Code,"Пожалуйста, не создавайте аккаунт (бухгалтерские книги) для заказчиков и поставщиков. Они создаются непосредственно от клиентов / поставщиков мастеров." -Item Code > Item Group > Brand,Объявленный Amt -Item Code and Warehouse should already exist.,Имеет дочерний узел -Item Code cannot be changed for Serial No.,Мастер Пункт. -Item Code is mandatory because Item is not automatically numbered,Счет {0} не может быть группа -Item Code required at Row No {0},Доставлено -Item Customer Detail,Чистая Всего (Компания Валюта) -Item Description,Установленная Кол-во -Item Desription,Применимо Список праздников -Item Details,Кол-во -Item Group,Клиентам Заказ Нет -Item Group Name,Ошибка: {0}> {1} -Item Group Tree,"Пожалуйста, введите Дебиторская задолженность / кредиторская задолженность группы в мастера компании" -Item Group not mentioned in item master for item {0},Максимально допустимое кредит {0} дней после размещения дату -Item Groups in Details,Имя поля -Item Image (if not slideshow),Праздники -Item Name,Логотип и бланки -Item Naming By,Скачать приведению данных -Item Price,Как часто? -Item Prices,Холодная Вызов -Item Quality Inspection Parameter,Защищены Кол-во -Item Reorder,Цитата Пункт -Item Serial No,Минимальный заказ Кол-во -Item Serial Nos,Корневая учетная запись не может быть удалена -Item Shortage Report,Основная информация -Item Supplier,Авиационно-космический -Item Supplier Details,Дерево Тип -Item Tax,"Вы не авторизованы, чтобы установить Frozen значение" -Item Tax Amount,"Виды занятости (постоянная, контракт, стажер и т.д.)." -Item Tax Rate,Чтобы включить Точки продаж особенности -Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Да -Item Tax1,Пункт: {0} не найден в системе -Item To Manufacture,Настройки SMS -Item UOM,Дата публикации -Item Website Specification,Единицы измерений -Item Website Specifications,Открытие Значение -Item Wise Tax Detail,Контроль Уведомление +Image,Изображение +Image View,Просмотр изображения +Implementation Partner,Реализация Партнер +Import Attendance,Импорт Посещаемость +Import Failed!,Импорт удалось! +Import Log,Импорт Вход +Import Successful!,Импорт успешным! +Imports,Импорт +In Hours,В часы +In Process,В процессе +In Qty,В Кол-во +In Value,В поле Значение +In Words,Прописью +In Words (Company Currency),В Слов (Компания валюте) +In Words (Export) will be visible once you save the Delivery Note.,В Слов (Экспорт) будут видны только вы сохраните накладной. +In Words will be visible once you save the Delivery Note.,По словам будет виден только вы сохраните накладной. +In Words will be visible once you save the Purchase Invoice.,По словам будет виден только вы сохраните счета покупки. +In Words will be visible once you save the Purchase Order.,По словам будет виден только вы сохраните заказ на поставку. +In Words will be visible once you save the Purchase Receipt.,По словам будет виден только вы сохраните ТОВАРНЫЙ ЧЕК. +In Words will be visible once you save the Quotation.,По словам будет виден только вы сохраните цитаты. +In Words will be visible once you save the Sales Invoice.,По словам будет виден только вы сохраните Расходная накладная. +In Words will be visible once you save the Sales Order.,По словам будет виден только вы сохраните заказ клиента. +Incentives,Стимулы +Include Reconciled Entries,Включите примириться Записи +Include holidays in Total no. of Working Days,Включите праздники в общей сложности не. рабочих дней +Income,Доход +Income / Expense,Доходы / расходы +Income Account,Счет Доходы +Income Booked,Доход Заказанный +Income Tax,Подоходный налог +Income Year to Date,Доход С начала года +Income booked for the digest period,Доход заказали за период дайджест +Incoming,Входящий +Incoming Rate,Входящий Оценить +Incoming quality inspection.,Входной контроль качества. +Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,"Неверное количество Главная книга найдено. Вы, возможно, выбран неправильный счет в сделке." +Incorrect or Inactive BOM {0} for Item {1} at row {2},Неправильное или Неактивный BOM {0} для Пункт {1} в строке {2} +Indicates that the package is a part of this delivery (Only Draft),"Указывает, что пакет является частью этой поставки (только проект)" +Indirect Expenses,Косвенные расходы +Indirect Income,Косвенная прибыль +Individual,Индивидуальная +Industry,Промышленность +Industry Type,Промышленность Тип +Inspected By,Проверено +Inspection Criteria,Осмотр Критерии +Inspection Required,Инспекция Обязательные +Inspection Type,Инспекция Тип +Installation Date,Дата установки +Installation Note,Установка Примечание +Installation Note Item,Установка Примечание Пункт +Installation Note {0} has already been submitted,Установка Примечание {0} уже представлен +Installation Status,Состояние установки +Installation Time,Время монтажа +Installation date cannot be before delivery date for Item {0},Дата установки не может быть до даты доставки для Пункт {0} +Installation record for a Serial No.,Установка рекорд для серийный номер +Installed Qty,Установленная Кол-во +Instructions,Инструкции +Integrate incoming support emails to Support Ticket,Интеграция входящих поддержки письма на техподдержки +Interested,Заинтересованный +Intern,Стажер +Internal,Внутренний GPS без антенны или с внешней антенной +Internet Publishing,Интернет издания +Introduction,Введение +Invalid Barcode,Неверный код +Invalid Barcode or Serial No,Неверный код или Серийный номер +Invalid Mail Server. Please rectify and try again.,"Неверный Сервер Почта. Пожалуйста, исправить и попробовать еще раз." +Invalid Master Name,Неверный Мастер Имя +Invalid User Name or Support Password. Please rectify and try again.,"Неверное имя пользователя или поддержки Пароль. Пожалуйста, исправить и попробовать еще раз." +Invalid quantity specified for item {0}. Quantity should be greater than 0.,"Неверный количество, указанное для элемента {0}. Количество должно быть больше 0." +Inventory,Инвентаризация +Inventory & Support,Инвентаризация и поддержка +Investment Banking,Инвестиционно-банковская деятельность +Investments,Инвестиции +Invoice Date,Дата выставления счета +Invoice Details,Счет-фактура Подробнее +Invoice No,Счет-фактура Нет +Invoice Number,Номер накладной +Invoice Period From,Счет Период С +Invoice Period From and Invoice Period To dates mandatory for recurring invoice,Счет Период С и счет-фактура Период до даты обязательных для повторяющихся счет +Invoice Period To,Счет Период до +Invoice Type,Счет Тип +Invoice/Journal Voucher Details,Счет / Журнал Подробности Ваучер +Invoiced Amount (Exculsive Tax),Сумма по счетам (Exculsive стоимость) +Is Active,Активен +Is Advance,Является Advance +Is Cancelled,Является Отмененные +Is Carry Forward,Является ли переносить +Is Default,Является умолчанию +Is Encash,Является Обналичивание +Is Fixed Asset Item,Является основного средства дня Пункт +Is LWP,Является LWP +Is Opening,Открывает +Is Opening Entry,Открывает запись +Is POS,Является POS +Is Primary Contact,Является Основной контакт +Is Purchase Item,Является Покупка товара +Is Sales Item,Является продаж товара +Is Service Item,Является Service Элемент +Is Stock Item,Является фонда Пункт +Is Sub Contracted Item,Подразделяется по контракту дня Пункт +Is Subcontracted,Является субподряду +Is this Tax included in Basic Rate?,Этот налог Входит ли в базовой ставки? +Issue,Проблема +Issue Date,Дата выдачи +Issue Details,Подробности выпуск +Issued Items Against Production Order,Выпущенные товары против производственного заказа +It can also be used to create opening stock entries and to fix stock value.,Он также может быть использован для создания начальный запас записи и исправить стоимость акций. +Item,Элемент +Item Advanced,Пункт Расширенный +Item Barcode,Пункт Штрих +Item Batch Nos,Пункт Пакетное Нос +Item Code,Код элемента +Item Code > Item Group > Brand,Код товара> Товар Группа> Бренд +Item Code and Warehouse should already exist.,"Код товара и Склад, должна уже существовать." +Item Code cannot be changed for Serial No.,Код товара не может быть изменен для серийный номер +Item Code is mandatory because Item is not automatically numbered,"Код товара является обязательным, поскольку Деталь не автоматически нумеруются" +Item Code required at Row No {0},Код товара требуется на Row Нет {0} +Item Customer Detail,Пункт Детальное клиентов +Item Description,Описание позиции +Item Desription,Пункт Desription +Item Details,Детальная информация о товаре +Item Group,Пункт Группа +Item Group Name,Пункт Название группы +Item Group Tree,Пункт Group Tree +Item Group not mentioned in item master for item {0},Пункт Группа не упоминается в мастера пункт по пункту {0} +Item Groups in Details,Группы товаров в деталях +Item Image (if not slideshow),Пункт изображения (если не слайд-шоу) +Item Name,Название элемента +Item Naming By,Пункт Именование По +Item Price,Пункт Цена +Item Prices,Предмет цены +Item Quality Inspection Parameter,Пункт Контроль качества Параметр +Item Reorder,Пункт Переупоряд +Item Serial No,Пункт Серийный номер +Item Serial Nos,Пункт Серийный Нос +Item Shortage Report,Пункт Нехватка Сообщить +Item Supplier,Пункт Поставщик +Item Supplier Details,Пункт Подробная информация о поставщике +Item Tax,Пункт Налоговый +Item Tax Amount,Пункт Сумма налога +Item Tax Rate,Пункт Налоговая ставка +Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Пункт Налоговый ряд {0} должен иметь учетную запись типа налога или доходов или расходов или платная +Item Tax1,Пункт НАЛ1 +Item To Manufacture,Элемент Производство +Item UOM,Пункт Единица измерения +Item Website Specification,Пункт Сайт Спецификация +Item Website Specifications,Пункт сайта Технические +Item Wise Tax Detail,Пункт Мудрый Налоговый Подробно Item Wise Tax Detail , -Item is required,Склад {0} не принадлежит компания {1} -Item is updated,Техническое обслуживание Время -Item master.,"Пожалуйста, нажмите на кнопку ""Generate Расписание"", чтобы принести Серийный номер добавлен для Пункт {0}" -"Item must be a purchase item, as it is present in one or many Active BOMs",Произвести оплату запись -Item or Warehouse for row {0} does not match Material Request,Разрешить следующие пользователи утвердить Leave приложений для блочных дней. -Item table can not be blank,Пользователь -Item to be manufactured or repacked,Сюжет -Item valuation updated,"Нажмите на кнопку ""Создать Расходная накладная», чтобы создать новый счет-фактуру." -Item will be saved by this name in the data base.,Оставьте Инкассация Количество -Item {0} appears multiple times in Price List {1},"Материал Запросы, для которых Поставщик Котировки не создаются" -Item {0} does not exist,Фактический Дата окончания -Item {0} does not exist in the system or has expired,Сделать ТОВАРНЫЙ ЧЕК -Item {0} does not exist in {1} {2},Для справки. -Item {0} has already been returned,Рассылка новостей -Item {0} has been entered multiple times against same operation,Никогда -Item {0} has been entered multiple times with same description or date,Задачи -Item {0} has been entered multiple times with same description or date or warehouse,Фактор Единица измерения преобразования требуется в строке {0} -Item {0} has been entered twice,От заказа клиента -Item {0} has reached its end of life on {1},Разрешение -Item {0} ignored since it is not a stock item,"Код товара и Склад, должна уже существовать." -Item {0} is cancelled,Расходы забронированы на период дайджест -Item {0} is not Purchase Item,Полк -Item {0} is not a serialized Item,Статические параметры -Item {0} is not a stock Item,Зарплата компоненты. -Item {0} is not active or end of life has been reached,Были ошибки. -Item {0} is not setup for Serial Nos. Check Item master,Город -Item {0} is not setup for Serial Nos. Column must be blank,Тип -Item {0} must be Sales Item,Приобретение и лояльности клиентов -Item {0} must be Sales or Service Item in {1},Пункт {0} был введен в два раза -Item {0} must be Service Item,Разрешить пользователям -Item {0} must be a Purchase Item,% При поставке -Item {0} must be a Sales Item,Имя Контакта -Item {0} must be a Service Item.,Непроизводительные затраты -Item {0} must be a Sub-contracted Item,Упаковочный лист (ы) отменяется -Item {0} must be a stock Item,Все продукты или услуги. -Item {0} must be manufactured or sub-contracted,"Пожалуйста, введите валюту по умолчанию в компании Master" -Item {0} not found,Уровень изменить порядок -Item {0} with Serial No {1} is already installed,Обновить -Item {0} with same description entered twice,Выпуск клиентов против серийный номер -"Item, Warranty, AMC (Annual Maintenance Contract) details will be automatically fetched when Serial Number is selected.","Бюллетени не допускается, за Trial пользователей" -Item-wise Price List Rate,Акционеры фонды -Item-wise Purchase History,Тип доставки документов -Item-wise Purchase Register,Нет скольжения зарплата нашли за месяц: -Item-wise Sales History,Поддержка Настройки электронной почты -Item-wise Sales Register,Комментарий +Item is required,Пункт требуется +Item is updated,Пункт обновляется +Item master.,Мастер Пункт. +"Item must be a purchase item, as it is present in one or many Active BOMs","Деталь должен быть пункт покупки, так как он присутствует в одном или нескольких активных спецификаций" +Item or Warehouse for row {0} does not match Material Request,Пункт или Склад для строки {0} не соответствует запросу материал +Item table can not be blank,Пункт таблице не может быть пустым +Item to be manufactured or repacked,Пункт должен быть изготовлен или перепакован +Item valuation updated,Пункт оценка обновляются +Item will be saved by this name in the data base.,Пункт будет сохранен под этим именем в базе данных. +Item {0} appears multiple times in Price List {1},Пункт {0} несколько раз появляется в прайс-лист {1} +Item {0} does not exist,Пункт {0} не существует +Item {0} does not exist in the system or has expired,"Пункт {0} не существует в системе, или истек" +Item {0} does not exist in {1} {2},Пункт {0} не существует в {1} {2} +Item {0} has already been returned,Пункт {0} уже вернулся +Item {0} has been entered multiple times against same operation,Пункт {0} был введен несколько раз по сравнению с аналогичным работы +Item {0} has been entered multiple times with same description or date,Пункт {0} был введен несколько раз с таким же описанием или по дате +Item {0} has been entered multiple times with same description or date or warehouse,Пункт {0} был введен несколько раз с таким же описанием или по дате или склад +Item {0} has been entered twice,Пункт {0} был введен в два раза +Item {0} has reached its end of life on {1},Пункт {0} достигла своей жизни на {1} +Item {0} ignored since it is not a stock item,"Пункт {0} игнорируется, так как это не складские позиции" +Item {0} is cancelled,Пункт {0} отменяется +Item {0} is not Purchase Item,Пункт {0} не Приобретите товар +Item {0} is not a serialized Item,Пункт {0} не сериализованным Пункт +Item {0} is not a stock Item,Пункт {0} не является акционерным Пункт +Item {0} is not active or end of life has been reached,Пункт {0} не является активным или конец жизни был достигнут +Item {0} is not setup for Serial Nos. Check Item master,Пункт {0} не установка для мастера серийные номера Проверить товара +Item {0} is not setup for Serial Nos. Column must be blank,Пункт {0} не установка для серийные номера колонке должно быть пустым +Item {0} must be Sales Item,Пункт {0} должно быть продажи товара +Item {0} must be Sales or Service Item in {1},Пункт {0} должно быть продажи или в пункте СЕРВИС {1} +Item {0} must be Service Item,Пункт {0} должно быть Service Элемент +Item {0} must be a Purchase Item,Пункт {0} должен быть Покупка товара +Item {0} must be a Sales Item,Пункт {0} должен быть Продажи товара +Item {0} must be a Service Item.,Пункт {0} должен быть Service Элемент. +Item {0} must be a Sub-contracted Item,Пункт {0} должен быть Субдоговорная Пункт +Item {0} must be a stock Item,Пункт {0} должен быть запас товара +Item {0} must be manufactured or sub-contracted,Пункт {0} должен быть изготовлен или субподрядчиков +Item {0} not found,Пункт {0} не найден +Item {0} with Serial No {1} is already installed,Пункт {0} с серийным № уже установлена {1} +Item {0} with same description entered twice,Пункт {0} с таким же описанием введен дважды +"Item, Warranty, AMC (Annual Maintenance Contract) details will be automatically fetched when Serial Number is selected.","Пункт, Гарантия, AMC (Ежегодное обслуживание контракта) подробная информация будет автоматически извлекаются при выборе Серийный номер." +Item-wise Price List Rate,Пункт мудрый Прайс-лист Оценить +Item-wise Purchase History,Пункт мудрый История покупок +Item-wise Purchase Register,Пункт мудрый Покупка Зарегистрироваться +Item-wise Sales History,Пункт мудрый История продаж +Item-wise Sales Register,Пункт мудрый Продажи Зарегистрироваться "Item: {0} managed batch-wise, can not be reconciled using \ - Stock Reconciliation, instead use Stock Entry",Дата выдачи -Item: {0} not found in the system,Разрешить Dropbox Access -Items,Утверждении Роль -Items To Be Requested,Настройка Уже завершена!! -Items required,Бренды -"Items to be requested which are ""Out of Stock"" considering all warehouses based on projected qty and minimum order qty",Спецификации -Items which do not exist in Item master can also be entered on customer's request,Новые заказы на продажу -Itemwise Discount,Производственный заказ {0} должны быть представлены -Itemwise Recommended Reorder Level,Экстренная связь -Job Applicant,Счет Период С и счет-фактура Период до даты обязательных для повторяющихся счет -Job Opening,Заработок & Вычет -Job Profile,Заказ на продажу {0} остановлен -Job Title,Всего Вычет -"Job profile, qualifications required etc.",ТАК В ожидании Кол-во -Jobs Email Settings,Задача -Journal Entries,От Ведущий -Journal Entry,"Оставьте пустым, если считать для всех отраслей" -Journal Voucher,Contra Ваучер -Journal Voucher Detail,Рассматривается как баланс открытия -Journal Voucher Detail No,Отклонен Склад -Journal Voucher {0} does not have account {1} or already matched,Тип подачи -Journal Vouchers {0} are un-linked,Средний возраст -Keep a track of communication related to this enquiry which will help for future reference.,Бренд мастер. -Keep it web friendly 900px (w) by 100px (h),Рассматривается как начальное сальдо -Key Performance Area,Пункт {0} должен быть Субдоговорная Пункт -Key Responsibility Area,Будьте в курсе -Kg,"Получить скорость оценки и доступных запасов на источник / целевой склад на упомянутой Дата публикации времени. Если по частям деталь, пожалуйста нажмите эту кнопку после ввода серийных NOS." -LR Date,Расписание Подробнее -LR No,Настройка сервера входящей для поддержки электронный идентификатор. (Например support@example.com) -Label,Склад {0} не может быть удален как существует количество для Пункт {1} -Landed Cost Item,Электрический -Landed Cost Items,Сегмент рынка -Landed Cost Purchase Receipt,Настройки по умолчанию для покупки сделок. -Landed Cost Purchase Receipts,"Сырье не может быть такой же, как главный пункт" -Landed Cost Wizard,Фото со UOM -Landed Cost updated successfully,Оценить материалов на основе -Language,Счет для склада (непрерывной инвентаризации) будут созданы под этой учетной записью. -Last Name,Всего комиссия -Last Purchase Rate,Средним уровнем доходов -Latest,Подтвердить -Lead,Продажи Заказать Тенденции -Lead Details,Дневной Резюме Время Лог -Lead Id,От поставщика цитаты -Lead Name,Шаблоны Страна мудрый адрес по умолчанию -Lead Owner,Дата -Lead Source,Акции Настройки -Lead Status,Сотрудник {0} не активен или не существует -Lead Time Date,Способ платежа -Lead Time Days,Поражений -Lead Time days is number of days by which this item is expected in your warehouse. This days is fetched in Material Request when you select this item.,Просроченной задолженности Сумма -Lead Type,Код -Lead must be set if Opportunity is made from Lead,Лицо Родительские продаж -Leave Allocation,Расходов претензии Утверждено -Leave Allocation Tool,"Пожалуйста, введите детали деталя" -Leave Application,Имя заявителя -Leave Approver,Счет Продажи Нет -Leave Approvers,Списание МВЗ -Leave Balance Before Application,Научный сотрудник -Leave Block List,Ваш финансовый год начинается -Leave Block List Allow,Скидка (%) -Leave Block List Allowed,Мастер установки -Leave Block List Date,"Мастер Имя является обязательным, если тип счета Склад" -Leave Block List Dates,Минут -Leave Block List Name,Если отличается от адреса клиента -Leave Blocked,Единица измерения {0} был введен более чем один раз в таблицу преобразования Factor -Leave Control Panel,Новые снабжении -Leave Encashed?,Грузовые и экспедиторские Сборы -Leave Encashment Amount,Налоговые и иные отчисления заработной платы. -Leave Type,Действует с -Leave Type Name,Финансовая аналитика -Leave Without Pay,Кампания Именование По -Leave application has been approved.,Unstop Материал Запрос -Leave application has been rejected.,От клиентов -Leave approver must be one of {0},Изменено количество -Leave blank if considered for all branches,Цитата {0} отменяется -Leave blank if considered for all departments,Планируемые Кол-во -Leave blank if considered for all designations,"например ""MC """ -Leave blank if considered for all employee types,"Пожалуйста, добавьте расходов Детали ваучеров" -"Leave can be approved by users with Role, ""Leave Approver""","Пожалуйста, установите свой план счетов, прежде чем начать бухгалтерских проводок" -Leave of type {0} cannot be longer than {1},Серия является обязательным -Leaves Allocated Successfully for {0},Выберите вашу страну и проверьте часовой пояс и валюту. -Leaves for type {0} already allocated for Employee {1} for Fiscal Year {0},Обратная связь с клиентами -Leaves must be allocated in multiples of 0.5,Дата подтверждения -Ledger,Является LWP -Ledgers,Примечание: Пункт {0} вошли несколько раз -Left,Настройки HR -Legal,Пункт обновляется -Legal Expenses,По умолчанию Банковский счет -Letter Head,Получить Правила и условия -Letter Heads for print templates.,Дата просвет не может быть до даты регистрации в строке {0} -Level,Материал Запрос товара -Lft,BOM номер для готового изделия Пункт -Liability,Оставьте утверждающего -List a few of your customers. They could be organizations or individuals.,Создание правил для ограничения операций на основе значений. -List a few of your suppliers. They could be organizations or individuals.,Оставьте Блок-лист Дата -List items that form the package.,Кампания -List this Item in multiple groups on the website.,"Пожалуйста, введите Запланированное Количество по пункту {0} в строке {1}" -"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 your tax heads (e.g. VAT, Excise; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.",Оценка (0-5) -Loading...,Пользователи с этой ролью могут создавать / изменять записи бухгалтерского учета перед замороженной даты -Loans (Liabilities),"Пожалуйста, введите МВЗ" -Loans and Advances (Assets),Упаковочный лист -Local,Посадка Статьи затрат -Login,Отсутствует валютный курс для {0} -Login with your new User ID,Возможность Тип -Logo,Настройки компании -Logo and Letter Heads,Стандартные условия договора для продажи или покупки. -Lost,Получить авансы полученные -Lost Reason,Дата оплаты -Low,Музыка -Lower Income,Проекты -MTN Details,Фактически -Main,"Покупка порядке, предусмотренном" -Main Reports,Автомобиль Отправка Дата -Maintain Same Rate Throughout Sales Cycle,Кредиты (обязательства) -Maintain same rate throughout purchase cycle,Логика включения по дате -Maintenance,Добавить -Maintenance Date,Прайс-лист не выбран -Maintenance Details,Название валюты -Maintenance Schedule,Выберите финансовый год ... -Maintenance Schedule Detail,Статус Биллинг -Maintenance Schedule Item,Отрицательный Количество не допускается -Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',"Цены Правило сначала выбирается на основе ""Применить На"" поле, которое может быть Пункт, Пункт Группа или Марка." -Maintenance Schedule {0} exists against {0},Склад может быть изменен только с помощью со входа / накладной / Покупка получении -Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Принято Количество -Maintenance Schedules,Полученные товары быть выставлен счет -Maintenance Status,Обновление просвет Дата -Maintenance Time,Оплата период на основе Накладная Дата -Maintenance Type,Расходов претензии -Maintenance Visit,Дата публикации и размещения время является обязательным -Maintenance Visit Purpose,LR Дата -Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Всего Сумма по счетам -Maintenance start date can not be before delivery date for Serial No {0},"E-mail Id, где соискатель вышлем например ""jobs@example.com""" -Major/Optional Subjects,Запись в дневнике + Stock Reconciliation, instead use Stock Entry","Пункт: {0} удалось порционно, не могут быть согласованы с помощью \ + со примирению, а не использовать складе запись" +Item: {0} not found in the system,Пункт: {0} не найден в системе +Items,Элементы +Items To Be Requested,"Предметы, будет предложено" +Items required,"Элементы, необходимые" +"Items to be requested which are ""Out of Stock"" considering all warehouses based on projected qty and minimum order qty","Пункты, запрашиваемые которые ""Нет на месте"" с учетом всех складов на основе прогнозируемого Кол-во и Минимальное количество заказа" +Items which do not exist in Item master can also be entered on customer's request,"Предметы, которые не существуют в мастера товар, также может быть введен по требованию заказчика" +Itemwise Discount,Itemwise Скидка +Itemwise Recommended Reorder Level,Itemwise Рекомендуем изменить порядок Уровень +Job Applicant,Соискатель работы +Job Opening,Работа Открытие +Job Profile,Профиль работы +Job Title,Должность +"Job profile, qualifications required etc.","Профиль работы, квалификация, необходимые т.д." +Jobs Email Settings,Настройки Вакансии Email +Journal Entries,Записи в журнале +Journal Entry,Запись в дневнике +Journal Voucher,Журнал Ваучер +Journal Voucher Detail,Журнал Ваучер Подробно +Journal Voucher Detail No,Журнал Ваучер Подробно Нет +Journal Voucher {0} does not have account {1} or already matched,Журнал Ваучер {0} не имеет учетной записи {1} или уже согласованы +Journal Vouchers {0} are un-linked,Журнал Ваучеры {0} являются не-связаны +Keep a track of communication related to this enquiry which will help for future reference.,"Постоянно отслеживать коммуникации, связанные на этот запрос, который поможет в будущем." +Keep it web friendly 900px (w) by 100px (h),Держите его веб дружелюбны 900px (ш) на 100px (ч) +Key Performance Area,Ключ Площадь Производительность +Key Responsibility Area,Ключ Ответственность Площадь +Kg,кг +LR Date,LR Дата +LR No,LR Нет +Label,Имя поля +Landed Cost Item,Посадка Статьи затрат +Landed Cost Items,Посадка затрат +Landed Cost Purchase Receipt,Посадка стоимости покупки Квитанция +Landed Cost Purchase Receipts,Посадка стоимости покупки расписок +Landed Cost Wizard,Посадка Мастер Стоимость +Landed Cost updated successfully,Посадка Стоимость успешно обновлены +Language,Язык +Last Name,Фамилия +Last Purchase Rate,Последний Покупка Оценить +Latest,Последние +Lead,Ответст +Lead Details,Содержание +Lead Id,Ведущий Id +Lead Name,Ведущий Имя +Lead Owner,Ведущий Владелец +Lead Source,Ведущий Источник +Lead Status,Ведущий Статус +Lead Time Date,Время выполнения Дата +Lead Time Days,Время выполнения дни +Lead Time days is number of days by which this item is expected in your warehouse. This days is fetched in Material Request when you select this item.,"Время выполнения дни количество дней, по которым этот пункт, как ожидается на вашем складе. Этот дней выбирается в Склад запрос, когда вы выберите этот пункт." +Lead Type,Ведущий Тип +Lead must be set if Opportunity is made from Lead,"Ведущий должен быть установлен, если Возможность сделан из свинца" +Leave Allocation,Оставьте Распределение +Leave Allocation Tool,Оставьте Allocation Tool +Leave Application,Оставить заявку +Leave Approver,Оставьте утверждающего +Leave Approvers,Оставьте Утверждающие +Leave Balance Before Application,Оставьте баланс перед нанесением +Leave Block List,Оставьте список есть +Leave Block List Allow,Оставьте Черный список Разрешить +Leave Block List Allowed,Оставьте Черный список животных +Leave Block List Date,Оставьте Блок-лист Дата +Leave Block List Dates,Оставьте черных списков Даты +Leave Block List Name,Оставьте Имя Блок-лист +Leave Blocked,Оставьте Заблокированные +Leave Control Panel,Оставьте панели управления +Leave Encashed?,Оставьте инкассированы? +Leave Encashment Amount,Оставьте Инкассация Количество +Leave Type,Оставьте Тип +Leave Type Name,Оставьте Тип Название +Leave Without Pay,Отпуск без сохранения содержания +Leave application has been approved.,Оставить заявка была одобрена. +Leave application has been rejected.,Оставить заявление было отклонено. +Leave approver must be one of {0},Оставьте утверждающий должен быть одним из {0} +Leave blank if considered for all branches,"Оставьте пустым, если считать для всех отраслей" +Leave blank if considered for all departments,"Оставьте пустым, если рассматривать для всех отделов" +Leave blank if considered for all designations,"Оставьте пустым, если рассматривать для всех обозначений" +Leave blank if considered for all employee types,"Оставьте пустым, если считать для всех типов сотрудников" +"Leave can be approved by users with Role, ""Leave Approver""","Оставьте может быть утвержден пользователей с роли, ""Оставьте утверждающего""" +Leave of type {0} cannot be longer than {1},"Оставить типа {0} не может быть больше, чем {1}" +Leaves Allocated Successfully for {0},Листья Выделенные Успешно для {0} +Leaves for type {0} already allocated for Employee {1} for Fiscal Year {0},Листья для типа {0} уже выделено Требуются {1} для финансового года {0} +Leaves must be allocated in multiples of 0.5,"Листья должны быть выделены несколько 0,5" +Ledger,Регистр +Ledgers,Регистры +Left,Слева +Legal,Легальный +Legal Expenses,Судебные издержки +Letter Head,Бланк +Letter Heads for print templates.,Письмо главы для шаблонов печати. +Level,Уровень +Lft,Lft +Liability,Ответственность сторон +List a few of your customers. They could be organizations or individuals.,Перечислите несколько ваших клиентов. Они могут быть организации или частные лица. +List a few of your suppliers. They could be organizations or individuals.,Перечислите несколько ваших поставщиков. Они могут быть организации или частные лица. +List items that form the package.,"Список предметов, которые формируют пакет." +List this Item in multiple groups on the website.,Перечислите этот пункт в нескольких группах на веб-сайте. +"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, единицу измерения и других свойств при запуске." +"List your tax heads (e.g. VAT, Excise; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Перечислите ваши налоговые головы (например, НДС, акциз, они должны иметь уникальные имена) и их стандартных ставок. Это создаст стандартный шаблон, который можно редактировать и добавлять позже." +Loading...,Загрузка... +Loans (Liabilities),Кредиты (обязательства) +Loans and Advances (Assets),Кредиты и авансы (активы) +Local,Локальные +Login,Войти +Login with your new User ID,Войти с вашим новым ID пользователя +Logo,Логотип +Logo and Letter Heads,Логотип и бланки +Lost,Поражений +Lost Reason,Забыли Причина +Low,Низкая +Lower Income,Нижняя Доход +MTN Details,MTN Подробнее +Main,Основные +Main Reports,Основные доклады +Maintain Same Rate Throughout Sales Cycle,Поддержание же скоростью протяжении цикла продаж +Maintain same rate throughout purchase cycle,Поддержание же скоростью в течение покупке цикла +Maintenance,Обслуживание +Maintenance Date,Техническое обслуживание Дата +Maintenance Details,Техническое обслуживание Детали +Maintenance Schedule,График регламентных работ +Maintenance Schedule Detail,График обслуживания Подробно +Maintenance Schedule Item,График обслуживания товара +Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',"График обслуживания не генерируется для всех элементов. Пожалуйста, нажмите на кнопку ""Generate Расписание""" +Maintenance Schedule {0} exists against {0},График обслуживания {0} существует против {0} +Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,График обслуживания {0} должно быть отменено до отмены этого заказ клиента +Maintenance Schedules,Режимы технического обслуживания +Maintenance Status,Техническое обслуживание Статус +Maintenance Time,Техническое обслуживание Время +Maintenance Type,Тип обслуживание +Maintenance Visit,Техническое обслуживание Посетить +Maintenance Visit Purpose,Техническое обслуживание Посетить Цель +Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Техническое обслуживание Посетить {0} должно быть отменено до отмены этого заказ клиента +Maintenance start date can not be before delivery date for Serial No {0},Техническое обслуживание дата не может быть до даты доставки для Serial No {0} +Major/Optional Subjects,Основные / факультативных предметов Make , -Make Accounting Entry For Every Stock Movement,Док Имя -Make Bank Voucher,Является продаж товара -Make Credit Note,"Если вы создали стандартный шаблон в Покупка налогам и сборам Master, выберите один и нажмите на кнопку ниже." -Make Debit Note,Ваучер Тип и дата -Make Delivery,Покупка Получение товара Поставляется -Make Difference Entry,"Товары, полученные от поставщиков." -Make Excise Invoice,old_parent -Make Installation Note,"Если счет замораживается, записи разрешается ограниченных пользователей." -Make Invoice,По умолчанию учетная запись -Make Maint. Schedule,Преобразовать в группе -Make Maint. Visit,Регистрационные номера компании для вашей справки. Налоговые числа и т.д. -Make Maintenance Visit,В случае чрезвычайных ситуаций -Make Packing Slip,Детали -Make Payment Entry,"Невозможно преобразовать МВЗ в книге, как это имеет дочерние узлы" -Make Purchase Invoice,Мастер отдыха. -Make Purchase Order,Центр учета затрат -Make Purchase Receipt,Неполная занятость -Make Salary Slip,Заказ на покупку -Make Salary Structure,Не можете деактивировать или CANCLE BOM поскольку она связана с другими спецификациями -Make Sales Invoice,"Выбор ""Да"" позволит этот пункт появится в заказе на, покупка получении." -Make Sales Order,Вес брутто -Make Supplier Quotation,Исправлена ​​активами -Male,Пункт Налоговая ставка -Manage Customer Group Tree.,Закрыт -Manage Sales Partners.,Половина года -Manage Sales Person Tree.,Новые запросы Материал -Manage Territory Tree.,Освобождение Дата -Manage cost of operations,На сегодняшний день не может быть раньше от даты -Management,Выберите файл CSV -Manager,Чек Количество -"Mandatory if Stock Item is ""Yes"". Also the default warehouse where reserved quantity is set from Sales Order.",Блок Дата -Manufacture against Sales Order,За компанию -Manufacture/Repack,Расходная накладная тенденции -Manufactured Qty,Не доступен -Manufactured quantity will be updated in this warehouse,Не найдено ни Средства клиентов. -Manufactured quantity {0} cannot be greater than planned quanitity {1} in Production Order {2},"""Не существует" -Manufacturer,"Перечислите ваши налоговые головы (например, НДС, акциз, они должны иметь уникальные имена) и их стандартных ставок. Это создаст стандартный шаблон, который можно редактировать и добавлять позже." -Manufacturer Part Number,Вы можете представить эту Stock примирения. -Manufacturing,Старение Дата является обязательным для открытия запись -Manufacturing Quantity,Чтобы Дата -Manufacturing Quantity is mandatory,Покупка Налоги и сборы -Margin,BOM заменить -Marital Status,Подробности Здоровье -Market Segment,Расходы -Marketing,Выполнять по индивидуальному заказу -Marketing Expenses,Идентификация пакета на поставку (для печати) -Married,Вы можете ввести минимальное количество этого пункта заказывается. -Mass Mailing,Распределение Имя -Master Name,Компания (не клиента или поставщика) хозяин. -Master Name is mandatory if account type is Warehouse,Требуемые товары должны быть переданы -Master Type,Символ -Masters,Выберите Журналы время и предоставить для создания нового счета-фактуры. -Match non-linked Invoices and Payments.,"Укажите список территорий, на которые это правило пересылки действует" -Material Issue,Материал Запрос товары -Material Receipt,Город / -Material Request,Re порядка Кол-во -Material Request Detail No,Инженерное оборудование -Material Request For Warehouse,Не активность -Material Request Item,Базовая валюта -Material Request Items,Транспортные расходы -Material Request No,"Проверьте это, если вы хотите, чтобы заставить пользователя выбрать серию перед сохранением. Там не будет по умолчанию, если вы проверить это." -Material Request Type,Настроить уведомления -Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Образовательный ценз Подробнее -Material Request used to make this Stock Entry,Тип Поставщик -Material Request {0} is cancelled or stopped,Начисление типа «Актуальные 'в строке {0} не могут быть включены в пункт Оценить -Material Requests for which Supplier Quotations are not created,Билл Нет -Material Requests {0} created,Имя счета -Material Requirement,Обновление Стоимость -Material Transfer,"Защищены Кол-во: Количество приказал на продажу, но не поставлены." -Materials,Диапазон -Materials Required (Exploded),Контакты -Max 5 characters,HTML / Баннер который будет отображаться на верхней части списка товаров. -Max Days Leave Allowed,Вы можете установить по умолчанию банковский счет в мастер компании -Max Discount (%),Новый Центр Стоимость -Max Qty,Персонажей -Max discount allowed for item: {0} is {1}%,"Невозможно выбрать тип заряда, как «О предыдущего ряда Сумма» или «О предыдущего ряда Всего"" для оценки. Вы можете выбрать только опцию ""Всего"" за предыдущий количества строк или предыдущей общей строки" -Maximum allowed credit is {0} days after posting date,Временные Активы -Maximum {0} rows allowed,Тип Партнер -Maxiumm discount for Item {0} is {1}%,Налог -Medical,Количество пункта получены после изготовления / переупаковка от заданных величин сырья -Medium,Год закрыт -"Merging is only possible if following properties are same in both records. Group or Ledger, Root Type, Company",Зарплата -Message,Дни с последнего Заказать -Message Parameter,"Другой Зарплата Структура {0} активна для работника {0}. Пожалуйста, убедитесь, свой статус ""неактивного"", чтобы продолжить." -Message Sent,Оборотные активы -Message updated,"Пожалуйста, выберите тип документа сначала" -Messages,Баланс Кол-во -Messages greater than 160 characters will be split into multiple messages,Правительство -Middle Income,"Добро пожаловать в ERPNext. Пожалуйста, выберите язык, чтобы запустить мастер установки." -Milestone,Эксплуатационные затраты -Milestone Date,Пункт Нехватка Сообщить -Milestones,Примечание -Milestones will be added as Events in the Calendar,"Не можете скрытые в группу, потому что выбран Мастер Введите или счета Тип." -Min Order Qty,"Сообщения больше, чем 160 символов будет разделен на несколько сообщений" -Min Qty,Пользователь всегда должен выбрать -Min Qty can not be greater than Max Qty,"Титулы для шаблонов печати, например, счет-проформа." -Minimum Order Qty,Вес Единица измерения -Minute,"Всего Дебет должна быть равна общей выработке. Разница в том, {0}" -Misc Details,Производство Количество является обязательным -Miscellaneous Expenses,Имя пользователя -Miscelleneous,Выберите заказы на продажу -Mobile No,Настройки работникам -Mobile No.,"не Укажите операции, эксплуатационные расходы и дать уникальную операцию не в вашей деятельности." -Mode of Payment,Остатки на счетах типа «Банк» или «Денежные средства» -Modern,% Завершено -Modified Amount,Набор Тип -Monday,Комиссия ставка (%) -Month,"Авто-рейз Материал Запрос, если количество идет ниже уровня повторного заказа на складе" -Monthly,Новый фонда единица измерения должна отличаться от текущей фондовой UOM -Monthly Attendance Sheet,Примечание: Система не будет проверять по-доставки и избыточного бронирования по пункту {0} как количестве 0 -Monthly Earning & Deduction,"Как есть существующие биржевые операции для данного элемента, вы не можете изменить значения 'Имеет Серийный номер »,« Является фонда Пункт ""и"" Оценка Метод """ -Monthly Salary Register,% Материалов выставленных против этого заказа клиента -Monthly salary statement.,Выберите бренд ... -More Details,Переименование файлов -More Info,Изготовлено количество будет обновляться в этом склад -Motion Picture & Video,Отклонен Серийный номер -Moving Average,Другое -Moving Average Rate,Производитель -Mr,Госпожа -Ms,% Сумма счета -Multiple Item prices.,Настройки по заработной плате +Make Accounting Entry For Every Stock Movement,Сделать учета запись для каждого фондовой Движения +Make Bank Voucher,Сделать банк ваучер +Make Credit Note,Сделать кредит-нота +Make Debit Note,Сделать Debit Примечание +Make Delivery,Произвести поставку +Make Difference Entry,Сделать Разница запись +Make Excise Invoice,Сделать акцизного счет-фактура +Make Installation Note,Сделать Установка Примечание +Make Invoice,Сделать Счет +Make Maint. Schedule,Сделать Maint. Расписание +Make Maint. Visit,Сделать Maint. Посетите нас по адресу +Make Maintenance Visit,Сделать ОБСЛУЖИВАНИЕ Посетите +Make Packing Slip,Сделать упаковочный лист +Make Payment,Производить оплату +Make Payment Entry,Произвести оплату запись +Make Purchase Invoice,Сделать счете-фактуре +Make Purchase Order,Сделать Заказ +Make Purchase Receipt,Сделать ТОВАРНЫЙ ЧЕК +Make Salary Slip,Сделать Зарплата Слип +Make Salary Structure,Сделать Зарплата Структура +Make Sales Invoice,Сделать Расходная накладная +Make Sales Order,Сделать заказ клиента +Make Supplier Quotation,Сделать Поставщик цитаты +Make Time Log Batch,Найдите время Войдите Batch +Male,Муж +Manage Customer Group Tree.,Управление групповой клиентов дерево. +Manage Sales Partners.,Управление партнеры по сбыту. +Manage Sales Person Tree.,Управление менеджера по продажам дерево. +Manage Territory Tree.,Управление Территория дерево. +Manage cost of operations,Управление стоимость операций +Management,Управление +Manager,Менеджер +"Mandatory if Stock Item is ""Yes"". Also the default warehouse where reserved quantity is set from Sales Order.","Обязательно, если со Пункт «Да». Также склад по умолчанию, где защищены количество установлено от заказа клиента." +Manufacture against Sales Order,Производство против заказ клиента +Manufacture/Repack,Производство / Repack +Manufactured Qty,Изготовлено Кол-во +Manufactured quantity will be updated in this warehouse,Изготовлено количество будет обновляться в этом склад +Manufactured quantity {0} cannot be greater than planned quanitity {1} in Production Order {2},"Изготовлено количество {0} не может быть больше, чем планировалось Колличество {1} в производственного заказа {2}" +Manufacturer,Производитель +Manufacturer Part Number,Производитель Номер +Manufacturing,Производство +Manufacturing Quantity,Производство Количество +Manufacturing Quantity is mandatory,Производство Количество является обязательным +Margin,Разница +Marital Status,Семейное положение +Market Segment,Сегмент рынка +Marketing,Маркетинг +Marketing Expenses,Маркетинговые расходы +Married,Замужем +Mass Mailing,Рассылок +Master Name,Мастер Имя +Master Name is mandatory if account type is Warehouse,"Мастер Имя является обязательным, если тип счета Склад" +Master Type,Мастер Тип +Masters,Эффективно используем APM в высшей лиге +Match non-linked Invoices and Payments.,"Подходим, не связанных Счета и платежи." +Material Issue,Материал выпуск +Material Receipt,Материал Поступление +Material Request,Материал Запрос +Material Request Detail No,Материал: Запрос подробной Нет +Material Request For Warehouse,Материал Запрос Склад +Material Request Item,Материал Запрос товара +Material Request Items,Материал Запрос товары +Material Request No,Материал Запрос Нет +Material Request Type,Материал Тип запроса +Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Материал Запрос максимума {0} могут быть сделаны для Пункт {1} против Заказ на продажу {2} +Material Request used to make this Stock Entry,"Материал Запрос используется, чтобы сделать эту Stock запись" +Material Request {0} is cancelled or stopped,Материал Запрос {0} отменяется или остановлен +Material Requests for which Supplier Quotations are not created,"Материал Запросы, для которых Поставщик Котировки не создаются" +Material Requests {0} created,Запросы Материал {0} создан +Material Requirement,Потребности в материалах +Material Transfer,О передаче материала +Materials,Материалы +Materials Required (Exploded),Необходимые материалы (в разобранном) +Max 5 characters,Макс 5 символов +Max Days Leave Allowed,Максимальное количество дней отпуска разрешены +Max Discount (%),Макс Скидка (%) +Max Qty,Макс Кол-во +Max discount allowed for item: {0} is {1}%,Макс скидка позволило пункта: {0} {1}% +Maximum Amount,Максимальная сумма +Maximum allowed credit is {0} days after posting date,Максимально допустимое кредит {0} дней после размещения дату +Maximum {0} rows allowed,Максимальные {0} строк разрешено +Maxiumm discount for Item {0} is {1}%,Maxiumm скидка на Пункт {0} {1}% +Medical,Медицинский +Medium,Средние булки +"Merging is only possible if following properties are same in both records. Group or Ledger, Root Type, Company","Слияние возможно только при следующие свойства одинаковы в обоих записей. Группа или Леджер, корень Тип, Компания" +Message,Сообщение +Message Parameter,Сообщение Параметр +Message Sent,Сообщение отправлено +Message updated,Сообщение обновляется +Messages,Сообщения +Messages greater than 160 characters will be split into multiple messages,"Сообщения больше, чем 160 символов будет разделен на несколько сообщений" +Middle Income,Средним уровнем доходов +Milestone,Веха +Milestone Date,Дата реализации +Milestones,Основные этапы +Milestones will be added as Events in the Calendar,Вехи будет добавлен в качестве событий в календаре +Min Order Qty,Минимальный заказ Кол-во +Min Qty,Мин Кол-во +Min Qty can not be greater than Max Qty,"Мин Кол-во не может быть больше, чем Max Кол-во" +Minimum Amount,Минимальная сумма +Minimum Order Qty,Минимальное количество заказа +Minute,Минут +Misc Details,Разное Подробности +Miscellaneous Expenses,Прочие расходы +Miscelleneous,Miscelleneous +Mobile No,Мобильная Нет +Mobile No.,Мобильный номер +Mode of Payment,Способ платежа +Modern,"модные," +Monday,Понедельник +Month,Mесяц +Monthly,Ежемесячно +Monthly Attendance Sheet,Ежемесячная посещаемость Лист +Monthly Earning & Deduction,Ежемесячный Заработок & Вычет +Monthly Salary Register,Заработная плата Зарегистрироваться +Monthly salary statement.,Ежемесячная выписка зарплата. +More Details,Больше параметров +More Info,Подробнее +Motion Picture & Video,Кинофильм & Видео +Moving Average,Скользящее среднее +Moving Average Rate,Moving Average Rate +Mr,Г-н +Ms,Госпожа +Multiple Item prices.,Несколько цены товара. "Multiple Price Rule exists with same criteria, please resolve \ - conflict by assigning priority. Price Rules: {0}","Общая сумма счетов, отправленных заказчику в период дайджест" -Music,Продукт или сервис -Must be Whole Number,Эта информация будет использоваться для установки правило в модуле HR -Name,Примечание: Существует не хватает отпуск баланс для отпуске Тип {0} -Name and Description,За год -Name and Employee ID,Зарезервировано склад требуются для готового элемента {0} -"Name of new Account. Note: Please don't create accounts for Customers and Suppliers, they are created automatically from the Customer and Supplier master",Счет Доходы -Name of person or organization that this address belongs to.,Дата вступления -Name of the Budget Distribution,"Несколько Цена Правило существует с тем же критериям, пожалуйста, решить \ \ п конфликт путем присвоения приоритет. Цена Правила: {0}" -Naming Series,Имя и Код сотрудника -Negative Quantity is not allowed,Оценка -Negative Stock Error ({6}) for Item {0} in Warehouse {1} on {2} {3} in {4} {5},Руководитель проекта -Negative Valuation Rate is not allowed,Базовый -Negative balance in Batch {0} for Item {1} at Warehouse {2} on {3} {4},"Мин Кол-во не может быть больше, чем Max Кол-во" -Net Pay,Счет {0} не существует -Net Pay (in words) will be visible once you save the Salary Slip.,Ваучер Подробно Нет -Net Total,Новый акций Записи -Net Total (Company Currency),Косметика -Net Weight,"Налоговый Категория не может быть ""Оценка"" или ""Оценка и Всего», как все детали, нет в наличии" -Net Weight UOM,Наличные -Net Weight of each Item,Поставляется Серийный номер {0} не может быть удален -Net pay cannot be negative,Автоматическое извлечение претендентов на рабочие места из почтового ящика -Never,Аварийный Контактные данные + conflict by assigning priority. Price Rules: {0}","Несколько Цена Правило существует с тем же критериям, пожалуйста, решить \ + конфликта путем присвоения приоритет. Цена Правила: {0}" +Music,Музыка +Must be Whole Number,Должно быть Целое число +Name,Имя +Name and Description,Название и описание +Name and Employee ID,Имя и Код сотрудника +"Name of new Account. Note: Please don't create accounts for Customers and Suppliers, they are created automatically from the Customer and Supplier master","Имя нового счета. Примечание: Пожалуйста, не создавать учетные записи для клиентов и поставщиков, они создаются автоматически от Заказчика и поставщика оригиналов" +Name of person or organization that this address belongs to.,"Имя лица или организации, что этот адрес принадлежит." +Name of the Budget Distribution,Название Распределение бюджета +Naming Series,Именование Series +Negative Quantity is not allowed,Отрицательный Количество не допускается +Negative Stock Error ({6}) for Item {0} in Warehouse {1} on {2} {3} in {4} {5},Отрицательный Ошибка со ({6}) по пункту {0} в Склад {1} на {2} {3} в {4} {5} +Negative Valuation Rate is not allowed,Отрицательный Оценка курс не допускается +Negative balance in Batch {0} for Item {1} at Warehouse {2} on {3} {4},Отрицательное сальдо в пакетном {0} для Пункт {1} в Хранилище {2} на {3} {4} +Net Pay,Чистая Платное +Net Pay (in words) will be visible once you save the Salary Slip.,"Чистая Платное (прописью) будут видны, как только вы сохраните Зарплата Слип." +Net Profit / Loss,Чистая прибыль / убытки +Net Total,Чистая Всего +Net Total (Company Currency),Чистая Всего (Компания Валюта) +Net Weight,Вес нетто +Net Weight UOM,Вес нетто единица измерения +Net Weight of each Item,Вес нетто каждого пункта +Net pay cannot be negative,Чистая зарплата не может быть отрицательным +Never,Никогда New , -New Account,"Ваш продавец получит напоминание в этот день, чтобы связаться с клиентом" -New Account Name,"Перейти к соответствующей группе (обычно источником средств> Краткосрочные обязательства> налогам и сборам и создать новый аккаунт Леджер (нажав на Добавить дочерний) типа ""Налоговый"" и не говоря уже о налоговой ставки." -New BOM,"Пожалуйста, сформулируйте Компания приступить" -New Communications,Родитель Пункт Группа -New Company,Состояние установки -New Cost Center,Укажите правильный Row ID для {0} в строке {1} -New Cost Center Name,Lft -New Delivery Notes,Код клиента -New Enquiries,Группа по ваучером -New Leads,Принято Склад -New Leave Application,Счет с дочерних узлов не могут быть преобразованы в книге -New Leaves Allocated,Журнал Ваучер Подробно -New Leaves Allocated (In Days),Покупка Получение {0} не представлено -New Material Requests,Прайс-лист Тариф (Компания Валюта) -New Projects,Купить -New Purchase Orders,"Предметы, которые не существуют в мастера товар, также может быть введен по требованию заказчика" -New Purchase Receipts,По умолчанию расходов счета -New Quotations,Слайд-шоу -New Sales Orders,Чтобы включить Точки продаж зрения -New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Следуйте по электронной почте -New Stock Entries,"Обязательные сырье, выпущенные к поставщику для получения суб - контракт пункт." -New Stock UOM,Является Advance -New Stock UOM is required,Журнал учета времени -New Stock UOM must be different from current stock UOM,Сделать Расходная накладная -New Supplier Quotations,Акции Записи уже создан для производственного заказа -New Support Tickets,Ответственность сторон -New UOM must NOT be of type Whole Number,Количество по пункту {0} должно быть меньше {1} -New Workplace,Налоги и сборы Всего -Newsletter,Оставьте Имя Блок-лист -Newsletter Content,Сайт партнера -Newsletter Status,Пункт {0} с таким же описанием введен дважды -Newsletter has already been sent,Зарезервировано Склад в заказ клиента / склад готовой продукции -Newsletters is not allowed for Trial users,Скидки -"Newsletters to contacts, leads.",Стоимость аренды -Newspaper Publishers,Прикрепите свою фотографию -Next,Является Обналичивание -Next Contact By,Оставьте список есть -Next Contact Date,"Страна, Временной пояс и валют" -Next Date,В ожидании SO предметы для покупки запрос -Next email will be sent on:,Рассчитать общее количество баллов -No,Отправить на e-mail -No Customer Accounts found.,Пакетная Готовые Дата -No Customer or Supplier Accounts found,ID Пакета -No Expense Approvers. Please assign 'Expense Approver' Role to atleast one user,"Подходим, не связанных Счета и платежи." -No Item with Barcode {0},Прайс-лист валютный курс -No Item with Serial No {0},Остаток на счете -No Items to pack,"Пожалуйста, установите ключи доступа Google Drive, в {0}" -No Leave Approvers. Please assign 'Leave Approver' Role to atleast one user,Отпуск без сохранения содержания -No Permission,Задать -No Production Orders created,Проекты и система -No Supplier Accounts found. Supplier Accounts are identified based on 'Master Type' value in account record.,"Здесь вы можете поддерживать рост, вес, аллергии, медицинские проблемы и т.д." -No accounting entries for the following warehouses,"Строка {0}: Чтобы установить {1} периодичность, разница между от и до настоящего времени \ \ N должно быть больше или равно {2}" -No addresses created,Вид оплаты -No contacts created,Например. smsgateway.com / API / send_sms.cgi -No default Address Template found. Please create a new one from Setup > Printing and Branding > Address Template.,Информация о компании -No default BOM exists for Item {0},Серийный Нет Информация -No description given,Отписанный -No employee found,Группы товаров в деталях -No employee found!,На предыдущей балансовой Row -No of Requested SMS,"Пожалуйста, установите нумерация серии для Посещаемость через Настройка> нумерации серии" -No of Sent SMS,Maxiumm скидка на Пункт {0} {1}% -No of Visits,Weightage -No permission,Отдел продаж -No record found,"Различные Единица измерения для элементов приведет к некорректному (Всего) значение массы нетто. Убедитесь, что вес нетто каждого элемента находится в том же UOM." +New Account,Новая учетная запись +New Account Name,Новый Имя счета +New BOM,Новый BOM +New Communications,Новые Коммуникации +New Company,Новая компания +New Cost Center,Новый Центр Стоимость +New Cost Center Name,Новый Центр Стоимость Имя +New Delivery Notes,Новые Облигации Доставка +New Enquiries,Новые запросы +New Leads,Новые снабжении +New Leave Application,Новый Оставить заявку +New Leaves Allocated,Новые листья Выделенные +New Leaves Allocated (In Days),Новые листья Выделенные (в днях) +New Material Requests,Новые запросы Материал +New Projects,Новые проекты +New Purchase Orders,Новые Заказы +New Purchase Receipts,Новые поступления Покупка +New Quotations,Новые Котировки +New Sales Orders,Новые заказы на продажу +New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Новый Серийный номер не может быть Склад. Склад должен быть установлен на фондовой Вступил или приобрести получении +New Stock Entries,Новый акций Записи +New Stock UOM,Новый фонда UOM +New Stock UOM is required,Новый фонда Единица измерения требуется +New Stock UOM must be different from current stock UOM,Новый фонда единица измерения должна отличаться от текущей фондовой UOM +New Supplier Quotations,Новые Котировки Поставщик +New Support Tickets,Новые билеты Поддержка +New UOM must NOT be of type Whole Number,Новый UOM НЕ должен иметь тип целого числа +New Workplace,Новый Место работы +Newsletter,Рассылка новостей +Newsletter Content,Рассылка Содержимое +Newsletter Status,Рассылка Статус +Newsletter has already been sent,Информационный бюллетень уже был отправлен +"Newsletters to contacts, leads.","Бюллетени для контактов, приводит." +Newspaper Publishers,Газетных издателей +Next,Следующая +Next Contact By,Следующая Контактные По +Next Contact Date,Следующая контакты +Next Date,Следующая Дата +Next email will be sent on:,Следующая будет отправлено письмо на: +No,Нет +No Customer Accounts found.,Не найдено ни Средства клиентов. +No Customer or Supplier Accounts found,Не найдено ни одного клиента или поставщика счета +No Expense Approvers. Please assign 'Expense Approver' Role to atleast one user,"Нет Расходные утверждающих. Пожалуйста, назначить ""расходов утверждающего"" роли для по крайней мере одного пользователя" +No Item with Barcode {0},Нет товара со штрих-кодом {0} +No Item with Serial No {0},Нет товара с серийным № {0} +No Items to pack,Нет объектов для вьючных +No Leave Approvers. Please assign 'Leave Approver' Role to atleast one user,"Нет Leave утверждающих. Пожалуйста назначить роль ""оставить утверждающий ', чтобы по крайней мере одного пользователя" +No Permission,Отсутствует разрешение +No Production Orders created,"Нет Производственные заказы, созданные" +No Supplier Accounts found. Supplier Accounts are identified based on 'Master Type' value in account record.,"Не найдено ни Поставщик счета. Поставщик счета определяются на основе стоимости ""Мастер Type 'в счет записи." +No accounting entries for the following warehouses,Нет учетной записи для следующих складов +No addresses created,"Нет адреса, созданные" +No contacts created,"Нет контактов, созданные" +No default Address Template found. Please create a new one from Setup > Printing and Branding > Address Template.,"Нет умолчанию Адрес шаблона не найдено. Пожалуйста, создайте новый из Setup> Печать и брендинга> Адресная шаблон." +No default BOM exists for Item {0},Нет умолчанию спецификации не существует Пункт {0} +No description given,Не введено описание +No employee found,Не работник не найдено +No employee found!,Ни один сотрудник не найден! +No of Requested SMS,Нет запрашиваемых SMS +No of Sent SMS,Нет отправленных SMS +No of Visits,Нет посещений +No permission,Нет доступа +No record found,Не запись не найдено +No records found in the Invoice table,Не записи не найдено в таблице счетов +No records found in the Payment table,Не записи не найдено в таблице оплаты No salary slip found for month: , -Non Profit,Автомобилестроение -Nos,Условия Подробности -Not Active,Не Объявленный -Not Applicable,Ежемесячный Заработок & Вычет -Not Available,График регламентных работ -Not Billed,ERPNext установки -Not Delivered,Административные затраты -Not Set,Сделать банк ваучер -Not allowed to update entries older than {0},Кредитная карта -Not authorized to edit frozen Account {0},Нанесите на -Not authroized since {0} exceeds limits,Настройки сайта -Not permitted,Для производства -Note,"Пожалуйста, выберите элемент кода" -Note User,Техническое обслуживание Дата -"Note: Backups and files are not deleted from Dropbox, you will have to delete them manually.",Общая стоимость Сырье -"Note: Backups and files are not deleted from Google Drive, you will have to delete them manually.",Прямые расходы -Note: Due Date exceeds the allowed credit days by {0} day(s),"Скидка Поля будут доступны в заказе на, покупка получение, в счете-фактуре" -Note: Email will not be sent to disabled users,Все Группы клиентов -Note: Item {0} entered multiple times,Число спецификации не допускается для не-выпускаемой Пункт {0} в строке {1} -Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,Банк Ваучер -Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Целевая На -Note: There is not enough leave balance for Leave Type {0},[Выберите] -Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Деталь Распределение бюджета -Note: {0},"Здесь Вы можете сохранить семейные подробности, как имя и оккупации родитель, супруг и детей" -Notes,Правило ярлыке -Notes:,Мастер Валютный курс. -Nothing to request,Мастер Поставщик. -Notice (days),Включено -Notification Control,Новые Заказы -Notification Email Address,Это пример сайт автоматически сгенерированный из ERPNext -Notify by Email on creation of automatic Material Request,Посещаемость за работника {0} уже отмечен -Number Format,"Примечание: Оплата Вступление не будет создана, так как ""Наличные или Банковский счет"" не был указан" -Offer Date,Название учетного отдела -Office,FCFS Оценить -Office Equipments,"Пункты, запрашиваемые которые ""Нет на месте"" с учетом всех складов на основе прогнозируемого Кол-во и Минимальное количество заказа" -Office Maintenance Expenses,Пункт мудрый История покупок -Office Rent,Новый Место работы -Old Parent,Пункт {0} должен быть изготовлен или субподрядчиков -On Net Total,Примечания Доставка {0} должно быть отменено до отмены этого заказ клиента -On Previous Row Amount,Серийный номер {0} количество {1} не может быть фракция -On Previous Row Total,Введите код -Online Auctions,"Скачать доклад, содержащий все сырье с их последней инвентаризации статус" -Only Leave Applications with status 'Approved' can be submitted,Сотрудник Внешний Работа История -"Only Serial Nos with status ""Available"" can be delivered.",Стандартные отчеты -Only leaf nodes are allowed in transaction,Продажи Налоги и сборы -Only the selected Leave Approver can submit this Leave Application,Склад Подробно -Open,Впервые Ответил на -Open Production Orders,Кредит -Open Tickets,"Название вашей компании, для которой вы настраиваете эту систему." -Opening (Cr),{0} '{1}' не в финансовом году {2} -Opening (Dr),Сотрудник внутреннего Работа Historys -Opening Date,Примечание Пользователь -Opening Entry,Детали упаковки -Opening Qty,Преобразование в повторяющихся Счет -Opening Time,Расходов претензии были отклонены. -Opening Value,От компании -Opening for a Job.,Показать в веб-сайт -Operating Cost,Выходное значение -Operation Description,Группа клиентов / клиентов -Operation No,Налоги и сборы Добавил -Operation Time (mins),Режимы технического обслуживания -Operation {0} is repeated in Operations Table,Должность -Operation {0} not present in Operations Table,По фондовой UOM -Operations,Оценка шаблона Название -Opportunity,Ряд {0}: Дата начала должна быть раньше даты окончания -Opportunity Date,Оценка Гол -Opportunity From,"День месяца, на котором авто-фактура будет генерироваться например 05, 28 и т.д." -Opportunity Item,Уникальный идентификатор для отслеживания все повторяющиеся счетов-фактур. Он создается на представить. -Opportunity Items,"Планируемые Кол-во: Кол-во, для которых, производственного заказа был поднят, но находится на рассмотрении, которые будут изготовлены." -Opportunity Lost,План поставки -Opportunity Type,"Пожалуйста, создайте Зарплата Структура для работника {0}" -Optional. This setting will be used to filter in various transactions.,Фото со Регулировка -Order Type,"Система Пользователь (Войти) ID. Если установлено, то это станет по умолчанию для всех форм HR." -Order Type must be one of {0},По умолчанию Единица измерения -Ordered,В ожидании отзыв -Ordered Items To Be Billed,BOM Нет -Ordered Items To Be Delivered,BOM рекурсия: {0} не может быть родитель или ребенок {2} -Ordered Qty,например. Чек Количество -"Ordered Qty: Quantity ordered for purchase, but not received.",Статус производственного заказа {0} -Ordered Quantity,Ежемесячная выписка зарплата. -Orders released for production.,Коэффициент пересчета не может быть в долях -Organization Name,Дебет -Organization Profile,Покупка Получение -Organization branch master.,Ваучер Нет не действует -Organization unit (department) master.,Пункт Название группы -Original Amount,"Проблемам старения, на основе" -Other,Имя -Other Details,Фото со Баланс -Others,BOM Операции -Out Qty,Потребности в материалах -Out Value,Полностью Поставляются -Out of AMC,Благотворительность и пожертвования -Out of Warranty,Прайс-лист должен быть применим для покупки или продажи -Outgoing,Ряд # -Outstanding Amount,Наличие на складе Единица измерения -Outstanding for {0} cannot be less than zero ({1}),"Пожалуйста, сформулируйте Компания" -Overhead,До -Overheads,Целевая Склад -Overlapping conditions found between:,Деятельность -Overview,Коэффициент пересчета для дефолтного Единица измерения должна быть 1 в строке {0} -Owned,"Скорость, с которой валюта продукция превращается в базовой валюте компании" -Owner,Ожидаемая дата начала -PL or BS,Email идентификаторы через запятую. -PO Date,Под Выпускник -PO No,Эксплуатация -POP3 Mail Server,Период обновления -POP3 Mail Settings,Клиент {0} не принадлежит к проекту {1} -POP3 mail server (e.g. pop.gmail.com),Максимальные {0} строк разрешено -POP3 server e.g. (pop.gmail.com),Примечание: -POS Setting,"Дебет и Кредит не равны для этого ваучера. Разница в том, {0}." -POS Setting required to make POS Entry,"Пожалуйста, введите пункт первый" -POS Setting {0} already created for user: {1} and company {2},Листья Выделенные Успешно для {0} -POS View,Производство -PR Detail,Нет посещений -Package Item Details,Зарплата Структура -Package Items,"Поле доступно в накладной, цитаты, счет-фактура, заказ клиента" -Package Weight Details,Родитель счета не может быть книга -Packed Item,"Пожалуйста, введите 'ожидаемой даты поставки """ -Packed quantity must equal quantity for Item {0} in row {1},"Все импорта смежных областях, как валюты, обменный курс, общий объем импорта, импорт общего итога и т.д. доступны в ТОВАРНЫЙ ЧЕК, поставщиков цитаты, счета-фактуры Заказа т.д." -Packing Details,Доставка Примечание тенденции -Packing List,Эл. адрес -Packing Slip,режим временного удержания вызова -Packing Slip Item,Фактический Количество -Packing Slip Items,Создать запросы Материал (ППМ) и производственных заказов. -Packing Slip(s) cancelled,Основные этапы проекта -Page Break,{0} {1} статус отверзутся -Page Name,Сообщение блога -Paid Amount,Номер паспорта -Paid amount + Write Off Amount can not be greater than Grand Total,Себестоимость проданного товара -Pair,Контроль качества Чтение -Parameter,Для справки -Parent Account,"Пожалуйста, сформулируйте" -Parent Cost Center,"Убедитесь, адрес доставки" -Parent Customer Group,Чтобы продукты -Parent Detail docname,Вы не можете кредитные и дебетовые же учетную запись в то же время -Parent Item,Продажи Вернулся -Parent Item Group,Разрешить пользователю редактировать Прайс-лист Оценить в сделках -Parent Item {0} must be not Stock Item and must be a Sales Item,Трансфер сырье -Parent Party Type,"Пожалуйста, введите даты снятия." -Parent Sales Person,Описание позиции -Parent Territory,Значение проекта -Parent Website Page,"От значение должно быть меньше, чем значение в строке {0}" -Parent Website Route,В ожидании Сумма -Parent account can not be a ledger,Остановился заказ не может быть отменен. Unstop отменить. -Parent account does not exist,Настройка ... -Parenttype,Поддержка Пароль -Part-time,Дата поставки -Partially Completed,Дубликат строка {0} с же {1} -Partly Billed,Исходный файл -Partly Delivered,Остальной мир -Partner Target Detail,Будет обновляться при пакетном. -Partner Type,Группа или Леджер -Partner's Website,Производитель Клиентам -Party,Сделать упаковочный лист -Party Type,Заказать продаж требуется для Пункт {0} -Party Type Name,Чек Дата -Passive,По умолчанию Источник Склад -Passport Number,Удалить {0} {1}? -Password,Цели -Pay To / Recd From,"Утверждении роль не может быть такой же, как роль правило применимо к" -Payable,Всего Листья Выделенные -Payables,Отменено -Payables Group,Завершение установки -Payment Days,ParentType -Payment Due Date,Фармацевтика -Payment Period Based On Invoice Date,Испытательный срок -Payment Type,Продажи Дополнительно -Payment of salary for the month {0} and year {1},Компьютер -Payment to Invoice Matching Tool,"Вы действительно хотите, чтобы Unstop" -Payment to Invoice Matching Tool Detail,Название проекта -Payments,Приветствие -Payments Made,"Запрашиваемые Кол-во: Количество просил для покупки, но не заказали." -Payments Received,Работа Открытие -Payments made during the digest period,Всего Санкционированный Количество -Payments received during the digest period,Наименование поставщика -Payroll Settings,Списание ваучер -Pending,"Сетка """ -Pending Amount,Пункт {0} должен быть Покупка товара -Pending Items {0} updated,Ведущий Id -Pending Review,Кормить -Pending SO Items For Purchase Request,N -Pension Funds,пример: Следующий день доставка -Percent Complete,Заказ на продажу -Percentage Allocation,SMS Gateway URL -Percentage Allocation should be equal to 100%,Уведомления электронной почты -Percentage variation in quantity to be allowed while receiving or delivering this item.,График обслуживания Подробно -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.,Разрешение -Performance appraisal.,Связь -Period,Активность: Будет извлекать сообщения из -Period Closing Voucher,Клиент аккаунт начальник -Periodicity,Вес упаковки Подробнее -Permanent Address,Пункт Серийный номер -Permanent Address Is,Новые листья Выделенные -Permission,Для продаж счета-фактуры -Personal,Ссылка # {0} от {1} -Personal Details,"Пожалуйста, сформулируйте Базовая валюта в компании Мастер и общие настройки по умолчанию" -Personal Email,"например ""Моя компания ООО """ -Pharmaceutical,Процент выполнения -Pharmaceuticals,Кампании по продажам. -Phone,"Пожалуйста, введите Аббревиатура или короткое имя правильно, как он будет добавлен в качестве суффикса для всех учетных записей глав." -Phone No,Вы можете ввести любую дату вручную -Piecework,СЕКРЕТАРЬ -Pincode,Общие настройки -Place of Issue,Текущий адрес -Plan for maintenance visits.,Менеджер по развитию бизнеса -Planned Qty,BOM Подробно Нет -"Planned Qty: Quantity, for which, Production Order has been raised, but is pending to be manufactured.","Удостоверение личности электронной почты должен быть уникальным, уже существует для {0}" -Planned Quantity,Автоматически создавать сообщение о подаче сделок. -Planning,Оставьте Allocation Tool -Plant,Сообщение отправлено -Plant and Machinery,Выберите проект ... -Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,Игнорировать Цены Правило -Please Update SMS Settings,Заказал Кол-во -Please add expense voucher details,Виды деятельности для Время листов -Please check 'Is Advance' against Account {0} if this is an advance entry.,Общая сумма -Please click on 'Generate Schedule',Отклонен Склад является обязательным против regected пункта -Please click on 'Generate Schedule' to fetch Serial No added for Item {0},{0} не является допустимым Оставить утверждающий. Удаление строки # {1}. -Please click on 'Generate Schedule' to get schedule,Коэффициент преобразования -Please create Customer from Lead {0},"Пункт: {0} удалось порционно, не могут быть согласованы с помощью \ \ н со примирения, вместо этого используйте складе запись" -Please create Salary Structure for employee {0},Дата установки -Please create new account from Chart of Accounts.,Режим Зарплата -Please do NOT create Account (Ledgers) for Customers and Suppliers. They are created directly from the Customer / Supplier masters.,"Пожалуйста, введите название компании сначала" -Please enter 'Expected Delivery Date',"Изготовлено количество {0} не может быть больше, чем планировалось Колличество {1} в производственного заказа {2}" -Please enter 'Is Subcontracted' as Yes or No,{0} {1} уже представлен -Please enter 'Repeat on Day of Month' field value,Расходов претензии была одобрена. -Please enter Account Receivable/Payable group in company master,От Заказа -Please enter Approving Role or Approving User,Котировки полученных от поставщиков. -Please enter BOM for Item {0} at row {1},Получил и принял -Please enter Company,Общая сумма платить -Please enter Cost Center,Бухгалтер -Please enter Delivery Note No or Sales Invoice No to proceed,Создание приемника Список -Please enter Employee Id of this sales parson,"Пожалуйста, выберите имя InCharge Лица" -Please enter Expense Account,Не Поставляются -Please enter Item Code to get batch no,Качество -Please enter Item Code.,КоА Помощь -Please enter Item first,Количество> = -Please enter Maintaince Details first,Вторник -Please enter Master Name once the account is created.,Пункт {0} не установка для мастера серийные номера Проверить товара -Please enter Planned Qty for Item {0} at row {1},Легальный -Please enter Production Item first,Часов -Please enter Purchase Receipt No to proceed,Прибыль Зарплата Структура -Please enter Reference date,Управление -Please enter Warehouse for which Material Request will be raised,"Если выбран Цены Правило сделан для «цена», он перепишет прейскурантах. Цены Правило цена окончательная цена, поэтому не далее скидка не должны применяться. Таким образом, в сделках, как заказ клиента, заказ и т.д., это будут получены в области 'Rate', а не поле ""Прайс-лист Rate '." -Please enter Write Off Account,BOM Взрыв Пункт -Please enter atleast 1 invoice in the table,Загрузка... -Please enter company first,Партия Тип Название -Please enter company name first,Созданный -Please enter default Unit of Measure,Контактная информация -Please enter default currency in Company Master,"Клиент требуется для ""Customerwise Скидка""" -Please enter email address,"Пожалуйста, введите Код товара." -Please enter item details,Журнал активности -Please enter message before sending,Лицо продаж Целевая Разница Пункт Группа Мудрого -Please enter parent account group for warehouse account,Покупка Заказ позиции -Please enter parent cost center,Количество не может быть фракция в строке {0} -Please enter quantity for Item {0},Диаграмма Ганта -Please enter relieving date.,"Материал Запрос используется, чтобы сделать эту Stock запись" -Please enter sales order in the above table,Создать запросы Материал -Please enter valid Company Email,Логотип -Please enter valid Email Id,Заказал детали быть поставленным -Please enter valid Personal Email,Распечатать Заголовок -Please enter valid mobile nos,Письмо главы для шаблонов печати. -Please install dropbox python module,Документ Описание -Please mention no of visits required,Возможность Пункт -Please pull items from Delivery Note,"Заказы, выданные поставщикам." -Please save the Newsletter before sending,Партнер Целевая Подробно -Please save the document before generating maintenance schedule,Переложить -Please select Account first,"Пожалуйста, введите списать счет" -Please select Bank Account,Не удалось: -Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Сделать Установка Примечание -Please select Category first,Отправить Введите -Please select Charge Type first,Включите праздники в общей сложности не. рабочих дней -Please select Fiscal Year,Нет запрашиваемых SMS -Please select Group or Ledger value,{0} не является допустимым ID E-mail -Please select Incharge Person's name,Торговый посредник ы (Торговые Торговый посредник и) -"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Sales BOM",Временные счета (обязательства) -Please select Price List,Ряд # {0}: -Please select Start Date and End Date for Item {0},Комиссионный сбор -Please select a csv file,Где производственные операции осуществляются. -Please select a valid csv file with data,Прикрепите логотип -Please select a value for {0} quotation_to {1},Ссылка Дата -"Please select an ""Image"" first",Общий итог (Компания Валюта) -Please select charge type first,Всего рабочих дней в месяце -Please select company first.,"Время выполнения дни количество дней, по которым этот пункт, как ожидается на вашем складе. Этот дней выбирается в Склад запрос, когда вы выберите этот пункт." -Please select item code,Имя единица измерения -Please select month and year,Название компании -Please select prefix first,Вы должны выделить сумму до примирить -Please select the document type first,Минимальное количество заказа -Please select weekly off day,E-mail Дайджест: -Please select {0},Прогнозируемый Количество -Please select {0} first,Из КУА -Please set Dropbox access keys in your site config,Тест электронный идентификатор -Please set Google Drive access keys in {0},Требуемые товары заказываются -Please set default Cash or Bank account in Mode of Payment {0},Пошлины и налоги -Please set default value {0} in Company {0},По умолчанию Склад -Please set {0},Обязательные Кол-во -Please setup Employee Naming System in Human Resource > HR Settings,Из цитаты -Please setup numbering series for Attendance via Setup > Numbering Series,Разрешайте детям -Please setup your chart of accounts before you start Accounting Entries,Поставщик Введение -Please specify,Выставление счетов -Please specify Company,Средний Комиссия курс -Please specify Company to proceed,Данные клиента -Please specify Default Currency in Company Master and Global Defaults,Сообщение -Please specify a,"Введите имя кампании, если источником исследования является кампания" -Please specify a valid 'From Case No.',"Примечание: Резервные копии и файлы не удаляются из Google Drive, вам придется удалить их вручную." -Please specify a valid Row ID for {0} in row {1},Материал Запрос Нет -Please specify either Quantity or Valuation Rate or both,Установка Примечание -Please submit to update Leave Balance.,Channel ДУrtner -Plot,Данные Примирение -Plot By,Оставьте Заблокированные -Point of Sale,Группа крови -Point-of-Sale Setting,Вместимость Единицы -Post Graduate,Записи в журнале -Postal,Сообщение Параметр -Postal Expenses,Номер для ссылок -Posting Date,Реализация -Posting Time,Банк примирения Подробно -Posting date and posting time is mandatory,Следующая -Posting timestamp must be after {0},Ответст -Potential opportunities for selling.,Установите Статус как Доступно -Preferred Billing Address,Customerwise Скидка -Preferred Shipping Address,Настройка сервера входящей подрабатывать электронный идентификатор. (Например jobs@example.com) -Prefix,Код товара> Товар Группа> Бренд -Present,Веха -Prevdoc DocType,Цены Правило Помощь -Prevdoc Doctype,Покупка Счет Пункт -Preview,Фактический Кол-во: Есть в наличии на складе. -Previous,Прайс-лист Оценить -Previous Work Experience,C-образный -Price,Фактический бюджет -Price / Discount,Что оно делает? -Price List," Добавить / Изменить " -Price List Currency,"Помощь: Чтобы связать с другой записью в системе, используйте ""# формуляр / Примечание / [Примечание Имя]"", как ссылка URL. (Не используйте ""http://"")" -Price List Currency not selected,Потребляемый -Price List Exchange Rate,Сумма налога После скидка сумма -Price List Name,Разбивка -Price List Rate,Связаться управления -Price List Rate (Company Currency),Средняя отметка должна быть после {0} -Price List master.,"Постоянно отслеживать коммуникации, связанные на этот запрос, который поможет в будущем." -Price List must be applicable for Buying or Selling,Энергоэффективность -Price List not selected,Выпуск клиентов -Price List {0} is disabled,Группа клиентов -Price or Discount,Все Территории -Pricing Rule,Импорт удалось! -Pricing Rule Help,Венчурный капитал. -"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.",{0} {1} против Билла {2} от {3} -"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.",Пробный баланс -Pricing Rules are further filtered based on quantity.,Пункт Контроль качества Параметр -Print Format Style,Клиент Адрес -Print Heading,Только выбранный Оставить утверждающий мог представить этот Оставить заявку -Print Without Amount,Проектная деятельность / задачей. -Print and Stationary,Бюджет не может быть установлено для группы МВЗ -Printing and Branding,Всего заявленной суммы -Priority,Планируется отправить {0} получателей -Private Equity,Настройки по продажам Email -Privilege Leave,Зарплата менеджера -Probation,Покупка Аналитика -Process Payroll,Распределение бюджета Подробности -Produced,"Пожалуйста, сформулируйте" -Produced Quantity,Область / клиентов -Product Enquiry,{0} создан +Non Profit,Разное +Nos,кол-во +Not Active,Не активность +Not Applicable,Не применяется +Not Available,Не доступен +Not Billed,Не Объявленный +Not Delivered,Не Поставляются +Not Set,Не указано +Not allowed to update stock transactions older than {0},"Не допускается, чтобы обновить биржевые операции старше {0}" +Not authorized to edit frozen Account {0},Не разрешается редактировать замороженный счет {0} +Not authroized since {0} exceeds limits,Не Authroized с {0} превышает пределы +Not permitted,Не допускается +Note,Заметье +Note User,Примечание Пользователь +"Note: Backups and files are not deleted from Dropbox, you will have to delete them manually.","Примечание: Резервные копии и файлы не удаляются из Dropbox, вам придется удалить их вручную." +"Note: Backups and files are not deleted from Google Drive, you will have to delete them manually.","Примечание: Резервные копии и файлы не удаляются из Google Drive, вам придется удалить их вручную." +Note: Due Date exceeds the allowed credit days by {0} day(s),Примечание: В связи Дата превышает разрешенный кредит дня на {0} день (дни) +Note: Email will not be sent to disabled users,Примечание: E-mail не будет отправлен пользователей с ограниченными возможностями +Note: Item {0} entered multiple times,Примечание: Пункт {0} вошли несколько раз +Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,"Примечание: Оплата Вступление не будет создана, так как ""Наличные или Банковский счет"" не был указан" +Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Примечание: Система не будет проверять по-доставки и избыточного бронирования по пункту {0} как количестве 0 +Note: There is not enough leave balance for Leave Type {0},Примечание: Существует не хватает отпуск баланс для отпуске Тип {0} +Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Примечание: Эта МВЗ является Группа. Невозможно сделать бухгалтерские проводки против групп. +Note: {0},Примечание: {0} +Notes,Примечания +Notes:,Примечание: +Nothing to request,Ничего просить +Notice (days),Уведомление (дней) +Notification Control,Контроль Уведомление +Notification Email Address,Уведомление E-mail адрес +Notify by Email on creation of automatic Material Request,Сообщите по электронной почте по созданию автоматической запрос материалов +Number Format,Number Формат +Offer Date,Предложение Дата +Office,Офис +Office Equipments,Оборудование офиса +Office Maintenance Expenses,Офис эксплуатационные расходы +Office Rent,Аренда площади для офиса +Old Parent,Старый родительский +On Net Total,On Net Всего +On Previous Row Amount,На предыдущей балансовой Row +On Previous Row Total,На предыдущей строки Всего +Online Auctions,Аукционы в Интернете +Only Leave Applications with status 'Approved' can be submitted,"Только Оставьте приложений с статуса ""Одобрено"" могут быть представлены" +"Only Serial Nos with status ""Available"" can be delivered.","Только Серийный Нос со статусом ""В наличии"" может быть доставлено." +Only leaf nodes are allowed in transaction,Только листовые узлы допускаются в сделке +Only the selected Leave Approver can submit this Leave Application,Только выбранный Оставить утверждающий мог представить этот Оставить заявку +Open,Открыть +Open Production Orders,Открыть Производственные заказы +Open Tickets,Открытые Билеты +Opening (Cr),Открытие (Cr) +Opening (Dr),Открытие (д-р) +Opening Date,Открытие Дата +Opening Entry,Открытие запись +Opening Qty,Открытие Кол-во +Opening Time,Открытие Время +Opening Value,Открытие Значение +Opening for a Job.,Открытие на работу. +Operating Cost,Эксплуатационные затраты +Operation Description,Операция Описание +Operation No,Операция Нет +Operation Time (mins),Время работы (мин) +Operation {0} is repeated in Operations Table,Операция {0} повторяется в Operations таблице +Operation {0} not present in Operations Table,Операция {0} нет в Operations таблице +Operations,Эксплуатация +Opportunity,Возможность +Opportunity Date,Возможность Дата +Opportunity From,Возможность От +Opportunity Item,Возможность Пункт +Opportunity Items,Возможности товары +Opportunity Lost,Возможность Забыли +Opportunity Type,Возможность Тип +Optional. This setting will be used to filter in various transactions.,Факультативно. Эта установка будет использоваться для фильтрации в различных сделок. +Order Type,Тип заказа +Order Type must be one of {0},Тип заказа должен быть одним из {0} +Ordered,В обработке +Ordered Items To Be Billed,"Заказал пунктов, которые будут Объявленный" +Ordered Items To Be Delivered,Заказал детали быть поставленным +Ordered Qty,Заказал Кол-во +"Ordered Qty: Quantity ordered for purchase, but not received.","Заказал Количество: Количество заказал для покупки, но не получил." +Ordered Quantity,Заказанное количество +Orders released for production.,"Заказы, выпущенные для производства." +Organization Name,Название организации +Organization Profile,Профиль организации +Organization branch master.,Организация филиал мастер. +Organization unit (department) master.,Название подразделения (департамент) хозяин. +Other,Другое +Other Details,Другие детали +Others,Другое +Out Qty,Из Кол-во +Out Value,Выходное значение +Out of AMC,Из КУА +Out of Warranty,По истечении гарантийного срока +Outgoing,Исходящий +Outstanding Amount,Непогашенная сумма +Outstanding for {0} cannot be less than zero ({1}),Выдающийся для {0} не может быть меньше нуля ({1}) +Overhead,Накладные расходы +Overheads,Непроизводительные затраты +Overlapping conditions found between:,Перекрытие условия найдено между: +Overview,Обзор +Owned,Присвоено +Owner,Владелец +P L A - Cess Portion,НОАК - Цесс Порция +PL or BS,PL или BS +PO Date,PO Дата +PO No,Номер заказа на поставку +POP3 Mail Server,Почты POP3 Сервер +POP3 Mail Settings,Настройки почты POP3 +POP3 mail server (e.g. pop.gmail.com),POP3 почтовый сервер (например pop.gmail.com) +POP3 server e.g. (pop.gmail.com),"POP3-сервер, например, (pop.gmail.com)" +POS Setting,POS Настройка +POS Setting required to make POS Entry,POS Настройка требуется сделать POS запись +POS Setting {0} already created for user: {1} and company {2},POS Установка {0} уже создали для пользователя: {1} и компания {2} +POS View,POS Посмотреть +PR Detail,PR Подробно +Package Item Details,Пакет Детальная информация о товаре +Package Items,Пакет товары +Package Weight Details,Вес упаковки Подробнее +Packed Item,Упакованные Пункт +Packed quantity must equal quantity for Item {0} in row {1},Упакованные количество должно равняться количество для Пункт {0} в строке {1} +Packing Details,Детали упаковки +Packing List,Комплект поставки +Packing Slip,Упаковочный лист +Packing Slip Item,Упаковочный лист Пункт +Packing Slip Items,Упаковочный лист товары +Packing Slip(s) cancelled,Упаковочный лист (ы) отменяется +Page Break,Перерыв +Page Name,Имя страницы +Paid Amount,Выплаченная сумма +Paid amount + Write Off Amount can not be greater than Grand Total,"Платные сумма + списания сумма не может быть больше, чем общий итог" +Pair,Носите +Parameter,Параметр +Parent Account,Родитель счета +Parent Cost Center,Родитель МВЗ +Parent Customer Group,Родительский клиент Группа +Parent Detail docname,Родитель Деталь DOCNAME +Parent Item,Родитель Пункт +Parent Item Group,Родитель Пункт Группа +Parent Item {0} must be not Stock Item and must be a Sales Item,Родитель Пункт {0} должен быть не со Пункт и должен быть Продажи товара +Parent Party Type,Родитель партия Тип +Parent Sales Person,Лицо Родительские продаж +Parent Territory,Родитель Территория +Parent Website Page,Родитель Сайт Страница +Parent Website Route,Родитель Сайт Маршрут +Parenttype,ParentType +Part-time,Неполная занятость +Partially Completed,Частично Завершено +Partly Billed,Небольшая Объявленный +Partly Delivered,Небольшая Поставляются +Partner Target Detail,Партнер Целевая Подробно +Partner Type,Тип Партнер +Partner's Website,Сайт партнера +Party,Сторона +Party Account,Партия аккаунт +Party Type,Партия Тип +Party Type Name,Партия Тип Название +Passive,Пассивный +Passport Number,Номер паспорта +Password,Пароль +Pay To / Recd From,Pay To / RECD С +Payable,К оплате +Payables,Кредиторская задолженность +Payables Group,Кредиторская задолженность группы +Payment Days,Платежные дней +Payment Due Date,Дата платежа +Payment Period Based On Invoice Date,Оплата период на основе Накладная Дата +Payment Reconciliation,Оплата Примирение +Payment Reconciliation Invoice,Оплата Примирение Счет +Payment Reconciliation Invoices,Оплата примирения Счета +Payment Reconciliation Payment,Оплата Примирение Оплата +Payment Reconciliation Payments,Оплата примирения Платежи +Payment Type,Вид оплаты +Payment cannot be made for empty cart,Оплата не может быть сделано для пустого корзину +Payment of salary for the month {0} and year {1},Выплата заработной платы за месяц {0} и год {1} +Payments,Оплата +Payments Made,"Выплаты, производимые" +Payments Received,"Платежи, полученные" +Payments made during the digest period,Платежи в период дайджест +Payments received during the digest period,"Платежи, полученные в период дайджест" +Payroll Settings,Настройки по заработной плате +Pending,В ожидании +Pending Amount,В ожидании Сумма +Pending Items {0} updated,Нерешенные вопросы {0} обновляется +Pending Review,В ожидании отзыв +Pending SO Items For Purchase Request,В ожидании SO предметы для покупки запрос +Pension Funds,Пенсионные фонды +Percent Complete,Процент выполнения +Percentage Allocation,Процент Распределение +Percentage Allocation should be equal to 100%,Процент Распределение должно быть равно 100% +Percentage variation in quantity to be allowed while receiving or delivering this item.,"Изменение в процентах в количестве, чтобы иметь возможность во время приема или доставки этот пункт." +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 единиц." +Performance appraisal.,Служебная аттестация. +Period,Период обновления +Period Closing Voucher,Период Окончание Ваучер +Periodicity,Периодичность +Permanent Address,Постоянный адрес +Permanent Address Is,Постоянный адрес Является +Permission,Разрешение +Personal,Личное +Personal Details,Личные Данные +Personal Email,Личная E-mail +Pharmaceutical,Фармацевтический +Pharmaceuticals,Фармацевтика +Phone,Телефон +Phone No,Телефон Нет +Piecework,Сдельная работа +Pincode,Pincode +Place of Issue,Место выдачи +Plan for maintenance visits.,Запланируйте для посещения технического обслуживания. +Planned Qty,Планируемые Кол-во +"Planned Qty: Quantity, for which, Production Order has been raised, but is pending to be manufactured.","Планируемые Кол-во: Кол-во, для которых, производственного заказа был поднят, но находится на рассмотрении, которые будут изготовлены." +Planned Quantity,Планируемый Количество +Planning,Планирование +Plant,Завод +Plant and Machinery,Сооружения и оборудование +Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,"Пожалуйста, введите Аббревиатура или короткое имя правильно, как он будет добавлен в качестве суффикса для всех учетных записей глав." +Please Update SMS Settings,Обновите SMS Настройки +Please add expense voucher details,"Пожалуйста, добавьте расходов Детали ваучеров" +Please add to Modes of Payment from Setup.,"Пожалуйста, добавить в форм оплаты от установки." +Please check 'Is Advance' against Account {0} if this is an advance entry.,"Пожалуйста, проверьте ""Есть Advance"" против Счет {0}, если это заранее запись." +Please click on 'Generate Schedule',"Пожалуйста, нажмите на кнопку ""Generate Расписание""" +Please click on 'Generate Schedule' to fetch Serial No added for Item {0},"Пожалуйста, нажмите на кнопку ""Generate Расписание"", чтобы принести Серийный номер добавлен для Пункт {0}" +Please click on 'Generate Schedule' to get schedule,"Пожалуйста, нажмите на кнопку ""Generate Расписание"", чтобы получить график" +Please create Customer from Lead {0},"Пожалуйста, создайте Клиента от свинца {0}" +Please create Salary Structure for employee {0},"Пожалуйста, создайте Зарплата Структура для работника {0}" +Please create new account from Chart of Accounts.,"Пожалуйста, создайте новую учетную запись с Планом счетов бухгалтерского учета." +Please do NOT create Account (Ledgers) for Customers and Suppliers. They are created directly from the Customer / Supplier masters.,"Пожалуйста, не создавайте аккаунт (бухгалтерские книги) для заказчиков и поставщиков. Они создаются непосредственно от клиентов / поставщиков мастеров." +Please enter 'Expected Delivery Date',"Пожалуйста, введите 'ожидаемой даты поставки """ +Please enter 'Is Subcontracted' as Yes or No,"Пожалуйста, введите 'Является субподряду "", как Да или Нет" +Please enter 'Repeat on Day of Month' field value,"Пожалуйста, введите 'Repeat на день месяца' значения поля" +Please enter Account Receivable/Payable group in company master,"Пожалуйста, введите Дебиторская задолженность / кредиторская задолженность группы в мастера компании" +Please enter Approving Role or Approving User,"Пожалуйста, введите утверждении роли или утверждении Пользователь" +Please enter BOM for Item {0} at row {1},"Пожалуйста, введите BOM по пункту {0} в строке {1}" +Please enter Company,"Пожалуйста, введите Компания" +Please enter Cost Center,"Пожалуйста, введите МВЗ" +Please enter Delivery Note No or Sales Invoice No to proceed,"Пожалуйста, введите накладную Нет или счет-фактура Нет, чтобы продолжить" +Please enter Employee Id of this sales parson,"Пожалуйста, введите код сотрудника этого продаж пастора" +Please enter Expense Account,"Пожалуйста, введите Expense счет" +Please enter Item Code to get batch no,"Пожалуйста, введите Код товара, чтобы получить партию не" +Please enter Item Code.,"Пожалуйста, введите Код товара." +Please enter Item first,"Пожалуйста, введите пункт первый" +Please enter Maintaince Details first,"Пожалуйста, введите Maintaince Подробности" +Please enter Master Name once the account is created.,"Пожалуйста, введите Master Имя только учетная запись будет создана." +Please enter Planned Qty for Item {0} at row {1},"Пожалуйста, введите Запланированное Количество по пункту {0} в строке {1}" +Please enter Production Item first,"Пожалуйста, введите выпуска изделия сначала" +Please enter Purchase Receipt No to proceed,"Пожалуйста, введите ТОВАРНЫЙ ЧЕК Нет, чтобы продолжить" +Please enter Reference date,"Пожалуйста, введите дату Ссылка" +Please enter Warehouse for which Material Request will be raised,"Пожалуйста, введите Склад для которых Материал Запрос будет поднят" +Please enter Write Off Account,"Пожалуйста, введите списать счет" +Please enter atleast 1 invoice in the table,"Пожалуйста, введите не менее чем 1-фактуру в таблице" +Please enter company first,"Пожалуйста, введите компанию первой" +Please enter company name first,"Пожалуйста, введите название компании сначала" +Please enter default Unit of Measure,"Пожалуйста, введите умолчанию единицу измерения" +Please enter default currency in Company Master,"Пожалуйста, введите валюту по умолчанию в компании Master" +Please enter email address,"Пожалуйста, введите адрес электронной почты," +Please enter item details,"Пожалуйста, введите детали деталя" +Please enter message before sending,"Пожалуйста, введите сообщение перед отправкой" +Please enter parent account group for warehouse account,"Пожалуйста, введите родительскую группу счета для складского учета" +Please enter parent cost center,"Пожалуйста, введите МВЗ родительский" +Please enter quantity for Item {0},"Пожалуйста, введите количество для Пункт {0}" +Please enter relieving date.,"Пожалуйста, введите даты снятия." +Please enter sales order in the above table,"Пожалуйста, введите заказ клиента в таблице выше" +Please enter valid Company Email,"Пожалуйста, введите действительный Компания Email" +Please enter valid Email Id,"Пожалуйста, введите действительный адрес электронной почты Id" +Please enter valid Personal Email,"Пожалуйста, введите действительный Личная на e-mail" +Please enter valid mobile nos,Введите действительные мобильных NOS +Please find attached Sales Invoice #{0},Прилагаем Расходная накладная # {0} +Please install dropbox python module,"Пожалуйста, установите модуль питона Dropbox" +Please mention no of visits required,"Пожалуйста, укажите кол-во посещений, необходимых" +Please pull items from Delivery Note,Пожалуйста вытяните элементов из накладной +Please save the Newsletter before sending,"Пожалуйста, сохраните бюллетень перед отправкой" +Please save the document before generating maintenance schedule,"Пожалуйста, сохраните документ перед генерацией график технического обслуживания" +Please see attachment,"Пожалуйста, см. приложение" +Please select Bank Account,"Пожалуйста, выберите банковский счет" +Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,"Пожалуйста, выберите переносить, если вы также хотите включить баланс предыдущего финансового года оставляет в этом финансовом году" +Please select Category first,"Пожалуйста, выберите категорию первый" +Please select Charge Type first,"Пожалуйста, выберите Charge Тип первый" +Please select Fiscal Year,"Пожалуйста, выберите финансовый год" +Please select Group or Ledger value,"Пожалуйста, выберите Group или Ledger значение" +Please select Incharge Person's name,"Пожалуйста, выберите имя InCharge Лица" +Please select Invoice Type and Invoice Number in atleast one row,"Пожалуйста, выберите Счет Тип и номер счета-фактуры в по крайней мере одном ряду" +"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Sales BOM","Пожалуйста, выберите пункт, где ""это со Пункт"" является ""Нет"" и ""является продажа товара"" ""да"" и нет никакой другой Продажи BOM" +Please select Price List,"Пожалуйста, выберите прайс-лист" +Please select Start Date and End Date for Item {0},"Пожалуйста, выберите дату начала и дату окончания Пункт {0}" +Please select Time Logs.,"Пожалуйста, выберите Журналы Время." +Please select a csv file,Выберите файл CSV +Please select a valid csv file with data,"Пожалуйста, выберите правильный файл CSV с данными" +Please select a value for {0} quotation_to {1},"Пожалуйста, выберите значение для {0} quotation_to {1}" +"Please select an ""Image"" first","Пожалуйста, выберите ""Image"" первым" +Please select charge type first,"Пожалуйста, выберите тип заряда первым" +Please select company first,"Пожалуйста, выберите компанию первой" +Please select company first.,"Пожалуйста, выберите компанию в первую очередь." +Please select item code,"Пожалуйста, выберите элемент кода" +Please select month and year,"Пожалуйста, выберите месяц и год" +Please select prefix first,"Пожалуйста, выберите префикс первым" +Please select the document type first,"Пожалуйста, выберите тип документа сначала" +Please select weekly off day,"Пожалуйста, выберите в неделю выходной" +Please select {0},"Пожалуйста, выберите {0}" +Please select {0} first,"Пожалуйста, выберите {0} первый" +Please select {0} first.,"Пожалуйста, выберите {0} в первую очередь." +Please set Dropbox access keys in your site config,"Пожалуйста, установите ключи доступа Dropbox на своем сайте конфигурации" +Please set Google Drive access keys in {0},"Пожалуйста, установите ключи доступа Google Drive, в {0}" +Please set default Cash or Bank account in Mode of Payment {0},"Пожалуйста, установите Cash умолчанию или банковский счет в режим оплаты {0}" +Please set default value {0} in Company {0},"Пожалуйста, установите значение по умолчанию {0} в компании {0}" +Please set {0},"Пожалуйста, установите {0}" +Please setup Employee Naming System in Human Resource > HR Settings,"Пожалуйста, установите Сотрудник система именования в Human Resource> Настройки HR" +Please setup numbering series for Attendance via Setup > Numbering Series,"Пожалуйста, установите нумерация серии для Посещаемость через Настройка> нумерации серии" +Please setup your chart of accounts before you start Accounting Entries,"Пожалуйста, установите свой план счетов, прежде чем начать бухгалтерских проводок" +Please specify,"Пожалуйста, сформулируйте" +Please specify Company,"Пожалуйста, сформулируйте Компания" +Please specify Company to proceed,"Пожалуйста, сформулируйте Компания приступить" +Please specify Default Currency in Company Master and Global Defaults,"Пожалуйста, сформулируйте Базовая валюта в компании Мастер и общие настройки по умолчанию" +Please specify a,"Пожалуйста, сформулируйте" +Please specify a valid 'From Case No.',"Пожалуйста, сформулируйте действительный 'От делу №'" +Please specify a valid Row ID for {0} in row {1},Укажите правильный Row ID для {0} в строке {1} +Please specify either Quantity or Valuation Rate or both,"Пожалуйста, сформулируйте либо Количество или оценка Оценить или оба" +Please submit to update Leave Balance.,"Пожалуйста, отправьте обновить Leave баланса." +Plot,Сюжет +Plot By,Участок По +Point of Sale,Точки продаж +Point-of-Sale Setting,Точка-оф-продажи Настройка +Post Graduate,Послевузовском +Postal,Почтовый +Postal Expenses,Почтовые расходы +Posting Date,Дата публикации +Posting Time,Средняя Время +Posting date and posting time is mandatory,Дата публикации и размещения время является обязательным +Posting timestamp must be after {0},Средняя отметка должна быть после {0} +Potential opportunities for selling.,Потенциальные возможности для продажи. +Preferred Billing Address,Популярные Адрес для выставления счета +Preferred Shipping Address,Популярные Адрес доставки +Prefix,Префикс +Present,Настоящее. +Prevdoc DocType,Prevdoc DocType +Prevdoc Doctype,Prevdoc Doctype +Preview,Просмотр +Previous,Предыдущая +Previous Work Experience,Предыдущий опыт работы +Price,Цена +Price / Discount,Цена / Скидка +Price List,Прайс-лист +Price List Currency,Прайс-лист валют +Price List Currency not selected,Прайс-лист Обмен не выбран +Price List Exchange Rate,Прайс-лист валютный курс +Price List Name,Цена Имя +Price List Rate,Прайс-лист Оценить +Price List Rate (Company Currency),Прайс-лист Тариф (Компания Валюта) +Price List master.,Мастер Прайс-лист. +Price List must be applicable for Buying or Selling,Прайс-лист должен быть применим для покупки или продажи +Price List not selected,Прайс-лист не выбран +Price List {0} is disabled,Прайс-лист {0} отключена +Price or Discount,Цена или Скидка +Pricing Rule,Цены Правило +Pricing Rule Help,Цены Правило Помощь +"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Цены Правило сначала выбирается на основе ""Применить На"" поле, которое может быть Пункт, Пункт Группа или Марка." +"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Цены Правило состоит перезаписать Прайс-лист / определить скидка процент, на основе некоторых критериев." +Pricing Rules are further filtered based on quantity.,Цены Правила дополнительно фильтруются на основе количества. +Print Format Style,Формат печати Стиль +Print Heading,Распечатать Заголовок +Print Without Amount,Распечатать Без сумма +Print and Stationary,Печать и стационарное +Printing and Branding,Печать и брендинг +Priority,Приоритет +Private Equity,Private Equity +Privilege Leave,Привилегированный Оставить +Probation,Испытательный срок +Process Payroll,Процесс расчета заработной платы +Produced,Произведено +Produced Quantity,Добытое количество +Product Enquiry,Product Enquiry Production,Производство -Production Order,Тариф (Компания Валюта) -Production Order status is {0},Стоимость акций -Production Order {0} must be cancelled before cancelling this Sales Order,Сотрудник Информация -Production Order {0} must be submitted,Серийный номер -Production Orders,"Оставьте пустым, если рассматривать для всех обозначений" -Production Orders in Progress,Цитата Для -Production Plan Item,Серийный номер {0} находится на гарантии ДО {1} -Production Plan Items,Цели -Production Plan Sales Order,Медицинский -Production Plan Sales Orders,Полностью Объявленный -Production Planning Tool,Продажи Порядок Дата -Products,"Элементы, необходимые" -"Products will be sorted by weight-age in default searches. More the weight-age, higher the product will appear in the list.",Название страны -Profit and Loss,Старый родительский -Project,Журнал Ваучер {0} не имеет учетной записи {1} или уже согласованы -Project Costing,Склад в заказе на пропавших без вести -Project Details,Игнорируется: -Project Manager,Цена / Скидка -Project Milestone,Отставка Письмо Дата -Project Milestones,Re-Количество заказа -Project Name,Списание суммы задолженности -Project Start Date,Установить как Остаться в живых -Project Type,{0} не является допустимым номер партии по пункту {1} -Project Value,Чтение 10 -Project activity / task.,Телефон -Project master.,Фото не могут быть обновлены против накладной {0} -Project will get saved and will be searchable with project name given,По умолчанию Тип Поставщик -Project wise Stock Tracking,Новый Имя счета -Project-wise data is not available for Quotation,Наименование заказчика -Projected,Субподряд -Projected Qty,Серийный номер {0} уже получил -Projects,Зарплата скольжения Вычет -Projects & System,"Когда любой из проверенных операций ""Представленные"", по электронной почте всплывающее автоматически открывается, чтобы отправить письмо в соответствующий «Контакт» в этой транзакции, с транзакцией в качестве вложения. Пользователь может или не может отправить по электронной почте." -Prompt for Email on Submission of,Расходов претензии Подробно -Proposal Writing,Этот налог Входит ли в базовой ставки? -Provide email id registered in company,По умолчанию Покупка Прайс-лист -Public,Судебные издержки -Published on website at: {0},Код товара требуется на Row Нет {0} -Publishing,Счет с существующей сделки не могут быть преобразованы в книге -Pull sales orders (pending to deliver) based on the above criteria,Автоматически обновляется через фондовой позиции типа Производство / Repack -Purchase,Прайс-лист -Purchase / Manufacture Details,Проверено -Purchase Analytics,На предыдущей строки Всего -Purchase Common,Прибыль и убытки -Purchase Details,Связаться Мобильный Нет -Purchase Discounts,"Количество в строке {0} ({1}) должна быть такой же, как изготавливается количество {2}" -Purchase Invoice,Журнал соединений. -Purchase Invoice Advance,Представьте все промахи зарплаты для указанных выше выбранным критериям -Purchase Invoice Advances,Импорт Посещаемость -Purchase Invoice Item,Человек по продажам -Purchase Invoice Trends,Создать зарплат Slips -Purchase Invoice {0} is already submitted,Сооружения и оборудование -Purchase Order,Счет {0} неактивен -Purchase Order Date,Партнер по продажам -Purchase Order Item,Давальческого сырья -Purchase Order Item No,{0} не может быть отрицательным -Purchase Order Item Supplied,Пользователь {0} отключена -Purchase Order Items,Подробности выпуск -Purchase Order Items Supplied,"Указывает, что пакет является частью этой поставки (только проект)" -Purchase Order Items To Be Billed,Макс Кол-во -Purchase Order Items To Be Received,Запасы и Излишки -Purchase Order Message," Добавить / Изменить " -Purchase Order Required,Поставщик Именование По -Purchase Order Trends,"Пожалуйста, выберите банковский счет" -Purchase Order number required for Item {0},"Если не установлен, то список нужно будет добавлен в каждом департаменте, где он должен быть применен." -Purchase Order {0} is 'Stopped',Рассмотрим налога или сбора для -Purchase Order {0} is not submitted,Параметр -Purchase Orders given to Suppliers.,Статус -Purchase Receipt,Дизайнер -Purchase Receipt Item,Перерыв -Purchase Receipt Item Supplied,"Продукты будут отсортированы по весу возраста в поисках по умолчанию. Более вес-возраст, выше продукт появится в списке." -Purchase Receipt Item Supplieds,Адаптация -Purchase Receipt Items,кг -Purchase Receipt Message,Для стороне сервера форматов печати -Purchase Receipt No,Газетных издателей -Purchase Receipt Required,Приоритет -Purchase Receipt Trends,Пользовательские Autoreply Сообщение -Purchase Receipt number required for Item {0},Основные доклады -Purchase Receipt {0} is not submitted,Партнер по продажам Имя -Purchase Register,Выход Интервью Подробности -Purchase Return,Перечислите этот пункт в нескольких группах на веб-сайте. -Purchase Returned,"Пожалуйста, введите Maintaince Подробности" -Purchase Taxes and Charges,Открытые Билеты -Purchase Taxes and Charges Master,Информация о посещаемости. -Purchse Order number required for Item {0},Техническое обслуживание Посетить -Purpose,Отключить -Purpose must be one of {0},"Пожалуйста, нажмите на кнопку ""Generate Расписание""" -QA Inspection,Все эти предметы уже выставлен счет -Qty,Поделись с -Qty Consumed Per Unit,Доставка Примечание Элементы -Qty To Manufacture,Ценные бумаги и товарных бирж -Qty as per Stock UOM,'To Date' требуется -Qty to Deliver,Заказ на сообщение -Qty to Order,Актив -Qty to Receive,Раз в полгода -Qty to Transfer,Резервное копирование прямо сейчас -Qualification,"Невозможно выбрать тип заряда, как «О предыдущего ряда Сумма» или «О предыдущего ряда Всего 'для первой строки" -Quality,Запрос на предоставление информации -Quality Inspection,Сделать учета запись для каждого фондовой Движения -Quality Inspection Parameters,"Пожалуйста, сформулируйте либо Количество или оценка Оценить или оба" -Quality Inspection Reading,Неправильный Шаблон: Не удается найти голову строку. -Quality Inspection Readings,Виды Expense претензии. -Quality Inspection required for Item {0},Создает ведомость расчета зарплаты за вышеуказанные критерии. -Quality Management,Относится к компании -Quantity,"Единица измерения этого пункта (например, кг, за штуку, нет, Pair)." -Quantity Requested for Purchase,Название организации -Quantity and Rate,"Платные сумма + списания сумма не может быть больше, чем общий итог" -Quantity and Warehouse,Переименовать Входить -Quantity cannot be a fraction in row {0},Дата реализации -Quantity for Item {0} must be less than {1},Дата завершения -Quantity in row {0} ({1}) must be same as manufactured quantity {2},Расходная накладная Advance -Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Дата окончания -Quantity required for Item {0} in row {1},Расходов счета -Quarter,Покупка Common -Quarterly,Партия Тип -Quick Help,Продажа -Quotation,Продажи Налоги и сборы Мастер -Quotation Date,Адрес Название является обязательным. -Quotation Item,Проверьте бюллетень -Quotation Items,Сделать Maint. Посетите нас по адресу -Quotation Lost Reason,Sub сборки -Quotation Message,Сохранено -Quotation To,Накладные расходы -Quotation Trends,BOM продаж товара -Quotation {0} is cancelled,Кинофильм & Видео -Quotation {0} not of type {1},Откупоривать -Quotations received from Suppliers.,Год Passing -Quotes to Leads or Customers.,Чистая зарплата не может быть отрицательным -Raise Material Request when stock reaches re-order level,Если Месячный бюджет Превышен -Raised By,Рассеянность -Raised By (Email),"Проверьте, чтобы основной адрес" -Random,Дебет Amt -Range,Поставщик существует с одноименным названием -Rate,Кредиторской / дебиторской задолженности +Production Order,Производственный заказ +Production Order status is {0},Статус производственного заказа {0} +Production Order {0} must be cancelled before cancelling this Sales Order,Производственный заказ {0} должно быть отменено до отмены этого заказ клиента +Production Order {0} must be submitted,Производственный заказ {0} должны быть представлены +Production Orders,Производственные заказы +Production Orders in Progress,Производственные заказы в Прогресс +Production Plan Item,Производственный план Пункт +Production Plan Items,Производственный план товары +Production Plan Sales Order,Производственный план по продажам Заказать +Production Plan Sales Orders,Производственный план Заказы +Production Planning Tool,Планирование производства инструмента +Products,Продукты +"Products will be sorted by weight-age in default searches. More the weight-age, higher the product will appear in the list.","Продукты будут отсортированы по весу возраста в поисках по умолчанию. Более вес-возраст, выше продукт появится в списке." +Professional Tax,Профессиональный Налоговый +Profit and Loss,Прибыль и убытки +Profit and Loss Statement,Счет прибылей и убытков +Project,Адаптация +Project Costing,Проект стоимостью +Project Details,Детали проекта +Project Manager,Руководитель проекта +Project Milestone,Проект Milestone +Project Milestones,Основные этапы проекта +Project Name,Название проекта +Project Start Date,Дата начала проекта +Project Type,Тип проекта +Project Value,Значение проекта +Project activity / task.,Проектная деятельность / задачей. +Project master.,Мастер проекта. +Project will get saved and will be searchable with project name given,Проект будет спастись и будут доступны для поиска с именем проекта дается +Project wise Stock Tracking,Проект мудрый слежения со +Project-wise data is not available for Quotation,Проект мудрый данные не доступны для коммерческого предложения +Projected,Проектированный +Projected Qty,Прогнозируемый Количество +Projects,Проекты +Projects & System,Проекты и система +Prompt for Email on Submission of,Запрашивать Email по подаче +Proposal Writing,Предложение Написание +Provide email id registered in company,Обеспечить электронный идентификатор зарегистрирован в компании +Provisional Profit / Loss (Credit),Предварительная прибыль / убыток (Кредит) +Public,Публичный +Published on website at: {0},Опубликовано на веб-сайте по адресу: {0} +Publishing,Публикация +Pull sales orders (pending to deliver) based on the above criteria,"Потяните заказы на продажу (в ожидании, чтобы доставить) на основе вышеуказанных критериев" +Purchase,Купить +Purchase / Manufacture Details,Покупка / Производство Подробнее +Purchase Analytics,Покупка Аналитика +Purchase Common,Покупка Common +Purchase Details,Покупка Подробности +Purchase Discounts,Покупка Скидки +Purchase Invoice,Покупка Счет +Purchase Invoice Advance,Счета-фактуры Advance +Purchase Invoice Advances,Счета-фактуры Авансы +Purchase Invoice Item,Покупка Счет Пункт +Purchase Invoice Trends,Счета-фактуры Тенденции +Purchase Invoice {0} is already submitted,Покупка Счет {0} уже подано +Purchase Order,Заказ на покупку +Purchase Order Item,Заказ товара +Purchase Order Item No,Заказ товара Нет +Purchase Order Item Supplied,Заказ товара Поставляется +Purchase Order Items,Покупка Заказ позиции +Purchase Order Items Supplied,Покупка Заказ позиции Поставляется +Purchase Order Items To Be Billed,Покупка Заказ позиции быть выставлен счет +Purchase Order Items To Be Received,"Покупка Заказ позиции, которые будут получены" +Purchase Order Message,Заказ на сообщение +Purchase Order Required,"Покупка порядке, предусмотренном" +Purchase Order Trends,Заказ на покупку Тенденции +Purchase Order number required for Item {0},Число Заказ требуется для Пункт {0} +Purchase Order {0} is 'Stopped',"Заказ на {0} 'Остановлена """ +Purchase Order {0} is not submitted,Заказ на {0} не представлено +Purchase Orders given to Suppliers.,"Заказы, выданные поставщикам." +Purchase Receipt,Покупка Получение +Purchase Receipt Item,Покупка Получение товара +Purchase Receipt Item Supplied,Покупка Получение товара Поставляется +Purchase Receipt Item Supplieds,Покупка получения элемента Supplieds +Purchase Receipt Items,Покупка чеков товары +Purchase Receipt Message,Покупка Получение Сообщение +Purchase Receipt No,Покупка Получение Нет +Purchase Receipt Required,Покупка Получение необходимое +Purchase Receipt Trends,Покупка чеков тенденции +Purchase Receipt number required for Item {0},"Покупка Получение число, необходимое для Пункт {0}" +Purchase Receipt {0} is not submitted,Покупка Получение {0} не представлено +Purchase Register,Покупка Становиться на учет +Purchase Return,Покупка Вернуться +Purchase Returned,Покупка вернулся +Purchase Taxes and Charges,Покупка Налоги и сборы +Purchase Taxes and Charges Master,Покупка Налоги и сборы Мастер +Purchse Order number required for Item {0},Число Purchse Заказать требуется для Пункт {0} +Purpose,Цели +Purpose must be one of {0},Цель должна быть одна из {0} +QA Inspection,Инспекция контроля качества +Qty,Кол-во +Qty Consumed Per Unit,Кол-во Потребляемая на единицу +Qty To Manufacture,Кол-во для производства +Qty as per Stock UOM,Кол-во в соответствии со UOM +Qty to Deliver,Кол-во для доставки +Qty to Order,Кол-во в заказ +Qty to Receive,Кол-во на получение +Qty to Transfer,Кол-во для передачи +Qualification,Квалификаци +Quality,Качество +Quality Inspection,Контроль качества +Quality Inspection Parameters,Параметры Контроль качества +Quality Inspection Reading,Контроль качества Чтение +Quality Inspection Readings,Контроль качества чтения +Quality Inspection required for Item {0},"Контроль качества, необходимые для Пункт {0}" +Quality Management,Управление качеством +Quantity,Количество +Quantity Requested for Purchase,Количество Потребовал для покупки +Quantity and Rate,Количество и курс +Quantity and Warehouse,Количество и Склад +Quantity cannot be a fraction in row {0},Количество не может быть фракция в строке {0} +Quantity for Item {0} must be less than {1},Количество по пункту {0} должно быть меньше {1} +Quantity in row {0} ({1}) must be same as manufactured quantity {2},"Количество в строке {0} ({1}) должна быть такой же, как изготавливается количество {2}" +Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Количество пункта получены после изготовления / переупаковка от заданных величин сырья +Quantity required for Item {0} in row {1},Кол-во для Пункт {0} в строке {1} +Quarter,квартал +Quarterly,Ежеквартально +Quick Help,Быстрая помощь +Quotation,Расценки +Quotation Item,Цитата Пункт +Quotation Items,Котировочные товары +Quotation Lost Reason,Цитата Забыли Причина +Quotation Message,Цитата Сообщение +Quotation To,Цитата Для +Quotation Trends,Котировочные тенденции +Quotation {0} is cancelled,Цитата {0} отменяется +Quotation {0} not of type {1},Цитата {0} не типа {1} +Quotations received from Suppliers.,Котировки полученных от поставщиков. +Quotes to Leads or Customers.,Котировки в снабжении или клиентов. +Raise Material Request when stock reaches re-order level,Поднимите Материал запрос когда шток достигает уровня переупорядочиваем +Raised By,Поднятый По +Raised By (Email),Поднятый силу (Email) +Random,В случайном порядке +Range,температур +Rate,Оценить Rate , -Rate (%),Добро пожаловать! -Rate (Company Currency),Утверждено -Rate Of Materials Based On,Полный рабочий день -Rate and Amount,Вещание -Rate at which Customer Currency is converted to customer's base currency,SO Дата -Rate at which Price list currency is converted to company's base currency,Требуется Дата -Rate at which Price list currency is converted to customer's base currency,Доход Заказанный -Rate at which customer's currency is converted to company's base currency,Google Drive -Rate at which supplier's currency is converted to company's base currency,Фамилия -Rate at which this tax is applied,Получить шаблон -Raw Material,Стоп! -Raw Material Item Code,"{0} является обязательным. Может быть, Обмен валюты запись не создана для {1} по {2}." -Raw Materials Supplied,"К сожалению, Серийный Нос не могут быть объединены" -Raw Materials Supplied Cost,Запросы Материал {0} создан -Raw material cannot be same as main Item,Время и бюджет -Re-Order Level,"Введите отдел, к которому принадлежит этого контакт" -Re-Order Qty,Зарплата скольжения -Re-order,Документация -Re-order Level,Тип проекта -Re-order Qty,Против Journal ваучером {0} не имеет непревзойденную {1} запись -Read,"Выплаты, производимые" -Reading 1,Чтение 6 -Reading 10,Заказ товара Нет -Reading 2,Чтение 3 -Reading 3,Чтение 1 -Reading 4,Чтение 5 -Reading 5,"""На основе"" и ""Группировка по"" не может быть таким же," -Reading 6,Чтение 7 -Reading 7,Чтение 4 -Reading 8,Чтение 9 -Reading 9,Представьте Зарплата Слип -Real Estate,Ряд {0}: Счет не соответствует с \ \ п Расходная накладная дебету счета -Reason,Dropbox Ключ доступа -Reason for Leaving,Покупка Настройки -Reason for Resignation,"""С даты 'должно быть после' To Date '" -Reason for losing,Измененный С -Recd Quantity,Сделать Поставщик цитаты -Receivable,"Выберите ""Да"", если вы поддерживаете запас этого пункта в вашем инвентаре." -Receivable / Payable account will be identified based on the field Master Type,Инспекция Тип -Receivables,Тип запроса -Receivables / Payables,Управление Территория дерево. -Receivables Group,Первый пользователя: Вы -Received Date,Чтобы отслеживать любые установки или ввода соответствующей работы после продаж -Received Items To Be Billed,"Дата обновления оформление Записей в журнале отмечается как «Банк Ваучеры""" -Received Qty,"Проверьте это, чтобы вытащить письма из почтового ящика" -Received and Accepted,Кредит-нота -Receiver List,Школа / университет -Receiver List is empty. Please create Receiver List,Territory Manager -Receiver Parameter,Сообщение обновляется -Recipients,"Пожалуйста, введите МВЗ родительский" -Reconcile,Выберите название компании в первую очередь. -Reconciliation Data,Полдня -Reconciliation HTML,Number Формат -Reconciliation JSON,В валюту -Record item movement.,"Хост, E-mail и пароль требуется, если электронные письма потянуться" -Recurring Id,Материалы -Recurring Invoice,POS Настройка требуется сделать POS запись -Recurring Type,Вызовы -Reduce Deduction for Leave Without Pay (LWP),"Пожалуйста, введите Компания" -Reduce Earning for Leave Without Pay (LWP),* Будет рассчитана в сделке. -Ref,По словам будет виден только вы сохраните заказ клиента. -Ref Code,Если вы будете следовать осмотра качества. Разрешает Item требуется и QA QA Нет в ТОВАРНЫЙ ЧЕК -Ref SQ,Carry направляются листья -Reference,Согласовать -Reference #{0} dated {1},Оставить заявка была одобрена. -Reference Date,Должно быть Целое число -Reference Name,"{0} {1} статус ""Остановлен""" -Reference No & Reference Date is required for {0},"Чтобы назначить эту проблему, используйте кнопку ""Назначить"" в боковой панели." -Reference No is mandatory if you entered Reference Date,"модные," -Reference Number,Поставщик базы данных. -Reference Row #,Оценка и Всего -Refresh,Покупка Заказ позиции Поставляется -Registration Details,Рассчитать на основе -Registration Info,"Баланс счета уже в дебет, вы не можете установить ""баланс должен быть 'как' Кредит»" -Rejected,Решили По -Rejected Quantity,Номер заказа на поставку -Rejected Serial No,Процент Распределение должно быть равно 100% -Rejected Warehouse,"Чтобы зарегистрироваться голову под другую компанию, выбрать компанию и сохранить клиента." -Rejected Warehouse is mandatory against regected item,"Вы уверены, что хотите остановить" -Relation,Установка Тип аккаунта помогает в выборе этого счет в сделках. -Relieving Date,Получить последнюю покупку Оценить -Relieving Date must be greater than Date of Joining,Продажи Заказ позиции -Remark,Всего не может быть нулевым -Remarks,Пункт {0} должен быть Service Элемент. -Rename,Удалить -Rename Log,"Морозильники Акции старше, чем [дней]" -Rename Tool,Проблемы Здоровья -Rent Cost,Серийный Нос Требуется для сериализованный элемент {0} -Rent per hour,Внешний GPS с RS232 -Rented,Сельское хозяйство -Repeat on Day of Month,Родитель Пункт -Replace,Цена или Скидка -Replace Item / BOM in all BOMs,Настройки по умолчанию для биржевых операций. -Replied,Прямая прибыль -Report Date,Для отслеживания элементов в покупки и продажи документы с пакетной н.у.к
Популярные промышленности: Химическая и т.д. -Report Type,BOM {0} для Пункт {1} в строке {2} неактивен или не представили -Report Type is mandatory,Баланс должен быть -Reports to,Количество Акцизный Страница -Reqd By Date,Диаграмма Ганта всех задач. -Request Type,Количество -Request for Information,Спецификация Подробности -Request for purchase.,Наличными или банковский счет является обязательным для внесения записи платежей -Requested,"Расходов / Разница счет ({0}) должен быть ""прибыль или убыток» счета" -Requested For,"Вид документа, переименовать." -Requested Items To Be Ordered,Человек мудрый продаж Общая информация по сделкам -Requested Items To Be Transferred,Global Setting POS {0} уже создан для компании {1} -Requested Qty,Новая спецификация после замены -"Requested Qty: Quantity requested for purchase, but not ordered.",Является Отмененные -Requests for items.,Аренда в час -Required By,Адрес для выставления счета Имя -Required Date,и год: -Required Qty,Маркетинг -Required only for sample item.,Регистрационные номера компании для вашей справки. Пример: НДС регистрационные номера и т.д. -Required raw materials issued to the supplier for producing a sub - contracted item.,"Пожалуйста, установите Сотрудник система именования в Human Resource> Настройки HR" -Research,Периодическое Счет -Research & Development,Примечания -Researcher,Не найдено ни одного клиента или поставщика счета -Reseller,Серия установки -Reserved,Unstop Заказ -Reserved Qty,Повторите с Днем Ежемесячно -"Reserved Qty: Quantity ordered for sale, but not delivered.",Количество Потребовал для покупки -Reserved Quantity,"Расходов или Разница счета является обязательным для п. {0}, поскольку это влияет общая стоимость акции" -Reserved Warehouse,SMS центр -Reserved Warehouse in Sales Order / Finished Goods Warehouse,Час Оценить труда -Reserved Warehouse is missing in Sales Order,"Все экспорт смежных областях, как валюты, обменный курс, экспорт Количество, экспорт общего итога и т.д. доступны в накладной, POS, цитаты, счет-фактура, заказ клиента и т.д." -Reserved Warehouse required for stock Item {0} in row {1},Операция {0} повторяется в Operations таблице -Reserved warehouse required for stock item {0},"Потяните заказы на продажу (в ожидании, чтобы доставить) на основе вышеуказанных критериев" -Reserves and Surplus,Dropbox доступ разрешен -Reset Filters,Огрызок -Resignation Letter Date,Реклама -Resolution,Родитель Деталь DOCNAME -Resolution Date,{0} должно быть меньше или равно {1} -Resolution Details,"Если два или более Ценообразование Правила найдены на основе указанных выше условиях, приоритет применяется. Приоритет представляет собой число от 0 до 20 в то время как значение по умолчанию равно нулю (пусто). Большее число означает, что он будет иметь приоритет, если есть несколько правил ценообразования с одинаковых условиях." -Resolved By,Счета заморожены До -Rest Of The World,Коммерческий сектор -Retail,Как Ценообразование Правило применяется? -Retail & Wholesale,Расходов претензии Утверждено Сообщение -Retailer,"Пункт, который представляет пакет. Этот элемент, должно быть, ""Является фонда Пункт"" а ""Нет"" и ""является продажа товара"", как ""Да""" -Review Date,Если Годовой бюджет превысили -Rgt,Входной контроль качества. -Role Allowed to edit frozen stock,Поделиться -Role that is allowed to submit transactions that exceed credit limits set.,Отдел -Root Type,"Введите название компании, под какой учетной Руководитель будут созданы для этого поставщика" -Root Type is mandatory,Содержимое -Root account can not be deleted,"Дата окончания не может быть меньше, чем Дата начала" -Root cannot be edited.,Как к вам обращаться? -Root cannot have a parent cost center,С Днем Рождения! -Rounded Off,Параметры Контроль качества -Rounded Total,{0} {1} был изменен. Обновите. -Rounded Total (Company Currency),"Неверный количество, указанное для элемента {0}. Количество должно быть больше 0." +Rate (%),Ставка (%) +Rate (Company Currency),Тариф (Компания Валюта) +Rate Of Materials Based On,Оценить материалов на основе +Rate and Amount,Ставку и сумму +Rate at which Customer Currency is converted to customer's base currency,"Скорость, с которой Заказчик валют преобразуется в базовой валюте клиента" +Rate at which Price list currency is converted to company's base currency,"Скорость, с которой Прайс-лист валюта конвертируется в базовую валюту компании" +Rate at which Price list currency is converted to customer's base currency,"Скорость, с которой Прайс-лист валюта конвертируется в базовой валюте клиента" +Rate at which customer's currency is converted to company's base currency,"Скорость, с которой валюта клиента превращается в базовой валюте компании" +Rate at which supplier's currency is converted to company's base currency,"Скорость, с которой валюта продукция превращается в базовой валюте компании" +Rate at which this tax is applied,"Скорость, с которой этот налог применяется" +Raw Material,Спецификации сырья +Raw Material Item Code,Сырье Код товара +Raw Materials Supplied,Давальческого сырья +Raw Materials Supplied Cost,Сырье Поставляется Стоимость +Raw material cannot be same as main Item,"Сырье не может быть такой же, как главный пункт" +Re-Order Level,Изменить порядок Уровень +Re-Order Qty,Re-Количество заказа +Re-order,Re порядка +Re-order Level,Уровень изменить порядок +Re-order Qty,Re порядка Кол-во +Read,Читать +Reading 1,Чтение 1 +Reading 10,Чтение 10 +Reading 2,Чтение 2 +Reading 3,Чтение 3 +Reading 4,Чтение 4 +Reading 5,Чтение 5 +Reading 6,Чтение 6 +Reading 7,Чтение 7 +Reading 8,Чтение 8 +Reading 9,Чтение 9 +Real Estate,Недвижимость +Reason,Возвращаемое значение +Reason for Leaving,Причина увольнения +Reason for Resignation,Причиной отставки +Reason for losing,Причина потери +Recd Quantity,RECD Количество +Receivable,Дебиторская задолженность +Receivable / Payable account will be identified based on the field Master Type,Дебиторская задолженность / оплачивается счет будет идентифицирован на основе поля Master Тип +Receivables,Дебиторская задолженность +Receivables / Payables,Кредиторской / дебиторской задолженности +Receivables Group,Дебиторская задолженность Группы +Received Date,Поступило Дата +Received Items To Be Billed,Полученные товары быть выставлен счет +Received Qty,Поступило Кол-во +Received and Accepted,Получил и принял +Receiver List,Приемник Список +Receiver List is empty. Please create Receiver List,"Приемник Список пуст. Пожалуйста, создайте приемник Список" +Receiver Parameter,Приемник Параметр +Recipients,Получатели +Reconcile,Согласовать +Reconciliation Data,Данные Примирение +Reconciliation HTML,Примирение HTML +Reconciliation JSON,Примирение JSON +Record item movement.,Движение Запись пункт. +Recurring Id,Периодическое Id +Recurring Invoice,Периодическое Счет +Recurring Type,Периодическое Тип +Reduce Deduction for Leave Without Pay (LWP),Уменьшите вычет для отпуска без сохранения (LWP) +Reduce Earning for Leave Without Pay (LWP),Уменьшите Набор для отпуска без сохранения (LWP) +Ref,N +Ref Code,Код +Ref SQ,Ссылка SQ +Reference,Ссылка на +Reference #{0} dated {1},Ссылка # {0} от {1} +Reference Date,Ссылка Дата +Reference Name,Ссылка Имя +Reference No & Reference Date is required for {0},Ссылка № & Ссылка Дата необходим для {0} +Reference No is mandatory if you entered Reference Date,"Ссылка № является обязательным, если вы ввели Исходной дате" +Reference Number,Номер для ссылок +Reference Row #,Ссылка Row # +Refresh,Обновить +Registration Details,Регистрационные данные +Registration Info,Информация о регистрации +Rejected,Отклонкнные +Rejected Quantity,Отклонен Количество +Rejected Serial No,Отклонен Серийный номер +Rejected Warehouse,Отклонен Склад +Rejected Warehouse is mandatory against regected item,Отклонен Склад является обязательным против regected пункта +Relation,Relation +Relieving Date,Освобождение Дата +Relieving Date must be greater than Date of Joining,Освобождение Дата должна быть больше даты присоединения +Remark,Примечание +Remarks,Примечания +Remarks Custom,Замечания Пользовательские +Rename,Переименовать +Rename Log,Переименовать Входить +Rename Tool,Переименование файлов +Rent Cost,Стоимость аренды +Rent per hour,Аренда в час +Rented,Арендованный +Repeat on Day of Month,Повторите с Днем Ежемесячно +Replace,Заменить +Replace Item / BOM in all BOMs,Заменить пункт / BOM во всех спецификациях +Replied,Ответил +Report Date,Дата наблюдений +Report Type,Тип отчета +Report Type is mandatory,Тип отчета является обязательным +Reports to,Доклады +Reqd By Date,Логика включения по дате +Reqd by Date,Логика включения по дате +Request Type,Тип запроса +Request for Information,Запрос на предоставление информации +Request for purchase.,Запрос на покупку. +Requested,Запрошено +Requested For,Запрашиваемая Для +Requested Items To Be Ordered,Требуемые товары заказываются +Requested Items To Be Transferred,Требуемые товары должны быть переданы +Requested Qty,Запрашиваемые Кол-во +"Requested Qty: Quantity requested for purchase, but not ordered.","Запрашиваемые Кол-во: Количество просил для покупки, но не заказали." +Requests for items.,Запросы на предметы. +Required By,Требуется По +Required Date,Требуется Дата +Required Qty,Обязательные Кол-во +Required only for sample item.,Требуется только для образца пункта. +Required raw materials issued to the supplier for producing a sub - contracted item.,"Обязательные сырье, выпущенные к поставщику для получения суб - контракт пункт." +Research,Исследования +Research & Development,Научно-исследовательские и опытно-конструкторские работы +Researcher,Научный сотрудник +Reseller,Торговый посредник ы (Торговые Торговый посредник и) +Reserved,Сохранено +Reserved Qty,Защищены Кол-во +"Reserved Qty: Quantity ordered for sale, but not delivered.","Защищены Кол-во: Количество приказал на продажу, но не поставлены." +Reserved Quantity,Зарезервировано Количество +Reserved Warehouse,Зарезервировано Склад +Reserved Warehouse in Sales Order / Finished Goods Warehouse,Зарезервировано Склад в заказ клиента / склад готовой продукции +Reserved Warehouse is missing in Sales Order,Зарезервировано Склад в заказ клиента отсутствует +Reserved Warehouse required for stock Item {0} in row {1},Зарезервировано Склад требуется для складе Пункт {0} в строке {1} +Reserved warehouse required for stock item {0},Зарезервировано склад требуются для готового элемента {0} +Reserves and Surplus,Запасы и Излишки +Reset Filters,Сбросить фильтры +Resignation Letter Date,Отставка Письмо Дата +Resolution,Разрешение +Resolution Date,Разрешение Дата +Resolution Details,Разрешение Подробнее +Resolved By,Решили По +Rest Of The World,Остальной мир +Retail,Розничная торговля +Retail & Wholesale,Розничная и оптовая торговля +Retailer,Розничный торговец +Review Date,Дата пересмотра +Rgt,Полк +Role Allowed to edit frozen stock,Роль разрешено редактировать Замороженный исходный +Role that is allowed to submit transactions that exceed credit limits set.,"Роль, которая имеет право на представление операции, превышающие лимиты кредитования, установленные." +Root Type,Корневая Тип +Root Type is mandatory,Корневая Тип является обязательным +Root account can not be deleted,Корневая учетная запись не может быть удалена +Root cannot be edited.,Корневая не могут быть изменены. +Root cannot have a parent cost center,Корневая не может иметь родителей МВЗ +Rounded Off,Округляется +Rounded Total,Округлые Всего +Rounded Total (Company Currency),Округлые Всего (Компания Валюта) Row # , Row # {0}: , -Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,"По умолчанию Покупка аккаунт, в котором будет списана стоимость объекта." -Row #{0}: Please specify Serial No for Item {1},Клиренс Дата не упоминается +Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,Ряд # {0}: Заказал Количество может не менее минимального Кол порядка элемента (определяется в мастер пункт). +Row #{0}: Please specify Serial No for Item {1},"Ряд # {0}: Пожалуйста, сформулируйте Серийный номер для Пункт {1}" "Row {0}: Account does not match with \ - Purchase Invoice Credit To account",Создание изображения Ledger Записи при отправке Расходная накладная + Purchase Invoice Credit To account","Ряд {0}: Счет не соответствует \ + Покупка Счет в плюс на счет" "Row {0}: Account does not match with \ - Sales Invoice Debit To account",По умолчанию со UOM -Row {0}: Credit entry can not be linked with a Purchase Invoice,Является Покупка товара -Row {0}: Debit entry can not be linked with a Sales Invoice,Компания -Row {0}: Qty is mandatory,"Проверьте, чтобы активировать" + Sales Invoice Debit To account","Ряд {0}: Счет не соответствует \ + Расходная накладная дебету счета" +Row {0}: Conversion Factor is mandatory,Ряд {0}: Коэффициент преобразования является обязательным +Row {0}: Credit entry can not be linked with a Purchase Invoice,Ряд {0}: Кредитная запись не может быть связан с товарным чеком +Row {0}: Debit entry can not be linked with a Sales Invoice,Ряд {0}: Дебет запись не может быть связан с продаж счета-фактуры +Row {0}: Payment amount must be less than or equals to invoice outstanding amount. Please refer Note below.,"Ряд {0}: Сумма платежа должна быть меньше или равна выставлять счета суммы задолженности. Пожалуйста, обратитесь примечание ниже." +Row {0}: Qty is mandatory,Ряд {0}: Кол-во является обязательным "Row {0}: Qty not avalable in warehouse {1} on {2} {3}. - Available Qty: {4}, Transfer Qty: {5}",Проект будет спастись и будут доступны для поиска с именем проекта дается + Available Qty: {4}, Transfer Qty: {5}","Ряд {0}: Кол-во не Имеющийся на складе {1} на {2} {3}. + Доступное Кол-во: {4}, трансфер Количество: {5}" "Row {0}: To set {1} periodicity, difference between from and to date \ - must be greater than or equal to {2}",Сделка Дата -Row {0}:Start Date must be before End Date,Dropbox Доступ Секрет -Rules for adding shipping costs.,Weightage (%) -Rules for applying pricing and discount.,"Пожалуйста, введите накладную Нет или счет-фактура Нет, чтобы продолжить" -Rules to calculate shipping amount for a sale,В часы -S.O. No.,"Заказ на {0} 'Остановлена ​​""" -SMS Center,Гарантия срок действия -SMS Gateway URL,Тип заказа должен быть одним из {0} -SMS Log,Потребляемая Кол-во -SMS Parameter,Контроль качества чтения -SMS Sender Name,"Процент вы имеете право принимать или сдавать более против заказанного количества. Например: Если Вы заказали 100 единиц. и ваш Пособие 10%, то вы имеете право на получение 110 единиц." -SMS Settings,Активен -SO Date,Вехи будет добавлен в качестве событий в календаре -SO Pending Qty,Все типы Поставщик -SO Qty,Имя отправителя -Salary,Именование Series -Salary Information,Пароль -Salary Manager,Счет-фактура Подробнее -Salary Mode,Оборона -Salary Slip,Стоимость электроэнергии в час -Salary Slip Deduction,"Дни, для которых Праздники заблокированные для этого отдела." -Salary Slip Earning,Популярные Адрес доставки -Salary Slip of employee {0} already created for this month,Общая сумма налога (Компания Валюта) -Salary Structure,Подписка на заказ клиента против любого проекта -Salary Structure Deduction,Производственные заказы -Salary Structure Earning,Описание -Salary Structure Earnings,не допускаются. -Salary breakup based on Earning and Deduction.,Валовая маржа Значение -Salary components.,Зарабатывание -Salary template master.,PO Дата -Sales,В Слов (Компания валюте) -Sales Analytics,"{0} Серийные номера, необходимые для Пункт {0}. Только {0} предусмотрено." -Sales BOM,Разное Подробности -Sales BOM Help,По словам будет виден только вы сохраните цитаты. -Sales BOM Item,Уменьшите вычет для отпуска без сохранения (LWP) -Sales BOM Items,Если более чем один пакет того же типа (для печати) -Sales Browser,Получить неоплаченных счетов-фактур -Sales Details,Утверждении Пользователь -Sales Discounts,Дата выбытия -Sales Email Settings,Все Менеджер по продажам -Sales Expenses,"Дальнейшие счета могут быть сделаны в соответствии с группами, но Вы можете быть предъявлен Леджер" -Sales Extras,Средняя Время -Sales Funnel,"Если существует Количество Поставщик Часть для данного элемента, он получает хранится здесь" -Sales Invoice,Произведено -Sales Invoice Advance,"Если включен, то система будет отправлять бухгалтерских проводок для инвентаризации автоматически." -Sales Invoice Item,Целевая Подробнее -Sales Invoice Items,"Установите группу товаров стрелке бюджеты на этой территории. Вы можете также включить сезонность, установив распределение." -Sales Invoice Message,Зарплата Структура Заработок -Sales Invoice No,Общая сумма -Sales Invoice Trends,Создание цитаты -Sales Invoice {0} has already been submitted,"Там нет ничего, чтобы изменить." -Sales Invoice {0} must be cancelled before cancelling this Sales Order,Стоп День рождения Напоминания -Sales Order,Валовой Платное + просроченной задолженности суммы + Инкассация Сумма - Всего Вычет -Sales Order Date,Отпуск по болезни -Sales Order Item,Списание счет -Sales Order Items,Выберите Покупка расписок -Sales Order Message,Дело № не может быть 0 -Sales Order No,"Оставьте пустым, если считать для всех типов сотрудников" -Sales Order Required,"Если вы создали стандартный шаблон в продажах налогам и сборам Master, выберите один и нажмите на кнопку ниже." -Sales Order Trends,Все детали уже выставлен счет -Sales Order required for Item {0},Точка-оф-продажи Настройка -Sales Order {0} is not submitted,Создание документа Нет -Sales Order {0} is not valid,Неверный Мастер Имя -Sales Order {0} is stopped,Переименовать -Sales Partner,"Выбор ""Да"" позволит вам создать ведомость материалов показывая сырья и эксплуатационные расходы, понесенные на производство этого пункта." -Sales Partner Name,Расходов претензии Тип -Sales Partner Target,Тип активности -Sales Partners Commission,Статус должен быть одним из {0} -Sales Person,Домен -Sales Person Name,Получить авансы выданные -Sales Person Target Variance Item Group-Wise,Финансовый год Дата начала и финансовый год Дата окончания уже установлены в финансовый год {0} -Sales Person Targets,Ключ Ответственность Площадь -Sales Person-wise Transaction Summary,Это корень продавец и не могут быть изменены. -Sales Register,Пункт Налоговый -Sales Return,"Не можете вычесть, когда категория для ""Оценка"" или ""Оценка и Всего""" -Sales Returned,Сторона -Sales Taxes and Charges,Все Свинец (Открыть) -Sales Taxes and Charges Master,Списание Сумма <= -Sales Team,Серийный номер {0} создан -Sales Team Details,Клиент -Sales Team1,Prevdoc DocType -Sales and Purchase,Дата пересмотра -Sales campaigns.,Посещаемость To Date -Salutation,"Если никаких изменений в любом количестве или оценочной Оценить, не оставляйте ячейку пустой." -Sample Size,Процент Распределение -Sanctioned Amount,Макс 5 символов -Saturday,Предупреждение: Оставьте приложение содержит следующие даты блок -Schedule,Все Партнеры по сбыту Связаться -Schedule Date,Дерево товарные группы. -Schedule Details,Планирование производства инструмента -Scheduled,Правило Доставка Условия -Scheduled Date,По умолчанию Счет Доходы -Scheduled to send to {0},Либо целевой Количество или целевое количество является обязательным -Scheduled to send to {0} recipients,Является Основной контакт -Scheduler Failed Events,Цель должна быть одна из {0} -School/University,Новый Оставить заявку -Score (0-5),Покупка и продажа -Score Earned,"Пожалуйста, введите 'Repeat на день месяца' значения поля" -Score must be less than or equal to 5,Маркетинговые расходы -Scrap %,% От заказанных материалов против этого материала запрос -Seasonality for setting budgets.,Налоги и сборы Добавил (Компания Валюта) -Secretary,Авиалиния -Secured Loans,Новая учетная запись -Securities & Commodity Exchanges,POP3 почтовый сервер (например pop.gmail.com) -Securities and Deposits,Введите параметр URL для приемника NOS -"See ""Rate Of Materials Based On"" in Costing Section",Пункт {0} достигла своей жизни на {1} -"Select ""Yes"" for sub - contracting items",Отправить в этот список -"Select ""Yes"" if this item is used for some internal purpose in your company.","Пожалуйста, сохраните документ перед генерацией график технического обслуживания" -"Select ""Yes"" if this item represents some work like training, designing, consulting etc.",Записи -"Select ""Yes"" if you are maintaining stock of this item in your Inventory.","Пожалуйста, введите не менее чем 1-фактуру в таблице" -"Select ""Yes"" if you supply raw materials to your supplier to manufacture this item.",Счет период до текущей даты -Select Brand...,Дата повторяется -Select Budget Distribution to unevenly distribute targets across months.,Зависит от LWP -"Select Budget Distribution, if you want to track based on seasonality.",Склады -Select Company...,Для поставщиков -Select DocType,Конец срока службы -Select Fiscal Year...,Ведущий Тип -Select Items,Показ слайдов в верхней части страницы -Select Project...,В процессе -Select Purchase Receipts,Фракция Единицы -Select Sales Orders,Адрес -Select Sales Orders from which you want to create Production Orders.,По умолчанию Прайс-лист -Select Time Logs and Submit to create a new Sales Invoice.,{0} требуется -Select Transaction,"Бюллетени для контактов, приводит." -Select Warehouse...,Basic Rate (Компания Валюта) -Select Your Language,Ответил -Select account head of the bank where cheque was deposited.,Пенсионные фонды -Select company name first.,Ежегодно -Select template from which you want to get the Goals,Округлые Всего -Select the Employee for whom you are creating the Appraisal.,Правила для добавления стоимости доставки. -Select the period when the invoice will be generated automatically,Курс обмена валюты -Select the relevant company name if you have multiple companies,"График обслуживания не генерируется для всех элементов. Пожалуйста, нажмите на кнопку ""Generate Расписание""" -Select the relevant company name if you have multiple companies.,Выделенные сумма не может быть отрицательным -Select who you want to send this newsletter to,{0} Кредитный лимит {0} пересек -Select your home country and check the timezone and currency.,По словам будет виден только вы сохраните Расходная накладная. -"Selecting ""Yes"" will allow this item to appear in Purchase Order , Purchase Receipt.",BOM Заменить Tool -"Selecting ""Yes"" will allow this item to figure in Sales Order, Delivery Note",Продажи Купоны -"Selecting ""Yes"" will allow you to create Bill of Material showing raw material and operational costs incurred to manufacture this item.",Территория -"Selecting ""Yes"" will allow you to make a Production Order for this item.",Не отправляйте Employee рождения Напоминания -"Selecting ""Yes"" will give a unique identity to each entity of this item which can be viewed in the Serial No master.",Число Transporter грузовик -Selling,Пункт Детальное клиентов -Selling Settings,К оплате -"Selling must be checked, if Applicable For is selected as {0}",Является умолчанию -Send,Расходов счета является обязательным для пункта {0} -Send Autoreply,Выпущенные товары против производственного заказа -Send Email,Расписание -Send From,Ставка (%) -Send Notifications To,Ваучер ID -Send Now,Обновлено -Send SMS,"Пожалуйста, выберите месяц и год" -Send To,"Утверждении покупатель не может быть такой же, как пользователь правило применимо к" -Send To Type,Не удается установить разрешение на основе Скидка для {0} -Send mass SMS to your contacts,Является основного средства дня Пункт -Send to this list,Производственный план Пункт -Sender Name,"Не можете overbill по пункту {0} в строке {0} более {1}. Чтобы разрешить overbilling, пожалуйста, установите на фондовых Настройки" -Sent On,Закрытие счета руководитель -Separate production order will be created for each finished good item.,Оценить -Serial No,Завод -Serial No / Batch,По умолчанию Покупка МВЗ -Serial No Details,Обеспеченные кредиты -Serial No Service Contract Expiry,Описание HTML -Serial No Status,Расходов претензии Отклонен -Serial No Warranty Expiry,"Не можете одобрить отпуск, пока вы не уполномочен утверждать листья на блоке Даты" -Serial No is mandatory for Item {0},"Пожалуйста, установите ключи доступа Dropbox на своем сайте конфигурации" -Serial No {0} created,"Ссылка № является обязательным, если вы ввели Исходной дате" -Serial No {0} does not belong to Delivery Note {1},Спецификации сырья -Serial No {0} does not belong to Item {1},Жен -Serial No {0} does not belong to Warehouse {1},Против Документ № -Serial No {0} does not exist,Час -Serial No {0} has already been received,Отчетный год -Serial No {0} is under maintenance contract upto {1},Примечание: E-mail не будет отправлен пользователей с ограниченными возможностями -Serial No {0} is under warranty upto {1},Ряд {0}: Кредитная запись не может быть связан с товарным чеком -Serial No {0} not in stock,"Имя нового счета. Примечание: Пожалуйста, не создавать учетные записи для клиентов и поставщиков, они создаются автоматически от Заказчика и поставщика оригиналов" -Serial No {0} quantity {1} cannot be a fraction,Счет разницы -Serial No {0} status must be 'Available' to Deliver,Доставка -Serial Nos Required for Serialized Item {0},Пункт Desription -Serial Number Series,Изображение -Serial number {0} entered more than once,"Дата, на которую повторяющихся счет будет остановить" + must be greater than or equal to {2}","Строка {0}: Чтобы установить {1} периодичность, разница между от и до настоящего времени \ + должно быть больше или равно {2}" +Row {0}:Start Date must be before End Date,Ряд {0}: Дата начала должна быть раньше даты окончания +Rules for adding shipping costs.,Правила для добавления стоимости доставки. +Rules for applying pricing and discount.,Правила применения цен и скидки. +Rules to calculate shipping amount for a sale,Правила для расчета количества груза для продажи +S.O. No.,КО № +SHE Cess on Excise,ОНА CESS на акцизов +SHE Cess on Service Tax,ОНА CESS на налоговой службы +SHE Cess on TDS,ОНА CESS на TDS +SMS Center,SMS центр +SMS Gateway URL,SMS Gateway URL +SMS Log,SMS Log +SMS Parameter,SMS Параметр +SMS Sender Name,SMS Отправитель Имя +SMS Settings,Настройки SMS +SO Date,SO Дата +SO Pending Qty,ТАК В ожидании Кол-во +SO Qty,ТАК Кол-во +Salary,Зарплата +Salary Information,Информация о зарплате +Salary Manager,Зарплата менеджера +Salary Mode,Режим Зарплата +Salary Slip,Зарплата скольжения +Salary Slip Deduction,Зарплата скольжения Вычет +Salary Slip Earning,Зарплата скольжения Заработок +Salary Slip of employee {0} already created for this month,Зарплата скольжения работника {0} уже создано за этот месяц +Salary Structure,Зарплата Структура +Salary Structure Deduction,Зарплата Структура Вычет +Salary Structure Earning,Зарплата Структура Заработок +Salary Structure Earnings,Прибыль Зарплата Структура +Salary breakup based on Earning and Deduction.,Зарплата распада на основе Заработок и дедукции. +Salary components.,Зарплата компоненты. +Salary template master.,Шаблоном Зарплата. +Sales,Скидки +Sales Analytics,Продажи Аналитика +Sales BOM,BOM продаж +Sales BOM Help,BOM Продажи Помощь +Sales BOM Item,BOM продаж товара +Sales BOM Items,BOM продаж товары +Sales Browser,Браузер по продажам +Sales Details,Продажи Подробности +Sales Discounts,Продажи Купоны +Sales Email Settings,Настройки по продажам Email +Sales Expenses,Расходы на продажи +Sales Extras,Продажи Дополнительно +Sales Funnel,Воронка продаж +Sales Invoice,Счет по продажам +Sales Invoice Advance,Расходная накладная Advance +Sales Invoice Item,Счет продаж товара +Sales Invoice Items,Счет-фактура по продажам товары +Sales Invoice Message,Счет по продажам Написать письмо +Sales Invoice No,Счет Продажи Нет +Sales Invoice Trends,Расходная накладная тенденции +Sales Invoice {0} has already been submitted,Счет Продажи {0} уже представлен +Sales Invoice {0} must be cancelled before cancelling this Sales Order,Счет Продажи {0} должно быть отменено до отмены этого заказ клиента +Sales Order,Заказ на продажу +Sales Order Date,Продажи Порядок Дата +Sales Order Item,Заказ на продажу товара +Sales Order Items,Продажи Заказ позиции +Sales Order Message,Заказ на продажу Сообщение +Sales Order No,Заказ на продажу Нет +Sales Order Required,Заказ на продажу Требуемые +Sales Order Trends,Продажи Заказать Тенденции +Sales Order required for Item {0},Заказать продаж требуется для Пункт {0} +Sales Order {0} is not submitted,Заказ на продажу {0} не представлено +Sales Order {0} is not valid,Заказ на продажу {0} не является допустимым +Sales Order {0} is stopped,Заказ на продажу {0} остановлен +Sales Partner,Партнер по продажам +Sales Partner Name,Партнер по продажам Имя +Sales Partner Target,Партнеры по сбыту целям +Sales Partners Commission,Партнеры по сбыту Комиссия +Sales Person,Человек по продажам +Sales Person Name,Человек по продажам Имя +Sales Person Target Variance Item Group-Wise,Лицо продаж Целевая Разница Пункт Группа Мудрого +Sales Person Targets,Менеджера по продажам Цели +Sales Person-wise Transaction Summary,Человек мудрый продаж Общая информация по сделкам +Sales Register,Продажи Зарегистрироваться +Sales Return,Продажи Вернуться +Sales Returned,Продажи Вернулся +Sales Taxes and Charges,Продажи Налоги и сборы +Sales Taxes and Charges Master,Продажи Налоги и сборы Мастер +Sales Team,Отдел продаж +Sales Team Details,Отдел продаж Подробнее +Sales Team1,Команда1 продаж +Sales and Purchase,Купли-продажи +Sales campaigns.,Кампании по продажам. +Salutation,Заключение +Sample Size,Размер выборки +Sanctioned Amount,Санкционированный Количество +Saturday,Суббота +Schedule,Расписание +Schedule Date,Расписание Дата +Schedule Details,Расписание Подробнее +Scheduled,Запланированно +Scheduled Date,Запланированная дата +Scheduled to send to {0},Планируется отправить {0} +Scheduled to send to {0} recipients,Планируется отправить {0} получателей +Scheduler Failed Events,Планировщик Неудачные События +School/University,Школа / университет +Score (0-5),Оценка (0-5) +Score Earned,Оценка Заработано +Score must be less than or equal to 5,Оценка должна быть меньше или равна 5 +Scrap %,Лом% +Seasonality for setting budgets.,Сезонность для установления бюджетов. +Secretary,СЕКРЕТАРЬ +Secured Loans,Обеспеченные кредиты +Securities & Commodity Exchanges,Ценные бумаги и товарных бирж +Securities and Deposits,Ценные бумаги и депозиты +"See ""Rate Of Materials Based On"" in Costing Section","См. ""Оценить материалов на основе"" в калькуляции раздел" +"Select ""Yes"" for sub - contracting items","Выберите ""Да"" для суб - заражения предметы" +"Select ""Yes"" if this item is used for some internal purpose in your company.","Выберите ""Да"", если этот элемент используется для какой-то внутренней цели в вашей компании." +"Select ""Yes"" if this item represents some work like training, designing, consulting etc.","Выберите ""Да"", если этот элемент представляет определенную работу, как обучение, проектирование, консалтинг и т.д." +"Select ""Yes"" if you are maintaining stock of this item in your Inventory.","Выберите ""Да"", если вы поддерживаете запас этого пункта в вашем инвентаре." +"Select ""Yes"" if you supply raw materials to your supplier to manufacture this item.","Выберите ""Да"", если вы поставляют сырье для вашего поставщика на производство этого пункта." +Select Brand...,Выберите бренд ... +Select Budget Distribution to unevenly distribute targets across months.,Выберите бюджета Распределение чтобы неравномерно распределить цели через месяцев. +"Select Budget Distribution, if you want to track based on seasonality.","Выберите бюджета Distribution, если вы хотите, чтобы отслеживать на основе сезонности." +Select Company...,Выберите компанию ... +Select DocType,Выберите DocType +Select Fiscal Year...,Выберите финансовый год ... +Select Items,Выберите товары +Select Project...,Выберите проект ... +Select Purchase Receipts,Выберите Покупка расписок +Select Sales Orders,Выберите заказы на продажу +Select Sales Orders from which you want to create Production Orders.,Выберите Заказы из которого вы хотите создать производственных заказов. +Select Time Logs and Submit to create a new Sales Invoice.,Выберите Журналы время и предоставить для создания нового счета-фактуры. +Select Transaction,Выберите сделка +Select Warehouse...,Выберите Warehouse ... +Select Your Language,Выбор языка +Select account head of the bank where cheque was deposited.,"Выберите учетную запись глава банка, в котором проверка была размещена." +Select company name first.,Выберите название компании в первую очередь. +Select template from which you want to get the Goals,"Выберите шаблон, из которого вы хотите получить Целей" +Select the Employee for whom you are creating the Appraisal.,"Выберите Employee, для которых вы создаете оценки." +Select the period when the invoice will be generated automatically,"Выберите период, когда счет-фактура будет сгенерирован автоматически" +Select the relevant company name if you have multiple companies,"Выберите соответствующий название компании, если у вас есть несколько компаний" +Select the relevant company name if you have multiple companies.,"Выберите соответствующий название компании, если у вас есть несколько компаний." +Select who you want to send this newsletter to,"Выберите, кем вы хотите отправить этот бюллетень" +Select your home country and check the timezone and currency.,Выберите вашу страну и проверьте часовой пояс и валюту. +"Selecting ""Yes"" will allow this item to appear in Purchase Order , Purchase Receipt.","Выбор ""Да"" позволит этот пункт появится в заказе на, покупка получении." +"Selecting ""Yes"" will allow this item to figure in Sales Order, Delivery Note","Выбор ""Да"" позволит этот пункт, чтобы понять в заказ клиента, накладной" +"Selecting ""Yes"" will allow you to create Bill of Material showing raw material and operational costs incurred to manufacture this item.","Выбор ""Да"" позволит вам создать ведомость материалов показывая сырья и эксплуатационные расходы, понесенные на производство этого пункта." +"Selecting ""Yes"" will allow you to make a Production Order for this item.","Выбор ""Да"" позволит вам сделать производственного заказа для данного элемента." +"Selecting ""Yes"" will give a unique identity to each entity of this item which can be viewed in the Serial No master.","Выбор ""Да"" даст уникальную идентичность для каждого субъекта этого пункта, который можно рассматривать в серийный номер мастера." +Selling,Продажа +Selling Settings,Продажа Настройки +"Selling must be checked, if Applicable For is selected as {0}","Продажа должна быть проверена, если выбран Применимо для как {0}" +Send,Отправить +Send Autoreply,Отправить автоответчике +Send Email,Отправить на e-mail +Send From,Отправить От +Send Notifications To,Отправлять уведомления +Send Now,Отправить Сейчас +Send SMS,Отправить SMS +Send To,Отправить +Send To Type,Отправить Введите +Send mass SMS to your contacts,Отправить массовый SMS в список контактов +Send to this list,Отправить в этот список +Sender Name,Имя отправителя +Sent On,Направлено на +Separate production order will be created for each finished good item.,Отдельный производственный заказ будет создан для каждого готового хорошего пункта. +Serial No,Серийный номер +Serial No / Batch,Серийный номер / Пакетный +Serial No Details,Серийный Нет Информация +Serial No Service Contract Expiry,Серийный номер Сервисный контракт Срок +Serial No Status,не Серийный Нет Положение +Serial No Warranty Expiry,не Серийный Нет Гарантия Срок +Serial No is mandatory for Item {0},Серийный номер является обязательным для п. {0} +Serial No {0} created,Серийный номер {0} создан +Serial No {0} does not belong to Delivery Note {1},Серийный номер {0} не принадлежит накладной {1} +Serial No {0} does not belong to Item {1},Серийный номер {0} не принадлежит Пункт {1} +Serial No {0} does not belong to Warehouse {1},Серийный номер {0} не принадлежит Склад {1} +Serial No {0} does not exist,Серийный номер {0} не существует +Serial No {0} has already been received,Серийный номер {0} уже получил +Serial No {0} is under maintenance contract upto {1},Серийный номер {0} находится под контрактом на техническое обслуживание ДО {1} +Serial No {0} is under warranty upto {1},Серийный номер {0} находится на гарантии ДО {1} +Serial No {0} not in stock,Серийный номер {0} не в наличии +Serial No {0} quantity {1} cannot be a fraction,Серийный номер {0} количество {1} не может быть фракция +Serial No {0} status must be 'Available' to Deliver,"Серийный номер {0} состояние должно быть ""имеющиеся"" для доставки" +Serial Nos Required for Serialized Item {0},Серийный Нос Требуется для сериализованный элемент {0} +Serial Number Series,Серийный Номер серии +Serial number {0} entered more than once,Серийный номер {0} вошли более одного раза "Serialized Item {0} cannot be updated \ - using Stock Reconciliation",Сплит Delivery Note в пакеты. -Series,Чтение 2 -Series List for this Transaction,Средние булки -Series Updated,Разрешить доступ Google Drive -Series Updated Successfully,Родитель счета -Series is mandatory,Batched для биллинга -Series {0} already used in {1},Прописью -Service,"Пожалуйста, нажмите на кнопку ""Generate Расписание"", чтобы получить график" -Service Address,Ведущий Статус -Services,"Платежи, полученные" -Set,Первый пользователь станет System Manager (вы можете изменить это позже). -"Set Default Values like Company, Currency, Current Fiscal Year, etc.",полк -Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,Оставьте Черный список Разрешить -Set Status as Available,Текущий финансовый год -Set as Default,Скидка% -Set as Lost,Открытие запись -Set prefix for numbering series on your transactions,Акции Обязательства -Set targets Item Group-wise for this Sales Person.,Обслуживание Клиентов -Setting Account Type helps in selecting this Account in transactions.,Списание Количество -Setting this Address Template as default as there is no other default,Продажа Настройки -Setting up...,"Пожалуйста, введите BOM по пункту {0} в строке {1}" -Settings,Материал Запрос Склад -Settings for HR Module,"По умолчанию Единица измерения не могут быть изменены непосредственно, потому что вы уже сделали некоторые сделки (сделок) с другим UOM. Чтобы изменить стандартную UOM, использовать 'Единица измерения Заменить Utility' инструмент под фондовой модуля." -"Settings to extract Job Applicants from a mailbox e.g. ""jobs@example.com""",Против DOCNAME -Setup,Все поставщиком Связаться -Setup Already Complete!!,DN Деталь -Setup Complete,Все Сотрудник (Активный) -Setup SMS gateway settings,Поддержка запросов от клиентов. -Setup Series,Заказчик (задолженность) счета -Setup Wizard,Всего счетов в этом году: -Setup incoming server for jobs email id. (e.g. jobs@example.com),График Имя -Setup incoming server for sales email id. (e.g. sales@example.com),Журнал Ваучер Подробно Нет -Setup incoming server for support email id. (e.g. support@example.com),Warn -Share,BOM продаж товары -Share With,Косвенная прибыль -Shareholders Funds,"Не можете фильтровать на основе ваучером Нет, если сгруппированы по ваучером" -Shipments to customers.,От работника -Shipping,"Если Продажа спецификации определяется, фактическое BOM стаи отображается в виде таблицы. Доступный в накладной и заказ клиента" -Shipping Account,Применимо к (Роль) -Shipping Address,Материал выпуск -Shipping Amount,Химический -Shipping Rule,"Пожалуйста, сформулируйте прайс-лист, который действителен для территории" -Shipping Rule Condition,"Предметы, будет предложено" -Shipping Rule Conditions,Скачать Необходимые материалы -Shipping Rule Label,Регистрационные данные -Shop,Продукты -Shopping Cart,"
Добавить / Изменить " -Short biography for website and other publications.,"Текущий спецификации и Нью-BOM не может быть таким же," -"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",Производственный план Заказы -"Show / Hide features like Serial Nos, POS etc.",Начать -Show In Website,Планируется отправить {0} -Show a slideshow at the top of the page,"Разница счета должна быть учетной записью типа ""Ответственность"", так как это со Примирение Открытие Вступление" -Show in Website,Телекоммуникации -Show this slideshow at the top of the page,Глава счета {0} создан -Sick Leave,Платежные дней -Signature,Квалификаци -Signature to be appended at the end of every email,Transporter Имя -Single,Инструментарий -Single unit of an Item.,"Для отслеживания бренд в следующих документах накладной, редкая возможность, Material запрос, Пункт, Заказа, ЧЕКОМ, Покупателя получения, цитаты, счет-фактура, в продаже спецификации, заказ клиента, серийный номер" -Sit tight while your system is being setup. This may take a few moments.,Сотрудник Подробнее -Slideshow,Текущий адрес -Soap & Detergent,Время работы (мин) -Software,Ставку и сумму -Software Developer,Интеграция входящих поддержки письма на техподдержки -"Sorry, Serial Nos cannot be merged",Глобальные умолчанию -"Sorry, companies cannot be merged","Не можете обратиться номер строки, превышающую или равную текущему номеру строки для этого типа зарядки" -Source,Отправить -Source File,Покупка Становиться на учет -Source Warehouse,Сделать Debit Примечание -Source and target warehouse cannot be same for row {0},Фильтр на основе пункта -Source of Funds (Liabilities),Фото со UOM updatd по пункту {0} -Source warehouse is mandatory for row {0},Склад Имя -Spartan,Открытие Кол-во -"Special Characters except ""-"" and ""/"" not allowed in naming series",Слева -Specification Details,Замораживание акций Записи -Specifications,Быстрая помощь -"Specify a list of Territories, for which, this Price List is valid","Чтобы добавить дочерние узлы, изучить дерево и нажмите на узле, при которых вы хотите добавить больше узлов." -"Specify a list of Territories, for which, this Shipping Rule is valid",Кол-во на получение -"Specify a list of Territories, for which, this Taxes Master is valid",Из валюты -"Specify the operations, operating cost and give a unique Operation no to your operations.",Дата наблюдений -Split Delivery Note into packages.,Пункт {0} не существует в {1} {2} -Sports,Дальнейшие узлы могут быть созданы только под узлами типа «Группа» -Standard,Сотрудник {0} уже подало заявку на {1} между {2} и {3} -Standard Buying,Комиссия -Standard Reports,{0} является обязательным для п. {1} -Standard Selling,Ваучер Тип -Standard contract terms for Sales or Purchase.,Fetch разобранном BOM (в том числе узлов) -Start,Отправлять уведомления -Start Date,"'Имеет Серийный номер' не может быть ""Да"" для не-фондовой пункта" -Start date of current invoice's period,Макс скидка позволило пункта: {0} {1}% -Start date should be less than end date for Item {0},Разрешение Дата -State,Тип отчета -Statement of Account,"Вы должны Сохраните форму, прежде чем приступить" -Static Parameters,Распределение Id -Status,Сумма скидки -Status must be one of {0},Установить целевые Пункт Группа стрелке для этого менеджера по продажам. -Status of {0} {1} is now {2},Где элементы хранятся. -Status updated to {0},Сокр -Statutory info and other general information about your Supplier,"Не можете непосредственно установить сумму. Для «Актуальные 'типа заряда, используйте поле скорости" -Stay Updated,"Тратта, выставленная банком на другой банк" -Stock,"Платежи, полученные в период дайджест" -Stock Adjustment,Счета-фактуры Advance -Stock Adjustment Account,Запросы на предметы. -Stock Ageing,POS Посмотреть -Stock Analytics,Зарплата скольжения работника {0} уже создано за этот месяц -Stock Assets,Пакетные Журналы Время для выставления счетов. -Stock Balance,Заказ товара + using Stock Reconciliation","Серийный Пункт {0} не может быть обновлен \ + с использованием со примирения" +Series,Серии значений +Series List for this Transaction,Список Серия для этого сделки +Series Updated,Серия Обновлено +Series Updated Successfully,Серия Обновлено Успешно +Series is mandatory,Серия является обязательным +Series {0} already used in {1},Серия {0} уже используется в {1} +Service,Услуга +Service Address,Адрес сервисного центра +Service Tax,Налоговой службы +Services,Услуги +Set,Задать +"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Установить значения по умолчанию, как Болгарии, Валюта, текущий финансовый год и т.д." +Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,"Установите группу товаров стрелке бюджеты на этой территории. Вы можете также включить сезонность, установив распределение." +Set Status as Available,Установите Статус как Доступно +Set as Default,Установить по умолчанию +Set as Lost,Установить как Остаться в живых +Set prefix for numbering series on your transactions,Установить префикс для нумерации серии на ваших сделок +Set targets Item Group-wise for this Sales Person.,Установить целевые Пункт Группа стрелке для этого менеджера по продажам. +Setting Account Type helps in selecting this Account in transactions.,Установка Тип аккаунта помогает в выборе этого счет в сделках. +Setting this Address Template as default as there is no other default,"Установка этого Адрес шаблон по умолчанию, поскольку нет никакого другого умолчанию" +Setting up...,Настройка ... +Settings,Настройки +Settings for HR Module,Настройки для модуля HR +"Settings to extract Job Applicants from a mailbox e.g. ""jobs@example.com""","Настройки для извлечения Работа Кандидаты от почтового ящика, например ""jobs@example.com""" +Setup,Настройка +Setup Already Complete!!,Настройка Уже завершена!! +Setup Complete,Завершение установки +Setup SMS gateway settings,Настройки Настройка SMS Gateway +Setup Series,Серия установки +Setup Wizard,Мастер установки +Setup incoming server for jobs email id. (e.g. jobs@example.com),Настройка сервера входящей подрабатывать электронный идентификатор. (Например jobs@example.com) +Setup incoming server for sales email id. (e.g. sales@example.com),Настройка сервера входящей для продажи электронный идентификатор. (Например sales@example.com) +Setup incoming server for support email id. (e.g. support@example.com),Настройка сервера входящей для поддержки электронный идентификатор. (Например support@example.com) +Share,Поделиться +Share With,Поделись с +Shareholders Funds,Акционеры фонды +Shipments to customers.,Поставки клиентам. +Shipping,Доставка +Shipping Account,Доставка счета +Shipping Address,Адрес доставки +Shipping Amount,Доставка Количество +Shipping Rule,Правило Доставка +Shipping Rule Condition,Правило Начальные +Shipping Rule Conditions,Правило Доставка Условия +Shipping Rule Label,Правило ярлыке +Shop,Магазин +Shopping Cart,Корзина +Short biography for website and other publications.,Краткая биография для веб-сайта и других изданий. +"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","Показать ""На складе"" или ""нет на складе"", основанный на складе имеющейся в этом складе." +"Show / Hide features like Serial Nos, POS etc.","Показать / скрыть функции, такие как последовательный Нос, POS и т.д." +Show In Website,Показать В веб-сайте +Show a slideshow at the top of the page,Показ слайдов в верхней части страницы +Show in Website,Показать в веб-сайт +Show rows with zero values,Показать строки с нулевыми значениями +Show this slideshow at the top of the page,Показать этот слайд-шоу в верхней части страницы +Sick Leave,Отпуск по болезни +Signature,Подпись +Signature to be appended at the end of every email,"Подпись, которая будет добавлена в конце каждого письма" +Single,1 +Single unit of an Item.,Одно устройство элемента. +Sit tight while your system is being setup. This may take a few moments.,"Сиди, пока система в настоящее время установки. Это может занять несколько секунд." +Slideshow,Слайд-шоу +Soap & Detergent,Мыло и моющих средств +Software,Программное обеспечение +Software Developer,Разработчик Программного обеспечения +"Sorry, Serial Nos cannot be merged","К сожалению, Серийный Нос не могут быть объединены" +"Sorry, companies cannot be merged","К сожалению, компании не могут быть объединены" +Source,Источник +Source File,Исходный файл +Source Warehouse,Источник Склад +Source and target warehouse cannot be same for row {0},Источник и цель склад не может быть одинаковым для ряда {0} +Source of Funds (Liabilities),Источник финансирования (обязательства) +Source warehouse is mandatory for row {0},Источник склад является обязательным для ряда {0} +Spartan,Спартанский +"Special Characters except ""-"" and ""/"" not allowed in naming series","Специальные символы, кроме ""-"" и ""/"" не допускается в серию называя" +Specification Details,Спецификация Подробности +Specifications,Спецификации +"Specify a list of Territories, for which, this Price List is valid","Укажите список территорий, для которых, это прайс-лист действителен" +"Specify a list of Territories, for which, this Shipping Rule is valid","Укажите список территорий, на которые это правило пересылки действует" +"Specify a list of Territories, for which, this Taxes Master is valid","Укажите список территорий, для которых, это Налоги Мастер действует" +"Specify the operations, operating cost and give a unique Operation no to your operations.","не Укажите операции, эксплуатационные расходы и дать уникальную операцию не в вашей деятельности." +Split Delivery Note into packages.,Сплит Delivery Note в пакеты. +Sports,Спорт +Sr,Порядковый номер +Standard,Стандартный +Standard Buying,Стандартный Покупка +Standard Reports,Стандартные отчеты +Standard Selling,Стандартный Продажа +Standard contract terms for Sales or Purchase.,Стандартные условия договора для продажи или покупки. +Start,Начать +Start Date,Дата Начала +Start date of current invoice's period,Дату периода текущего счета-фактуры начнем +Start date should be less than end date for Item {0},Дата начала должна быть меньше даты окончания для Пункт {0} +State,Состояние +Statement of Account,Выписка по счету +Static Parameters,Статические параметры +Status,Статус +Status must be one of {0},Статус должен быть одним из {0} +Status of {0} {1} is now {2},Статус {0} {1} теперь {2} +Status updated to {0},Статус обновлен до {0} +Statutory info and other general information about your Supplier,Уставный информации и другие общие сведения о вашем Поставщик +Stay Updated,Будьте в курсе +Stock,Акции +Stock Adjustment,Фото со Регулировка +Stock Adjustment Account,Фото со Регулировка счета +Stock Ageing,Фото Старение +Stock Analytics,Акции Аналитика +Stock Assets,Фондовые активы +Stock Balance,Фото со Баланс Stock Entries already created for Production Order , -Stock Entry,Фото Вступление Подробно -Stock Entry Detail,Клиент> Группа клиентов> Территория -Stock Expenses,Сумма претензии -Stock Frozen Upto,Обновление Номер серии -Stock Ledger,"Налоги, которые вычитаются (Компания Валюта)" -Stock Ledger Entry,Пункт таблице не может быть пустым -Stock Ledger entries balances updated,Упаковочный лист Пункт -Stock Level,Менеджер -Stock Liabilities,Помощь HTML -Stock Projected Qty,Вычет -Stock Queue (FIFO),Ваши клиенты -Stock Received But Not Billed,Покупка Получение Нет -Stock Reconcilation Data,Ключ Площадь Производительность -Stock Reconcilation Template,"Скорость Комиссия не может быть больше, чем 100" -Stock Reconciliation,"Пожалуйста, выберите {0}" -"Stock Reconciliation can be used to update the stock on a particular date, usually as per physical inventory.",Доступно -Stock Settings,Текст сообщения -Stock UOM,Коды покупателей -Stock UOM Replace Utility,Консультант -Stock UOM updatd for Item {0},"Бухгалтерские записи могут быть сделаны против конечных узлов, называется" -Stock Uom,ID пользователя не установлен Требуются {0} -Stock Value,"Вы действительно хотите, чтобы остановить эту запросу материал?" -Stock Value Difference,Против деталях документа Нет -Stock balances updated,"Вы действительно хотите, чтобы представить все Зарплата Слип для месяца {0} и год {1}" -Stock cannot be updated against Delivery Note {0},Вклад (%) -Stock entries exist against warehouse {0} cannot re-assign or modify 'Master Name',C-образный Нет -Stop,Доклады -Stop Birthday Reminders,По словам будет виден только вы сохраните накладной. -Stop Material Request,Система -Stop users from making Leave Applications on following days.,Фактический Кол После проведения операции -Stop!,"Имеет, серия №" -Stopped,Носите -Stopped order cannot be cancelled. Unstop to cancel.,Пункт {0} не существует -Stores,Небольшая Объявленный -Stub,Пункт Цена -Sub Assemblies,Шаблон для аттестации. -"Sub-currency. For e.g. ""Cent""",Читать -Subcontract,Дебиторская задолженность -Subject,"Пожалуйста, введите умолчанию единицу измерения" -Submit Salary Slip,Серии значений -Submit all salary slips for the above selected criteria,Клиенты не покупать так как долгое время -Submit this Production Order for further processing.,Для создания банковского счета: -Submitted,Посещаемость не могут быть отмечены для будущих дат -Subsidiary,Профиль организации +Stock Entry,Фото Вступление +Stock Entry Detail,Фото Вступление Подробно +Stock Expenses,Акции Расходы +Stock Frozen Upto,Фото Замороженные До +Stock Ledger,Книга учета акций +Stock Ledger Entry,Фото со Ledger Entry +Stock Ledger entries balances updated,Фото со Леджер записей остатки обновляются +Stock Level,Уровень запасов +Stock Liabilities,Акции Обязательства +Stock Projected Qty,Фото со Прогнозируемый Количество +Stock Queue (FIFO),Фото со Очередь (FIFO) +Stock Received But Not Billed,"Фото со получен, но не Объявленный" +Stock Reconcilation Data,Фото со приведению данных +Stock Reconcilation Template,Фото со приведению шаблона +Stock Reconciliation,Фото со Примирение +"Stock Reconciliation can be used to update the stock on a particular date, usually as per physical inventory.","Фото со Примирение может быть использован для обновления запасов на определенную дату, как правило, в соответствии с физической инвентаризации." +Stock Settings,Акции Настройки +Stock UOM,Фото со UOM +Stock UOM Replace Utility,Фото со UOM Заменить Utility +Stock UOM updatd for Item {0},Фото со UOM updatd по пункту {0} +Stock Uom,Фото со UoM +Stock Value,Стоимость акций +Stock Value Difference,Фото Значение Разница +Stock balances updated,Акции остатки обновляются +Stock cannot be updated against Delivery Note {0},Фото не могут быть обновлены против накладной {0} +Stock entries exist against warehouse {0} cannot re-assign or modify 'Master Name',"Акции записи существуют в отношении склада {0} не может повторно назначить или изменить ""Master Имя '" +Stock transactions before {0} are frozen,Биржевые операции до {0} заморожены +Stop,Стоп +Stop Birthday Reminders,Стоп День рождения Напоминания +Stop Material Request,Стоп Материал Запрос +Stop users from making Leave Applications on following days.,Остановить пользователям вносить Leave приложений на последующие дни. +Stop!,Стоп! +Stopped,Стоп +Stopped order cannot be cancelled. Unstop to cancel.,Остановился заказ не может быть отменен. Unstop отменить. +Stores,Магазины +Stub,Огрызок +Sub Assemblies,Sub сборки +"Sub-currency. For e.g. ""Cent""","Суб-валюты. Для например ""Цент """ +Subcontract,Субподряд +Subject,Тема +Submit Salary Slip,Представьте Зарплата Слип +Submit all salary slips for the above selected criteria,Представьте все промахи зарплаты для указанных выше выбранным критериям +Submit this Production Order for further processing.,Отправить эту производственного заказа для дальнейшей обработки. +Submitted,Представленный +Subsidiary,Филиал Successful: , -Successfully allocated,Пункт Переупоряд -Suggestions,"Оставить типа {0} не может быть больше, чем {1}" -Sunday,Финансовый / отчетного года. -Supplier,Доход -Supplier (Payable) Account,Обновить -Supplier (vendor) name as entered in supplier master,Посещаемость С Дата и посещаемости на сегодняшний день является обязательным -Supplier > Supplier Type,Управление партнеры по сбыту. -Supplier Account Head,Текущие обязательства -Supplier Address,Позиции спецификации -Supplier Addresses and Contacts,Примечания -Supplier Details,Банковское дело -Supplier Intro,Ссылка на -Supplier Invoice Date,не Серийный Нет Гарантия Срок -Supplier Invoice No,"Пожалуйста, введите код сотрудника этого продаж пастора" -Supplier Name,Пункт оценка обновляются -Supplier Naming By,Расходы Заказанный -Supplier Part Number,Наличие на складе -Supplier Quotation,"""Обновление со 'для Расходная накладная {0} должен быть установлен" -Supplier Quotation Item,Компенсационные Выкл -Supplier Reference,Роль разрешено редактировать Замороженный исходный -Supplier Type,% В редакцию -Supplier Type / Supplier,"Покупка Получение число, необходимое для Пункт {0}" -Supplier Type master.,ID Пользователя -Supplier Warehouse,Счет с существующей сделки не могут быть преобразованы в группы. -Supplier Warehouse mandatory for sub-contracted Purchase Receipt,"Проверьте, если вы хотите отправить ведомость расчета зарплаты в почте каждому сотруднику при подаче ведомость расчета зарплаты" -Supplier database.,Создание клиентов -Supplier master.,Представительские расходы -Supplier warehouse where you have issued raw materials for sub - contracting,Дерево finanial центры Стоимость. -Supplier-Wise Sales Analytics,Активен -Support,"Пожалуйста, введите Master Имя только учетная запись будет создана." -Support Analtyics,Серийный номер {0} не принадлежит Склад {1} -Support Analytics,Инвентаризация и поддержка -Support Email,Счет продаж товара -Support Email Settings,E-mail -Support Password,Кредиторская задолженность группы -Support Ticket,Требуется клиентов -Support queries from customers.,Возможность -Symbol,Еженедельный Выкл -Sync Support Mails,Валовая прибыль -Sync with Dropbox,"Покупка должна быть проверена, если выбран Применимо для как {0}" -Sync with Google Drive,"Возможно, вам придется обновить: {0}" -System,Распределение бюджета -System Settings,Открыть -"System User (login) ID. If set, it will become default for all HR forms.",Упакованные Пункт -Target Amount,"От и До даты, необходимых" -Target Detail,"Конец контракта Дата должна быть больше, чем дата вступления" -Target Details,Против ДОХОДОВ -Target Details1,Запрос на покупку. -Target Distribution,On Net Всего -Target On,Планируемый Количество -Target Qty,Серия Обновлено Успешно -Target Warehouse,Стоп -Target warehouse in row {0} must be same as Production Order,Счет {0} был введен более чем один раз в течение финансового года {1} -Target warehouse is mandatory for row {0},Внимание: Материал просил Кол меньше Минимальное количество заказа -Task,"Слияние возможно только при следующие свойства одинаковы в обоих записей. Группа или Леджер, корень Тип, Компания" -Task Details,Скопируйте Из группы товаров -Tasks,Под гарантии -Tax,Размер налога -Tax Amount After Discount Amount,Ежемесячные счета по кредиторской задолженности -Tax Assets,Амортизация -Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,Обзор -Tax Rate,Производство против заказ клиента -Tax and other salary deductions.,Сделать счете-фактуре +Successfully Reconciled,Успешно Примирение +Suggestions,намеки +Sunday,Воскресенье +Supplier,Поставщик +Supplier (Payable) Account,Поставщик (оплачивается) счета +Supplier (vendor) name as entered in supplier master,"Поставщик (продавец) имя, как вступил в мастер поставщиком" +Supplier > Supplier Type,Поставщик> Поставщик Тип +Supplier Account Head,Поставщик аккаунт руководитель +Supplier Address,Поставщик Адрес +Supplier Addresses and Contacts,Поставщик Адреса и контакты +Supplier Details,Подробная информация о поставщике +Supplier Intro,Поставщик Введение +Supplier Invoice Date,Поставщик Дата выставления счета +Supplier Invoice No,Поставщик Счет Нет +Supplier Name,Наименование поставщика +Supplier Naming By,Поставщик Именование По +Supplier Part Number,Поставщик Номер детали +Supplier Quotation,Поставщик цитаты +Supplier Quotation Item,Поставщик Цитата Пункт +Supplier Reference,Поставщик Ссылка +Supplier Type,Тип Поставщик +Supplier Type / Supplier,Тип Поставщик / Поставщик +Supplier Type master.,Тип Поставщик мастер. +Supplier Warehouse,Поставщик Склад +Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Поставщик Склад обязательным для субподрядчиком ТОВАРНЫЙ ЧЕК +Supplier database.,Поставщик базы данных. +Supplier master.,Мастер Поставщик. +Supplier warehouse where you have issued raw materials for sub - contracting,"Поставщик склад, где вы оформили сырье для суб - заказчик" +Supplier-Wise Sales Analytics,Поставщик-Wise продаж Аналитика +Support,Самолет поддержки +Support Analtyics,Поддержка Analtyics +Support Analytics,Поддержка Аналитика +Support Email,Поддержка по электронной почте +Support Email Settings,Поддержка Настройки электронной почты +Support Password,Поддержка Пароль +Support Ticket,Техподдержки +Support queries from customers.,Поддержка запросов от клиентов. +Symbol,Символ +Sync Support Mails,Синхронизация Поддержка письма +Sync with Dropbox,Синхронизация с Dropbox +Sync with Google Drive,Синхронизация с Google Drive +System,Система +System Settings,Настройки системы +"System User (login) ID. If set, it will become default for all HR forms.","Система Пользователь (Войти) ID. Если установлено, то это станет по умолчанию для всех форм HR." +TDS (Advertisement),TDS (Реклама) +TDS (Commission),TDS (Комиссия) +TDS (Contractor),TDS (Исполнитель) +TDS (Interest),TDS (Проценты) +TDS (Rent),TDS (Аренда) +TDS (Salary),TDS (Зарплата) +Target Amount,Целевая сумма +Target Detail,Цель Подробности +Target Details,Целевая Подробнее +Target Details1,Целевая Details1 +Target Distribution,Целевая Распределение +Target On,Целевая На +Target Qty,Целевая Кол-во +Target Warehouse,Целевая Склад +Target warehouse in row {0} must be same as Production Order,"Целевая склад в строке {0} должно быть таким же, как производственного заказа" +Target warehouse is mandatory for row {0},Целевая склад является обязательным для ряда {0} +Task,Задача +Task Details,Задача Сведения +Tasks,Задачи +Tax,Налог +Tax Amount After Discount Amount,Сумма налога После скидка сумма +Tax Assets,Налоговые активы +Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,"Налоговый Категория не может быть ""Оценка"" или ""Оценка и Всего», как все детали, нет в наличии" +Tax Rate,Размер налога +Tax and other salary deductions.,Налоговые и иные отчисления заработной платы. "Tax detail table fetched from item master as a string and stored in this field. -Used for Taxes and Charges",Налоговый шаблон для покупки сделок. -Tax template for buying transactions.,Код -Tax template for selling transactions.,Исходящий -Taxable,Запрашиваемые Кол-во -Taxes and Charges,Каждый может читать -Taxes and Charges Added,Расходы на продажи -Taxes and Charges Added (Company Currency),Срочные Подробнее -Taxes and Charges Calculation,Акции -Taxes and Charges Deducted,Требуется только для образца пункта. -Taxes and Charges Deducted (Company Currency),Из выпуска Пользовательское -Taxes and Charges Total,Телефон Расходы -Taxes and Charges Total (Company Currency),Внутренний GPS без антенны или с внешней антенной -Technology,Пункт Group Tree -Telecommunications,Вы Оставить утверждающий для этой записи. Пожалуйста Обновите 'Status' и сохранить -Telephone Expenses,Сотрудник Образование -Television,"Если несколько правил ценообразования продолжают преобладать, пользователям предлагается установить приоритет вручную разрешить конфликт." -Template,Открытие на работу. -Template for performance appraisals.,Все клиентов Связаться -Template of terms or contract.,План счетов -Temporary Accounts (Assets),Значение -Temporary Accounts (Liabilities),"Если у вас есть отдел продаж и продажа партнеры (Channel Partners), они могут быть помечены и поддерживать их вклад в сбытовой деятельности" -Temporary Assets,Скользящее среднее -Temporary Liabilities,Чистый вес этого пакета. (Автоматический расчет суммы чистой вес деталей) -Term Details,"Выберите соответствующий название компании, если у вас есть несколько компаний" -Terms,Авторизация управления -Terms and Conditions,Открытие (Cr) -Terms and Conditions Content,Не допускается -Terms and Conditions Details,Ваши продукты или услуги -Terms and Conditions Template,Отклоненные -Terms and Conditions1,Сделать заказ клиента -Terretory,Налоги и сборы Всего (Компания Валюта) -Territory,Коэффициент преобразования требуется -Territory / Customer,Неверный код или Серийный номер -Territory Manager,Проект стоимостью -Territory Name,Связаться Описание изделия -Territory Target Variance Item Group-Wise,Запрошено -Territory Targets,Поддержка по электронной почте -Test,Валюты Настройки -Test Email Id,Executive Search -Test the Newsletter,Посещаемость Подробнее -The BOM which will be replaced,Услуга -The First User: You,Разрешить производственного заказа -"The Item that represents the Package. This Item must have ""Is Stock Item"" as ""No"" and ""Is Sales Item"" as ""Yes""",Техническое обслуживание Посетить Цель -The Organization,Нет объектов для вьючных -"The account head under Liability, in which Profit/Loss will be booked",В Кол-во +Used for Taxes and Charges","Налоговый деталь стол принес от мастера пункт в виде строки и хранятся в этой области. + Используется по налогам и сборам" +Tax template for buying transactions.,Налоговый шаблон для покупки сделок. +Tax template for selling transactions.,Налоговый шаблон для продажи сделок. +Taxable,Облагаемый налогом +Taxes,Налоги +Taxes and Charges,Налоги и сборы +Taxes and Charges Added,Налоги и сборы Добавил +Taxes and Charges Added (Company Currency),Налоги и сборы Добавил (Компания Валюта) +Taxes and Charges Calculation,Налоги и сборы Расчет +Taxes and Charges Deducted,"Налоги, которые вычитаются" +Taxes and Charges Deducted (Company Currency),"Налоги, которые вычитаются (Компания Валюта)" +Taxes and Charges Total,Налоги и сборы Всего +Taxes and Charges Total (Company Currency),Налоги и сборы Всего (Компания Валюта) +Technology,Технология +Telecommunications,Телекоммуникации +Telephone Expenses,Телефон Расходы +Television,Телевидение +Template,Шаблон +Template for performance appraisals.,Шаблон для аттестации. +Template of terms or contract.,Шаблон терминов или договором. +Temporary Accounts (Assets),Временные счета (активы) +Temporary Accounts (Liabilities),Временные счета (обязательства) +Temporary Assets,Временные Активы +Temporary Liabilities,Временные Обязательства +Term Details,Срочные Подробнее +Terms,Термины +Terms and Conditions,Правила и условия +Terms and Conditions Content,Условия Содержимое +Terms and Conditions Details,Условия Подробности +Terms and Conditions Template,Условия шаблона +Terms and Conditions1,Сроки и условиях1 +Terretory,Terretory +Territory,Территория +Territory / Customer,Область / клиентов +Territory Manager,Territory Manager +Territory Name,Территория Имя +Territory Target Variance Item Group-Wise,Территория Целевая Разница Пункт Группа Мудрого +Territory Targets,Территория Цели +Test,Тест +Test Email Id,Тест электронный идентификатор +Test the Newsletter,Проверьте бюллетень +The BOM which will be replaced,"В спецификации, которые будут заменены" +The First User: You,Первый пользователя: Вы +"The Item that represents the Package. This Item must have ""Is Stock Item"" as ""No"" and ""Is Sales Item"" as ""Yes""","Пункт, который представляет пакет. Этот элемент, должно быть, ""Является фонда Пункт"" а ""Нет"" и ""является продажа товара"", как ""Да""" +The Organization,Организация +"The account head under Liability, in which Profit/Loss will be booked","Счет голову под ответственности, в котором Прибыль / убыток будут забронированы" "The date on which next invoice will be generated. It is generated on submit. -",Серия {0} уже используется в {1} -The date on which recurring invoice will be stop,Pincode +","Дата, на которую будет сгенерирован следующий счет-фактура. Он создается на представить. +" +The date on which recurring invoice will be stop,"Дата, на которую повторяющихся счет будет остановить" "The day of the month on which auto invoice will be generated e.g. 05, 28 etc ", -The day(s) on which you are applying for leave are holiday. You need not apply for leave.,Банк просвет Основная -The first Leave Approver in the list will be set as the default Leave Approver,Корневая не могут быть изменены. -The first user will become the System Manager (you can change that later).,"Скорость, с которой валюта клиента превращается в базовой валюте компании" -The gross weight of the package. Usually net weight + packaging material weight. (for print),Фото со приведению шаблона -The name of your company for which you are setting up this system.,Если вы привлечь в производственной деятельности. Включает элемент 'производится' -The net weight of this package. (calculated automatically as sum of net weight of items),Посещаемость -The new BOM after replacement,Разделенный запятыми список адресов электронной почты -The rate at which Bill Currency is converted into company's base currency,Высокая -The unique id for tracking all recurring invoices. It is generated on submit.,Личная E-mail -"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.",Доля -There are more holidays than working days this month.,Дата создания -"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",Пункт {0} не найден -There is not enough leave balance for Leave Type {0},Новый Центр Стоимость Имя -There is nothing to edit.,Покупка Порядок Дата -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.,Установка рекорд для серийный номер -There were errors.,"Сотрудник обозначение (например, генеральный директор, директор и т.д.)." -This Currency is disabled. Enable to use in transactions,Счета-фактуры Авансы -This Leave Application is pending approval. Only the Leave Apporver can update status.,Стоп -This Time Log Batch has been billed.,Ясно Таблица -This Time Log Batch has been cancelled.,"Проверьте, как бюллетень выглядит по электронной почте, отправив его по электронной почте." -This Time Log conflicts with {0},"Пожалуйста, введите компанию первой" -This format is used if country specific format is not found,"Когда представляется, система создает разница записи установить данную запас и оценки в этот день." -This is a root account and cannot be edited.,Печать и брендинг -This is a root customer group and cannot be edited.,Серийный номер {0} не принадлежит накладной {1} -This is a root item group and cannot be edited.,Получить Против записей -This is a root sales person and cannot be edited.,Вес брутто Единица измерения -This is a root territory and cannot be edited.,Покупка чеков тенденции -This is an example website auto-generated from ERPNext,Макс Скидка (%) -This is the number of the last created transaction with this prefix,Разрешить негативных складе -This will be used for setting rule in HR module,Внимание: Система не будет проверять overbilling с суммы по пункту {0} в {1} равна нулю -Thread HTML,"Пожалуйста, отправьте обновить Leave баланса." -Thursday,"Пожалуйста, выберите Group или Ledger значение" -Time Log,"{0} должен иметь роль ""Оставить утверждающего '" -Time Log Batch,Против заказ клиента -Time Log Batch Detail,Это число последнего созданного сделки с этим префиксом -Time Log Batch Details,"Выберите учетную запись глава банка, в котором проверка была размещена." -Time Log Batch {0} must be 'Submitted',Корзина -Time Log for tasks.,Счета-фактуры Тенденции -Time Log {0} must be 'Submitted',"Не удается удалить серийный номер {0} в наличии. Сначала снимите со склада, а затем удалить." -Time Zone,Доставка Для -Time Zones,Родитель Пункт {0} должен быть не со Пункт и должен быть Продажи товара -Time and Budget,Адрес Название -Time at which items were delivered from warehouse,Поднятый силу (Email) -Time at which materials were received,Зарплата до вычетов -Title,Лом% -Titles for print templates e.g. Proforma Invoice.,Индивидуальная -To,Инкассация Дата -To Currency,Территория Цели -To Date,Сделать Заказ -To Date should be same as From Date for Half Day leave,Будет обновлена ​​после Расходная накладная представляется. -To Discuss,"Показать / скрыть функции, такие как последовательный Нос, POS и т.д." -To Do List,Ученик -To Package No.,Управление менеджера по продажам дерево. -To Produce,МВЗ {0} не принадлежит компании {1} -To Time,Отправить От -To Value,Журнал Ваучер -To Warehouse,Серийный номер {0} не принадлежит Пункт {1} -"To add child nodes, explore tree and click on the node under which you want to add more nodes.",Кол-во в соответствии со UOM -"To assign this issue, use the ""Assign"" button in the sidebar.",Отчисления -To create a Bank Account:,Сотрудник Тип -To create a Tax Account:,Кол-во для Пункт {0} в строке {1} -"To create an Account Head under a different company, select the company and save customer.",Введите параметр URL для сообщения -To date cannot be before from date,Недвижимость -To enable Point of Sale features,Оставьте Утверждающие -To enable Point of Sale view,Разница -To get Item Group in details table,Дату периода текущего счета-фактуры начнем -"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",Получить Weekly Выкл Даты -"To merge, following properties must be same for both items",Невозможно изменить финансовый год Дата начала и финансовый год Дата окончания сразу финансовый год будет сохранен. -"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.",Единица Измерения -"To set this Fiscal Year as Default, click on 'Set as Default'",Штрих {0} уже используется в пункте {1} -To track any installation or commissioning related work after sales,Фактическая дата -"To track brand name in the following documents Delivery Note, Opportunity, Material Request, Item, Purchase Order, Purchase Voucher, Purchaser Receipt, Quotation, Sales Invoice, Sales BOM, Sales Order, Serial No",Порционно Баланс История -To track item in sales and purchase documents based on their serial nos. This is can also used to track warranty details of the product.,Поставки клиентам. -To track items in sales and purchase documents with batch nos
Preferred Industry: Chemicals etc,Класс / в процентах -To track items using barcode. You will be able to enter items in Delivery Note and Sales Invoice by scanning barcode of item.,Сотрудник записей. -Tools,Подразделяется по контракту дня Пункт -Total,"Добавьте строки, чтобы установить годовые бюджеты на счетах." -Total Advance,RECD Количество -Total Allocated Amount,Earning1 -Total Allocated Amount can not be greater than unmatched amount,Балансовый отчет -Total Amount,Ожидаемая дата завершения -Total Amount To Pay,Входящий Оценить -Total Amount in Words,Ведущий Владелец +The day(s) on which you are applying for leave are holiday. You need not apply for leave.,"День (дни), на котором вы подаете заявление на отпуск, отпуск. Вам не нужно обратиться за разрешением." +The first Leave Approver in the list will be set as the default Leave Approver,Оставить утверждающий в списке будет установлен по умолчанию Оставить утверждающего +The first user will become the System Manager (you can change that later).,Первый пользователь станет System Manager (вы можете изменить это позже). +The gross weight of the package. Usually net weight + packaging material weight. (for print),Общий вес пакета. Обычно вес нетто + упаковочный материал вес. (Для печати) +The name of your company for which you are setting up this system.,"Название вашей компании, для которой вы настраиваете эту систему." +The net weight of this package. (calculated automatically as sum of net weight of items),Чистый вес этого пакета. (Автоматический расчет суммы чистой вес деталей) +The new BOM after replacement,Новая спецификация после замены +The rate at which Bill Currency is converted into company's base currency,"Скорость, с которой Билл валюта конвертируется в базовую валюту компании" +The unique id for tracking all recurring invoices. It is generated on submit.,Уникальный идентификатор для отслеживания все повторяющиеся счетов-фактур. Он создается на представить. +"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Тогда ценообразование Правила отфильтровываются на основе Заказчика, Группа клиентов, Территория, поставщиков, Тип Поставщик, Кампания, Партнеры по сбыту и т.д." +There are more holidays than working days this month.,"Есть больше праздников, чем рабочих дней в этом месяце." +"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Там может быть только один Правило Начальные с 0 или пустое значение для ""To Размер""" +There is not enough leave balance for Leave Type {0},Существует не хватает отпуск баланс для отпуске Тип {0} +There is nothing to edit.,"Там нет ничего, чтобы изменить." +There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,"Был ошибка. Один вероятной причиной может быть то, что вы не сохранили форму. Пожалуйста, свяжитесь с support@erpnext.com если проблема не устранена." +There were errors.,Были ошибки. +This Currency is disabled. Enable to use in transactions,Это валют отключена. Включить для использования в операции +This Leave Application is pending approval. Only the Leave Apporver can update status.,Это оставьте заявку ожидает одобрения. Только Оставить Apporver можете обновить статус. +This Time Log Batch has been billed.,Это Пакетная Время Лог был объявлен. +This Time Log Batch has been cancelled.,Это Пакетная Время Лог был отменен. +This Time Log conflicts with {0},Это время входа в противоречии с {0} +This format is used if country specific format is not found,"Этот формат используется, если конкретный формат страна не найден" +This is a root account and cannot be edited.,Это корень счета и не могут быть изменены. +This is a root customer group and cannot be edited.,Это корневая группа клиентов и не могут быть изменены. +This is a root item group and cannot be edited.,Это корень группу товаров и не могут быть изменены. +This is a root sales person and cannot be edited.,Это корень продавец и не могут быть изменены. +This is a root territory and cannot be edited.,Это корень территории и не могут быть изменены. +This is an example website auto-generated from ERPNext,Это пример сайт автоматически сгенерированный из ERPNext +This is the number of the last created transaction with this prefix,Это число последнего созданного сделки с этим префиксом +This will be used for setting rule in HR module,Эта информация будет использоваться для установки правило в модуле HR +Thread HTML,Тема HTML +Thursday,Четверг +Time Log,Журнал учета времени +Time Log Batch,Время входа Пакетный +Time Log Batch Detail,Время входа Пакетная Подробно +Time Log Batch Details,Время Log Пакетные Подробнее +Time Log Batch {0} must be 'Submitted',Время входа Пакетная {0} должен быть 'Представленные' +Time Log Status must be Submitted.,Время входа Статус должен быть представлен. +Time Log for tasks.,Время входа для задач. +Time Log is not billable,Время входа не оплачиваемое +Time Log {0} must be 'Submitted',Время входа {0} должен быть 'Представленные' +Time Zone,Часовой Пояс +Time Zones,Часовые пояса +Time and Budget,Время и бюджет +Time at which items were delivered from warehouse,"Момент, в который предметы были доставлены со склада" +Time at which materials were received,"Момент, в который были получены материалы" +Title,Как к вам обращаться? +Titles for print templates e.g. Proforma Invoice.,"Титулы для шаблонов печати, например, счет-проформа." +To,До +To Currency,В валюту +To Date,Чтобы Дата +To Date should be same as From Date for Half Day leave,"Чтобы Дата должна быть такой же, как С даты в течение половины дня отпуска" +To Date should be within the Fiscal Year. Assuming To Date = {0},Чтобы Дата должна быть в пределах финансового года. Предполагая To Date = {0} +To Discuss,Для Обсудить +To Do List,Задачи +To Package No.,Для пакета № +To Produce,Чтобы продукты +To Time,Чтобы время +To Value,Произвести оценку +To Warehouse,Для Склад +"To add child nodes, explore tree and click on the node under which you want to add more nodes.","Чтобы добавить дочерние узлы, изучить дерево и нажмите на узле, при которых вы хотите добавить больше узлов." +"To assign this issue, use the ""Assign"" button in the sidebar.","Чтобы назначить эту проблему, используйте кнопку ""Назначить"" в боковой панели." +To create a Bank Account,Для создания банковского счета +To create a Tax Account,Чтобы создать налоговый учет +"To create an Account Head under a different company, select the company and save customer.","Чтобы зарегистрироваться голову под другую компанию, выбрать компанию и сохранить клиента." +To date cannot be before from date,На сегодняшний день не может быть раньше от даты +To enable Point of Sale features,Чтобы включить Точки продаж особенности +To enable Point of Sale view,Чтобы включить Точки продаж зрения +To get Item Group in details table,Чтобы получить группу товаров в детали таблице +"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Для учета налога в строке {0} в размере Item, налоги в строках должны быть также включены {1}" +"To merge, following properties must be same for both items","Чтобы объединить, следующие свойства должны быть одинаковыми для обоих пунктов" +"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Чтобы не применяются Цены правило в конкретной сделки, все применимые правила ценообразования должны быть отключены." +"To set this Fiscal Year as Default, click on 'Set as Default'","Для установки в этом финансовом году, как по умолчанию, нажмите на кнопку ""Установить по умолчанию""" +To track any installation or commissioning related work after sales,Чтобы отслеживать любые установки или ввода соответствующей работы после продаж +"To track brand name in the following documents Delivery Note, Opportunity, Material Request, Item, Purchase Order, Purchase Voucher, Purchaser Receipt, Quotation, Sales Invoice, Sales BOM, Sales Order, Serial No","Для отслеживания бренд в следующих документах накладной, редкая возможность, Material запрос, Пункт, Заказа, ЧЕКОМ, Покупателя получения, цитаты, счет-фактура, в продаже спецификации, заказ клиента, серийный номер" +To track item in sales and purchase documents based on their serial nos. This is can also used to track warranty details of the product.,Чтобы отслеживать пункт в купли-продажи документов по их серийных NOS. Это также может использоваться для отслеживания гарантийные детали продукта. +To track items in sales and purchase documents with batch nos
Preferred Industry: Chemicals etc,Для отслеживания элементов в покупки и продажи документы с пакетной н.у.к
Популярные промышленности: Химическая и т.д. +To track items using barcode. You will be able to enter items in Delivery Note and Sales Invoice by scanning barcode of item.,"Чтобы отслеживать предметы, используя штрих-код. Вы сможете ввести элементы в накладной и счет-фактуру путем сканирования штрих-кода товара." +Too many columns. Export the report and print it using a spreadsheet application.,Слишком много столбцов. Экспорт отчета и распечатать его с помощью приложения электронной таблицы. +Tools,Инструментарий +Total,Общая сумма +Total ({0}),Всего ({0}) +Total Advance,Всего Advance +Total Amount,Общая сумма +Total Amount To Pay,Общая сумма платить +Total Amount in Words,Общая сумма в словах Total Billing This Year: , -Total Characters,От времени -Total Claimed Amount,Пользовательский -Total Commission,SMS Log -Total Cost,Больше параметров -Total Credit,Сдельная работа -Total Debit,Существует клиентов с одноименным названием -Total Debit must be equal to Total Credit. The difference is {0},Заменить пункт / BOM во всех спецификациях -Total Deduction,Подробное Распад итогам -Total Earning,Оплата счета-фактуры Matching Подробности Tool -Total Experience,Причина увольнения -Total Hours,"Только Серийный Нос со статусом ""В наличии"" может быть доставлено." -Total Hours (Expected),POS Установка {0} уже создали для пользователя: {1} и компания {2} -Total Invoiced Amount,Штрих -Total Leave Days,1 Для поддержания клиентов мудрый пункт код и сделать их доступными для поиска в зависимости от их кода использовать эту опцию -Total Leaves Allocated,Будет рассчитываться автоматически при вводе детали -Total Message(s),Научно-исследовательские и опытно-конструкторские работы -Total Operating Cost,`Мораторий Акции старше` должен быть меньше% D дней. -Total Points,Детский учетная запись существует для этой учетной записи. Вы не можете удалить этот аккаунт. -Total Raw Material Cost,Вызов -Total Sanctioned Amount,Выберите DocType -Total Score (Out of 5),Пункт изображения (если не слайд-шоу) -Total Tax (Company Currency),Тип отчета является обязательным -Total Taxes and Charges,Общее число сотрудников -Total Taxes and Charges (Company Currency),Низкая -Total Working Days In The Month,Задаток -Total allocated percentage for sales team should be 100,Пункт Сайт Спецификация -Total amount of invoices received from suppliers during the digest period,Произвести поставку -Total amount of invoices sent to the customer during the digest period,"Финансовый год Дата начала не должен быть больше, чем финансовый год Дата окончания" -Total cannot be zero,Интернет издания -Total in words,Синхронизация с Dropbox -Total points for all goals should be 100. It is {0},Дата выдачи -Total valuation for manufactured or repacked item(s) can not be less than total valuation of raw materials,"Пожалуйста, введите Expense счет" -Total weightage assigned should be 100%. It is {0},Пользователь {0} уже назначен Employee {1} -Totals,Вычет Тип -Track Leads by Industry Type.,Нижняя Доход -Track this Delivery Note against any Project,Заработная плата Зарегистрироваться -Track this Sales Order against any Project,Почтовый -Transaction,Кредиты и авансы (активы) -Transaction Date,Поставщик Дата выставления счета -Transaction not allowed against stopped Production Order {0},Отправить эту производственного заказа для дальнейшей обработки. -Transfer,"Заказы, выпущенные для производства." -Transfer Material,Фото Значение Разница -Transfer Raw Materials,"Нажмите на ссылку, чтобы получить варианты расширения возможностей получить" -Transferred Qty,Создать новый -Transportation,По умолчанию Пункт Группа -Transporter Info,Технология -Transporter Name,{0} {1}: МВЗ является обязательным для п. {2} -Transporter lorry number,Акции Расходы -Travel,Ожидаемые -Travel Expenses,Статус -Tree Type,Адрес и контакты -Tree of Item Groups.,Налоговый шаблон для продажи сделок. -Tree of finanial Cost Centers.,Пункт Мудрый Налоговый Подробно -Tree of finanial accounts.,Одно устройство элемента. -Trial Balance,Значение закрытия -Tuesday,Тип заказа -Type,Поддержание же скоростью протяжении цикла продаж -Type of document to rename.,"Компании e-mail ID не найден, следовательно, Почта не отправляется" -"Type of leaves like casual, sick etc.",Адрес & Контактная -Types of Expense Claim.,"Имя лица или организации, что этот адрес принадлежит." -Types of activities for Time Sheets,Первоначальная сумма -"Types of employment (permanent, contract, intern etc.).",Офиса -UOM Conversion Detail,намеки -UOM Conversion Details,Телефон Нет -UOM Conversion Factor,Счет {0} заморожен -UOM Conversion factor is required in row {0},"Установка этого Адрес шаблон по умолчанию, поскольку нет никакого другого умолчанию" -UOM Name,Пункт сайта Технические -UOM coversion factor required for UOM: {0} in Item: {1},"Имя или поддержки Пароль пропавшими без вести. Пожалуйста, введите и повторите попытку." -Under AMC,Журнал Ваучеры {0} являются не-связаны -Under Graduate,Организация -Under Warranty,Полное имя -Unit,"Если это счет представляет собой клиентов, поставщиков или работник, установите его здесь." -Unit of Measure,1 Валюта = [?] Фракция \ Nfor например 1 USD = 100 центов -Unit of Measure {0} has been entered more than once in Conversion Factor Table,Завершено Кол-во -"Unit of measurement of this item (e.g. Kg, Unit, No, Pair).","Налоги, которые вычитаются" -Units/Hour,Войти с вашим новым ID пользователя -Units/Shifts,Задача Сведения -Unmatched Amount,Счет руководитель -Unpaid,Прикрепите изображение -Unscheduled,"Выберите ""Да"", если вы поставляют сырье для вашего поставщика на производство этого пункта." -Unsecured Loans,Ссылка № & Ссылка Дата необходим для {0} -Unstop,Сырье Поставляется Стоимость -Unstop Material Request,Против Journal ваучером -Unstop Purchase Order,Личные Данные -Unsubscribed,E-mail Дайджест -Update,Резервные копии будут размещены на -Update Clearance Date,Настройки Настройка SMS Gateway -Update Cost,Время входа для задач. -Update Finished Goods,Цитата Забыли Причина -Update Landed Cost,"Сотрудник освобожден от {0} должен быть установлен как ""левые""" -Update Series,Компания на складах отсутствует {0} -Update Series Number,{0} бюджет на счет {1} против МВЗ {2} будет превышать {3} -Update Stock,Мастер сотрудников. -"Update allocated amount in the above table and then click ""Allocate"" button",Применимо Территория -Update bank payment dates with journals.,Сырье Код товара -Update clearance date of Journal Entries marked as 'Bank Vouchers',План МВЗ -Updated,"Пожалуйста, напишите что-нибудь" -Updated Birthday Reminders,Сотрудник отчеты должны быть созданные -Upload Attendance,Примечание: Эта МВЗ является Группа. Невозможно сделать бухгалтерские проводки против групп. -Upload Backups to Dropbox,"Тип листьев, как случайный, больным и т.д." -Upload Backups to Google Drive,Оценка Оцените -Upload HTML,По истечении гарантийного срока -Upload a .csv file with two columns: the old name and the new name. Max 500 rows.,Заказ на продажу Сообщение -Upload attendance from a .csv file,Склады. -Upload stock balance via csv.,Разработчик Программного обеспечения -Upload your letter head and logo - you can edit them later.,"Был ошибка. Один вероятной причиной может быть то, что вы не сохранили форму. Пожалуйста, свяжитесь с support@erpnext.com если проблема не устранена." -Upper Income,Количество и курс -Urgent,"Пожалуйста, выберите счет первой" -Use Multi-Level BOM,Командировочные Pасходы -Use SSL,Образование -User,Добавить в корзину -User ID,Новые Котировки -User ID not set for Employee {0},Статус завершения -User Name,"Символ для этой валюты. Для например, $" -User Name or Support Password missing. Please enter and try again.,Вы можете начать с выбора частоты резервного копирования и предоставления доступа для синхронизации -User Remark,Поставщик Склад обязательным для субподрядчиком ТОВАРНЫЙ ЧЕК -User Remark will be added to Auto Remark,"Не можете объявить как потерял, потому что цитаты было сделано." -User Remarks is mandatory,Распечатать Без сумма -User Specific,Мастер клиентов. -User must always select,Стоимость Центр необходим для 'о прибылях и убытках »счета {0} -User {0} is already assigned to Employee {1},Весы для счета {0} должен быть всегда {1} -User {0} is disabled,Чтение 8 -Username,Финансовые услуги -Users with this role are allowed to create / modify accounting entry before frozen date,"Выберите Employee, для которых вы создаете оценки." -Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Это время входа в противоречии с {0} -Utilities,Авансы -Utility Expenses,(Полдня) -Valid For Territories,Целевая Details1 -Valid From,Ваучер Кредитная карта -Valid Upto,Поднимите Материал запрос когда шток достигает уровня переупорядочиваем -Valid for Territories,Пункт {0} был введен несколько раз с таким же описанием или по дате или склад -Validate,Розничная торговля -Valuation,Число Заказ требуется для Пункт {0} -Valuation Method,Банк / Остатки денежных средств -Valuation Rate,"Введите название кампании, если источником свинца является кампания." -Valuation Rate required for Item {0},Генерация Описание HTML -Valuation and Total,Сделать Maint. Расписание -Value,Всего сообщений (ы) -Value or Qty,Книга учета акций -Vehicle Dispatch Date,Покупка Получение необходимое -Vehicle No,Использование Multi-Level BOM -Venture Capital,Предварительная сумма -Verified By,Требуется По -View Ledger,Не указано -View Now,Данные предприятия -Visit report for maintenance call.,Отменить Материал просмотров {0} до отмены этого обслуживания визит -Voucher #,Акции остатки обновляются -Voucher Detail No,Просмотр сейчас -Voucher ID,Ведомость материалов (BOM) -Voucher No,Расчетное Материал Стоимость -Voucher No is not valid,"Пожалуйста, введите действительный адрес электронной почты Id" -Voucher Type,Аббревиатура не может иметь более 5 символов -Voucher Type and Date,Пункт должен быть изготовлен или перепакован -Walk In,Добавить резервных копий на Dropbox -Warehouse,Показательный -Warehouse Contact Info,Обеспечить электронный идентификатор зарегистрирован в компании -Warehouse Detail,Детали аккаунта -Warehouse Name,Работа с персоналом -Warehouse and Reference,Чтобы время -Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Поставщик -Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Существующий клиент -Warehouse cannot be changed for Serial No.,Заказ на {0} не представлено -Warehouse is mandatory for stock Item {0} in row {1},Настройки системы -Warehouse is missing in Purchase Order,Часовые пояса -Warehouse not found in the system,Сообщите по электронной почте по созданию автоматической запрос материалов -Warehouse required for stock Item {0},Склад Контактная информация -Warehouse where you are maintaining stock of rejected items,Ветвь: -Warehouse {0} can not be deleted as quantity exists for Item {1},Рамка -Warehouse {0} does not belong to company {1},Приемник Параметр -Warehouse {0} does not exist,Посещаемость Дата -Warehouse-Wise Stock Balance,Правило Доставка -Warehouse-wise Item Reorder,Связаться с HTML -Warehouses,Инспекция контроля качества -Warehouses.,Опубликовано на веб-сайте по адресу: {0} -Warn,Укажите компанию -Warning: Leave application contains following block dates,Родитель МВЗ -Warning: Material Requested Qty is less than Minimum Order Qty,Счет с существующей сделки не могут быть удалены -Warning: Sales Order {0} already exists against same Purchase Order number,Коэффициент пересчета единица измерения -Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Поступило Кол-во -Warranty / AMC Details,Расходные Стоимость в час -Warranty / AMC Status,Стимулы -Warranty Expiry Date,Количество -Warranty Period (Days),Ответственный -Warranty Period (in days),Целевая сумма -We buy this Item,и -We sell this Item,Корневая Тип является обязательным -Website,Серийный номер / Пакетный -Website Description,"Поставщик склад, где вы оформили сырье для суб - заказчик" -Website Item Group,Посредничество -Website Item Groups,"Укажите список территорий, для которых, это Налоги Мастер действует" -Website Settings,"Нет адреса, созданные" -Website Warehouse,Сведения о профессиональной квалификации -Wednesday,Приемник Список -Weekly,Применение -Weekly Off,Округляется -Weight UOM,Стоп Материал Запрос -"Weight is mentioned,\nPlease mention ""Weight UOM"" too", -Weightage,Покупка Счет -Weightage (%),"Изменение в процентах в количестве, чтобы иметь возможность во время приема или доставки этот пункт." -Welcome,Старение Дата -Welcome to ERPNext. Over the next few minutes we will help you setup your ERPNext account. Try and fill in as much information as you have even if it takes a bit longer. It will save you a lot of time later. Good Luck!,"Записи не допускаются против этого финансовый год, если год закрыт." -Welcome to ERPNext. Please select your language to begin the Setup Wizard.,Поддержание же скоростью в течение покупке цикла -What does it do?,Пункт Поставщик -"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.",Зарезервировано Склад -"When submitted, the system creates difference entries to set the given stock and valuation on this date.",Название подразделения (департамент) хозяин. -Where items are stored.,Настройки по умолчанию для бухгалтерских операций. -Where manufacturing operations are carried out.,Ведущий Источник -Widowed,Мин Кол-во -Will be calculated automatically when you enter the details,Пункт Именование По -Will be updated after Sales Invoice is Submitted.,"Вы не авторизованы, чтобы добавить или обновить записи до {0}" -Will be updated when batched.,Успешно выделено -Will be updated when billed.,Оплата -Wire Transfer,Новые проекты -With Operations,"Пожалуйста, выберите дату начала и дату окончания Пункт {0}" -With period closing entry,Год Дата начала -Work Details,{0}{/0}{1}{/1}{2}Подпись{/2} -Work Done,"Фото со получен, но не Объявленный" -Work In Progress,Re порядка -Work-in-Progress Warehouse,Переведен Кол-во -Work-in-Progress Warehouse is required before Submit,Принято -Working,Доставка счета -Workstation,Управление качеством -Workstation Name,Название кампании требуется -Write Off Account,Заменить -Write Off Amount,Налоговый деталь таблице извлекаются из мастер пункт в виде строки и хранятся в этой области. \ Nused по налогам и сборам -Write Off Amount <=,Чек -Write Off Based On,Авто Материал Запрос -Write Off Cost Center,Отрицательный Оценка курс не допускается -Write Off Outstanding Amount,Создание Возможность -Write Off Voucher,Получить заказов клиента -Wrong Template: Unable to find head row.,Движение Запись пункт. -Year,"Состояние утверждения должны быть ""Одобрено"" или ""Отклонено""" -Year Closed,Склад -Year End Date,Разрешено Роль в редактировать записи Перед Frozen Дата -Year Name,Уведомление (дней) -Year Start Date,Dropbox -Year of Passing,Упакованные количество должно равняться количество для Пункт {0} в строке {1} -Yearly,Стандартный Покупка -Yes,Послевузовском -You are not authorized to add or update entries before {0},Авто Учет акций Настройки -You are not authorized to set Frozen value,"Склад, где вы работаете запас отклоненных элементов" -You are the Expense Approver for this record. Please Update the 'Status' and Save,Банковские счета -You are the Leave Approver for this record. Please Update the 'Status' and Save,Подробнее -You can enter any date manually,От -You can enter the minimum quantity of this item to be ordered.,Валюта и прайс-лист -You can not assign itself as parent account,Фото со Леджер записей остатки обновляются -You can not change rate if BOM mentioned agianst any item,Администратор -You can not enter both Delivery Note No and Sales Invoice No. Please enter any one.,"Вы действительно хотите, чтобы Unstop этот материал запрос?" -You can not enter current voucher in 'Against Journal Voucher' column,Количество и Склад -You can set Default Bank Account in Company master,Чтобы получить группу товаров в детали таблице -You can start by selecting backup frequency and granting access for sync,Из возможностей -You can submit this Stock Reconciliation.,Добавить посещаемость от. Файл CSV -You can update either Quantity or Valuation Rate or both.,Адрес для выставления счетов -You cannot credit and debit same account at the same time,Backup Manager -You have entered duplicate items. Please rectify and try again.,Офис эксплуатационные расходы -You may need to update: {0},Метод по умолчанию Оценка -You must Save the form before proceeding,Контроль качества -You must allocate amount before reconcile,Ценные бумаги -Your Customer's TAX registration numbers (if applicable) or any general information,Прайс-лист валют -Your Customers,Пункт {0} несколько раз появляется в прайс-лист {1} -Your Login Id,Сотрудник запись создана при помощи выбранного поля. -Your Products or Services,Одежда и аксессуары -Your Suppliers,Продажи Зарегистрироваться -Your email address,Страна -Your financial year begins on,Это корень территории и не могут быть изменены. -Your financial year ends on,Поставщик Адрес -Your sales person who will contact the customer in future,Исследования -Your sales person will get a reminder on this date to contact the customer,Адрес мастер. -Your setup is complete. Refreshing...,Ваша поддержка электронный идентификатор - должен быть действительный адрес электронной почты - это где ваши письма придет! -Your support email id - must be a valid email - this is where your emails will come!,Вы не можете назначить себя как родительским счетом -[Select],Соискатель работы -`Freeze Stocks Older Than` should be smaller than %d days.,Участок По -and,"К сожалению, компании не могут быть объединены" -are not allowed.,"Пожалуйста, установите {0}" -assigned by,Пункт Налоговый ряд {0} должен иметь учетную запись типа налога или доходов или расходов или платная -"e.g. ""Build tools for builders""","Специальные символы, кроме ""-"" и ""/"" не допускается в серию называя" -"e.g. ""MC""",Кол-во для доставки -"e.g. ""My Company LLC""",Префикс -e.g. 5,"Выбор ""Да"" даст уникальную идентичность для каждого субъекта этого пункта, который можно рассматривать в серийный номер мастера." -"e.g. Bank, Cash, Credit Card",Ваши Поставщики -"e.g. Kg, Unit, Nos, m",Новые поступления Покупка -e.g. VAT,Кол-во Потребляемая на единицу -eg. Cheque Number,По умолчанию Поставщик -example: Next Day Shipping,Дата рождения -lft,"Чтобы отслеживать предметы, используя штрих-код. Вы сможете ввести элементы в накладной и счет-фактуру путем сканирования штрих-кода товара." -old_parent,"С даты должны быть, прежде чем к дате" -rgt,"Покупка Заказ позиции, которые будут получены" -website page link,"Пожалуйста, установите модуль питона Dropbox" -{0} '{1}' not in Fiscal Year {2},Сайт -{0} Credit limit {0} crossed,Сделать акцизного счет-фактура -{0} Serial Numbers required for Item {0}. Only {0} provided.,Пункт {0} должно быть продажи товара -{0} budget for Account {1} against Cost Center {2} will exceed by {3},Дата начала должна быть меньше даты окончания для Пункт {0} -{0} can not be negative,База данных Папка ID -{0} created,Счет {0} не принадлежит компании {1} -{0} does not belong to Company {1},Отключение закругленными Итого -{0} entered twice in Item Tax,"Дальнейшие счета могут быть сделаны в соответствии с группами, но записи могут быть сделаны против Леджер" -{0} is an invalid email address in 'Notification Email Address',Впритык не может быть после {0} -{0} is mandatory,Сделать кредит-нота -{0} is mandatory for Item {1},"Если флажок установлен, сумма налога будет считаться уже включены в Печать Оценить / Количество печати" -{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,Использовать SSL -{0} is not a stock Item,Еженедельно -{0} is not a valid Batch Number for Item {1},Родитель счета не существует -{0} is not a valid Leave Approver. Removing row #{1}.,Дата выхода на пенсию должен быть больше даты присоединения -{0} is not a valid email id,Не обращайтесь -{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,"Чтобы Дата должна быть такой же, как С даты в течение половины дня отпуска" -{0} is required,Включить Корзина -{0} must be a Purchased or Sub-Contracted Item in row {1},Запрашивать Email по подаче -{0} must be less than or equal to {1},Задачи -{0} must have role 'Leave Approver',Процесс расчета заработной платы -{0} valid serial nos for Item {1},Трек Ведет по Отрасль Тип. -{0} {1} against Bill {2} dated {3},"Как это должно валюта быть отформатирован? Если не установлен, будет использовать системные значения по умолчанию" -{0} {1} against Invoice {2},Обновление стока -{0} {1} has already been submitted,Клиент {0} не существует -{0} {1} has been modified. Please refresh.,"Пожалуйста, сформулируйте действительный 'От делу №'" -{0} {1} is not submitted,"Пожалуйста, сохраните бюллетень перед отправкой" -{0} {1} must be submitted,Сообщения -{0} {1} not in any Fiscal Year,Разрешить пользователю -{0} {1} status is 'Stopped',Против счете-фактуре -{0} {1} status is Stopped,По словам будет виден только вы сохраните счета покупки. -{0} {1} status is Unstopped,Детальная информация о товаре -{0} {1}: Cost Center is mandatory for Item {2},{0} должен быть куплены или субподрядчиком Пункт в строке {1} +Total Characters,Персонажей +Total Claimed Amount,Всего заявленной суммы +Total Commission,Всего комиссия +Total Cost,Общая стоимость +Total Credit,Всего очков +Total Debit,Всего Дебет +Total Debit must be equal to Total Credit. The difference is {0},"Всего Дебет должна быть равна общей выработке. Разница в том, {0}" +Total Deduction,Всего Вычет +Total Earning,Всего Заработок +Total Experience,Суммарный опыт +Total Hours,Общее количество часов +Total Hours (Expected),Общее количество часов (ожидаемый) +Total Invoiced Amount,Всего Сумма по счетам +Total Leave Days,Всего Оставить дней +Total Leaves Allocated,Всего Листья Выделенные +Total Message(s),Всего сообщений (ы) +Total Operating Cost,Общие эксплуатационные расходы +Total Points,Всего очков +Total Raw Material Cost,Общая стоимость Сырье +Total Sanctioned Amount,Всего Санкционированный Количество +Total Score (Out of 5),Всего рейтинг (из 5) +Total Tax (Company Currency),Общая сумма налога (Компания Валюта) +Total Taxes and Charges,Всего Налоги и сборы +Total Taxes and Charges (Company Currency),Всего Налоги и сборы (Компания Валюты) +Total allocated percentage for sales team should be 100,Всего выделено процент для отдела продаж должен быть 100 +Total amount of invoices received from suppliers during the digest period,"Общая сумма счетов-фактур, полученных от поставщиков в период дайджест" +Total amount of invoices sent to the customer during the digest period,"Общая сумма счетов, отправленных заказчику в период дайджест" +Total cannot be zero,Всего не может быть нулевым +Total in words,Всего в словах +Total points for all goals should be 100. It is {0},Общее количество очков для всех целей должна быть 100. Это {0} +Total valuation for manufactured or repacked item(s) can not be less than total valuation of raw materials,"Всего оценка для выпускаемой или перепакованы пункт (ы) не может быть меньше, чем общая оценка сырья" +Total weightage assigned should be 100%. It is {0},Всего Weightage назначен должна быть 100%. Это {0} +Totals,Всего: +Track Leads by Industry Type.,Трек Ведет по Отрасль Тип. +Track this Delivery Note against any Project,Подписка на Delivery Note против любого проекта +Track this Sales Order against any Project,Подписка на заказ клиента против любого проекта +Transaction,Транзакция +Transaction Date,Сделка Дата +Transaction not allowed against stopped Production Order {0},Сделка не допускается в отношении остановил производство ордена {0} +Transfer,Переложить +Transfer Material,О передаче материала +Transfer Raw Materials,Трансфер сырье +Transferred Qty,Переведен Кол-во +Transportation,Транспортные расходы +Transporter Info,Transporter информация +Transporter Name,Transporter Имя +Transporter lorry number,Число Transporter грузовик +Travel,Путешествия +Travel Expenses,Командировочные Pасходы +Tree Type,Дерево Тип +Tree of Item Groups.,Дерево товарные группы. +Tree of finanial Cost Centers.,Дерево finanial центры Стоимость. +Tree of finanial accounts.,Дерево finanial счетов. +Trial Balance,Пробный баланс +Tuesday,Вторник +Type,Тип +Type of document to rename.,"Вид документа, переименовать." +"Type of leaves like casual, sick etc.","Тип листьев, как случайный, больным и т.д." +Types of Expense Claim.,Виды Expense претензии. +Types of activities for Time Sheets,Виды деятельности для Время листов +"Types of employment (permanent, contract, intern etc.).","Виды занятости (постоянная, контракт, стажер и т.д.)." +UOM Conversion Detail,Единица измерения Преобразование Подробно +UOM Conversion Details,Единица измерения Детали преобразования +UOM Conversion Factor,Коэффициент пересчета единица измерения +UOM Conversion factor is required in row {0},Фактор Единица измерения преобразования требуется в строке {0} +UOM Name,Имя единица измерения +UOM coversion factor required for UOM: {0} in Item: {1},Единица измерения фактором Конверсия требуется для UOM: {0} в пункте: {1} +Under AMC,Под КУА +Under Graduate,Под Выпускник +Under Warranty,Под гарантии +Unit,Единица +Unit of Measure,Единица Измерения +Unit of Measure {0} has been entered more than once in Conversion Factor Table,Единица измерения {0} был введен более чем один раз в таблицу преобразования Factor +"Unit of measurement of this item (e.g. Kg, Unit, No, Pair).","Единица измерения этого пункта (например, кг, за штуку, нет, Pair)." +Units/Hour,Единицы / час +Units/Shifts,Единиц / Сдвиги +Unpaid,Неоплачено +Unreconciled Payment Details,Несогласованные Детали компенсации +Unscheduled,Незапланированный +Unsecured Loans,Необеспеченных кредитов +Unstop,Откупоривать +Unstop Material Request,Unstop Материал Запрос +Unstop Purchase Order,Unstop Заказ +Unsubscribed,Отписанный +Update,Обновить +Update Clearance Date,Обновление просвет Дата +Update Cost,Обновление Стоимость +Update Finished Goods,Обновление Готовые изделия +Update Landed Cost,Обновление посадку стоимость +Update Series,Серия обновление +Update Series Number,Обновление Номер серии +Update Stock,Обновление стока +Update bank payment dates with journals.,Обновление банк платежные даты с журналов. +Update clearance date of Journal Entries marked as 'Bank Vouchers',"Дата обновления оформление Записей в журнале отмечается как «Банк Ваучеры""" +Updated,Обновлено +Updated Birthday Reminders,Обновлен День рождения Напоминания +Upload Attendance,Добавить посещаемости +Upload Backups to Dropbox,Добавить резервных копий на Dropbox +Upload Backups to Google Drive,Добавить резервных копий в Google Drive +Upload HTML,Загрузить HTML +Upload a .csv file with two columns: the old name and the new name. Max 500 rows.,Загрузить файл CSV с двумя колонками. Старое название и новое имя. Макс 500 строк. +Upload attendance from a .csv file,Добавить посещаемость от. Файл CSV +Upload stock balance via csv.,Добавить складских остатков с помощью CSV. +Upload your letter head and logo - you can edit them later.,Загрузить письмо голову и логотип - вы можете редактировать их позже. +Upper Income,Верхний Доход +Urgent,Важно +Use Multi-Level BOM,Использование Multi-Level BOM +Use SSL,Использовать SSL +Used for Production Plan,Используется для производственного плана +User,Пользователь +User ID,ID Пользователя +User ID not set for Employee {0},ID пользователя не установлен Требуются {0} +User Name,Имя пользователя +User Name or Support Password missing. Please enter and try again.,"Имя или поддержки Пароль пропавшими без вести. Пожалуйста, введите и повторите попытку." +User Remark,Примечание Пользователь +User Remark will be added to Auto Remark,Примечание Пользователь будет добавлен в Auto замечания +User Remarks is mandatory,Пользователь Замечания является обязательным +User Specific,Удельный Пользователь +User must always select,Пользователь всегда должен выбрать +User {0} is already assigned to Employee {1},Пользователь {0} уже назначен Employee {1} +User {0} is disabled,Пользователь {0} отключена +Username,Имя Пользователя +Users with this role are allowed to create / modify accounting entry before frozen date,Пользователи с этой ролью могут создавать / изменять записи бухгалтерского учета перед замороженной даты +Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Пользователи с этой ролью могут устанавливать замороженных счетов и создания / изменения бухгалтерских проводок против замороженных счетов +Utilities,Инженерное оборудование +Utility Expenses,Коммунальные расходы +Valid For Territories,Действительно для территорий +Valid From,Действует с +Valid Upto,Действительно До +Valid for Territories,Действительно для территорий +Validate,Подтвердить +Valuation,Оценка +Valuation Method,Метод оценки +Valuation Rate,Оценка Оцените +Valuation Rate required for Item {0},Оценка Оцените требуется для Пункт {0} +Valuation and Total,Оценка и Всего +Value,Значение +Value or Qty,Значение или Кол-во +Vehicle Dispatch Date,Автомобиль Отправка Дата +Vehicle No,Автомобиль Нет +Venture Capital,Венчурный капитал. +Verified By,Verified By +View Ledger,Посмотреть Леджер +View Now,Просмотр сейчас +Visit report for maintenance call.,Посетите отчет за призыв обслуживания. +Voucher #,Ваучер # +Voucher Detail No,Ваучер Подробно Нет +Voucher Detail Number,Ваучер Деталь Количество +Voucher ID,Ваучер ID +Voucher No,Ваучер +Voucher Type,Ваучер Тип +Voucher Type and Date,Ваучер Тип и дата +Walk In,Прогулка в +Warehouse,Склад +Warehouse Contact Info,Склад Контактная информация +Warehouse Detail,Склад Подробно +Warehouse Name,Склад Имя +Warehouse and Reference,Склад и справочники +Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Склад не может быть удален как существует запись складе книга для этого склада. +Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Склад может быть изменен только с помощью со входа / накладной / Покупка получении +Warehouse cannot be changed for Serial No.,Склад не может быть изменен для серийный номер +Warehouse is mandatory for stock Item {0} in row {1},Склад является обязательным для складе Пункт {0} в строке {1} +Warehouse is missing in Purchase Order,Склад в заказе на пропавших без вести +Warehouse not found in the system,Склад не найден в системе +Warehouse required for stock Item {0},Склад требуется для складе Пункт {0} +Warehouse where you are maintaining stock of rejected items,"Склад, где вы работаете запас отклоненных элементов" +Warehouse {0} can not be deleted as quantity exists for Item {1},Склад {0} не может быть удален как существует количество для Пункт {1} +Warehouse {0} does not belong to company {1},Склад {0} не принадлежит компания {1} +Warehouse {0} does not exist,Склад {0} не существует +Warehouse {0}: Company is mandatory,Склад {0}: Компания является обязательным +Warehouse {0}: Parent account {1} does not bolong to the company {2},Склад {0}: Родитель счета {1} не Bolong компании {2} +Warehouse-Wise Stock Balance,Склад-Мудрый со Баланс +Warehouse-wise Item Reorder,Склад-мудрый Пункт Переупоряд +Warehouses,Склады +Warehouses.,Склады. +Warn,Warn +Warning: Leave application contains following block dates,Предупреждение: Оставьте приложение содержит следующие даты блок +Warning: Material Requested Qty is less than Minimum Order Qty,Внимание: Материал просил Кол меньше Минимальное количество заказа +Warning: Sales Order {0} already exists against same Purchase Order number,Предупреждение: Заказ на продажу {0} уже существует в отношении числа же заказа на +Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Внимание: Система не будет проверять overbilling с суммы по пункту {0} в {1} равна нулю +Warranty / AMC Details,Гарантия / АМК Подробнее +Warranty / AMC Status,Гарантия / АМК Статус +Warranty Expiry Date,Гарантия срок действия +Warranty Period (Days),Гарантийный срок (дней) +Warranty Period (in days),Гарантийный срок (в днях) +We buy this Item,Мы Купить этот товар +We sell this Item,Мы продаем этот товар +Website,Сайт +Website Description,Описание +Website Item Group,Сайт Пункт Группа +Website Item Groups,Сайт Группы товаров +Website Settings,Настройки сайта +Website Warehouse,Сайт Склад +Wednesday,Среда +Weekly,Еженедельно +Weekly Off,Еженедельный Выкл +Weight UOM,Вес Единица измерения +"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Вес упоминается, \n указать ""Вес UOM"" слишком" +Weightage,Weightage +Weightage (%),Weightage (%) +Welcome,Добро пожаловать! +Welcome to ERPNext. Over the next few minutes we will help you setup your ERPNext account. Try and fill in as much information as you have even if it takes a bit longer. It will save you a lot of time later. Good Luck!,"Добро пожаловать в ERPNext. В течение следующих нескольких минут мы поможем вам настроить ваш аккаунт ERPNext. Попробуйте и заполнить столько информации, сколько у вас есть даже если это займет немного больше времени. Это сэкономит вам много времени спустя. Удачи Вам!" +Welcome to ERPNext. Please select your language to begin the Setup Wizard.,"Добро пожаловать в ERPNext. Пожалуйста, выберите язык, чтобы запустить мастер установки." +What does it do?,Что оно делает? +"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.","Когда любой из проверенных операций ""Представленные"", по электронной почте всплывающее автоматически открывается, чтобы отправить письмо в соответствующий «Контакт» в этой транзакции, с транзакцией в качестве вложения. Пользователь может или не может отправить по электронной почте." +"When submitted, the system creates difference entries to set the given stock and valuation on this date.","Когда представляется, система создает разница записи установить данную запас и оценки в этот день." +Where items are stored.,Где элементы хранятся. +Where manufacturing operations are carried out.,Где производственные операции осуществляются. +Widowed,Овдовевший +Will be calculated automatically when you enter the details,Будет рассчитываться автоматически при вводе детали +Will be updated after Sales Invoice is Submitted.,Будет обновлена после Расходная накладная представляется. +Will be updated when batched.,Будет обновляться при пакетном. +Will be updated when billed.,Будет обновляться при счет. +Wire Transfer,Банковский перевод +With Operations,С операций +With Period Closing Entry,С Период закрытия въезда +Work Details,Рабочие Подробнее +Work Done,Сделано +Work In Progress,Работа продолжается +Work-in-Progress Warehouse,Работа-в-Прогресс Склад +Work-in-Progress Warehouse is required before Submit,Работа-в-Прогресс Склад требуется перед Отправить +Working,На рабо +Working Days,В рабочие дни +Workstation,Рабочая станция +Workstation Name,Имя рабочей станции +Write Off Account,Списание счет +Write Off Amount,Списание Количество +Write Off Amount <=,Списание Сумма <= +Write Off Based On,Списание на основе +Write Off Cost Center,Списание МВЗ +Write Off Outstanding Amount,Списание суммы задолженности +Write Off Voucher,Списание ваучер +Wrong Template: Unable to find head row.,Неправильный Шаблон: Не удается найти голову строку. +Year,Года +Year Closed,Год закрыт +Year End Date,Год Дата окончания +Year Name,Год Имя +Year Start Date,Год Дата начала +Year of Passing,Год Passing +Yearly,Ежегодно +Yes,Да +You are not authorized to add or update entries before {0},"Вы не авторизованы, чтобы добавить или обновить записи до {0}" +You are not authorized to set Frozen value,"Вы не авторизованы, чтобы установить Frozen значение" +You are the Expense Approver for this record. Please Update the 'Status' and Save,Вы расходов утверждающий для этой записи. Пожалуйста Обновите 'Status' и сохранить +You are the Leave Approver for this record. Please Update the 'Status' and Save,Вы Оставить утверждающий для этой записи. Пожалуйста Обновите 'Status' и сохранить +You can enter any date manually,Вы можете ввести любую дату вручную +You can enter the minimum quantity of this item to be ordered.,Вы можете ввести минимальное количество этого пункта заказывается. +You can not change rate if BOM mentioned agianst any item,"Вы не можете изменить скорость, если спецификации упоминается agianst любого элемента" +You can not enter both Delivery Note No and Sales Invoice No. Please enter any one.,"не Вы не можете войти как Delivery Note Нет и Расходная накладная номер Пожалуйста, введите любой." +You can not enter current voucher in 'Against Journal Voucher' column,"Вы не можете ввести текущий ваучер в ""Против Journal ваучер 'колонке" +You can set Default Bank Account in Company master,Вы можете установить по умолчанию банковский счет в мастер компании +You can start by selecting backup frequency and granting access for sync,Вы можете начать с выбора частоты резервного копирования и предоставления доступа для синхронизации +You can submit this Stock Reconciliation.,Вы можете представить эту Stock примирения. +You can update either Quantity or Valuation Rate or both.,Вы можете обновить либо Количество или оценка Оценить или обоих. +You cannot credit and debit same account at the same time,Вы не можете кредитные и дебетовые же учетную запись в то же время +You have entered duplicate items. Please rectify and try again.,"Вы ввели повторяющихся элементов. Пожалуйста, исправить и попробовать еще раз." +You may need to update: {0},"Возможно, вам придется обновить: {0}" +You must Save the form before proceeding,"Вы должны Сохраните форму, прежде чем приступить" +Your Customer's TAX registration numbers (if applicable) or any general information,Регистрационные номера Налог вашего клиента (если применимо) или любой общая информация +Your Customers,Ваши клиенты +Your Login Id,Ваш Логин ID +Your Products or Services,Ваши продукты или услуги +Your Suppliers,Ваши Поставщики +Your email address,Ваш адрес электронной почты +Your financial year begins on,Ваш финансовый год начинается +Your financial year ends on,Ваш финансовый год заканчивается +Your sales person who will contact the customer in future,"Ваш продавец, который свяжется с клиентом в будущем" +Your sales person will get a reminder on this date to contact the customer,"Ваш продавец получит напоминание в этот день, чтобы связаться с клиентом" +Your setup is complete. Refreshing...,Установка завершена. Обновление... +Your support email id - must be a valid email - this is where your emails will come!,Ваша поддержка электронный идентификатор - должен быть действительный адрес электронной почты - это где ваши письма придет! +[Error],[Ошибка] +[Select],[Выберите] +`Freeze Stocks Older Than` should be smaller than %d days.,`Мораторий Акции старше` должен быть меньше% D дней. +and,и +are not allowed.,не допускаются. +assigned by,присвоенный +cannot be greater than 100,"не может быть больше, чем 100" +"e.g. ""Build tools for builders""","например ""Построить инструменты для строителей """ +"e.g. ""MC""","например ""MC """ +"e.g. ""My Company LLC""","например ""Моя компания ООО """ +e.g. 5,"например, 5" +"e.g. Bank, Cash, Credit Card","например банк, наличные, кредитная карта" +"e.g. Kg, Unit, Nos, m","например кг, единицы, Нос, м" +e.g. VAT,"например, НДС" +eg. Cheque Number,например. Чек Количество +example: Next Day Shipping,пример: Следующий день доставка +lft,LFT +old_parent,old_parent +rgt,полк +subject,тема +to,им +website page link,сайт ссылку +{0} '{1}' not in Fiscal Year {2},{0} '{1}' не в финансовом году {2} +{0} Credit limit {0} crossed,{0} Кредитный лимит {0} пересек +{0} Serial Numbers required for Item {0}. Only {0} provided.,"{0} Серийные номера, необходимые для Пункт {0}. Только {0} предусмотрено." +{0} budget for Account {1} against Cost Center {2} will exceed by {3},{0} бюджет на счет {1} против МВЗ {2} будет превышать {3} +{0} can not be negative,{0} не может быть отрицательным +{0} created,{0} создан +{0} does not belong to Company {1},{0} не принадлежит компании {1} +{0} entered twice in Item Tax,{0} вводится дважды в пункт налоге +{0} is an invalid email address in 'Notification Email Address',"{0} является недопустимым адрес электронной почты в ""Notification адрес электронной почты""" +{0} is mandatory,{0} является обязательным +{0} is mandatory for Item {1},{0} является обязательным для п. {1} +{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,"{0} является обязательным. Может быть, Обмен валюты запись не создана для {1} по {2}." +{0} is not a stock Item,{0} не является акционерным Пункт +{0} is not a valid Batch Number for Item {1},{0} не является допустимым номер партии по пункту {1} +{0} is not a valid Leave Approver. Removing row #{1}.,{0} не является допустимым Оставить утверждающий. Удаление строки # {1}. +{0} is not a valid email id,{0} не является допустимым ID E-mail +{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,"{0} теперь используется по умолчанию финансовый год. Пожалуйста, обновите страницу в браузере, чтобы изменения вступили в силу." +{0} is required,{0} требуется +{0} must be a Purchased or Sub-Contracted Item in row {1},{0} должен быть куплены или субподрядчиком Пункт в строке {1} +{0} must be reduced by {1} or you should increase overflow tolerance,{0} должен быть уменьшен на {1} или вы должны увеличить толерантность переполнения +{0} must have role 'Leave Approver',"{0} должен иметь роль ""Оставить утверждающего '" +{0} valid serial nos for Item {1},{0} действительные серийные NOS для Пункт {1} +{0} {1} against Bill {2} dated {3},{0} {1} против Билла {2} от {3} +{0} {1} against Invoice {2},{0} {1} против Invoice {2} +{0} {1} has already been submitted,{0} {1} уже представлен +{0} {1} has been modified. Please refresh.,{0} {1} был изменен. Обновите. +{0} {1} is not submitted,{0} {1} не представлено +{0} {1} must be submitted,{0} {1} должны быть представлены +{0} {1} not in any Fiscal Year,{0} {1} не в любом финансовом году +{0} {1} status is 'Stopped',"{0} {1} статус ""Остановлен""" +{0} {1} status is Stopped,{0} {1} положение остановлен +{0} {1} status is Unstopped,{0} {1} статус отверзутся +{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: МВЗ является обязательным для п. {2} +{0}: {1} not found in Invoice Details table,{0} {1} не найден в счете-фактуре таблице diff --git a/erpnext/translations/sr.csv b/erpnext/translations/sr.csv index 9752b3d6cc..0591e238c1 100644 --- a/erpnext/translations/sr.csv +++ b/erpnext/translations/sr.csv @@ -14,7 +14,6 @@ % of materials delivered against this Sales Order,% Материјала испоручених против овог налога за продају % of materials ordered against this Material Request,% Материјала изрећи овај материјал захтеву % of materials received against this Purchase Order,% Материјала добио против ове нарудзбенице -%(conversion_rate_label)s is mandatory. Maybe Currency Exchange record is not created for %(from_currency)s to %(to_currency)s,% ( цонверсион_рате_лабел ) с је обавезан . Можда Мењачница запис није створен за % ( фром_цурренци ) с до % ( то_цурренци ) и 'Actual Start Date' can not be greater than 'Actual End Date',""" Фактическое начало Дата "" не может быть больше, чем «Актуальные Дата окончания '" 'Based On' and 'Group By' can not be same,""" На основе "" и "" Группировка по "" не может быть таким же," 'Days Since Last Order' must be greater than or equal to zero,""" Дни с последнего Порядке так должно быть больше или равно нулю" @@ -30,11 +29,35 @@ 'Update Stock' for Sales Invoice {0} must be set,""" Обновление со 'для Расходная накладная {0} должен быть установлен" * Will be calculated in the transaction.,* Хоће ли бити обрачуната у трансакцији. "1 Currency = [?] Fraction -For e.g. 1 USD = 100 Cent",1 Валута = [ ? ] Фракција \ нНа пример +For e.g. 1 USD = 100 Cent","1 Валута = [?] Фракција + За пример 1 УСД = 100 Цент" 1. To maintain the customer wise item code and to make them searchable based on their code use this option,1. Да бисте задржали купца мудрог код ставке и да их претраживати на основу њиховог кода користили ову опцију "
Add / Edit","<а хреф=""#Салес Бровсер/Цустомер Гроуп""> Додај / Уреди < />" "Add / Edit","<а хреф=""#Салес Бровсер/Итем Гроуп""> Додај / Уреди < />" "Add / Edit","<а хреф=""#Салес Бровсер/Территори""> Додај / Уреди < />" +"

Default Template

+

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

+
{{ address_line1 }}<br>
+{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}
+{{ city }}<br>
+{% if state %}{{ state }}<br>{% endif -%}
+{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}
+{{ country }}<br>
+{% if phone %}Phone: {{ phone }}<br>{% endif -%}
+{% if fax %}Fax: {{ fax }}<br>{% endif -%}
+{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
+
","<х4> Уобичајено шаблона + <п> Користи <а хреф=""хттп://јиња.поцоо.орг/доцс/темплатес/""> Џинџа темплатинг и сва поља Адреса ( укључујући прилагођена поља ако има) ће бити доступан + <пре> <цоде> {{}} аддресс_лине1 <бр> + {% ако аддресс_лине2%} {{}} аддресс_лине2 <бр> { ендиф% -%} + {{}} <бр> град + {% ако држава%} {{}} држава <бр> {ендиф% -%} + {% ако Пинцоде%} ПИН: {{}} Пинцоде <бр> {ендиф% -%} + {{}} земља <бр> + {% ако телефон%} Тел: {{}} телефон <бр> { ендиф% -%} + {% ако факс%} Факс: {{}} факс <бр> {ендиф% -%} + {% ако емаил_ид%} Емаил: {{}} емаил_ид <бр> ; {ендиф% -%} + " A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Группа клиентов существует с тем же именем , пожалуйста изменить имя клиентов или переименовать группу клиентов" A Customer exists with same name,Кориснички постоји са истим именом A Lead with this email id should exist,Олово са овом е ид треба да постоје @@ -44,7 +67,6 @@ A symbol for this currency. For e.g. $,Симбол за ову валуту. З AMC Expiry Date,АМЦ Датум истека Abbr,Аббр Abbreviation cannot have more than 5 characters,Аббревиатура не может иметь более 5 символов -About,Око Above Value,Изнад Вредност Absent,Одсутан Acceptance Criteria,Критеријуми за пријем @@ -59,6 +81,8 @@ Account Details,Детаљи рачуна Account Head,Рачун шеф Account Name,Име налога Account Type,Тип налога +"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Стања на рачуну већ у Кредит, није вам дозвољено да поставите 'биланс треба да се' као 'Дебит """ +"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Стање рачуна већ у задуживање, није вам дозвољено да поставите 'Стање Муст Бе' као 'Кредит'" Account for the warehouse (Perpetual Inventory) will be created under this Account.,Рачун за складишта ( сталне инвентуре ) ће бити направљен у оквиру овог рачуна . Account head {0} created,Глава счета {0} создан Account must be a balance sheet account,Счет должен быть балансовый счет @@ -68,13 +92,20 @@ Account with existing transaction can not be deleted,Счет с существ Account with existing transaction cannot be converted to ledger,Счет с существующей сделки не могут быть преобразованы в книге Account {0} cannot be a Group,Счет {0} не может быть группа Account {0} does not belong to Company {1},Счет {0} не принадлежит компании {1} +Account {0} does not belong to company: {1},Рачун {0} не припада компанији: {1} Account {0} does not exist,Счет {0} не существует Account {0} has been entered more than once for fiscal year {1},Счет {0} был введен более чем один раз в течение финансового года {1} Account {0} is frozen,Счет {0} заморожен Account {0} is inactive,Счет {0} неактивен +Account {0} is not valid,Рачун {0} није важећа Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item,"Счет {0} должен быть типа "" Fixed Asset "", как товара {1} является активом Пункт" +Account {0}: Parent account {1} can not be a ledger,Рачун {0}: {1 Родитељ рачун} не може бити књига +Account {0}: Parent account {1} does not belong to company: {2},Рачун {0}: {1 Родитељ рачун} не припада компанији: {2} +Account {0}: Parent account {1} does not exist,Рачун {0}: {1 Родитељ рачун} не постоји +Account {0}: You can not assign itself as parent account,Рачун {0}: Не може да се доделити као родитељ налог "Account: {0} can only be updated via \ - Stock Transactions",Рачун : {0} може да се ажурира само преко \ \ н Сток трансакција + Stock Transactions","Рачун: {0} може да се ажурира само преко \ + Сток трансакција" Accountant,рачуновођа Accounting,Рачуноводство "Accounting Entries can be made against leaf nodes, called","Рачуноводствене Уноси могу бити против листа чворова , зове" @@ -124,6 +155,7 @@ Address Details,Адреса Детаљи Address HTML,Адреса ХТМЛ Address Line 1,Аддресс Лине 1 Address Line 2,Аддресс Лине 2 +Address Template,Адреса шаблона Address Title,Адреса Наслов Address Title is mandatory.,Адрес Название является обязательным. Address Type,Врста адресе @@ -144,7 +176,6 @@ Against Docname,Против Доцнаме Against Doctype,Против ДОЦТИПЕ Against Document Detail No,Против докумената детаља Нема Against Document No,Против документу Нема -Against Entries,Против Ентриес Against Expense Account,Против трошковником налог Against Income Account,Против приход Against Journal Voucher,Против Јоурнал ваучер @@ -180,10 +211,8 @@ All Territories,Все территории "All export related fields like currency, conversion rate, export total, export grand total etc are available in Delivery Note, POS, Quotation, Sales Invoice, Sales Order etc.","Все экспорт смежных областях , как валюты, обменный курс , экспорт Количество , экспорт общего итога и т.д. доступны в накладной , POS, цитаты , счет-фактура , заказ клиента и т.д." "All import related fields like currency, conversion rate, import total, import grand total etc are available in Purchase Receipt, Supplier Quotation, Purchase Invoice, Purchase Order etc.","Все импорта смежных областях , как валюты, обменный курс , общий объем импорта , импорт общего итога и т.д. доступны в ТОВАРНЫЙ ЧЕК , поставщиков цитаты , счета-фактуры Заказа т.д." All items have already been invoiced,Све ставке су већ фактурисано -All items have already been transferred for this Production Order.,Все детали уже переданы для этого производственного заказа . All these items have already been invoiced,Все эти предметы уже выставлен счет Allocate,Доделити -Allocate Amount Automatically,Алокација износ Аутоматски Allocate leaves for a period.,Выделите листья на определенный срок. Allocate leaves for the year.,Додела лишће за годину. Allocated Amount,Издвојена Износ @@ -204,13 +233,13 @@ Allow Users,Дозволи корисницима Allow the following users to approve Leave Applications for block days.,Дозволи следеће корисницима да одобри Апликације оставити за блок дана. Allow user to edit Price List Rate in transactions,Дозволите кориснику да измените Рате Ценовник у трансакцијама Allowance Percent,Исправка Проценат -Allowance for over-delivery / over-billing crossed for Item {0},Учет по - доставки / Over- биллинга скрещенными за Пункт {0} +Allowance for over-{0} crossed for Item {1},Исправка за преко-{0} {прешао за тачке 1} +Allowance for over-{0} crossed for Item {1}.,Исправка за преко-{0} прешао за пункт {1}. Allowed Role to Edit Entries Before Frozen Date,Дозвољено Улога на Измене уноса Пре Фрозен Дате Amended From,Измењена од Amount,Износ Amount (Company Currency),Износ (Друштво валута) -Amount <=,Износ <= -Amount >=,Износ> = +Amount Paid,Износ Плаћени Amount to Bill,Износ на Предлог закона An Customer exists with same name,Существуетклиентов с одноименным названием "An Item Group exists with same name, please change the item name or rename the item group","Пункт Группа существует с тем же именем , пожалуйста, измените имя элемента или переименовать группу товаров" @@ -260,6 +289,7 @@ As per Stock UOM,По берза ЗОЦГ Asset,преимућство Assistant,асистент Associate,помоћник +Atleast one of the Selling or Buying must be selected,Барем један од продајете или купујете морају бити изабрани Atleast one warehouse is mandatory,Атлеаст једно складиште је обавезно Attach Image,Прикрепите изображение Attach Letterhead,Прикрепите бланке @@ -319,6 +349,7 @@ Balance for Account {0} must always be {1},Весы для счета {0} дол Balance must be,Баланс должен быть "Balances of Accounts of type ""Bank"" or ""Cash""",Остатки на счетах типа «Банк» или «Денежные средства» Bank,Банка +Bank / Cash Account,Банка / готовински рачун Bank A/C No.,Банка / Ц бр Bank Account,Банковни рачун Bank Account No.,Банковни рачун бр @@ -397,18 +428,24 @@ Budget Distribution Details,Буџетски Дистрибуција Детаљ Budget Variance Report,Буџет Разлика извештај Budget cannot be set for Group Cost Centers,Бюджет не может быть установлено для группы МВЗ Build Report,Буилд Пријави -Built on,Построенный на Bundle items at time of sale.,Бундле ставке у време продаје. Business Development Manager,Менаџер за пословни развој Buying,Куповина Buying & Selling,Покупка и продажа Buying Amount,Куповина Износ Buying Settings,Куповина Сеттингс +"Buying must be checked, if Applicable For is selected as {0}","Куповина се мора проверити, ако је применљиво Јер је изабрана као {0}" C-Form,Ц-Форм C-Form Applicable,Ц-примењује C-Form Invoice Detail,Ц-Форм Рачун Детаљ C-Form No,Ц-Образац бр C-Form records,Ц - Форма евиденција +CENVAT Capital Goods,ЦЕНВАТ Капитал робе +CENVAT Edu Cess,ЦЕНВАТ Еду Цесс +CENVAT SHE Cess,ЦЕНВАТ ОНА Цесс +CENVAT Service Tax,ЦЕНВАТ пореза на услуге +CENVAT Service Tax Cess 1,ЦЕНВАТ сервис Пореска Цесс 1 +CENVAT Service Tax Cess 2,ЦЕНВАТ сервис Пореска Цесс 2 Calculate Based On,Израчунајте Басед Он Calculate Total Score,Израчунајте Укупна оцена Calendar Events,Календар догађаја @@ -432,7 +469,7 @@ Cannot approve leave as you are not authorized to approve leaves on Block Dates, Cannot cancel because Employee {0} is already approved for {1},"Нельзя отменить , потому что сотрудников {0} уже одобрен для {1}" Cannot cancel because submitted Stock Entry {0} exists,"Нельзя отменить , потому что представляется со Вступление {0} существует" Cannot carry forward {0},Не можете переносить {0} -Cannot change Year Start Date and Year End Date once the Fiscal Year is saved.,Не можете да промените Година датум почетка и датум завршетка Година једномФискална година је сачувана . +Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,Не можете променити фискалну годину и датум почетка фискалне године Датум завршетка једном Фискална година је сачувана. "Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Невозможно изменить Базовая валюта компании , потому что есть существующие операции . Сделки должны быть отменены , чтобы поменять валюту ." Cannot convert Cost Center to ledger as it has child nodes,"Невозможно преобразовать МВЗ в книге , как это имеет дочерние узлы" Cannot covert to Group because Master Type or Account Type is selected.,"Не можете скрытые в группу , потому что выбран Мастер Введите или счета Тип ." @@ -441,7 +478,7 @@ Cannot deactive or cancle BOM as it is linked with other BOMs,Не можете Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Не можете вычесть , когда категория для "" Оценка "" или "" Оценка и Всего""" "Cannot delete Serial No {0} in stock. First remove from stock, then delete.","Не удается удалить серийный номер {0} в наличии . Сначала снимите со склада , а затем удалить ." "Cannot directly set amount. For 'Actual' charge type, use the rate field","Не можете непосредственно установить сумму. Для «Актуальные ' типа заряда , используйте поле скорости" -"Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in 'Setup' > 'Global Defaults'","Не можете overbill по пункту {0} в строке {0} более {1} . Чтобы разрешить overbilling , пожалуйста, установите в ' Setup ' > ' Глобальные умолчанию '" +"Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in Stock Settings","Не могу овербилл за пункт {0} у реду {0} {1 више него}. Да бисте дозволили Овербиллинг, молимо вас да поставите у складишту Сеттингс" Cannot produce more Item {0} than Sales Order quantity {1},"Не можете производить больше элемент {0} , чем количество продаж Заказать {1}" Cannot refer row number greater than or equal to current row number for this Charge type,"Не можете обратиться номер строки , превышающую или равную текущему номеру строки для этого типа зарядки" Cannot return more than {0} for Item {1},Не можете вернуть более {0} для Пункт {1} @@ -504,6 +541,8 @@ Click on a link to get options to expand get options , Client,Клијент Close Balance Sheet and book Profit or Loss.,Затвори Биланс стања и књига добитак или губитак . Closed,Затворено +Closing (Cr),Затварање (Цр) +Closing (Dr),Затварање (др) Closing Account Head,Затварање рачуна Хеад Closing Account {0} must be of type 'Liability',"Закрытие счета {0} должен быть типа "" ответственности """ Closing Date,Датум затварања @@ -514,7 +553,9 @@ CoA Help,ЦоА Помоћ Code,Код Cold Calling,Хладна Позивање Color,Боја +Column Break,Колона Пауза Comma separated list of email addresses,Зарез раздвојен списак емаил адреса +Comment,Коментар Comments,Коментари Commercial,коммерческий Commission,комисија @@ -599,7 +640,6 @@ Cosmetics,козметика Cost Center,Трошкови центар Cost Center Details,Трошкови Детаљи центар Cost Center Name,Трошкови Име центар -Cost Center is mandatory for Item {0},МВЗ является обязательным для п. {0} Cost Center is required for 'Profit and Loss' account {0},Стоимость Центр необходим для ' о прибылях и убытках » счета {0} Cost Center is required in row {0} in Taxes table for type {1},МВЗ требуется в строке {0} в виде налогов таблицы для типа {1} Cost Center with existing transactions can not be converted to group,МВЗ с существующими сделок не могут быть преобразованы в группе @@ -609,6 +649,7 @@ Cost of Goods Sold,Себестоимость реализованных тов Costing,Коштање Country,Земља Country Name,Земља Име +Country wise default Address Templates,Земља мудар подразумевана адреса шаблон "Country, Timezone and Currency","Земља , временску зону и валута" Create Bank Voucher for the total salary paid for the above selected criteria,Креирање ваучера банка за укупне плате исплаћене за горе изабраним критеријумима Create Customer,Креирање корисника @@ -662,10 +703,12 @@ Customer (Receivable) Account,Кориснички (потраживања) Ра Customer / Item Name,Кориснички / Назив Customer / Lead Address,Кориснички / Олово Адреса Customer / Lead Name,Заказчик / Ведущий Имя +Customer > Customer Group > Territory,Кориснички> Кориснички Група> Територија Customer Account Head,Кориснички налог је шеф Customer Acquisition and Loyalty,Кориснички Стицање и лојалности Customer Address,Кориснички Адреса Customer Addresses And Contacts,Кориснички Адресе и контакти +Customer Addresses and Contacts,Адресе корисника и контакти Customer Code,Кориснички Код Customer Codes,Кориснички Кодови Customer Details,Кориснички Детаљи @@ -727,6 +770,8 @@ Deduction1,Дедуцтион1 Deductions,Одбици Default,Уобичајено Default Account,Уобичајено Рачун +Default Address Template cannot be deleted,Уобичајено Адреса Шаблон не може бити обрисан +Default Amount,Уобичајено Износ Default BOM,Уобичајено БОМ Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,"Уобичајено банка / Готовина налог ће аутоматски бити ажуриран у ПОС фактура, када је овај режим изабран." Default Bank Account,Уобичајено банковног рачуна @@ -734,7 +779,6 @@ Default Buying Cost Center,По умолчанию Покупка МВЗ Default Buying Price List,Уобичајено Куповина Ценовник Default Cash Account,Уобичајено готовински рачун Default Company,Уобичајено Компанија -Default Cost Center for tracking expense for this item.,Уобичајено Трошкови Центар за праћење трошкова за ову ставку. Default Currency,Уобичајено валута Default Customer Group,Уобичајено групу потрошача Default Expense Account,Уобичајено Трошкови налога @@ -761,6 +805,7 @@ Default settings for selling transactions.,Настройки по умолча Default settings for stock transactions.,Настройки по умолчанию для биржевых операций . Defense,одбрана "Define Budget for this Cost Center. To set budget action, see Company Master","Дефинисање буџета за ову трошкова Центра. Да бисте поставили радњу буџета, види Мастер Цомпани" +Del,Дел Delete,Избрисати Delete {0} {1}?,Удалить {0} {1} ? Delivered,Испоручено @@ -809,6 +854,7 @@ Discount (%),Попуст (%) Discount Amount,Сумма скидки "Discount Fields will be available in Purchase Order, Purchase Receipt, Purchase Invoice","Попуст Поља ће бити доступан у нарудзбенице, Куповина записа, фактури" Discount Percentage,Скидка в процентах +Discount Percentage can be applied either against a Price List or for all Price List.,Попуст Проценат може да се примени било против ценовнику или за све Ценовником. Discount must be less than 100,Скидка должна быть меньше 100 Discount(%),Попуст (%) Dispatch,депеша @@ -841,7 +887,8 @@ Download Template,Преузмите шаблон Download a report containing all raw materials with their latest inventory status,Преузмите извештај садржи све сировине са њиховим најновијим инвентара статусу "Download the Template, fill appropriate data and attach the modified file.","Скачать шаблон , заполнить соответствующие данные и приложить измененный файл ." "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","Преузмите шаблон , попуните одговарајуће податке и приложите измењену датотеку \ . НАЛЛ датира и комбинација запослени у изабраном периоду ће доћи у шаблону , са постојећим евиденцију радног" +All dates and employee combination in the selected period will come in the template, with existing attendance records","Преузмите шаблон, попуните одговарајуће податке и приложите измењену датотеку. + Сви датуми и комбинација запослени у изабраном периоду ће доћи у шаблону, са постојећим евиденцију радног" Draft,Нацрт Dropbox,Дропбок Dropbox Access Allowed,Дропбок дозвољен приступ @@ -863,6 +910,9 @@ Earning & Deduction,Зарада и дедукције Earning Type,Зарада Вид Earning1,Еарнинг1 Edit,Едит +Edu. Cess on Excise,Еду. Цесс о акцизама +Edu. Cess on Service Tax,Еду. Успех на сервис порезу +Edu. Cess on TDS,Еду. Цесс на ЛПТ Education,образовање Educational Qualification,Образовни Квалификације Educational Qualification Details,Образовни Квалификације Детаљи @@ -937,16 +987,27 @@ Enter url parameter for receiver nos,Унесите УРЛ параметар з Entertainment & Leisure,Забава и слободно време Entertainment Expenses,представительские расходы Entries,Уноси -Entries against,Уноси против +Entries against , Entries are not allowed against this Fiscal Year if the year is closed.,Уноси нису дозвољени против фискалне године ако је затворен. -Entries before {0} are frozen,Записи до {0} заморожены Equity,капитал Error: {0} > {1},Ошибка: {0} > {1} Estimated Material Cost,Процењени трошкови материјала +"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Чак и ако постоји више Цене правила са највишим приоритетом, онда следећи интерни приоритети се примењују:" Everyone can read,Свако може да чита "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.","Пример : . АБЦД # # # # # \ нАко је смештена и серијски Не се не помиње у трансакцијама , онда аутоматски серијски број ће бити креирана на основу ове серије ." +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.",". Пример: АБЦД # # # # # + Ако је смештена и серијски Не се не помиње у трансакцијама, онда аутоматски серијски број ће бити креирана на основу ове серије. Ако увек желите да експлицитно поменути серијски Нос за ову ставку. оставите празно." Exchange Rate,Курс +Excise Duty 10,Акцизе 10 +Excise Duty 14,Акцизе 14 +Excise Duty 4,Акцизе 4 +Excise Duty 8,Акцизе 8 +Excise Duty @ 10,Акцизе @ 10 +Excise Duty @ 14,Акцизе @ 14 +Excise Duty @ 4,Акцизе @ 4 +Excise Duty @ 8,Акцизе @ 8 +Excise Duty Edu Cess 2,Акцизе Еду Цесс 2 +Excise Duty SHE Cess 1,Акцизе ОНА Цесс 1 Excise Page Number,Акцизе Број странице Excise Voucher,Акцизе ваучера Execution,извршење @@ -965,6 +1026,7 @@ Expected Delivery Date cannot be before Sales Order Date,Ожидаемая да Expected End Date,Очекивани датум завршетка Expected Start Date,Очекивани датум почетка Expense,расход +Expense / Difference account ({0}) must be a 'Profit or Loss' account,"Расходи / Разлика налог ({0}) мора бити ""Добитак или губитак 'налога" Expense Account,Трошкови налога Expense Account is mandatory,Расходи Рачун је обавезан Expense Claim,Расходи потраживање @@ -1015,12 +1077,16 @@ Finished Goods,готове робе First Name,Име First Responded On,Прво одговорила Fiscal Year,Фискална година +Fiscal Year Start Date and Fiscal Year End Date are already set in Fiscal Year {0},Фискална година Датум почетка и фискалну годину Датум завршетка су већ постављена у фискалној {0} +Fiscal Year Start Date and Fiscal Year End Date cannot be more than a year apart.,"Фискална година Датум почетка и завршетка Фискална година Датум не може бити више од годину дана, осим." +Fiscal Year Start Date should not be greater than Fiscal Year End Date,Фискална година Датум почетка не би требало да буде већа од Фискална година Датум завршетка Fixed Asset,Исправлена ​​активами Fixed Assets,капитальные активы Follow via Email,Пратите преко е-поште "Following table will show values if items are sub - contracted. These values will be fetched from the master of ""Bill of Materials"" of sub - contracted items.",Након сто ће показати вредности ако су ставке под - уговорена. Ове вредности ће бити преузета од мајстора "Бил материјала" за под - уговорених ставки. Food,еда "Food, Beverage & Tobacco","Храна , пиће и дуван" +"For 'Sales BOM' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Sales BOM' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","За 'продаје' БОМ артикала, Магацин, серијски број и Батцх Не ће се сматрати из 'листе паковања' табели. Ако Складиште и Серије Не су исти за све ставке за паковање било 'продаје' бом ставке, те вредности могу се унети у главној табели артикла, вредности ће бити копирани 'Паковање' Лист табели." For Company,За компаније For Employee,За запосленог For Employee Name,За запосленог Име @@ -1050,7 +1116,9 @@ From Currency and To Currency cannot be same,Од Валуте и до валу From Customer,Од купца From Customer Issue,Од Цустомер Иссуе From Date,Од датума +From Date cannot be greater than To Date,Од датума не може бити већа него до сада From Date must be before To Date,Од датума мора да буде пре датума +From Date should be within the Fiscal Year. Assuming From Date = {0},Од датума треба да буде у оквиру фискалне године. Под претпоставком Од датума = {0} From Delivery Note,Из доставница From Employee,Од запосленог From Lead,Од Леад @@ -1072,7 +1140,9 @@ Frozen Accounts Modifier,Смрзнута Рачуни Модификатор Fulfilled,Испуњена Full Name,Пуно име Full-time,Пуно радно време +Fully Billed,Потпуно Изграђена Fully Completed,Потпуно Завршено +Fully Delivered,Потпуно Испоручено Furniture and Fixture,Мебель и приспособления Further accounts can be made under Groups but entries can be made against Ledger,"Дальнейшие счета могут быть сделаны в соответствии с группами , но записи могут быть сделаны против Леджер" "Further accounts can be made under Groups, but entries can be made against Ledger","Дальнейшие счета могут быть сделаны в соответствии с группами , но Вы можете быть предъявлен Леджер" @@ -1090,7 +1160,6 @@ Generate Schedule,Генериши Распоред Generates HTML to include selected image in the description,Ствара ХТМЛ укључити изабрану слику у опису Get Advances Paid,Гет аванси Get Advances Received,Гет аванси -Get Against Entries,Гет Против Ентриес Get Current Stock,Гет тренутним залихама Get Items,Гет ставке Get Items From Sales Orders,Набавите ставке из наруџбина купаца @@ -1103,6 +1172,7 @@ Get Specification Details,Гет Детаљи Спецификација Get Stock and Rate,Гет Стоцк анд рате Get Template,Гет шаблона Get Terms and Conditions,Гет Услове +Get Unreconciled Entries,Гет неусаглашених уносе Get Weekly Off Dates,Гет Офф Недељно Датуми "Get valuation rate and available stock at source/target warehouse on mentioned posting date-time. If serialized item, please press this button after entering serial nos.","Гет стопу процене и доступну кундак на извор / мета складишта на поменуто постављање датум-време. Ако серијализованом ставку, притисните ово дугме након уласка серијски бр." Global Defaults,Глобални Дефаултс @@ -1171,6 +1241,7 @@ Hour,час Hour Rate,Стопа час Hour Rate Labour,Стопа час рада Hours,Радно време +How Pricing Rule is applied?,Како се примењује Правилник о ценама? How frequently?,Колико често? "How should this currency be formatted? If not set, will use system defaults","Како би ова валута се форматира? Ако нису подешене, неће користити подразумеване системске" Human Resources,Человеческие ресурсы @@ -1187,12 +1258,15 @@ If different than customer address,Если отличается от адрес "If disable, 'Rounded Total' field will not be visible in any transaction","Ако онемогућите, "заобљени" Тотал поље неће бити видљив у свакој трансакцији" "If enabled, the system will post accounting entries for inventory automatically.","Ако је укључен, систем ће писати уносе рачуноводствене инвентар аутоматски." If more than one package of the same type (for print),Ако више од једног пакета истог типа (за штампу) +"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Ако више Цене Правила наставити да превлада, корисници су упитани да подесите приоритет ручно да реши конфликт." "If no change in either Quantity or Valuation Rate, leave the cell blank.","Ако нема промене у било Количина или вредновања курс , оставите празно ћелија ." If not applicable please enter: NA,Ако није примењиво унесите: НА "If not checked, the list will have to be added to each Department where it has to be applied.","Ако се не проверава, листа ће морати да се дода сваком одељењу где има да се примењује." +"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.","Ако изабрана Правилник о ценама је направљена за 'цена', он ће преписати Ценовник. Правилник о ценама цена је коначна цена, тако да треба применити даље попуст. Дакле, у трансакцијама као што су продаје Реда, Наруџбеница итд, то ће бити продата у 'курс' пољу, него 'Ценовник курс' области." "If specified, send the newsletter using this email address","Ако је наведено, пошаљите билтен користећи ову адресу" "If the account is frozen, entries are allowed to restricted users.","Аконалог је замрзнут , уноси могу да ограничене корисницима ." "If this Account represents a Customer, Supplier or Employee, set it here.","Ако је ово налог представља купац, добављач или запослени, подесите га овде." +"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Ако два или више Цене Правила се наћи на горе наведеним условима, Приоритет се примењује. Приоритет је број између 0 до 20, а подразумевана вредност је нула (празан). Већи број значи да ће имати предност ако постоји више Цене правила са истим условима." If you follow Quality Inspection. Enables Item QA Required and QA No in Purchase Receipt,Если вы будете следовать осмотра качества . Разрешает Item требуется и QA QA Нет в ТОВАРНЫЙ ЧЕК If you have Sales Team and Sale Partners (Channel Partners) they can be tagged and maintain their contribution in the sales activity,Уколико имате продајни тим и продаја партнерима (Цханнел Партнерс) они могу бити означене и одржава свој допринос у активностима продаје "If you have created a standard template in Purchase Taxes and Charges Master, select one and click on the button below.","Ако сте направили стандардну предложак за куповину пореза и накнада мајстор, изаберите један и кликните на дугме испод." @@ -1200,6 +1274,7 @@ If you have Sales Team and Sale Partners (Channel Partners) they can be tagged "If you have long print formats, this feature can be used to split the page to be printed on multiple pages with all headers and footers on each page","Ако сте дуго штампање формата, ова функција може да се користи да подели страница на којој се штампа на више страница са свим заглавља и подножја на свакој страници" If you involve in manufacturing activity. Enables Item 'Is Manufactured',Если вы привлечь в производственной деятельности. Включает элемент ' производится ' Ignore,Игнорисати +Ignore Pricing Rule,Игноре Правилник о ценама Ignored: ,Занемарени: Image,Слика Image View,Слика Погледај @@ -1236,8 +1311,9 @@ Income booked for the digest period,Приходи резервисано за Incoming,Долазни Incoming Rate,Долазни Оцени Incoming quality inspection.,Долазни контрола квалитета. +Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Погрешан број уноса Главне књиге нашао. Можда сте изабрали погрешну налог у трансакцији. Incorrect or Inactive BOM {0} for Item {1} at row {2},Неправильное или Неактивный BOM {0} для Пункт {1} в строке {2} -Indicates that the package is a part of this delivery,Показује да је пакет део ове испоруке +Indicates that the package is a part of this delivery (Only Draft),Указује на то да пакет је део ове испоруке (само нацрт) Indirect Expenses,косвенные расходы Indirect Income,Косвенная прибыль Individual,Појединац @@ -1263,6 +1339,7 @@ Intern,стажиста Internal,Интерни Internet Publishing,Интернет издаваштво Introduction,Увод +Invalid Barcode,Неважећи Баркод Invalid Barcode or Serial No,Неверный код или Серийный номер Invalid Mail Server. Please rectify and try again.,"Неверный Сервер Почта . Пожалуйста, исправить и попробовать еще раз." Invalid Master Name,Неважећи мајстор Име @@ -1275,9 +1352,12 @@ Investments,инвестиции Invoice Date,Фактуре Invoice Details,Детаљи фактуре Invoice No,Рачун Нема -Invoice Period From Date,Рачун периоду од датума +Invoice Number,Фактура број +Invoice Period From,Фактура периоду од Invoice Period From and Invoice Period To dates mandatory for recurring invoice,Счет Период С и счет-фактура Период до даты обязательных для повторяющихся счет -Invoice Period To Date,Рачун Период до данас +Invoice Period To,Фактура период до +Invoice Type,Фактура Тип +Invoice/Journal Voucher Details,Рачун / Часопис ваучера Детаљи Invoiced Amount (Exculsive Tax),Износ фактуре ( Екцулсиве Пореска ) Is Active,Је активан Is Advance,Да ли Адванце @@ -1308,6 +1388,7 @@ Item Advanced,Ставка Напредна Item Barcode,Ставка Баркод Item Batch Nos,Итем Батцх Нос Item Code,Шифра +Item Code > Item Group > Brand,Код товара> товара Група> Бренд Item Code and Warehouse should already exist.,Шифра и складишта треба да већ постоје . Item Code cannot be changed for Serial No.,Шифра не може се мењати за серијским бројем Item Code is mandatory because Item is not automatically numbered,"Код товара является обязательным, поскольку Деталь не автоматически нумеруются" @@ -1319,6 +1400,7 @@ Item Details,Детаљи артикла Item Group,Ставка Група Item Group Name,Ставка Назив групе Item Group Tree,Ставка Група дрво +Item Group not mentioned in item master for item {0},Ставка група не помиње у тачки мајстор за ставку {0} Item Groups in Details,Ставка Групе у детаљима Item Image (if not slideshow),Артикал слика (ако не слидесхов) Item Name,Назив @@ -1389,7 +1471,8 @@ Item-wise Purchase Register,Тачка-мудар Куповина Регист Item-wise Sales History,Тачка-мудар Продаја Историја Item-wise Sales Register,Предмет продаје-мудре Регистрација "Item: {0} managed batch-wise, can not be reconciled using \ - Stock Reconciliation, instead use Stock Entry","Шифра : {0} је успео серије питању , не може да се помири користећи \ \ н со помирење , уместо тога користите Стоцк Ентри" + Stock Reconciliation, instead use Stock Entry","Шифра: {0} је успео серије питању, не може да се помири користећи \ + Сток помирење, уместо тога користите Стоцк Ентри" Item: {0} not found in the system,Шифра : {0} није пронађен у систему Items,Артикли Items To Be Requested,Артикли бити затражено @@ -1492,6 +1575,7 @@ Loading...,Учитавање ... Loans (Liabilities),Кредиты ( обязательства) Loans and Advances (Assets),Кредиты и авансы ( активы ) Local,местный +Login,Пријава Login with your new User ID,Пријавите се вашим новим Усер ИД Logo,Лого Logo and Letter Heads,Лого и Леттер Шефови @@ -1536,6 +1620,7 @@ Make Maint. Schedule,Маке Маинт . распоред Make Maint. Visit,Маке Маинт . посета Make Maintenance Visit,Маке одржавање Посетите Make Packing Slip,Маке отпремници +Make Payment,Маке плаћања Make Payment Entry,Уплатите Ентри Make Purchase Invoice,Маке фактури Make Purchase Order,Маке наруџбенице @@ -1545,8 +1630,10 @@ Make Salary Structure,Маке плата Структура Make Sales Invoice,Маке Салес фактура Make Sales Order,Маке Продаја Наручите Make Supplier Quotation,Маке добављача цитат +Make Time Log Batch,Маке Тиме Лог Батцх Male,Мушки Manage Customer Group Tree.,Управление групповой клиентов дерево . +Manage Sales Partners.,Управљање продајних партнера. Manage Sales Person Tree.,Управление менеджера по продажам дерево . Manage Territory Tree.,Управление Территория дерево . Manage cost of operations,Управљање трошкове пословања @@ -1597,6 +1684,8 @@ Max 5 characters,Макс 5 знакова Max Days Leave Allowed,Мак Дани Оставите животиње Max Discount (%),Максимална Попуст (%) Max Qty,Макс Кол-во +Max discount allowed for item: {0} is {1}%,Максимална дозвољена попуст за ставку: {0} је {1}% +Maximum Amount,Максимални износ Maximum allowed credit is {0} days after posting date,Максимально допустимое кредит {0} дней после размещения дату Maximum {0} rows allowed,Максимальные {0} строк разрешено Maxiumm discount for Item {0} is {1}%,Maxiumm скидка на Пункт {0} {1} % @@ -1617,6 +1706,7 @@ Milestones will be added as Events in the Calendar,Прекретнице ће Min Order Qty,Минимална количина за поручивање Min Qty,Мин Кол-во Min Qty can not be greater than Max Qty,Минимална Кол не може бити већи од Мак Кол +Minimum Amount,Минимални износ Minimum Order Qty,Минимална количина за поручивање Minute,минут Misc Details,Остало Детаљи @@ -1626,7 +1716,6 @@ Mobile No,Мобилни Нема Mobile No.,Мобиле Но Mode of Payment,Начин плаћања Modern,Модеран -Modified Amount,Измењено Износ Monday,Понедељак Month,Месец Monthly,Месечно @@ -1643,7 +1732,8 @@ Mr,Господин Ms,Мс Multiple Item prices.,Више цене аукцији . "Multiple Price Rule exists with same criteria, please resolve \ - conflict by assigning priority. Price Rules: {0}","Вишеструки Цена Правило постоји са истим критеријумима , молимо вас да реши \ \ н сукоб са приоритетом ." + conflict by assigning priority. Price Rules: {0}","Вишеструки Цена Правило постоји са истим критеријумима, молимо вас да реши \ + сукоб са приоритетом. Цена Правила: {0}" Music,музика Must be Whole Number,Мора да буде цео број Name,Име @@ -1659,6 +1749,7 @@ Negative Valuation Rate is not allowed,Негативно Вредновање Negative balance in Batch {0} for Item {1} at Warehouse {2} on {3} {4},Отрицательное сальдо в пакетном {0} для Пункт {1} в Хранилище {2} на {3} {4} Net Pay,Нето плата Net Pay (in words) will be visible once you save the Salary Slip.,Нето плата (у речи) ће бити видљив када сачувате Слип плату. +Net Profit / Loss,Нето добит / губитак Net Total,Нето Укупно Net Total (Company Currency),Нето Укупно (Друштво валута) Net Weight,Нето тежина @@ -1699,7 +1790,6 @@ Newsletter,Билтен Newsletter Content,Билтен Садржај Newsletter Status,Билтен статус Newsletter has already been sent,Информационный бюллетень уже был отправлен -Newsletters is not allowed for Trial users,"Бюллетени не допускается, за Trial пользователей" "Newsletters to contacts, leads.","Билтене контактима, води." Newspaper Publishers,Новински издавачи Next,следующий @@ -1721,6 +1811,7 @@ No Supplier Accounts found. Supplier Accounts are identified based on 'Master Ty No accounting entries for the following warehouses,Нет учетной записи для следующих складов No addresses created,Нема адресе створене No contacts created,Нема контаката створене +No default Address Template found. Please create a new one from Setup > Printing and Branding > Address Template.,Не стандардна Адреса шаблона пронађен. Молимо креирајте нови из Подешавања> Штампа и брендирања> Адреса шаблон. No default BOM exists for Item {0},Нет умолчанию спецификации не существует Пункт {0} No description given,Не введено описание No employee found,Не работник не найдено @@ -1730,6 +1821,8 @@ No of Sent SMS,Број послатих СМС No of Visits,Број посета No permission,Нет доступа No record found,Нема података фоунд +No records found in the Invoice table,Нема резултата у фактури табели записи +No records found in the Payment table,Нема резултата у табели плаћања записи No salary slip found for month: ,Нема плата за месец пронађен клизање: Non Profit,Некоммерческое Nos,Нос @@ -1739,7 +1832,7 @@ Not Available,Није доступно Not Billed,Није Изграђена Not Delivered,Није Испоручено Not Set,Нот Сет -Not allowed to update entries older than {0},"Не допускается , чтобы обновить записи старше {0}" +Not allowed to update stock transactions older than {0},Није дозвољено да ажурирате акција трансакције старије од {0} Not authorized to edit frozen Account {0},Не разрешается редактировать замороженный счет {0} Not authroized since {0} exceeds limits,Не Authroized с {0} превышает пределы Not permitted,Не допускается @@ -1780,7 +1873,6 @@ Only the selected Leave Approver can submit this Leave Application,Только Open,Отворено Open Production Orders,Отворена Продуцтион Поруџбине Open Tickets,Отворене Улазнице -Open source ERP built for the web,Открытый исходный код ERP построен для веб Opening (Cr),Открытие (Cr) Opening (Dr),Открытие (д-р ) Opening Date,Датум отварања @@ -1805,7 +1897,7 @@ Opportunity Lost,Прилика Лост Opportunity Type,Прилика Тип Optional. This setting will be used to filter in various transactions.,Опционо . Ова поставка ће се користити за филтрирање у различитим трансакцијама . Order Type,Врста поруџбине -Order Type must be one of {1},Тип заказа должен быть одним из {1} +Order Type must be one of {0},Наручи Тип мора бити један од {0} Ordered,Ж Ordered Items To Be Billed,Ж артикала буду наплаћени Ordered Items To Be Delivered,Ж Ставке да буде испоручена @@ -1817,7 +1909,6 @@ Organization Name,Име организације Organization Profile,Профиль организации Organization branch master.,Организация филиал мастер . Organization unit (department) master.,Название подразделения (департамент) хозяин. -Original Amount,Оригинални Износ Other,Други Other Details,Остали детаљи Others,другие @@ -1834,6 +1925,7 @@ Overlapping conditions found between:,Перекрытие условия най Overview,преглед Owned,Овнед Owner,власник +P L A - Cess Portion,ПЛА - Цесс Порција PL or BS,ПЛ или БС PO Date,ПО Датум PO No,ПО Нема @@ -1846,7 +1938,6 @@ POS Setting required to make POS Entry,POS Настройка требуется POS Setting {0} already created for user: {1} and company {2},POS Установка {0} уже создали для пользователя: {1} и компания {2} POS View,ПОС Погледај PR Detail,ПР Детаљ -PR Posting Date,ПР датум постовања Package Item Details,Пакет Детаљи артикла Package Items,Пакет Артикли Package Weight Details,Пакет Тежина Детаљи @@ -1876,8 +1967,6 @@ Parent Sales Person,Продаја Родитељ Особа Parent Territory,Родитељ Територија Parent Website Page,Родитель Сайт Страница Parent Website Route,Родитель Сайт Маршрут -Parent account can not be a ledger,Родитель счета не может быть книга -Parent account does not exist,Родитель счета не существует Parenttype,Паренттипе Part-time,Скраћено Partially Completed,Дјелимично Завршено @@ -1886,6 +1975,8 @@ Partly Delivered,Делимично Испоручено Partner Target Detail,Партнер Циљна Детаљ Partner Type,Партнер Тип Partner's Website,Партнер аутора +Party,Странка +Party Account,Странка налог Party Type,партия Тип Party Type Name,Партия Тип Название Passive,Пасиван @@ -1898,10 +1989,14 @@ Payables Group,Обавезе Група Payment Days,Дана исплате Payment Due Date,Плаћање Дуе Дате Payment Period Based On Invoice Date,Период отплате Басед Он Фактура Дате +Payment Reconciliation,Плаћање Помирење +Payment Reconciliation Invoice,Плаћање Помирење Фактура +Payment Reconciliation Invoices,Плаћање помирење Фактуре +Payment Reconciliation Payment,Плаћање Плаћање Помирење +Payment Reconciliation Payments,Плаћање помирење Плаћања Payment Type,Плаћање Тип +Payment cannot be made for empty cart,Плаћање не може се за празан корпу Payment of salary for the month {0} and year {1},Выплата заработной платы за месяц {0} и год {1} -Payment to Invoice Matching Tool,Плаћање фактуре Матцхинг Тоол -Payment to Invoice Matching Tool Detail,Плаћање фактуре Матцхинг Тоол Детаљ Payments,Исплате Payments Made,Исплате Маде Payments Received,Уплате примљене @@ -1944,7 +2039,9 @@ Planning,планирање Plant,Биљка Plant and Machinery,Сооружения и оборудование Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,"Молимо Вас да унесете знак или скраћени назив исправно, јер ће бити додат као суфикса свим налог шефовима." +Please Update SMS Settings,Молимо Упдате СМС Сеттингс Please add expense voucher details,"Пожалуйста, добавьте расходов Детали ваучеров" +Please add to Modes of Payment from Setup.,Молимо додати начина плаћања из Сетуп. Please check 'Is Advance' against Account {0} if this is an advance entry.,"Пожалуйста, проверьте ""Есть Advance "" против Счет {0} , если это такой шаг вперед запись ." Please click on 'Generate Schedule',"Пожалуйста, нажмите на кнопку "" Generate Расписание """ Please click on 'Generate Schedule' to fetch Serial No added for Item {0},"Пожалуйста, нажмите на кнопку "" Generate Расписание "" , чтобы принести Серийный номер добавлен для Пункт {0}" @@ -1992,12 +2089,13 @@ Please enter valid Company Email,"Пожалуйста, введите дейс Please enter valid Email Id,"Пожалуйста, введите действительный адрес электронной почты Id" Please enter valid Personal Email,"Пожалуйста, введите действительный Личная на e-mail" Please enter valid mobile nos,Введите действительные мобильных NOS +Please find attached Sales Invoice #{0},У прилогу продаје Фактура # {0} Please install dropbox python module,Молимо вас да инсталирате Дропбок питон модул Please mention no of visits required,"Пожалуйста, укажите кол-во посещений , необходимых" Please pull items from Delivery Note,Пожалуйста вытяните элементов из накладной Please save the Newsletter before sending,"Пожалуйста, сохраните бюллетень перед отправкой" Please save the document before generating maintenance schedule,Сачувајте документ пре генерисања план одржавања -Please select Account first,Прво изаберите налог +Please see attachment,Молимо погледајте прилог Please select Bank Account,Изаберите банковни рачун Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Молимо изаберите пренети ако такође желите да укључите претходну фискалну годину је биланс оставља на ову фискалну годину Please select Category first,Прво изаберите категорију @@ -2005,14 +2103,17 @@ Please select Charge Type first,Изаберите Тип пуњења први Please select Fiscal Year,"Пожалуйста, выберите финансовый год" Please select Group or Ledger value,"Пожалуйста, выберите Group или Ledger значение" Please select Incharge Person's name,"Пожалуйста, выберите имя InCharge Лица" +Please select Invoice Type and Invoice Number in atleast one row,Молимо изаберите Фактура Тип и број фактуре у атлеаст једном реду "Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Sales BOM","Пожалуйста, выберите пункт , где ""это со Пункт "" является ""Нет"" и "" является продажа товара "" ""да"" и нет никакой другой Продажи BOM" Please select Price List,Изаберите Ценовник Please select Start Date and End Date for Item {0},"Пожалуйста, выберите дату начала и дату окончания Пункт {0}" +Please select Time Logs.,Изаберите време Протоколи. Please select a csv file,Изаберите ЦСВ датотеку Please select a valid csv file with data,"Пожалуйста, выберите правильный файл CSV с данными" Please select a value for {0} quotation_to {1},"Пожалуйста, выберите значение для {0} quotation_to {1}" "Please select an ""Image"" first","Молимо изаберите ""имаге"" први" Please select charge type first,"Пожалуйста, выберите тип заряда первым" +Please select company first,Прво изаберите компанију Please select company first.,"Пожалуйста, выберите компанию в первую очередь." Please select item code,"Пожалуйста, выберите элемент кода" Please select month and year,Изаберите месец и годину @@ -2021,6 +2122,7 @@ Please select the document type first,Прво изаберите врсту д Please select weekly off day,"Пожалуйста, выберите в неделю выходной" Please select {0},"Пожалуйста, выберите {0}" Please select {0} first,Изаберите {0} први +Please select {0} first.,Изаберите {0} прво. Please set Dropbox access keys in your site config,"Пожалуйста, установите ключи доступа Dropbox на своем сайте конфигурации" Please set Google Drive access keys in {0},"Пожалуйста, установите ключи доступа Google Drive, в {0}" Please set default Cash or Bank account in Mode of Payment {0},"Пожалуйста, установите Cash умолчанию или банковский счет в режим оплаты {0}" @@ -2047,6 +2149,7 @@ Postal,Поштански Postal Expenses,Почтовые расходы Posting Date,Постављање Дате Posting Time,Постављање Време +Posting date and posting time is mandatory,Дата публикации и постављање време је обавезна Posting timestamp must be after {0},Средняя отметка должна быть после {0} Potential opportunities for selling.,Потенцијалне могућности за продају. Preferred Billing Address,Жељени Адреса за наплату @@ -2073,8 +2176,10 @@ Price List not selected,Прайс-лист не выбран Price List {0} is disabled,Прайс-лист {0} отключена Price or Discount,Цена или Скидка Pricing Rule,Цены Правило -Pricing Rule For Discount,Цены Правило Для Скидка -Pricing Rule For Price,Цены Правило Для Цена +Pricing Rule Help,Правилник о ценама Помоћ +"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Правилник о ценама је први изабран на основу 'Примени на ""терену, који могу бити артикла, шифра групе или Марка." +"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Правилник о ценама је направљен да замени Ценовник / дефинисати попуст проценат, на основу неких критеријума." +Pricing Rules are further filtered based on quantity.,Цене Правила се даље филтрира на основу количине. Print Format Style,Штампаном формату Стил Print Heading,Штампање наслова Print Without Amount,Принт Без Износ @@ -2102,7 +2207,9 @@ Production Plan Sales Orders,Производни план продаје Пор Production Planning Tool,Планирање производње алата Products,Продукты "Products will be sorted by weight-age in default searches. More the weight-age, higher the product will appear in the list.","Производи ће бити сортирани по тежини узраста у подразумеваним претрагама. Више тежине старости, већа производ ће се појавити на листи." +Professional Tax,Професионални Пореска Profit and Loss,Прибыль и убытки +Profit and Loss Statement,Биланс успјеха Project,Пројекат Project Costing,Трошкови пројекта Project Details,Пројекат Детаљи @@ -2125,7 +2232,9 @@ Projects & System,Проекты и система Prompt for Email on Submission of,Упитај Емаил за подношење Proposal Writing,Писање предлога Provide email id registered in company,Обезбедити ид е регистрован у предузећу +Provisional Profit / Loss (Credit),Привремени Добитак / Губитак (кредит) Public,Јавност +Published on website at: {0},Објављено на сајту на адреси: {0} Publishing,објављивање Pull sales orders (pending to deliver) based on the above criteria,Повуците продајне налоге (чека да испоручи) на основу наведених критеријума Purchase,Куповина @@ -2134,7 +2243,6 @@ Purchase Analytics,Куповина Аналитика Purchase Common,Куповина Заједнички Purchase Details,Куповина Детаљи Purchase Discounts,Куповина Попусти -Purchase In Transit,Куповина Ин Трансит Purchase Invoice,Фактури Purchase Invoice Advance,Фактури Адванце Purchase Invoice Advances,Фактури Аванси @@ -2142,7 +2250,6 @@ Purchase Invoice Item,Фактури Итем Purchase Invoice Trends,Фактури Трендови Purchase Invoice {0} is already submitted,Покупка Счет {0} уже подано Purchase Order,Налог за куповину -Purchase Order Date,Куповина Дате Ордер Purchase Order Item,Куповина ставке поруџбине Purchase Order Item No,Налог за куповину артикал број Purchase Order Item Supplied,Наруџбенице артикла у комплету @@ -2206,7 +2313,6 @@ Quarter,Четврт Quarterly,Тромесечни Quick Help,Брзо Помоћ Quotation,Цитат -Quotation Date,Понуда Датум Quotation Item,Понуда шифра Quotation Items,Цитат Артикли Quotation Lost Reason,Понуда Лост разлог @@ -2284,6 +2390,7 @@ Recurring Invoice,Понављајући Рачун Recurring Type,Понављајући Тип Reduce Deduction for Leave Without Pay (LWP),Смањите одбитка за дозволу без плате (ЛВП) Reduce Earning for Leave Without Pay (LWP),Смањите Зарада за дозволу без плате (ЛВП) +Ref,Реф Ref Code,Реф Код Ref SQ,Реф СК Reference,Упућивање @@ -2307,6 +2414,7 @@ Relieving Date,Разрешење Дате Relieving Date must be greater than Date of Joining,Освобождение Дата должна быть больше даты присоединения Remark,Примедба Remarks,Примедбе +Remarks Custom,Примедбе Прилагођена Rename,Преименовање Rename Log,Преименовање Лог Rename Tool,Преименовање Тоол @@ -2322,6 +2430,7 @@ Report Type,Врста извештаја Report Type is mandatory,Тип отчета является обязательным Reports to,Извештаји Reqd By Date,Рекд по датуму +Reqd by Date,Рекд по датуму Request Type,Захтев Тип Request for Information,Захтев за информације Request for purchase.,Захтев за куповину. @@ -2375,21 +2484,34 @@ Rounded Total,Роундед Укупно Rounded Total (Company Currency),Заобљени Укупно (Друштво валута) Row # ,Ред # Row # {0}: , +Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,Ред # {0}: Ж количина не може мање од ставке Минимална количина за поручивање (дефинисано у тачки мастер). +Row #{0}: Please specify Serial No for Item {1},Ред # {0}: Наведите Сериал но за пункт {1} "Row {0}: Account does not match with \ - Purchase Invoice Credit To account",Ред {0} : Рачун не подудара са \ \ н фактури кредита на рачун + Purchase Invoice Credit To account","Ред {0}: Рачун не одговара \ + фактури Кредит на рачун" "Row {0}: Account does not match with \ - Sales Invoice Debit To account",Ред {0} : Рачун не подудара са \ \ н продаје Фактура Дебит на рачун + Sales Invoice Debit To account","Ред {0}: Рачун не одговара \ + Продаја Рачун Дебитна на рачун" +Row {0}: Conversion Factor is mandatory,Ред {0}: Фактор конверзије је обавезно Row {0}: Credit entry can not be linked with a Purchase Invoice,Ред {0} : Кредитни унос не може да буде повезан са фактури Row {0}: Debit entry can not be linked with a Sales Invoice,Ред {0} : Дебит унос не може да буде повезан са продаје фактуре +Row {0}: Payment amount must be less than or equals to invoice outstanding amount. Please refer Note below.,Ред {0}: Износ уплате мора бити мања или једнака фактуре изузетан износ. Молимо Вас да погледате Напомена испод. +Row {0}: Qty is mandatory,Ред {0}: Кол је обавезно +"Row {0}: Qty not avalable in warehouse {1} on {2} {3}. + Available Qty: {4}, Transfer Qty: {5}","Ред {0}: Кол не авалабле у складишту {1} {2} на {3}. + Расположив Кол: {4}, Трансфер Кти: {5}" "Row {0}: To set {1} periodicity, difference between from and to date \ - must be greater than or equal to {2}","Ред {0} : За постављање {1} периодику , разлика између од и до данас \ \ н мора бити већи од или једнака {2}" + must be greater than or equal to {2}","Ред {0}: Да подесите {1} периодику, разлика између од и до датума \ + мора бити већи или једнак {2}" Row {0}:Start Date must be before End Date,Ред {0} : Датум почетка мора да буде пре крајњег датума Rules for adding shipping costs.,Правила для добавления стоимости доставки . Rules for applying pricing and discount.,Правила применения цен и скидки . Rules to calculate shipping amount for a sale,Правила за израчунавање износа испоруке за продају S.O. No.,С.О. Не. +SHE Cess on Excise,ОНА ЦЕСС о акцизама +SHE Cess on Service Tax,ОНА ЦЕСС на сервис порезу +SHE Cess on TDS,ОНА ЦЕСС на ЛПТ SMS Center,СМС центар -SMS Control,СМС Цонтрол SMS Gateway URL,СМС Гатеваи УРЛ адреса SMS Log,СМС Пријава SMS Parameter,СМС Параметар @@ -2494,15 +2616,20 @@ Securities and Deposits,Ценные бумаги и депозиты "Select ""Yes"" if this item represents some work like training, designing, consulting etc.","Изаберите "Да" ако ова ставка представља неки посао као тренинг, пројектовање, консалтинг, итд" "Select ""Yes"" if you are maintaining stock of this item in your Inventory.",Изаберите "Да" ако се одржавање залихе ове ставке у свом инвентару. "Select ""Yes"" if you supply raw materials to your supplier to manufacture this item.",Изаберите "Да" ако снабдевање сировинама да у свом добављачу за производњу ову ставку. +Select Brand...,Изаберите бренд ... Select Budget Distribution to unevenly distribute targets across months.,Изаберите Дистрибуција буџету неравномерно дистрибуирају широм мете месеци. "Select Budget Distribution, if you want to track based on seasonality.","Изаберите Дистрибуција буџета, ако желите да пратите на основу сезоне." +Select Company...,Изаберите фирму ... Select DocType,Изаберите ДОЦТИПЕ +Select Fiscal Year...,Изаберите Фискална година ... Select Items,Изаберите ставке +Select Project...,Изаберите Пројецт ... Select Purchase Receipts,Изаберите Пурцхасе Приливи Select Sales Orders,Избор продајних налога Select Sales Orders from which you want to create Production Orders.,Изаберите продајних налога из које желите да креирате налоге производњу. Select Time Logs and Submit to create a new Sales Invoice.,Изаберите Протоколи време и слање да створи нову продајну фактуру. Select Transaction,Изаберите трансакцију +Select Warehouse...,Изаберите Варехоусе ... Select Your Language,Выбор языка Select account head of the bank where cheque was deposited.,Изаберите главу рачуна банке у којој је депонован чек. Select company name first.,Изаберите прво име компаније. @@ -2520,6 +2647,7 @@ Select your home country and check the timezone and currency.,Изаберите "Selecting ""Yes"" will give a unique identity to each entity of this item which can be viewed in the Serial No master.",Избор "Да" ће дати јединствени идентитет сваком ентитету ове тачке које се могу видети у серијским Но мајстора. Selling,Продаја Selling Settings,Продаја Сеттингс +"Selling must be checked, if Applicable For is selected as {0}","Продаја се мора проверити, ако је применљиво Јер је изабрана као {0}" Send,Послати Send Autoreply,Пошаљи Ауторепли Send Email,Сенд Емаил @@ -2556,7 +2684,8 @@ Serial Nos Required for Serialized Item {0},Серийный Нос Требуе Serial Number Series,Серијски број серија Serial number {0} entered more than once,Серийный номер {0} вошли более одного раза "Serialized Item {0} cannot be updated \ - using Stock Reconciliation",Серијализованој шифра {0} не може да се ажурира \ \ н користећи Стоцк помирење + using Stock Reconciliation","Серијализованој шифра {0} не може да се ажурира \ + користећи Стоцк помирење" Series,серија Series List for this Transaction,Серија Листа за ову трансакције Series Updated,Серия Обновлено @@ -2565,15 +2694,18 @@ Series is mandatory,Серия является обязательным Series {0} already used in {1},Серия {0} уже используется в {1} Service,служба Service Address,Услуга Адреса +Service Tax,Порез на услуге Services,Услуге Set,набор "Set Default Values like Company, Currency, Current Fiscal Year, etc.","Установить значения по умолчанию , как Болгарии, Валюта , текущий финансовый год и т.д." Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,Сет тачка Групе мудрих буџете на овој територији. Такође можете укључити сезонски постављањем дистрибуције. +Set Status as Available,Сет статус као Доступан Set as Default,Постави као подразумевано Set as Lost,Постави као Лост Set prefix for numbering series on your transactions,Сет префикс за нумерисање серију на својим трансакцијама Set targets Item Group-wise for this Sales Person.,Поставите циљеве ставку Групе мудро ову особу продаје. Setting Account Type helps in selecting this Account in transactions.,Подешавање Тип налога помаже у одабиру овог рачуна у трансакцијама. +Setting this Address Template as default as there is no other default,"Постављање Ова адреса шаблон као подразумевани, јер не постоји други подразумевани" Setting up...,Подешавање ... Settings,Подешавања Settings for HR Module,Настройки для модуля HR @@ -2581,6 +2713,7 @@ Settings for HR Module,Настройки для модуля HR Setup,Намештаљка Setup Already Complete!!,Подешавање Већ Комплетна ! Setup Complete,Завершение установки +Setup SMS gateway settings,Подешавање Подешавања СМС Гатеваи Setup Series,Подешавање Серија Setup Wizard,Мастер установки Setup incoming server for jobs email id. (e.g. jobs@example.com),Настройка сервера входящей подрабатывать электронный идентификатор . (например jobs@example.com ) @@ -2606,6 +2739,7 @@ Short biography for website and other publications.,Кратка биограф Show In Website,Схов у сајт Show a slideshow at the top of the page,Приказивање слајдова на врху странице Show in Website,Прикажи у сајту +Show rows with zero values,Покажи редове са нула вредностима Show this slideshow at the top of the page,Покажи ову пројекцију слајдова на врху странице Sick Leave,Отпуск по болезни Signature,Потпис @@ -2635,9 +2769,9 @@ Specifications,технические условия "Specify the operations, operating cost and give a unique Operation no to your operations.","Наведите операције , оперативне трошкове и дају јединствену операцију без своје пословање ." Split Delivery Note into packages.,Сплит Напомена Испорука у пакетима. Sports,спортски +Sr,Ср Standard,Стандард Standard Buying,Стандардна Куповина -Standard Rate,Стандардна стопа Standard Reports,Стандартные отчеты Standard Selling,Стандардна Продаја Standard contract terms for Sales or Purchase.,Стандартные условия договора для продажи или покупки. @@ -2646,6 +2780,7 @@ Start Date,Датум почетка Start date of current invoice's period,Почетак датум периода текуће фактуре за Start date should be less than end date for Item {0},Дата начала должна быть меньше даты окончания для Пункт {0} State,Држава +Statement of Account,Изјава рачуна Static Parameters,Статички параметри Status,Статус Status must be one of {0},Статус должен быть одним из {0} @@ -2687,6 +2822,7 @@ Stock Value Difference,Вредност акције Разлика Stock balances updated,Акции остатки обновляются Stock cannot be updated against Delivery Note {0},Фото не могут быть обновлены против накладной {0} Stock entries exist against warehouse {0} cannot re-assign or modify 'Master Name',"Акции записи существуют в отношении склада {0} не может повторно назначить или изменить "" Master Имя '" +Stock transactions before {0} are frozen,Сток трансакције пре {0} су замрзнути Stop,Стоп Stop Birthday Reminders,Стани Рођендан Подсетници Stop Material Request,Стани Материјал Захтев @@ -2706,13 +2842,13 @@ Submit this Production Order for further processing.,Пошаљите ова п Submitted,Поднет Subsidiary,Подружница Successful: ,Успешно: -Successfully allocated,Успешно выделено +Successfully Reconciled,Успешно помирили Suggestions,Предлози Sunday,Недеља Supplier,Добављач Supplier (Payable) Account,Добављач (наплаћује се) налог Supplier (vendor) name as entered in supplier master,"Добављач (продавац), име као ушао у добављача мастер" -Supplier Account,Снабдевач налог +Supplier > Supplier Type,Добављач> Добављач Тип Supplier Account Head,Снабдевач рачуна Хеад Supplier Address,Снабдевач Адреса Supplier Addresses and Contacts,Добављач Адресе и контакти @@ -2750,6 +2886,12 @@ Sync with Google Drive,Синхронизација са Гоогле Дриве System,Систем System Settings,Систем Сеттингс "System User (login) ID. If set, it will become default for all HR forms.","Систем Корисник (пријављивање) ИД. Ако се постави, она ће постати стандардна за све ХР облицима." +TDS (Advertisement),ТДС (Оглас) +TDS (Commission),ТДС (Комисија) +TDS (Contractor),ТДС (Извођач) +TDS (Interest),ТДС (камата) +TDS (Rent),ТДС (Рент) +TDS (Salary),ТДС (Плата) Target Amount,Циљна Износ Target Detail,Циљна Детаљ Target Details,Циљне Детаљи @@ -2770,10 +2912,12 @@ Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are no Tax Rate,Пореска стопа Tax and other salary deductions.,Порески и други плата одбитака. "Tax detail table fetched from item master as a string and stored in this field. -Used for Taxes and Charges",Пореска детаљ табела преузета из тачке мајстора као стринг и складишти у овој области . \ НУсед за порезе и накнаде +Used for Taxes and Charges","Пореска детаљ табела преузета из тачке мајстора као стринг и складишти у овој области. + Користи се за порезе и накнаде" Tax template for buying transactions.,Налоговый шаблон для покупки сделок. Tax template for selling transactions.,Налоговый шаблон для продажи сделок. Taxable,Опорезиви +Taxes,Порези Taxes and Charges,Порези и накнаде Taxes and Charges Added,Порези и накнаде додавања Taxes and Charges Added (Company Currency),Порези и накнаде додавања (Друштво валута) @@ -2786,6 +2930,7 @@ Technology,технологија Telecommunications,телекомуникација Telephone Expenses,Телефон Расходы Television,телевизија +Template,Шаблон Template for performance appraisals.,Шаблон для аттестации . Template of terms or contract.,Предложак термина или уговору. Temporary Accounts (Assets),Временные счета ( активы ) @@ -2815,7 +2960,8 @@ The First User: You,Први Корисник : Ви The Organization,Организација "The account head under Liability, in which Profit/Loss will be booked","Глава рачун под одговорности , у којој ће Добитак / Губитак се резервисати" "The date on which next invoice will be generated. It is generated on submit. -",Датум на који ће бити генерисан следећи фактура . +","Датум на који ће бити генерисан следећи фактура. Она се генерише на достави. +" The date on which recurring invoice will be stop,Датум на који се понавља фактура ће бити зауставити "The day of the month on which auto invoice will be generated e.g. 05, 28 etc ","Дан у месецу за који ће аутоматски бити генерисан фактура нпр 05, 28 итд" The day(s) on which you are applying for leave are holiday. You need not apply for leave.,"День (дни) , на котором вы подаете заявление на отпуск , отпуск . Вам не нужно обратиться за разрешением ." @@ -2827,6 +2973,7 @@ The net weight of this package. (calculated automatically as sum of net weight o The new BOM after replacement,Нови БОМ након замене The rate at which Bill Currency is converted into company's base currency,Стопа по којој је Бил валута претвара у основну валуту компаније The unique id for tracking all recurring invoices. It is generated on submit.,Стеам ИД за праћење свих понавља фактуре. Генерише се на субмит. +"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Онда Ценовник Правила се филтрирају на основу клијента, корисника услуга Група, Територија, добављача, добављач Тип, кампање, продаја партнер итд" There are more holidays than working days this month.,"Есть больше праздников , чем рабочих дней в этом месяце." "There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Там может быть только один Правило Начальные с 0 или пустое значение для "" To Размер """ There is not enough leave balance for Leave Type {0},Существует не хватает отпуск баланс для отпуске Тип {0} @@ -2838,6 +2985,7 @@ This Leave Application is pending approval. Only the Leave Apporver can update s This Time Log Batch has been billed.,Ово време Пријава Групно је наплаћена. This Time Log Batch has been cancelled.,Ово време Пријава серија је отказана. This Time Log conflicts with {0},Это время входа в противоречии с {0} +This format is used if country specific format is not found,Овај формат се користи ако земља специфична формат није пронађен This is a root account and cannot be edited.,То јекорен рачун и не може се мењати . This is a root customer group and cannot be edited.,То јекорен група купац и не може се мењати . This is a root item group and cannot be edited.,То јекорен ставка група и не може се мењати . @@ -2853,7 +3001,9 @@ Time Log Batch,Време Лог Групно Time Log Batch Detail,Време Лог Групно Детаљ Time Log Batch Details,Тиме Лог Батцх Детаљније Time Log Batch {0} must be 'Submitted',Время входа Пакетная {0} должен быть ' Представленные ' +Time Log Status must be Submitted.,Време Пријави статус мора да се поднесе. Time Log for tasks.,Време Пријава за задатке. +Time Log is not billable,Време Пријави се не наплаћују Time Log {0} must be 'Submitted',Время входа {0} должен быть ' Представленные ' Time Zone,Временска зона Time Zones,Тиме зоне @@ -2866,6 +3016,7 @@ To,До To Currency,Валутном To Date,За датум To Date should be same as From Date for Half Day leave,Да Дате треба да буде исти као Од датума за полудневни одсуство +To Date should be within the Fiscal Year. Assuming To Date = {0},Да би требало да буде дата у фискалну годину. Под претпоставком То Дате = {0} To Discuss,Да Дисцусс To Do List,То до лист To Package No.,За Пакет број @@ -2875,8 +3026,8 @@ To Value,Да вредност To Warehouse,Да Варехоусе "To add child nodes, explore tree and click on the node under which you want to add more nodes.","Да бисте додали дете чворове , истражују дрво и кликните на чвору под којим желите да додате још чворова ." "To assign this issue, use the ""Assign"" button in the sidebar.","Да бисте доделили овај проблем, користите "Ассигн" дугме у сидебар." -To create a Bank Account:,Да бисте креирали банковни рачун : -To create a Tax Account:,Да бисте креирали пореском билансу : +To create a Bank Account,Да бисте креирали банковни рачун +To create a Tax Account,Да бисте креирали пореском билансу "To create an Account Head under a different company, select the company and save customer.","Да бисте направили шефа налога под различитим компаније, изаберите компанију и сачувајте купца." To date cannot be before from date,До данас не може бити раније од датума To enable Point of Sale features,Да бисте омогућили Поинт оф Сале функција @@ -2884,22 +3035,23 @@ To enable Point of Sale view,Да бисте омогућили <б> По To get Item Group in details table,Да бисте добили групу ставка у табели детаљније "To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Для учета налога в строке {0} в размере Item , налоги в строках должны быть также включены {1}" "To merge, following properties must be same for both items","Да бисте објединили , следеће особине морају бити исти за обе ставке" -"To report an issue, go to ", +"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Да не примењује Правилник о ценама у одређеном трансакцијом, све важеће Цене Правила би требало да буде онемогућен." "To set this Fiscal Year as Default, click on 'Set as Default'","Да бисте подесили ову фискалну годину , као подразумевајуће , кликните на "" Сет ас Дефаулт '" To track any installation or commissioning related work after sales,Да бисте пратили сваку инсталацију или пуштање у вези рада након продаје "To track brand name in the following documents Delivery Note, Opportunity, Material Request, Item, Purchase Order, Purchase Voucher, Purchaser Receipt, Quotation, Sales Invoice, Sales BOM, Sales Order, Serial No","Для отслеживания бренд в следующих документах накладной , редкая возможность , материал запрос , Пункт , Заказа , ЧЕКОМ , Покупателя получения, цитаты , счет-фактура , в продаже спецификации , заказ клиента , серийный номер" To track item in sales and purchase documents based on their serial nos. This is can also used to track warranty details of the product.,Да бисте пратили ставку у продаји и куповини докумената на основу њихових серијских бр. Ово се такође може користити за праћење детаље гаранције производа. To track items in sales and purchase documents with batch nos
Preferred Industry: Chemicals etc,Да бисте пратили ставке у продаји и куповини докумената са батцх бр
Жељена индустрија: хемикалије итд To track items using barcode. You will be able to enter items in Delivery Note and Sales Invoice by scanning barcode of item.,Да бисте пратили ставки помоћу баркод. Моћи ћете да унесете ставке у испоруци напомени и продаје фактуру за скенирање баркода на ставке. +Too many columns. Export the report and print it using a spreadsheet application.,Превише колоне. Извоз извештај и одштампајте га помоћу тих апликација. Tools,Алат Total,Укупан +Total ({0}),Укупно ({0}) Total Advance,Укупно Адванце -Total Allocated Amount,Укупан износ Издвојена -Total Allocated Amount can not be greater than unmatched amount,Укупан износ Додељени не може бити већи од износа премца Total Amount,Укупан износ Total Amount To Pay,Укупан износ за исплату Total Amount in Words,Укупан износ у речи Total Billing This Year: ,Укупна наплата ове године: +Total Characters,Укупно Карактери Total Claimed Amount,Укупан износ полаже Total Commission,Укупно Комисија Total Cost,Укупни трошкови @@ -2923,14 +3075,13 @@ Total Score (Out of 5),Укупна оцена (Оут оф 5) Total Tax (Company Currency),Укупан порески (Друштво валута) Total Taxes and Charges,Укупно Порези и накнаде Total Taxes and Charges (Company Currency),Укупни порези и таксе (Друштво валута) -Total Words,Всего Слова -Total Working Days In The Month,Укупно радних дана у месецу Total allocated percentage for sales team should be 100,Всего выделено процент для отдела продаж должен быть 100 Total amount of invoices received from suppliers during the digest period,Укупан износ примљених рачуна од добављача током периода дигест Total amount of invoices sent to the customer during the digest period,Укупан износ фактура шаље купцу у току периода дигест Total cannot be zero,Всего не может быть нулевым Total in words,Укупно у речима Total points for all goals should be 100. It is {0},Общее количество очков для всех целей должна быть 100 . Это {0} +Total valuation for manufactured or repacked item(s) can not be less than total valuation of raw materials,Укупна процена за произведени или препакује итем (с) не може бити мања од укупне процене сировина Total weightage assigned should be 100%. It is {0},Всего Weightage назначен должна быть 100% . Это {0} Totals,Укупно Track Leads by Industry Type.,Стаза води од индустрије Типе . @@ -2966,7 +3117,7 @@ UOM Conversion Details,УОМ конверзије Детаљи UOM Conversion Factor,УОМ конверзије фактор UOM Conversion factor is required in row {0},Фактор Единица измерения преобразования требуется в строке {0} UOM Name,УОМ Име -UOM coversion factor required for UOM {0} in Item {1},Единица измерения фактором Конверсия требуется для UOM {0} в пункте {1} +UOM coversion factor required for UOM: {0} in Item: {1},УОМ цоверсион фактор потребан за УЦГ: {0} тачке: {1} Under AMC,Под АМЦ Under Graduate,Под Дипломац Under Warranty,Под гаранцијом @@ -2976,8 +3127,8 @@ Unit of Measure {0} has been entered more than once in Conversion Factor Table, "Unit of measurement of this item (e.g. Kg, Unit, No, Pair).","Јединица за мерење ове тачке (нпр. кг, Јединица, Не Паир)." Units/Hour,Јединице / сат Units/Shifts,Јединице / Смене -Unmatched Amount,Ненадмашна Износ Unpaid,Неплаћен +Unreconciled Payment Details,Неусаглашена Детаљи плаћања Unscheduled,Неплански Unsecured Loans,необеспеченных кредитов Unstop,отпушити @@ -2992,7 +3143,6 @@ Update Landed Cost,Ажурирање Слетео Цост Update Series,Упдате Update Series Number,Упдате Број Update Stock,Упдате Стоцк -"Update allocated amount in the above table and then click ""Allocate"" button","Ажурирајте додељен износ у табели, а затим кликните на "издвоји" дугме" Update bank payment dates with journals.,Ажурирање банка плаћање датира са часописима. Update clearance date of Journal Entries marked as 'Bank Vouchers',"Клиренс Ажурирање датум уноса у дневник означена као "" банка "" Ваучери" Updated,Ажурирано @@ -3009,6 +3159,7 @@ Upper Income,Горња прихода Urgent,Хитан Use Multi-Level BOM,Користите Мулти-Левел бом Use SSL,Користи ССЛ +Used for Production Plan,Користи се за производни план User,Корисник User ID,Кориснички ИД User ID not set for Employee {0},ID пользователя не установлен Требуются {0} @@ -3047,9 +3198,9 @@ View Now,Погледај Сада Visit report for maintenance call.,Посетите извештаја за одржавање разговора. Voucher #,Ваучер # Voucher Detail No,Ваучер Детаљ Нема +Voucher Detail Number,Ваучер Детаљ Број Voucher ID,Ваучер ИД Voucher No,Ваучер Нема -Voucher No is not valid,Ваучер Не није важећа Voucher Type,Ваучер Тип Voucher Type and Date,Ваучер врсту и датум Walk In,Шетња у @@ -3065,11 +3216,12 @@ Warehouse is mandatory for stock Item {0} in row {1},Склад является Warehouse is missing in Purchase Order,Магацин недостаје у Наруџбеница Warehouse not found in the system,Складиште није пронађен у систему Warehouse required for stock Item {0},Склад требуется для складе Пункт {0} -Warehouse required in POS Setting,Склад требуется в POS Настройка Warehouse where you are maintaining stock of rejected items,Магацин где се одржава залихе одбачених предмета Warehouse {0} can not be deleted as quantity exists for Item {1},Склад {0} не может быть удален как существует количество для Пункт {1} Warehouse {0} does not belong to company {1},Склад {0} не принадлежит компания {1} Warehouse {0} does not exist,Склад {0} не существует +Warehouse {0}: Company is mandatory,Магацин {0}: Предузеће је обавезно +Warehouse {0}: Parent account {1} does not bolong to the company {2},Магацин {0}: {1 Родитељ рачун} не Болонг предузећу {2} Warehouse-Wise Stock Balance,Магацин-Висе салда залиха Warehouse-wise Item Reorder,Магацин у питању шифра Реордер Warehouses,Складишта @@ -3114,13 +3266,14 @@ Will be updated when batched.,Да ли ће се ажурирати када д Will be updated when billed.,Да ли ће се ажурирати када наплаћени. Wire Transfer,Вире Трансфер With Operations,Са операције -With period closing entry,Ступањем затварања периода +With Period Closing Entry,Са период затварања Ентри Work Details,Радни Детаљније Work Done,Рад Доне Work In Progress,Ворк Ин Прогресс Work-in-Progress Warehouse,Рад у прогресу Магацин Work-in-Progress Warehouse is required before Submit,Работа -в- Прогресс Склад требуется перед Отправить Working,Радни +Working Days,Радних дана Workstation,Воркстатион Workstation Name,Воркстатион Име Write Off Account,Отпис налог @@ -3136,9 +3289,6 @@ Year Closed,Година Цлосед Year End Date,Година Датум завршетка Year Name,Година Име Year Start Date,Године Датум почетка -Year Start Date and Year End Date are already set in Fiscal Year {0},Год Дата начала и год Дата окончания уже установлены в финансовый год {0} -Year Start Date and Year End Date are not within Fiscal Year.,Година Датум почетка и завршетка Година датум нису у фискалну годину . -Year Start Date should not be greater than Year End Date,Година Датум почетка не би требало да буде већа од Година Датум завршетка Year of Passing,Година Пассинг Yearly,Годишње Yes,Да @@ -3148,7 +3298,6 @@ You are the Expense Approver for this record. Please Update the 'Status' and Sav You are the Leave Approver for this record. Please Update the 'Status' and Save,Ви стеНапусти одобраватељ за овај запис . Молимо Ажурирајте 'статус' и Саве You can enter any date manually,Можете да ручно унесете било који датум You can enter the minimum quantity of this item to be ordered.,Можете да унесете минималну количину ове ставке се могу наручити. -You can not assign itself as parent account,Вы не можете назначить себя как родительским счетом You can not change rate if BOM mentioned agianst any item,Не можете променити стопу ако бом помиње агианст било које ставке You can not enter both Delivery Note No and Sales Invoice No. Please enter any one.,Не можете да унесете како доставници Не и продаје Фактура бр Унесите било коју . You can not enter current voucher in 'Against Journal Voucher' column,"Вы не можете ввести текущий ваучер в ""Против Journal ваучер ' колонке" @@ -3160,7 +3309,6 @@ You cannot credit and debit same account at the same time,Ви не можете You have entered duplicate items. Please rectify and try again.,Унели дупликате . Молимо исправи и покушајте поново . You may need to update: {0},"Возможно, вам придется обновить : {0}" You must Save the form before proceeding,"Вы должны Сохраните форму , прежде чем приступить" -You must allocate amount before reconcile,Морате издвоји износ пре помире Your Customer's TAX registration numbers (if applicable) or any general information,Ваш клијент је ПОРЕСКЕ регистарски бројеви (ако постоји) или било опште информације Your Customers,Ваши Купци Your Login Id,Ваше корисничко име @@ -3173,11 +3321,13 @@ Your sales person who will contact the customer in future,Ваш продава Your sales person will get a reminder on this date to contact the customer,Ваша особа продаја ће добити подсетник на овај датум да се контактира купца Your setup is complete. Refreshing...,Ваш подешавање је завршено . Освежавање ... Your support email id - must be a valid email - this is where your emails will come!,Ваш емаил подршка ид - мора бити важећа е-маил - то је место где ваше емаил-ови ће доћи! +[Error],[Грешка] [Select],[ Изаберите ] `Freeze Stocks Older Than` should be smaller than %d days.,` Мораторий Акции старше ` должен быть меньше % D дней. and,и are not allowed.,нису дозвољени . assigned by,додељује +cannot be greater than 100,не може бити већи од 100 "e.g. ""Build tools for builders""","например ""Build инструменты для строителей """ "e.g. ""MC""","например ""МС """ "e.g. ""My Company LLC""","например "" Моя компания ООО """ @@ -3190,32 +3340,34 @@ example: Next Day Shipping,Пример: Нект Даи Схиппинг lft,ЛФТ old_parent,олд_парент rgt,пука +subject,предмет +to,до website page link,веб страница веза {0} '{1}' not in Fiscal Year {2},{0} ' {1}' не в финансовом году {2} {0} Credit limit {0} crossed,{0} Кредитный лимит {0} пересек {0} Serial Numbers required for Item {0}. Only {0} provided.,"{0} Серийные номера , необходимые для Пункт {0} . Только {0} предусмотрено." {0} budget for Account {1} against Cost Center {2} will exceed by {3},{0} бюджет на счет {1} против МВЗ {2} будет превышать {3} +{0} can not be negative,{0} не може бити негативан {0} created,{0} создан {0} does not belong to Company {1},{0} не принадлежит компании {1} {0} entered twice in Item Tax,{0} вводится дважды в пункт налоге {0} is an invalid email address in 'Notification Email Address',"{0} является недопустимым адрес электронной почты в "" Notification адрес электронной почты""" {0} is mandatory,{0} является обязательным {0} is mandatory for Item {1},{0} является обязательным для п. {1} +{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} је обавезно. Можда Мењачница запис није створен за {1} на {2}. {0} is not a stock Item,{0} не является акционерным Пункт {0} is not a valid Batch Number for Item {1},{0} не является допустимым номер партии по пункту {1} -{0} is not a valid Leave Approver,{0} не является допустимым Оставить утверждающий +{0} is not a valid Leave Approver. Removing row #{1}.,{0} није правилан Напусти одобраватељ. Уклањање ред # {1}. {0} is not a valid email id,{0} не является допустимым ID E-mail {0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,"{0} теперь используется по умолчанию финансовый год . Пожалуйста, обновите страницу в браузере , чтобы изменения вступили в силу." {0} is required,{0} требуется {0} must be a Purchased or Sub-Contracted Item in row {1},{0} должен быть куплены или субподрядчиком Пункт в строке {1} -{0} must be less than or equal to {1},{0} должно быть меньше или равно {1} +{0} must be reduced by {1} or you should increase overflow tolerance,{0} мора бити смањена за {1} или би требало да повећа толеранцију преливања {0} must have role 'Leave Approver',"{0} должен иметь роль "" Оставить утверждающего '" {0} valid serial nos for Item {1},{0} действительные серийные NOS для Пункт {1} {0} {1} against Bill {2} dated {3},{0} {1} против Билла {2} от {3} {0} {1} against Invoice {2},{0} {1} против Invoice {2} {0} {1} has already been submitted,{0} {1} уже представлен -{0} {1} has been modified. Please Refresh,{0} {1} был изменен. Пожалуйста Обновить -{0} {1} has been modified. Please refresh,"{0} {1} был изменен. Пожалуйста, обновите" {0} {1} has been modified. Please refresh.,{0} {1} был изменен. Обновите . {0} {1} is not submitted,{0} {1} не представлено {0} {1} must be submitted,{0} {1} должны быть представлены @@ -3223,3 +3375,5 @@ website page link,веб страница веза {0} {1} status is 'Stopped',"{0} {1} статус "" Остановлен """ {0} {1} status is Stopped,{0} {1} положение остановлен {0} {1} status is Unstopped,{0} {1} статус отверзутся +{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Трошкови Центар је обавезан за пункт {2} +{0}: {1} not found in Invoice Details table,{0}: {1} није пронађен у табели Фактура Детаљи diff --git a/erpnext/translations/ta.csv b/erpnext/translations/ta.csv index fe93cc3bbf..c54eebc39f 100644 --- a/erpnext/translations/ta.csv +++ b/erpnext/translations/ta.csv @@ -14,7 +14,6 @@ % of materials delivered against this Sales Order,இந்த விற்பனை அமைப்புக்கு எதிராக அளிக்கப்பட்ட பொருட்களை% % of materials ordered against this Material Request,பொருட்கள்% இந்த பொருள் வேண்டுகோள் எதிராக உத்தரவிட்டது % of materials received against this Purchase Order,பொருட்களை% இந்த கொள்முதல் ஆணை எதிராக பெற்றார் -%(conversion_rate_label)s is mandatory. Maybe Currency Exchange record is not created for %(from_currency)s to %(to_currency)s,% ( conversion_rate_label ) கள் கட்டாயமாகும். ஒருவேளை செலாவணி சாதனை % உருவாக்கப்பட்டது அல்ல ( from_currency ) % s க்கு ( to_currency ) கள் 'Actual Start Date' can not be greater than 'Actual End Date',' உண்மையான தொடக்க தேதி ' உண்மையான முடிவு தேதி ' விட முடியாது 'Based On' and 'Group By' can not be same,'அடிப்படையாக கொண்டு ' மற்றும் ' குழு மூலம் ' அதே இருக்க முடியாது 'Days Since Last Order' must be greater than or equal to zero,' கடைசி ஆர்டர் நாட்களில் ' அதிகமாக அல்லது பூஜ்ஜியத்திற்கு சமமாக இருக்க வேண்டும் @@ -30,11 +29,35 @@ 'Update Stock' for Sales Invoice {0} must be set,கவிஞருக்கு 'என்று புதுப்பி பங்கு ' {0} அமைக்க வேண்டும் * Will be calculated in the transaction.,* பரிமாற்றத்தில் கணக்கிடப்படுகிறது. "1 Currency = [?] Fraction -For e.g. 1 USD = 100 Cent","1 நாணய = [?] பின்னம் \ nFor , எ.கா." +For e.g. 1 USD = 100 Cent","1 நாணய = [?] பின்ன + எ.கா. 1 டாலர் = 100 சதவீதம்" 1. To maintain the customer wise item code and to make them searchable based on their code use this option,1. வாடிக்கையாளர் வாரியாக உருப்படியை குறியீடு பராமரிக்க மற்றும் அவற்றின் குறியீடு அடிப்படையில் அவர்களை தேடும் செய்ய இந்த விருப்பத்தை பயன்படுத்த "Add / Edit","மிக href=""#Sales Browser/Customer Group""> சேர் / திருத்து " "Add / Edit","மிக href=""#Sales Browser/Item Group""> சேர் / திருத்து " "Add / Edit","மிக href=""#Sales Browser/Territory""> சேர் / திருத்து " +"

Default Template

+

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

+
{{ address_line1 }}<br>
+{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}
+{{ city }}<br>
+{% if state %}{{ state }}<br>{% endif -%}
+{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}
+{{ country }}<br>
+{% if phone %}Phone: {{ phone }}<br>{% endif -%}
+{% if fax %}Fax: {{ fax }}<br>{% endif -%}
+{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
+
","

இயல்புநிலை டெம்ப்ளேட் +

மனசு சரியில்லை மாதிரியாக்கம் மற்றும் முகவரி அனைத்து துறைகள் (பயன்கள் தனிபயன் புலங்கள் ஏதாவது இருந்தால்) உட்பட கிடைக்க வேண்டும் +

  {{address_line1}} India 
+ {% என்றால் address_line2%} {{address_line2}} 
{ % பாலியல் -%} + {{நகரம்}} India + {% மாநில%} {{மாநில}}
{% பாலியல் -%} + {% என்றால் அஞ்சலக%} PIN: {{அஞ்சலக}}
{% பாலியல் -%} + {{நாட்டின்}} India + {% என்றால் தொலைபேசி%} தொலைபேசி: {{தொலைபேசி}}
{ % பாலியல் -%} + {% என்றால் தொலைநகல்%} தொலைபேசி: {{தொலைநகல்}}
{% பாலியல் -%} + {% email_id%} மின்னஞ்சல் என்றால்: {{email_id}}
; {% பாலியல் -%} + " A Customer Group exists with same name please change the Customer name or rename the Customer Group,ஒரு வாடிக்கையாளர் குழு அதே பெயரில் வாடிக்கையாளர் பெயர் மாற்ற அல்லது வாடிக்கையாளர் குழு பெயர்மாற்றம் செய்க A Customer exists with same name,ஒரு வாடிக்கையாளர் அதே பெயரில் உள்ளது A Lead with this email id should exist,இந்த மின்னஞ்சல் ஐடியை கொண்ட ஒரு முன்னணி இருக்க வேண்டும் @@ -44,7 +67,6 @@ A symbol for this currency. For e.g. $,இந்த நாணயம் ஒரு AMC Expiry Date,AMC காலாவதியாகும் தேதி Abbr,Abbr Abbreviation cannot have more than 5 characters,சுருக்கமான விட 5 எழுத்துக்கள் முடியாது -About,பற்றி Above Value,மதிப்பு மேலே Absent,வராதிரு Acceptance Criteria,ஏற்று வரையறைகள் @@ -59,6 +81,8 @@ Account Details,கணக்கு விவரம் Account Head,கணக்கு ஒதுக்கும் தலைப்பு - பிரிவு Account Name,கணக்கு பெயர் Account Type,கணக்கு வகை +"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","கணக்கு நிலுவை ஏற்கனவே கடன், நீங்கள் அமைக்க அனுமதி இல்லை 'டெபிட்' என 'சமநிலை இருக்க வேண்டும்'" +"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","ஏற்கனவே பற்று உள்ள கணக்கு நிலுவை, நீங்கள் 'கடன்' இருப்பு வேண்டும் 'அமைக்க அனுமதி இல்லை" Account for the warehouse (Perpetual Inventory) will be created under this Account.,கிடங்கு ( நிரந்தர இருப்பு ) கணக்கு இந்த கணக்கு கீழ் உருவாக்கப்பட்டது. Account head {0} created,கணக்கு தலையில் {0} உருவாக்கப்பட்டது Account must be a balance sheet account,கணக்கு ஒரு இருப்புநிலை கணக்கு இருக்க வேண்டும் @@ -68,13 +92,20 @@ Account with existing transaction can not be deleted,ஏற்கனவே ப Account with existing transaction cannot be converted to ledger,ஏற்கனவே பரிவர்த்தனை கணக்கு பேரேடு மாற்றப்பட முடியாது Account {0} cannot be a Group,கணக்கு {0} ஒரு குழு இருக்க முடியாது Account {0} does not belong to Company {1},கணக்கு {0} நிறுவனத்திற்கு சொந்தமானது இல்லை {1} +Account {0} does not belong to company: {1},கணக்கு {0} நிறுவனத்திற்கு சொந்தமானது இல்லை: {1} Account {0} does not exist,கணக்கு {0} இல்லை Account {0} has been entered more than once for fiscal year {1},கணக்கு {0} மேலும் நிதியாண்டில் முறை உள்ளிட்ட{1} Account {0} is frozen,கணக்கு {0} உறைந்திருக்கும் Account {0} is inactive,கணக்கு {0} செயலற்று +Account {0} is not valid,கணக்கு {0} தவறானது Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item,பொருள் {1} சொத்து பொருள் என கணக்கு {0} வகை ' நிலையான சொத்து ' இருக்க வேண்டும் +Account {0}: Parent account {1} can not be a ledger,கணக்கு {0}: பெற்றோர் கணக்கு {1} ஒரு பேரேட்டில் இருக்க முடியாது +Account {0}: Parent account {1} does not belong to company: {2},கணக்கு {0}: பெற்றோர் கணக்கு {1} நிறுவனத்திற்கு சொந்தமானது இல்லை: {2} +Account {0}: Parent account {1} does not exist,கணக்கு {0}: பெற்றோர் கணக்கு {1} இல்லை +Account {0}: You can not assign itself as parent account,கணக்கு {0}: நீங்கள் பெற்றோர் கணக்கு தன்னை ஒதுக்க முடியாது "Account: {0} can only be updated via \ - Stock Transactions",கணக்கு : {0} மட்டுமே n பங்கு பரிவர்த்தனைகள் \ \ வழியாக மேம்படுத்தப்பட்டது + Stock Transactions","கணக்கு: \ + பங்கு பரிவர்த்தனைகள் {0} மட்டுமே வழியாக மேம்படுத்தப்பட்டது" Accountant,கணக்கர் Accounting,கணக்கு வைப்பு "Accounting Entries can be made against leaf nodes, called","கணக்கியல் உள்ளீடுகள் என்று , இலை முனைகள் எதிராக" @@ -124,6 +155,7 @@ Address Details,முகவரி விவரம் Address HTML,HTML முகவரி Address Line 1,முகவரி வரி 1 Address Line 2,முகவரி வரி 2 +Address Template,முகவரி டெம்ப்ளேட் Address Title,முகவரி தலைப்பு Address Title is mandatory.,முகவரி தலைப்பு கட்டாயமாகும். Address Type,முகவரி வகை @@ -144,7 +176,6 @@ Against Docname,Docname எதிராக Against Doctype,Doctype எதிராக Against Document Detail No,ஆவண விரிவாக இல்லை எதிராக Against Document No,ஆவண எதிராக இல்லை -Against Entries,பதிவுகள் எதிராக Against Expense Account,செலவு கணக்கு எதிராக Against Income Account,வருமான கணக்கு எதிராக Against Journal Voucher,ஜர்னல் வவுச்சர் எதிராக @@ -180,10 +211,8 @@ All Territories,அனைத்து பிரதேசங்களையும "All export related fields like currency, conversion rate, export total, export grand total etc are available in Delivery Note, POS, Quotation, Sales Invoice, Sales Order etc.","நாணய , மாற்று விகிதம், ஏற்றுமதி மொத்த ஏற்றுமதி பெரும் மொத்த போன்ற அனைத்து ஏற்றுமதி தொடர்பான துறைகள் டெலிவரி குறிப்பு , பிஓஎஸ் , மேற்கோள் , கவிஞருக்கு , விற்பனை முதலியன உள்ளன" "All import related fields like currency, conversion rate, import total, import grand total etc are available in Purchase Receipt, Supplier Quotation, Purchase Invoice, Purchase Order etc.","நாணய , மாற்று விகிதம் , இறக்குமதி மொத்த இறக்குமதி பெரும் மொத்த போன்ற அனைத்து இறக்குமதி சார்ந்த துறைகள் கொள்முதல் ரசீது , வழங்குபவர் மேற்கோள் கொள்முதல் விலைப்பட்டியல் , கொள்முதல் ஆணை முதலியன உள்ளன" All items have already been invoiced,அனைத்து பொருட்களும் ஏற்கனவே விலை விவரம் -All items have already been transferred for this Production Order.,அனைத்து பொருட்களும் ஏற்கனவே இந்த உற்பத்தி ஆர்டர் மாற்றப்பட்டுள்ளனர். All these items have already been invoiced,இந்த பொருட்கள் ஏற்கனவே விலை விவரம் Allocate,நிர்ணயி -Allocate Amount Automatically,தானாக தொகை ஒதுக்க Allocate leaves for a period.,ஒரு காலத்தில் இலைகள் ஒதுக்க. Allocate leaves for the year.,ஆண்டு இலைகள் ஒதுக்க. Allocated Amount,ஒதுக்கப்பட்ட தொகை @@ -204,13 +233,13 @@ Allow Users,பயனர்கள் அனுமதி Allow the following users to approve Leave Applications for block days.,பின்வரும் பயனர்கள் தொகுதி நாட்கள் விடுப்பு விண்ணப்பங்கள் ஏற்று கொள்ள அனுமதிக்கும். Allow user to edit Price List Rate in transactions,பயனர் நடவடிக்கைகளில் விலை பட்டியல் விகிதம் திருத்த அனுமதி Allowance Percent,கொடுப்பனவு விகிதம் -Allowance for over-delivery / over-billing crossed for Item {0},அலவன்ஸ் அதிகமாக விநியோகம் / மேல் பில்லிங் பொருள் கடந்து {0} +Allowance for over-{0} crossed for Item {1},அலவன்ஸ் அதிகமாக {0} பொருள் கடந்து ஐந்து {1} +Allowance for over-{0} crossed for Item {1}.,அலவன்ஸ் அதிகமாக {0} பொருள் கடந்து ஐந்து {1}. Allowed Role to Edit Entries Before Frozen Date,உறைந்த தேதி முன் திருத்து பதிவுகள் அனுமதி ரோல் Amended From,முதல் திருத்தப்பட்ட Amount,அளவு Amount (Company Currency),அளவு (நிறுவனத்தின் கரன்சி) -Amount <=,அளவு <= -Amount >=,அளவு> = +Amount Paid,கட்டண தொகை Amount to Bill,பில் தொகை An Customer exists with same name,"ஒரு வாடிக்கையாளர் , அதே பெயரில்" "An Item Group exists with same name, please change the item name or rename the item group","ஒரு உருப்படி குழு அதே பெயரில் , உருப்படி பெயர் மாற்ற அல்லது உருப்படியை குழு பெயர்மாற்றம் செய்க" @@ -260,6 +289,7 @@ As per Stock UOM,பங்கு மொறட்டுவ பல்கலை Asset,சொத்து Assistant,உதவியாளர் Associate,இணை +Atleast one of the Selling or Buying must be selected,விற்பனை அல்லது வாங்கும் குறைந்தபட்சம் ஒரு தேர்வு வேண்டும் Atleast one warehouse is mandatory,குறைந்தது ஒரு கிடங்கில் அவசியமானதாகும் Attach Image,படத்தை இணைக்கவும் Attach Letterhead,லெட்டர் இணைக்கவும் @@ -319,6 +349,7 @@ Balance for Account {0} must always be {1},{0} எப்போதும் இ Balance must be,இருப்பு இருக்க வேண்டும் "Balances of Accounts of type ""Bank"" or ""Cash""","வகை ""வங்கி"" கணக்கு நிலுவைகளை அல்லது ""பண""" Bank,வங்கி +Bank / Cash Account,வங்கி / பண கணக்கு Bank A/C No.,வங்கி A / C இல்லை Bank Account,வங்கி கணக்கு Bank Account No.,வங்கி கணக்கு எண் @@ -397,18 +428,24 @@ Budget Distribution Details,பட்ஜெட் விநியோகம் Budget Variance Report,வரவு செலவு வேறுபாடு அறிக்கை Budget cannot be set for Group Cost Centers,பட்ஜெட் குழு செலவு மையங்கள் அமைக்க முடியாது Build Report,அறிக்கை கட்ட -Built on,கட்டப்பட்டது Bundle items at time of sale.,விற்பனை நேரத்தில் பொருட்களை மூட்டை. Business Development Manager,வணிக மேம்பாட்டு மேலாளர் Buying,வாங்குதல் Buying & Selling,வாங்குதல் & விற்பனை Buying Amount,தொகை வாங்கும் Buying Settings,அமைப்புகள் வாங்கும் +"Buying must be checked, if Applicable For is selected as {0}","பொருந்துகின்ற என தேர்வு என்றால் வாங்குதல், சரிபார்க்கப்பட வேண்டும் {0}" C-Form,சி படிவம் C-Form Applicable,பொருந்தாது சி படிவம் C-Form Invoice Detail,சி படிவம் விலைப்பட்டியல் விரிவாக C-Form No,இல்லை சி படிவம் C-Form records,சி படிவம் பதிவுகள் +CENVAT Capital Goods,காப்பீடு மூலதன பொருட்கள் +CENVAT Edu Cess,காப்பீடு குன்றம் செஸ் +CENVAT SHE Cess,காப்பீடு அவள் செஸ் +CENVAT Service Tax,காப்பீடு சேவை வரி +CENVAT Service Tax Cess 1,காப்பீடு சேவை வரி தீர்வையை 1 +CENVAT Service Tax Cess 2,காப்பீடு சேவை வரி தீர்வையை 2 Calculate Based On,ஆனால் அடிப்படையில் கணக்கிட Calculate Total Score,மொத்த மதிப்பெண் கணக்கிட Calendar Events,அட்டவணை நிகழ்வுகள் @@ -432,7 +469,7 @@ Cannot approve leave as you are not authorized to approve leaves on Block Dates, Cannot cancel because Employee {0} is already approved for {1},பணியாளர் {0} ஏற்கனவே அங்கீகரிக்கப்பட்ட ஏனெனில் ரத்து செய்ய முடியாது {1} Cannot cancel because submitted Stock Entry {0} exists,"சமர்ப்பிக்கப்பட்ட பங்கு நுழைவு {0} ஏனெனில், ரத்து செய்ய முடியாது" Cannot carry forward {0},முன்னோக்கி செல்ல முடியாது {0} -Cannot change Year Start Date and Year End Date once the Fiscal Year is saved.,ஆண்டு தொடக்க தேதி மற்றும் நிதியாண்டு சேமிக்கப்படும் முறை ஆண்டு முடிவு தேதி மாற்ற முடியாது. +Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,நிதியாண்டு தொடக்க தேதி மற்றும் நிதியாண்டு சேமிக்கப்படும் முறை நிதி ஆண்டு இறுதியில் தேதி மாற்ற முடியாது. "Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","ஏற்கனவே நடவடிக்கைகள் உள்ளன, ஏனெனில் , நிறுவனத்தின் இயல்புநிலை நாணய மாற்ற முடியாது. நடவடிக்கைகள் இயல்புநிலை நாணய மாற்ற இரத்து செய்யப்பட வேண்டும்." Cannot convert Cost Center to ledger as it has child nodes,அது குழந்தை முனைகள் என லெட்ஜரிடம் செலவு மையம் மாற்ற முடியாது Cannot covert to Group because Master Type or Account Type is selected.,"மாஸ்டர் வகை அல்லது கணக்கு வகை தேர்வு , ஏனெனில் குழு இரகசிய முடியாது ." @@ -441,7 +478,7 @@ Cannot deactive or cancle BOM as it is linked with other BOMs,அது மற Cannot deduct when category is for 'Valuation' or 'Valuation and Total',வகை ' மதிப்பீட்டு ' அல்லது ' மதிப்பீடு மற்றும் மொத்த ' உள்ளது போது கழித்து முடியாது "Cannot delete Serial No {0} in stock. First remove from stock, then delete.","பங்கு {0} சீரியல் இல்லை நீக்க முடியாது. முதல் நீக்க பின்னர் , பங்கு இருந்து நீக்க ." "Cannot directly set amount. For 'Actual' charge type, use the rate field","நேரடியாக அளவு அமைக்க முடியாது. ' உண்மையான ' கட்டணம் வகை , விகிதம் துறையில் பயன்படுத்த" -"Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in 'Setup' > 'Global Defaults'","{1} விட {0} மேலும் வரிசையில் பொருள் {0} க்கு overbill முடியாது . Overbilling அனுமதிக்க, ' உலகளாவிய முன்னிருப்பு ' > ' அமைப்பு ' அமைக்க தயவு செய்து" +"Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in Stock Settings","{1} விட {0} மேலும் வரிசையில் பொருள் {0} க்கு overbill முடியாது. Overbilling அனுமதிக்க, பங்கு அமைப்புகளை அமைக்க தயவு செய்து" Cannot produce more Item {0} than Sales Order quantity {1},மேலும் பொருள் தயாரிக்க முடியாது {0} விட விற்பனை ஆணை அளவு {1} Cannot refer row number greater than or equal to current row number for this Charge type,இந்த குற்றச்சாட்டை வகை விட அல்லது தற்போதைய வரிசையில் எண்ணிக்கை சமமாக வரிசை எண் பார்க்கவும் முடியாது Cannot return more than {0} for Item {1},விட திரும்ப முடியாது {0} உருப்படி {1} @@ -504,6 +541,8 @@ Click on a link to get options to expand get options , Client,கிளையன் Close Balance Sheet and book Profit or Loss.,Close இருப்புநிலை மற்றும் புத்தகம் லாபம் அல்லது நஷ்டம் . Closed,மூடிய +Closing (Cr),நிறைவு (CR) +Closing (Dr),நிறைவு (டாக்டர்) Closing Account Head,கணக்கு தலைமை மூடுவதற்கு Closing Account {0} must be of type 'Liability',கணக்கு {0} நிறைவு வகை ' பொறுப்பு ' இருக்க வேண்டும் Closing Date,தேதி மூடுவது @@ -514,7 +553,9 @@ CoA Help,CoA உதவி Code,குறியீடு Cold Calling,குளிர் காலிங் Color,நிறம் +Column Break,நெடுவரிசை பிரிப்பு Comma separated list of email addresses,மின்னஞ்சல் முகவரிகளை கமாவால் பிரிக்கப்பட்ட பட்டியல் +Comment,கருத்து Comments,கருத்துரைகள் Commercial,வர்த்தகம் Commission,தரகு @@ -599,7 +640,6 @@ Cosmetics,ஒப்பனை Cost Center,செலவு மையம் Cost Center Details,மையம் விவரம் செலவு Cost Center Name,மையம் பெயர் செலவு -Cost Center is mandatory for Item {0},செலவு மையம் பொருள் கட்டாய {0} Cost Center is required for 'Profit and Loss' account {0},செலவு மையம் ' இலாப நட்ட ' கணக்கு தேவைப்படுகிறது {0} Cost Center is required in row {0} in Taxes table for type {1},செலவு மையம் வரிசையில் தேவைப்படுகிறது {0} வரி அட்டவணையில் வகை {1} Cost Center with existing transactions can not be converted to group,ஏற்கனவே பரிவர்த்தனைகள் செலவு மையம் குழு மாற்றப்பட முடியாது @@ -609,6 +649,7 @@ Cost of Goods Sold,விற்கப்படும் பொருட்கள Costing,செலவு Country,நாடு Country Name,நாட்டின் பெயர் +Country wise default Address Templates,நாடு வாரியாக இயல்புநிலை முகவரி டெம்ப்ளேட்கள் "Country, Timezone and Currency","நாடு , நேர மண்டலம் மற்றும் நாணய" Create Bank Voucher for the total salary paid for the above selected criteria,மேலே தேர்ந்தெடுக்கப்பட்ட அடிப்படை ஊதியம் மொத்த சம்பளம் வங்கி வவுச்சர் உருவாக்க Create Customer,உருவாக்கு @@ -662,10 +703,12 @@ Customer (Receivable) Account,வாடிக்கையாளர் (வரவ Customer / Item Name,வாடிக்கையாளர் / உருப்படி பெயர் Customer / Lead Address,வாடிக்கையாளர் / முன்னணி முகவரி Customer / Lead Name,வாடிக்கையாளர் / முன்னணி பெயர் +Customer > Customer Group > Territory,வாடிக்கையாளர்> வாடிக்கையாளர் குழு> மண்டலம் Customer Account Head,வாடிக்கையாளர் கணக்கு தலைமை Customer Acquisition and Loyalty,வாடிக்கையாளர் கையகப்படுத்துதல் மற்றும் லாயல்டி Customer Address,வாடிக்கையாளர் முகவரி Customer Addresses And Contacts,வாடிக்கையாளர் முகவரிகள் மற்றும் தொடர்புகள் +Customer Addresses and Contacts,வாடிக்கையாளர் முகவரிகள் மற்றும் தொடர்புகள் Customer Code,வாடிக்கையாளர் கோட் Customer Codes,வாடிக்கையாளர் குறியீடுகள் Customer Details,வாடிக்கையாளர் விவரம் @@ -727,6 +770,8 @@ Deduction1,Deduction1 Deductions,கழிவுகளுக்கு Default,தவறுதல் Default Account,முன்னிருப்பு கணக்கு +Default Address Template cannot be deleted,இயல்புநிலை முகவரி டெம்ப்ளேட் நீக்க முடியாது +Default Amount,இயல்புநிலை தொகை Default BOM,முன்னிருப்பு BOM Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,இந்த முறையில் தேர்ந்தெடுக்கும் போது முன்னிருப்பு வங்கி / பண கணக்கு தானாக பிஓஎஸ் விலைப்பட்டியல் உள்ள புதுப்பிக்கப்படும். Default Bank Account,முன்னிருப்பு வங்கி கணக்கு @@ -734,7 +779,6 @@ Default Buying Cost Center,இயல்புநிலை வாங்குத Default Buying Price List,இயல்புநிலை கொள்முதல் விலை பட்டியல் Default Cash Account,இயல்புநிலை பண கணக்கு Default Company,முன்னிருப்பு நிறுவனத்தின் -Default Cost Center for tracking expense for this item.,இந்த உருப்படிக்கு செலவில் கண்காணிப்பு முன்னிருப்பு செலவு மையம். Default Currency,முன்னிருப்பு நாணயத்தின் Default Customer Group,முன்னிருப்பு வாடிக்கையாளர் பிரிவு Default Expense Account,முன்னிருப்பு செலவு கணக்கு @@ -761,6 +805,7 @@ Default settings for selling transactions.,பரிவர்த்தனைக Default settings for stock transactions.,பங்கு பரிவர்த்தனை இயல்புநிலை அமைப்புகளை . Defense,பாதுகாப்பு "Define Budget for this Cost Center. To set budget action, see
Company Master","இந்த செலவு மையம் பட்ஜெட் வரையறை. வரவு செலவு திட்ட நடவடிக்கை அமைக்க, பார்க்க நிறுவனத்தின் முதன்மை" +Del,டெல் Delete,நீக்கு Delete {0} {1}?,நீக்கு {0} {1} ? Delivered,வழங்கினார் @@ -809,6 +854,7 @@ Discount (%),தள்ளுபடி (%) Discount Amount,தள்ளுபடி தொகை "Discount Fields will be available in Purchase Order, Purchase Receipt, Purchase Invoice","தள்ளுபடி புலங்கள் கொள்முதல் ஆணை, கொள்முதல் ரசீது, கொள்முதல் விலை விவரம் கிடைக்கும்" Discount Percentage,தள்ளுபடி சதவீதம் +Discount Percentage can be applied either against a Price List or for all Price List.,தள்ளுபடி சதவீதம் விலை பட்டியலை எதிராக அல்லது அனைத்து விலை பட்டியல் ஒன்று பயன்படுத்த முடியும். Discount must be less than 100,தள்ளுபடி 100 க்கும் குறைவான இருக்க வேண்டும் Discount(%),தள்ளுபடி (%) Dispatch,கொல் @@ -841,7 +887,8 @@ Download Template,வார்ப்புரு பதிவிறக்க Download a report containing all raw materials with their latest inventory status,அவர்களின் சமீபத்திய சரக்கு நிலை அனைத்து மூலப்பொருட்கள் கொண்ட ஒரு அறிக்கையை பதிவிறக்கு "Download the Template, fill appropriate data and attach the modified file.","டெம்ப்ளேட் பதிவிறக்க , அதற்கான தரவு நிரப்ப மாற்றம் கோப்பினை இணைக்கவும் ." "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","டெம்ப்ளேட் பதிவிறக்க , அதற்கான தரவு நிரப்ப மாற்றம் கோப்பினை இணைக்கவும் . \ NAll தேதிகள் மற்றும் தேர்ந்தெடுக்கப்பட்ட காலத்தில் ஊழியர் இணைந்து இருக்கும் வருகை பதிவேடுகள் , டெம்ப்ளேட் வரும்" +All dates and employee combination in the selected period will come in the template, with existing attendance records","டெம்ப்ளேட் பதிவிறக்க, அதற்கான தரவு நிரப்ப மாற்றம் கோப்பினை இணைக்கவும். + தேர்வு காலத்தில் அனைத்து தேதிகள் மற்றும் பணியாளர் இணைந்து இருக்கும் வருகை பதிவேடுகள், டெம்ப்ளேட் வரும்" Draft,காற்று வீச்சு Dropbox,டிராப்பாக்ஸ் Dropbox Access Allowed,டிரா பாக்ஸ் அனுமதி @@ -863,6 +910,9 @@ Earning & Deduction,சம்பளம் மற்றும் பொரு Earning Type,வகை சம்பாதித்து Earning1,Earning1 Edit,திருத்த +Edu. Cess on Excise,குன்றம். கலால் மீதான தீர்வையை +Edu. Cess on Service Tax,குன்றம். சேவை வரி மீதான தீர்வையை +Edu. Cess on TDS,குன்றம். அதுமட்டுமல்ல மீதான தீர்வையை Education,கல்வி Educational Qualification,கல்வி தகுதி Educational Qualification Details,கல்வி தகுதி விவரம் @@ -937,16 +987,27 @@ Enter url parameter for receiver nos,ரிசீவர் இலக்கங் Entertainment & Leisure,பொழுதுபோக்கு & ஓய்வு Entertainment Expenses,பொழுதுபோக்கு செலவினங்கள் Entries,பதிவுகள் -Entries against,பதிவுகள் எதிராக +Entries against , Entries are not allowed against this Fiscal Year if the year is closed.,ஆண்டு மூடப்பட்டு என்றால் உள்ளீடுகளை இந்த நிதியாண்டு எதிராக அனுமதி இல்லை. -Entries before {0} are frozen,{0} முன் பதிவுகள் உறைந்திருக்கும் Equity,ஈக்விட்டி Error: {0} > {1},பிழை: {0} > {1} Estimated Material Cost,கிட்டத்தட்ட பொருள் செலவு +"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","அதிகபட்ச முன்னுரிமை கொண்ட பல விலை விதிகள் உள்ளன என்றால், பின் பின்வரும் உள் முன்னுரிமைகள் பயன்படுத்தப்படும்:" Everyone can read,அனைவரும் படிக்க முடியும் "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 # # # # # \ n தொடர் அமைக்கப்படுகிறது மற்றும் சீரியல் இல்லை தானியங்கி வரிசை எண் இந்த தொடரை அடிப்படையாக கொண்டு உருவாக்கப்பட்ட பின்னர் , பரிவர்த்தனைகள் குறிப்பிட்டுள்ளார் ." +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 # # # # # + தொடர் அமைக்கப்படுகிறது மற்றும் சீரியல் இல்லை நடவடிக்கைகளில் குறிப்பிடப்படவில்லை எனில், பின்னர் தானியங்கி வரிசை எண் இந்த தொடரை அடிப்படையாக கொண்டு உருவாக்கப்பட்டது. நீங்கள் எப்போதும் வெளிப்படையாக இந்த உருப்படி தொடர் இலக்கங்கள் குறிப்பிட வேண்டும் என்றால். இதை வெறுமையாக விடவும்." Exchange Rate,அயல்நாட்டு நாணய பரிமாற்ற விகிதம் வீதம் +Excise Duty 10,உற்பத்தி வரி 10 +Excise Duty 14,உற்பத்தி வரி 14 +Excise Duty 4,கலால் வரி 4 +Excise Duty 8,உற்பத்தி வரி 8 +Excise Duty @ 10,10 @ உற்பத்தி வரி +Excise Duty @ 14,14 @ உற்பத்தி வரி +Excise Duty @ 4,4 @ உற்பத்தி வரி +Excise Duty @ 8,8 @ உற்பத்தி வரி +Excise Duty Edu Cess 2,உற்பத்தி வரி குன்றம் செஸ் 2 +Excise Duty SHE Cess 1,உற்பத்தி வரி அவள் செஸ் 1 Excise Page Number,கலால் பக்கம் எண் Excise Voucher,கலால் வவுச்சர் Execution,நிர்வாகத்தினருக்கு @@ -965,6 +1026,7 @@ Expected Delivery Date cannot be before Sales Order Date,எதிர்பா Expected End Date,எதிர்பார்க்கப்படுகிறது முடிவு தேதி Expected Start Date,எதிர்பார்க்கப்படுகிறது தொடக்க தேதி Expense,செலவு +Expense / Difference account ({0}) must be a 'Profit or Loss' account,செலவு / வித்தியாசம் கணக்கு ({0}) ஒரு 'லாபம் அல்லது நஷ்டம்' கணக்கு இருக்க வேண்டும் Expense Account,செலவு கணக்கு Expense Account is mandatory,செலவு கணக்கு அத்தியாவசியமானதாகும் Expense Claim,இழப்பில் கோரிக்கை @@ -1015,12 +1077,16 @@ Finished Goods,முடிக்கப்பட்ட பொருட்க First Name,முதல் பெயர் First Responded On,முதல் தேதி இணையம் Fiscal Year,நிதியாண்டு +Fiscal Year Start Date and Fiscal Year End Date are already set in Fiscal Year {0},நிதியாண்டு தொடக்க தேதி மற்றும் நிதி ஆண்டு இறுதியில் தேதி ஏற்கனவே நிதி ஆண்டில் அமைக்க {0} +Fiscal Year Start Date and Fiscal Year End Date cannot be more than a year apart.,நிதியாண்டு தொடக்க தேதி மற்றும் நிதி ஆண்டு இறுதியில் தேதி தவிர ஒரு வருடத்திற்கு மேலாக இருக்க முடியாது. +Fiscal Year Start Date should not be greater than Fiscal Year End Date,நிதி ஆண்டு தொடக்கம் தேதி நிதி ஆண்டு இறுதியில் தேதி விட அதிகமாக இருக்க கூடாது Fixed Asset,நிலையான சொத்து Fixed Assets,நிலையான சொத்துக்கள் Follow via Email,மின்னஞ்சல் வழியாக பின்பற்றவும் "Following table will show values if items are sub - contracted. These values will be fetched from the master of ""Bill of Materials"" of sub - contracted items.",ஒப்பந்த - உருப்படிகளை துணை இருந்தால் அட்டவணை தொடர்ந்து மதிப்புகள் காண்பிக்கும். ஒப்பந்த பொருட்கள் - இந்த மதிப்புகள் துணை பற்றிய "பொருட்களை பில்" தலைவனா இருந்து எடுக்கப்படவில்லை. Food,உணவு "Food, Beverage & Tobacco","உணவு , குளிர்பானங்கள் & புகையிலை" +"For 'Sales BOM' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Sales BOM' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","'விற்பனை BOM' பொருட்களை, சேமிப்பு கிடங்கு, சீரியல் இல்லை, மற்றும் தொகுதி இல்லை 'பொதி பட்டியல்' அட்டவணை கருதப்படுகிறது. கிடங்கு மற்றும் தொகுதி இல்லை எந்த 'விற்பனை BOM' உருப்படி அனைத்து பொதி பொருட்களை அதே இருந்தால், அந்த மதிப்புகள் முக்கிய பொருள் அட்டவணை உள்ளிட்ட, மதிப்புகள் 'பெட்டிகளின் பட்டியல்' அட்டவணை பின்பற்றப்படும்." For Company,நிறுவனத்தின் For Employee,பணியாளர் தேவை For Employee Name,பணியாளர் பெயர் @@ -1050,7 +1116,9 @@ From Currency and To Currency cannot be same,நாணய மற்றும் From Customer,வாடிக்கையாளர் இருந்து From Customer Issue,வாடிக்கையாளர் பிரச்சினை இருந்து From Date,தேதி +From Date cannot be greater than To Date,தேதி முதல் இன்று வரை விட முடியாது From Date must be before To Date,தேதி முதல் தேதி முன் இருக்க வேண்டும் +From Date should be within the Fiscal Year. Assuming From Date = {0},வரம்பு தேதி நிதியாண்டு க்குள் இருக்க வேண்டும். தேதி அனுமானம் = {0} From Delivery Note,டெலிவரி குறிப்பு இருந்து From Employee,பணியாளர் இருந்து From Lead,முன்னணி இருந்து @@ -1072,7 +1140,9 @@ Frozen Accounts Modifier,உறைந்த கணக்குகள் மா Fulfilled,பூர்த்தி Full Name,முழு பெயர் Full-time,முழு நேர +Fully Billed,முழுமையாக வசூலிக்கப்படும் Fully Completed,முழுமையாக பூர்த்தி +Fully Delivered,முழுமையாக வழங்கப்படுகிறது Furniture and Fixture,"மரச்சாமான்கள் , திருவோணம்," Further accounts can be made under Groups but entries can be made against Ledger,மேலும் கணக்குகள் குழுக்கள் கீழ் முடியும் ஆனால் உள்ளீடுகளை லெட்ஜர் எதிரான முடியும் "Further accounts can be made under Groups, but entries can be made against Ledger","மேலும் கணக்குகள் குழுக்கள் கீழ் முடியும் , ஆனால் உள்ளீடுகளை லெட்ஜர் எதிரான முடியும்" @@ -1090,7 +1160,6 @@ Generate Schedule,அட்டவணை உருவாக்க Generates HTML to include selected image in the description,விளக்கத்தில் தேர்ந்தெடுக்கப்பட்ட படத்தை சேர்க்க HTML உருவாக்குகிறது Get Advances Paid,கட்டண முன்னேற்றங்கள் கிடைக்கும் Get Advances Received,முன்னேற்றம் பெற்ற கிடைக்கும் -Get Against Entries,பதிவுகள் எதிராக பெறவும் Get Current Stock,தற்போதைய பங்கு கிடைக்கும் Get Items,பொருட்கள் கிடைக்கும் Get Items From Sales Orders,விற்பனை ஆணைகள் உருப்படிகளை கிடைக்கும் @@ -1103,6 +1172,7 @@ Get Specification Details,குறிப்பு விவரம் கிட Get Stock and Rate,பங்கு மற்றும் விகிதம் கிடைக்கும் Get Template,வார்ப்புரு கிடைக்கும் Get Terms and Conditions,நிபந்தனைகள் கிடைக்கும் +Get Unreconciled Entries,ஒப்புரவாகவேயில்லை பதிவுகள் பெற Get Weekly Off Dates,வாராந்திர இனிய தினங்கள் கிடைக்கும் "Get valuation rate and available stock at source/target warehouse on mentioned posting date-time. If serialized item, please press this button after entering serial nos.","அன்று மூல / இலக்கு ஹவுஸில் மதிப்பீடு விகிதம் மற்றும் கிடைக்கும் பங்கு பெற தேதி, நேரம் தகவல்களுக்கு குறிப்பிட்டுள்ளார். உருப்படியை தொடர் என்றால், தொடர் இலக்கங்கள் நுழைந்து பின்னர் இந்த பொத்தானை கிளிக் செய்யவும்." Global Defaults,உலக இயல்புநிலைகளுக்கு @@ -1171,6 +1241,7 @@ Hour,மணி Hour Rate,மணி விகிதம் Hour Rate Labour,மணி விகிதம் தொழிலாளர் Hours,மணி +How Pricing Rule is applied?,எப்படி விலை பயன்படுத்தப்படும் விதி என்ன? How frequently?,எப்படி அடிக்கடி? "How should this currency be formatted? If not set, will use system defaults","எப்படி இந்த நாணய வடிவமைக்க வேண்டும்? அமைக்கவில்லை எனில், கணினி இயல்புநிலைகளை பயன்படுத்தும்" Human Resources,மனித வளங்கள் @@ -1187,12 +1258,15 @@ If different than customer address,என்றால் வாடிக்க "If disable, 'Rounded Total' field will not be visible in any transaction","முடக்கவும், 'வட்டமான மொத்த' என்றால் துறையில் எந்த பரிமாற்றத்தில் பார்க்க முடியாது" "If enabled, the system will post accounting entries for inventory automatically.","இயலுமைப்படுத்த என்றால், கணினி தானாக சரக்கு கணக்கியல் உள்ளீடுகள் பதிவு." If more than one package of the same type (for print),அதே வகை மேற்பட்ட தொகுப்பு (அச்சுக்கு) +"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","பல விலை விதிகள் நிலவும் தொடர்ந்து இருந்தால், பயனர்கள் முரண்பாட்டை தீர்க்க கைமுறையாக முன்னுரிமை அமைக்க கேட்கப்பட்டது." "If no change in either Quantity or Valuation Rate, leave the cell blank.","அளவு அல்லது மதிப்பீட்டு விகிதம் அல்லது எந்த மாற்றமும் இல்லை , செல் வெற்று விட்டு ." If not applicable please enter: NA,பொருந்தாது என்றால் உள்ளிடவும்: NA "If not checked, the list will have to be added to each Department where it has to be applied.","சரி இல்லை என்றால், பட்டியலில் அதை பயன்படுத்த வேண்டும் ஒவ்வொரு துறை சேர்க்க வேண்டும்." +"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.","தேர்வு விலை விதி 'விலை' செய்யப்படுகிறது என்றால், அது விலை பட்டியல் மேலெழுதும். விலை விதி விலை இறுதி விலை, எனவே மேலும் தள்ளுபடி பயன்படுத்த வேண்டும். எனவே, விற்பனை, கொள்முதல் ஆணை போன்ற நடவடிக்கைகளில், அதை விட 'விலை பட்டியல் விகிதம்' துறையில் விட, 'ரேட்' துறையில் தந்தது." "If specified, send the newsletter using this email address","குறிப்பிட்ட என்றால், இந்த மின்னஞ்சல் முகவரியை பயன்படுத்தி அனுப்புக" "If the account is frozen, entries are allowed to restricted users.","கணக்கு முடக்கப்படும் என்றால், உள்ளீடுகளை தடை செய்த அனுமதிக்கப்படுகிறது ." "If this Account represents a Customer, Supplier or Employee, set it here.","இந்த கணக்கு ஒரு வாடிக்கையாளர், சப்ளையர் அல்லது பணியாளர் குறிக்கிறது என்றால், இங்கே அமைக்கவும்." +"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","இரண்டு அல்லது அதற்கு மேற்பட்ட விலை விதிகள் மேலே நிபந்தனைகளை அடிப்படையாக காணப்படுகின்றன என்றால், முன்னுரிமை பயன்படுத்தப்படும். இயல்புநிலை மதிப்பு பூஜ்யம் (வெற்று) போது முன்னுரிமை 0 20 இடையே ஒரு எண் ஆகும். அதிக எண்ணிக்கையிலான அதே நிலையில் பல விலை விதிகள் உள்ளன என்றால் அதை முன்னுரிமை எடுத்து என்று பொருள்." If you follow Quality Inspection. Enables Item QA Required and QA No in Purchase Receipt,நீங்கள் தரமான ஆய்வு பின்பற்ற என்றால் . எந்த கொள்முதல் ரசீது பொருள் QA தேவையான மற்றும் QA இயக்கும் If you have Sales Team and Sale Partners (Channel Partners) they can be tagged and maintain their contribution in the sales activity,நீங்கள் விற்பனை குழு மற்றும் விற்பனை பங்குதாரர்கள் (சேனல் பங்குதாரர்கள்) அவர்கள் குறித்துள்ளார் முடியும் மற்றும் விற்பனை நடவடிக்கைகளில் தங்களது பங்களிப்பை பராமரிக்க வேண்டும் "If you have created a standard template in Purchase Taxes and Charges Master, select one and click on the button below.","நீங்கள் கொள்முதல் வரி மற்றும் கட்டணங்கள் மாஸ்டர் ஒரு நிலையான டெம்ப்ளேட் உருவாக்கியது என்றால், ஒரு தேர்ந்தெடுத்து கீழே உள்ள பொத்தானை கிளிக் செய்யவும்." @@ -1200,6 +1274,7 @@ If you have Sales Team and Sale Partners (Channel Partners) they can be tagged "If you have long print formats, this feature can be used to split the page to be printed on multiple pages with all headers and footers on each page","நீங்கள் நீண்ட வடிவங்கள் அச்சிட வேண்டும் என்றால், இந்த அம்சம் பக்கம் ஒவ்வொரு பக்கத்தில் அனைத்து தலைப்புகள் மற்றும் அடிக்குறிப்புகளும் பல பக்கங்களில் அச்சிடப்பட்ட வேண்டும் பிரித்து பயன்படுத்தலாம்" If you involve in manufacturing activity. Enables Item 'Is Manufactured',நீங்கள் உற்பத்தி துறையில் உள்ளடக்கியது என்றால் . பொருள் இயக்கும் ' உற்பத்தி செய்யப்படுகிறது ' Ignore,புறக்கணி +Ignore Pricing Rule,விலை சொல்கிறேன் Ignored: ,அலட்சியம்: Image,படம் Image View,பட காட்சி @@ -1236,8 +1311,9 @@ Income booked for the digest period,வருமான தொகுப்ப Incoming,அடுத்து வருகிற Incoming Rate,உள்வரும் விகிதம் Incoming quality inspection.,உள்வரும் தரத்தை ஆய்வு. +Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,பொது லெட்ஜர் பதிவுகள் தவறான அறிந்தனர். நீங்கள் பரிவர்த்தனை ஒரு தவறான கணக்கு தேர்வு. Incorrect or Inactive BOM {0} for Item {1} at row {2},தவறான அல்லது செயலற்று BOM {0} உருப்படி {1} வரிசையில் {2} -Indicates that the package is a part of this delivery,தொகுப்பு இந்த விநியோக ஒரு பகுதியாக என்று குறிக்கிறது +Indicates that the package is a part of this delivery (Only Draft),தொகுப்பு இந்த விநியோக ஒரு பகுதியாக உள்ளது என்று குறிக்கிறது (மட்டும் வரைவு) Indirect Expenses,மறைமுக செலவுகள் Indirect Income,மறைமுக வருமானம் Individual,தனிப்பட்ட @@ -1263,6 +1339,7 @@ Intern,நடமாட்டத்தை கட்டுபடுத்து Internal,உள்ளக Internet Publishing,இணைய பப்ளிஷிங் Introduction,அறிமுகப்படுத்துதல் +Invalid Barcode,செல்லாத பார்கோடு Invalid Barcode or Serial No,செல்லாத பார்கோடு அல்லது சீரியல் இல்லை Invalid Mail Server. Please rectify and try again.,தவறான மின்னஞ்சல் சேவகன் . சரிசெய்து மீண்டும் முயற்சிக்கவும். Invalid Master Name,செல்லாத மாஸ்டர் பெயர் @@ -1275,9 +1352,12 @@ Investments,முதலீடுகள் Invoice Date,விலைப்பட்டியல் தேதி Invoice Details,விலைப்பட்டியல் விவரம் Invoice No,இல்லை விலைப்பட்டியல் -Invoice Period From Date,வரம்பு தேதி விலைப்பட்டியல் காலம் +Invoice Number,விலைப்பட்டியல் எண் +Invoice Period From,முதல் விலைப்பட்டியல் காலம் Invoice Period From and Invoice Period To dates mandatory for recurring invoice,விலைப்பட்டியல் மீண்டும் கட்டாயமாக தேதிகள் மற்றும் விலைப்பட்டியல் காலம் விலைப்பட்டியல் காலம் -Invoice Period To Date,தேதி விலைப்பட்டியல் காலம் +Invoice Period To,செய்ய விலைப்பட்டியல் காலம் +Invoice Type,விலைப்பட்டியல் வகை +Invoice/Journal Voucher Details,விலைப்பட்டியல் / ஜர்னல் ரசீது விவரங்கள் Invoiced Amount (Exculsive Tax),விலை விவரம் தொகை ( ஒதுக்கி தள்ளும் பண்புடைய வரி ) Is Active,செயலில் உள்ளது Is Advance,முன்பணம் @@ -1308,6 +1388,7 @@ Item Advanced,உருப்படியை மேம்பட்ட Item Barcode,உருப்படியை பார்கோடு Item Batch Nos,உருப்படியை தொகுப்பு இலக்கங்கள் Item Code,உருப்படியை கோட் +Item Code > Item Group > Brand,பொருள் கோட்> பொருள் பிரிவு> பிராண்ட் Item Code and Warehouse should already exist.,பொருள் கோட் மற்றும் கிடங்கு ஏற்கனவே வேண்டும். Item Code cannot be changed for Serial No.,பொருள் கோட் சீரியல் எண் மாற்றப்பட கூடாது Item Code is mandatory because Item is not automatically numbered,பொருள் தானாக எண் ஏனெனில் பொருள் கோட் கட்டாய ஆகிறது @@ -1319,6 +1400,7 @@ Item Details,உருப்படியை விவரம் Item Group,உருப்படியை குழு Item Group Name,உருப்படியை குழு பெயர் Item Group Tree,பொருள் குழு மரம் +Item Group not mentioned in item master for item {0},உருப்படி உருப்படியை மாஸ்டர் குறிப்பிடப்பட்டுள்ளது பொருள் பிரிவு {0} Item Groups in Details,விவரங்கள் உருப்படியை குழுக்கள் Item Image (if not slideshow),உருப்படி படம் (இருந்தால் ஸ்லைடுஷோ) Item Name,உருப்படி பெயர் @@ -1389,7 +1471,8 @@ Item-wise Purchase Register,உருப்படியை வாரியான Item-wise Sales History,உருப்படியை வாரியான விற்பனை வரலாறு Item-wise Sales Register,உருப்படியை வாரியான விற்பனை பதிவு "Item: {0} managed batch-wise, can not be reconciled using \ - Stock Reconciliation, instead use Stock Entry","பொருள் : {0} தொகுதி வாரியான நிர்வகிக்கப்படும் , \ \ N பங்கு நல்லிணக்க பயன்படுத்தி சமரசப்படுத்த முடியாது , அதற்கு பதிலாக பங்கு நுழைவு பயன்படுத்த" + Stock Reconciliation, instead use Stock Entry","பொருள்: {0} தொகுதி வாரியான நிர்வகிக்கப்படும், பயன்படுத்தி சமரசப்படுத்த முடியாது \ + பங்கு நல்லிணக்க, அதற்கு பதிலாக பங்கு நுழைவு பயன்படுத்த" Item: {0} not found in the system,பொருள் : {0} அமைப்பு இல்லை Items,உருப்படிகள் Items To Be Requested,கோரிய பொருட்களை @@ -1492,6 +1575,7 @@ Loading...,ஏற்றுகிறது ... Loans (Liabilities),கடன்கள் ( கடன்) Loans and Advances (Assets),கடன்கள் ( சொத்துக்கள் ) Local,உள்ளூர் +Login,புகுபதிகை Login with your new User ID,உங்கள் புதிய பயனர் ஐடி காண்க Logo,லோகோ Logo and Letter Heads,லோகோ மற்றும் லெடர்ஹெட்ஸ் @@ -1536,6 +1620,7 @@ Make Maint. Schedule,Maint கொள்ளுங்கள். அட்டவ Make Maint. Visit,Maint கொள்ளுங்கள். வருகை Make Maintenance Visit,பராமரிப்பு விஜயம் செய்ய Make Packing Slip,ஸ்லிப் பொதி செய்ய +Make Payment,கொடுப்பனவு செய்ய Make Payment Entry,கொடுப்பனவு உள்ளீடு செய்ய Make Purchase Invoice,கொள்முதல் விலைப்பட்டியல் செய்ய Make Purchase Order,செய்ய கொள்முதல் ஆணை @@ -1545,8 +1630,10 @@ Make Salary Structure,சம்பள கட்டமைப்பு செய Make Sales Invoice,கவிஞருக்கு செய்ய Make Sales Order,செய்ய விற்பனை ஆணை Make Supplier Quotation,வழங்குபவர் மேற்கோள் செய்ய +Make Time Log Batch,நேரம் பதிவு தொகுதி செய்ய Male,ஆண் Manage Customer Group Tree.,வாடிக்கையாளர் குழு மரம் நிர்வகி . +Manage Sales Partners.,விற்னையாளர் பங்குதாரர்கள் நிர்வகி. Manage Sales Person Tree.,விற்பனை நபர் மரம் நிர்வகி . Manage Territory Tree.,மண்டலம் மரம் நிர்வகி . Manage cost of operations,நடவடிக்கைகள் செலவு மேலாண்மை @@ -1597,6 +1684,8 @@ Max 5 characters,மேக்ஸ் 5 எழுத்துக்கள் Max Days Leave Allowed,மேக்ஸ் நாட்கள் அனுமதிக்கப்பட்ட விடவும் Max Discount (%),மேக்ஸ் தள்ளுபடி (%) Max Qty,மேக்ஸ் அளவு +Max discount allowed for item: {0} is {1}%,மேக்ஸ் தள்ளுபடி உருப்படியை அனுமதி: {0} {1}% ஆகும் +Maximum Amount,அதிகபட்ச தொகை Maximum allowed credit is {0} days after posting date,அதிகபட்ச அனுமதி கடன் தேதி தகவல்களுக்கு பிறகு {0} நாட்கள் ஆகிறது Maximum {0} rows allowed,அதிகபட்ச {0} வரிசைகள் அனுமதி Maxiumm discount for Item {0} is {1}%,உருப்படி Maxiumm தள்ளுபடி {0} {1} % ஆகிறது @@ -1617,6 +1706,7 @@ Milestones will be added as Events in the Calendar,மைல்கற்கள Min Order Qty,Min ஆர்டர் அளவு Min Qty,min அளவு Min Qty can not be greater than Max Qty,Min அளவு மேக்ஸ் அளவு அதிகமாக இருக்க முடியாது +Minimum Amount,குறைந்தபட்ச தொகை Minimum Order Qty,குறைந்தபட்ச ஆணை அளவு Minute,நிமிஷம் Misc Details,மற்றவை விவரம் @@ -1626,7 +1716,6 @@ Mobile No,இல்லை மொபைல் Mobile No.,மொபைல் எண் Mode of Payment,கட்டணம் செலுத்தும் முறை Modern,நவீன -Modified Amount,மாற்றப்பட்ட தொகை Monday,திங்கட்கிழமை Month,மாதம் Monthly,மாதாந்தர @@ -1643,7 +1732,8 @@ Mr,திரு Ms,Ms Multiple Item prices.,பல பொருள் விலை . "Multiple Price Rule exists with same criteria, please resolve \ - conflict by assigning priority. Price Rules: {0}","பல விலை விதி அதே அளவுகோலை கொண்டு உள்ளது , முன்னுரிமை ஒதுக்க மூலம் \ \ N மோதலை தீர்க்க , தயவு செய்து ." + conflict by assigning priority. Price Rules: {0}","பல விலை விதி அதே அளவுகோலை கொண்டு உள்ளது, தீர்க்க தயவு செய்து \ + முன்னுரிமை ஒதுக்க மோதல். விலை விதிகள்: {0}" Music,இசை Must be Whole Number,முழு எண் இருக்க வேண்டும் Name,பெயர் @@ -1659,6 +1749,7 @@ Negative Valuation Rate is not allowed,எதிர்மறை மதிப் Negative balance in Batch {0} for Item {1} at Warehouse {2} on {3} {4},தொகுதி எதிர்மறை சமநிலை {0} உருப்படி {1} கிடங்கு {2} ம் {3} {4} Net Pay,நிகர சம்பளம் Net Pay (in words) will be visible once you save the Salary Slip.,நீங்கள் சம்பளம் ஸ்லிப் சேமிக்க முறை நிகர வருவாய் (வார்த்தைகளில்) காண முடியும். +Net Profit / Loss,நிகர லாபம் / இழப்பு Net Total,நிகர மொத்தம் Net Total (Company Currency),நிகர மொத்தம் (நிறுவனத்தின் கரன்சி) Net Weight,நிகர எடை @@ -1699,7 +1790,6 @@ Newsletter,செய்தி மடல் Newsletter Content,செய்திமடல் உள்ளடக்கம் Newsletter Status,செய்திமடல் நிலைமை Newsletter has already been sent,செய்திமடல் ஏற்கனவே அனுப்பப்பட்டுள்ளது -Newsletters is not allowed for Trial users,செய்தி சோதனை செய்த அனுமதி இல்லை "Newsletters to contacts, leads.","தொடர்புகள் செய்திமடல்கள், வழிவகுக்கிறது." Newspaper Publishers,பத்திரிகை வெளியீட்டாளர்கள் Next,அடுத்து @@ -1721,6 +1811,7 @@ No Supplier Accounts found. Supplier Accounts are identified based on 'Master Ty No accounting entries for the following warehouses,பின்வரும் கிடங்குகள் இல்லை கணக்கியல் உள்ளீடுகள் No addresses created,உருவாக்கப்பட்ட முகவரிகள் No contacts created,உருவாக்கப்பட்ட எந்த தொடர்பும் இல்லை +No default Address Template found. Please create a new one from Setup > Printing and Branding > Address Template.,இயல்புநிலை முகவரி டெம்ப்ளேட் காணப்படுகிறது. அமைப்பு> அச்சிடுதல் மற்றும் பிராண்டிங் இருந்து ஒரு புதிய ஒரு> முகவரி டெம்ப்ளேட் உருவாக்க தயவுசெய்து. No default BOM exists for Item {0},இயல்புநிலை BOM உள்ளது உருப்படி {0} No description given,கொடுக்கப்பட்ட விளக்கம் இல்லை No employee found,எதுவும் ஊழியர் @@ -1730,6 +1821,8 @@ No of Sent SMS,அனுப்பிய எஸ்எம்எஸ் இல்ல No of Visits,வருகைகள் எண்ணிக்கை No permission,அனுமதி இல்லை No record found,எந்த பதிவும் இல்லை +No records found in the Invoice table,விலைப்பட்டியல் அட்டவணை காணப்படவில்லை பதிவுகள் +No records found in the Payment table,கொடுப்பனவு அட்டவணை காணப்படவில்லை பதிவுகள் No salary slip found for month: ,மாதம் இல்லை சம்பளம் சீட்டு: Non Profit,லாபம் Nos,இலக்கங்கள் @@ -1739,7 +1832,7 @@ Not Available,இல்லை Not Billed,கட்டணம் Not Delivered,அனுப்பப்பட்டது Not Set,அமை -Not allowed to update entries older than {0},விட உள்ளீடுகளை பழைய இற்றைப்படுத்த முடியாது {0} +Not allowed to update stock transactions older than {0},விட பங்கு பரிவர்த்தனைகள் பழைய இற்றைப்படுத்த முடியாது {0} Not authorized to edit frozen Account {0},உறைந்த கணக்கு திருத்த அதிகாரம் இல்லை {0} Not authroized since {0} exceeds limits,{0} வரம்புகளை அதிகமாக இருந்து authroized Not permitted,அனுமதி இல்லை @@ -1780,7 +1873,6 @@ Only the selected Leave Approver can submit this Leave Application,"தேர் Open,திறந்த Open Production Orders,திறந்த உற்பத்தி ஆணைகள் Open Tickets,திறந்த டிக்கெட் -Open source ERP built for the web,வலை கட்டப்பட்டது திறந்த மூல ஈஆர்பி Opening (Cr),துவாரம் ( CR) Opening (Dr),துவாரம் ( டாக்டர் ) Opening Date,தேதி திறப்பு @@ -1805,7 +1897,7 @@ Opportunity Lost,வாய்ப்பை இழந்த Opportunity Type,வாய்ப்பு வகை Optional. This setting will be used to filter in various transactions.,விருப்ப . இந்த அமைப்பு பல்வேறு நடவடிக்கைகளில் வடிகட்ட பயன்படும். Order Type,வரிசை வகை -Order Type must be one of {1},ஒழுங்கு வகை ஒன்றாக இருக்க வேண்டும் {1} +Order Type must be one of {0},ஒழுங்கு வகை ஒன்றாக இருக்க வேண்டும் {0} Ordered,ஆணையிட்டார் Ordered Items To Be Billed,கணக்கில் வேண்டும் உத்தரவிட்டது உருப்படிகள் Ordered Items To Be Delivered,விநியோகிப்பதற்காக உத்தரவிட்டார் உருப்படிகள் @@ -1817,7 +1909,6 @@ Organization Name,நிறுவன பெயர் Organization Profile,அமைப்பு செய்தது Organization branch master.,அமைப்பு கிளை மாஸ்டர் . Organization unit (department) master.,அமைப்பு அலகு ( துறை ) மாஸ்டர் . -Original Amount,அசல் தொகை Other,வேறு Other Details,மற்ற விவரங்கள் Others,மற்றவை @@ -1834,6 +1925,7 @@ Overlapping conditions found between:,இடையே காணப்படு Overview,கண்ணோட்டம் Owned,சொந்தமானது Owner,சொந்தக்காரர் +P L A - Cess Portion,மக்கள் விடுதலை - தீர்வையை பகுதி PL or BS,PL அல்லது BS PO Date,அஞ்சல் தேதி PO No,அஞ்சல் இல்லை @@ -1846,7 +1938,6 @@ POS Setting required to make POS Entry,POS நுழைவு செய்ய POS Setting {0} already created for user: {1} and company {2},POS அமைக்கிறது {0} ஏற்கனவே பயனர் உருவாக்கப்பட்டது: {1} நிறுவனத்தின் {2} POS View,பிஓஎஸ் பார்வையிடு PR Detail,PR விரிவாக -PR Posting Date,பொது தகவல்களுக்கு தேதி Package Item Details,தொகுப்பு பொருள் விவரம் Package Items,தொகுப்பு உருப்படிகள் Package Weight Details,தொகுப்பு எடை விவரம் @@ -1876,8 +1967,6 @@ Parent Sales Person,பெற்றோர் விற்பனை நபர Parent Territory,பெற்றோர் மண்டலம் Parent Website Page,பெற்றோர் வலைத்தளம் பக்கம் Parent Website Route,பெற்றோர் இணையத்தளம் வழி -Parent account can not be a ledger,பெற்றோர் கணக்கு பேரேடு இருக்க முடியாது -Parent account does not exist,பெற்றோர் கணக்கு இல்லை Parenttype,Parenttype Part-time,பகுதி நேர Partially Completed,ஓரளவிற்கு பூர்த்தி @@ -1886,6 +1975,8 @@ Partly Delivered,இதற்கு அனுப்பப்பட்டது Partner Target Detail,வரன்வாழ்க்கை துணை இலக்கு விரிவாக Partner Type,வரன்வாழ்க்கை துணை வகை Partner's Website,கூட்டாளியின் இணையத்தளம் +Party,கட்சி +Party Account,கட்சி கணக்கு Party Type,கட்சி வகை Party Type Name,கட்சி வகை பெயர் Passive,மந்தமான @@ -1898,10 +1989,14 @@ Payables Group,Payables குழு Payment Days,கட்டணம் நாட்கள் Payment Due Date,கொடுப்பனவு காரணமாக தேதி Payment Period Based On Invoice Date,விலைப்பட்டியல் தேதியின் அடிப்படையில் கொடுப்பனவு காலம் +Payment Reconciliation,கொடுப்பனவு நல்லிணக்க +Payment Reconciliation Invoice,கொடுப்பனவு நல்லிணக்க விலைப்பட்டியல் +Payment Reconciliation Invoices,கொடுப்பனவு நல்லிணக்க பொருள் +Payment Reconciliation Payment,கொடுப்பனவு நல்லிணக்க கொடுப்பனவு +Payment Reconciliation Payments,கொடுப்பனவு நல்லிணக்க கொடுப்பனவுகள் Payment Type,கொடுப்பனவு வகை +Payment cannot be made for empty cart,கொடுப்பனவு காலியாக வண்டி முடியாது Payment of salary for the month {0} and year {1},மாதம் சம்பளம் கொடுப்பனவு {0} மற்றும் ஆண்டு {1} -Payment to Invoice Matching Tool,விலைப்பட்டியல் பொருந்தும் கருவி பணம் -Payment to Invoice Matching Tool Detail,விலைப்பட்டியல் பொருந்தும் கருவி விரிவாக பணம் Payments,பணம் Payments Made,பணம் மேட் Payments Received,பணம் பெற்ற @@ -1944,7 +2039,9 @@ Planning,திட்டமிடல் Plant,தாவரம் Plant and Machinery,இயந்திரங்களில் Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,இது அனைத்து கணக்கு தலைவர்கள் என்று பின்னொட்டு என சேர்க்கப்படும் என ஒழுங்காக சுருக்கமான அல்லது குறுகிய பெயர் உள்ளிடுக. +Please Update SMS Settings,SMS அமைப்புகள் மேம்படுத்த Please add expense voucher details,"இழப்பில் ரசீது விவரங்கள் சேர்க்க தயவு செய்து," +Please add to Modes of Payment from Setup.,அமைப்பு கொடுப்பு முறைகள் சேர்க்க தயவு செய்து. Please check 'Is Advance' against Account {0} if this is an advance entry.,கணக்கு எதிராக ' முன்பணம் ' சரிபார்க்கவும் {0} இந்த ஒரு முன்னேற்றத்தை நுழைவு என்றால் . Please click on 'Generate Schedule',"' உருவாக்குதல் அட்டவணை ' கிளிக் செய்து," Please click on 'Generate Schedule' to fetch Serial No added for Item {0},"சீரியல் இல்லை பொருள் சேர்க்க எடுக்க ' உருவாக்குதல் அட்டவணை ' கிளிக் செய்து, {0}" @@ -1992,12 +2089,13 @@ Please enter valid Company Email,நிறுவனத்தின் மின Please enter valid Email Id,செல்லுபடியாகும் மின்னஞ்சல் ஐடியை உள்ளிடுக Please enter valid Personal Email,செல்லுபடியாகும் தனிப்பட்ட மின்னஞ்சல் உள்ளிடவும் Please enter valid mobile nos,சரியான மொபைல் இலக்கங்கள் உள்ளிடவும் +Please find attached Sales Invoice #{0},இணைக்கப்பட்ட கண்டுபிடிக்க தயவு செய்து கவிஞருக்கு # {0} Please install dropbox python module,டிரா பாக்ஸ் பைதான் தொகுதி நிறுவவும் Please mention no of visits required,குறிப்பிட தயவுசெய்து தேவையான வருகைகள் எந்த Please pull items from Delivery Note,"டெலிவரி குறிப்பு இருந்து உருப்படிகள் இழுக்க , தயவு செய்து" Please save the Newsletter before sending,"அனுப்பும் முன் செய்திமடல் சேமிக்க , தயவு செய்து" Please save the document before generating maintenance schedule,"பராமரிப்பு அட்டவணை உருவாக்கும் முன் ஆவணத்தை சேமிக்க , தயவு செய்து" -Please select Account first,முதல் கணக்கு தேர்வு செய்க +Please see attachment,இணைப்பு பார்க்கவும் Please select Bank Account,வங்கி கணக்கு தேர்ந்தெடுக்கவும் Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,நீங்கள் முந்தைய நிதி ஆண்டின் இருப்புநிலை இந்த நிதி ஆண்டு விட்டு சேர்க்க விரும்பினால் முன் எடுத்து கொள்ளவும் Please select Category first,முதல் வகையை தேர்ந்தெடுக்கவும் @@ -2005,14 +2103,17 @@ Please select Charge Type first,பொறுப்பு வகை முத Please select Fiscal Year,நிதியாண்டு தேர்வு செய்க Please select Group or Ledger value,குழு அல்லது லெட்ஜர் மதிப்பை தெரிவு செய்க Please select Incharge Person's name,பொறுப்பாளர் நபரின் பெயர் தேர்வு செய்க +Please select Invoice Type and Invoice Number in atleast one row,குறைந்தது ஒரு வரிசையில் விலைப்பட்டியல் வகை மற்றும் விலைப்பட்டியல் எண் தேர்வு செய்க "Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Sales BOM",""" பங்கு பொருள் "" ""இல்லை "" மற்றும் "" விற்பனை பொருள் உள்ளது"" "" ஆமாம் "" மற்றும் வேறு விற்பனை BOM அங்கு உருப்படியை தேர்ந்தெடுக்கவும்" Please select Price List,விலை பட்டியல் தேர்ந்தெடுக்கவும் Please select Start Date and End Date for Item {0},தொடக்க தேதி மற்றும் பொருள் முடிவு தேதி தேர்வு செய்க {0} +Please select Time Logs.,நேரம் பதிவுகள் தேர்ந்தெடுக்கவும். Please select a csv file,ஒரு கோப்பை தேர்ந்தெடுக்கவும் Please select a valid csv file with data,தரவு ஒரு செல்லுபடியாகும் CSV கோப்பை தேர்ந்தெடுக்கவும் Please select a value for {0} quotation_to {1},ஒரு மதிப்பை தேர்ந்தெடுக்கவும் {0} quotation_to {1} "Please select an ""Image"" first","முதல் ஒரு ""படம்"" தேர்வு செய்க" Please select charge type first,முதல் கட்டணம் வகையை தேர்வு செய்க +Please select company first,முதல் நிறுவனம் தேர்வு செய்க Please select company first.,முதல் நிறுவனம் தேர்வு செய்க. Please select item code,உருப்படியை குறியீடு தேர்வு செய்க Please select month and year,மாதம் மற்றும் ஆண்டு தேர்ந்தெடுக்கவும் @@ -2021,6 +2122,7 @@ Please select the document type first,முதல் ஆவணம் வகை Please select weekly off day,வாராந்திர ஆஃப் நாள் தேர்வு செய்க Please select {0},தேர்வு செய்க {0} Please select {0} first,முதல் {0} தேர்வு செய்க +Please select {0} first.,முதல் {0} தேர்ந்தெடுக்கவும். Please set Dropbox access keys in your site config,உங்கள் தளத்தில் கட்டமைப்பு டிராப்பாக்ஸ் அணுகல் விசைகள் அமைக்கவும் Please set Google Drive access keys in {0},கூகிள் டிரைவ் அணுகல் விசைகள் அமைக்கவும் {0} Please set default Cash or Bank account in Mode of Payment {0},கொடுப்பனவு முறையில் இயல்புநிலை பண அல்லது வங்கி கணக்கு அமைக்கவும் {0} @@ -2047,6 +2149,7 @@ Postal,தபால் அலுவலகம் சார்ந்த Postal Expenses,தபால் செலவுகள் Posting Date,தேதி தகவல்களுக்கு Posting Time,நேரம் தகவல்களுக்கு +Posting date and posting time is mandatory,தகவல்களுக்கு தேதி மற்றும் தகவல்களுக்கு நேரம் கட்டாய ஆகிறது Posting timestamp must be after {0},பதிவுசெய்ய நேர முத்திரை பின்னர் இருக்க வேண்டும் {0} Potential opportunities for selling.,விற்பனை திறன் வாய்ப்புகள். Preferred Billing Address,விருப்பமான பில்லிங் முகவரி @@ -2073,8 +2176,10 @@ Price List not selected,விலை பட்டியல் தேர்வு Price List {0} is disabled,விலை பட்டியல் {0} முடக்கப்பட்டுள்ளது Price or Discount,விலை அல்லது தள்ளுபடி Pricing Rule,விலை விதி -Pricing Rule For Discount,விலை ஆட்சிக்கு தள்ளுபடி -Pricing Rule For Price,விலை ஆட்சிக்கு விலை +Pricing Rule Help,விலை விதி உதவி +"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","விலை விதி முதல் பொருள், பொருள் பிரிவு அல்லது பிராண்ட் முடியும், துறையில் 'விண்ணப்பிக்க' அடிப்படையில் தேர்வு செய்யப்படுகிறது." +"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","விலை விதி சில அடிப்படை அடிப்படையில், விலை பட்டியல் / தள்ளுபடி சதவீதம் வரையறுக்க மேலெழுத செய்யப்படுகிறது." +Pricing Rules are further filtered based on quantity.,விலை விதிமுறைகள் மேலும் அளவு அடிப்படையில் வடிகட்டப்பட்டு. Print Format Style,அச்சு வடிவம் உடை Print Heading,தலைப்பு அச்சிட Print Without Amount,மொத்த தொகை இல்லாமல் அச்சிட @@ -2102,7 +2207,9 @@ Production Plan Sales Orders,உற்பத்தி திட்டம் வ Production Planning Tool,உற்பத்தி திட்டமிடல் கருவி Products,தயாரிப்புகள் "Products will be sorted by weight-age in default searches. More the weight-age, higher the product will appear in the list.","பொருட்கள் முன்னிருப்பு தேடல்கள் எடை வயது வாரியாக. மேலும் எடை வயதில், அதிக தயாரிப்பு பட்டியலில் தோன்றும்." +Professional Tax,தொழில் வரி Profit and Loss,இலாப நட்ட +Profit and Loss Statement,இலாப நட்ட அறிக்கை Project,திட்டம் Project Costing,செயற் கைக்கோள் நிலாவிலிருந்து திட்டம் Project Details,திட்டம் விவரம் @@ -2125,7 +2232,9 @@ Projects & System,திட்டங்கள் & கணினி Prompt for Email on Submission of,இந்த சமர்ப்பிக்கும் மீது மின்னஞ்சல் கேட்டு Proposal Writing,மானசாவுடன் Provide email id registered in company,நிறுவனத்தின் பதிவு மின்னஞ்சல் ஐடி வழங்கும் +Provisional Profit / Loss (Credit),இடைக்கால லாபம் / நஷ்டம் (கடன்) Public,பொது +Published on website at: {0},மணிக்கு இணையதளத்தில் வெளியிடப்படும்: {0} Publishing,வெளியீடு Pull sales orders (pending to deliver) based on the above criteria,மேலே அடிப்படை அடிப்படையில் விற்பனை ஆணைகள் (வழங்க நிலுவையில்) இழுக்க Purchase,கொள்முதல் @@ -2134,7 +2243,6 @@ Purchase Analytics,கொள்முதல் ஆய்வு Purchase Common,பொதுவான வாங்க Purchase Details,கொள்முதல் விவரம் Purchase Discounts,கொள்முதல் தள்ளுபடி -Purchase In Transit,வரையிலான ட்ரான்ஸிட் அங்குலம் வாங்குவதற்கு Purchase Invoice,விலைப்பட்டியல் கொள்வனவு Purchase Invoice Advance,விலைப்பட்டியல் அட்வான்ஸ் வாங்குவதற்கு Purchase Invoice Advances,விலைப்பட்டியல் முன்னேற்றங்கள் வாங்க @@ -2142,7 +2250,6 @@ Purchase Invoice Item,விலைப்பட்டியல் பொரு Purchase Invoice Trends,விலைப்பட்டியல் போக்குகள் வாங்குவதற்கு Purchase Invoice {0} is already submitted,கொள்முதல் விலைப்பட்டியல் {0} ஏற்கனவே சமர்ப்பிக்கப்பட்ட Purchase Order,ஆர்டர் வாங்க -Purchase Order Date,ஆர்டர் தேதி வாங்க Purchase Order Item,ஆர்டர் பொருள் வாங்க Purchase Order Item No,ஆர்டர் பொருள் இல்லை வாங்க Purchase Order Item Supplied,கொள்முதல் ஆணை பொருள் வழங்கியது @@ -2206,7 +2313,6 @@ Quarter,காலாண்டு Quarterly,கால் ஆண்டுக்கு ஒரு முறை நிகழ்கிற Quick Help,விரைவு உதவி Quotation,மேற்கோள் -Quotation Date,விலைப்பட்டியல் தேதி Quotation Item,மேற்கோள் பொருள் Quotation Items,மேற்கோள் உருப்படிகள் Quotation Lost Reason,மேற்கோள் காரணம் லாஸ்ட் @@ -2284,6 +2390,7 @@ Recurring Invoice,மீண்டும் விலைப்பட்டிய Recurring Type,மீண்டும் வகை Reduce Deduction for Leave Without Pay (LWP),சம்பளமில்லா விடுப்பு க்கான பொருத்தியறிதல் குறைக்க (LWP) Reduce Earning for Leave Without Pay (LWP),சம்பளம் (LWP) இல்லாமல் விடுமுறை ஆதாயம் குறைக்க +Ref,குறிப் Ref Code,Ref கோட் Ref SQ,Ref SQ Reference,குறிப்பு @@ -2307,6 +2414,7 @@ Relieving Date,தேதி நிவாரணத்தில் Relieving Date must be greater than Date of Joining,தேதி நிவாரணத்தில் சேர தேதி விட அதிகமாக இருக்க வேண்டும் Remark,குறிப்பு Remarks,கருத்துக்கள் +Remarks Custom,கருத்துக்கள் விருப்ப Rename,மறுபெயரிடு Rename Log,பதிவு மறுபெயர் Rename Tool,கருவி மறுபெயரிடு @@ -2322,6 +2430,7 @@ Report Type,வகை புகார் Report Type is mandatory,புகார் வகை கட்டாய ஆகிறது Reports to,அறிக்கைகள் Reqd By Date,தேதி வாக்கில் Reqd +Reqd by Date,Reqd தேதி Request Type,கோரிக்கை வகை Request for Information,தகவல் கோரிக்கை Request for purchase.,வாங்குவதற்கு கோரிக்கை. @@ -2375,21 +2484,34 @@ Rounded Total,வட்டமான மொத்த Rounded Total (Company Currency),வட்டமான மொத்த (நிறுவனத்தின் கரன்சி) Row # ,# வரிசையை Row # {0}: , +Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,ரோ # {0}: ஆணையிட்டார் அளவு (உருப்படியை மாஸ்டர் வரையறுக்கப்பட்ட) உருப்படியை குறைந்தபட்ச வரிசை அளவு குறைவாக முடியாது. +Row #{0}: Please specify Serial No for Item {1},ரோ # {0}: பொருள் சீரியல் இல்லை குறிப்பிடவும் {1} "Row {0}: Account does not match with \ - Purchase Invoice Credit To account",ரோ {0} : கணக்கு கணக்கு வேண்டும் \ \ N கொள்முதல் விலைப்பட்டியல் கடன் உடன் பொருந்தவில்லை + Purchase Invoice Credit To account","ரோ {0}: \ + கொள்முதல் விலைப்பட்டியல் கடன் கணக்கிலிருந்து கொண்டு பொருந்தவில்லை" "Row {0}: Account does not match with \ - Sales Invoice Debit To account",ரோ {0} : கணக்கு கணக்கு வேண்டும் \ \ N கவிஞருக்கு பற்று பொருந்தவில்லை + Sales Invoice Debit To account","ரோ {0}: \ + கவிஞருக்கு பற்று கணக்கிலிருந்து கொண்டு பொருந்தவில்லை" +Row {0}: Conversion Factor is mandatory,ரோ {0}: மாற்று காரணி கட்டாய ஆகிறது Row {0}: Credit entry can not be linked with a Purchase Invoice,ரோ {0} : கடன் நுழைவு கொள்முதல் விலைப்பட்டியல் இணைந்தவர் முடியாது Row {0}: Debit entry can not be linked with a Sales Invoice,ரோ {0} பற்று நுழைவு கவிஞருக்கு தொடர்புடைய முடியாது +Row {0}: Payment amount must be less than or equals to invoice outstanding amount. Please refer Note below.,ரோ {0}: கொடுப்பனவு அளவு குறைவாக அல்லது நிலுவை தொகை விலைப்பட்டியல் சமமாக இருக்க வேண்டும். கீழே குறிப்பு பார்க்கவும். +Row {0}: Qty is mandatory,ரோ {0}: அளவு கட்டாய ஆகிறது +"Row {0}: Qty not avalable in warehouse {1} on {2} {3}. + Available Qty: {4}, Transfer Qty: {5}","ரோ {0}: அளவு கிடங்கில் Avalable {1} இல்லை {2} {3}. + கிடைக்கும் அளவு: {4}, அளவு மாற்றம்: {5}" "Row {0}: To set {1} periodicity, difference between from and to date \ - must be greater than or equal to {2}","ரோ {0} {1} காலகட்டம் , \ \ n மற்றும் தேதி வித்தியாசம் அதிகமாக அல்லது சமமாக இருக்க வேண்டும் அமைக்க {2}" + must be greater than or equal to {2}","ரோ {0}: அமைக்க {1} காலகட்டம், மற்றும் தேதி வித்தியாசம் \ + அதிகமாக அல்லது சமமாக இருக்க வேண்டும் {2}" Row {0}:Start Date must be before End Date,ரோ {0} : தொடங்கும் நாள் நிறைவு நாள் முன்னதாக இருக்க வேண்டும் Rules for adding shipping costs.,கப்பல் செலவுகள் சேர்த்து விதிகள் . Rules for applying pricing and discount.,விலை மற்றும் தள்ளுபடி விண்ணப்பம் செய்வதற்கான விதிமுறைகள் . Rules to calculate shipping amount for a sale,ஒரு விற்பனை கப்பல் அளவு கணக்கிட விதிகள் S.O. No.,S.O. இல்லை +SHE Cess on Excise,அவள் கலால் மீதான தீர்வையை +SHE Cess on Service Tax,இந்த சேவை வரி மீதான செஸ் வரியை +SHE Cess on TDS,அவள் அதுமட்டுமல்ல மீதான தீர்வையை SMS Center,எஸ்எம்எஸ் மையம் -SMS Control,எஸ்எம்எஸ் கட்டுப்பாடு SMS Gateway URL,எஸ்எம்எஸ் வாயில் URL SMS Log,எஸ்எம்எஸ் புகுபதிகை SMS Parameter,எஸ்எம்எஸ் அளவுரு @@ -2494,15 +2616,20 @@ Securities and Deposits,பத்திரங்கள் மற்றும் "Select ""Yes"" if this item represents some work like training, designing, consulting etc.","இந்த உருப்படியை பயிற்சி போன்ற சில வேலை, பல ஆலோசனை, வடிவமைத்தல் குறிக்கிறது என்றால் "ஆம்" என்பதை தேர்ந்தெடுக்கவும்" "Select ""Yes"" if you are maintaining stock of this item in your Inventory.","உங்கள் இருப்பு, இந்த உருப்படி பங்கு பராமரிக்க என்றால் "ஆம்" என்பதை தேர்ந்தெடுக்கவும்." "Select ""Yes"" if you supply raw materials to your supplier to manufacture this item.",நீங்கள் இந்த உருப்படியை உற்பத்தி உங்கள் சப்ளையர் மூல பொருட்களை சப்ளை என்றால் "ஆம்" என்பதை தேர்ந்தெடுக்கவும். +Select Brand...,பிராண்ட் தேர்ந்தெடுக்கவும் ... Select Budget Distribution to unevenly distribute targets across months.,ஒரே சீராக பரவி மாதங்கள் முழுவதும் இலக்குகளை விநியோகிக்க பட்ஜெட் விநியோகம் தேர்ந்தெடுக்கவும். "Select Budget Distribution, if you want to track based on seasonality.","நீங்கள் பருவகாலம் அடிப்படையில் கண்காணிக்க வேண்டும் என்றால், பட்ஜெட் விநியோகம் தேர்ந்தெடுக்கவும்." +Select Company...,நிறுவனத்தின் தேர்ந்தெடுக்கவும் ... Select DocType,DOCTYPE தேர்வு +Select Fiscal Year...,நிதியாண்டு தேர்ந்தெடுக்கவும் ... Select Items,தேர்ந்தெடு +Select Project...,திட்ட தேர்வு ... Select Purchase Receipts,கொள்முதல் ரசீதுகள் தேர்வு Select Sales Orders,விற்பனை ஆணைகள் தேர்வு Select Sales Orders from which you want to create Production Orders.,நீங்கள் உற்பத்தி ஆணைகள் உருவாக்க வேண்டிய இருந்து விற்பனை ஆணைகள் தேர்ந்தெடுக்கவும். Select Time Logs and Submit to create a new Sales Invoice.,நேரம் பதிவுகள் தேர்ந்தெடுத்து ஒரு புதிய விற்பனை விலைப்பட்டியல் உருவாக்க சமர்ப்பிக்கவும். Select Transaction,பரிவர்த்தனை தேர்வு +Select Warehouse...,கிடங்கு தேர்ந்தெடுக்கவும் ... Select Your Language,உங்கள் மொழி தேர்வு Select account head of the bank where cheque was deposited.,காசோலை டெபாசிட் அங்கு வங்கி கணக்கு தலைவர் தேர்வு. Select company name first.,முதல் நிறுவனத்தின் பெயரை தேர்ந்தெடுக்கவும். @@ -2520,6 +2647,7 @@ Select your home country and check the timezone and currency.,உங்கள் "Selecting ""Yes"" will give a unique identity to each entity of this item which can be viewed in the Serial No master.","ஆமாம்" தேர்வு தொடர் மாஸ்டர் இல்லை காணலாம் இந்த உருப்படியை ஒவ்வொரு நிறுவனம் ஒரு தனிப்பட்ட அடையாள கொடுக்கும். Selling,விற்பனை Selling Settings,அமைப்புகள் விற்பனை +"Selling must be checked, if Applicable For is selected as {0}","பொருந்துகின்ற என தேர்வு என்றால் விற்பனை, சரிபார்க்கப்பட வேண்டும் {0}" Send,அனுப்பு Send Autoreply,Autoreply அனுப்ப Send Email,மின்னஞ்சல் அனுப்ப @@ -2556,7 +2684,8 @@ Serial Nos Required for Serialized Item {0},தொடராக பொருள Serial Number Series,வரிசை எண் தொடர் Serial number {0} entered more than once,சீரியல் எண்ணை {0} க்கும் மேற்பட்ட முறை உள்ளிட்ட "Serialized Item {0} cannot be updated \ - using Stock Reconciliation",தொடராக பொருள் {0} பங்கு நல்லிணக்க பயன்படுத்தி \ \ N மேம்படுத்தப்பட்டது முடியாது + using Stock Reconciliation","தொடராக பொருள் {0} மேம்படுத்தப்பட்டது முடியாது \ + பங்கு நல்லிணக்க பயன்படுத்தி" Series,தொடர் Series List for this Transaction,இந்த பரிவர்த்தனை தொடர் பட்டியல் Series Updated,தொடர் இற்றை @@ -2565,15 +2694,18 @@ Series is mandatory,தொடர் கட்டாயமாகும் Series {0} already used in {1},தொடர் {0} ஏற்கனவே பயன்படுத்தப்படுகிறது {1} Service,சேவை Service Address,சேவை முகவரி +Service Tax,சேவை வரி Services,சேவைகள் Set,அமை "Set Default Values like Company, Currency, Current Fiscal Year, etc.","முதலியன கம்பெனி, நாணய , நடப்பு நிதியாண்டில் , போன்ற அமை கலாச்சாரம்" Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,இந்த மண்டலம் உருப்படி பிரிவு வாரியான வரவு செலவு திட்டம் அமைக்க. நீங்கள் விநியோகம் அமைக்க பருவகாலம் சேர்க்க முடியும். +Set Status as Available,என அமை நிலைமை Set as Default,இயல்புநிலை அமை Set as Lost,லாஸ்ட் அமை Set prefix for numbering series on your transactions,உங்கள் நடவடிக்கைகள் மீது தொடர் எண்ணுவதற்கான முன்னொட்டு அமைக்க Set targets Item Group-wise for this Sales Person.,தொகுப்பு இந்த விற்பனை நபர் குழு வாரியான பொருள் குறிவைக்கிறது. Setting Account Type helps in selecting this Account in transactions.,அமைத்தல் கணக்கு வகை பரிமாற்றங்கள் இந்த கணக்கு தேர்வு உதவுகிறது. +Setting this Address Template as default as there is no other default,வேறு எந்த இயல்புநிலை உள்ளது என இயல்புநிலை முகவரி டெம்ப்ளேட் அமைக்க Setting up...,அமைக்கிறது ... Settings,அமைப்புகள் Settings for HR Module,அலுவலக தொகுதி அமைப்புகள் @@ -2581,6 +2713,7 @@ Settings for HR Module,அலுவலக தொகுதி அமைப்ப Setup,அமைப்பு முறை Setup Already Complete!!,அமைப்பு ஏற்கனவே முடிந்து ! Setup Complete,அமைப்பு முழு +Setup SMS gateway settings,அமைப்பு எஸ்எம்எஸ் வாயில் அமைப்புகள் Setup Series,அமைப்பு தொடர் Setup Wizard,அமைவு வழிகாட்டி Setup incoming server for jobs email id. (e.g. jobs@example.com),வேலைகள் மின்னஞ்சல் ஐடி அமைப்பு உள்வரும் சர்வர் . (எ. கா: jobs@example.com ) @@ -2606,6 +2739,7 @@ Short biography for website and other publications.,இணையதளம் ம Show In Website,இணையத்தளம் காண்பி Show a slideshow at the top of the page,பக்கம் மேலே ஒரு ஸ்லைடு ஷோ Show in Website,வெப்சைட் காண்பி +Show rows with zero values,பூஜ்ய மதிப்புகள் வரிசைகள் காட்டு Show this slideshow at the top of the page,பக்கத்தின் மேல் இந்த காட்சியை காட்ட Sick Leave,விடுப்பு Signature,கையொப்பம் @@ -2635,9 +2769,9 @@ Specifications,விருப்பம் "Specify the operations, operating cost and give a unique Operation no to your operations.","நடவடிக்கைகள் , இயக்க செலவு குறிப்பிட உங்கள் நடவடிக்கைகள் ஒரு தனிப்பட்ட நடவடிக்கை இல்லை கொடுக்க ." Split Delivery Note into packages.,தொகுப்புகளை கொண்டு டெலிவரி குறிப்பு பிரிந்தது. Sports,விளையாட்டு +Sr,Sr Standard,நிலையான Standard Buying,ஸ்டாண்டர்ட் வாங்குதல் -Standard Rate,நிலையான விகிதம் Standard Reports,ஸ்டாண்டர்ட் அறிக்கைகள் Standard Selling,ஸ்டாண்டர்ட் விற்பனை Standard contract terms for Sales or Purchase.,விற்பனை அல்லது கொள்முதல் தரநிலை ஒப்பந்த அடிப்படையில் . @@ -2646,6 +2780,7 @@ Start Date,தொடக்க தேதி Start date of current invoice's period,தற்போதைய விலைப்பட்டியல் நேரத்தில் தேதி தொடங்கும் Start date should be less than end date for Item {0},தொடக்க தேதி பொருள் முடிவு தேதி விட குறைவாக இருக்க வேண்டும் {0} State,நிலை +Statement of Account,கணக்கு அறிக்கை Static Parameters,நிலையான அளவுருக்களை Status,அந்தஸ்து Status must be one of {0},நிலைமை ஒன்றாக இருக்க வேண்டும் {0} @@ -2687,6 +2822,7 @@ Stock Value Difference,பங்கு மதிப்பு வேறுபா Stock balances updated,பங்கு நிலுவைகளை மேம்படுத்தப்பட்டது Stock cannot be updated against Delivery Note {0},பங்கு விநியோக குறிப்பு எதிராக மேம்படுத்தப்பட்டது முடியாது {0} Stock entries exist against warehouse {0} cannot re-assign or modify 'Master Name',பங்கு உள்ளீடுகளை {0} ' மாஸ்டர் பெயர் ' மீண்டும் ஒதுக்க அல்லது மாற்ற முடியாது கிடங்கில் எதிராக இருக்கின்றன +Stock transactions before {0} are frozen,{0} முன் பங்கு பரிவர்த்தனைகள் உறைந்திருக்கும் Stop,நில் Stop Birthday Reminders,நிறுத்து நினைவூட்டல்கள் Stop Material Request,நிறுத்து பொருள் கோரிக்கை @@ -2706,13 +2842,13 @@ Submit this Production Order for further processing.,மேலும் செ Submitted,சமர்ப்பிக்கப்பட்டது Subsidiary,உப Successful: ,வெற்றி: -Successfully allocated,வெற்றிகரமாக ஒதுக்கீடு +Successfully Reconciled,வெற்றிகரமாக ஒருமைப்படுத்திய Suggestions,பரிந்துரைகள் Sunday,ஞாயிற்றுக்கிழமை Supplier,கொடுப்பவர் Supplier (Payable) Account,வழங்குபவர் (செலுத்த வேண்டிய) கணக்கு Supplier (vendor) name as entered in supplier master,வழங்குபவர் (விற்பனையாளர்) பெயர் என சப்ளையர் மாஸ்டர் உள்ளிட்ட -Supplier Account,வழங்குபவர் கணக்கு +Supplier > Supplier Type,வழங்குபவர்> வழங்குபவர் வகை Supplier Account Head,வழங்குபவர் கணக்கு தலைமை Supplier Address,வழங்குபவர் முகவரி Supplier Addresses and Contacts,வழங்குபவர் முகவரிகள் மற்றும் தொடர்புகள் @@ -2750,6 +2886,12 @@ Sync with Google Drive,Google Drive ஐ ஒத்திசைந்து System,முறை System Settings,கணினி அமைப்புகள் "System User (login) ID. If set, it will become default for all HR forms.","கணினி பயனர் (உள்நுழைய) ஐடி. அமைத்தால், அது அனைத்து அலுவலக வடிவங்கள் முன்னிருப்பு போம்." +TDS (Advertisement),"அதுமட்டுமல்ல, (விளம்பரம்)" +TDS (Commission),"அதுமட்டுமல்ல, (கமிஷன்)" +TDS (Contractor),"அதுமட்டுமல்ல, (ஒப்பந்ததாரர்)" +TDS (Interest),"அதுமட்டுமல்ல, (வட்டி)" +TDS (Rent),"அதுமட்டுமல்ல, (வாடகை)" +TDS (Salary),"அதுமட்டுமல்ல, (சம்பளம்)" Target Amount,இலக்கு தொகை Target Detail,இலக்கு விரிவாக Target Details,இலக்கு விவரம் @@ -2770,10 +2912,12 @@ Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are no Tax Rate,வரி விகிதம் Tax and other salary deductions.,வரி மற்றும் பிற சம்பளம் கழிவுகள். "Tax detail table fetched from item master as a string and stored in this field. -Used for Taxes and Charges",ஒரு சரம் இந்த துறையில் சேமிக்கப்படும் என உருப்படியை மாஸ்டர் இருந்து எடுக்கப்படவில்லை வரி விவரம் அட்டவணை . \ வரிகள் மற்றும் கட்டணங்களுக்கு n பயன்படுத்தியது +Used for Taxes and Charges","வரி விவரம் அட்டவணையில் ஒரு சரம் உருப்படியை மாஸ்டர் எடுத்த இந்த துறையில் சேமிக்கப்படும். + வரி மற்றும் கட்டணங்கள் பயன்படுத்திய" Tax template for buying transactions.,பரிவர்த்தனைகள் வாங்கும் வரி வார்ப்புரு . Tax template for selling transactions.,பரிவர்த்தனைகள் விற்பனை வரி வார்ப்புரு . Taxable,வரி +Taxes,வரி Taxes and Charges,வரிகள் மற்றும் கட்டணங்கள் Taxes and Charges Added,வரிகள் மற்றும் கட்டணங்கள் சேர்க்கப்பட்டது Taxes and Charges Added (Company Currency),வரிகள் மற்றும் கட்டணங்கள் சேர்க்கப்பட்டது (நிறுவனத்தின் கரன்சி) @@ -2786,6 +2930,7 @@ Technology,தொழில்நுட்ப Telecommunications,தொலைத்தொடர்பு Telephone Expenses,தொலைபேசி செலவுகள் Television,தொலை காட்சி +Template,டெம்ப்ளேட் Template for performance appraisals.,செயல்பாடு மதிப்பீடு டெம்ப்ளேட் . Template of terms or contract.,சொற்கள் அல்லது ஒப்பந்த வார்ப்புரு. Temporary Accounts (Assets),தற்காலிக கணக்குகள் ( சொத்துக்கள் ) @@ -2815,7 +2960,8 @@ The First User: You,முதல் பயனர் : நீங்கள் The Organization,அமைப்பு "The account head under Liability, in which Profit/Loss will be booked","லாபம் / நஷ்டம் பதிவு வேண்டிய பொறுப்பு கீழ் கணக்கு தலைவர் ," "The date on which next invoice will be generated. It is generated on submit. -",அடுத்த விலைப்பட்டியல் உருவாக்கப்படும் எந்த தேதி . +","அடுத்த விலைப்பட்டியல் உருவாக்கப்படும் எந்த தேதி. அதை சமர்ப்பிக்க மீது உருவாக்கப்படும். +" The date on which recurring invoice will be stop,மீண்டும் விலைப்பட்டியல் நிறுத்த வேண்டும் எந்த தேதி "The day of the month on which auto invoice will be generated e.g. 05, 28 etc ","கார் விலைப்பட்டியல் எ.கா. 05, 28 ஹிப்ரு உருவாக்கப்படும் எந்த மாதம் நாள்" The day(s) on which you are applying for leave are holiday. You need not apply for leave.,நீங்கள் விடுப்பு விண்ணப்பிக்கும் எந்த நாள் (கள்) விடுமுறை இருக்கிறது . நீங்கள் விடுப்பு விண்ணப்பிக்க தேவையில்லை . @@ -2827,6 +2973,7 @@ The net weight of this package. (calculated automatically as sum of net weight o The new BOM after replacement,மாற்று பின்னர் புதிய BOM The rate at which Bill Currency is converted into company's base currency,பில் நாணய நிறுவனத்தின் அடிப்படை நாணய மாற்றப்படும் விகிதத்தை The unique id for tracking all recurring invoices. It is generated on submit.,அனைத்து மீண்டும் பொருள் தேடும் தனிப்பட்ட ஐடி. அதை சமர்ப்பிக்க இல் உருவாக்கப்பட்டது. +"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","பின்னர் விலை விதிகள் வாடிக்கையாளர் அடிப்படையில் வடிகட்டப்பட்ட, வாடிக்கையாளர் குழு, மண்டலம், சப்ளையர், வழங்குபவர் வகை, இயக்கம், விற்பனை பங்குதாரரான முதலியன" There are more holidays than working days this month.,இந்த மாதம் வேலை நாட்களுக்கு மேல் விடுமுறை உள்ளன . "There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","மட்டுமே "" மதிப்பு "" 0 அல்லது வெற்று மதிப்பு ஒரு கப்பல் விதி நிலை இருக்க முடியாது" There is not enough leave balance for Leave Type {0},விடுப்பு வகை போதுமான விடுப்பு சமநிலை இல்லை {0} @@ -2838,6 +2985,7 @@ This Leave Application is pending approval. Only the Leave Apporver can update s This Time Log Batch has been billed.,இந்த நேரம் புகுபதிகை தொகுதி படியாக. This Time Log Batch has been cancelled.,இந்த நேரம் புகுபதிகை தொகுப்பு ரத்து செய்யப்பட்டது. This Time Log conflicts with {0},இந்த நேரம் பதிவு மோதல்கள் {0} +This format is used if country specific format is not found,நாட்டின் குறிப்பிட்ட வடிவமைப்பில் இல்லை என்றால் இந்த வடிவமைப்பு பயன்படுத்தப்படும் This is a root account and cannot be edited.,இந்த ரூட் கணக்கு மற்றும் திருத்த முடியாது . This is a root customer group and cannot be edited.,இந்த ஒரு ரூட் வாடிக்கையாளர் குழு மற்றும் திருத்த முடியாது . This is a root item group and cannot be edited.,இந்த ஒரு ரூட் உருப்படியை குழு மற்றும் திருத்த முடியாது . @@ -2853,7 +3001,9 @@ Time Log Batch,நேரம் புகுபதிகை தொகுப் Time Log Batch Detail,நேரம் புகுபதிகை தொகுப்பு விரிவாக Time Log Batch Details,நேரம் புகுபதிகை தொகுப்பு விவரம் Time Log Batch {0} must be 'Submitted',நேரம் பதிவு தொகுப்பு {0} ' Submitted' +Time Log Status must be Submitted.,நேரம் பதிவு நிலைமை சமர்ப்பிக்க வேண்டும். Time Log for tasks.,பணிகளை நேரம் புகுபதிகை. +Time Log is not billable,நேரம் பதிவு பில் இல்லை Time Log {0} must be 'Submitted',நேரம் பதிவு {0} ' Submitted' Time Zone,நேரம் மண்டல Time Zones,நேரம் மண்டலங்கள் @@ -2866,6 +3016,7 @@ To,வேண்டும் To Currency,நாணய செய்ய To Date,தேதி To Date should be same as From Date for Half Day leave,தேதி அரை நாள் விடுப்பு வரம்பு தேதி அதே இருக்க வேண்டும் +To Date should be within the Fiscal Year. Assuming To Date = {0},தேதி நிதி ஆண்டின் க்குள் இருக்க வேண்டும். தேதி நிலையினை = {0} To Discuss,ஆலோசிக்க வேண்டும் To Do List,பட்டியல் செய்ய வேண்டும் To Package No.,இல்லை தொகுப்பு வேண்டும் @@ -2875,8 +3026,8 @@ To Value,மதிப்பு To Warehouse,சேமிப்பு கிடங்கு வேண்டும் "To add child nodes, explore tree and click on the node under which you want to add more nodes.","குழந்தை முனைகள் சேர்க்க, மரம் ஆராய நீங்கள் மேலும் முனைகளில் சேர்க்க வேண்டும் கீழ் முனை மீது கிளிக் செய்யவும்." "To assign this issue, use the ""Assign"" button in the sidebar.","இந்த சிக்கலை ஒதுக்க, பக்கப்பட்டியில் "ஒதுக்க" பொத்தானை பயன்படுத்தவும்." -To create a Bank Account:,ஒரு வங்கி கணக்கு உருவாக்க: -To create a Tax Account:,ஒரு வரி கணக்கு உருவாக்க: +To create a Bank Account,ஒரு வங்கி கணக்கு உருவாக்க +To create a Tax Account,ஒரு வரி கணக்கு உருவாக்க "To create an Account Head under a different company, select the company and save customer.","வேறு நிறுவனத்தின் கீழ் ஒரு கணக்கு தலைமை உருவாக்க, நிறுவனம் தேர்வு மற்றும் வாடிக்கையாளர் சேமிக்க." To date cannot be before from date,தேதி தேதி முதல் முன் இருக்க முடியாது To enable Point of Sale features,விற்பனை அம்சங்களை புள்ளி செயல்படுத்த @@ -2884,22 +3035,23 @@ To enable Point of Sale view,விற்பனை பார்வ To get Item Group in details table,விவரங்கள் அட்டவணையில் உருப்படி குழு பெற "To include tax in row {0} in Item rate, taxes in rows {1} must also be included","வரிசையில் வரி ஆகியவை அடங்கும் {0} பொருள் விகிதம் , வரிசைகளில் வரிகளை {1} சேர்க்கப்பட்டுள்ளது" "To merge, following properties must be same for both items","ஒன்றாக்க , பின்வரும் பண்புகளை இரு பொருட்களை சமமாக இருக்க வேண்டும்" -"To report an issue, go to ", +"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","ஒரு குறிப்பிட்ட பரிமாற்றத்தில் விலை விதி பொருந்தும் இல்லை, அனைத்து பொருந்தும் விலை விதிகள் முடக்கப்பட்டுள்ளது." "To set this Fiscal Year as Default, click on 'Set as Default'","இயல்புநிலை என இந்த நிதியாண்டில் அமைக்க, ' இயல்புநிலை அமை ' கிளிக்" To track any installation or commissioning related work after sales,விற்பனை பிறகு எந்த நிறுவல் அல்லது அதிகாரம்பெற்ற தொடர்பான வேலை தடமறிய "To track brand name in the following documents Delivery Note, Opportunity, Material Request, Item, Purchase Order, Purchase Voucher, Purchaser Receipt, Quotation, Sales Invoice, Sales BOM, Sales Order, Serial No","பின்வரும் ஆவணங்களை டெலிவரி குறிப்பு , வாய்ப்பு , பொருள் கோரிக்கை , பொருள் , கொள்முதல் ஆணை , கொள்முதல் ரசீது கொள்முதல் ரசீது , மேற்கோள் , கவிஞருக்கு , விற்பனை BOM , விற்பனை , சீரியல் இல்லை பிராண்ட் பெயர் கண்காணிக்க" To track item in sales and purchase documents based on their serial nos. This is can also used to track warranty details of the product.,அவர்களின் தொடர் இலக்கங்கள் அடிப்படையில் விற்பனை மற்றும் கொள்முதல் ஆவணங்களில் உருப்படியை தடமறிய. இந்த உற்பத்தியில் உத்தரவாதத்தை விவரங்களை கண்டறிய பயன்படுகிறது. To track items in sales and purchase documents with batch nos
Preferred Industry: Chemicals etc,தொகுதி இலக்கங்கள் கொண்ட விற்பனை மற்றும் கொள்முதல் ஆவணங்களில் பொருட்களை தடமறிய
விருப்பமான தொழில்: கெமிக்கல்ஸ் ஹிப்ரு To track items using barcode. You will be able to enter items in Delivery Note and Sales Invoice by scanning barcode of item.,பார்கோடு பயன்படுத்தி பொருட்களை கண்காணிக்க வேண்டும். நீங்கள் உருப்படியின் பார்கோடு ஸ்கேனிங் மூலம் வினியோகம் குறிப்பு மற்றும் விற்பனை விலைப்பட்டியல் உள்ள பொருட்களை நுழைய முடியும். +Too many columns. Export the report and print it using a spreadsheet application.,பல பத்திகள். அறிக்கை ஏற்றுமதி மற்றும் ஒரு விரிதாள் பயன்பாட்டை பயன்படுத்தி அச்சிட. Tools,கருவிகள் Total,மொத்தம் +Total ({0}),மொத்த ({0}) Total Advance,மொத்த முன்பணம் -Total Allocated Amount,மொத்த ஒதுக்கீடு தொகை -Total Allocated Amount can not be greater than unmatched amount,மொத்த ஒதுக்கப்பட்ட பணத்தில் வேறொன்றும் அளவு அதிகமாக இருக்க முடியாது Total Amount,மொத்த தொகை Total Amount To Pay,செலுத்த மொத்த தொகை Total Amount in Words,சொற்கள் மொத்த தொகை Total Billing This Year: ,மொத்த பில்லிங் இந்த ஆண்டு: +Total Characters,மொத்த எழுத்துகள் Total Claimed Amount,மொத்த கோரப்பட்ட தொகை Total Commission,மொத்த ஆணையம் Total Cost,மொத்த செலவு @@ -2923,14 +3075,13 @@ Total Score (Out of 5),மொத்த மதிப்பெண் (5 அவ Total Tax (Company Currency),மொத்த வரி (நிறுவனத்தின் கரன்சி) Total Taxes and Charges,மொத்த வரி மற்றும் கட்டணங்கள் Total Taxes and Charges (Company Currency),மொத்த வரி மற்றும் கட்டணங்கள் (நிறுவனத்தின் கரன்சி) -Total Words,மொத்த சொற்கள் -Total Working Days In The Month,மாதம் மொத்த வேலை நாட்கள் Total allocated percentage for sales team should be 100,விற்பனை குழு மொத்த ஒதுக்கீடு சதவீதம் 100 இருக்க வேண்டும் Total amount of invoices received from suppliers during the digest period,பொருள் மொத்த அளவு தொகுப்பாக காலத்தில் சப்ளையர்கள் பெறப்படும் Total amount of invoices sent to the customer during the digest period,பொருள் மொத்த அளவு தொகுப்பாக காலத்தில் வாடிக்கையாளர் அனுப்பப்படும் Total cannot be zero,மொத்த பூஜ்ஜியமாக இருக்க முடியாது Total in words,வார்த்தைகளில் மொத்த Total points for all goals should be 100. It is {0},அனைத்து இலக்குகளை மொத்த புள்ளிகள் 100 இருக்க வேண்டும் . இது {0} +Total valuation for manufactured or repacked item(s) can not be less than total valuation of raw materials,உற்பத்தி அல்லது repacked உருப்படி (கள்) மொத்த மதிப்பீடு மூல பொருட்கள் மொத்த மதிப்பீடு விட குறைவாக இருக்க முடியாது Total weightage assigned should be 100%. It is {0},ஒதுக்கப்படும் மொத்த தாக்கத்தில் 100 % இருக்க வேண்டும். இது {0} Totals,மொத்த Track Leads by Industry Type.,ட்ராக் தொழில் வகை செல்கிறது. @@ -2966,7 +3117,7 @@ UOM Conversion Details,மொறட்டுவ பல்கலைகழக UOM Conversion Factor,மொறட்டுவ பல்கலைகழகம் மாற்ற காரணி UOM Conversion factor is required in row {0},மொறட்டுவ பல்கலைகழகம் மாற்ற காரணி வரிசையில் தேவைப்படுகிறது {0} UOM Name,மொறட்டுவ பல்கலைகழகம் பெயர் -UOM coversion factor required for UOM {0} in Item {1},மொறட்டுவ பல்கலைகழகம் தேவையான மொறட்டுவ பல்கலைகழகம் Coversion காரணி {0} உருப்படியை {1} +UOM coversion factor required for UOM: {0} in Item: {1},மொறட்டுவ பல்கலைகழகம் தேவையான மொறட்டுவ பல்கலைகழகம் Coversion காரணி: {0} உருப்படியை: {1} Under AMC,AMC கீழ் Under Graduate,பட்டதாரி கீழ் Under Warranty,உத்தரவாதத்தின் கீழ் @@ -2976,8 +3127,8 @@ Unit of Measure {0} has been entered more than once in Conversion Factor Table, "Unit of measurement of this item (e.g. Kg, Unit, No, Pair).","இந்த உருப்படியின் அளவீட்டு அலகு (எ.கா. கிலோ, அலகு, இல்லை, சோடி)." Units/Hour,அலகுகள் / ஹவர் Units/Shifts,அலகுகள் / மாற்றம் நேரும் -Unmatched Amount,பொருந்தா தொகை Unpaid,செலுத்தப்படாத +Unreconciled Payment Details,ஒப்புரவாகவேயில்லை கொடுப்பனவு விபரங்கள் Unscheduled,திட்டமிடப்படாத Unsecured Loans,பிணையற்ற கடன்கள் Unstop,தடை இல்லாத @@ -2992,7 +3143,6 @@ Update Landed Cost,மேம்படுத்தல் Landed Update Series,மேம்படுத்தல் தொடர் Update Series Number,மேம்படுத்தல் தொடர் எண் Update Stock,பங்கு புதுப்பிக்க -"Update allocated amount in the above table and then click ""Allocate"" button",மேலே அட்டவணையில் ஒதுக்கப்பட்ட தொகை மேம்படுத்த பின்னர் "ஒதுக்கி" பொத்தானை கிளிக் செய்யவும் Update bank payment dates with journals.,மேம்படுத்தல் வங்கி பணம் பத்திரிகைகள் மூலம் செல்கிறது. Update clearance date of Journal Entries marked as 'Bank Vouchers',ஜர்னல் பதிவுகள் புதுப்பிக்கவும் அனுமதி தேதி ' வங்கி உறுதி சீட்டு ' என குறிக்கப்பட்ட Updated,புதுப்பிக்கப்பட்ட @@ -3009,6 +3159,7 @@ Upper Income,உயர் வருமானம் Urgent,அவசரமான Use Multi-Level BOM,மல்டி லெவல் BOM பயன்படுத்த Use SSL,SSL பயன்படுத்த +Used for Production Plan,உற்பத்தி திட்டத்தை பயன்படுத்திய User,பயனர் User ID,பயனர் ஐடி User ID not set for Employee {0},பயனர் ஐடி பணியாளர் அமைக்க{0} @@ -3047,9 +3198,9 @@ View Now,இப்போது காண்க Visit report for maintenance call.,பராமரிப்பு அழைப்பு அறிக்கையை பார்க்க. Voucher #,வவுச்சர் # Voucher Detail No,ரசீது விரிவாக இல்லை +Voucher Detail Number,வவுச்சர் விரிவாக எண் Voucher ID,ரசீது அடையாள Voucher No,ரசீது இல்லை -Voucher No is not valid,வவுச்சர் செல்லுபடியாகும் அல்ல Voucher Type,ரசீது வகை Voucher Type and Date,ரசீது வகை மற்றும் தேதி Walk In,ல் நடக்க @@ -3065,11 +3216,12 @@ Warehouse is mandatory for stock Item {0} in row {1},கிடங்கு ப Warehouse is missing in Purchase Order,கிடங்கு கொள்முதல் ஆணை காணவில்லை Warehouse not found in the system,அமைப்பு இல்லை கிடங்கு Warehouse required for stock Item {0},பங்கு பொருள் தேவை கிடங்கு {0} -Warehouse required in POS Setting,POS அமைப்பு தேவைப்படுகிறது கிடங்கு Warehouse where you are maintaining stock of rejected items,நீங்கள் நிராகரித்து பொருட்களை பங்கு வைத்து எங்கே கிடங்கு Warehouse {0} can not be deleted as quantity exists for Item {1},அளவு பொருள் உள்ளது என கிடங்கு {0} நீக்க முடியாது {1} Warehouse {0} does not belong to company {1},கிடங்கு {0} அல்ல நிறுவனம் {1} Warehouse {0} does not exist,கிடங்கு {0} இல்லை +Warehouse {0}: Company is mandatory,கிடங்கு {0}: நிறுவனத்தின் கட்டாய ஆகிறது +Warehouse {0}: Parent account {1} does not bolong to the company {2},கிடங்கு {0}: பெற்றோர் கணக்கு {1} நிறுவனம் bolong இல்லை {2} Warehouse-Wise Stock Balance,கிடங்கு-வைஸ் பங்கு இருப்பு Warehouse-wise Item Reorder,கிடங்கு வாரியான பொருள் மறுவரிசைப்படுத்துக Warehouses,கிடங்குகள் @@ -3114,13 +3266,14 @@ Will be updated when batched.,Batched போது புதுப்பி Will be updated when billed.,கணக்கில் போது புதுப்பிக்கப்படும். Wire Transfer,வயர் மாற்றம் With Operations,செயல்பாடுகள் மூலம் -With period closing entry,காலம் நிறைவு நுழைவு +With Period Closing Entry,காலம் நிறைவு நுழைவு Work Details,வேலை விவரம் Work Done,வேலை Work In Progress,முன்னேற்றம் வேலை Work-in-Progress Warehouse,"வேலை, செயலில் கிடங்கு" Work-in-Progress Warehouse is required before Submit,"வேலை, முன்னேற்றம் கிடங்கு சமர்ப்பிக்க முன் தேவை" Working,உழைக்கும் +Working Days,வேலை நாட்கள் Workstation,பணிநிலையம் Workstation Name,பணிநிலைய பெயர் Write Off Account,கணக்கு இனிய எழுத @@ -3136,9 +3289,6 @@ Year Closed,ஆண்டு மூடப்பட்ட Year End Date,ஆண்டு முடிவு தேதி Year Name,ஆண்டு பெயர் Year Start Date,ஆண்டு தொடக்க தேதி -Year Start Date and Year End Date are already set in Fiscal Year {0},ஆண்டு தொடக்க தேதி மற்றும் வருடம் முடிவு தேதி ஏற்கனவே நிதி ஆண்டில் அமைக்க {0} -Year Start Date and Year End Date are not within Fiscal Year.,ஆண்டு தொடக்க தேதி மற்றும் வருடம் முடிவு தேதி நிதியாண்டு நிலையில் இல்லை. -Year Start Date should not be greater than Year End Date,ஆண்டு தொடக்கம் தேதி ஆண்டு முடிவு தேதி விட அதிகமாக இருக்க கூடாது Year of Passing,தேர்ச்சி பெறுவதற்கான ஆண்டு Yearly,வருடாந்திர Yes,ஆம் @@ -3148,7 +3298,6 @@ You are the Expense Approver for this record. Please Update the 'Status' and Sav You are the Leave Approver for this record. Please Update the 'Status' and Save,"நீங்கள் இந்த சாதனையை விட்டு வீடு, இருக்கிறீர்கள் . 'தகுதி' புதுப்பி இரட்சியும்" You can enter any date manually,நீங்கள் கைமுறையாக எந்த தேதி நுழைய முடியும் You can enter the minimum quantity of this item to be ordered.,நீங்கள் கட்டளையிட்ட வேண்டும் இந்த உருப்படியை குறைந்தபட்ச அளவு நுழைய முடியாது. -You can not assign itself as parent account,நீங்கள் பெற்றோர் கணக்கு தன்னை ஒதுக்க முடியாது You can not change rate if BOM mentioned agianst any item,BOM எந்த பொருளை agianst குறிப்பிட்டுள்ள நீங்கள் வீதம் மாற்ற முடியாது You can not enter both Delivery Note No and Sales Invoice No. Please enter any one.,நீங்கள் எந்த இரு விநியோக குறிப்பு நுழைய முடியாது மற்றும் விற்பனை விலைப்பட்டியல் இல்லை எந்த ஒரு உள்ளிடவும். You can not enter current voucher in 'Against Journal Voucher' column,நீங்கள் பத்தியில் ' ஜர்னல் வவுச்சர் எதிரான' தற்போதைய ரசீது நுழைய முடியாது @@ -3160,7 +3309,6 @@ You cannot credit and debit same account at the same time,நீங்கள் You have entered duplicate items. Please rectify and try again.,நீங்கள் போலி பொருட்களை நுழைந்தது. சரிசெய்து மீண்டும் முயற்சிக்கவும். You may need to update: {0},நீங்கள் மேம்படுத்த வேண்டும் : {0} You must Save the form before proceeding,தொடர்வதற்கு முன் படிவத்தை சேமிக்க வேண்டும் -You must allocate amount before reconcile,நீங்கள் சரிசெய்யும் முன் தொகை ஒதுக்க வேண்டும் Your Customer's TAX registration numbers (if applicable) or any general information,உங்கள் வாடிக்கையாளர் வரி பதிவு எண்கள் (பொருந்தினால்) அல்லது எந்த பொது தகவல் Your Customers,உங்கள் வாடிக்கையாளர்கள் Your Login Id,உங்கள் உள்நுழைவு ஐடி @@ -3173,11 +3321,13 @@ Your sales person who will contact the customer in future,எதிர்கா Your sales person will get a reminder on this date to contact the customer,உங்கள் விற்பனை நபர் வாடிக்கையாளர் தொடர்பு கொள்ள இந்த தேதியில் ஒரு நினைவூட்டல் வரும் Your setup is complete. Refreshing...,உங்கள் அமைப்பு முழு ஆகிறது . புதுப்பிக்கிறது ... Your support email id - must be a valid email - this is where your emails will come!,"உங்கள் ஆதரவு மின்னஞ்சல் ஐடி - ஒரு சரியான மின்னஞ்சல் இருக்க வேண்டும் - உங்கள் மின்னஞ்சல்கள் வரும், அங்கு இது!" +[Error],[பிழை] [Select],[ தேர்ந்தெடு ] `Freeze Stocks Older Than` should be smaller than %d days.,` விட பழைய உறைந்து பங்குகள் ` % d நாட்கள் குறைவாக இருக்க வேண்டும் . and,மற்றும் are not allowed.,அனுமதி இல்லை. assigned by,ஒதுக்கப்படுகின்றன +cannot be greater than 100,100 க்கும் அதிகமாக இருக்க முடியாது "e.g. ""Build tools for builders""","உதாரணமாக, "" கட்டுமான கருவிகள் கட்ட """ "e.g. ""MC""","உதாரணமாக, ""MC """ "e.g. ""My Company LLC""","உதாரணமாக, ""என் கம்பெனி எல்எல்சி""" @@ -3190,32 +3340,34 @@ example: Next Day Shipping,உதாரணமாக: அடுத்த நா lft,lft old_parent,old_parent rgt,rgt +subject,பொருள் +to,வேண்டும் website page link,இணைய பக்கம் இணைப்பு {0} '{1}' not in Fiscal Year {2},{0} ' {1} ' இல்லை நிதி ஆண்டில் {2} {0} Credit limit {0} crossed,{0} கடன் வரம்பை {0} கடந்து {0} Serial Numbers required for Item {0}. Only {0} provided.,{0} பொருள் தேவை சீரியல் எண்கள் {0} . ஒரே {0} வழங்கப்படுகிறது . {0} budget for Account {1} against Cost Center {2} will exceed by {3},{0} கணக்கு வரவு செலவு {1} செலவு மையம் எதிரான {2} {3} அதிகமாக இருக்கும் +{0} can not be negative,{0} எதிர்மறை இருக்க முடியாது {0} created,{0} உருவாக்கப்பட்டது {0} does not belong to Company {1},{0} நிறுவனத்திற்கு சொந்தமானது இல்லை {1} {0} entered twice in Item Tax,{0} பொருள் வரி இரண்டு முறை {0} is an invalid email address in 'Notification Email Address',{0} ' அறிவித்தல் மின்னஞ்சல் முகவரியை' ஒரு செல்லுபடியாகாத மின்னஞ்சல் முகவரியை ஆகிறது {0} is mandatory,{0} கட்டாய ஆகிறது {0} is mandatory for Item {1},{0} பொருள் கட்டாய {1} +{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} கட்டாயமாகும். ஒருவேளை செலாவணி சாதனை {2} செய்ய {1} உருவாக்கப்பட்டது அல்ல. {0} is not a stock Item,{0} ஒரு பங்கு பொருள் அல்ல {0} is not a valid Batch Number for Item {1},{0} உருப்படி ஒரு செல்லுபடியாகும் தொகுதி எண் அல்ல {1} -{0} is not a valid Leave Approver,"{0} ஒரு செல்லுபடியாகும் விட்டு வீடு, அல்ல" +{0} is not a valid Leave Approver. Removing row #{1}.,"{0} ஒரு செல்லுபடியாகும் விட்டு வீடு, அல்ல. நீக்குதல் வரிசையில் # {1}." {0} is not a valid email id,{0} சரியான மின்னஞ்சல் ஐடி அல்ல {0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} இப்போது இயல்புநிலை நிதியாண்டு ஆகிறது . விளைவு எடுக்க மாற்றம் உங்களது உலாவி புதுப்பிக்கவும் . {0} is required,{0} தேவைப்படுகிறது {0} must be a Purchased or Sub-Contracted Item in row {1},{0} வரிசையில் ஒரு வாங்கப்பட்டது அல்லது துணை ஒப்பந்தம் பொருள் இருக்க வேண்டும் {1} -{0} must be less than or equal to {1},{0} குறைவாக அல்லது சமமாக இருக்க வேண்டும் {1} +{0} must be reduced by {1} or you should increase overflow tolerance,{0} {1} குறைக்கப்பட வேண்டும் அல்லது நீங்கள் வழிதல் சகிப்புத்தன்மை அதிகரிக்க வேண்டும் {0} must have role 'Leave Approver',{0} பங்கு 'விடுப்பு அப்ரூவரான ' வேண்டும் {0} valid serial nos for Item {1},உருப்படி {0} செல்லுபடியாகும் தொடர் இலக்கங்கள் {1} {0} {1} against Bill {2} dated {3},{0} {1} பில் எதிராக {2} தேதியிட்ட {3} {0} {1} against Invoice {2},{0} {1} விலைப்பட்டியல் எதிரான {2} {0} {1} has already been submitted,{0} {1} ஏற்கனவே சமர்ப்பித்த -{0} {1} has been modified. Please Refresh,{0} {1} மாற்றப்பட்டுள்ளது . புதுப்பிக்கவும் -{0} {1} has been modified. Please refresh,{0} {1} மாற்றப்பட்டுள்ளது . புதுப்பிக்கவும் {0} {1} has been modified. Please refresh.,{0} {1} மாற்றப்பட்டுள்ளது . புதுப்பிக்கவும். {0} {1} is not submitted,{0} {1} சமர்ப்பிக்க {0} {1} must be submitted,{0} {1} சமர்ப்பிக்க வேண்டும் @@ -3223,3 +3375,5 @@ website page link,இணைய பக்கம் இணைப்பு {0} {1} status is 'Stopped',{0} {1} நிலையை ' பணிநிறுத்தம்' {0} {1} status is Stopped,{0} {1} நிலையை நிறுத்தி {0} {1} status is Unstopped,{0} {1} நிலையை ஐபோனில் இருக்கிறது +{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: செலவு மையம் பொருள் கட்டாய {2} +{0}: {1} not found in Invoice Details table,{0} {1} விலைப்பட்டியல் விவரம் அட்டவணையில் இல்லை diff --git a/erpnext/translations/th.csv b/erpnext/translations/th.csv index fb628bc6cb..090b6896a2 100644 --- a/erpnext/translations/th.csv +++ b/erpnext/translations/th.csv @@ -14,7 +14,6 @@ % of materials delivered against this Sales Order,% ของวัสดุที่ส่งต่อนี้สั่งซื้อขาย % of materials ordered against this Material Request,% ของวัสดุสั่งกับวัสดุนี้ขอ % of materials received against this Purchase Order,% ของวัสดุที่ได้รับกับการสั่งซื้อนี้ -%(conversion_rate_label)s is mandatory. Maybe Currency Exchange record is not created for %(from_currency)s to %(to_currency)s,% ( conversion_rate_label ) s มีผลบังคับใช้ อาจจะ บันทึก แลกเปลี่ยนเงินตรา ไม่ได้ สร้างขึ้นสำหรับ % ( from_currency ) เพื่อ % ( to_currency ) s 'Actual Start Date' can not be greater than 'Actual End Date',' วันเริ่มต้น จริง ' ไม่สามารถ จะมากกว่า ' วันสิ้นสุด จริง ' 'Based On' and 'Group By' can not be same,' อยู่ ใน ' และ ' จัดกลุ่มตาม ' ไม่ สามารถเดียวกัน 'Days Since Last Order' must be greater than or equal to zero,' ตั้งแต่ วันที่ สั่งซื้อ ล่าสุด ' ต้องมากกว่า หรือเท่ากับศูนย์ @@ -30,11 +29,35 @@ 'Update Stock' for Sales Invoice {0} must be set,' หุ้น ปรับปรุง สำหรับการ ขายใบแจ้งหนี้ {0} จะต้องตั้งค่า * Will be calculated in the transaction.,* จะได้รับการคำนวณในการทำธุรกรรม "1 Currency = [?] Fraction -For e.g. 1 USD = 100 Cent",1 สกุลเงิน = [ ?] เศษส่วน \ n สำหรับ เช่นผู้ +For e.g. 1 USD = 100 Cent","1 สกุลเงิน = [?] เศษส่วน + สำหรับเช่น 1 USD = 100 เปอร์เซ็นต์" 1. To maintain the customer wise item code and to make them searchable based on their code use this option,1 เพื่อรักษารหัสรายการลูกค้าที่ฉลาดและจะทำให้พวกเขาค้นหาตามรหัสของพวกเขาใช้ตัวเลือกนี้ "Add / Edit"," เพิ่ม / แก้ไข " "Add / Edit"," เพิ่ม / แก้ไข " "Add / Edit"," เพิ่ม / แก้ไข " +"

Default Template

+

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

+
{{ address_line1 }}<br>
+{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}
+{{ city }}<br>
+{% if state %}{{ state }}<br>{% endif -%}
+{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}
+{{ country }}<br>
+{% if phone %}Phone: {{ phone }}<br>{% endif -%}
+{% if fax %}Fax: {{ fax }}<br>{% endif -%}
+{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
+
","

เริ่มต้นแม่แบบ +

ใช้ Jinja Templating และทุกสาขาที่อยู่ ( รวมถึงฟิลด์ที่กำหนดเองถ้ามี) จะมี +

  {{}} address_line1 
+ {%% ถ้า address_line2} {{}} address_line2
{ endif% -%} + {{}} เมือง
+ {% ถ้ารัฐ%} {{}} รัฐ
{% endif -%} + {% ถ้า Pincode%} PIN: {{}} Pincode
{% endif -%} + {{ประเทศ}}
+ {%% ถ้าโทรศัพท์โทรศัพท์}: {{}} โทรศัพท์
{ endif% -%} + {%% ถ้า} โทรสารโทรสาร: {{แฟกซ์}}
{% endif -%} + {% ถ้า email_id%} อีเมล์: {{}} email_id
; {% endif -%} + " A Customer Group exists with same name please change the Customer name or rename the Customer Group,กลุ่ม ลูกค้าที่มีอยู่ ที่มีชื่อเดียวกัน โปรด เปลี่ยนชื่อ ลูกค้าหรือเปลี่ยนชื่อ กลุ่ม ลูกค้า A Customer exists with same name,ลูกค้าที่มีอยู่ที่มีชื่อเดียวกัน A Lead with this email id should exist,ตะกั่วที่มี id อีเมลนี้ควรมีอยู่ @@ -44,7 +67,6 @@ A symbol for this currency. For e.g. $,สัญลักษณ์สกุล AMC Expiry Date,วันที่หมดอายุ AMC Abbr,abbr Abbreviation cannot have more than 5 characters,ชื่อย่อ ไม่ สามารถมีมากกว่า 5 ตัวอักษร -About,เกี่ยวกับ Above Value,สูงกว่าค่า Absent,ไม่อยู่ Acceptance Criteria,เกณฑ์การยอมรับ @@ -59,6 +81,8 @@ Account Details,รายละเอียดบัญชี Account Head,หัวหน้าบัญชี Account Name,ชื่อบัญชี Account Type,ประเภทบัญชี +"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'",ยอดเงินในบัญชีแล้วในเครดิตคุณไม่ได้รับอนุญาตให้ตั้ง 'ยอดดุลต้องเป็น' เป็น 'เดบิต' +"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",ยอดเงินในบัญชีแล้วในเดบิตคุณไม่ได้รับอนุญาตให้ตั้ง 'ยอดดุลต้องเป็น' เป็น 'เครดิต Account for the warehouse (Perpetual Inventory) will be created under this Account.,บัญชีสำหรับ คลังสินค้า( Inventory ตลอด ) จะถูก สร้างขึ้นภายใต้ บัญชี นี้ Account head {0} created,หัว บัญชี {0} สร้าง Account must be a balance sheet account,บัญชี ต้องเป็น บัญชี งบดุล @@ -68,13 +92,20 @@ Account with existing transaction can not be deleted,บัญชี ที่ Account with existing transaction cannot be converted to ledger,บัญชี กับการทำธุรกรรม ที่มีอยู่ ไม่สามารถ แปลงเป็น บัญชีแยกประเภท Account {0} cannot be a Group,บัญชี {0} ไม่สามารถเป็น กลุ่ม Account {0} does not belong to Company {1},บัญชี {0} ไม่ได้เป็นของ บริษัท {1} +Account {0} does not belong to company: {1},บัญชี {0} ไม่ได้เป็นของ บริษัท : {1} Account {0} does not exist,บัญชี {0} ไม่อยู่ Account {0} has been entered more than once for fiscal year {1},บัญชี {0} ได้รับการป้อน มากกว่าหนึ่งครั้ง ในรอบปี {1} Account {0} is frozen,บัญชี {0} จะถูก แช่แข็ง Account {0} is inactive,บัญชี {0} ไม่ได้ใช้งาน +Account {0} is not valid,บัญชี {0} ไม่ถูกต้อง Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item,บัญชี {0} ต้องเป็นชนิด ' สินทรัพย์ถาวร ' เป็น รายการ {1} เป็น รายการสินทรัพย์ +Account {0}: Parent account {1} can not be a ledger,บัญชี {0}: บัญชีผู้ปกครอง {1} ไม่สามารถแยกประเภท +Account {0}: Parent account {1} does not belong to company: {2},บัญชี {0}: บัญชีผู้ปกครอง {1} ไม่ได้เป็นของ บริษัท : {2} +Account {0}: Parent account {1} does not exist,บัญชี {0}: บัญชีผู้ปกครอง {1} ไม่อยู่ +Account {0}: You can not assign itself as parent account,บัญชี {0}: คุณไม่สามารถกำหนดตัวเองเป็นบัญชีผู้ปกครอง "Account: {0} can only be updated via \ - Stock Transactions",บัญชี: {0} สามารถปรับปรุง เพียง ผ่าน \ \ n การทำธุรกรรม หุ้น + Stock Transactions","บัญชี: {0} สามารถปรับปรุงได้เพียงผ่านทาง \ + รายการสินค้า" Accountant,นักบัญชี Accounting,การบัญชี "Accounting Entries can be made against leaf nodes, called",รายการ บัญชี สามารถ ทำกับ โหนดใบ ที่เรียกว่า @@ -124,6 +155,7 @@ Address Details,รายละเอียดที่อยู่ Address HTML,ที่อยู่ HTML Address Line 1,ที่อยู่บรรทัดที่ 1 Address Line 2,ที่อยู่บรรทัดที่ 2 +Address Template,แม่แบบที่อยู่ Address Title,หัวข้อที่อยู่ Address Title is mandatory.,ที่อยู่ ชื่อเรื่อง มีผลบังคับใช้ Address Type,ประเภทของที่อยู่ @@ -144,7 +176,6 @@ Against Docname,กับ Docname Against Doctype,กับ Doctype Against Document Detail No,กับรายละเอียดเอกสารไม่มี Against Document No,กับเอกสารไม่มี -Against Entries,กับ รายการ Against Expense Account,กับบัญชีค่าใช้จ่าย Against Income Account,กับบัญชีรายได้ Against Journal Voucher,กับบัตรกำนัลวารสาร @@ -180,10 +211,8 @@ All Territories,ดินแดน ทั้งหมด "All export related fields like currency, conversion rate, export total, export grand total etc are available in Delivery Note, POS, Quotation, Sales Invoice, Sales Order etc.","เขตข้อมูล ทั้งหมดที่เกี่ยวข้องกับ การส่งออก เช่นเดียวกับ สกุลเงิน อัตราการแปลง รวม การส่งออก ส่งออก อื่น ๆ รวมใหญ่ ที่มีอยู่ใน หมายเหตุ การจัดส่ง POS , ใบเสนอราคา , ขายใบแจ้งหนี้ การขายสินค้า อื่น ๆ" "All import related fields like currency, conversion rate, import total, import grand total etc are available in Purchase Receipt, Supplier Quotation, Purchase Invoice, Purchase Order etc.","ทุก สาขา ที่เกี่ยวข้องกับ การนำเข้า เช่น สกุลเงิน อัตราการแปลง ทั้งหมด นำเข้า นำเข้า อื่น ๆ รวมใหญ่ ที่มีอยู่ใน การซื้อ ใบเสร็จรับเงิน ใบเสนอราคา ของผู้ผลิต , การสั่งซื้อ ใบแจ้งหนี้ ใบสั่งซื้อ ฯลฯ" All items have already been invoiced,รายการทั้งหมดที่ ได้รับการ ออกใบแจ้งหนี้ แล้ว -All items have already been transferred for this Production Order.,รายการทั้งหมดที่ ได้รับการ โอน ไปแล้วสำหรับ การผลิต การสั่งซื้อ นี้ All these items have already been invoiced,รายการทั้งหมด เหล่านี้ได้รับ ใบแจ้งหนี้ แล้ว Allocate,จัดสรร -Allocate Amount Automatically,จัดสรร เงิน โดยอัตโนมัติ Allocate leaves for a period.,จัดสรร ใบ เป็นระยะเวลา Allocate leaves for the year.,จัดสรรใบสำหรับปี Allocated Amount,จำนวนที่จัดสรร @@ -204,13 +233,13 @@ Allow Users,อนุญาตให้ผู้ใช้งาน Allow the following users to approve Leave Applications for block days.,อนุญาตให้ผู้ใช้ต่อไปเพื่อขออนุมัติการใช้งานออกวันบล็อก Allow user to edit Price List Rate in transactions,ช่วยให้ผู้ใช้ในการแก้ไขอัตราราคาปกติในการทำธุรกรรม Allowance Percent,ร้อยละค่าเผื่อ -Allowance for over-delivery / over-billing crossed for Item {0},ค่าเผื่อการ ไป จัดส่ง / กว่า การเรียกเก็บเงิน ข้าม กับ รายการ {0} +Allowance for over-{0} crossed for Item {1},ค่าเผื่อเกิน {0} ข้ามกับรายการ {1} +Allowance for over-{0} crossed for Item {1}.,ค่าเผื่อเกิน {0} ข้ามกับรายการ {1} Allowed Role to Edit Entries Before Frozen Date,บทบาท ได้รับอนุญาตให้ แก้ไข คอมเมนต์ ก่อน วันที่ แช่แข็ง Amended From,แก้ไขเพิ่มเติม Amount,จำนวน Amount (Company Currency),จำนวนเงิน (สกุลเงิน บริษัท ) -Amount <=,จำนวนเงินที่ <= -Amount >=,จำนวนเงินที่> = +Amount Paid,จำนวนเงินที่ชำระ Amount to Bill,เป็นจำนวนเงิน บิล An Customer exists with same name,ลูกค้าที่มีอยู่ ที่มีชื่อเดียวกัน "An Item Group exists with same name, please change the item name or rename the item group",รายการกลุ่ม ที่มีอยู่ ที่มีชื่อเดียวกัน กรุณาเปลี่ยน ชื่อรายการหรือเปลี่ยนชื่อ กลุ่ม รายการ @@ -260,6 +289,7 @@ As per Stock UOM,เป็นต่อสต็อก UOM Asset,สินทรัพย์ Assistant,ผู้ช่วย Associate,ภาคี +Atleast one of the Selling or Buying must be selected,atleast หนึ่งขายหรือซื้อต้องเลือก Atleast one warehouse is mandatory,อย่างน้อยหนึ่งคลังสินค้ามีผลบังคับใช้ Attach Image,แนบ ภาพ Attach Letterhead,แนบ จดหมาย @@ -319,6 +349,7 @@ Balance for Account {0} must always be {1},ยอดคงเหลือ บั Balance must be,จะต้องมี ความสมดุล "Balances of Accounts of type ""Bank"" or ""Cash""","ยอดคงเหลือ ของ บัญชี ประเภท ""ธนาคาร "" หรือ "" เงินสด """ Bank,ธนาคาร +Bank / Cash Account,บัญชีธนาคาร / เงินสด Bank A/C No.,ธนาคาร / เลขที่ C Bank Account,บัญชีเงินฝาก Bank Account No.,เลขที่บัญชีธนาคาร @@ -397,18 +428,24 @@ Budget Distribution Details,รายละเอียดการจัดจ Budget Variance Report,รายงานความแปรปรวนของงบประมาณ Budget cannot be set for Group Cost Centers,งบประมาณ ไม่สามารถ ถูกตั้งค่าสำหรับ กลุ่ม ศูนย์ ต้นทุน Build Report,สร้าง รายงาน -Built on,สร้างขึ้นบน Bundle items at time of sale.,กำรายการในเวลาของการขาย Business Development Manager,ผู้จัดการฝ่ายพัฒนาธุรกิจ Buying,การซื้อ Buying & Selling,การซื้อ และการ ขาย Buying Amount,ซื้อจำนวน Buying Settings,ซื้อการตั้งค่า +"Buying must be checked, if Applicable For is selected as {0}",การซื้อจะต้องตรวจสอบถ้าใช้สำหรับการถูกเลือกเป็น {0} C-Form,C-Form C-Form Applicable,C-Form สามารถนำไปใช้ได้ C-Form Invoice Detail,C-Form รายละเอียดใบแจ้งหนี้ C-Form No,C-Form ไม่มี C-Form records,C- บันทึก แบบฟอร์ม +CENVAT Capital Goods,CENVAT สินค้าทุน +CENVAT Edu Cess,CENVAT Edu เงินอุดหนุน +CENVAT SHE Cess,CENVAT SHE เงินอุดหนุน +CENVAT Service Tax,CENVAT ภาษีบริการ +CENVAT Service Tax Cess 1,CENVAT ภาษีบริการ Cess 1 +CENVAT Service Tax Cess 2,CENVAT ภาษีบริการ Cess 2 Calculate Based On,การคำนวณพื้นฐานตาม Calculate Total Score,คำนวณคะแนนรวม Calendar Events,ปฏิทินเหตุการณ์ @@ -432,7 +469,7 @@ Cannot approve leave as you are not authorized to approve leaves on Block Dates, Cannot cancel because Employee {0} is already approved for {1},ไม่สามารถยกเลิก ได้เพราะ พนักงาน {0} ได้รับการอนุมัติ แล้วสำหรับ {1} Cannot cancel because submitted Stock Entry {0} exists,ไม่สามารถยกเลิก ได้เพราะ ส่ง สินค้า เข้า {0} มีอยู่ Cannot carry forward {0},ไม่สามารถดำเนินการ ไปข้างหน้า {0} -Cannot change Year Start Date and Year End Date once the Fiscal Year is saved.,ไม่สามารถเปลี่ยนแปลง วันเริ่มต้น ปี และปี วันที่สิ้นสุด เมื่อปีงบประมาณ จะถูกบันทึกไว้ +Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,ไม่สามารถเปลี่ยนแปลงวันเริ่มต้นปีงบประมาณและปีงบประมาณวันที่สิ้นสุดเมื่อปีงบประมาณจะถูกบันทึกไว้ "Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.",ไม่สามารถเปลี่ยน สกุลเงินเริ่มต้น ของ บริษัท เนื่องจากมี การทำธุรกรรม ที่มีอยู่ รายการที่ จะต้อง ยกเลิก การเปลี่ยน สกุลเงินเริ่มต้น Cannot convert Cost Center to ledger as it has child nodes,ไม่สามารถแปลง ศูนย์ต้นทุน ไปยัง บัญชีแยกประเภท ที่มี ต่อมน้ำเด็ก Cannot covert to Group because Master Type or Account Type is selected.,ไม่สามารถ แอบแฝง กลุ่ม เพราะ ประเภท มาสเตอร์ หรือ บัญชีประเภทบัญชี จะถูกเลือก @@ -441,7 +478,7 @@ Cannot deactive or cancle BOM as it is linked with other BOMs,ไม่สาม Cannot deduct when category is for 'Valuation' or 'Valuation and Total',ไม่ สามารถหัก เมื่อ เป็น หมวดหมู่ สำหรับ ' ประเมิน ' หรือ ' การประเมิน และการ รวม "Cannot delete Serial No {0} in stock. First remove from stock, then delete.",ไม่สามารถลบ หมายเลขเครื่อง {0} ในสต็อก ครั้งแรกที่ ออกจาก สต็อก แล้วลบ "Cannot directly set amount. For 'Actual' charge type, use the rate field",ไม่สามารถกำหนด โดยตรง จำนวน สำหรับ ' จริง ' ประเภท ค่าใช้จ่าย ด้านการ ใช้ อัตรา -"Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in 'Setup' > 'Global Defaults'",ไม่สามารถ overbill กับ รายการ {0} ในแถว {0} มากกว่า {1} เพื่อให้ overbilling โปรดตั้ง ใน ' ติดตั้ง ' > ' ค่าเริ่มต้น ทั่วโลก ' +"Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in Stock Settings",ไม่สามารถ overbill กับรายการ {0} ในแถว {0} มากกว่า {1} เพื่อให้ overbilling โปรดตั้งค่าในการตั้งค่าสต็อก Cannot produce more Item {0} than Sales Order quantity {1},ไม่สามารถผลิต สินค้า ได้มากขึ้น {0} กว่าปริมาณ การขายสินค้า {1} Cannot refer row number greater than or equal to current row number for this Charge type,ไม่ สามารถดู จำนวน แถว มากกว่าหรือ เท่ากับจำนวน แถวปัจจุบัน ค่าใช้จ่าย สำหรับประเภท นี้ Cannot return more than {0} for Item {1},ไม่สามารถกลับ มากขึ้นกว่า {0} กับ รายการ {1} @@ -504,6 +541,8 @@ Click on a link to get options to expand get options , Client,ลูกค้า Close Balance Sheet and book Profit or Loss.,ปิด งบดุล และงบกำไร ขาดทุน หรือ หนังสือ Closed,ปิด +Closing (Cr),ปิด (Cr) +Closing (Dr),ปิด (Dr) Closing Account Head,ปิดหัวบัญชี Closing Account {0} must be of type 'Liability',ปิด บัญชี {0} ต้องเป็นชนิด ' รับผิด ' Closing Date,ปิดวันที่ @@ -514,7 +553,9 @@ CoA Help,ช่วยเหลือ CoA Code,รหัส Cold Calling,โทรเย็น Color,สี +Column Break,ตัวแบ่งคอลัมน์ Comma separated list of email addresses,รายการที่คั่นด้วยจุลภาคของที่อยู่อีเมล +Comment,ความเห็น Comments,ความเห็น Commercial,เชิงพาณิชย์ Commission,ค่านายหน้า @@ -599,7 +640,6 @@ Cosmetics,เครื่องสำอาง Cost Center,ศูนย์ต้นทุน Cost Center Details,ค่าใช้จ่ายรายละเอียดศูนย์ Cost Center Name,ค่าใช้จ่ายชื่อศูนย์ -Cost Center is mandatory for Item {0},ศูนย์ต้นทุน จำเป็นสำหรับ รายการ {0} Cost Center is required for 'Profit and Loss' account {0},ศูนย์ต้นทุน เป็นสิ่งจำเป็นสำหรับ บัญชี ' กำไรขาดทุน ' {0} Cost Center is required in row {0} in Taxes table for type {1},ศูนย์ต้นทุน ที่จะต้อง อยู่ในแถว {0} ในตาราง ภาษี สำหรับประเภท {1} Cost Center with existing transactions can not be converted to group,ศูนย์ต้นทุน กับการทำธุรกรรม ที่มีอยู่ ไม่สามารถ แปลงเป็น กลุ่ม @@ -609,6 +649,7 @@ Cost of Goods Sold,ค่าใช้จ่ายของ สินค้าท Costing,ต้นทุน Country,ประเทศ Country Name,ชื่อประเทศ +Country wise default Address Templates,แม่แบบของประเทศที่อยู่เริ่มต้นอย่างชาญฉลาด "Country, Timezone and Currency",โซน ประเทศ และ สกุลเงิน Create Bank Voucher for the total salary paid for the above selected criteria,สร้างบัตรกำนัลธนาคารเพื่อการรวมเงินเดือนที่จ่ายสำหรับเกณฑ์ที่เลือกข้างต้น Create Customer,สร้าง ลูกค้า @@ -662,10 +703,12 @@ Customer (Receivable) Account,บัญชีลูกค้า (ลูกหน Customer / Item Name,ชื่อลูกค้า / รายการ Customer / Lead Address,ลูกค้า / ตะกั่ว อยู่ Customer / Lead Name,ลูกค้า / ชื่อ ตะกั่ว +Customer > Customer Group > Territory,ลูกค้า> กลุ่มลูกค้า> มณฑล Customer Account Head,หัวหน้าฝ่ายบริการลูกค้า Customer Acquisition and Loyalty,การซื้อ ของลูกค้าและ ความจงรักภักดี Customer Address,ที่อยู่ของลูกค้า Customer Addresses And Contacts,ที่อยู่ของลูกค้าและการติดต่อ +Customer Addresses and Contacts,ที่อยู่ของลูกค้าและการติดต่อ Customer Code,รหัสลูกค้า Customer Codes,รหัสลูกค้า Customer Details,รายละเอียดลูกค้า @@ -727,6 +770,8 @@ Deduction1,Deduction1 Deductions,การหักเงิน Default,ผิดนัด Default Account,บัญชีเริ่มต้น +Default Address Template cannot be deleted,แม่แบบเริ่มต้นที่อยู่ไม่สามารถลบได้ +Default Amount,จำนวนเงินที่เริ่มต้น Default BOM,BOM เริ่มต้น Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,เริ่มต้นบัญชีธนาคาร / เงินสดจะถูกปรับปรุงโดยอัตโนมัติในใบแจ้งหนี้ POS เมื่อโหมดนี้ถูกเลือก Default Bank Account,บัญชีธนาคารเริ่มต้น @@ -734,7 +779,6 @@ Default Buying Cost Center,เริ่มต้น การซื้อ ศู Default Buying Price List,ซื้อ ราคา เริ่มต้น Default Cash Account,บัญชีเงินสดเริ่มต้น Default Company,บริษัท เริ่มต้น -Default Cost Center for tracking expense for this item.,ศูนย์ต้นทุนค่าใช้จ่ายเริ่มต้นสำหรับการติดตามสำหรับรายการนี​​้ Default Currency,สกุลเงินเริ่มต้น Default Customer Group,กลุ่มลูกค้าเริ่มต้น Default Expense Account,บัญชีค่าใช้จ่ายเริ่มต้น @@ -761,6 +805,7 @@ Default settings for selling transactions.,ตั้งค่าเริ่ม Default settings for stock transactions.,ตั้งค่าเริ่มต้น สำหรับการทำธุรกรรม หุ้น Defense,ฝ่ายจำเลย "Define Budget for this Cost Center. To set budget action, see
Company Master","กำหนดงบประมาณสำหรับศูนย์ต้นทุนนี้ เพื่อตั้งกระทำงบประมาณเห็น บริษัท มาสเตอร์" +Del,เดล Delete,ลบ Delete {0} {1}?,ลบ {0} {1}? Delivered,ส่ง @@ -809,6 +854,7 @@ Discount (%),ส่วนลด (%) Discount Amount,จำนวน ส่วนลด "Discount Fields will be available in Purchase Order, Purchase Receipt, Purchase Invoice","ทุ่งส่วนลดจะสามารถใช้ได้ในใบสั่งซื้อรับซื้อ, ใบกำกับซื้อ" Discount Percentage,ร้อยละ ส่วนลด +Discount Percentage can be applied either against a Price List or for all Price List.,ร้อยละส่วนลดสามารถนำไปใช้อย่างใดอย่างหนึ่งกับราคาหรือราคาตามรายการทั้งหมด Discount must be less than 100,ส่วนลด จะต้อง น้อยกว่า 100 Discount(%),ส่วนลด (%) Dispatch,ส่งไป @@ -841,7 +887,8 @@ Download Template,ดาวน์โหลดแม่แบบ Download a report containing all raw materials with their latest inventory status,ดาวน์โหลดรายงานที่มีวัตถุดิบทั้งหมดที่มีสถานะสินค้าคงคลังของพวกเขาล่าสุด "Download the Template, fill appropriate data and attach the modified file.",ดาวน์โหลด แม่แบบกรอก ข้อมูลที่เหมาะสม และแนบ ไฟล์ ที่มีการแก้ไข "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",ดาวน์โหลด แม่แบบกรอก ข้อมูลที่เหมาะสม และแนบ ไฟล์ ที่มีการแก้ไข . \ nAll วัน และการรวมกัน ของพนักงาน ใน ระยะเวลาที่เลือกจะมาใน แบบ ที่มีการ บันทึกการเข้าร่วม ที่มีอยู่ +All dates and employee combination in the selected period will come in the template, with existing attendance records","ดาวน์โหลดแม่แบบกรอกข้อมูลที่เหมาะสมและแนบไฟล์ที่มีการแก้ไข + วันที่ทั้งหมดและการรวมกันของพนักงานในระยะเวลาที่เลือกจะมาในแบบที่มีการบันทึกการเข้าร่วมที่มีอยู่" Draft,ร่าง Dropbox,Dropbox Dropbox Access Allowed,Dropbox เข็น @@ -863,6 +910,9 @@ Earning & Deduction,รายได้และการหัก Earning Type,รายได้ประเภท Earning1,Earning1 Edit,แก้ไข +Edu. Cess on Excise,edu เงินอุดหนุนที่สรรพสามิต +Edu. Cess on Service Tax,edu เงินอุดหนุนที่ภาษีบริการ +Edu. Cess on TDS,edu เงินอุดหนุนที่ TDS Education,การศึกษา Educational Qualification,วุฒิการศึกษา Educational Qualification Details,รายละเอียดคุ​​ณสมบัติการศึกษา @@ -937,16 +987,27 @@ Enter url parameter for receiver nos,ป้อนพารามิเตอร Entertainment & Leisure,บันเทิงและ การพักผ่อน Entertainment Expenses,ค่าใช้จ่ายใน ความบันเทิง Entries,คอมเมนต์ -Entries against,คอมเมนต์ กับ +Entries against , Entries are not allowed against this Fiscal Year if the year is closed.,คอมเมนต์ไม่ได้รับอนุญาตกับปีงบประมาณนี้หากที่ปิดปี -Entries before {0} are frozen,คอมเมนต์ ก่อนที่ {0} ถูกแช่แข็ง Equity,ความเสมอภาค Error: {0} > {1},ข้อผิดพลาด: {0}> {1} Estimated Material Cost,ต้นทุนวัสดุประมาณ +"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:",แม้ว่าจะมีกฎการกำหนดราคาหลายกับความสำคัญสูงสุดแล้วจัดลำดับความสำคัญดังต่อไปนี้ภายในจะใช้: Everyone can read,ทุกคนสามารถอ่าน "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 # # # # # \ n ถ้า ชุด การตั้งค่า และ หมายเลขเครื่อง ไม่ได้กล่าวถึง ในการทำธุรกรรม แล้ว หมายเลขประจำเครื่อง อัตโนมัติ จะถูกสร้างขึ้น บนพื้นฐานของ ซีรีส์ นี้ +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 # # # # # + ถ้าชุดเป็นที่ตั้งและหมายเลขเครื่องไม่ได้กล่าวถึงในการทำธุรกรรมหมายเลขอัตโนมัติจากนั้นจะถูกสร้างขึ้นบนพื้นฐานของซีรีส์นี้ หากคุณเคยต้องการที่จะพูดถึงอย่างชัดเจนอนุกรม Nos สำหรับรายการนี้ ปล่อยว่างนี้" Exchange Rate,อัตราแลกเปลี่ยน +Excise Duty 10,สรรพสามิตหน้าที่ 10 +Excise Duty 14,สรรพสามิตหน้าที่ 14 +Excise Duty 4,สรรพสามิต Duty 4 +Excise Duty 8,อากรสรรพสามิต 8 +Excise Duty @ 10,อากรสรรพสามิต @ 10 +Excise Duty @ 14,อากรสรรพสามิต @ 14 +Excise Duty @ 4,อากรสรรพสามิต @ 4 +Excise Duty @ 8,อากรสรรพสามิต @ 8 +Excise Duty Edu Cess 2,สรรพสามิตหน้าที่ Edu Cess 2 +Excise Duty SHE Cess 1,สรรพสามิตหน้าที่ SHE Cess 1 Excise Page Number,หมายเลขหน้าสรรพสามิต Excise Voucher,บัตรกำนัลสรรพสามิต Execution,การปฏิบัติ @@ -965,6 +1026,7 @@ Expected Delivery Date cannot be before Sales Order Date,วันที่ส Expected End Date,คาดว่าวันที่สิ้นสุด Expected Start Date,วันที่เริ่มต้นคาดว่า Expense,ค่าใช้จ่าย +Expense / Difference account ({0}) must be a 'Profit or Loss' account,ค่าใช้จ่ายบัญชี / แตกต่าง ({0}) จะต้องเป็นบัญชี 'กำไรหรือขาดทุน' Expense Account,บัญชีค่าใช้จ่าย Expense Account is mandatory,บัญชีค่าใช้จ่ายที่มีผลบังคับใช้ Expense Claim,เรียกร้องค่าใช้จ่าย @@ -1015,12 +1077,16 @@ Finished Goods,สินค้า สำเร็จรูป First Name,ชื่อแรก First Responded On,ครั้งแรกเมื่อวันที่ง่วง Fiscal Year,ปีงบประมาณ +Fiscal Year Start Date and Fiscal Year End Date are already set in Fiscal Year {0},วันเริ่มต้นปีงบประมาณและปีงบประมาณสิ้นสุดวันที่มีการตั้งค่าอยู่แล้วในปีงบประมาณ {0} +Fiscal Year Start Date and Fiscal Year End Date cannot be more than a year apart.,วันเริ่มต้นปีงบประมาณและปีงบประมาณสิ้นสุดวันที่ไม่สามารถจะมีมากขึ้นกว่าปีออกจากกัน +Fiscal Year Start Date should not be greater than Fiscal Year End Date,วันเริ่มต้นปีงบประมาณไม่ควรจะสูงกว่าปีงบประมาณที่สิ้นสุดวันที่ Fixed Asset,สินทรัพย์ คงที่ Fixed Assets,สินทรัพย์ถาวร Follow via Email,ผ่านทางอีเมล์ตาม "Following table will show values if items are sub - contracted. These values will be fetched from the master of ""Bill of Materials"" of sub - contracted items.",ตารางต่อไปนี้จะแสดงค่าหากรายการย่อย - สัญญา ค่าเหล่านี้จะถูกเรียกจากต้นแบบของ "Bill of Materials" ย่อย - รายการสัญญา Food,อาหาร "Food, Beverage & Tobacco","อาหาร, เครื่องดื่ม และ ยาสูบ" +"For 'Sales BOM' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Sales BOM' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.",สำหรับ 'ขาย BOM' รายการคลังสินค้าหมายเลขเครื่องและรุ่นที่ไม่มีจะได้รับการพิจารณาจากตารางที่บรรจุรายชื่อ ' หากคลังสินค้าและรุ่นที่ไม่เหมือนกันสำหรับรายการที่บรรจุทั้งหมดสำหรับใดขาย BOM 'รายการค่าเหล่านั้นสามารถป้อนในตารางรายการหลักค่าจะถูกคัดลอกไปบรรจุรายชื่อ' ตาราง For Company,สำหรับ บริษัท For Employee,สำหรับพนักงาน For Employee Name,สำหรับชื่อของพนักงาน @@ -1050,7 +1116,9 @@ From Currency and To Currency cannot be same,สกุลเงินจาก From Customer,จากลูกค้า From Customer Issue,จาก ปัญหา ของลูกค้า From Date,จากวันที่ +From Date cannot be greater than To Date,จากวันที่ไม่สามารถจะมากกว่านัด From Date must be before To Date,นับ แต่วันที่ต้องอยู่ก่อนวันที่ต้องการ +From Date should be within the Fiscal Year. Assuming From Date = {0},จากวันที่ควรจะเป็นภายในปีงบประมาณ สมมติว่าตั้งแต่วันที่ = {0} From Delivery Note,จากหมายเหตุการจัดส่งสินค้า From Employee,จากพนักงาน From Lead,จาก Lead @@ -1072,7 +1140,9 @@ Frozen Accounts Modifier,แช่แข็ง บัญชี ปรับป Fulfilled,สม Full Name,ชื่อเต็ม Full-time,เต็มเวลา +Fully Billed,ในจำนวนอย่างเต็มที่ Fully Completed,เสร็จสมบูรณ์ +Fully Delivered,จัดส่งอย่างเต็มที่ Furniture and Fixture,เฟอร์นิเจอร์และ ตารางการแข่งขัน Further accounts can be made under Groups but entries can be made against Ledger,บัญชี เพิ่มเติมสามารถ ทำภายใต้ กลุ่ม แต่ รายการที่สามารถ ทำกับ บัญชีแยกประเภท "Further accounts can be made under Groups, but entries can be made against Ledger",บัญชี เพิ่มเติมสามารถ ทำภายใต้ กลุ่ม แต่ รายการที่สามารถ ทำกับ บัญชีแยกประเภท @@ -1090,7 +1160,6 @@ Generate Schedule,สร้างตาราง Generates HTML to include selected image in the description,สร้าง HTM​​L ที่จะรวมภาพที่เลือกไว้ในคำอธิบาย Get Advances Paid,รับเงินทดรองจ่าย Get Advances Received,รับเงินรับล่วงหน้า -Get Against Entries,คอมเมนต์ ได้รับการ ต่อต้าน Get Current Stock,รับสินค้าปัจจุบัน Get Items,รับสินค้า Get Items From Sales Orders,รับรายการจากคำสั่งซื้อขาย @@ -1103,6 +1172,7 @@ Get Specification Details,ดูรายละเอียดสเปค Get Stock and Rate,รับสินค้าและอัตรา Get Template,รับแม่แบบ Get Terms and Conditions,รับข้อตกลงและเงื่อนไข +Get Unreconciled Entries,คอมเมนต์ได้รับ Unreconciled Get Weekly Off Dates,รับวันปิดสัปดาห์ "Get valuation rate and available stock at source/target warehouse on mentioned posting date-time. If serialized item, please press this button after entering serial nos.",ได้รับอัตรามูลค่าและสต็อกที่คลังสินค้าแหล่งที่มา / เป้าหมายดังกล่าวโพสต์วันที่เวลา ถ้าต่อเนื่องรายการโปรดกดปุ่มนี้หลังจากที่เข้ามา Nos อนุกรม Global Defaults,เริ่มต้นทั่วโลก @@ -1171,6 +1241,7 @@ Hour,ชั่วโมง Hour Rate,อัตราชั่วโมง Hour Rate Labour,แรงงานอัตราชั่วโมง Hours,ชั่วโมง +How Pricing Rule is applied?,วิธีกฎการกำหนดราคาจะใช้? How frequently?,วิธีบ่อย? "How should this currency be formatted? If not set, will use system defaults",วิธีการที่ควรสกุลเงินนี้จะจัดรูปแบบ? ถ้าไม่ตั้งจะใช้เริ่มต้นของระบบ Human Resources,ทรัพยากรมนุษย์ @@ -1187,12 +1258,15 @@ If different than customer address,หาก แตกต่างจาก ท "If disable, 'Rounded Total' field will not be visible in any transaction",ถ้าปิดการใช้งาน 'ปัดรวมฟิลด์จะมองไม่เห็นในการทำธุรกรรมใด ๆ "If enabled, the system will post accounting entries for inventory automatically.",ถ้าเปิดใช้งานระบบจะโพสต์รายการบัญชีสำหรับสินค้าคงคลังโดยอัตโนมัติ If more than one package of the same type (for print),หากมีมากกว่าหนึ่งแพคเกจประเภทเดียวกัน (พิมพ์) +"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.",ถ้ากฎการกำหนดราคาหลายยังคงเหนือกว่าผู้ใช้จะขอให้ตั้งลำดับความสำคัญด้วยตนเองเพื่อแก้ไขความขัดแย้ง "If no change in either Quantity or Valuation Rate, leave the cell blank.",หากมีการเปลี่ยนแปลง ทั้งใน จำนวน หรือ อัตรา การประเมิน ไม่ ออกจาก เซลล์ที่ว่างเปล่า If not applicable please enter: NA,ถ้าไม่สามารถใช้ได้โปรดป้อน: NA "If not checked, the list will have to be added to each Department where it has to be applied.",ถ้าไม่ได้ตรวจสอบรายชื่อจะต้องมีการเพิ่มแต่ละแผนกที่มันจะต้องมีการใช้ +"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.","ถ้ากฎการกำหนดราคาที่เลือกจะทำเพื่อ 'ราคา' ก็จะเขียนทับราคาตามรายการ ราคากฎการกำหนดราคาเป็นราคาสุดท้ายจึงไม่มีส่วนลดเพิ่มเติมควรใช้ ดังนั้นในการทำธุรกรรมเช่นการขายสินค้า, การสั่งซื้อและอื่น ๆ ก็จะถูกเรียกในฟิลด์ 'อัตรา' มากกว่าฟิลด์ 'ราคาตามรายการอัตรา'" "If specified, send the newsletter using this email address",ถ้าระบุส่งจดหมายโดยใช้ที่อยู่อีเมลนี้ "If the account is frozen, entries are allowed to restricted users.",หากบัญชีถูกแช่แข็ง รายการ จะได้รับอนุญาต ให้กับผู้ใช้ ที่ จำกัด "If this Account represents a Customer, Supplier or Employee, set it here.",หากบัญชีนี้เป็นลูกค้าของผู้ผลิตหรือพนักงานกำหนดได้ที่นี่ +"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.",ถ้าสองคนหรือมากกว่ากฎการกำหนดราคาที่พบตามเงื่อนไขข้างต้นสำคัญที่นำมาใช้ ลำดับความสำคัญเป็นตัวเลขระหว่าง 0-20 ในขณะที่ค่าเริ่มต้นเป็นศูนย์ (ว่าง) จำนวนที่สูงกว่าหมายความว่ามันจะมีความสำคัญในกรณีที่มีกฎการกำหนดราคาหลายเงื่อนไขเดียวกัน If you follow Quality Inspection. Enables Item QA Required and QA No in Purchase Receipt,ถ้าคุณทำตาม การตรวจสอบคุณภาพ ช่วยให้ รายการ ที่จำเป็น และ QA QA ไม่มี ใน การซื้อ ใบเสร็จรับเงิน If you have Sales Team and Sale Partners (Channel Partners) they can be tagged and maintain their contribution in the sales activity,หากคุณมีการขายและทีมหุ้นส่วนขาย (ตัวแทนจำหน่าย) พวกเขาสามารถติดแท็กและรักษาผลงานของพวกเขาในกิจกรรมการขาย "If you have created a standard template in Purchase Taxes and Charges Master, select one and click on the button below.",ถ้าคุณได้สร้างแม่แบบมาตรฐานในภาษีซื้อและปริญญาโทค่าเลือกหนึ่งและคลิกที่ปุ่มด้านล่าง @@ -1200,6 +1274,7 @@ If you have Sales Team and Sale Partners (Channel Partners) they can be tagged "If you have long print formats, this feature can be used to split the page to be printed on multiple pages with all headers and footers on each page",หากคุณมีความยาวพิมพ์รูปแบบคุณลักษณะนี้สามารถใช้ในการแยกหน้าเว็บที่จะพิมพ์บนหน้าเว็บหลายหน้ากับส่วนหัวและท้ายกระดาษทั้งหมดในแต่ละหน้า If you involve in manufacturing activity. Enables Item 'Is Manufactured',หากคุณ มีส่วนร่วมใน กิจกรรมการผลิต ช่วยให้ รายการ ' เป็นผลิตภัณฑ์ที่ผลิต ' Ignore,ไม่สนใจ +Ignore Pricing Rule,ละเว้นกฎการกำหนดราคา Ignored: ,ละเว้น: Image,ภาพ Image View,ดูภาพ @@ -1236,8 +1311,9 @@ Income booked for the digest period,รายได้จากการจอ Incoming,ขาเข้า Incoming Rate,อัตราเข้า Incoming quality inspection.,การตรวจสอบคุณภาพที่เข้ามา +Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,จำนวนที่ไม่ถูกต้องของรายการบัญชีแยกประเภททั่วไปที่พบ คุณอาจจะเลือกบัญชีที่ไม่ถูกต้องในการทำธุรกรรม Incorrect or Inactive BOM {0} for Item {1} at row {2},ไม่ถูกต้องหรือ ไม่ได้ใช้งาน BOM {0} กับ รายการ {1} ที่ แถว {2} -Indicates that the package is a part of this delivery,แสดงให้เห็นว่าแพคเกจเป็นส่วนหนึ่งของการจัดส่งนี้ +Indicates that the package is a part of this delivery (Only Draft),แสดงให้เห็นว่าแพคเกจเป็นส่วนหนึ่งของการส่งมอบนี้ (เฉพาะร่าง) Indirect Expenses,ค่าใช้จ่าย ทางอ้อม Indirect Income,รายได้ ทางอ้อม Individual,บุคคล @@ -1263,6 +1339,7 @@ Intern,แพทย์ฝึกหัด Internal,ภายใน Internet Publishing,สำนักพิมพ์ ทางอินเทอร์เน็ต Introduction,การแนะนำ +Invalid Barcode,บาร์โค้ดที่ไม่ถูกต้อง Invalid Barcode or Serial No,บาร์โค้ด ที่ไม่ถูกต้อง หรือ ไม่มี Serial Invalid Mail Server. Please rectify and try again.,เซิร์ฟเวอร์ของจดหมายที่ ไม่ถูกต้อง กรุณา แก้ไข และลองอีกครั้ง Invalid Master Name,ชื่อ ปริญญาโท ที่ไม่ถูกต้อง @@ -1275,9 +1352,12 @@ Investments,เงินลงทุน Invoice Date,วันที่ออกใบแจ้งหนี้ Invoice Details,รายละเอียดใบแจ้งหนี้ Invoice No,ใบแจ้งหนี้ไม่มี -Invoice Period From Date,ระยะเวลาจากวันที่ออกใบแจ้งหนี้ +Invoice Number,จำนวนใบแจ้งหนี้ +Invoice Period From,ใบแจ้งหนี้จากระยะเวลา Invoice Period From and Invoice Period To dates mandatory for recurring invoice,ระยะเวลา ใบแจ้งหนี้ จาก ใบแจ้งหนี้ และ ระยะเวลา ในการ บังคับใช้ วันที่ ของใบแจ้งหนี้ ที่เกิดขึ้น -Invoice Period To Date,ระยะเวลาใบแจ้งหนี้เพื่อวันที่ +Invoice Period To,ระยะเวลาใบแจ้งหนี้เพื่อ +Invoice Type,ประเภทใบแจ้งหนี้ +Invoice/Journal Voucher Details,ใบแจ้งหนี้ / วารสารรายละเอียดคูปอง Invoiced Amount (Exculsive Tax),จำนวนเงินที่ ออกใบแจ้งหนี้ ( Exculsive ภาษี ) Is Active,มีการใช้งาน Is Advance,ล่วงหน้า @@ -1308,6 +1388,7 @@ Item Advanced,ขั้นสูงรายการ Item Barcode,เครื่องอ่านบาร์โค้ดสินค้า Item Batch Nos,Nos Batch รายการ Item Code,รหัสสินค้า +Item Code > Item Group > Brand,รหัสสินค้า> กลุ่มสินค้า> ยี่ห้อ Item Code and Warehouse should already exist.,รหัสสินค้า และ คลังสินค้า ควรจะ มีอยู่แล้ว Item Code cannot be changed for Serial No.,รหัสสินค้า ไม่สามารถ เปลี่ยนเป็น เลข อนุกรม Item Code is mandatory because Item is not automatically numbered,รหัสสินค้า ที่จำเป็น เพราะ สินค้า ไม่ เลขโดยอัตโนมัติ @@ -1319,6 +1400,7 @@ Item Details,รายละเอียดสินค้า Item Group,กลุ่มสินค้า Item Group Name,ชื่อกลุ่มสินค้า Item Group Tree,กลุ่มสินค้า ต้นไม้ +Item Group not mentioned in item master for item {0},กลุ่มสินค้าไม่ได้กล่าวถึงในหลักรายการสำหรับรายการที่ {0} Item Groups in Details,กลุ่มรายการในรายละเอียด Item Image (if not slideshow),รูปภาพสินค้า (ถ้าไม่สไลด์โชว์) Item Name,ชื่อรายการ @@ -1389,7 +1471,8 @@ Item-wise Purchase Register,สมัครสมาชิกสั่งซื Item-wise Sales History,รายการที่ชาญฉลาดขายประวัติการ Item-wise Sales Register,การขายสินค้าที่ชาญฉลาดสมัครสมาชิก "Item: {0} managed batch-wise, can not be reconciled using \ - Stock Reconciliation, instead use Stock Entry",รายการ: {0} การจัดการ ชุด ฉลาด ไม่สามารถคืนดี ใช้ \ \ n หุ้น สมานฉันท์ แทนที่จะ ใช้ สต็อก รายการ + Stock Reconciliation, instead use Stock Entry","รายการ: {0} การจัดการชุดฉลาดไม่สามารถคืนดีใช้ \ + สินค้าสมานฉันท์แทนที่จะใช้สต็อกรายการ" Item: {0} not found in the system,รายการ: {0} ไม่พบใน ระบบ Items,รายการ Items To Be Requested,รายการที่จะ ได้รับการร้องขอ @@ -1492,6 +1575,7 @@ Loading...,กำลังโหลด ... Loans (Liabilities),เงินให้กู้ยืม ( หนี้สิน ) Loans and Advances (Assets),เงินให้กู้ยืม และ เงินทดรอง ( สินทรัพย์ ) Local,ในประเทศ +Login,เข้าสู่ระบบ Login with your new User ID,เข้าสู่ระบบด้วย ชื่อผู้ใช้ ใหม่ของคุณ Logo,เครื่องหมาย Logo and Letter Heads,โลโก้และ หัว จดหมาย @@ -1536,6 +1620,7 @@ Make Maint. Schedule,ทำให้ Maint ตารางเวลา Make Maint. Visit,ทำให้ Maint เยือน Make Maintenance Visit,ทำให้ การบำรุงรักษา เยี่ยมชม Make Packing Slip,ให้ บรรจุ สลิป +Make Payment,ชำระเงิน Make Payment Entry,ทำ รายการ ชำระเงิน Make Purchase Invoice,ให้ ซื้อ ใบแจ้งหนี้ Make Purchase Order,ทำให้ การสั่งซื้อ @@ -1545,8 +1630,10 @@ Make Salary Structure,ทำให้ โครงสร้าง เงิน Make Sales Invoice,ทำให้การ ขายใบแจ้งหนี้ Make Sales Order,ทำให้ การขายสินค้า Make Supplier Quotation,ทำ ใบเสนอราคา ของผู้ผลิต +Make Time Log Batch,ทำให้เวลาที่เข้าสู่ระบบชุด Male,ชาย Manage Customer Group Tree.,จัดการ กลุ่ม ลูกค้า ต้นไม้ +Manage Sales Partners.,การจัดการหุ้นส่วนขาย Manage Sales Person Tree.,จัดการ คนขาย ต้นไม้ Manage Territory Tree.,จัดการ ต้นไม้ มณฑล Manage cost of operations,จัดการค่าใช้จ่ายในการดำเนินงาน @@ -1597,6 +1684,8 @@ Max 5 characters,สูงสุด 5 ตัวอักษร Max Days Leave Allowed,วันแม็กซ์ฝากอนุญาตให้นำ Max Discount (%),ส่วนลดสูงสุด (%) Max Qty,แม็กซ์ จำนวน +Max discount allowed for item: {0} is {1}%,ส่วนลดสูงสุดที่ได้รับอนุญาตสำหรับรายการ: {0} เป็น {1}% +Maximum Amount,จำนวนสูงสุด Maximum allowed credit is {0} days after posting date,เครดิต ที่ได้รับอนุญาต สูงสุดคือ {0} วันหลังจาก การโพสต์ วันที่ Maximum {0} rows allowed,สูงสุด {0} แถว รับอนุญาต Maxiumm discount for Item {0} is {1}%,ส่วนลด Maxiumm กับ รายการ {0} เป็น {1} % @@ -1617,6 +1706,7 @@ Milestones will be added as Events in the Calendar,ความคืบหน Min Order Qty,จำนวนสั่งซื้อขั้นต่ำ Min Qty,นาที จำนวน Min Qty can not be greater than Max Qty,นาที จำนวน ไม่สามารถ จะมากกว่า จำนวน สูงสุด +Minimum Amount,จำนวนขั้นต่ำ Minimum Order Qty,จำนวนสั่งซื้อขั้นต่ำ Minute,นาที Misc Details,รายละเอียดอื่น ๆ @@ -1626,7 +1716,6 @@ Mobile No,มือถือไม่มี Mobile No.,เบอร์มือถือ Mode of Payment,โหมดของการชำระเงิน Modern,ทันสมัย -Modified Amount,จำนวนการแก้ไข Monday,วันจันทร์ Month,เดือน Monthly,รายเดือน @@ -1643,7 +1732,8 @@ Mr,นาย Ms,ms Multiple Item prices.,ราคา หลายรายการ "Multiple Price Rule exists with same criteria, please resolve \ - conflict by assigning priority. Price Rules: {0}",ราคา หลาย กฎ ที่มีอยู่ ด้วย เกณฑ์ เดียวกัน กรุณา แก้ไข \ \ n ความขัดแย้ง โดยการกำหนด ลำดับความสำคัญ + conflict by assigning priority. Price Rules: {0}","ราคาหลายกฎที่มีอยู่ด้วยเกณฑ์เดียวกันกรุณาแก้ไข \ + ความขัดแย้งโดยการกำหนดลำดับความสำคัญ กฎราคา: {0}" Music,เพลง Must be Whole Number,ต้องเป็นจำนวนเต็ม Name,ชื่อ @@ -1659,6 +1749,7 @@ Negative Valuation Rate is not allowed,อัตรา การประเม Negative balance in Batch {0} for Item {1} at Warehouse {2} on {3} {4},สมดุลเชิงลบ ใน ชุด {0} กับ รายการ {1} ที่โกดัง {2} ใน {3} {4} Net Pay,จ่ายสุทธิ Net Pay (in words) will be visible once you save the Salary Slip.,จ่ายสุทธิ (คำ) จะสามารถมองเห็นได้เมื่อคุณบันทึกสลิปเงินเดือน +Net Profit / Loss,กำไร / ขาดทุน Net Total,สุทธิ Net Total (Company Currency),รวมสุทธิ (สกุลเงิน บริษัท ) Net Weight,ปริมาณสุทธิ @@ -1699,7 +1790,6 @@ Newsletter,จดหมายข่าว Newsletter Content,เนื้อหาจดหมายข่าว Newsletter Status,สถานะจดหมาย Newsletter has already been sent,จดหมายข่าว ได้ถูกส่งไป แล้ว -Newsletters is not allowed for Trial users,จดหมายข่าว ไม่ได้รับอนุญาต สำหรับผู้ใช้ ทดลอง "Newsletters to contacts, leads.",จดหมายข่าวไปยังรายชื่อนำไปสู่ Newspaper Publishers,หนังสือพิมพ์ สำนักพิมพ์ Next,ต่อไป @@ -1721,6 +1811,7 @@ No Supplier Accounts found. Supplier Accounts are identified based on 'Master Ty No accounting entries for the following warehouses,ไม่มี รายการบัญชี สำหรับคลังสินค้า ดังต่อไปนี้ No addresses created,ไม่มี ที่อยู่ ที่สร้างขึ้น No contacts created,ไม่มี รายชื่อ ที่สร้างขึ้น +No default Address Template found. Please create a new one from Setup > Printing and Branding > Address Template.,ไม่มีแม่แบบที่อยู่เริ่มต้นพบ กรุณาสร้างขึ้นมาใหม่จากการตั้งค่า> การพิมพ์และการสร้างแบรนด์> แม่แบบที่อยู่ No default BOM exists for Item {0},ไม่มี BOM เริ่มต้น แล้วสำหรับ รายการ {0} No description given,ให้ คำอธิบาย No employee found,พบว่า พนักงานที่ ไม่มี @@ -1730,6 +1821,8 @@ No of Sent SMS,ไม่มี SMS ที่ส่ง No of Visits,ไม่มีการเข้าชม No permission,ไม่อนุญาต No record found,บันทึกไม่พบ +No records found in the Invoice table,ไม่พบใบแจ้งหนี้ในตารางบันทึก +No records found in the Payment table,ไม่พบในตารางการชำระเงินบันทึก No salary slip found for month: ,สลิปเงินเดือนไม่พบคำที่เดือน: Non Profit,องค์กรไม่แสวงหากำไร Nos,Nos @@ -1739,7 +1832,7 @@ Not Available,ไม่สามารถใช้งาน Not Billed,ไม่ได้เรียกเก็บ Not Delivered,ไม่ได้ส่ง Not Set,ยังไม่ได้ระบุ -Not allowed to update entries older than {0},ไม่ได้รับอนุญาต ในการปรับปรุง รายการที่ เก่ากว่า {0} +Not allowed to update stock transactions older than {0},ไม่ได้รับอนุญาตในการปรับปรุงการทำธุรกรรมหุ้นเก่ากว่า {0} Not authorized to edit frozen Account {0},ได้รับอนุญาตให้ แก้ไข บัญชี แช่แข็ง {0} Not authroized since {0} exceeds limits,ไม่ authroized ตั้งแต่ {0} เกินขีด จำกัด Not permitted,ไม่ได้รับอนุญาต @@ -1780,7 +1873,6 @@ Only the selected Leave Approver can submit this Leave Application,เพีย Open,เปิด Open Production Orders,สั่ง เปิด การผลิต Open Tickets,ตั๋วเปิด -Open source ERP built for the web,ERP มาเปิด ตัว สำหรับเว็บ Opening (Cr),เปิด ( Cr ) Opening (Dr),เปิด ( Dr) Opening Date,เปิดวันที่ @@ -1805,7 +1897,7 @@ Opportunity Lost,สูญเสียโอกาส Opportunity Type,ประเภทโอกาส Optional. This setting will be used to filter in various transactions.,ไม่จำเป็น การตั้งค่านี้ จะถูก ใช้ในการกรอง ในการทำธุรกรรม ต่างๆ Order Type,ประเภทสั่งซื้อ -Order Type must be one of {1},ประเภท การสั่งซื้อ ต้องเป็นหนึ่งใน {1} +Order Type must be one of {0},ประเภทการสั่งซื้อต้องเป็นหนึ่งใน {0} Ordered,ได้รับคำสั่ง Ordered Items To Be Billed,รายการที่สั่งซื้อจะเรียกเก็บเงิน Ordered Items To Be Delivered,รายการที่สั่งซื้อจะถูกส่ง @@ -1817,7 +1909,6 @@ Organization Name,ชื่อองค์กร Organization Profile,องค์กร รายละเอียด Organization branch master.,ปริญญาโท สาขา องค์กร Organization unit (department) master.,หน่วย องค์กร (เขตปกครอง) ต้นแบบ -Original Amount,จำนวนเงินที่ เดิม Other,อื่น ๆ Other Details,รายละเอียดอื่น ๆ Others,คนอื่น ๆ @@ -1834,6 +1925,7 @@ Overlapping conditions found between:,เงื่อนไข ที่ทั Overview,ภาพรวม Owned,เจ้าของ Owner,เจ้าของ +P L A - Cess Portion,ปลา - เงินอุดหนุนส่วน PL or BS,PL หรือ BS PO Date,PO วันที่ PO No,PO ไม่มี @@ -1846,7 +1938,6 @@ POS Setting required to make POS Entry,การตั้งค่า POS ต้ POS Setting {0} already created for user: {1} and company {2},การตั้งค่า POS {0} สร้างไว้แล้ว สำหรับผู้ใช้ : {1} และ บริษัท {2} POS View,ดู POS PR Detail,รายละเอียดประชาสัมพันธ์ -PR Posting Date,พีอาร์ โพสต์ วันที่ Package Item Details,รายละเอียดแพคเกจสินค้า Package Items,รายการแพคเกจ Package Weight Details,รายละเอียดแพคเกจน้ำหนัก @@ -1876,8 +1967,6 @@ Parent Sales Person,ผู้ปกครองคนขาย Parent Territory,ดินแดนปกครอง Parent Website Page,ผู้ปกครอง เว็บไซต์ หน้า Parent Website Route,ผู้ปกครอง เว็บไซต์ เส้นทาง -Parent account can not be a ledger,บัญชี ผู้ปกครอง ไม่สามารถที่จะ แยกประเภท -Parent account does not exist,บัญชี ผู้ปกครอง ไม่อยู่ Parenttype,Parenttype Part-time,Part-time Partially Completed,เสร็จบางส่วน @@ -1886,6 +1975,8 @@ Partly Delivered,ส่งบางส่วน Partner Target Detail,รายละเอียดเป้าหมายพันธมิตร Partner Type,ประเภทคู่ Partner's Website,เว็บไซต์ของหุ้นส่วน +Party,งานเลี้ยง +Party Account,บัญชีพรรค Party Type,ประเภท บุคคล Party Type Name,ประเภท ของบุคคลที่ ชื่อ Passive,ไม่โต้ตอบ @@ -1898,10 +1989,14 @@ Payables Group,กลุ่มเจ้าหนี้ Payment Days,วันชำระเงิน Payment Due Date,วันที่ครบกำหนด ชำระเงิน Payment Period Based On Invoice Date,ระยะเวลา ในการชำระเงิน ตาม ใบแจ้งหนี้ ใน วันที่ +Payment Reconciliation,กระทบยอดการชำระเงิน +Payment Reconciliation Invoice,กระทบยอดใบแจ้งหนี้การชำระเงิน +Payment Reconciliation Invoices,ใบแจ้งหนี้การชำระเงินสมานฉันท์ +Payment Reconciliation Payment,กระทบยอดการชำระเงิน +Payment Reconciliation Payments,การชำระเงินการกระทบยอดการชำระเงิน Payment Type,ประเภท การชำระเงิน +Payment cannot be made for empty cart,การชำระเงินไม่สามารถทำรถว่างเปล่า Payment of salary for the month {0} and year {1},การชำระเงิน ของเงินเดือน สำหรับเดือน{0} และปี {1} -Payment to Invoice Matching Tool,วิธีการชำระเงินไปที่เครื่องมือการจับคู่ใบแจ้งหนี้ -Payment to Invoice Matching Tool Detail,รายละเอียดการชำระเงินเพื่อการจับคู่เครื่องมือใบแจ้งหนี้ Payments,วิธีการชำระเงิน Payments Made,การชำระเงิน Payments Received,วิธีการชำระเงินที่ได้รับ @@ -1944,7 +2039,9 @@ Planning,การวางแผน Plant,พืช Plant and Machinery,อาคารและ เครื่องจักร Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,กรุณาใส่ชื่อย่อหรือชื่อสั้นอย่างถูกต้องตามก็จะถูกเพิ่มเป็นคำต่อท้ายทุกหัวบัญชี +Please Update SMS Settings,กรุณาอัปเดตการตั้งค่า SMS Please add expense voucher details,กรุณา เพิ่มรายละเอียด บัตรกำนัล ค่าใช้จ่าย +Please add to Modes of Payment from Setup.,กรุณาเพิ่มโหมดการชำระเงินจากการติดตั้ง Please check 'Is Advance' against Account {0} if this is an advance entry.,กรุณาตรวจสอบ ว่า ' แอดวานซ์ ' กับ บัญชี {0} ถ้าเป็นรายการ ล่วงหน้า Please click on 'Generate Schedule',กรุณา คลิกที่ 'สร้าง ตาราง ' Please click on 'Generate Schedule' to fetch Serial No added for Item {0},กรุณา คลิกที่ 'สร้าง ตาราง ' เพื่อ เรียก หมายเลขเครื่อง เพิ่มสำหรับ รายการ {0} @@ -1992,12 +2089,13 @@ Please enter valid Company Email,กรุณาใส่ อีเมล์ ท Please enter valid Email Id,กรุณาใส่ อีเมล์ ที่ถูกต้อง รหัส Please enter valid Personal Email,กรุณากรอก อีเมล์ ส่วนบุคคล ที่ถูกต้อง Please enter valid mobile nos,กรุณากรอก กัดกร่อน มือถือ ที่ถูกต้อง +Please find attached Sales Invoice #{0},กรุณาหาที่แนบมาขายใบแจ้งหนี้ # {0} Please install dropbox python module,กรุณาติดตั้ง dropbox หลามโมดูล Please mention no of visits required,กรุณาระบุ ไม่ จำเป็นต้องมี การเข้าชม Please pull items from Delivery Note,กรุณา ดึง รายการจาก การจัดส่งสินค้า หมายเหตุ Please save the Newsletter before sending,กรุณาบันทึก ข่าวก่อนที่จะส่ง Please save the document before generating maintenance schedule,กรุณา บันทึกเอกสารก่อนที่จะ สร้าง ตารางการบำรุงรักษา -Please select Account first,กรุณาเลือก บัญชี แรก +Please see attachment,โปรดดูสิ่งที่แนบมา Please select Bank Account,เลือกบัญชีธนาคาร Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,เลือกดำเนินการต่อถ้าคุณยังต้องการที่จะรวมถึงความสมดุลในปีงบประมาณก่อนหน้านี้ออกไปในปีงบการเงิน Please select Category first,กรุณาเลือก หมวดหมู่ แรก @@ -2005,14 +2103,17 @@ Please select Charge Type first,กรุณาเลือก ประเภ Please select Fiscal Year,กรุณาเลือก ปีงบประมาณ Please select Group or Ledger value,กรุณาเลือก กลุ่ม หรือ บัญชีแยกประเภท ค่า Please select Incharge Person's name,กรุณา เลือกชื่อ Incharge บุคคล +Please select Invoice Type and Invoice Number in atleast one row,กรุณาเลือกประเภทใบแจ้งหนี้และใบแจ้งหนี้ในจำนวนอย่างน้อยหนึ่งแถว "Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Sales BOM","กรุณาเลือก รายการ ที่ ""เป็น รายการ สต็อก "" เป็น ""ไม่"" และ ""เป็น รายการ ขาย "" เป็น ""ใช่ "" และ ไม่มีอื่นใดอีก BOM ขาย" Please select Price List,เลือกรายชื่อราคา Please select Start Date and End Date for Item {0},กรุณาเลือก วันเริ่มต้น และ วันที่สิ้นสุด สำหรับรายการที่ {0} +Please select Time Logs.,กรุณาเลือกบันทึกเวลา Please select a csv file,เลือกไฟล์ CSV Please select a valid csv file with data,กรุณาเลือก csv ที่ถูกต้อง กับข้อมูล Please select a value for {0} quotation_to {1},กรุณาเลือก ค่าสำหรับ {0} quotation_to {1} "Please select an ""Image"" first","กรุณาเลือก""ภาพ "" เป็นครั้งแรก" Please select charge type first,กรุณาเลือกประเภท ค่าใช้จ่าย ครั้งแรก +Please select company first,กรุณาเลือก บริษัท แรก Please select company first.,กรุณาเลือก บริษัท แรก Please select item code,กรุณา เลือกรหัส สินค้า Please select month and year,กรุณาเลือกเดือนและปี @@ -2021,6 +2122,7 @@ Please select the document type first,เลือกประเภทของ Please select weekly off day,กรุณาเลือก วันหยุด ประจำสัปดาห์ Please select {0},กรุณาเลือก {0} Please select {0} first,กรุณาเลือก {0} ครั้งแรก +Please select {0} first.,กรุณาเลือก {0} ครั้งแรก Please set Dropbox access keys in your site config,โปรดตั้งค่า คีย์ การเข้าถึง Dropbox ใน การตั้งค่า เว็บไซต์ของคุณ Please set Google Drive access keys in {0},โปรดตั้งค่า คีย์ การเข้าถึง ไดรฟ์ ของ Google ใน {0} Please set default Cash or Bank account in Mode of Payment {0},กรุณาตั้ง ค่าเริ่มต้น เงินสด หรือ บัญชีเงินฝากธนาคาร ใน โหมด ของ การชำระเงิน {0} @@ -2047,6 +2149,7 @@ Postal,ไปรษณีย์ Postal Expenses,ค่าใช้จ่าย ไปรษณีย์ Posting Date,โพสต์วันที่ Posting Time,โพสต์เวลา +Posting date and posting time is mandatory,วันที่โพสต์และโพสต์เวลามีผลบังคับใช้ Posting timestamp must be after {0},การโพสต์ จะต้องมี การประทับเวลา หลังจาก {0} Potential opportunities for selling.,โอกาสที่มีศักยภาพสำหรับการขาย Preferred Billing Address,ที่อยู่การเรียกเก็บเงินที่ต้องการ @@ -2073,8 +2176,10 @@ Price List not selected,ราคา ไม่ได้เลือก Price List {0} is disabled,ราคา {0} ถูกปิดใช้งาน Price or Discount,ราคา หรือ ส่วนลด Pricing Rule,กฎ การกำหนดราคา -Pricing Rule For Discount,กฎ การกำหนดราคา ส่วนลด -Pricing Rule For Price,ราคา สำหรับราคาตาม กฎ +Pricing Rule Help,กฎการกำหนดราคาช่วยเหลือ +"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.",กฎข้อแรกคือการกำหนดราคาเลือกตาม 'สมัครในสนามซึ่งจะมีรายการกลุ่มสินค้าหรือยี่ห้อ +"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.",กฎการกำหนดราคาจะทำเพื่อแทนที่ราคาตามรายการ / กำหนดเปอร์เซ็นต์ส่วนลดขึ้นอยู่กับเงื่อนไขบางอย่าง +Pricing Rules are further filtered based on quantity.,กฎการกำหนดราคาจะถูกกรองต่อไปขึ้นอยู่กับปริมาณ Print Format Style,Style Format พิมพ์ Print Heading,พิมพ์หัวเรื่อง Print Without Amount,พิมพ์ที่ไม่มีจำนวน @@ -2102,7 +2207,9 @@ Production Plan Sales Orders,ผลิตคำสั่งขายแผน Production Planning Tool,เครื่องมือการวางแผนการผลิต Products,ผลิตภัณฑ์ "Products will be sorted by weight-age in default searches. More the weight-age, higher the product will appear in the list.",สินค้าจะถูกจัดเรียงโดยน้ำหนักอายุเริ่มต้นในการค้นหา เพิ่มเติมน้ำหนักอายุผลิตภัณฑ์ที่สูงขึ้นจะปรากฏในรายการ +Professional Tax,ภาษีมืออาชีพ Profit and Loss,กำไรและ ขาดทุน +Profit and Loss Statement,งบกำไรขาดทุน Project,โครงการ Project Costing,โครงการต้นทุน Project Details,รายละเอียดของโครงการ @@ -2125,7 +2232,9 @@ Projects & System,โครงการ ระบบ Prompt for Email on Submission of,แจ้งอีเมลในการยื่น Proposal Writing,การเขียน ข้อเสนอ Provide email id registered in company,ให้ ID อีเมลที่ลงทะเบียนใน บริษัท +Provisional Profit / Loss (Credit),กำไรเฉพาะกาล / ขาดทุน (เครดิต) Public,สาธารณะ +Published on website at: {0},เผยแพร่บนเว็บไซต์ที่: {0} Publishing,การประกาศ Pull sales orders (pending to deliver) based on the above criteria,ดึงยอดขาย (รอการส่งมอบ) คำสั่งตามเกณฑ์ดังกล่าวข้างต้น Purchase,ซื้อ @@ -2134,7 +2243,6 @@ Purchase Analytics,Analytics ซื้อ Purchase Common,ซื้อสามัญ Purchase Details,รายละเอียดการซื้อ Purchase Discounts,ส่วนลดการซื้อ -Purchase In Transit,ซื้อในระหว่างการขนส่ง Purchase Invoice,ซื้อใบแจ้งหนี้ Purchase Invoice Advance,ใบแจ้งหนี้การซื้อล่วงหน้า Purchase Invoice Advances,ซื้อใบแจ้งหนี้เงินทดรอง @@ -2142,7 +2250,6 @@ Purchase Invoice Item,สั่งซื้อสินค้าใบแจ้ Purchase Invoice Trends,แนวโน้มการซื้อใบแจ้งหนี้ Purchase Invoice {0} is already submitted,ซื้อ ใบแจ้งหนี้ {0} มีการส่ง แล้ว Purchase Order,ใบสั่งซื้อ -Purchase Order Date,สั่งซื้อวันที่สั่งซื้อ Purchase Order Item,สั่งซื้อสินค้าสั่งซื้อ Purchase Order Item No,สั่งซื้อสินค้าสั่งซื้อไม่มี Purchase Order Item Supplied,รายการสั่งซื้อที่จำหน่าย @@ -2206,7 +2313,6 @@ Quarter,หนึ่งในสี่ Quarterly,ทุกสามเดือน Quick Help,ความช่วยเหลือด่วน Quotation,ใบเสนอราคา -Quotation Date,วันที่ใบเสนอราคา Quotation Item,รายการใบเสนอราคา Quotation Items,รายการใบเสนอราคา Quotation Lost Reason,ใบเสนอราคา Lost เหตุผล @@ -2284,6 +2390,7 @@ Recurring Invoice,ใบแจ้งหนี้ที่เกิดขึ้ Recurring Type,ประเภทที่เกิดขึ้น Reduce Deduction for Leave Without Pay (LWP),ลดการหักออกโดยไม่จ่าย (LWP) Reduce Earning for Leave Without Pay (LWP),ลดรายได้สำหรับการออกโดยไม่จ่าย (LWP) +Ref,อ้าง Ref Code,รหัส Ref Ref SQ,SQ Ref Reference,การอ้างอิง @@ -2307,6 +2414,7 @@ Relieving Date,บรรเทาวันที่ Relieving Date must be greater than Date of Joining,บรรเทา วันที่ ต้องมากกว่า วันที่ เข้าร่วม Remark,คำพูด Remarks,ข้อคิดเห็น +Remarks Custom,หมายเหตุแบบกำหนดเอง Rename,ตั้งชื่อใหม่ Rename Log,เปลี่ยนชื่อเข้าสู่ระบบ Rename Tool,เปลี่ยนชื่อเครื่องมือ @@ -2322,6 +2430,7 @@ Report Type,ประเภทรายงาน Report Type is mandatory,ประเภทรายงาน มีผลบังคับใช้ Reports to,รายงานไปยัง Reqd By Date,reqd โดยวันที่ +Reqd by Date,reqd ตามวันที่ Request Type,ชนิดของการร้องขอ Request for Information,การร้องขอข้อมูล Request for purchase.,ขอซื้อ @@ -2375,21 +2484,34 @@ Rounded Total,รวมกลม Rounded Total (Company Currency),รวมกลม (สกุลเงิน บริษัท ) Row # ,แถว # Row # {0}: , +Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,แถว # {0}: จำนวนสั่งซื้อไม่น้อยกว่าจำนวนสั่งซื้อขั้นต่ำของรายการ (ที่กำหนดไว้ในหลักรายการ) +Row #{0}: Please specify Serial No for Item {1},แถว # {0}: โปรดระบุหมายเลขเครื่องกับรายการ {1} "Row {0}: Account does not match with \ - Purchase Invoice Credit To account",แถว {0}: บัญชี ไม่ตรงกับ ที่มีการ \ \ n ซื้อ ใบแจ้งหนี้ บัตรเครดิต เพื่อ บัญชี + Purchase Invoice Credit To account","แถว {0}: บัญชีไม่ตรงกับที่มีการ \ + ซื้อใบแจ้งหนี้บัตรเครดิตเพื่อบัญชี" "Row {0}: Account does not match with \ - Sales Invoice Debit To account",แถว {0}: บัญชี ไม่ตรงกับ ที่มีการ \ \ n ขายใบแจ้งหนี้ บัตรเดบิต ในการ บัญชี + Sales Invoice Debit To account","แถว {0}: บัญชีไม่ตรงกับที่มีการ \ + ขายใบแจ้งหนี้บัตรเดบิตในการบัญชี" +Row {0}: Conversion Factor is mandatory,แถว {0}: ปัจจัยการแปลงมีผลบังคับใช้ Row {0}: Credit entry can not be linked with a Purchase Invoice,แถว {0}: รายการ เครดิต ไม่สามารถ เชื่อมโยงกับใบแจ้งหนี้ ซื้อ Row {0}: Debit entry can not be linked with a Sales Invoice,แถว {0}: รายการ เดบิต ไม่สามารถ เชื่อมโยงกับใบแจ้งหนี้ การขาย +Row {0}: Payment amount must be less than or equals to invoice outstanding amount. Please refer Note below.,แถว {0}: จำนวนเงินที่ชำระเงินจะต้องน้อยกว่าหรือเท่ากับใบแจ้งหนี้ยอดคงค้าง โปรดดูรายละเอียดด้านล่างหมายเหตุ +Row {0}: Qty is mandatory,แถว {0}: จำนวนมีผลบังคับใช้ +"Row {0}: Qty not avalable in warehouse {1} on {2} {3}. + Available Qty: {4}, Transfer Qty: {5}","แถว {0}: จำนวนการไปรษณีย์ในคลังสินค้า {1} ใน {2} {3} + มีจำนวน: {4} โอนจำนวน: {5}" "Row {0}: To set {1} periodicity, difference between from and to date \ - must be greater than or equal to {2}",แถว {0}: การตั้งค่า {1} ระยะเวลา แตกต่างระหว่าง จากและไปยัง วันที่ \ \ n ต้องมากกว่า หรือเท่ากับ {2} + must be greater than or equal to {2}","แถว {0}: การตั้งค่า {1} ระยะเวลาแตกต่างระหว่างจากและไปยังวันที่ \ + ต้องมากกว่าหรือเท่ากับ {2}" Row {0}:Start Date must be before End Date,แถว {0}: วันที่ เริ่มต้น ต้องอยู่ก่อน วันที่สิ้นสุด Rules for adding shipping costs.,กฎระเบียบ สำหรับการเพิ่ม ค่าใช้จ่ายใน การจัดส่งสินค้า Rules for applying pricing and discount.,กฎระเบียบ สำหรับการใช้ การกำหนดราคาและ ส่วนลด Rules to calculate shipping amount for a sale,กฎระเบียบในการคำนวณปริมาณการขนส่งสินค้าสำหรับการขาย S.O. No.,S.O. เลขที่ +SHE Cess on Excise,SHE Cess บนสรรพสามิต +SHE Cess on Service Tax,SHE Cess กับภาษีบริการ +SHE Cess on TDS,SHE Cess ใน TDS SMS Center,ศูนย์ SMS -SMS Control,ควบคุมการส่ง SMS SMS Gateway URL,URL เกตเวย์ SMS SMS Log,เข้าสู่ระบบ SMS SMS Parameter,พารามิเตอร์ SMS @@ -2494,15 +2616,20 @@ Securities and Deposits,หลักทรัพย์และ เงินฝ "Select ""Yes"" if this item represents some work like training, designing, consulting etc.",เลือก "ใช่" ถ้ารายการนี​​้แสดงให้เห็นถึงการทำงานบางอย่างเช่นการฝึกอบรมการออกแบบให้คำปรึกษา ฯลฯ "Select ""Yes"" if you are maintaining stock of this item in your Inventory.",เลือก "ใช่" ถ้าคุณจะรักษาสต็อกของรายการนี​​้ในสินค้าคงคลังของคุณ "Select ""Yes"" if you supply raw materials to your supplier to manufacture this item.",เลือก "ใช่" ถ้าคุณจัดหาวัตถุดิบเพื่อจำหน่ายของคุณในการผลิตรายการนี​​้ +Select Brand...,เลือกยี่ห้อ ... Select Budget Distribution to unevenly distribute targets across months.,เลือกการกระจายงบประมาณที่จะไม่สม่ำเสมอกระจายทั่วเป้าหมายเดือน "Select Budget Distribution, if you want to track based on seasonality.",เลือกการกระจายงบประมาณถ้าคุณต้องการที่จะติดตามจากฤดูกาล +Select Company...,เลือก บริษัท ... Select DocType,เลือก DocType +Select Fiscal Year...,เลือกปีงบประมาณ ... Select Items,เลือกรายการ +Select Project...,เลือกโครงการ ... Select Purchase Receipts,เลือก ซื้อ รายรับ Select Sales Orders,เลือกคำสั่งซื้อขาย Select Sales Orders from which you want to create Production Orders.,เลือกขายที่คุณต้องการที่จะสร้างคำสั่งการผลิตสั่งซื้อ Select Time Logs and Submit to create a new Sales Invoice.,เลือกบันทึกเวลาและส่งในการสร้างใบแจ้งหนี้การขายใหม่ Select Transaction,เลือกรายการ +Select Warehouse...,เลือกคลังสินค้า ... Select Your Language,เลือกภาษา ของคุณ Select account head of the bank where cheque was deposited.,เลือกหัวที่บัญชีของธนาคารที่ตรวจสอบถูกวาง Select company name first.,เลือกชื่อ บริษัท แรก @@ -2520,6 +2647,7 @@ Select your home country and check the timezone and currency.,เลือกป "Selecting ""Yes"" will give a unique identity to each entity of this item which can be viewed in the Serial No master.",เลือก "Yes" จะให้เอกลักษณ์เฉพาะของแต่ละองค์กรเพื่อรายการนี​​้ซึ่งสามารถดูได้ในหลักหมายเลขเครื่อง Selling,ขาย Selling Settings,การขายการตั้งค่า +"Selling must be checked, if Applicable For is selected as {0}",ขายจะต้องตรวจสอบถ้าใช้สำหรับการถูกเลือกเป็น {0} Send,ส่ง Send Autoreply,ส่ง autoreply Send Email,ส่งอีเมล์ @@ -2556,7 +2684,8 @@ Serial Nos Required for Serialized Item {0},อนุกรม Nos จำเป Serial Number Series,ชุด หมายเลข Serial number {0} entered more than once,หมายเลข {0} เข้ามา มากกว่าหนึ่งครั้ง "Serialized Item {0} cannot be updated \ - using Stock Reconciliation",รายการ ต่อเนื่อง {0} ไม่สามารถปรับปรุง \ \ n การใช้ สต็อก สมานฉันท์ + using Stock Reconciliation","รายการต่อเนื่อง {0} ไม่สามารถปรับปรุง \ + ใช้สต็อกสมานฉันท์" Series,ชุด Series List for this Transaction,รายชื่อชุดสำหรับการทำธุรกรรมนี้ Series Updated,ชุด ล่าสุด @@ -2565,15 +2694,18 @@ Series is mandatory,ชุด มีผลบังคับใช้ Series {0} already used in {1},ชุด {0} ใช้แล้ว ใน {1} Service,ให้บริการ Service Address,ที่อยู่บริการ +Service Tax,ภาษีบริการ Services,การบริการ Set,ชุด "Set Default Values like Company, Currency, Current Fiscal Year, etc.",การตั้ง ค่าเริ่มต้น เช่น บริษัท สกุลเงิน ปัจจุบัน ปีงบประมาณ ฯลฯ Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,กำหนดงบประมาณกลุ่มฉลาดรายการในมณฑลนี้ คุณยังสามารถรวมฤดูกาลโดยการตั้งค่าการกระจาย +Set Status as Available,ตั้งค่าสถานะที่มีจำหน่ายเป็น Set as Default,Set as Default Set as Lost,ตั้งเป็น ที่หายไป Set prefix for numbering series on your transactions,กำหนดคำนำหน้าสำหรับหมายเลขชุดทำธุรกรรมของคุณ Set targets Item Group-wise for this Sales Person.,ตั้งเป้ากลุ่มสินค้าที่ชาญฉลาดสำหรับการนี​​้คนขาย Setting Account Type helps in selecting this Account in transactions.,ประเภทบัญชีการตั้งค่าช่วยในการเลือกบัญชีนี้ในการทำธุรกรรม +Setting this Address Template as default as there is no other default,การตั้งค่าแม่แบบที่อยู่นี้เป็นค่าเริ่มต้นที่ไม่มีค่าเริ่มต้นอื่น ๆ Setting up...,การตั้งค่า ... Settings,การตั้งค่า Settings for HR Module,การตั้งค่าสำหรับ โมดูล ทรัพยากรบุคคล @@ -2581,6 +2713,7 @@ Settings for HR Module,การตั้งค่าสำหรับ โม Setup,การติดตั้ง Setup Already Complete!!,การติดตั้ง เสร็จสมบูรณ์ แล้ว ! Setup Complete,การติดตั้ง เสร็จสมบูรณ์ +Setup SMS gateway settings,การตั้งค่าการติดตั้งเกตเวย์ SMS Setup Series,ชุดติดตั้ง Setup Wizard,ตัวช่วยสร้าง การติดตั้ง Setup incoming server for jobs email id. (e.g. jobs@example.com),การตั้งค่า เซิร์ฟเวอร์ขาเข้า สำหรับงาน อีเมล์ ของคุณ (เช่น jobs@example.com ) @@ -2606,6 +2739,7 @@ Short biography for website and other publications.,ชีวประวัต Show In Website,แสดงในเว็บไซต์ Show a slideshow at the top of the page,สไลด์โชว์ที่ด้านบนของหน้า Show in Website,แสดงในเว็บไซต์ +Show rows with zero values,แสดงแถวที่มีค่าศูนย์ Show this slideshow at the top of the page,แสดงภาพสไลด์นี้ที่ด้านบนของหน้า Sick Leave,ป่วย ออกจาก Signature,ลายเซ็น @@ -2635,9 +2769,9 @@ Specifications,ข้อมูลจำเพาะของ "Specify the operations, operating cost and give a unique Operation no to your operations.",ระบุการดำเนินการ ค่าใช้จ่าย ในการดำเนินงาน และให้การดำเนินการ ที่ไม่ซ้ำกัน ในการ ดำเนินงานของคุณ Split Delivery Note into packages.,แยกหมายเหตุจัดส่งสินค้าเข้าไปในแพคเกจ Sports,กีฬา +Sr,sr Standard,มาตรฐาน Standard Buying,ซื้อ มาตรฐาน -Standard Rate,อัตรามาตรฐาน Standard Reports,รายงาน มาตรฐาน Standard Selling,ขาย มาตรฐาน Standard contract terms for Sales or Purchase.,ข้อสัญญา มาตรฐานสำหรับ การขายหรือการ ซื้อ @@ -2646,6 +2780,7 @@ Start Date,วันที่เริ่มต้น Start date of current invoice's period,วันที่เริ่มต้นของระยะเวลาการออกใบแจ้งหนี้ปัจจุบัน Start date should be less than end date for Item {0},วันที่เริ่มต้น ควรจะน้อยกว่า วันที่ สิ้นสุดสำหรับ รายการ {0} State,รัฐ +Statement of Account,งบบัญชี Static Parameters,พารามิเตอร์คง Status,สถานะ Status must be one of {0},สถานะ ต้องเป็นหนึ่งใน {0} @@ -2687,6 +2822,7 @@ Stock Value Difference,ความแตกต่างมูลค่าหุ Stock balances updated,ยอด สต็อก การปรับปรุง Stock cannot be updated against Delivery Note {0},หุ้น ไม่สามารถปรับปรุง กับ การจัดส่งสินค้า หมายเหตุ {0} Stock entries exist against warehouse {0} cannot re-assign or modify 'Master Name',รายการ สต็อก ที่มีอยู่ กับ คลังสินค้า {0} ไม่สามารถเปลี่ยนแปลงหรือ กำหนด หรือปรับเปลี่ยน ' ชื่อ โท +Stock transactions before {0} are frozen,ก่อนที่จะทำธุรกรรมหุ้น {0} ถูกแช่แข็ง Stop,หยุด Stop Birthday Reminders,หยุด วันเกิด การแจ้งเตือน Stop Material Request,ขอ หยุด วัสดุ @@ -2706,13 +2842,13 @@ Submit this Production Order for further processing.,ส่ง การผล Submitted,Submitted Subsidiary,บริษัท สาขา Successful: ,ที่ประสบความสำเร็จ: -Successfully allocated,ประสบความสำเร็จใน การจัดสรร +Successfully Reconciled,Reconciled ประสบความสำเร็จ Suggestions,ข้อเสนอแนะ Sunday,วันอาทิตย์ Supplier,ผู้จัดจำหน่าย Supplier (Payable) Account,ผู้จัดจำหน่ายบัญชี (เจ้าหนี้) Supplier (vendor) name as entered in supplier master,ผู้จัดจำหน่ายชื่อ (ผู้ขาย) ป้อนเป็นผู้จัดจำหน่ายในต้นแบบ -Supplier Account,บัญชี ผู้จัดจำหน่าย +Supplier > Supplier Type,ผู้ผลิต> ประเภทผู้ผลิต Supplier Account Head,หัวหน้าฝ่ายบัญชีของผู้จัดจำหน่าย Supplier Address,ที่อยู่ผู้ผลิต Supplier Addresses and Contacts,ที่อยู่ ของผู้ผลิต และผู้ติดต่อ @@ -2750,6 +2886,12 @@ Sync with Google Drive,ซิงค์กับ Google ไดรฟ์ System,ระบบ System Settings,การตั้งค่าระบบ "System User (login) ID. If set, it will become default for all HR forms.",ผู้ใช้ระบบ (login) ID ถ้าชุดก็จะกลายเป็นค่าเริ่มต้นสำหรับทุกรูปแบบทรัพยากรบุคคล +TDS (Advertisement),TDS (โฆษณา) +TDS (Commission),TDS (Commission) +TDS (Contractor),TDS (เหมา) +TDS (Interest),TDS (ดอกเบี้ย) +TDS (Rent),TDS (เช่า) +TDS (Salary),TDS (Salary) Target Amount,จำนวนเป้าหมาย Target Detail,รายละเอียดเป้าหมาย Target Details,รายละเอียดเป้าหมาย @@ -2770,10 +2912,12 @@ Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are no Tax Rate,อัตราภาษี Tax and other salary deductions.,ภาษีและอื่น ๆ หักเงินเดือน "Tax detail table fetched from item master as a string and stored in this field. -Used for Taxes and Charges",ตาราง รายละเอียด ภาษี มาจาก รายการ หลัก เป็นสตริง และเก็บไว้ใน เขตข้อมูลนี้ . \ n ใช้งาน เพื่อการ ภาษี และ ค่าใช้จ่าย +Used for Taxes and Charges","ตารางรายละเอียดภาษีเอาจากต้นแบบรายการที่เป็นสตริงและเก็บไว้ในด้านนี้ + ใช้สำหรับภาษีและค่าใช้จ่าย" Tax template for buying transactions.,แม่แบบ ภาษี สำหรับการซื้อ ในการทำธุรกรรม Tax template for selling transactions.,แม่แบบ ภาษี สำหรับการขาย ในการทำธุรกรรม Taxable,ต้องเสียภาษี +Taxes,ภาษี Taxes and Charges,ภาษีและค่าบริการ Taxes and Charges Added,ภาษีและค่าบริการเพิ่ม Taxes and Charges Added (Company Currency),ภาษีและค่าใช้จ่ายเพิ่ม (สกุลเงิน บริษัท ) @@ -2786,6 +2930,7 @@ Technology,เทคโนโลยี Telecommunications,การสื่อสารโทรคมนาคม Telephone Expenses,ค่าใช้จ่าย โทรศัพท์ Television,โทรทัศน์ +Template,แบบ Template for performance appraisals.,แม่แบบสำหรับ การประเมิน ผลการปฏิบัติงาน Template of terms or contract.,แม่ของข้อตกลงหรือสัญญา Temporary Accounts (Assets),บัญชี ชั่วคราว ( สินทรัพย์ ) @@ -2815,7 +2960,8 @@ The First User: You,ผู้ใช้งาน ครั้งแรก: คุ The Organization,องค์การ "The account head under Liability, in which Profit/Loss will be booked",หัว บัญชีภายใต้ ความรับผิด ในการที่ กำไร / ขาดทุน จะได้รับการ จอง "The date on which next invoice will be generated. It is generated on submit. -",วันที่ ใบแจ้งหนี้ ต่อไป จะถูกสร้างขึ้น +","วันที่ใบแจ้งหนี้ต่อไปจะถูกสร้างขึ้น มันถูกสร้างขึ้นบนส่ง +" The date on which recurring invoice will be stop,วันที่ใบแจ้งหนี้ที่เกิดขึ้นจะถูกหยุด "The day of the month on which auto invoice will be generated e.g. 05, 28 etc ","วันของเดือนที่ใบแจ้งหนี้อัตโนมัติจะถูกสร้างขึ้นเช่น 05, 28 ฯลฯ" The day(s) on which you are applying for leave are holiday. You need not apply for leave.,วัน(s) ที่ คุณจะใช้สำหรับ การลา เป็น วันหยุด คุณไม่จำเป็นต้อง ใช้สำหรับการ ออก @@ -2827,6 +2973,7 @@ The net weight of this package. (calculated automatically as sum of net weight o The new BOM after replacement,BOM ใหม่หลังจากเปลี่ยน The rate at which Bill Currency is converted into company's base currency,อัตราที่สกุลเงินบิลจะถูกแปลงเป็นสกุลเงินหลักของ บริษัท The unique id for tracking all recurring invoices. It is generated on submit.,ID ไม่ซ้ำกันสำหรับการติดตามใบแจ้งหนี้ที่เกิดขึ้นทั้งหมด มันถูกสร้างขึ้นเมื่อส่ง +"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","แล้วกฎราคาจะถูกกรองออกขึ้นอยู่กับลูกค้ากลุ่มลูกค้า, มณฑล, ผู้ผลิต, ผู้ผลิตประเภทแคมเปญพันธมิตรการขายอื่น ๆ" There are more holidays than working days this month.,มี วันหยุด มากขึ้นกว่าที่ เป็น วันทำการ ในเดือนนี้ "There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","มีเพียงสามารถเป็น สภาพ กฎ การจัดส่งสินค้า ที่มี 0 หรือ ค่าว่าง สำหรับ "" ค่า """ There is not enough leave balance for Leave Type {0},ที่มีอยู่ไม่ สมดุล เพียงพอสำหรับ การลา ออกจาก ประเภท {0} @@ -2838,6 +2985,7 @@ This Leave Application is pending approval. Only the Leave Apporver can update s This Time Log Batch has been billed.,ชุดนี้บันทึกเวลาที่ได้รับการเรียกเก็บเงิน This Time Log Batch has been cancelled.,ชุดนี้บันทึกเวลาที่ถูกยกเลิก This Time Log conflicts with {0},นี้ เข้าสู่ระบบ เวลาที่ ขัดแย้งกับ {0} +This format is used if country specific format is not found,รูปแบบนี้ใช้ในกรณีที่รูปแบบเฉพาะของประเทศจะไม่พบ This is a root account and cannot be edited.,นี่คือบัญชี รากและ ไม่สามารถแก้ไขได้ This is a root customer group and cannot be edited.,นี่คือกลุ่ม ลูกค้าราก และ ไม่สามารถแก้ไขได้ This is a root item group and cannot be edited.,กลุ่มนี้เป็นกลุ่ม รายการที่ ราก และ ไม่สามารถแก้ไขได้ @@ -2853,7 +3001,9 @@ Time Log Batch,เข้าสู่ระบบ Batch เวลา Time Log Batch Detail,เวลารายละเอียดรุ่นที่เข้าสู่ระบบ Time Log Batch Details,เวลารายละเอียดรุ่นที่เข้าสู่ระบบ Time Log Batch {0} must be 'Submitted',เวลา เข้าสู่ระบบ ชุด {0} ต้อง ' ส่ง ' +Time Log Status must be Submitted.,สถานะบันทึกเวลาที่จะต้องส่ง Time Log for tasks.,เข้าสู่ระบบเวลาสำหรับงาน +Time Log is not billable,เวลาที่เข้าสู่ระบบจะไม่เรียกเก็บเงิน Time Log {0} must be 'Submitted',บันทึกเวลาที่ {0} ต้อง ' ส่ง ' Time Zone,โซนเวลา Time Zones,เขตเวลา @@ -2866,6 +3016,7 @@ To,ไปยัง To Currency,กับสกุลเงิน To Date,นัด To Date should be same as From Date for Half Day leave,วันที่ ควรจะเป็น เช่นเดียวกับการ จาก วันที่ ลา ครึ่งวัน +To Date should be within the Fiscal Year. Assuming To Date = {0},วันที่ควรจะเป็นภายในปีงบประมาณ สมมติว่านัด = {0} To Discuss,เพื่อหารือเกี่ยวกับ To Do List,To Do List To Package No.,กับแพคเกจหมายเลข @@ -2875,8 +3026,8 @@ To Value,เพื่อให้มีค่า To Warehouse,ไปที่โกดัง "To add child nodes, explore tree and click on the node under which you want to add more nodes.",ในการเพิ่ม โหนด เด็ก สำรวจ ต้นไม้ และคลิกที่ โหนด ตามที่ คุณต้องการเพิ่ม โหนด เพิ่มเติม "To assign this issue, use the ""Assign"" button in the sidebar.",เพื่อกำหนดปัญหานี้ให้ใช้ปุ่ม "กำหนด" ในแถบด้านข้าง -To create a Bank Account:,สร้างบัญชี ธนาคาร -To create a Tax Account:,เพื่อสร้าง บัญชี ภาษี: +To create a Bank Account,เพื่อสร้างบัญชีธนาคาร +To create a Tax Account,เพื่อสร้างบัญชีภาษี "To create an Account Head under a different company, select the company and save customer.",เพื่อสร้างหัวหน้าบัญชีที่แตกต่างกันภายใต้ บริษัท เลือก บริษัท และบันทึกของลูกค้า To date cannot be before from date,วันที่ ไม่สามารถ ก่อนที่จะ นับจากวันที่ To enable Point of Sale features,ต้องการเปิดใช้งานคุณลักษณะจุดขาย @@ -2884,22 +3035,23 @@ To enable Point of Sale view,เพื่อให้สามารถ To get Item Group in details table,ที่จะได้รับกลุ่มสินค้าในตารางรายละเอียด "To include tax in row {0} in Item rate, taxes in rows {1} must also be included",จะรวมถึง ภาษี ในแถว {0} ใน อัตรา รายการ ภาษี ใน แถว {1} จะต้องรวม "To merge, following properties must be same for both items",ที่จะ ผสาน คุณสมบัติต่อไปนี้ จะต้อง เหมือนกันสำหรับ ทั้งสองรายการ -"To report an issue, go to ", +"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.",ที่จะไม่ใช้กฎการกำหนดราคาในการทำธุรกรรมโดยเฉพาะอย่างยิ่งกฎการกำหนดราคาทั้งหมดสามารถใช้งานควรจะปิดการใช้งาน "To set this Fiscal Year as Default, click on 'Set as Default'",การตั้งค่า นี้ ปีงบประมาณ เป็นค่าเริ่มต้น ให้คลิกที่ 'ตั้ง เป็นค่าเริ่มต้น ' To track any installation or commissioning related work after sales,เพื่อติดตามการติดตั้งใด ๆ หรืองานที่เกี่ยวข้องกับการว่าจ้างหลังการขาย "To track brand name in the following documents Delivery Note, Opportunity, Material Request, Item, Purchase Order, Purchase Voucher, Purchaser Receipt, Quotation, Sales Invoice, Sales BOM, Sales Order, Serial No","เพื่อติดตาม ชื่อแบรนด์ ในเอกสาร ดังต่อไปนี้ หมายเหตุ การจัดส่ง โอกาส ขอ วัสดุ, รายการ สั่งซื้อ , ซื้อ คูปอง , ซื้อ ใบเสร็จรับเงิน ใบเสนอราคา ขายใบแจ้งหนี้ การขาย BOM , การขายสินค้า , หมายเลขเครื่อง" To track item in sales and purchase documents based on their serial nos. This is can also used to track warranty details of the product.,เพื่อติดตามรายการในเอกสารการขายและการซื้อจาก Nos อนุกรมของพวกเขา นี้สามารถใช้ในการติดตามรายละเอียดการรับประกันของผลิตภัณฑ์ To track items in sales and purchase documents with batch nos
Preferred Industry: Chemicals etc,เพื่อติดตามรายการในเอกสารการขายและการซื้อด้วย Nos ชุด
อุตสาหกรรมที่ต้องการ: ฯลฯ สารเคมี To track items using barcode. You will be able to enter items in Delivery Note and Sales Invoice by scanning barcode of item.,เพื่อติดตามรายการโดยใช้บาร์โค้ด คุณจะสามารถป้อนรายการในหมายเหตุจัดส่งสินค้าและขายใบแจ้งหนี้โดยการสแกนบาร์โค้ดของรายการ +Too many columns. Export the report and print it using a spreadsheet application.,คอลัมน์มากเกินไป ส่งออกรายงานและพิมพ์โดยใช้โปรแกรมสเปรดชีต Tools,เครื่องมือ Total,ทั้งหมด +Total ({0}),รวม ({0}) Total Advance,ล่วงหน้ารวม -Total Allocated Amount,จำนวนเงินที่ จัดสรร รวม -Total Allocated Amount can not be greater than unmatched amount,รวม จำนวนเงินที่จัดสรร ไม่สามารถ จะสูง กว่าจำนวนเงินที่ ไม่มีที่เปรียบ Total Amount,รวมเป็นเงิน Total Amount To Pay,รวมเป็นเงินการชำระเงิน Total Amount in Words,จำนวนเงินทั้งหมดในคำ Total Billing This Year: ,การเรียกเก็บเงินรวมปีนี้: +Total Characters,ตัวอักษรรวม Total Claimed Amount,จำนวนรวมอ้าง Total Commission,คณะกรรมการรวม Total Cost,ค่าใช้จ่ายรวม @@ -2923,14 +3075,13 @@ Total Score (Out of 5),คะแนนรวม (out of 5) Total Tax (Company Currency),ภาษีรวม (สกุลเงิน บริษัท ) Total Taxes and Charges,ภาษีและค่าบริการรวม Total Taxes and Charges (Company Currency),รวมภาษีและค่าบริการ (สกุลเงิน บริษัท ) -Total Words,คำ รวม -Total Working Days In The Month,วันทําการรวมในเดือน Total allocated percentage for sales team should be 100,ร้อยละ จัดสรร รวม สำหรับทีม ขายควร เป็น 100 Total amount of invoices received from suppliers during the digest period,รวมเป็นจำนวนเงินของใบแจ้งหนี้ที่ได้รับจากซัพพลายเออร์ในช่วงระยะเวลาย่อย Total amount of invoices sent to the customer during the digest period,รวมเป็นจำนวนเงินของใบแจ้งหนี้ส่งให้กับลูกค้าในช่วงระยะเวลาย่อย Total cannot be zero,รวม ไม่ สามารถเป็นศูนย์ Total in words,รวมอยู่ในคำพูด Total points for all goals should be 100. It is {0},จุด รวมของ เป้าหมายทั้งหมด ควรจะเป็น 100 . มันเป็น {0} +Total valuation for manufactured or repacked item(s) can not be less than total valuation of raw materials,มูลค่ารวมที่ผลิตหรือ repacked รายการ (s) ไม่สามารถจะน้อยกว่าการประเมินมูลค่ารวมของวัตถุดิบ Total weightage assigned should be 100%. It is {0},weightage รวม ที่ได้รับมอบหมาย ควรจะ 100% มันเป็น {0} Totals,ผลรวม Track Leads by Industry Type.,ติดตาม นำ ตามประเภท อุตสาหกรรม @@ -2966,7 +3117,7 @@ UOM Conversion Details,UOM รายละเอียดการแปลง UOM Conversion Factor,ปัจจัยการแปลง UOM UOM Conversion factor is required in row {0},ปัจจัย UOM แปลง จะต้อง อยู่ในแถว {0} UOM Name,ชื่อ UOM -UOM coversion factor required for UOM {0} in Item {1},ปัจจัย Coversion UOM ที่จำเป็นสำหรับการ UOM {0} ใน รายการ {1} +UOM coversion factor required for UOM: {0} in Item: {1},ปัจจัย Coversion UOM จำเป็นสำหรับ UOM: {0} ในรายการ: {1} Under AMC,ภายใต้ AMC Under Graduate,ภายใต้บัณฑิต Under Warranty,ภายใต้การรับประกัน @@ -2976,8 +3127,8 @@ Unit of Measure {0} has been entered more than once in Conversion Factor Table, "Unit of measurement of this item (e.g. Kg, Unit, No, Pair).","หน่วยของการวัดของรายการนี​​้ (เช่นกิโลกรัมหน่วย, ไม่มี, คู่)" Units/Hour,หน่วย / ชั่วโมง Units/Shifts,หน่วย / กะ -Unmatched Amount,จำนวนเปรียบ Unpaid,ไม่ได้ค่าจ้าง +Unreconciled Payment Details,รายละเอียดการชำระเงิน Unreconciled Unscheduled,ไม่ได้หมายกำหนดการ Unsecured Loans,เงินให้กู้ยืม ที่ไม่มีหลักประกัน Unstop,เปิดจุก @@ -2992,7 +3143,6 @@ Update Landed Cost,ปรับปรุง ต้นทุนที่ดิน Update Series,Series ปรับปรุง Update Series Number,จำนวน Series ปรับปรุง Update Stock,อัพเดทสต็อก -"Update allocated amount in the above table and then click ""Allocate"" button",อัพเดทจำนวนที่จัดสรรในตารางข้างต้นแล้วคลิกปุ่ม "จัดสรร" Update bank payment dates with journals.,การชำระเงินของธนาคารปรับปรุงวันที่มีวารสาร Update clearance date of Journal Entries marked as 'Bank Vouchers',ปรับปรุง การกวาดล้าง ของ อนุทิน ทำเครื่องหมายเป็น ' ธนาคาร บัตรกำนัล ' Updated,อัพเดต @@ -3009,6 +3159,7 @@ Upper Income,รายได้บน Urgent,ด่วน Use Multi-Level BOM,ใช้ BOM หลายระดับ Use SSL,ใช้ SSL +Used for Production Plan,ที่ใช้ในการวางแผนการผลิต User,ผู้ใช้งาน User ID,รหัสผู้ใช้ User ID not set for Employee {0},รหัสผู้ใช้ ไม่ได้ ตั้งไว้สำหรับ พนักงาน {0} @@ -3047,9 +3198,9 @@ View Now,ดู ตอนนี้ Visit report for maintenance call.,เยี่ยมชมรายงานสำหรับการบำรุงรักษาโทร Voucher #,บัตรกำนัล # Voucher Detail No,รายละเอียดบัตรกำนัลไม่มี +Voucher Detail Number,จำนวนรายละเอียดบัตรกำนัล Voucher ID,ID บัตรกำนัล Voucher No,บัตรกำนัลไม่มี -Voucher No is not valid,ไม่มี คูปองนี้ ไม่ถูกต้อง Voucher Type,ประเภทบัตรกำนัล Voucher Type and Date,ประเภทคูปองและวันที่ Walk In,Walk In @@ -3065,11 +3216,12 @@ Warehouse is mandatory for stock Item {0} in row {1},คลังสินค้ Warehouse is missing in Purchase Order,คลังสินค้า ขาดหายไปใน การสั่งซื้อ Warehouse not found in the system,โกดัง ไม่พบใน ระบบ Warehouse required for stock Item {0},คลังสินค้า ที่จำเป็นสำหรับ รายการ หุ้น {0} -Warehouse required in POS Setting,คลังสินค้า จำเป็นต้องใช้ใน การตั้งค่า POS Warehouse where you are maintaining stock of rejected items,คลังสินค้าที่คุณจะรักษาสต็อกของรายการปฏิเสธ Warehouse {0} can not be deleted as quantity exists for Item {1},คลังสินค้า {0} ไม่สามารถลบได้ เป็น ปริมาณ ที่มีอยู่สำหรับ รายการ {1} Warehouse {0} does not belong to company {1},คลังสินค้า {0} ไม่ได้เป็นของ บริษัท {1} Warehouse {0} does not exist,คลังสินค้า {0} ไม่อยู่ +Warehouse {0}: Company is mandatory,คลังสินค้า {0}: บริษัท มีผลบังคับใช้ +Warehouse {0}: Parent account {1} does not bolong to the company {2},คลังสินค้า {0}: บัญชีผู้ปกครอง {1} ไม่ bolong บริษัท {2} Warehouse-Wise Stock Balance,ยอดคงเหลือสินค้าคงคลังคลังสินค้า-ฉลาด Warehouse-wise Item Reorder,รายการคลังสินค้าฉลาด Reorder Warehouses,โกดัง @@ -3114,13 +3266,14 @@ Will be updated when batched.,จะมีการปรับปรุงเ Will be updated when billed.,จะมีการปรับปรุงเมื่อเรียกเก็บเงิน Wire Transfer,โอนเงิน With Operations,กับการดำเนินงาน -With period closing entry,กับรายการ ปิด ในช่วงเวลา +With Period Closing Entry,กับรายการปิดระยะเวลา Work Details,รายละเอียดการทำงาน Work Done,งานที่ทำ Work In Progress,ทำงานในความคืบหน้า Work-in-Progress Warehouse,คลังสินค้าทำงานในความคืบหน้า Work-in-Progress Warehouse is required before Submit,ทำงาน ความคืบหน้าใน คลังสินค้า จะต้อง ก่อนที่จะ ส่ง Working,ทำงาน +Working Days,วันทำการ Workstation,เวิร์คสเตชั่ Workstation Name,ชื่อเวิร์กสเตชัน Write Off Account,เขียนทันทีบัญชี @@ -3136,9 +3289,6 @@ Year Closed,ปีที่ปิด Year End Date,ปีที่จบ วันที่ Year Name,ปีชื่อ Year Start Date,วันที่เริ่มต้นปี -Year Start Date and Year End Date are already set in Fiscal Year {0},วันเริ่มต้น ปี และ สิ้นปี วันที่ มีการตั้งค่า อยู่แล้วใน ปีงบประมาณ {0} -Year Start Date and Year End Date are not within Fiscal Year.,วันเริ่มต้น ปี และ สิ้นปี วันที่ จะไม่อยู่ใน ปีงบประมาณ -Year Start Date should not be greater than Year End Date,วันเริ่มต้น ปีที่ ไม่ควรจะ สูงกว่า ปี วันที่สิ้นสุด Year of Passing,ปีที่ผ่าน Yearly,ประจำปี Yes,ใช่ @@ -3148,7 +3298,6 @@ You are the Expense Approver for this record. Please Update the 'Status' and Sav You are the Leave Approver for this record. Please Update the 'Status' and Save,คุณเป็น ผู้อนุมัติ ออกจาก บันทึก นี้ กรุณา อัปเดต 'สถานะ ' และ ประหยัด You can enter any date manually,คุณสามารถป้อนวันที่ใด ๆ ด้วยตนเอง You can enter the minimum quantity of this item to be ordered.,คุณสามารถป้อนปริมาณขั้นต่ำของรายการนี​​้จะได้รับคำสั่ง -You can not assign itself as parent account,คุณไม่สามารถกำหนด ตัวเองเป็น บัญชี ผู้ปกครอง You can not change rate if BOM mentioned agianst any item,คุณไม่สามารถเปลี่ยน อัตรา ถ้า BOM กล่าว agianst รายการใด ๆ You can not enter both Delivery Note No and Sales Invoice No. Please enter any one.,คุณไม่สามารถป้อน การจัดส่งสินค้า ทั้ง หมายเหตุ ไม่มี และ ขายใบแจ้งหนี้ ฉบับ กรุณากรอก คนใดคนหนึ่ง You can not enter current voucher in 'Against Journal Voucher' column,คุณไม่สามารถป้อน คูปอง ในปัจจุบันใน ' กับ วารสาร คูปอง ' คอลัมน์ @@ -3160,7 +3309,6 @@ You cannot credit and debit same account at the same time,คุณไม่ ส You have entered duplicate items. Please rectify and try again.,คุณได้ป้อน รายการที่ซ้ำกัน กรุณา แก้ไข และลองอีกครั้ง You may need to update: {0},คุณ อาจจำเป็นต้องปรับปรุง : {0} You must Save the form before proceeding,คุณต้อง บันทึกแบบฟอร์ม ก่อนที่จะดำเนิน -You must allocate amount before reconcile,คุณต้อง จัดสรร จำนวน ก่อนที่จะ ตกลงกันได้ Your Customer's TAX registration numbers (if applicable) or any general information,ของลูกค้าของคุณหมายเลขทะเบียนภาษี (ถ้ามี) หรือข้อมูลทั่วไป Your Customers,ลูกค้าของคุณ Your Login Id,รหัส เข้าสู่ระบบ @@ -3173,11 +3321,13 @@ Your sales person who will contact the customer in future,คนขายขอ Your sales person will get a reminder on this date to contact the customer,คนขายของคุณจะรับการแจ้งเตือนในวันนี้ที่จะติดต่อลูกค้า Your setup is complete. Refreshing...,การตั้งค่า ของคุณเสร็จสมบูรณ์ สดชื่น ... Your support email id - must be a valid email - this is where your emails will come!,id อีเมลของคุณสนับสนุน - ต้องอีเมลที่ถูกต้อง - นี่คือที่อีเมลของคุณจะมา! +[Error],[ข้อผิดพลาด] [Select],[เลือก ] `Freeze Stocks Older Than` should be smaller than %d days.,` ตรึง หุ้น เก่า กว่า ` ควรจะ มีขนาดเล็กกว่า % d วัน and,และ are not allowed.,ไม่ได้รับอนุญาต assigned by,ได้รับมอบหมายจาก +cannot be greater than 100,ไม่สามารถจะมากกว่า 100 "e.g. ""Build tools for builders""","เช่นผู้ ""สร้าง เครื่องมือสำหรับการ สร้าง """ "e.g. ""MC""","เช่นผู้ "" MC """ "e.g. ""My Company LLC""","เช่นผู้ ""บริษัท LLC ของฉัน""" @@ -3190,32 +3340,34 @@ example: Next Day Shipping,ตัวอย่างเช่นการจั lft,lft old_parent,old_parent rgt,RGT +subject,เรื่อง +to,ไปยัง website page link,การเชื่อมโยงหน้าเว็บไซต์ {0} '{1}' not in Fiscal Year {2},{0} ' {1} ' ไม่ได้อยู่ใน ปีงบประมาณ {2} {0} Credit limit {0} crossed,{0} วงเงิน {0} ข้าม {0} Serial Numbers required for Item {0}. Only {0} provided.,{0} หมายเลข อนุกรม ที่จำเป็นสำหรับ รายการ {0} เพียง {0} ให้ {0} budget for Account {1} against Cost Center {2} will exceed by {3},{0} งบประมาณสำหรับ บัญชี {1} กับ ศูนย์ต้นทุน {2} จะเกิน โดย {3} +{0} can not be negative,{0} ไม่สามารถลบ {0} created,{0} สร้าง {0} does not belong to Company {1},{0} ไม่ได้เป็นของ บริษัท {1} {0} entered twice in Item Tax,{0} เข้ามา เป็นครั้งที่สอง ใน รายการ ภาษี {0} is an invalid email address in 'Notification Email Address',{0} คือที่อยู่อีเมลที่ไม่ถูก ใน ' ประกาศ อีเมล์ ' {0} is mandatory,{0} มีผลบังคับใช้ {0} is mandatory for Item {1},{0} จำเป็นสำหรับ รายการ {1} +{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} มีผลบังคับใช้ อาจจะบันทึกแลกเปลี่ยนเงินตราไม่ได้สร้างขึ้นสำหรับ {1} เป็น {2} {0} is not a stock Item,{0} ไม่ได้เป็น รายการ สต็อก {0} is not a valid Batch Number for Item {1},{0} ไม่ได้เป็น จำนวน ชุดที่ถูกต้องสำหรับ รายการ {1} -{0} is not a valid Leave Approver,{0} ไม่ได้เป็นผู้อนุมัติ ออก ที่ถูกต้อง +{0} is not a valid Leave Approver. Removing row #{1}.,{0} ไม่ได้เป็นผู้อนุมัติออกที่ถูกต้อง การลบแถว # {1} {0} is not a valid email id,{0} ไม่ได้เป็น id ของ อีเมลที่ถูกต้อง {0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} ตอนนี้ก็คือ การเริ่มต้น ปีงบประมาณ กรุณารีเฟรช เบราว์เซอร์ ของคุณ สำหรับการเปลี่ยนแปลงที่จะ มีผลบังคับใช้ {0} is required,{0} จะต้อง {0} must be a Purchased or Sub-Contracted Item in row {1},{0} จะต้องเป็น รายการ ที่จัดซื้อ หรือ ย่อย สัญญา ในแถว {1} -{0} must be less than or equal to {1},{0} ต้องน้อยกว่า หรือเท่ากับ {1} +{0} must be reduced by {1} or you should increase overflow tolerance,{0} จะต้องลดลงโดย {1} หรือคุณควรจะเพิ่มความอดทนล้น {0} must have role 'Leave Approver',{0} ต้องมี บทบาท ' ออก อนุมัติ ' {0} valid serial nos for Item {1},{0} กัดกร่อน แบบอนุกรม ที่ถูกต้องสำหรับ รายการ {1} {0} {1} against Bill {2} dated {3},{0} {1} กับ บิล {2} ลงวันที่ {3} {0} {1} against Invoice {2},{0} {1} กับ ใบแจ้งหนี้ {2} {0} {1} has already been submitted,{0} {1} ถูกส่งมา อยู่แล้ว -{0} {1} has been modified. Please Refresh,{0} {1} ได้รับการแก้ไข กรุณา รีเฟรช -{0} {1} has been modified. Please refresh,{0} {1} ได้รับการแก้ไข กรุณารีเฟรช {0} {1} has been modified. Please refresh.,{0} {1} ได้รับการแก้ไข กรุณารีเฟรช {0} {1} is not submitted,{0} {1} ไม่ได้ ส่ง {0} {1} must be submitted,{0} {1} จะต้องส่ง @@ -3223,3 +3375,5 @@ website page link,การเชื่อมโยงหน้าเว็บ {0} {1} status is 'Stopped',{0} {1} สถานะ คือ ' หยุด ' {0} {1} status is Stopped,{0} {1} สถานะ หยุด {0} {1} status is Unstopped,{0} {1} สถานะ เบิก +{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: ศูนย์ต้นทุนจำเป็นสำหรับรายการ {2} +{0}: {1} not found in Invoice Details table,{0}: {1} ไม่พบในตารางรายละเอียดใบแจ้งหนี้ diff --git a/erpnext/translations/tr.csv b/erpnext/translations/tr.csv new file mode 100644 index 0000000000..4525e68b05 --- /dev/null +++ b/erpnext/translations/tr.csv @@ -0,0 +1,3379 @@ + (Half Day), + and year: , +""" does not exists","""Mevcut değildir" +% Delivered,% Teslim Edildi +% Amount Billed,Faturalı% Tutar +% Billed,% Faturalı +% Completed,% Tamamlandı +% Delivered,% Teslim Edildi +% Installed,% Yüklü +% Received,% Alınan +% of materials billed against this Purchase Order.,"Malzemelerin%, bu Satınalma Siparişi karşı fatura." +% of materials billed against this Sales Order,Bu Satış Siparişi karşı hesap malzemelerin% +% of materials delivered against this Delivery Note,Bu İrsaliye karşı teslim malzemelerin% +% of materials delivered against this Sales Order,Bu Satış Siparişi teslim karşı malzemelerin% +% of materials ordered against this Material Request,Bu Malzeme Request karşı emretti malzemelerin% +% of materials received against this Purchase Order,Malzemelerin% bu Satınalma Siparişi karşı alınan +'Actual Start Date' can not be greater than 'Actual End Date',"'Fiili Başlangıç ​​Tarihi', 'Gerçek Bitiş Tarihi' den büyük olamaz" +'Based On' and 'Group By' can not be same,'Dayalı' ve 'Grup tarafından' aynı olamaz +'Days Since Last Order' must be greater than or equal to zero,'Son Sipariş yana Gün' den büyük veya sıfıra eşit olmalıdır +'Entries' cannot be empty,'Yazılar' boş olamaz +'Expected Start Date' can not be greater than 'Expected End Date',"'Beklenen Başlangıç ​​Tarihi', 'Beklenen Bitiş Tarihi' den büyük olamaz" +'From Date' is required,'Date' gereklidir +'From Date' must be after 'To Date','Tarihten itibaren' Tarihi 'sonra olmalıdır +'Has Serial No' can not be 'Yes' for non-stock item,'Seri No Has' non-stok kalemi için 'Evet' olamaz +'Notification Email Addresses' not specified for recurring invoice,Faturayı yinelenen için belirlenen 'Bildirim E-posta Adresleri' +'Profit and Loss' type account {0} not allowed in Opening Entry,'Kar ve Zarar' tipi hesap {0} kaydı Açılış izin yok +'To Case No.' cannot be less than 'From Case No.','Dava No To' 'Dava No Kimden' den az olamaz +'To Date' is required,'Tarihi' gereklidir +'Update Stock' for Sales Invoice {0} must be set,Satış Fatura için 'Güncelle Stok' {0} ayarlanması gerekir +* Will be calculated in the transaction.,* Işlem hesaplanır olacak. +"1 Currency = [?] Fraction +For e.g. 1 USD = 100 Cent","1 Döviz = [?] Kesir + örneğin 1 USD = 100 Cent için" +1. To maintain the customer wise item code and to make them searchable based on their code use this option,1.Standart testler ile ölçülen anlamlı dil yeteneklerinin önemli ölçüde beklenen seviyenin altında olması. Müşteri bilge ürün kodu korumak ve bunların kod kullanımı bu seçenek dayanarak bunları aranabilir hale getirmek +"Add / Edit"," Ekle / Düzenle " +"Add / Edit"," Ekle / Düzenle " +"Add / Edit"," Ekle / Düzenle " +"

Default Template

+

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

+
{{ address_line1 }}<br>
+{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}
+{{ city }}<br>
+{% if state %}{{ state }}<br>{% endif -%}
+{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}
+{{ country }}<br>
+{% if phone %}Phone: {{ phone }}<br>{% endif -%}
+{% if fax %}Fax: {{ fax }}<br>{% endif -%}
+{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
+
","

Standart Şablon +

Jinja Şablon Oluşturma ve Adres tüm alanları (kullanır Özel alanlar varsa) dahil olmak üzere mevcut olacaktır +

  {{}} address_line1 
+ {% if address_line2%} {{}} address_line2
{ % endif -%} + {{şehir}}
+ {% eğer devlet%} {{}} devlet
{% endif -%} + {% if pinkodu%} PIN: {{}} pinkodu
{% endif -%} + {{ülke}}
+ {% if telefon%} Telefon: {{}} telefon
{ % endif -%} + {% if%} faks Faks: {{}} faks
{% endif -%} + {% email_id%} E-posta ise: {{}} email_id
; {% endif -%} + " +A Customer Group exists with same name please change the Customer name or rename the Customer Group,Bir Müşteri Grubu aynı adla Müşteri adını değiştirebilir veya Müşteri Grubu yeniden adlandırma lütfen +A Customer exists with same name,Bir Müşteri aynı adla +A Lead with this email id should exist,Bu e-posta kimliği ile bir Kurşun bulunmalıdır +A Product or Service,Bir Ürün veya Hizmet +A Supplier exists with same name,A Tedarikçi aynı adla +A symbol for this currency. For e.g. $,Bu para için bir sembol. Örneğin $ için +AMC Expiry Date,AMC Son Kullanma Tarihi +Abbr,Kısaltma +Abbreviation cannot have more than 5 characters,Kısaltma fazla 5 karakter olamaz +Above Value,Değer üstünde +Absent,Kimse yok +Acceptance Criteria,Kabul Kriterleri +Accepted,Kabul Edilen +Accepted + Rejected Qty must be equal to Received quantity for Item {0},Kabul + Reddedilen Miktar Ürün Alınan miktara eşit olması gerekir {0} +Accepted Quantity,Kabul edilen Miktar +Accepted Warehouse,Kabul Depo +Account,Hesap +Account Balance,Hesap Bakiyesi +Account Created: {0},Hesap Oluşturuldu: {0} +Account Details,Hesap Detayları +Account Head,Hesap Başkanı +Account Name,Hesap adı +Account Type,Hesap Türü +"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Hesap bakiyesi zaten Kredi, sen ayarlamak için izin verilmez 'Debit' olarak 'Balance Olmalı'" +"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Zaten Debit hesap bakiyesi, siz 'Kredi' Balance Olmalı 'ayarlamak için izin verilmez" +Account for the warehouse (Perpetual Inventory) will be created under this Account.,Depo (Devamlı Envanter) Hesap bu hesap altında oluşturulacaktır. +Account head {0} created,Hesap kafa {0} oluşturuldu +Account must be a balance sheet account,Hesabınız bir bilanço hesabı olmalıdır +Account with child nodes cannot be converted to ledger,Çocuk düğümleri ile hesap defterine dönüştürülebilir olamaz +Account with existing transaction can not be converted to group.,Mevcut işlem ile hesap grubuna dönüştürülemez. +Account with existing transaction can not be deleted,Mevcut işlem ile hesap silinemez +Account with existing transaction cannot be converted to ledger,Mevcut işlem ile hesap defterine dönüştürülebilir olamaz +Account {0} cannot be a Group,Hesap {0} Grup olamaz +Account {0} does not belong to Company {1},Hesap {0} Şirket'e ait olmayan {1} +Account {0} does not belong to company: {1},Hesap {0} şirkete ait değil: {1} +Account {0} does not exist,Hesap {0} yok +Account {0} has been entered more than once for fiscal year {1},Hesap {0} daha fazla mali yıl için birden çok kez girildi {1} +Account {0} is frozen,Hesap {0} dondu +Account {0} is inactive,Hesap {0} etkin değil +Account {0} is not valid,Hesap {0} geçerli değil +Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item,Öğe {1} bir Varlık Öğe olduğu gibi hesap {0} türündeki 'Demirbaş' olmalı +Account {0}: Parent account {1} can not be a ledger,Hesap {0}: Ana hesap {1} bir defter olamaz +Account {0}: Parent account {1} does not belong to company: {2},Hesap {0}: Ana hesap {1} şirkete ait değil: {2} +Account {0}: Parent account {1} does not exist,Hesap {0}: Ana hesap {1} yok +Account {0}: You can not assign itself as parent account,Hesap {0}: Siz ebeveyn hesabı olarak atanamıyor +"Account: {0} can only be updated via \ + Stock Transactions","Hesap: \ + Stok İşlemler {0} sadece aracılığıyla güncellenebilir" +Accountant,Muhasebeci +Accounting,Muhasebe +"Accounting Entries can be made against leaf nodes, called","Muhasebe Yazılar denilen, yaprak düğümlere karşı yapılabilir" +"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","Muhasebe entry bu tarihe kadar dondurulmuş, kimse / aşağıda belirtilen rolü dışında girdisini değiştirin yapabilirsiniz." +Accounting journal entries.,Muhasebe günlük girişleri. +Accounts,Hesaplar +Accounts Browser,Hesapları Tarayıcı +Accounts Frozen Upto,Dondurulmuş kadar Hesapları +Accounts Payable,Borç Hesapları +Accounts Receivable,Alacak hesapları +Accounts Settings,Ayarları Hesapları +Active,Etkin +Active: Will extract emails from , +Activity,Aktivite +Activity Log,Etkinlik Günlüğü +Activity Log:,Etkinlik Günlüğü: +Activity Type,Faaliyet Türü +Actual,Gerçek +Actual Budget,Gerçek Bütçe +Actual Completion Date,Fiili Bitiş Tarihi +Actual Date,Gerçek Tarih +Actual End Date,Fiili Bitiş Tarihi +Actual Invoice Date,Gerçek Fatura Tarihi +Actual Posting Date,Gerçek Gönderme Tarihi +Actual Qty,Gerçek Adet +Actual Qty (at source/target),Fiili Miktar (kaynak / hedef) +Actual Qty After Transaction,İşlem sonrası gerçek Adet +Actual Qty: Quantity available in the warehouse.,Gerçek Adet: depoda mevcut miktarı. +Actual Quantity,Gerçek Miktar +Actual Start Date,Fiili Başlangıç ​​Tarihi +Add,Ekle +Add / Edit Taxes and Charges,Ekle / Düzenle Vergi ve Harçlar +Add Child,Çocuk Ekle +Add Serial No,Seri No ekle +Add Taxes,Vergi Ekle +Add Taxes and Charges,Vergi ve Masraflar ekle +Add or Deduct,Ekle veya Düşebilme +Add rows to set annual budgets on Accounts.,Hesaplarının yıllık bütçelerini ayarlamak için satır eklemek. +Add to Cart,Sepete ekle +Add to calendar on this date,Bu tarihte Takvime ekle +Add/Remove Recipients,Ekle / Kaldır Alıcıları +Address,İletişim +Address & Contact,Adres ve İletişim +Address & Contacts,Adres ve İletişim +Address Desc,DESC Adresi +Address Details,Adres Bilgileri +Address HTML,Adres HTML +Address Line 1,Adres Satırı 1 +Address Line 2,Adres Satırı 2 +Address Template,Adres Şablon +Address Title,Adres Başlık +Address Title is mandatory.,Adres Başlık zorunludur. +Address Type,Adres Türü +Address master.,Adres usta. +Administrative Expenses,Yönetim Giderleri +Administrative Officer,İdari Memur +Advance Amount,Avans Tutarı +Advance amount,Avans miktarı +Advances,Avanslar +Advertisement,Reklâm +Advertising,Reklamcılık +Aerospace,Havacılık ve Uzay +After Sale Installations,Satış Sonrası Tesislerin +Against,Karşı +Against Account,Hesap karşı +Against Bill {0} dated {1},Bill {0} tarihli karşı {1} +Against Docname,Docname karşı +Against Doctype,DOCTYPE karşı +Against Document Detail No,Belge Detay Karşı Yok +Against Document No,Belge No Karşı +Against Expense Account,Gider Hesap karşı +Against Income Account,Gelir Hesap karşı +Against Journal Voucher,Dergi Çeki karşı +Against Journal Voucher {0} does not have any unmatched {1} entry,Dergi Çeki karşı {0} herhangi bir eşsiz {1} girdi yok +Against Purchase Invoice,Satınalma Fatura karşı +Against Sales Invoice,Satış Fatura karşı +Against Sales Order,Satış Siparişi karşı +Against Voucher,Çeki karşı +Against Voucher Type,Fiş Tip Karşı +Ageing Based On,Dayalı Yaşlanma +Ageing Date is mandatory for opening entry,Üyelik Yaşlanma girişi açılması için zorunludur +Ageing date is mandatory for opening entry,Tarih Yaşlanma girişi açılması için zorunludur +Agent,Temsilci +Aging Date,Yaşlanma Tarih +Aging Date is mandatory for opening entry,Üyelik Yaşlanma girişi açılması için zorunludur +Agriculture,Tarım +Airline,Havayolu +All Addresses.,Tüm adresler. +All Contact,Tüm İletişim +All Contacts.,Tüm Kişiler. +All Customer Contact,Tüm Müşteri İletişim +All Customer Groups,Tüm Müşteri Grupları +All Day,Tüm Gün +All Employee (Active),Tüm Çalışan (Aktif) +All Item Groups,Tüm Ürün Grupları +All Lead (Open),Tüm Kurşun (Açık) +All Products or Services.,Tüm Ürünler ve Hizmetler. +All Sales Partner Contact,Tüm Satış Ortağı İletişim +All Sales Person,Tüm Satış Kişi +All Supplier Contact,Tüm Tedarikçi İletişim +All Supplier Types,Tüm Tedarikçi Türleri +All Territories,Tüm Bölgeleri +"All export related fields like currency, conversion rate, export total, export grand total etc are available in Delivery Note, POS, Quotation, Sales Invoice, Sales Order etc.","Para, dönüşüm oranı, ihracat, toplam ihracat genel toplam vb gibi tüm ihracat ile ilgili alanlar İrsaliye, POS, Teklifi, Satış Fatura, Satış Siparişi vb mevcuttur" +"All import related fields like currency, conversion rate, import total, import grand total etc are available in Purchase Receipt, Supplier Quotation, Purchase Invoice, Purchase Order etc.","Para, dönüşüm oranı, ithalat, toplam ithalat genel toplam vb gibi tüm ithalat ile ilgili alanlar Satın Alındı, Tedarikçi Teklifi, Satınalma Fatura, Sipariş vb mevcuttur" +All items have already been invoiced,Tüm öğeler zaten faturalı edilmiştir +All these items have already been invoiced,Tüm bu öğeler zaten faturalı edilmiştir +Allocate,Ayırmak +Allocate leaves for a period.,Bir süre için yaprakları ayırın. +Allocate leaves for the year.,Yıl yapraklarını ayırın. +Allocated Amount,Ayrılan Tutar +Allocated Budget,Ayrılan Bütçe +Allocated amount,Ayrılan miktarı +Allocated amount can not be negative,Ayrılan miktar negatif olamaz +Allocated amount can not greater than unadusted amount,Ayrılan miktarı unadusted değerinden daha yüksek olamaz +Allow Bill of Materials,Malzeme izin Bill +Allow Bill of Materials should be 'Yes'. Because one or many active BOMs present for this item,"Malzeme Bill 'Evet' olmalıdır izin verir. Çünkü, bir veya bu öğe için mevcut pek çok aktif BOMs" +Allow Children,Çocuklara izin +Allow Dropbox Access,Dropbox erişime izin +Allow Google Drive Access,Google Drive erişimine izin +Allow Negative Balance,Negatif Denge izin +Allow Negative Stock,Negatif Stoku izin +Allow Production Order,İzin Üretim Sipariş +Allow User,Kullanıcıya izin +Allow Users,Kullanıcılar izin +Allow the following users to approve Leave Applications for block days.,Aşağıdaki kullanıcılar blok gün boyunca bırak Uygulamaları onaylamak için izin verir. +Allow user to edit Price List Rate in transactions,Kullanıcı işlemlerinde Fiyat Listesi Oranı düzenlemek için izin +Allowance Percent,Ödeneği Yüzde +Allowance for over-{0} crossed for Item {1},Ödeneği fazla {0} Ürün için geçti için {1} +Allowance for over-{0} crossed for Item {1}.,Ödeneği fazla {0} Ürün için geçti için {1}. +Allowed Role to Edit Entries Before Frozen Date,Dondurulmuş Tarihten Önce Düzenle Girişlerine İzin Rolü +Amended From,Gönderen Değişik +Amount,Tutar +Amount (Company Currency),Tutar (Şirket Para Birimi) +Amount Paid,Ödenen Tutar +Amount to Bill,Bill tutarı +An Customer exists with same name,Bir Müşteri aynı adla +"An Item Group exists with same name, please change the item name or rename the item group","Bir Ürün Grubu aynı adla, öğe adını değiştirmek veya madde grubu yeniden adlandırmak lütfen" +"An item exists with same name ({0}), please change the item group name or rename the item","Bir öğe ({0}), madde grubu adını değiştirmek veya öğeyi yeniden adlandırmak lütfen aynı adla" +Analyst,Analist +Annual,Yıllık +Another Period Closing Entry {0} has been made after {1},Başka Dönem Kapanış Giriş {0} sonra yapılmış olan {1} +Another Salary Structure {0} is active for employee {0}. Please make its status 'Inactive' to proceed.,Başka Maaş Yapısı {0} çalışan için aktif olan {0}. Devam etmek durumunu 'Etkin' olun. +"Any other comments, noteworthy effort that should go in the records.","Başka yorum, kayıtları gitmek gerekir kayda değer bir çaba." +Apparel & Accessories,Giyim ve Aksesuar +Applicability,Uygulanabilirlik +Applicable For,İçin Uygulanabilir +Applicable Holiday List,Uygulanabilir Tatil Listesi +Applicable Territory,Uygulanabilir Territory +Applicable To (Designation),Uygulanabilir (Tanım) +Applicable To (Employee),Uygulanabilir (Çalışan) +Applicable To (Role),Uygulanabilir (Role) +Applicable To (User),Uygulanabilir (Kullanıcı) +Applicant Name,Başvuru Adı +Applicant for a Job.,Bir iş için Başvuru. +Application of Funds (Assets),Fon uygulaması (Varlıklar) +Applications for leave.,Izni için Uygulamalar. +Applies to Company,Şirket için geçerlidir +Apply On,On Uygula +Appraisal,Appraisal:Değerlendirme +Appraisal Goal,Değerleme Gol +Appraisal Goals,Değerleme Goller +Appraisal Template,Değerleme Şablon +Appraisal Template Goal,Değerleme Şablon Gol +Appraisal Template Title,Değerleme Şablon Başlığı +Appraisal {0} created for Employee {1} in the given date range,Değerleme {0} {1} verilen tarih aralığında Çalışan için oluşturulan +Apprentice,Çırak +Approval Status,Onay Durumu +Approval Status must be 'Approved' or 'Rejected',Onay Durumu 'Onaylandı' veya 'Reddedildi' olmalı +Approved,Onaylı +Approver,Itirafçı +Approving Role,Onaylanmasının Rolü +Approving Role cannot be same as role the rule is Applicable To,Rolü Onaylanmasının kural Uygulanabilir olduğu rol olarak aynı olamaz +Approving User,Onaylanmasının Kullanıcı +Approving User cannot be same as user the rule is Applicable To,Kullanıcı Onaylanmasının kural Uygulanabilir olduğu kullanıcı olarak aynı olamaz +Are you sure you want to STOP , +Are you sure you want to UNSTOP , +Arrear Amount,Arrear Tutar +"As Production Order can be made for this item, it must be a stock item.","Üretim Sipariş Bu öğe için yapılabilir gibi, bir stok kalemi olmalıdır." +As per Stock UOM,Stok UOM başı olarak +"As there are existing stock transactions for this item, you can not change the values of 'Has Serial No', 'Is Stock Item' and 'Valuation Method'","Bu öğe için mevcut hisse senedi işlemleri olduğu gibi, sen 'Seri No Has' değerlerini değiştiremez, ve 'Değerleme Yöntemi' Stok Ürün mı '" +Asset,Varlık +Assistant,Asistan +Associate,Ortak +Atleast one of the Selling or Buying must be selected,Satış veya Alış en az biri seçilmelidir +Atleast one warehouse is mandatory,En az bir depo zorunludur +Attach Image,Resmi takın +Attach Letterhead,Antetli takın +Attach Logo,Logo takın +Attach Your Picture,Kişisel Resim takın +Attendance,Katılım +Attendance Date,Seyirci Tarih +Attendance Details,Seyirci Detayları +Attendance From Date,Tarihten itibaren katılım +Attendance From Date and Attendance To Date is mandatory,Tarihi Tarih ve Katılım itibaren katılım zorunludur +Attendance To Date,Tarihi Devam +Attendance can not be marked for future dates,Seyirci gelecek tarihler için işaretlenmiş edilemez +Attendance for employee {0} is already marked,Çalışan Devam {0} zaten işaretlenmiş +Attendance record.,Seyirci rekoru. +Authorization Control,Yetki Kontrolü +Authorization Rule,Yetki Kuralı +Auto Accounting For Stock Settings,Stok Ayarları için Otomatik Muhasebe +Auto Material Request,Otomatik Malzeme Talebi +Auto-raise Material Request if quantity goes below re-order level in a warehouse,Otomatik zam Malzeme Talebi miktarı bir depoda yeniden sipariş seviyesinin altında giderse +Automatically compose message on submission of transactions.,Otomatik işlemlerin sunulmasına ilişkin mesaj oluşturabilirsiniz. +Automatically extract Job Applicants from a mail box , +Automatically extract Leads from a mail box e.g.,Otomatik olarak bir posta kutusu örneğin itibaren İlanlar ayıklamak +Automatically updated via Stock Entry of type Manufacture/Repack,Otomatik tipi imalatı / Repack Hazır Entry üzerinden güncellenir +Automotive,Otomotiv +Autoreply when a new mail is received,Yeni bir posta alındığında Autoreply zaman +Available,Uygun +Available Qty at Warehouse,Warehouse Mevcut Adet +Available Stock for Packing Items,Ürünleri Ambalaj Stok kullanılabilir +"Available in BOM, Delivery Note, Purchase Invoice, Production Order, Purchase Order, Purchase Receipt, Sales Invoice, Sales Order, Stock Entry, Timesheet","BOM, İrsaliye, Fatura Satınalma, Üretim Emri, Sipariş, Satın Alma Makbuzu, Satış Fatura, Satış Siparişi, Stok Girişi, Çizelgesi mevcuttur" +Average Age,Ortalama Yaş +Average Commission Rate,Ortalama Komisyon Oranı +Average Discount,Ortalama İndirim +Awesome Products,Başar Ürünler +Awesome Services,Başar Hizmetleri +BOM Detail No,BOM Detay yok +BOM Explosion Item,BOM Patlama Ürün +BOM Item,BOM Ürün +BOM No,BOM yok +BOM No. for a Finished Good Item,Bir Biten İyi Ürün için BOM No +BOM Operation,BOM Operasyonu +BOM Operations,BOM İşlemleri +BOM Replace Tool,BOM Aracı değiştirin +BOM number is required for manufactured Item {0} in row {1},BOM numara imal Öğe için gereklidir {0} üst üste {1} +BOM number not allowed for non-manufactured Item {0} in row {1},Non-Üretilen Ürün için izin BOM sayı {0} üst üste {1} +BOM recursion: {0} cannot be parent or child of {2},BOM özyineleme: {0} ebeveyn veya çocuk olamaz {2} +BOM replaced,BOM yerine +BOM {0} for Item {1} in row {2} is inactive or not submitted,BOM {0} öğesi için {1} üste {2} teslim inaktif ya da değildir +BOM {0} is not active or not submitted,BOM {0} teslim aktif ya da değil değil +BOM {0} is not submitted or inactive BOM for Item {1},BOM {0} teslim veya değildir inaktif BOM Ürün için {1} +Backup Manager,Backup Manager +Backup Right Now,Yedekleme Right Now +Backups will be uploaded to,Yedekler yüklenir +Balance Qty,Denge Adet +Balance Sheet,Bilanço +Balance Value,Denge Değeri +Balance for Account {0} must always be {1},{0} her zaman olmalı Hesabı dengelemek {1} +Balance must be,Denge olmalı +"Balances of Accounts of type ""Bank"" or ""Cash""","Tip ""Banka"" Hesap bakiyeleri veya ""Nakit""" +Bank,Banka +Bank / Cash Account,Banka / Kasa Hesabı +Bank A/C No.,Bank A / C No +Bank Account,Banka Hesabı +Bank Account No.,Banka Hesap No +Bank Accounts,Banka Hesapları +Bank Clearance Summary,Banka Gümrükleme Özet +Bank Draft,Banka poliçesi +Bank Name,Banka Adı +Bank Overdraft Account,Banka Kredili Mevduat Hesabı +Bank Reconciliation,Banka Uzlaşma +Bank Reconciliation Detail,Banka Uzlaşma Detay +Bank Reconciliation Statement,Banka Uzlaşma Bildirimi +Bank Voucher,Banka Çeki +Bank/Cash Balance,Banka / Nakit Dengesi +Banking,Bankacılık +Barcode,Barkod +Barcode {0} already used in Item {1},Barkod {0} zaten Öğe kullanılan {1} +Based On,Göre +Basic,Temel +Basic Info,Temel Bilgiler +Basic Information,Temel Bilgi +Basic Rate,Temel Oranı +Basic Rate (Company Currency),Basic Rate (Şirket para birimi) +Batch,Yığın +Batch (lot) of an Item.,Bir Öğe toplu (lot). +Batch Finished Date,Toplu bitirdi Tarih +Batch ID,Toplu Kimliği +Batch No,Parti No +Batch Started Date,Toplu Tarihi başladı +Batch Time Logs for billing.,Fatura için Toplu Saat Kayıtlar. +Batch-Wise Balance History,Toplu-Wise Dengesi Tarihi +Batched for Billing,Fatura için batched +Better Prospects,Iyi Beklentiler +Bill Date,Bill Tarih +Bill No,Fatura yok +Bill No {0} already booked in Purchase Invoice {1},Bill Hayır {0} zaten Satınalma Fatura rezervasyonu {1} +Bill of Material,Malzeme Listesi +Bill of Material to be considered for manufacturing,Üretim için dikkat edilmesi gereken Malzeme Bill +Bill of Materials (BOM),Malzeme Listesi (BOM) +Billable,Faturalandırılabilir +Billed,Gagalı +Billed Amount,Faturalı Tutar +Billed Amt,Faturalı Tutarı +Billing,Ödeme +Billing Address,Fatura Adresi +Billing Address Name,Fatura Adresi Adı +Billing Status,Fatura Durumu +Bills raised by Suppliers.,Tedarikçiler tarafından dile Bono. +Bills raised to Customers.,Müşteriler kaldırdı Bono. +Bin,Kutu +Bio,Bio +Biotechnology,Biyoteknoloji +Birthday,Doğum günü +Block Date,Blok Tarih +Block Days,Blok Gün +Block leave applications by department.,Departmanı tarafından izin uygulamaları engellemek. +Blog Post,Blog Post +Blog Subscriber,Blog Abone +Blood Group,Kan grubu +Both Warehouse must belong to same Company,Hem Depo Aynı Şirkete ait olmalıdır +Box,Box +Branch,Şube +Brand,Marka +Brand Name,Marka Adı +Brand master.,Marka usta. +Brands,Markalar +Breakdown,Arıza +Broadcasting,Yayın +Brokerage,Komisyonculuk +Budget,Bütçe +Budget Allocated,Ayrılan Bütçe +Budget Detail,Bütçe Detay +Budget Details,Bütçe Ayrıntıları +Budget Distribution,Bütçe Dağılımı +Budget Distribution Detail,Bütçe Dağıtım Detayı +Budget Distribution Details,Bütçe Dağıtım Detayları +Budget Variance Report,Bütçe Varyans Raporu +Budget cannot be set for Group Cost Centers,Bütçe Grubu Maliyet Merkezleri için ayarlanamaz +Build Report,Rapor oluşturmak +Bundle items at time of sale.,Satış zamanında ürün Bundle. +Business Development Manager,İş Geliştirme Müdürü +Buying,Satın alma +Buying & Selling,Alış ve Satış +Buying Amount,Tutar Alış +Buying Settings,Ayarları Alma +"Buying must be checked, if Applicable For is selected as {0}","Uygulanabilir için seçilmiş ise satın alma, kontrol edilmelidir {0}" +C-Form,C-Form +C-Form Applicable,Uygulanabilir C-Formu +C-Form Invoice Detail,C-Form Fatura Ayrıntısı +C-Form No,C-Form +C-Form records,C-Form kayıtları +CENVAT Capital Goods,CENVAT Sermaye Malı +CENVAT Edu Cess,CENVAT Edu Cess +CENVAT SHE Cess,CENVAT SHE Cess +CENVAT Service Tax,CENVAT Hizmet Vergisi +CENVAT Service Tax Cess 1,CENVAT Hizmet Vergisi Cess 1 +CENVAT Service Tax Cess 2,CENVAT Hizmet Vergisi Vergisi 2 +Calculate Based On,Tabanlı hesaplayın +Calculate Total Score,Toplam Puan Hesapla +Calendar Events,Takvim Olayları +Call,Çağrı +Calls,Aramalar +Campaign,Kampanya +Campaign Name,Kampanya Adı +Campaign Name is required,Kampanya Adı gereklidir +Campaign Naming By,Kampanya İsimlendirme tarafından +Campaign-.####,Kampanya.# # # # +Can be approved by {0},{0} tarafından onaylanmış olabilir +"Can not filter based on Account, if grouped by Account","Hesap göre gruplandırılmış eğer, hesabına dayalı süzemezsiniz" +"Can not filter based on Voucher No, if grouped by Voucher","Çeki dayalı süzemezsiniz Hayır, Fiş göre gruplandırılmış eğer" +Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',Şarj tipi veya 'Sıra Önceki Toplamı' 'Sıra Önceki Tutar Açık' ise satır başvurabilirsiniz +Cancel Material Visit {0} before cancelling this Customer Issue,İptal Malzeme ziyaret {0} Bu Müşteri Sayımız iptalinden önce +Cancel Material Visits {0} before cancelling this Maintenance Visit,Bu Bakım Ziyaret iptalinden önce Malzeme Ziyaretler {0} İptal +Cancelled,İptal +Cancelling this Stock Reconciliation will nullify its effect.,Bu Stok Uzlaşma Önleyici etkisini geçersiz olacaktır. +Cannot Cancel Opportunity as Quotation Exists,Teklif Var gibi Fırsat iptal edemez +Cannot approve leave as you are not authorized to approve leaves on Block Dates,Blok Tarihler yaprakları onaylamaya yetkili değil gibi iznini onayladığınızda olamaz +Cannot cancel because Employee {0} is already approved for {1},Çalışan {0} zaten onaylanmış olduğundan iptal edemez {1} +Cannot cancel because submitted Stock Entry {0} exists,Sunulan Stok Giriş {0} varolduğundan iptal edilemiyor +Cannot carry forward {0},Ileriye taşıyamaz {0} +Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,Mali Yıl Başlangıç ​​Tarihi ve Mali Yılı kaydedildikten sonra Mali Yıl Sonu Tarihi değiştiremezsiniz. +"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Mevcut işlemler olduğundan, şirketin varsayılan para birimini değiştiremezsiniz. İşlemler Varsayılan para birimini değiştirmek için iptal edilmelidir." +Cannot convert Cost Center to ledger as it has child nodes,O çocuk düğümleri olduğu gibi muhasebeye Maliyet Merkezi dönüştürmek olamaz +Cannot covert to Group because Master Type or Account Type is selected.,"Master Tip veya Hesap Tipi seçilir, çünkü Grup gizli olamaz." +Cannot deactive or cancle BOM as it is linked with other BOMs,Diğer reçetelerde ile bağlantılı olarak devre dışı bırakınız veya cancle BOM edemez +"Cannot declare as lost, because Quotation has been made.","Kayıp olarak Kotasyon yapılmış çünkü, ilan edemez." +Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Kategori 'Değerleme' veya 'Değerleme ve Toplamı' için zaman tenzil edemez +"Cannot delete Serial No {0} in stock. First remove from stock, then delete.","Stoktaki {0} Seri No silemezsiniz. İlk silin, stok kaldırmak." +"Cannot directly set amount. For 'Actual' charge type, use the rate field","Doğrudan miktarını ayarlamak olamaz. 'Gerçek' ücret türü için, oran alanını kullanın" +"Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in Stock Settings","{1} den {0} daha arkaya Item {0} için overbill olamaz. Overbilling izin vermek için, Hazır Ayarlar set lütfen" +Cannot produce more Item {0} than Sales Order quantity {1},Daha Öğe üretemez {0} daha Satış Sipariş miktarı {1} +Cannot refer row number greater than or equal to current row number for this Charge type,Bu Şarj türü için daha büyük ya da mevcut satır sayısına eşit satır sayısını ifade edemez +Cannot return more than {0} for Item {1},Daha dönmek olamaz {0} öğesi için {1} +Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,"Ilk satır için 'Önceki Satır Toplamı On', 'Önceki Row On Tutar' ya da şarj tür seçemezsiniz" +Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for valuation. You can select only 'Total' option for previous row amount or previous row total,"Değerleme için 'Önceki Satır Toplamı On', 'Önceki Row On Tutar' ya da şarj tür seçemezsiniz. Daha önceki satır miktarı veya önceki satır toplamda sadece 'Total' seçeneği" +Cannot set as Lost as Sales Order is made.,Satış Sipariş yapılmış gibi Kayıp olarak ayarlanmış olamaz. +Cannot set authorization on basis of Discount for {0},Için İndirim bazında yetkilendirme ayarlanamaz {0} +Capacity,Kapasite +Capacity Units,Kapasite Birimleri +Capital Account,Sermaye hesabı +Capital Equipments,Sermaye Ekipmanları +Carry Forward,Nakletmek +Carry Forwarded Leaves,Yönlendirilen Yapraklar Carry +Case No(s) already in use. Try from Case No {0},Vaka Hayır (ler) zaten kullanılıyor. Vaka Nr deneyin {0} +Case No. cannot be 0,Örnek No 0 olamaz +Cash,Nakit +Cash In Hand,Hand Nakit +Cash Voucher,Para yerine geçen belge +Cash or Bank Account is mandatory for making payment entry,Kasa veya Banka Hesabı ödeme girişi yapmak için zorunludur +Cash/Bank Account,Kasa / Banka Hesabı +Casual Leave,Casual bırak +Cell Number,Hücre sayısı +Change UOM for an Item.,Bir madde için uom değiştirin. +Change the starting / current sequence number of an existing series.,Varolan bir serinin başlangıç ​​/ geçerli sıra numarasını değiştirin. +Channel Partner,Kanal Ortağı +Charge of type 'Actual' in row {0} cannot be included in Item Rate,Tip arka arkaya {0} 'Gerçek' Charge Öğe Oranı dahil edilemez +Chargeable,Ücretli +Charity and Donations,Charity ve Bağışlar +Chart Name,Grafik Adı +Chart of Accounts,Hesap Tablosu +Chart of Cost Centers,Maliyet Merkezlerinin Grafik +Check how the newsletter looks in an email by sending it to your email.,Bülten e-posta göndererek bir e-posta nasıl göründüğünü kontrol edin. +"Check if recurring invoice, uncheck to stop recurring or put proper End Date","Fatura yinelenen olmadığını kontrol edin, yinelenen durdurmak veya uygun Bitiş Tarihi koymak işaretini kaldırın" +"Check if you need automatic recurring invoices. After submitting any sales invoice, Recurring section will be visible.","Otomatik yinelenen faturalar gerek olmadığını kontrol edin. Herhangi bir satış faturası gönderdikten sonra, Tekrarlanan bölüm görünür olacaktır." +Check if you want to send salary slip in mail to each employee while submitting salary slip,Eğer ücret makbuzu sunarken her çalışanın postayla maaş kayma göndermek istiyorsanız işaretleyin +Check this if you want to force the user to select a series before saving. There will be no default if you check this.,Eğer kaydetmeden önce bir dizi seçmek için kullanıcıyı zorlamak istiyorsanız bu seçeneği işaretleyin. Bunu kontrol eğer hiçbir varsayılan olacaktır. +Check this if you want to show in website,"Eğer bir web sitesi göstermek istiyorsanız, bu kontrol" +Check this to disallow fractions. (for Nos),Kesirler izin vermemek için bu kontrol edin. (Nos için) +Check this to pull emails from your mailbox,Posta kutunuza gelen e-postaları çekmek için bu kontrol +Check to activate,Etkinleştirmek için kontrol edin +Check to make Shipping Address,Kargo Adresi olmak için kontrol edin +Check to make primary address,Birincil adresi olmak için kontrol edin +Chemical,Kimyasal +Cheque,Çek +Cheque Date,Çek Tarih +Cheque Number,Çek Numarası +Child account exists for this account. You can not delete this account.,"Çocuk hesap, bu hesap için var. Bu hesabı silemezsiniz." +City,İl +City/Town,İl / İlçe +Claim Amount,Hasar Tutarı +Claims for company expense.,Şirket gideri için iddia ediyor. +Class / Percentage,Sınıf / Yüzde +Classic,Klasik +Clear Table,Temizle Tablo +Clearance Date,Gümrükleme Tarih +Clearance Date not mentioned,Gümrükleme Tarih belirtilmeyen +Clearance date cannot be before check date in row {0},Gümrükleme tarih satırının onay tarihinden önce olamaz {0} +Click on 'Make Sales Invoice' button to create a new Sales Invoice.,Yeni Satış Faturası oluşturmak için 'Satış Fatura Yap' butonuna tıklayın. +Click on a link to get options to expand get options , +Client,Müşteri: +Close Balance Sheet and book Profit or Loss.,Yakın Bilanço ve kitap Kâr veya Zarar. +Closed,Kapalı +Closing (Cr),Kapanış (Cr) +Closing (Dr),Kapanış (Dr) +Closing Account Head,Kapanış Hesap Başkanı +Closing Account {0} must be of type 'Liability',Hesap {0} Kapanış türü 'Sorumluluk' olmalıdır +Closing Date,Kapanış Tarihi +Closing Fiscal Year,Mali Yılı Kapanış +Closing Qty,Kapanış Adet +Closing Value,Kapanış Değeri +CoA Help,CoA Yardım +Code,Kod +Cold Calling,Soğuk Arama +Color,Renk +Column Break,Sütun Arası +Comma separated list of email addresses,Virgül e-posta adresleri ayrılmış listesi +Comment,Yorum yap +Comments,Yorumlar +Commercial,Ticari +Commission,Komisyon +Commission Rate,Komisyon Oranı +Commission Rate (%),Komisyon Oranı (%) +Commission on Sales,Satış Komisyonu +Commission rate cannot be greater than 100,Komisyon oranı 100'den fazla olamaz +Communication,Iletişim becerisi +Communication HTML,Haberleşme HTML +Communication History,İletişim Tarihi +Communication log.,Iletişim günlüğü. +Communications,İletişim +Company,Şirket +Company (not Customer or Supplier) master.,Şirket (değil Müşteri veya alanı) usta. +Company Abbreviation,Şirket Kısaltma +Company Details,Şirket Detayı +Company Email,Şirket e-posta +"Company Email ID not found, hence mail not sent","Şirket e-posta kimliği bulunamadı, dolayısıyla gönderilmedi posta" +Company Info,Şirket Bilgisi +Company Name,Firma Adı +Company Settings,Firma Ayarları +Company is missing in warehouses {0},Şirket depolarda eksik {0} +Company is required,Firma gereklidir +Company registration numbers for your reference. Example: VAT Registration Numbers etc.,Referans için şirket kayıt numaraları. Örnek: KDV Sicil Numaraları vs +Company registration numbers for your reference. Tax numbers etc.,Referans için şirket kayıt numaraları. Vergi numaraları vb +"Company, Month and Fiscal Year is mandatory","Şirket, Ay ve Mali Yıl zorunludur" +Compensatory Off,Telafi Kapalı +Complete,Tamamlandı +Complete Setup,Kurulum Tamamlandı +Completed,Tamamlandı +Completed Production Orders,Tamamlanan Üretim Siparişleri +Completed Qty,Tamamlanan Adet +Completion Date,Bitiş Tarihi +Completion Status,Tamamlanma Durumu +Computer,Bilgisayar +Computers,Bilgisayarlar +Confirmation Date,Onay Tarihi +Confirmed orders from Customers.,Müşterilerden doğruladı emir. +Consider Tax or Charge for,Vergisi veya şarj için düşünün +Considered as Opening Balance,Açılış bakiyesi olarak kabul +Considered as an Opening Balance,Bir Açılış bakiyesi olarak kabul +Consultant,Danışman +Consulting,Danışmanlık +Consumable,Tüketilir +Consumable Cost,Sarf Maliyeti +Consumable cost per hour,Saatte Sarf maliyet +Consumed Qty,Tüketilen Adet +Consumer Products,Tüketici Ürünleri +Contact,İletişim +Contact Control,İletişim Kontrolü +Contact Desc,İletişim Desc +Contact Details,İletişim Bilgileri +Contact Email,İletişim E-Posta +Contact HTML,İletişim HTML +Contact Info,İletişim Bilgileri +Contact Mobile No,İletişim Mobil yok +Contact Name,İletişim İsmi +Contact No.,İletişim No +Contact Person,İrtibat Kişi +Contact Type,Kişi türü +Contact master.,İletişim ustası. +Contacts,İletişim kişileri +Content,İçerik +Content Type,İçerik Türü +Contra Voucher,Contra Çeki +Contract,Onay al +Contract End Date,Sözleşme Bitiş Tarihi +Contract End Date must be greater than Date of Joining,Sözleşme Bitiş Tarihi Katılma tarihi daha büyük olmalıdır +Contribution (%),Katkı Payı (%) +Contribution to Net Total,Net Toplam Katkı +Conversion Factor,Katsayı +Conversion Factor is required,Katsayı gereklidir +Conversion factor cannot be in fractions,Dönüşüm faktörü kesirler olamaz +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} +Conversion rate cannot be 0 or 1,Dönüşüm oranı 0 veya 1 olamaz +Convert into Recurring Invoice,Dönüşümlü Fatura dönüştürmek +Convert to Group,Grup dönüştürmek +Convert to Ledger,Ledger dönüştürmek +Converted,Dönüştürülmüş +Copy From Item Group,Ürün Grubu From kopyalayın +Cosmetics,Bakım ürünleri +Cost Center,Maliyet Merkezi +Cost Center Details,Merkezi Detayı Maliyet +Cost Center Name,Maliyet Merkezi Adı +Cost Center is required for 'Profit and Loss' account {0},Maliyet Merkezi 'Kar ve Zarar hesabı için gerekli olan {0} +Cost Center is required in row {0} in Taxes table for type {1},Maliyet Merkezi satırda gereklidir {0} Vergiler tabloda türü için {1} +Cost Center with existing transactions can not be converted to group,Mevcut işlemler ile maliyet Center grubuna dönüştürülemez +Cost Center with existing transactions can not be converted to ledger,Mevcut işlemler ile maliyet Center defterine dönüştürülebilir olamaz +Cost Center {0} does not belong to Company {1},Maliyet Merkezi {0} ait değil Şirket {1} +Cost of Goods Sold,Satışların Maliyeti +Costing,Maliyetlendirme +Country,Ülke +Country Name,Ülke Adı +Country wise default Address Templates,Ülke bilge varsayılan Adres Şablonları +"Country, Timezone and Currency","Ülke, Saat Dilimi ve Döviz" +Create Bank Voucher for the total salary paid for the above selected criteria,Yukarıda seçilen ölçütler için ödenen toplam maaş için banka Fiş oluştur +Create Customer,Müşteri Oluştur +Create Material Requests,Malzeme İstekleri Oluştur +Create New,Yeni Oluştur +Create Opportunity,Fırsat oluştur +Create Production Orders,Üretim Emirleri Oluştur +Create Quotation,Teklif oluşturma +Create Receiver List,Alıcı listesi oluşturma +Create Salary Slip,Maaş Kayma oluşturun +Create Stock Ledger Entries when you submit a Sales Invoice,Bir Satış Faturası gönderdiğinizde Stok Ledger Girdileri +"Create and manage daily, weekly and monthly email digests.","Oluşturun ve günlük, haftalık ve aylık e-posta sindirir yönetmek." +Create rules to restrict transactions based on values.,Değerlere dayalı işlemleri kısıtlamak için kurallar oluşturun. +Created By,Oluşturulan +Creates salary slip for above mentioned criteria.,Yukarıda belirtilen kriterleri için ücret makbuzu oluşturur. +Creation Date,Oluşturulma Tarihi +Creation Document No,Yaratılış Belge No +Creation Document Type,Yaratılış Belge Türü +Creation Time,Oluşturma Zamanı +Credentials,Kimlik Bilgileri +Credit,Kredi +Credit Amt,Kredi Tutarı +Credit Card,Kredi kartı +Credit Card Voucher,Kredi Kartı Çeki +Credit Controller,Credit Controller +Credit Days,Kredi Gün +Credit Limit,Kredi Limiti +Credit Note,Kredi mektubu +Credit To,Kredi için +Currency,Para birimi +Currency Exchange,Döviz +Currency Name,Para Birimi Adı +Currency Settings,Döviz Ayarları +Currency and Price List,Döviz ve Fiyat Listesi +Currency exchange rate master.,Döviz kuru usta. +Current Address,Güncel Adresi +Current Address Is,Güncel Adresi mı +Current Assets,Mevcut Varlıklar +Current BOM,Güncel BOM +Current BOM and New BOM can not be same,Cari BOM ve Yeni BOM aynı olamaz +Current Fiscal Year,Cari Mali Yılı +Current Liabilities,Kısa Vadeli Borçlar +Current Stock,Güncel Stok +Current Stock UOM,Cari Stok UOM +Current Value,Mevcut değer +Custom,Özel +Custom Autoreply Message,Özel Autoreply Mesaj +Custom Message,Özel Mesaj +Customer,ceviri1 +Customer (Receivable) Account,Müşteri (Alacak) Hesap +Customer / Item Name,Müşteri / Ürün İsmi +Customer / Lead Address,Müşteri / Kurşun Adres +Customer / Lead Name,Müşteri / Kurşun İsim +Customer > Customer Group > Territory,Müşteri> Müşteri Grubu> Eyalet +Customer Account Head,Müşteri Hesap Başkanı +Customer Acquisition and Loyalty,Müşteri Edinme ve Sadakat +Customer Address,Müşteri Adresi +Customer Addresses And Contacts,Müşteri Adresleri Ve İletişim +Customer Addresses and Contacts,Müşteri Adresler ve İletişim +Customer Code,Müşteri Kodu +Customer Codes,Müşteri Kodları +Customer Details,Müşteri Detayları +Customer Feedback,Müşteri Görüşleri +Customer Group,Müşteri Grubu +Customer Group / Customer,Müşteri Grup / Müşteri +Customer Group Name,Müşteri Grup Adı +Customer Intro,Müşteri Giriş +Customer Issue,Müşteri Sayı +Customer Issue against Serial No.,Seri No karşı Müşteri Sayı +Customer Name,Müşteri Adı +Customer Naming By,Müşteri adlandırma By +Customer Service,Müşteri Hizmetleri +Customer database.,Müşteri veritabanı. +Customer is required,Müşteri gereklidir +Customer master.,Müşteri usta. +Customer required for 'Customerwise Discount','Customerwise İndirimi' için gerekli Müşteri +Customer {0} does not belong to project {1},Müşteri {0} projeye ait değil {1} +Customer {0} does not exist,Müşteri {0} yok +Customer's Item Code,Müşterinin Ürün Kodu +Customer's Purchase Order Date,Müşterinin Sipariş Tarihi +Customer's Purchase Order No,Müşterinin Sipariş yok +Customer's Purchase Order Number,Müşterinin Sipariş Numarası +Customer's Vendor,Müşterinin Satıcı +Customers Not Buying Since Long Time,Müşteriler uzun zamandan beri Alış değil +Customerwise Discount,Customerwise İndirim +Customize,Özelleştirme +Customize the Notification,Bildirim özelleştirin +Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,Bu e-postanın bir parçası olarak gider tanıtım metnini özelleştirin. Her işlem ayrı bir tanıtım metni vardır. +DN Detail,DN Detay +Daily,Günlük +Daily Time Log Summary,Günlük Saat Günlük Özet +Database Folder ID,Veritabanı Klasör Kimliği +Database of potential customers.,Potansiyel müşterilerin Veritabanı. +Date,Tarih +Date Format,Tarih Biçimi +Date Of Retirement,Emeklilik Tarihiniz +Date Of Retirement must be greater than Date of Joining,Emekli Of Tarihi Katılma tarihi daha büyük olmalıdır +Date is repeated,Tarih tekrarlanır +Date of Birth,Doğum tarihi +Date of Issue,Veriliş tarihi +Date of Joining,Katılma Tarihi +Date of Joining must be greater than Date of Birth,Katılma Tarihi Doğum tarihi daha büyük olmalıdır +Date on which lorry started from supplier warehouse,Kamyon tedarikçisi Depodan başladı hangi tarihi +Date on which lorry started from your warehouse,Kamyon depo başladı hangi tarihi +Dates,Tarihler +Days Since Last Order,Gün bu yana Son Sipariş +Days for which Holidays are blocked for this department.,Holidays Bu bölüm için bloke edildiği gün boyunca. +Dealer,Satıcı +Debit,Borç +Debit Amt,Bankamatik Tutarı +Debit Note,Borç dekontu +Debit To,Için banka +Debit and Credit not equal for this voucher. Difference is {0}.,Banka ve bu fiş için eşit değildir Kredi. Fark {0}. +Deduct,Düşmek +Deduction,Kesinti +Deduction Type,Kesinti Türü +Deduction1,Deduction1 +Deductions,Kesintiler +Default,Varsayılan +Default Account,Varsayılan Hesap +Default Address Template cannot be deleted,Varsayılan Adres Şablon silinemez +Default Amount,Standart Tutar +Default BOM,Standart BOM +Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,Bu mod seçildiğinde varsayılan Banka / Kasa hesabı otomatik olarak POS Fatura güncellenecektir. +Default Bank Account,Varsayılan Banka Hesabı +Default Buying Cost Center,Standart Alış Maliyet Merkezi +Default Buying Price List,Standart Alış Fiyat Listesi +Default Cash Account,Standart Kasa Hesabı +Default Company,Standart Firma +Default Currency,Geçerli Para Birimi +Default Customer Group,Varsayılan Müşteri Grubu +Default Expense Account,Standart Gider Hesabı +Default Income Account,Standart Gelir Hesabı +Default Item Group,Standart Ürün Grubu +Default Price List,Standart Fiyat Listesi +Default Purchase Account in which cost of the item will be debited.,Öğenin maliyeti tahsil edilecektir hangi varsayılan Satınalma Hesabı. +Default Selling Cost Center,Standart Satış Maliyet Merkezi +Default Settings,Varsayılan Ayarlar +Default Source Warehouse,Varsayılan Kaynak Atölyesi +Default Stock UOM,Varsayılan Stok UOM +Default Supplier,Standart Tedarikçi +Default Supplier Type,Standart Tedarikçi Türü +Default Target Warehouse,Standart Hedef Depo +Default Territory,Standart Bölge +Default Unit of Measure,Ölçü Varsayılan Birim +"Default Unit of Measure can not be changed directly because you have already made some transaction(s) with another UOM. To change default UOM, use 'UOM Replace Utility' tool under Stock module.","Zaten başka UOM ile bazı işlem (ler) yaptık çünkü Ölçü Varsayılan Birim doğrudan değiştirilemez. Varsayılan uom değiştirmek için, Stok modülü altında 'UoM Faydalı değiştirin' aracını kullanın." +Default Valuation Method,Standart Değerleme Yöntemi +Default Warehouse,Standart Depo +Default Warehouse is mandatory for stock Item.,Standart Depo stok Ürün için zorunludur. +Default settings for accounting transactions.,Muhasebe işlemleri için varsayılan ayarlar. +Default settings for buying transactions.,Işlemleri satın almak için varsayılan ayarlar. +Default settings for selling transactions.,Satımın için varsayılan ayarlar. +Default settings for stock transactions.,Hisse senedi işlemleri için varsayılan ayarlar. +Defense,Savunma +"Define Budget for this Cost Center. To set budget action, see
Company Master","Bu Maliyet Merkezi için Bütçe tanımlayın. Bütçe eylemi ayarlamak için, bir href Şirket Usta " +Del,Del +Delete,Sil +Delete {0} {1}?,Sil {0} {1}? +Delivered,Teslim Edildi +Delivered Items To Be Billed,Faturalı To Be teslim Öğeler +Delivered Qty,Teslim Adet +Delivered Serial No {0} cannot be deleted,Teslim Seri No {0} silinemez +Delivery Date,Teslimat Tarihi +Delivery Details,Teslim Bilgileri +Delivery Document No,Teslim Belge No +Delivery Document Type,Teslim Belge Türü +Delivery Note,Alındı ​​fişi +Delivery Note Item,Teslim Not Öğe +Delivery Note Items,Teslim Not Öğeler +Delivery Note Message,İrsaliye Mesaj +Delivery Note No,İrsaliye yok +Delivery Note Required,İrsaliye Gerekli +Delivery Note Trends,İrsaliye Trendler +Delivery Note {0} is not submitted,İrsaliye {0} teslim edilmez +Delivery Note {0} must not be submitted,İrsaliye {0} teslim edilmemelidir +Delivery Notes {0} must be cancelled before cancelling this Sales Order,Teslim Notları {0} bu Satış Siparişi iptal etmeden önce iptal edilmelidir +Delivery Status,Teslim Durumu +Delivery Time,Teslimat süresi +Delivery To,Için teslim +Department,Departman +Department Stores,Alışveriş Merkezleri +Depends on LWP,LWP bağlıdır +Depreciation,Amortisman +Description,Açıklama +Description HTML,Açıklama HTML +Designation,Açıklama +Designer,Tasarlayıcı +Detailed Breakup of the totals,Toplamları ayrıntılı Dağılması +Details,Ayrıntılar +Difference (Dr - Cr),Fark (Dr - Cr) +Difference Account,Fark Hesabı +"Difference Account must be a 'Liability' type account, since this Stock Reconciliation is an Opening Entry","Bu Stok Uzlaşma bir açılış girdisi olduğundan Fark Hesabı, bir 'Sorumluluk' tipi hesabı olmalıdır" +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.,Öğeler için farklı UOM yanlış (Toplam) Net Ağırlık değerine yol açacaktır. Her öğenin Net Ağırlık aynı UOM olduğundan emin olun. +Direct Expenses,Doğrudan Giderler +Direct Income,Doğrudan Gelir +Disable,Devre dışı bırak +Disable Rounded Total,Yuvarlak toplam devre dışı +Disabled,Devredışı +Discount %,İndirim% +Discount %,İndirim% +Discount (%),İndirim (%) +Discount Amount,İndirim Tutarı +"Discount Fields will be available in Purchase Order, Purchase Receipt, Purchase Invoice","İndirim Alanlar Sipariş, Satın Alma Makbuzu, Satınalma Fatura sunulacak" +Discount Percentage,İndirim Yüzdesi +Discount Percentage can be applied either against a Price List or for all Price List.,İndirim Yüzde Fiyat Listesi karşı veya tüm Fiyat Listesi için ya uygulanabilir. +Discount must be less than 100,İndirim az 100 olmalıdır +Discount(%),İndirim (%) +Dispatch,Sevk +Display all the individual items delivered with the main items,Ana öğeleri ile sağlanan tüm bireysel öğeleri görüntüler +Distribute transport overhead across items.,Öğeleri arasında ulaşım yükünü dağıtın. +Distribution,Dağıtım +Distribution Id,Dağıtım Kimliği +Distribution Name,Dağıtım Adı +Distributor,Distribütör +Divorced,Boşanmış +Do Not Contact,İletişim Etmeyin +Do not show any symbol like $ etc next to currencies.,Sonraki paralara $ vb gibi herhangi bir sembol görünmüyor. +Do really want to unstop production order: , +Do you really want to STOP , +Do you really want to STOP this Material Request?,Eğer gerçekten bu Malzeme İsteği durdurmak istiyor musunuz? +Do you really want to Submit all Salary Slip for month {0} and year {1},Eğer gerçekten {0} ve yıl {1} ​​ay boyunca tüm Maaş Kayma Gönder istiyor musunuz +Do you really want to UNSTOP , +Do you really want to UNSTOP this Material Request?,Eğer gerçekten bu Malzeme İsteği unstop istiyor musunuz? +Do you really want to stop production order: , +Doc Name,Doküman adı +Doc Type,Dok Türü +Document Description,Belge Açıklaması +Document Type,Belge Türü +Documents,Belgeler +Domain,Etki Alanı +Don't send Employee Birthday Reminders,Çalışan Doğum Günü Hatırlatmalar göndermek yok +Download Materials Required,Gerekli Malzemeler indirin +Download Reconcilation Data,Mutabakatı veri indir +Download Template,İndir Şablon +Download a report containing all raw materials with their latest inventory status,En son stok durumu ile tüm hammaddeleri içeren bir raporu indirin +"Download the Template, fill appropriate data and attach the modified file.","Şablon indir, uygun veri doldurmak ve değiştirilmiş dosya eklemek." +"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 indir, uygun veri doldurmak ve değiştirilmiş dosya eklemek. + Seçilen dönemde tüm tarihler ve çalışanların kombinasyon mevcut katılım kayıtları ile, şablonda gelecek" +Draft,Taslak +Dropbox,Dropbox +Dropbox Access Allowed,İzin Dropbox Erişim +Dropbox Access Key,Dropbox Erişim Anahtarı +Dropbox Access Secret,Dropbox Erişim Gizli +Due Date,Bitiş tarihi +Due Date cannot be after {0},Due Date sonra olamaz {0} +Due Date cannot be before Posting Date,Due Date tarihi gönderdiği önce olamaz +Duplicate Entry. Please check Authorization Rule {0},Girişi çoğaltın. Yetkilendirme Kuralı kontrol edin {0} +Duplicate Serial No entered for Item {0},Çoğaltın Seri No Ürün için girilen {0} +Duplicate entry,Girişini çoğaltmak +Duplicate row {0} with same {1},Yinelenen satır {0} ile aynı {1} +Duties and Taxes,Görev ve Vergiler +ERPNext Setup,ERPNext Kur +Earliest,En erken +Earnest Money,Kaparo +Earning,Kazanma +Earning & Deduction,Kazanç & Kesintisi +Earning Type,Tip Kazanç +Earning1,Earning1 +Edit,Düzenle +Edu. Cess on Excise,Edu. Vergi ile ilgili Cess +Edu. Cess on Service Tax,Edu. Hizmet Vergisi Cess +Edu. Cess on TDS,Edu. TDS ile ilgili Cess +Education,Eğitim +Educational Qualification,Eğitim Yeterlilik +Educational Qualification Details,Eğitim Yeterlilik Detaylar +Eg. smsgateway.com/api/send_sms.cgi,Örn. smsgateway.com / api / send_sms.cgi +Either debit or credit amount is required for {0},Banka veya kredi tutarı Ya için gereklidir {0} +Either target qty or target amount is mandatory,Hedef Adet Adet veya hedef tutar Ya zorunludur +Either target qty or target amount is mandatory.,Hedef Adet Adet veya hedef tutar Ya zorunludur. +Electrical,Elektrik +Electricity Cost,Elektrik Maliyeti +Electricity cost per hour,Saat başına elektrik maliyeti +Electronics,Elektronik +Email,E-posta +Email Digest,E-Digest +Email Digest Settings,E-Digest Ayarları +Email Digest: , +Email Id,E-posta Kimliği +"Email Id where a job applicant will email e.g. ""jobs@example.com""","Bir iş başvurusu e-posta göndereceğiz E-posta Kimliği örneğin ""jobs@example.com""" +Email Notifications,E-posta Bildirimleri +Email Sent?,Email Sent? +"Email id must be unique, already exists for {0}","E-posta id benzersiz olmalıdır, zaten var {0}" +Email ids separated by commas.,E-posta kimlikleri virgülle ayırarak. +"Email settings to extract Leads from sales email id e.g. ""sales@example.com""","Satış e-posta id örneğin ""sales@example.com"" den İlanlar ayıklamak için e-posta ayarları" +Emergency Contact,Acil İletişim +Emergency Contact Details,Acil İletişim Detayları +Emergency Phone,Acil Telefon +Employee,Çalışan +Employee Birthday,Çalışan Doğum Günü +Employee Details,Çalışan Ayrıntıları +Employee Education,Çalışan Eğitim +Employee External Work History,Çalışan Dış İş Geçmişi +Employee Information,Çalışan Bilgi +Employee Internal Work History,Çalışan İç Çalışma Geçmişi +Employee Internal Work Historys,Çalışan İç Çalışma Historys +Employee Leave Approver,Çalışan bırak Approver +Employee Leave Balance,Çalışan bırak Dengesi +Employee Name,Çalışan Adı +Employee Number,Çalışan sayısı +Employee Records to be created by,Çalışan Kayıtları tarafından oluşturulacak +Employee Settings,Çalışan Ayarları +Employee Type,Çalışan Tipi +"Employee designation (e.g. CEO, Director etc.).","Çalışan atama (ör. CEO, Müdür vb.)" +Employee master.,Çalışan usta. +Employee record is created using selected field. , +Employee records.,Çalışan kayıtları. +Employee relieved on {0} must be set as 'Left',{0} üzerinde rahatlamış Çalışan 'Sol' olarak ayarlanmış olmalıdır +Employee {0} has already applied for {1} between {2} and {3},Çalışan {0} zaten arasındaki {1} için başvurdu {2} ve {3} +Employee {0} is not active or does not exist,Çalışan {0} aktif değil veya yok +Employee {0} was on leave on {1}. Cannot mark attendance.,Çalışan {0} {1} tarihinde izinli oldu. Katılım işaretlemek olamaz. +Employees Email Id,Çalışanlar ID e-posta +Employment Details,İstihdam Detayları +Employment Type,İstihdam Tipi +Enable / disable currencies.,/ Devre dışı para etkinleştirin. +Enabled,Etkin +Encashment Date,Nakit Çekim Tarihi +End Date,Bitiş Tarihi +End Date can not be less than Start Date,"Bitiş Tarihi, Başlangıç ​​Tarihinden daha az olamaz" +End date of current invoice's period,Cari faturanın döneminin bitiş tarihi +End of Life,Hayatın Sonu +Energy,Enerji +Engineer,Mühendis +Enter Verification Code,Doğrulama kodunu girin +Enter campaign name if the source of lead is campaign.,Kurşun kaynağıdır kampanya ise kampanya adını girin. +Enter department to which this Contact belongs,Bu İletişim ait olduğu departmanı girin +Enter designation of this Contact,Bu İletişim atama giriniz +"Enter email id separated by commas, invoice will be mailed automatically on particular date","Virgülle ayrılmış e-posta id girin, fatura belirli bir tarihte otomatik olarak gönderilecek olacak" +Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,Eğer üretim siparişleri yükseltmek veya analiz için hammadde indirmek istediğiniz öğeleri ve planlı qty girin. +Enter name of campaign if source of enquiry is campaign,Soruşturma kaynağı kampanyası ise kampanyanın adını girin +"Enter static url parameters here (Eg. sender=ERPNext, username=ERPNext, password=1234 etc.)","Burada statik url parametreleri girin (Örn. gönderen = ERPNext, username = ERPNext, şifre = 1234 vb)" +Enter the company name under which Account Head will be created for this Supplier,Baş Hesap altında şirket adını girin Bu Satıcıya için oluşturulmuş olacak +Enter url parameter for message,Mesajı için url parametre girin +Enter url parameter for receiver nos,Alıcı nos için url parametre girin +Entertainment & Leisure,Eğlence ve Boş Zaman +Entertainment Expenses,Eğlence Giderleri +Entries,Yazılar +Entries against , +Entries are not allowed against this Fiscal Year if the year is closed.,"Yıl kapalı ise, bu verileri Mali Yılı karşı izin verilmez." +Equity,Özkaynak +Error: {0} > {1},Hata: {0}> {1} +Estimated Material Cost,Tahmini Malzeme Maliyeti +"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","En yüksek önceliğe sahip birden Fiyatlandırması Kuralları olsa bile, o zaman aşağıdaki iç öncelikler uygulanır:" +Everyone can read,Herkes okuyabilir +"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.",". Örnek: ABCD # # # # # + serisi ayarlanır ve Seri No işlemlerde söz değilse, o zaman otomatik seri numarası bu dizi dayalı oluşturulur. Eğer her zaman açıkça bu öğe için Seri Nos bahsetmek istiyorum. Bu boş bırakın." +Exchange Rate,Para Birimi kurları +Excise Duty 10,Özel Tüketim Vergisi 10 +Excise Duty 14,Özel Tüketim Vergisi 14 +Excise Duty 4,Tüketim Vergisi 4 +Excise Duty 8,ÖTV 8 +Excise Duty @ 10,@ 10 Özel Tüketim Vergisi +Excise Duty @ 14,14 @ ÖTV +Excise Duty @ 4,@ 4 Özel Tüketim Vergisi +Excise Duty @ 8,@ 8 Özel Tüketim Vergisi +Excise Duty Edu Cess 2,ÖTV Edu Cess 2 +Excise Duty SHE Cess 1,ÖTV SHE Cess 1 +Excise Page Number,Tüketim Sayfa Numarası +Excise Voucher,Tüketim Çeki +Execution,Yerine Getirme +Executive Search,Executive Search +Exemption Limit,Muafiyet Sınırı +Exhibition,Sergi +Existing Customer,Mevcut Müşteri +Exit,Çıkış +Exit Interview Details,Çıkış Görüşmesi Detayları +Expected,Beklenen +Expected Completion Date can not be less than Project Start Date,Beklenen Bitiş Tarihi Proje Başlangıç ​​Tarihi az olamaz +Expected Date cannot be before Material Request Date,Beklenen Tarih Malzeme Talep Tarihi önce olamaz +Expected Delivery Date,Beklenen Teslim Tarihi +Expected Delivery Date cannot be before Purchase Order Date,Beklenen Teslim Tarihi Sipariş Tarihinden önce olamaz +Expected Delivery Date cannot be before Sales Order Date,Beklenen Teslim Tarihi önce Satış Sipariş Tarihi olamaz +Expected End Date,Beklenen Bitiş Tarihi +Expected Start Date,Beklenen Başlangıç ​​Tarihi +Expense,Gider +Expense / Difference account ({0}) must be a 'Profit or Loss' account,"Gider / Farkı hesabı ({0}), bir 'Kar veya Zarar' hesabı olmalıdır" +Expense Account,Gider Hesabı +Expense Account is mandatory,Gider Hesabı zorunludur +Expense Claim,Gider İddiası +Expense Claim Approved,Gideri Talep Onaylı +Expense Claim Approved Message,Gideri Talep Onaylı Mesaj +Expense Claim Detail,Gideri Talep Detayı +Expense Claim Details,Gider Talep Detayı +Expense Claim Rejected,Gider İddia Reddedildi +Expense Claim Rejected Message,Gider İddia Reddedildi Mesaj +Expense Claim Type,Gideri Talep Türü +Expense Claim has been approved.,Gideri Talep onaylandı. +Expense Claim has been rejected.,Gideri Talep reddedildi. +Expense Claim is pending approval. Only the Expense Approver can update status.,Gideri Talep onayı bekliyor. Sadece Gider Approver durumunu güncelleyebilirsiniz. +Expense Date,Gider Tarih +Expense Details,Gider Detayları +Expense Head,Gider Başkanı +Expense account is mandatory for item {0},Gider hesap kalemi için zorunludur {0} +Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Gider veya Fark hesabı zorunludur Ürün için {0} etkilediğini genel stok değeri olarak +Expenses,Giderler +Expenses Booked,Rezervasyon Giderleri +Expenses Included In Valuation,Giderleri Değerleme Dahil +Expenses booked for the digest period,Sindirmek dönemi için rezervasyonu Giderleri +Expiry Date,Son kullanma tarihi +Exports,İhracat +External,Dış +Extract Emails,E-postalar ayıklayın +FCFS Rate,FCFS Oranı +Failed: , +Family Background,Aile Arkaplan +Fax,Faks +Features Setup,Özellikler Kurulum +Feed,Beslemek +Feed Type,Besleme Türü +Feedback,Geri bildirim +Female,Kadın +Fetch exploded BOM (including sub-assemblies),(Alt-montajlar dahil) patladı BOM Fetch +"Field available in Delivery Note, Quotation, Sales Invoice, Sales Order","İrsaliye, Teklif, Satış Fatura, Satış Siparişi kullanılabilir alan" +Files Folder ID,Dosyalar Klasör Kimliği +Fill the form and save it,Formu doldurun ve bunu kaydetmek +Filter based on customer,Filtre müşteri dayalı +Filter based on item,Öğeye dayanarak Filtre +Financial / accounting year.,Finans / Muhasebe yıl. +Financial Analytics,Mali Analytics +Financial Services,Finansal Hizmetler +Financial Year End Date,Mali Yıl Bitiş Tarihi +Financial Year Start Date,Mali Yıl Başlangıç ​​Tarihi +Finished Goods,Mamüller +First Name,Ad +First Responded On,İlk cevap verdi +Fiscal Year,Mali yıl +Fiscal Year Start Date and Fiscal Year End Date are already set in Fiscal Year {0},Mali Yılı Başlangıç ​​Tarihi ve Mali Yıl Bitiş Tarihi zaten Mali Yılı ayarlanır {0} +Fiscal Year Start Date and Fiscal Year End Date cannot be more than a year apart.,Mali Yılı Başlangıç ​​Tarihi ve Mali Yıl Bitiş Tarihi dışında bir yıldan fazla olamaz. +Fiscal Year Start Date should not be greater than Fiscal Year End Date,Mali Yıl Başlangıç ​​Tarihi Mali Yıl Sonu tarihden olmamalıdır +Fixed Asset,Sabit Kıymet +Fixed Assets,Duran Varlıklar +Follow via Email,E-posta ile takip +"Following table will show values if items are sub - contracted. These values will be fetched from the master of ""Bill of Materials"" of sub - contracted items.","Maddeleri alt iseniz aşağıdaki tablo değerleri gösterecektir - daralmıştır. Bu değerler alt ""Malzeme Listesi"" nin ustadan getirilecek - öğeleri sözleşmeli." +Food,Yiyecek Grupları +"Food, Beverage & Tobacco","Gıda, İçecek ve Tütün" +"For 'Sales BOM' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Sales BOM' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","'Satış BOM' öğeleri, Depo, Seri No ve Toplu Hayır 'Paketleme Listesi' tablosundan kabul edilecektir. Depo ve Toplu Hayır herhangi bir 'Satış BOM' öğe için tüm ambalaj öğeler için aynı ise, bu değerler ana Öğe tabloda girilebilir, değerler 'Ambalaj' List tabloya kopyalanır." +For Company,Şirket için +For Employee,Çalışanlara +For Employee Name,Çalışan Adı İçin +For Price List,Fiyat Listesi +For Production,Üretimi için +For Reference Only.,Sadece Referans için. +For Sales Invoice,Satış Faturası için +For Server Side Print Formats,Server Side Baskı Biçimleri +For Supplier,Tedarikçi için +For Warehouse,Depo için +For Warehouse is required before Submit,Depo gereklidir için önce Gönder +"For e.g. 2012, 2012-13","Örneğin 2012 için, 2012-13" +For reference,Referans için +For reference only.,Sadece referans. +"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ı Faturalar ve Teslimat notları gibi baskı biçimleri kullanılabilir" +Fraction,Kesir +Fraction Units,Kesir Üniteleri +Freeze Stock Entries,Freeze Stok Yazılar +Freeze Stocks Older Than [Days],Freeze Stoklar Daha Eski [Gün] +Freight and Forwarding Charges,Yük ve Yönlendirme Ücretleri +Friday,Cuma +From,Itibaren +From Bill of Materials,Malzeme Bill +From Company,Şirket Gönderen +From Currency,Para Gönderen +From Currency and To Currency cannot be same,Para itibaren ve Para için aynı olamaz +From Customer,Müşteri Gönderen +From Customer Issue,Müşteri Sayı Gönderen +From Date,Tarih +From Date cannot be greater than To Date,Tarihten itibaren için daha büyük olamaz +From Date must be before To Date,Tarihten itibaren önce olmalıdır +From Date should be within the Fiscal Year. Assuming From Date = {0},Tarih Mali Yılı içinde olmalıdır. Tarihten itibaren varsayarsak = {0} +From Delivery Note,Teslim Not +From Employee,Çalışanlara +From Lead,Kurşun gelen +From Maintenance Schedule,Bakım Programı Gönderen +From Material Request,Malzeme istek +From Opportunity,Fırsat +From Package No.,Paket No Gönderen +From Purchase Order,Satınalma Siparişi Gönderen +From Purchase Receipt,Satın Alındı ​​Gönderen +From Quotation,Teklifimizin Gönderen +From Sales Order,Satış Siparişi Gönderen +From Supplier Quotation,Tedarikçi Teklifimizin Gönderen +From Time,Time +From Value,Değer itibaren +From and To dates required,Gerekli tarihleri ​​Başlangıç ​​ve +From value must be less than to value in row {0},Değerden üst üste değerine daha az olmalıdır {0} +Frozen,Dondurulmuş +Frozen Accounts Modifier,Dondurulmuş Hesapları Değiştirici +Fulfilled,Karşılanan +Full Name,Tam Adı +Full-time,Tam gün +Fully Billed,Tam Faturalı +Fully Completed,Tamamen Tamamlandı +Fully Delivered,Tamamen Teslim +Furniture and Fixture,Mobilya ve Fikstürü +Further accounts can be made under Groups but entries can be made against Ledger,Ek hesaplar Gruplar altında yapılabilir ancak girdiler Ledger karşı yapılabilir +"Further accounts can be made under Groups, but entries can be made against Ledger","Ek hesaplar Gruplar altında yapılabilir, ancak girdiler Ledger karşı yapılabilir" +Further nodes can be only created under 'Group' type nodes,Dahası düğümleri sadece 'Grup' tipi düğüm altında oluşturulabilir +GL Entry,GL Girişi +Gantt Chart,Gantt Chart +Gantt chart of all tasks.,Tüm görevlerin Gantt grafiği. +Gender,Cinsiyet +General,Genel +General Ledger,Genel Muhasebe +Generate Description HTML,Açıklama Generate HTML +Generate Material Requests (MRP) and Production Orders.,Malzeme İstekleri (MRP) ve Üretim Emirleri oluşturun. +Generate Salary Slips,Maaş Fiş Üret +Generate Schedule,Programı oluşturmak +Generates HTML to include selected image in the description,Açıklamasında seçilen görüntüyü eklemek için HTML üretir +Get Advances Paid,Avanslar Para Kazanın +Get Advances Received,Alınan avanslar alın +Get Current Stock,Cari Stok alın +Get Items,Öğeler alın +Get Items From Sales Orders,Satış Siparişleri Öğeleri alın +Get Items from BOM,BOM Öğeleri alın +Get Last Purchase Rate,Son Alım puanla alın +Get Outstanding Invoices,Üstün Faturalar alın +Get Relevant Entries,İlgili başlıklar alın +Get Sales Orders,Satış Siparişleri alın +Get Specification Details,Şartname Detayı alın +Get Stock and Rate,Stok ve Oranı alın +Get Template,Şablon alın +Get Terms and Conditions,Şartları alın +Get Unreconciled Entries,Uzlaşmayan başlıklar alın +Get Weekly Off Dates,Tarihler Haftalık Off alın +"Get valuation rate and available stock at source/target warehouse on mentioned posting date-time. If serialized item, please press this button after entering serial nos.","Sözü gönderme tarih-zaman kaynak / hedef depoda değerleme oranı ve mevcut stok alın. Öğeyi tefrika varsa, seri nos girdikten sonra bu düğmeye basınız." +Global Defaults,Küresel Varsayılanları +Global POS Setting {0} already created for company {1},Küresel POS Ayar {0} zaten oluşturulan şirket {1} +Global Settings,Genel Ayarlar +"Go to the appropriate group (usually Application of Funds > Current Assets > Bank Accounts and create a new Account Ledger (by clicking on Add Child) of type ""Bank""","Uygun gruba (Fon genellikle Uygulama> Dönen Varlıklar> Banka Hesapları gidin ve ""Bankası"" türü Child ekle tıklayarak yeni Hesabı Ledger () oluşturmak" +"Go to the appropriate group (usually Source of Funds > Current Liabilities > Taxes and Duties and create a new Account Ledger (by clicking on Add Child) of type ""Tax"" and do mention the Tax rate.","Uygun gruba (Fon genellikle Kaynağı> Yükümlülükler> Vergi ve Görevleri gidin ve türü ""Vergi"" ve Ledger (tıklayarak Çocuk ekle) yeni bir hesap oluşturmak ve Vergi oranı söz yok." +Goal,Hedef +Goals,Hedefleri +Goods received from Suppliers.,Eşya Sanayicileri aldı. +Google Drive,Google Drive +Google Drive Access Allowed,Google Drive Erişim İzin +Government,Devlet +Graduate,Mezun +Grand Total,Genel Toplam +Grand Total (Company Currency),Genel Toplam (Şirket para birimi) +"Grid ""","Izgara """ +Grocery,Bakkal +Gross Margin %,Brüt Kar Marjı% +Gross Margin Value,Brüt Kar Marjı Değer +Gross Pay,Brüt Ücret +Gross Pay + Arrear Amount +Encashment Amount - Total Deduction,Brüt Ücret + geciken Tutar + Nakit Çekim Tutarı - Toplam Kesintisi +Gross Profit,Brüt kazanç +Gross Profit (%),Brüt kazanç (%) +Gross Weight,Brüt ağırlık +Gross Weight UOM,Brüt Ağırlık UOM +Group,Grup +Group by Account,Hesap tarafından Grup +Group by Voucher,Çeki ile grup +Group or Ledger,Grup veya Ledger +Groups,Gruplar +HR Manager,İK Yöneticisi +HR Settings,İK Ayarları +HTML / Banner that will show on the top of product list.,Ürün listesinin üstünde gösterecektir HTML / Banner. +Half Day,Yarım Gün +Half Yearly,Yarım Yıllık +Half-yearly,Yarıyıllık +Happy Birthday!,Doğum günün kutlu olsun! +Hardware,Donanım +Has Batch No,Toplu hayır vardır +Has Child Node,Çocuk düğüm olan +Has Serial No,Seri no Has +Head of Marketing and Sales,Pazarlama ve Satış Müdürü +Header,Başlık +Health Care,Sağlık hizmeti +Health Concerns,Sağlık Sorunları +Health Details,Sağlık Bilgileri +Held On,Açık Tutulacak +Help HTML,Yardım HTML +"Help: To link to another record in the system, use ""#Form/Note/[Note Name]"" as the Link URL. (don't use ""http://"")","Yardım: sistemindeki başka bir kayda bağlamak için, ""# Form / Not / [İsim Not]"" Bağlantı URL olarak kullanın. (""Http://"" kullanmayın)" +"Here you can maintain family details like name and occupation of parent, spouse and children","Burada ebeveyn, eş ve çocukların isim ve meslek gibi aile ayrıntıları koruyabilirsiniz" +"Here you can maintain height, weight, allergies, medical concerns etc","Burada boy, kilo, alerji, tıbbi endişeler vb koruyabilirsiniz" +Hide Currency Symbol,Para birimi simgesi gizle +High,Yüksek +History In Company,Şirket Tarihçe +Hold,Muhafaza et +Holiday,Tatil +Holiday List,Tatil Listesi +Holiday List Name,Tatil Listesi Adı +Holiday master.,Tatil usta. +Holidays,Bayram +Home,Ana Sayfa +Host,Host +"Host, Email and Password required if emails are to be pulled","E-postalar çekti isteniyorsa konak, E-posta ve Şifre gereklidir" +Hour,Saat +Hour Rate,Saat Hızı +Hour Rate Labour,Saat Hızı Çalışma +Hours,Saat +How Pricing Rule is applied?,Nasıl Fiyatlandırma Kural uygulanır? +How frequently?,Ne sıklıkla? +"How should this currency be formatted? If not set, will use system defaults","Bu nasıl para biçimlendirilmiş olmalıdır? Set değilse, sistem varsayılan kullanacak" +Human Resources,Insan kaynakları +Identification of the package for the delivery (for print),(Baskı için) verilmesi için ambalajın tanımlanması +If Income or Expense,Eğer Gelir veya Gider +If Monthly Budget Exceeded,Aylık Bütçe aşıldı eğer +"If Sale BOM is defined, the actual BOM of the Pack is displayed as table. Available in Delivery Note and Sales Order","Satış BOM tanımlanmış ise, Pack gerçek BOM tablo olarak görüntülenir. İrsaliye ve Satış Sipariş mevcuttur" +"If Supplier Part Number exists for given Item, it gets stored here","Tedarikçi Parça Numarası verilen parçanın varsa, burada depolanır" +If Yearly Budget Exceeded,Yıllık Bütçe aşıldı eğer +"If checked, BOM for sub-assembly items will be considered for getting raw materials. Otherwise, all sub-assembly items will be treated as a raw material.","Eğer işaretli ise, alt-montaj kalemleri için BOM hammadde almak için kabul edilecektir. Aksi takdirde, tüm alt-montaj öğeler bir hammadde olarak kabul edilecektir." +"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Eğer seçilirse, toplam yok. Çalışma gün ve tatiller dahil olacak ve bu Maaş Günlük değerini azaltacaktır" +"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount","Kontrol eğer zaten Baskı Hızı / Baskı Tutar dahil olarak, vergi tutarı olarak kabul edilecektir" +If different than customer address,Eğer müşteri adres farklı +"If disable, 'Rounded Total' field will not be visible in any transaction","Devre dışı ise, 'Yuvarlak Total' alanı herhangi bir işlem görünür olmayacak" +"If enabled, the system will post accounting entries for inventory automatically.","Etkinse, sistem otomatik olarak envanter için muhasebe kayıtları yayınlayacağız." +If more than one package of the same type (for print),Eğer (baskı için) aynı türden birden fazla paketi +"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Birden Fiyatlandırma Kurallar hakim devam ederse, kullanıcılar çatışmayı çözmek için el Öncelik ayarlamanız istenir." +"If no change in either Quantity or Valuation Rate, leave the cell blank.","Miktar veya Değerleme Oranı da hiçbir değişiklik, hücre boş bırakırsanız." +If not applicable please enter: NA,Eğer uygulanamaz yazınız: NA +"If not checked, the list will have to be added to each Department where it has to be applied.","Kontrol edilmez ise, liste bu uygulanması gereken her bölüm için ilave edilmesi gerekecektir." +"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çilen Fiyatlandırma Kural 'Fiyat' için yapılmış ise, Fiyat Listesi üzerine yazılır. Fiyatlandırma Kural fiyat nihai fiyat, yani başka hiçbir indirim uygulanmalıdır. Bu nedenle, Satış Emri, Sipariş vb gibi işlemlerde, oldukça 'Fiyat Listesi Derece' alanına daha, 'Derece' alanına getirilecek." +"If specified, send the newsletter using this email address","Belirtilen varsa, bu e-posta adresini kullanarak bülten göndermek" +"If the account is frozen, entries are allowed to restricted users.","Hesap donmuş ise, girişleri sınırlı kullanıcılara izin verilir." +"If this Account represents a Customer, Supplier or Employee, set it here.","Bu Hesap Müşteri, tedarikçi ya da çalışan temsil ediyorsa, burada ayarlayın." +"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.","Iki veya daha fazla Fiyatlandırması Kuralları yukarıdaki koşullara dayalı bulunursa, Öncelik uygulanır. Varsayılan değer sıfır (boş) ise Öncelik 0-20 arasında bir sayıdır. Daha fazla sayıda aynı koşullarda birden Fiyatlandırması Kuralları vardır eğer öncelik alacak demektir." +If you follow Quality Inspection. Enables Item QA Required and QA No in Purchase Receipt,Kalite Tetkiki izleyin. Hayır Satın Alma Makbuzu Öğe QA Gerekli ve QA sağlar +If you have Sales Team and Sale Partners (Channel Partners) they can be tagged and maintain their contribution in the sales activity,Eğer Satış Ekibi ve Satış Ortakları (Kanal Ortakları) varsa onlar etiketlendi ve satış faaliyetleri kendi katkılarını sürdürmek olabilir +"If you have created a standard template in Purchase Taxes and Charges Master, select one and click on the button below.","Eğer Satınalma Vergi ve Masraflar Master standart bir şablon oluşturduk varsa, birini seçin ve aşağıdaki butona tıklayın." +"If you have created a standard template in Sales Taxes and Charges Master, select one and click on the button below.","Eğer Satış Vergi ve Masraflar Master standart bir şablon oluşturduk varsa, birini seçin ve aşağıdaki butona tıklayın." +"If you have long print formats, this feature can be used to split the page to be printed on multiple pages with all headers and footers on each page","Uzun baskı biçimleri varsa, bu özellik, her sayfada tüm üstbilgi ve altbilgi ile birden fazla sayfa yazdırılacak sayfayı bölmek için kullanılabilir" +If you involve in manufacturing activity. Enables Item 'Is Manufactured',Eğer üretim faaliyeti dahil edin. Öğe sağlayan 'Üretildi' +Ignore,Yoksay +Ignore Pricing Rule,Fiyatlandırma Kuralı Yoksay +Ignored: , +Image,Resim +Image View,Resim Görüntüle +Implementation Partner,Uygulama Ortağı +Import Attendance,İthalat Devam +Import Failed!,İthalat Başarısız! +Import Log,İthalat Günlüğü +Import Successful!,Başarılı İthalat! +Imports,İthalat +In Hours,Saatleri +In Process,Süreci +In Qty,Adet +In Value,Değer +In Words,Kelimeler +In Words (Company Currency),Kelimeler (Firma para birimi) olarak +In Words (Export) will be visible once you save the Delivery Note.,Eğer Teslim Not kaydetmek kez Words (İhracat) görünür olacaktır. +In Words will be visible once you save the Delivery Note.,Eğer Teslim Not kez kaydedin Kelimeler görünür olacak. +In Words will be visible once you save the Purchase Invoice.,Eğer Alış Fatura kez kaydedin Kelimeler görünür olacak. +In Words will be visible once you save the Purchase Order.,Eğer Satınalma Siparişi kez kaydedin Kelimeler görünür olacak. +In Words will be visible once you save the Purchase Receipt.,Eğer Satınalma Makbuz kez kaydedin Kelimeler görünür olacak. +In Words will be visible once you save the Quotation.,Eğer Teklif kez kaydedin Kelimeler görünür olacak. +In Words will be visible once you save the Sales Invoice.,Eğer Satış Faturası kez kaydedin Kelimeler görünür olacak. +In Words will be visible once you save the Sales Order.,Eğer Satış Siparişi kez kaydedin Kelimeler görünür olacak. +Incentives,Teşvikler +Include Reconciled Entries,Uzlaşılan başlıklar şunlardır +Include holidays in Total no. of Working Days,Hiçbir Toplam tatilleri dahil. Çalışma Günleri +Income,Gelir +Income / Expense,Gelir / Gider +Income Account,Gelir Hesabı +Income Booked,Gelir rezervasyonu +Income Tax,Gelir vergisi +Income Year to Date,Tarih Gelir Yıl +Income booked for the digest period,Sindirmek dönemi için rezervasyonu Gelir +Incoming,Alınıyor! +Incoming Rate,Gelen Oranı +Incoming quality inspection.,Gelen kalite kontrol. +Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Genel Muhasebe Yazılar Yanlış sayısı bulundu. Siz işlemde yanlış Hesabı seçmiş olabilirsiniz. +Incorrect or Inactive BOM {0} for Item {1} at row {2},Yanlış veya Kapalı BOM {0} öğesi için {1} satırdaki {2} +Indicates that the package is a part of this delivery (Only Draft),Paketi Bu teslim bir parçası olduğunu gösterir (Sadece Taslak) +Indirect Expenses,Dolaylı Giderler +Indirect Income,Dolaylı Gelir +Individual,Tek +Industry,Sanayi +Industry Type,Sanayi Tipi +Inspected By,Tarafından denetlenir +Inspection Criteria,Muayene Kriterleri +Inspection Required,Muayene Gerekli +Inspection Type,Muayene Türü +Installation Date,Kurulum Tarihi +Installation Note,Kurulum Not +Installation Note Item,Kurulum Not Öğe +Installation Note {0} has already been submitted,Kurulum Not {0} zaten gönderildi +Installation Status,Kurulum Durumu +Installation Time,Kurulum Zaman +Installation date cannot be before delivery date for Item {0},Kurulum tarih Ürün için teslim tarihinden önce olamaz {0} +Installation record for a Serial No.,Bir Seri No için kurulum rekor +Installed Qty,Yüklü Miktar +Instructions,Talimat +Integrate incoming support emails to Support Ticket,Ticket Destek gelen destek e-postaları entegre +Interested,Ilgili +Intern,Stajyer +Internal,Iç +Internet Publishing,İnternet Yayıncılık +Introduction,Giriş +Invalid Barcode,Geçersiz Barkod +Invalid Barcode or Serial No,Geçersiz Barkod veya Seri No +Invalid Mail Server. Please rectify and try again.,Geçersiz Mail Server. Düzeltmek ve tekrar deneyin. +Invalid Master Name,Geçersiz Usta İsmi +Invalid User Name or Support Password. Please rectify and try again.,Geçersiz Kullanıcı Adı veya Şifre Destek. Düzeltmek ve tekrar deneyin. +Invalid quantity specified for item {0}. Quantity should be greater than 0.,Öğesi için belirtilen geçersiz miktar {0}. Miktar 0'dan büyük olmalıdır. +Inventory,Stok +Inventory & Support,Envanter ve Destek +Investment Banking,Yatırım Bankacılığı +Investments,Yatırımlar +Invoice Date,Fatura Tarihi +Invoice Details,Fatura Ayrıntıları +Invoice No,Hiçbir fatura +Invoice Number,Fatura Numarası +Invoice Period From,Gönderen Fatura Dönemi +Invoice Period From and Invoice Period To dates mandatory for recurring invoice,Faturayı yinelenen zorunlu tarihler için ve Fatura Dönemi itibaren Fatura Dönemi +Invoice Period To,Için Fatura Dönemi +Invoice Type,Fatura Türü +Invoice/Journal Voucher Details,Fatura / Dergi Çeki Detayları +Invoiced Amount (Exculsive Tax),Faturalanan Tutar (Exculsive Vergisi) +Is Active,Aktif Is +Is Advance,Advance mı +Is Cancelled,İptal edilir +Is Carry Forward,İleri Carry mı +Is Default,Standart +Is Encash,Bozdurmak mı +Is Fixed Asset Item,Sabit Kıymet öğedir +Is LWP,LWP mı +Is Opening,Açılış mı +Is Opening Entry,Entry Açılış mı +Is POS,POS +Is Primary Contact,Birincil İletişim mi +Is Purchase Item,Satınalma Ürün mı +Is Sales Item,Satış Ürün mı +Is Service Item,Servis Ürün mı +Is Stock Item,Stok Ürün mı +Is Sub Contracted Item,Alt Sözleşmeli öğedir +Is Subcontracted,Taşeron mı +Is this Tax included in Basic Rate?,Bu Vergi Temel Puan dahil mi? +Issue,Sayı +Issue Date,Veriliş tarihi +Issue Details,Sorun Ayrıntıları +Issued Items Against Production Order,Üretim Emri Karşı İhraç Ürünleri +It can also be used to create opening stock entries and to fix stock value.,Ayrıca açılış stok girişleri oluşturmak ve stok değerini düzeltmek için kullanılabilir. +Item,Ürün +Item Advanced,Ürün Gelişmiş +Item Barcode,Öğe Barkod +Item Batch Nos,Ürün Toplu Nos +Item Code,Ürün Kodu +Item Code > Item Group > Brand,Ürün Kodu> Ürün Grubu> Marka +Item Code and Warehouse should already exist.,Ürün Kodu ve Depo zaten var. +Item Code cannot be changed for Serial No.,Ürün Kodu Seri No için değiştirilemez +Item Code is mandatory because Item is not automatically numbered,Ürün otomatik olarak numaralandırılmış değil çünkü Ürün Kodu zorunludur +Item Code required at Row No {0},Sıra No gerekli Ürün Kodu {0} +Item Customer Detail,Ürün Müşteri Detay +Item Description,Ürün Açıklaması +Item Desription,Ürün Desription +Item Details,Ürün Detayları +Item Group,Ürün Grubu +Item Group Name,Ürün Grup Adı +Item Group Tree,Ürün Grubu Ağacı +Item Group not mentioned in item master for item {0},Öğe için öğe ana belirtilmeyen Ürün Grubu {0} +Item Groups in Details,Ayrıntılar Ürün Grupları +Item Image (if not slideshow),Ürün Görüntü (yoksa slayt) +Item Name,Nesne Adı +Item Naming By,Ürün adlandırma By +Item Price,Ürün Fiyatı +Item Prices,Ürün Fiyatları +Item Quality Inspection Parameter,Ürün Kalite Kontrol Parametre +Item Reorder,Ürün Reorder +Item Serial No,Ürün Seri No +Item Serial Nos,Ürün Seri Nos +Item Shortage Report,Ürün yetersizliği Raporu +Item Supplier,Ürün Tedarikçi +Item Supplier Details,Ürün Tedarikçi Ayrıntılar +Item Tax,Ürün Vergi +Item Tax Amount,Ürün Vergi Tutarı +Item Tax Rate,Ürün Vergi Oranı +Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Ürün Vergi Row {0} türü Vergisi veya Gelir veya gider veya Ücretli bir hesabınız olması gerekir +Item Tax1,Ürün MWST.1 +Item To Manufacture,Imalatı için Öğe +Item UOM,Ürün UOM +Item Website Specification,Öğe Web Sitesi Özellikleri +Item Website Specifications,Öğe Web Sitesi Özellikleri +Item Wise Tax Detail,Ürün Wise Vergi Detayı +Item Wise Tax Detail , +Item is required,Ürün gereklidir +Item is updated,Ürün güncellenir +Item master.,Ürün usta. +"Item must be a purchase item, as it is present in one or many Active BOMs","Bu bir veya birçok Active reçetelerde mevcut olduğu gibi öğe, bir satın alma öğe olmalı" +Item or Warehouse for row {0} does not match Material Request,Satır için öğe veya Depo {0} Malzeme İsteği eşleşmiyor +Item table can not be blank,Ürün masa boş olamaz +Item to be manufactured or repacked,Üretilen veya repacked Öğe +Item valuation updated,Ürün değerleme güncellendi +Item will be saved by this name in the data base.,Ürün veri tabanı bu isim ile kaydedilir. +Item {0} appears multiple times in Price List {1},Item {0} Fiyat Listesi birden çok kez görüntülenir {1} +Item {0} does not exist,Ürün {0} yok +Item {0} does not exist in the system or has expired,Item {0} sistemde yoksa veya süresi doldu +Item {0} does not exist in {1} {2},Item {0} yok {1} {2} +Item {0} has already been returned,Item {0} zaten iade edilmiş +Item {0} has been entered multiple times against same operation,Item {0} aynı operasyona karşı birden çok kez girildi +Item {0} has been entered multiple times with same description or date,Item {0} aynı açıklama ya da tarih ile birden çok kez girildi +Item {0} has been entered multiple times with same description or date or warehouse,Item {0} aynı açıklama veya tarihe depo ile birden çok kez girildi +Item {0} has been entered twice,Item {0} kez girildi +Item {0} has reached its end of life on {1},Item {0} üzerindeki ömrünün sonuna gelmiştir {1} +Item {0} ignored since it is not a stock item,Bir stok kalemi olmadığı Item {0} yok +Item {0} is cancelled,Item {0} iptal edilir +Item {0} is not Purchase Item,Item {0} Öğe satın değil +Item {0} is not a serialized Item,Item {0} bir tefrika değil Öğe +Item {0} is not a stock Item,"Item {0}, bir hisse senedi değil Öğe" +Item {0} is not active or end of life has been reached,Item {0} aktif değil ise veya hayatın sonuna gelindi +Item {0} is not setup for Serial Nos. Check Item master,Item {0} Seri No Kontrol Ürün usta için kurulum değil +Item {0} is not setup for Serial Nos. Column must be blank,Item {0} Seri No Kolon için kurulum boş olmalı değil +Item {0} must be Sales Item,Item {0} Satış Ürün olmalı +Item {0} must be Sales or Service Item in {1},Item {0} Satış veya Servis Ürün olmalıdır {1} +Item {0} must be Service Item,Item {0} Service Ürün olmalı +Item {0} must be a Purchase Item,Item {0} Satınalma Ürün olmalı +Item {0} must be a Sales Item,Item {0} Satış Ürün olmalı +Item {0} must be a Service Item.,Item {0} Service Ürün olmalıdır. +Item {0} must be a Sub-contracted Item,Item {0} bir taşeronluk Ürün olmalı +Item {0} must be a stock Item,Item {0} bir stok Ürün olmalı +Item {0} must be manufactured or sub-contracted,Item {0} imal edilmeli veya taşeronluk +Item {0} not found,Item {0} bulunamadı +Item {0} with Serial No {1} is already installed,Item {0} Seri No ile {1} zaten yüklü +Item {0} with same description entered twice,Item {0} aynı açıklama ile iki kez girdi +"Item, Warranty, AMC (Annual Maintenance Contract) details will be automatically fetched when Serial Number is selected.","Seri Numarası seçildiğinde Öğe, Garanti, AMC (Yıllık Bakım Sözleşme) bilgilerini otomatik olarak zorlama olacaktır." +Item-wise Price List Rate,Madde-bilge Fiyat Listesi Oranı +Item-wise Purchase History,Madde-bilge Satın Alma Geçmişi +Item-wise Purchase Register,Madde-bilge Alım Kayıt +Item-wise Sales History,Madde-bilge Satış Tarihi +Item-wise Sales Register,Madde-bilge Satış Kayıt +"Item: {0} managed batch-wise, can not be reconciled using \ + Stock Reconciliation, instead use Stock Entry","Ürün: {0} toplu-bilge yönetilen kullanarak mutabakat olamaz \ + Stock Uzlaşma yerine, stok girişi kullanın" +Item: {0} not found in the system,Ürün: {0} sistemde bulunamadı +Items,Ürünler +Items To Be Requested,İstenen To Be ürün +Items required,Gerekli Öğeler +"Items to be requested which are ""Out of Stock"" considering all warehouses based on projected qty and minimum order qty","""Stokta"" olan talep edilecek kalemler öngörülen qty ve minimum sipariş adet dayalı tüm depolar dikkate" +Items which do not exist in Item master can also be entered on customer's request,Ürün master yoktur öğeler de müşterinin isteği üzerine girilebilir +Itemwise Discount,Itemwise İndirim +Itemwise Recommended Reorder Level,Itemwise Yeniden Sipariş Seviye Önerilen +Job Applicant,İş Başvuru +Job Opening,İş Açılış +Job Profile,İş Profili +Job Title,Iş unvanı +"Job profile, qualifications required etc.","Gerekli iş profili, nitelikleri vb" +Jobs Email Settings,İşler E-posta Ayarları +Journal Entries,Dergi Yazılar +Journal Entry,Journal Entry +Journal Voucher,Dergi Çeki +Journal Voucher Detail,Dergi Çeki Detay +Journal Voucher Detail No,Dergi Çeki Detay yok +Journal Voucher {0} does not have account {1} or already matched,Dergi Çeki {0} hesabı yok {1} ya da zaten eşleşti +Journal Vouchers {0} are un-linked,Dergi Fişler {0} un-bağlantılı +Keep a track of communication related to this enquiry which will help for future reference.,Ileride yardımcı olacak bu soruşturma ile ilgili bir iletişim takip edin. +Keep it web friendly 900px (w) by 100px (h),100px tarafından web dostu 900px (w) it Keep (h) +Key Performance Area,Anahtar Performans Alanı +Key Responsibility Area,Key Sorumluluk Alanı +Kg,Kilogram +LR Date,LR Tarih +LR No,Hayır LR +Label,Etiket +Landed Cost Item,Indi Maliyet Kalemi +Landed Cost Items,Maliyet Kalemleri indi +Landed Cost Purchase Receipt,Maliyet Satınalma Makbuzu indi +Landed Cost Purchase Receipts,Maliyet Satınalma Makbuzlar indi +Landed Cost Wizard,Indi Maliyet Sihirbazı +Landed Cost updated successfully,Indi Maliyet başarıyla güncellendi +Language,Dil +Last Name,Soyad +Last Purchase Rate,Son Alım Oranı +Latest,Son +Lead,Talep +Lead Details,Kurşun Detaylar +Lead Id,Kurşun Kimliği +Lead Name,Kurşun Adı +Lead Owner,Kurşun Owner +Lead Source,Kurşun Kaynak +Lead Status,Kurşun Durum +Lead Time Date,Kurşun Zaman Tarih +Lead Time Days,Saat Gün Kurşun +Lead Time days is number of days by which this item is expected in your warehouse. This days is fetched in Material Request when you select this item.,"Lead Time gün bu öğe depoda beklenen hangi gün sayısıdır. Bu öğeyi seçtiğinizde, bu gün Malzeme İsteği getirildi." +Lead Type,Kurşun Tipi +Lead must be set if Opportunity is made from Lead,Fırsat Lead yapılmış ise kurşun ayarlanmalıdır +Leave Allocation,Tahsisi bırakın +Leave Allocation Tool,Tahsis Aracı bırakın +Leave Application,Uygulama bırakın +Leave Approver,Onaylayan bırakın +Leave Approvers,Onaylayanlar bırakın +Leave Balance Before Application,Uygulama Öncesi Dengesi bırakın +Leave Block List,Blok Listesi bırakın +Leave Block List Allow,Blok Liste İzin bırakın +Leave Block List Allowed,Blok Liste İzin bırakın +Leave Block List Date,Blok Liste Tarihi bırakın +Leave Block List Dates,Blok Liste Tarihler bırakın +Leave Block List Name,Blok Liste Adını bırak +Leave Blocked,Bırakın Engellendi +Leave Control Panel,Kontrol Panelinin bırakın +Leave Encashed?,Encashed bırakın? +Leave Encashment Amount,Nakit Çekim Tutar bırakın +Leave Type,Tip bırakın +Leave Type Name,Tür Ad bırakın +Leave Without Pay,Pay Without Leave +Leave application has been approved.,Bırak başvuru onaylandı. +Leave application has been rejected.,Bırak başvuru reddedildi. +Leave approver must be one of {0},Bırakın onaylayan biri olmalıdır {0} +Leave blank if considered for all branches,Tüm branşlarda için kabul ise boş bırakın +Leave blank if considered for all departments,Tüm bölümler için kabul ise boş bırakın +Leave blank if considered for all designations,Tüm tanımları için kabul ise boş bırakın +Leave blank if considered for all employee types,Tüm çalışan tipleri için kabul ise boş bırakın +"Leave can be approved by users with Role, ""Leave Approver""","Bırakın Rolü kullanıcılar tarafından onaylanmış olabilir, ""Onaylayan bırakın""" +Leave of type {0} cannot be longer than {1},Türü bırak {0} daha uzun olamaz {1} +Leaves Allocated Successfully for {0},Yapraklar Başarıyla Ayrılan {0} +Leaves for type {0} already allocated for Employee {1} for Fiscal Year {0},Yapraklar türü için {0} zaten Çalışanlara için tahsis {1} Mali Yılı için {0} +Leaves must be allocated in multiples of 0.5,Yapraklar 0.5 katları tahsis edilmelidir +Ledger,Defteri kebir +Ledgers,Defterleri +Left,Sol +Legal,Yasal +Legal Expenses,Yasal Giderler +Letter Head,Mektubu Başkanı +Letter Heads for print templates.,Baskı şablonları için mektup Başkanları. +Level,Seviye +Lft,Lft +Liability,Borç +List a few of your customers. They could be organizations or individuals.,Müşterilerinizin birkaç listeleyin. Onlar kuruluşlar veya bireyler olabilir. +List a few of your suppliers. They could be organizations or individuals.,Lütfen tedarikçilerin az listeleyin. Onlar kuruluşlar veya bireyler olabilir. +List items that form the package.,Paketi oluşturmak liste öğeleri. +List this Item in multiple groups on the website.,Web sitesinde birden fazla grup içinde bu Öğe listeleyin. +"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.","Ürün ya da satın almak veya satmak hizmetleri sıralayın. Başlattığınızda Ürün Grubu, Ölçü ve diğer özellikleri Birimi kontrol ettiğinizden emin olun." +"List your tax heads (e.g. VAT, Excise; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Ve standart oranları; vergi başlarını (onlar benzersiz adları olması gerekir, örneğin KDV, Özel Tüketim) listeleyin. Bu düzenlemek ve daha sonra ekleyebileceğiniz standart bir şablon oluşturmak olacaktır." +Loading...,Yükleniyor... +Loans (Liabilities),Krediler (Yükümlülükler) +Loans and Advances (Assets),Krediler ve avanslar (Varlıklar) +Local,Yerel +Login,Giriş +Login with your new User ID,Yeni Kullanıcı ID ile giriş +Logo,Logo +Logo and Letter Heads,Logo ve Letter Başkanları +Lost,Kayıp +Lost Reason,Kayıp Nedeni +Low,Düşük +Lower Income,Alt Gelir +MTN Details,MTN Detaylar +Main,Ana +Main Reports,Ana Raporlar +Maintain Same Rate Throughout Sales Cycle,Satış döngüsü boyunca aynı puanla koruyun +Maintain same rate throughout purchase cycle,Satın alma döngüsü boyunca aynı oranı korumak +Maintenance,Bakım +Maintenance Date,Bakım tarihi +Maintenance Details,Bakım Ayrıntıları +Maintenance Schedule,Bakım Programı +Maintenance Schedule Detail,Bakım Programı Detay +Maintenance Schedule Item,Bakım Programı Ürün +Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',Bakım Programı tüm öğeler için oluşturulur. 'Oluştur Takviminde tıklayınız +Maintenance Schedule {0} exists against {0},Bakım Programı {0} karşı var {0} +Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Bakım Programı {0} bu Satış Siparişi iptal etmeden önce iptal edilmelidir +Maintenance Schedules,Bakım Çizelgeleri +Maintenance Status,Bakım Durumu +Maintenance Time,Bakım Zamanı +Maintenance Type,Bakım Türü +Maintenance Visit,Bakım Ziyaret +Maintenance Visit Purpose,Bakım ziyaret Amaç +Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Bakım ziyaret {0} bu Satış Siparişi iptal etmeden önce iptal edilmelidir +Maintenance start date can not be before delivery date for Serial No {0},Bakım başlangıç ​​tarihi Seri No için teslim tarihinden önce olamaz {0} +Major/Optional Subjects,Binbaşı / Opsiyonel Konular +Make , +Make Accounting Entry For Every Stock Movement,Her Stok Hareketi İçin Muhasebe kaydı yapmak +Make Bank Voucher,Banka Çeki olun +Make Credit Note,Kredi Not olun +Make Debit Note,Bankamatik Not olun +Make Delivery,Teslim olun +Make Difference Entry,Fark Girişi yapın +Make Excise Invoice,Tüketim fatura yapmak +Make Installation Note,Kurulum Not olun +Make Invoice,Fatura olun +Make Maint. Schedule,Bakým olun. Program +Make Maint. Visit,Bakým olun. Ziyaret +Make Maintenance Visit,Bakım Ziyaret olun +Make Packing Slip,Ambalaj Slip olun +Make Payment,Ödeme Yap +Make Payment Entry,Ödeme Girişi yapın +Make Purchase Invoice,Satınalma fatura yapmak +Make Purchase Order,Yapmak Sipariş +Make Purchase Receipt,Alım yapmak Makbuz +Make Salary Slip,Maaş Kayma olun +Make Salary Structure,Maaş Yapısı olun +Make Sales Invoice,Satış Faturası olun +Make Sales Order,Make Satış Sipariş +Make Supplier Quotation,Tedarikçi Teklif Yap +Make Time Log Batch,Saat Günlük Toplu olun +Male,Erkek +Manage Customer Group Tree.,Müşteri Grup Ağacını Yönet. +Manage Sales Partners.,Satış Ortakları yönetmek. +Manage Sales Person Tree.,Satış Elemanı Ağacını Yönet. +Manage Territory Tree.,Eyalet Ağacını Yönet. +Manage cost of operations,Operasyonlarının maliyetini yönetmek +Management,Yönetim +Manager,Yönetici +"Mandatory if Stock Item is ""Yes"". Also the default warehouse where reserved quantity is set from Sales Order.","Zorunlu eğer Stok Ürün ""Evet"". Ayrıca saklıdır miktar Satış Siparişi ayarlanır varsayılan depo." +Manufacture against Sales Order,Satış Siparişi karşı Manufacture +Manufacture/Repack,Imalatı / Repack +Manufactured Qty,Üretilmiş Adet +Manufactured quantity will be updated in this warehouse,Üretilmiş miktar bu depoda güncellenecektir +Manufactured quantity {0} cannot be greater than planned quanitity {1} in Production Order {2},Üretilmiş miktar {0} planlanan quanitity daha büyük olamaz {1} Üretim Sipariş {2} +Manufacturer,Üretici +Manufacturer Part Number,Üretici Parça Numarası +Manufacturing,İmalat +Manufacturing Quantity,Üretim Miktarı +Manufacturing Quantity is mandatory,Üretim Miktarı zorunludur +Margin,Kenar +Marital Status,Medeni durum +Market Segment,Pazar Segment +Marketing,Pazarlama +Marketing Expenses,Pazarlama Giderleri +Married,Evli +Mass Mailing,Toplu Posta +Master Name,Usta İsmi +Master Name is mandatory if account type is Warehouse,Hesap türü Depo ise usta ismi zorunludur +Master Type,Master Tip +Masters,Masters +Match non-linked Invoices and Payments.,Olmayan bağlantılı Faturalar ve Ödemeler Maç. +Material Issue,Malzeme Sayı +Material Receipt,Malzeme Alındı +Material Request,Malzeme Talebi +Material Request Detail No,Malzeme Talebi Detay yok +Material Request For Warehouse,Depo için Malzeme Talebi +Material Request Item,Malzeme Talebi Ürün +Material Request Items,Malzeme Talebi Öğeler +Material Request No,Malzeme Talebi Yok +Material Request Type,Malzeme İstek Türü +Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Maksimum Malzeme Talebi {0} öğesi için {1} karşı yapılabilir Satış Sipariş {2} +Material Request used to make this Stock Entry,Malzeme Talebi Bu stok girişi yapmak için kullanılır +Material Request {0} is cancelled or stopped,Malzeme Talebi {0} iptal veya durdurulur +Material Requests for which Supplier Quotations are not created,Tedarikçi Özlü Sözler oluşturulan olmadığı için malzeme isteği +Material Requests {0} created,Malzeme İstekler {0} oluşturuldu +Material Requirement,Malzeme İhtiyaç +Material Transfer,Materyal Transfer +Materials,Materyaller +Materials Required (Exploded),Gerekli Malzemeler (patlamış) +Max 5 characters,Max 5 karakter +Max Days Leave Allowed,Max Gün bırak İzin +Max Discount (%),Max İndirim (%) +Max Qty,Max Adet +Max discount allowed for item: {0} is {1}%,Max indirim kalemi için izin: {0} {1}% ve +Maximum Amount,Maksimum Tutar +Maximum allowed credit is {0} days after posting date,Maksimum izin verilen kredi tarihini yazdıktan sonra {0} gün +Maximum {0} rows allowed,Maksimum {0} satırlar izin +Maxiumm discount for Item {0} is {1}%,Ürün için Maxiumm indirimli {0} {1}% olan +Medical,Tıbbi +Medium,Orta +"Merging is only possible if following properties are same in both records. Group or Ledger, Root Type, Company","Aşağıdaki özelliklerin her ikisi, kayıtlar aynı ise birleştirme mümkündür. Grup veya Ledger, Kök Tipi, Şirket" +Message,Mesaj +Message Parameter,İleti Parametre +Message Sent,Gönderilen Mesaj +Message updated,Mesaj güncellendi +Messages,Mesajlar +Messages greater than 160 characters will be split into multiple messages,160 karakterden daha büyük mesajlar birden fazla mesaj bölünecektir +Middle Income,Orta Gelir +Milestone,Aşama +Milestone Date,Milestone Tarih +Milestones,Kilometre Taşları +Milestones will be added as Events in the Calendar,Kilometre Taşları Takvim Olaylar olarak eklenecektir +Min Order Qty,Min Sipariş Adedi +Min Qty,Minimum Adet +Min Qty can not be greater than Max Qty,Minimum Adet Max Miktar daha büyük olamaz +Minimum Amount,Minimum Tutar +Minimum Order Qty,Minimum Sipariş Adedi +Minute,Dakika +Misc Details,Çeşitli Detaylar +Miscellaneous Expenses,Çeşitli Giderler +Miscelleneous,Miscelleneous +Mobile No,Mobil yok +Mobile No.,Cep No +Mode of Payment,Ödeme Şekli +Modern,Çağdaş +Monday,Pazartesi +Month,Ay +Monthly,Aylık +Monthly Attendance Sheet,Aylık Hazirun Cetveli +Monthly Earning & Deduction,Aylık Kazanç & Kesintisi +Monthly Salary Register,Aylık Maaş Ol +Monthly salary statement.,Aylık maaş beyanı. +More Details,Daha Fazla Bilgi +More Info,Daha Fazla Bilgi +Motion Picture & Video,Motion Picture & Video +Moving Average,Hareketli Ortalama +Moving Average Rate,Hareketli Ortalama Kur +Mr,Bay +Ms,Bayan +Multiple Item prices.,Çoklu Ürün fiyatları. +"Multiple Price Rule exists with same criteria, please resolve \ + conflict by assigning priority. Price Rules: {0}","Çoklu Fiyat Kural aynı kriterler ile var, çözmek lütfen \ + öncelik atayarak çatışma. Fiyat Kuralları: {0}" +Music,Müzik +Must be Whole Number,Tüm Numarası olmalı +Name,İsim +Name and Description,Ad ve Açıklama +Name and Employee ID,Ad ve Çalışan kimliği +"Name of new Account. Note: Please don't create accounts for Customers and Suppliers, they are created automatically from the Customer and Supplier master","Yeni Hesap adı. Not: Müşteriler ve Tedarikçiler için hesap oluşturmak etmeyin, onlar Müşteri ve Tedarikçi ustadan otomatik olarak oluşturulur" +Name of person or organization that this address belongs to.,Bu adres ait kişi veya kuruluşun adı. +Name of the Budget Distribution,Bütçe Dağıtım Adı +Naming Series,Seri adlandırma +Negative Quantity is not allowed,Negatif Miktar izin verilmez +Negative Stock Error ({6}) for Item {0} in Warehouse {1} on {2} {3} in {4} {5},Negatif Stok Hata ({6}) Ürün için {0} Atölyesi {1} tarihinde {2} {3} de {4} {5} +Negative Valuation Rate is not allowed,Negatif Değerleme Oranı izin verilmez +Negative balance in Batch {0} for Item {1} at Warehouse {2} on {3} {4},Toplu Negatif denge {0} öğesi için {1} Warehouse {2} tarihinde {3} {4} +Net Pay,Net Ödeme +Net Pay (in words) will be visible once you save the Salary Slip.,Eğer Maaş Kayma kez kaydedin (kelimelerle) Net Ücret görünür olacaktır. +Net Profit / Loss,Net Kar / Zararı +Net Total,Net Toplam +Net Total (Company Currency),Net Toplam (Şirket para birimi) +Net Weight,Net ağırlığı +Net Weight UOM,Net Ağırlık UOM +Net Weight of each Item,Her Ürün Net Ağırlığı +Net pay cannot be negative,Net ödeme negatif olamaz +Never,Asla +New , +New Account,Yeni Hesap +New Account Name,Yeni Hesap Adı +New BOM,Yeni BOM +New Communications,Yeni İletişim +New Company,Yeni Şirket +New Cost Center,Yeni Maliyet Merkezi +New Cost Center Name,Yeni Maliyet Merkezi Adı +New Delivery Notes,Yeni Teslim Notlar +New Enquiries,Yeni Sorular +New Leads,Yeni İlanlar +New Leave Application,Yeni bırak Uygulama +New Leaves Allocated,Tahsis Yeni Yapraklar +New Leaves Allocated (In Days),(Gün olarak) Ayrılan Yeni Yapraklar +New Material Requests,Yeni Malzeme İstekler +New Projects,Yeni Projeler +New Purchase Orders,Yeni Satınalma Siparişleri +New Purchase Receipts,Yeni Alım Makbuzlar +New Quotations,Yeni Sözler +New Sales Orders,Yeni Satış Siparişleri +New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Yeni Seri No Warehouse olamaz. Depo Stok Giriş veya Satın Alma Makbuzu tarafından ayarlanması gerekir +New Stock Entries,Yeni Stok Yazılar +New Stock UOM,Yeni Stok UOM +New Stock UOM is required,Yeni Stok UoM gereklidir +New Stock UOM must be different from current stock UOM,Yeni Stok UOM mevcut stok UOM farklı olmalıdır +New Supplier Quotations,Yeni Tedarikçi Özlü Sözler +New Support Tickets,Yeni Destek Biletleri +New UOM must NOT be of type Whole Number,Yeni UOM tipi tam sayı olması OLMAMALI +New Workplace,Yeni İşyeri +Newsletter,Bülten +Newsletter Content,Bülten İçerik +Newsletter Status,Bülten Durum +Newsletter has already been sent,Haber zaten gönderildi +"Newsletters to contacts, leads.","Kişilere haber bültenleri, yol açar." +Newspaper Publishers,Gazete Yayıncılar +Next,Sonraki +Next Contact By,Sonraki İletişim tarafından +Next Contact Date,Sonraki İletişim Tarihi +Next Date,Sonraki Tarihi +Next email will be sent on:,Sonraki e-posta gönderilebilir olacak: +No,Hayır +No Customer Accounts found.,Hiçbir Müşteri Hesapları bulunamadı. +No Customer or Supplier Accounts found,Hiçbir müşteri veya Faaliyet Hesapları bulundu +No Expense Approvers. Please assign 'Expense Approver' Role to atleast one user,Hiçbir Gider Onaylayanlar. En az bir kullanıcı için 'Gider Approver Rolü atayın +No Item with Barcode {0},Barkod ile hayır Ürün {0} +No Item with Serial No {0},Seri No No Kalem {0} +No Items to pack,Paketi yok Öğeler +No Leave Approvers. Please assign 'Leave Approver' Role to atleast one user,Hayır bırak Onaylayanlar. En az bir kullanıcıya 'bırak editör'ün Rolü atayın +No Permission,İzin Yok +No Production Orders created,Oluşturulan Hayır Üretim Siparişleri +No Supplier Accounts found. Supplier Accounts are identified based on 'Master Type' value in account record.,Hiçbir Tedarikçi Hesapları bulunamadı. Tedarikçi Hesapları hesap kayıtlarında 'Usta Type' değerine göre tespit edilir. +No accounting entries for the following warehouses,Aşağıdaki depolar için hiçbir muhasebe kayıtları +No addresses created,Yarattığı hiçbir adresleri +No contacts created,Yaratılan kişi yok +No default Address Template found. Please create a new one from Setup > Printing and Branding > Address Template.,Hayır varsayılan Adres Şablon bulundu. Ayarlar> Baskı ve Markalaşma bir yenisini> Adres şablonu oluşturun. +No default BOM exists for Item {0},Hayır Varsayılan BOM var Ürün için {0} +No description given,Verilen hiçbir açıklaması +No employee found,Hiçbir işçi +No employee found!,Hiçbir çalışan bulunamadı! +No of Requested SMS,İstenen SMS yok +No of Sent SMS,Gönderilen SMS yok +No of Visits,Ziyaretlerinin yok +No permission,Izni yok +No record found,Kayıt bulunamadı +No records found in the Invoice table,Fatura tablosunda kayıt bulunamadı +No records found in the Payment table,Ödeme tablosunda kayıt bulunamadı +No salary slip found for month: , +Non Profit,Kar +Nos,Nos +Not Active,Aktif değil +Not Applicable,Uygulanamaz +Not Available,Mevcut değil +Not Billed,Faturalı Değil +Not Delivered,Teslim Edilmedi +Not Set,Not Set +Not allowed to update stock transactions older than {0},Daha hisse senedi işlemleri büyük güncellemek için izin {0} +Not authorized to edit frozen Account {0},Dondurulmuş Hesabı düzenlemek için yetkiniz yok {0} +Not authroized since {0} exceeds limits,{0} sınırlarını aştığı Authroized değil +Not permitted,İzin verilmez +Note,Not +Note User,Not Kullanıcı +"Note: Backups and files are not deleted from Dropbox, you will have to delete them manually.","Not: Yedekleme ve dosyaları Dropbox silinmez, bunları elle silmeniz gerekir." +"Note: Backups and files are not deleted from Google Drive, you will have to delete them manually.","Not: Yedekleme ve dosyalar Google Drive silinmez, bunları elle silmeniz gerekir." +Note: Due Date exceeds the allowed credit days by {0} day(s),Not: Due Date {0} gün (ler) tarafından izin verilen kredi gün aşıyor +Note: Email will not be sent to disabled users,Not: E-posta engelli kullanıcılara gönderilecektir olmayacak +Note: Item {0} entered multiple times,Not: Ürün {0} birden çok kez girilmiş +Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,Not: Ödeme Entry 'Kasa veya Banka Hesabı' belirtilmedi bu yana oluşturulmuş olmayacak +Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Not: Sistem Ürün için teslimat ve aşırı-rezervasyon kontrol olmaz {0} nicelik ya da miktar olarak 0'dır +Note: There is not enough leave balance for Leave Type {0},Not: bırak türü için yeterli izni denge yok {0} +Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Not: Bu Maliyet Merkezi bir Grup. Gruplara karşı muhasebe kayıtlarını yapamazsınız. +Note: {0},Not: {0} +Notes,Notlar +Notes:,Notlar: +Nothing to request,Istemek için hiçbir şey +Notice (days),Bildirimi (gün) +Notification Control,Bildirim Kontrolü +Notification Email Address,Bildirim E-posta Adresi +Notify by Email on creation of automatic Material Request,Otomatik Malzeme Talebi oluşturulması üzerinde e-posta ile bildir +Number Format,Sayı Biçimi +Offer Date,Teklif Tarihi +Office,Ofis +Office Equipments,Büro Gereçleri +Office Maintenance Expenses,Büro Bakım ve Onarım Giderleri +Office Rent,Ofis Kiraları +Old Parent,Eski Ebeveyn +On Net Total,Net toplam +On Previous Row Amount,Sıra Önceki Tutar +On Previous Row Total,Önceki Satır Toplamı üzerinde +Online Auctions,Online Müzayede +Only Leave Applications with status 'Approved' can be submitted,Sadece teslim edilebilir 'Onaylı' statüsü ile Uygulamalar bırakın +"Only Serial Nos with status ""Available"" can be delivered.","Durumu ile yalnızca Seri Nos ""Available"" teslim edilebilir." +Only leaf nodes are allowed in transaction,Sadece yaprak düğümleri işlem izin verilir +Only the selected Leave Approver can submit this Leave Application,Sadece seçilen bırak Approver bu bırak Uygulama sunabilirsiniz +Open,Aç +Open Production Orders,Açık Üretim Siparişleri +Open Tickets,Açık Biletleri +Opening (Cr),Açılış (Cr) +Opening (Dr),Açılış (Dr) +Opening Date,Açılış Tarihi +Opening Entry,Giriş deliği +Opening Qty,Açılış Adet +Opening Time,Açılış Zaman +Opening Value,Açılış Değer +Opening for a Job.,Bir iş için açılması. +Operating Cost,İşletme Maliyeti +Operation Description,Operasyon Açıklaması +Operation No,İşletim Hayır +Operation Time (mins),Çalışma Süresi (dakika) +Operation {0} is repeated in Operations Table,Çalışma {0} Operations Tablo tekrarlanır +Operation {0} not present in Operations Table,Operasyon Tablo Operasyon {0} mevcut değil +Operations,Operasyonlar +Opportunity,Fırsat +Opportunity Date,Fırsat tarihi +Opportunity From,Fırsat itibaren +Opportunity Item,Fırsat Ürün +Opportunity Items,Fırsat Ürünleri +Opportunity Lost,Kayıp Fırsat +Opportunity Type,Fırsat Türü +Optional. This setting will be used to filter in various transactions.,"İsteğe bağlı. Bu ayar, çeşitli işlemler filtrelemek için kullanılacaktır." +Order Type,Sipariş Türü +Order Type must be one of {0},Sipariş Tipi biri olmalıdır {0} +Ordered,Sipariş Edildi +Ordered Items To Be Billed,Faturalı To Be ürünler sipariş +Ordered Items To Be Delivered,Sunulacak ürünler sipariş +Ordered Qty,Adet sipariş +"Ordered Qty: Quantity ordered for purchase, but not received.","Adet emretti: Miktar satın almak için sipariş, ama almadım." +Ordered Quantity,Sıralı Miktar +Orders released for production.,Üretim için serbest Siparişler. +Organization Name,Kuruluş Adı +Organization Profile,Şirket Profili +Organization branch master.,Organizasyon şube usta. +Organization unit (department) master.,Organizasyon birimi (bölge) usta. +Other,Diğer +Other Details,Diğer Detaylar +Others,Diğer +Out Qty,Miktar Out +Out Value,Değer Out +Out of AMC,AMC Out +Out of Warranty,Garanti Out +Outgoing,Giden +Outstanding Amount,Üstün Tutar +Outstanding for {0} cannot be less than zero ({1}),Üstün {0} en az sıfır olamaz için ({1}) +Overhead,Havai +Overheads,Genel giderler +Overlapping conditions found between:,Arasında bulunan örtüşen durumlar: +Overview,Genel Bakış +Owned,Hisseli +Owner,Sahibi +P L A - Cess Portion,PLA - Cess Porsiyon +PL or BS,PL veya BS +PO Date,PO Tarih +PO No,PO yok +POP3 Mail Server,POP3 Mail Server +POP3 Mail Settings,POP3 Posta Ayarları +POP3 mail server (e.g. pop.gmail.com),POP3 posta sunucusu (örneğin pop.gmail.com) +POP3 server e.g. (pop.gmail.com),"POP3 sunucusu, örneğin (pop.gmail.com)" +POS Setting,POS Ayarı +POS Setting required to make POS Entry,POS giriş yapmak için gerekli POS Ayarı +POS Setting {0} already created for user: {1} and company {2},POS Ayar {0} zaten kullanıcı için oluşturulan: {1} ve şirket {2} +POS View,POS görüntüle +PR Detail,PR Detay +Package Item Details,Paket Ürün Detayları +Package Items,Paket Öğeler +Package Weight Details,Paket Ağırlığı Detayları +Packed Item,Paketli Ürün +Packed quantity must equal quantity for Item {0} in row {1},{0} üst üste {1} Paketli miktar Ürün için bir miktar eşit olmalıdır +Packing Details,Paketleme Detayları +Packing List,Paket listesi +Packing Slip,Ambalaj Kayma +Packing Slip Item,Ambalaj Kayma Ürün +Packing Slip Items,Kayma Ürünleri Paketleme +Packing Slip(s) cancelled,Ambalaj Kayma (ler) iptal +Page Break,Sayfa Sonu +Page Name,Sayfa Adı +Paid Amount,Ödenen Tutar +Paid amount + Write Off Amount can not be greater than Grand Total,Ödenen miktar + Tutar yaz Off Büyük Toplam daha büyük olamaz +Pair,Çift +Parameter,Parametre +Parent Account,Ebeveyn Hesap +Parent Cost Center,Veli Maliyet Merkezi +Parent Customer Group,Ana Müşteri Grubu +Parent Detail docname,Veli Detay docname +Parent Item,Üst Öğe +Parent Item Group,Veli Ürün Grubu +Parent Item {0} must be not Stock Item and must be a Sales Item,Üst Öğe {0} Hazır değil Öğe olmalı ve Satış Ürün olmalı +Parent Party Type,Veli Parti Türü +Parent Sales Person,Ebeveyn Satış Elemanı +Parent Territory,Veli Territory +Parent Website Page,Veli Web Sayfası +Parent Website Route,Ebeveyn Sitesi Rota +Parenttype,Parenttype +Part-time,Part time +Partially Completed,Kısmen Tamamlandı +Partly Billed,Kısmen Faturalı +Partly Delivered,Kısmen Teslim +Partner Target Detail,Ortak Hedef Detay +Partner Type,Ortağı Türü +Partner's Website,Ortağın Sitesi +Party,Parti +Party Account,Parti Hesap +Party Type,Parti Türü +Party Type Name,Parti Tür Ad +Passive,Pasif +Passport Number,Pasaport Numarası +Password,Parola +Pay To / Recd From,Gönderen / RECD için ödeme +Payable,Ödenecek +Payables,Ödenecekler +Payables Group,Borçlar Grubu +Payment Days,Ödeme Gün +Payment Due Date,Son Ödeme Tarihi +Payment Period Based On Invoice Date,Fatura Tarihi Dayalı Ödeme Süresi +Payment Reconciliation,Ödeme Uzlaşma +Payment Reconciliation Invoice,Ödeme Uzlaşma Fatura +Payment Reconciliation Invoices,Ödeme Uzlaşma Faturalar +Payment Reconciliation Payment,Ödeme Uzlaşma Ödeme +Payment Reconciliation Payments,Ödeme Uzlaşma Ödemeler +Payment Type,Ödeme Şekli +Payment cannot be made for empty cart,Ödeme boş sepeti için yapılmış olamaz +Payment of salary for the month {0} and year {1},Ay için maaş ödeme {0} ve yıl {1} +Payments,Ödemeler +Payments Made,Yapılan Ödemeler +Payments Received,Alınan Ödemeler +Payments made during the digest period,Sindirmek dönemde yapılan ödemeler +Payments received during the digest period,Sindirmek döneminde alınan ödemeler +Payroll Settings,Bordro Ayarları +Pending,Bekliyor +Pending Amount,Bekleyen Tutar +Pending Items {0} updated,Bekleyen Öğeler {0} güncellendi +Pending Review,Bekleyen İnceleme +Pending SO Items For Purchase Request,Satınalma İste SO Öğeler Bekliyor +Pension Funds,Emeklilik Fonları +Percent Complete,Yüzde Tamamlandı +Percentage Allocation,Yüzde Tahsisi +Percentage Allocation should be equal to 100%,Yüzde Tahsis% 100'e eşit olmalıdır +Percentage variation in quantity to be allowed while receiving or delivering this item.,Bu öğeyi aldıktan veya sunarken miktarda Yüzde varyasyon izin verilmesi için. +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.,Eğer miktar karşı daha fazla almak veya teslim etmek için izin Yüzde emretti. Örneğin: 100 adet sipariş varsa. ve Ödeneği sonra 110 adet almak için 10% izin edilir. +Performance appraisal.,Performans değerlendirme. +Period,Dönem +Period Closing Voucher,Dönem Kapanış Çeki +Periodicity,Periyodik olarak tekrarlanma +Permanent Address,Daimi Adres +Permanent Address Is,Kalıcı Adres mı +Permission,Izin +Personal,Kişisel +Personal Details,Kişisel Bilgileri +Personal Email,Kişisel E-posta +Pharmaceutical,İlaç +Pharmaceuticals,İlaç sekt +Phone,Telefon +Phone No,Telefon yok +Piecework,Parça başı iş +Pincode,Pinkodu +Place of Issue,Verildiği yer +Plan for maintenance visits.,Bakım ziyaretleri planlıyoruz. +Planned Qty,Planlanan Adet +"Planned Qty: Quantity, for which, Production Order has been raised, but is pending to be manufactured.","Planlanan Miktar: Miktar, bunun için, Üretim Sipariş gündeme gelmiştir, ancak imal edilecek beklemede." +Planned Quantity,Planlanan Miktar +Planning,Planlama +Plant,Tesis +Plant and Machinery,Bitki ve Makina +Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,Tüm Hesap Başkanlarına sonek olarak eklenecektir gibi düzgün Kısaltma veya Kısa Adı girin lütfen. +Please Update SMS Settings,SMS Ayarlarını Güncelleme Lütfen +Please add expense voucher details,Gider pusulası ayrıntılarını ekleyin +Please add to Modes of Payment from Setup.,Kur dan Ödeme Şekilleri ekleyiniz. +Please check 'Is Advance' against Account {0} if this is an advance entry.,Hesap karşı 'Advance mi' kontrol edin {0} bu bir avans girdi ise. +Please click on 'Generate Schedule','Oluştur Takviminde tıklayınız +Please click on 'Generate Schedule' to fetch Serial No added for Item {0},Seri No Ürün için eklenen getirmek için 'Oluştur Takviminde tıklayınız {0} +Please click on 'Generate Schedule' to get schedule,Programı almak için 'Oluştur Takviminde tıklayınız +Please create Customer from Lead {0},Lead adlı Müşteri yaratmak Lütfen {0} +Please create Salary Structure for employee {0},Çalışan Maaş Yapı oluşturmak Lütfen {0} +Please create new account from Chart of Accounts.,Hesap Planı yeni bir hesap oluşturun. +Please do NOT create Account (Ledgers) for Customers and Suppliers. They are created directly from the Customer / Supplier masters.,Müşteriler ve Tedarikçiler için Hesabı (Defterler) oluşturmak etmeyin lütfen. Onlar Müşteri / Tedarikçi ustalardan doğrudan oluşturulur. +Please enter 'Expected Delivery Date','Beklenen Teslim Tarihi' girin +Please enter 'Is Subcontracted' as Yes or No,Girin Evet veya Hayır olarak 'Taşeron mı' +Please enter 'Repeat on Day of Month' field value,Alan değerinin 'ayın günü Repeat' girin +Please enter Account Receivable/Payable group in company master,Şirket master Hesap Alacak / Borç grup girin +Please enter Approving Role or Approving User,Rolü Onaylanmasının veya Kullanıcı Onaylanmasının giriniz +Please enter BOM for Item {0} at row {1},Ürün için BOM giriniz {0} satırdaki {1} +Please enter Company,Şirket girin +Please enter Cost Center,Maliyet Merkezi giriniz +Please enter Delivery Note No or Sales Invoice No to proceed,Devam etmek İrsaliye No veya Satış Fatura No girin +Please enter Employee Id of this sales parson,Bu satış Parson Çalışan Kimliği girin +Please enter Expense Account,Gider Hesabı girin +Please enter Item Code to get batch no,Hiçbir toplu almak için Ürün Kodu girin +Please enter Item Code.,Ürün Kodu girin. +Please enter Item first,İlk Öğe girin +Please enter Maintaince Details first,Maintaince Ayrıntıları İlk giriniz +Please enter Master Name once the account is created.,Hesap oluşturulduktan sonra Usta Adı girin. +Please enter Planned Qty for Item {0} at row {1},Ürün için Planlanan Adet giriniz {0} satırdaki {1} +Please enter Production Item first,İlk Üretim Ürün giriniz +Please enter Purchase Receipt No to proceed,Hayır devam Satınalma Faturası giriniz +Please enter Reference date,Başvuru tarihi girin +Please enter Warehouse for which Material Request will be raised,Malzeme Talebi yükseltilmiş olacaktır hangi Depo giriniz +Please enter Write Off Account,Hesap Kapalı yaz giriniz +Please enter atleast 1 invoice in the table,Tabloda en az 1 fatura girin +Please enter company first,İlk şirketi girin +Please enter company name first,İlk şirket adını giriniz +Please enter default Unit of Measure,Tedbir varsayılan Birimi giriniz +Please enter default currency in Company Master,Şirket Master varsayılan para birimini girin +Please enter email address,E-posta adresinizi girin +Please enter item details,Öğesi ayrıntılarını girin +Please enter message before sending,Göndermeden önce mesaj giriniz +Please enter parent account group for warehouse account,Depo hesabı için ana hesap grubu girin +Please enter parent cost center,Ebeveyn maliyet merkezi giriniz +Please enter quantity for Item {0},Ürün için bir miktar giriniz {0} +Please enter relieving date.,Tarihi giderici girin. +Please enter sales order in the above table,Yukarıdaki tabloda satış siparişi giriniz +Please enter valid Company Email,Geçerli Şirket E-posta giriniz +Please enter valid Email Id,Geçerli bir e-posta id girin +Please enter valid Personal Email,Geçerli Kişisel E-posta giriniz +Please enter valid mobile nos,Geçerli bir cep telefonu nos giriniz +Please find attached Sales Invoice #{0},Ektedir Satış Faturası # {0} +Please install dropbox python module,Dropbox python modülü kurun +Please mention no of visits required,Belirtin gerekli ziyaret hayır +Please pull items from Delivery Note,İrsaliye öğeleri çekin lütfen +Please save the Newsletter before sending,Göndermeden önce Haber saklayın +Please save the document before generating maintenance schedule,Bakım programı oluşturmadan önce belgeyi saklayın +Please see attachment,Eki bakın +Please select Bank Account,Banka Hesabı seçiniz +Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Ayrıca bir önceki mali yılın bilançosu bu mali yıl için yaprakları eklemek istiyorsanız ileriye taşımak seçiniz +Please select Category first,İlk Kategori seçiniz +Please select Charge Type first,Şarj Tipi İlk seçiniz +Please select Fiscal Year,Mali Yıl seçiniz +Please select Group or Ledger value,Grup veya Ledger değer seçiniz +Please select Incharge Person's name,Incharge Kişinin adı seçiniz +Please select Invoice Type and Invoice Number in atleast one row,En az bir satırda Fatura Tipi ve Fatura Numarası seçiniz +"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Sales BOM","""Stok Öğe mi"" ""Hayır"" ve ""Satış Item mi"" ""Evet"" ve başka hiçbir Satış BOM var Öğe seçiniz" +Please select Price List,Fiyat Listesi Lütfen seçiniz +Please select Start Date and End Date for Item {0},Başlangıç ​​Tarihi ve Öğe için Bitiş Tarihi seçiniz {0} +Please select Time Logs.,Zaman Kayıtlar seçiniz. +Please select a csv file,Bir csv dosya seçiniz +Please select a valid csv file with data,Veri ile geçerli bir csv dosya seçiniz +Please select a value for {0} quotation_to {1},Için bir değer seçiniz {0} quotation_to {1} +"Please select an ""Image"" first","Ilk önce bir ""Image"" seçiniz" +Please select charge type first,İlk şarj türünü seçiniz +Please select company first,İlk şirketi seçiniz +Please select company first.,İlk şirketi seçiniz. +Please select item code,Ürün kodu seçiniz +Please select month and year,Ay ve yılı seçiniz +Please select prefix first,İlk önek seçiniz +Please select the document type first,İlk belge türünü seçiniz +Please select weekly off day,Haftalık kapalı bir gün seçiniz +Please select {0},Lütfen seçin {0} +Please select {0} first,İlk {0} seçiniz +Please select {0} first.,İlk {0} seçiniz. +Please set Dropbox access keys in your site config,Siteniz config Dropbox erişim tuşlarını ayarlamak Lütfen +Please set Google Drive access keys in {0},Google Drive erişim tuşlarını ayarlamak Lütfen {0} +Please set default Cash or Bank account in Mode of Payment {0},Ödeme Şekilleri varsayılan Kasa veya Banka hesabı ayarlamak Lütfen {0} +Please set default value {0} in Company {0},Varsayılan değeri ayarlamak Lütfen {0} Şirketi {0} +Please set {0},Set Lütfen {0} +Please setup Employee Naming System in Human Resource > HR Settings,İnsan Kaynakları Lütfen kurulum Çalışan İsimlendirme Sistemi> HR Ayarları +Please setup numbering series for Attendance via Setup > Numbering Series,Kurulum> Numaralandırma Serisi yoluyla Katılım için lütfen kurulum numaralandırma serisi +Please setup your chart of accounts before you start Accounting Entries,Eğer Muhasebe başlıklar başlamadan önce Kur hesapları sizin grafik Lütfen +Please specify,Lütfen belirtiniz +Please specify Company,Şirket belirtiniz +Please specify Company to proceed,Devam etmek için Firma belirtin +Please specify Default Currency in Company Master and Global Defaults,Şirket Lisans ve Global Varsayılanlarını Standart Para belirtiniz +Please specify a,Lütfen belirtiniz +Please specify a valid 'From Case No.','Dava No Kimden' geçerli bir belirtin +Please specify a valid Row ID for {0} in row {1},Arka arkaya {0} için geçerli bir satır kimliğini belirtin {1} +Please specify either Quantity or Valuation Rate or both,Miktar veya Değerleme Oranı ya da her ikisini de belirtiniz +Please submit to update Leave Balance.,Bırak Denge güncellemek için gönderin. +Plot,Konu +Plot By,By arsa +Point of Sale,Satış Noktası +Point-of-Sale Setting,Point-of-Sale Ayarı +Post Graduate,Lisansüstü +Postal,Posta +Postal Expenses,Posta Giderleri +Posting Date,Üyelik Gönderme +Posting Time,Zaman Gönderme +Posting date and posting time is mandatory,Gönderme tarih ve gönderme zamanı zorunludur +Posting timestamp must be after {0},Gönderme timestamp sonra olmalıdır {0} +Potential opportunities for selling.,Satış için potansiyel fırsatlar. +Preferred Billing Address,Tercih Fatura Adresi +Preferred Shipping Address,Tercih Teslimat Adresi +Prefix,Önek +Present,Tanıt +Prevdoc DocType,Prevdoc DocType +Prevdoc Doctype,Prevdoc Doctype +Preview,Önizleme +Previous,Önceki +Previous Work Experience,Önceki İş Deneyimi +Price,Fiyat +Price / Discount,Fiyat / İndirim +Price List,Fiyat listesi +Price List Currency,Fiyat Listesi Döviz +Price List Currency not selected,Fiyat Listesi Döviz seçili değil +Price List Exchange Rate,Fiyat Listesi Döviz Kuru +Price List Name,Fiyat Listesi Adı +Price List Rate,Fiyat Listesi Oranı +Price List Rate (Company Currency),Fiyat Listesi Oranı (Şirket para birimi) +Price List master.,Fiyat Listesi usta. +Price List must be applicable for Buying or Selling,Fiyat Listesi Alış veya Satış için geçerli olmalı +Price List not selected,Fiyat Listesi seçili değil +Price List {0} is disabled,Fiyat Listesi {0} devre dışı +Price or Discount,Fiyat veya İndirim +Pricing Rule,Fiyatlandırma Kural +Pricing Rule Help,Fiyatlandırma Kural Yardım +"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Fiyatlandırma Kural İlk Ürün, Ürün Grubu veya Marka olabilir, hangi alanda 'On Uygula' göre seçilir." +"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Fiyatlandırma Kural, bazı kriterlere dayalı, Fiyat Listesi / indirim yüzdesini tanımlamak üzerine yazmak için yapılır." +Pricing Rules are further filtered based on quantity.,Fiyatlandırma Kurallar daha miktarına göre süzülür. +Print Format Style,Baskı Biçim Stili +Print Heading,Baskı Başlık +Print Without Amount,Tutarı olmadan yazdır +Print and Stationary,Baskı ve Kırtasiye +Printing and Branding,Baskı ve Markalaşma +Priority,Öncelik +Private Equity,Özel Sermaye +Privilege Leave,Privilege bırak +Probation,Deneme Süresi +Process Payroll,Süreç Bordro +Produced,Üretilmiş +Produced Quantity,Üretilen Miktar +Product Enquiry,Ürün Sorgulama +Production,Üretim +Production Order,Üretim Sipariş +Production Order status is {0},Üretim Sipariş durumu {0} +Production Order {0} must be cancelled before cancelling this Sales Order,Üretim Sipariş {0} bu Satış Siparişi iptal etmeden önce iptal edilmelidir +Production Order {0} must be submitted,Üretim Sipariş {0} sunulmalıdır +Production Orders,Üretim Siparişleri +Production Orders in Progress,Devam Üretim Siparişleri +Production Plan Item,Üretim Planı Ürün +Production Plan Items,Üretim Planı Öğeler +Production Plan Sales Order,Üretim Planı Satış Sipariş +Production Plan Sales Orders,Üretim Planı Satış Siparişleri +Production Planning Tool,Üretim Planlama Aracı +Products,Ürünler +"Products will be sorted by weight-age in default searches. More the weight-age, higher the product will appear in the list.","Ürünler varsayılan aramalarında ağırlık yaşa göre sıralanır. Daha ağırlık-yaş, yüksek ürün listesinde görünecektir." +Professional Tax,Profesyonel Vergi +Profit and Loss,Kar ve Zarar +Profit and Loss Statement,Kar ve Zarar Tablosu +Project,Proje +Project Costing,Proje Maliyetlendirme +Project Details,Proje Detayları +Project Manager,Proje Müdürü +Project Milestone,Proje Milestone +Project Milestones,Proje Aşamaları +Project Name,Proje Adı +Project Start Date,Proje Başlangıç ​​Tarihi +Project Type,Proje Tipi +Project Value,Proje Bedeli +Project activity / task.,Proje faaliyeti / görev. +Project master.,Proje usta. +Project will get saved and will be searchable with project name given,Proje kaydedilir alacak ve verilen bir proje adı ile aranabilir olacak +Project wise Stock Tracking,Proje bilge Stok Takibi +Project-wise data is not available for Quotation,Proje bilge veri Teklifimizin mevcut değildir +Projected,Öngörülen +Projected Qty,Adet Öngörülen +Projects,Projeler +Projects & System,Projeler ve Sistem +Prompt for Email on Submission of,Başvuru üzerine E-posta için İstemi +Proposal Writing,Teklifi Yazma +Provide email id registered in company,E-posta id şirkette kayıtlı sağlayın +Provisional Profit / Loss (Credit),Geçici Kar / Zarar (Kredi) +Public,Genel +Published on website at: {0},De internet sitesinde yayımlanan: {0} +Publishing,Yayıncılık +Pull sales orders (pending to deliver) based on the above criteria,Yukarıdaki kriterlere göre (sunmak için bekleyen) satış emirleri çekin +Purchase,Satın Alım +Purchase / Manufacture Details,Satınalma / İmalat Detayları +Purchase Analytics,Satınalma Analytics +Purchase Common,Ortak Satın Alma +Purchase Details,Satınalma Detaylar +Purchase Discounts,İndirimler Satınalma +Purchase Invoice,Satınalma Fatura +Purchase Invoice Advance,Fatura peşin alım +Purchase Invoice Advances,Satınalma Fatura avanslar +Purchase Invoice Item,Satınalma Fatura Ürün +Purchase Invoice Trends,Fatura Eğilimler Satınalma +Purchase Invoice {0} is already submitted,Satınalma Fatura {0} zaten teslim edilir +Purchase Order,Satın alma emri +Purchase Order Item,Sipariş Ürün +Purchase Order Item No,Sipariş Ürün No +Purchase Order Item Supplied,Sipariş Ürün Tedarik +Purchase Order Items,Sipariş Öğeler +Purchase Order Items Supplied,Verilen Sipariş Kalemleri +Purchase Order Items To Be Billed,Faturalı To Be Sipariş Kalemleri +Purchase Order Items To Be Received,Alınan To Be Sipariş Kalemleri +Purchase Order Message,Sipariş Mesaj +Purchase Order Required,Sipariş gerekli satın alma +Purchase Order Trends,Sipariş Eğilimler Satınalma +Purchase Order number required for Item {0},Sipariş numarası Ürün için gerekli {0} +Purchase Order {0} is 'Stopped',{0} 'Durduruldu' olduğunu Satınalma Siparişi +Purchase Order {0} is not submitted,Sipariş {0} teslim edilmez +Purchase Orders given to Suppliers.,Tedarikçiler verilen Satınalma Siparişleri. +Purchase Receipt,Satın Alındı +Purchase Receipt Item,Satın Alındı ​​Ürün +Purchase Receipt Item Supplied,Satın Alındı ​​Ürün Tedarik +Purchase Receipt Item Supplieds,Satın Alındı ​​Ürün Supplieds +Purchase Receipt Items,Satın Alındı ​​Öğeler +Purchase Receipt Message,Satın Alındı ​​Mesaj +Purchase Receipt No,Satın Alındı ​​yok +Purchase Receipt Required,Gerekli Satın Alındı +Purchase Receipt Trends,Satın Alındı ​​Trendler +Purchase Receipt number required for Item {0},Ürün için gerekli Satın Alındı ​​numarası {0} +Purchase Receipt {0} is not submitted,Satın Alındı ​​{0} teslim edilmez +Purchase Register,Üye olun Satınalma +Purchase Return,Satın dön +Purchase Returned,RETURNED Satınalma +Purchase Taxes and Charges,Alım Vergi ve Harçlar +Purchase Taxes and Charges Master,Alım Vergi ve Harçlar Usta +Purchse Order number required for Item {0},Purchse Sipariş Numarası Ürün için gerekli {0} +Purpose,Amaç +Purpose must be one of {0},Amaç biri olmalıdır {0} +QA Inspection,QA Muayene +Qty,Adet +Qty Consumed Per Unit,Miktar Birim Başına Tüketilen +Qty To Manufacture,Imalatı için Adet +Qty as per Stock UOM,Adet Stok UOM başına +Qty to Deliver,Sunun için Adet +Qty to Order,Adet Sipariş +Qty to Receive,Alma Adet +Qty to Transfer,Transfer Adet +Qualification,{0}Yeterlilik{/0} {1} {/1} +Quality,Kalite +Quality Inspection,Kalite Kontrol +Quality Inspection Parameters,Kalite Kontrol Parametreleri +Quality Inspection Reading,Kalite Kontrol Okuma +Quality Inspection Readings,Kalite Kontrol Okumalar +Quality Inspection required for Item {0},Ürün için gerekli Kalite Kontrol {0} +Quality Management,Kalite Yönetimi +Quantity,Miktar +Quantity Requested for Purchase,Alım için İstenen miktar +Quantity and Rate,Miktarı ve Oranı +Quantity and Warehouse,Miktar ve Depo +Quantity cannot be a fraction in row {0},Miktarı satırına bir fraksiyonu olamaz {0} +Quantity for Item {0} must be less than {1},Adet Ürün için {0} daha az olmalıdır {1} +Quantity in row {0} ({1}) must be same as manufactured quantity {2},Miktarı satırına {0} ({1}) aynı olmalıdır üretilen miktar {2} +Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Hammadde verilen miktarlarından repacking / üretim sonrası elde edilen ürünün miktarı +Quantity required for Item {0} in row {1},Ürün için gerekli miktar {0} üst üste {1} +Quarter,Çeyrek +Quarterly,Çeyrek Senelik +Quick Help,Hızlı Yardım +Quotation,Kotasyon +Quotation Item,Teklif Ürün +Quotation Items,Teklif Öğeler +Quotation Lost Reason,Teklif Kayıp Nedeni +Quotation Message,Teklif Mesaj +Quotation To,Için tırnak +Quotation Trends,Teklif Trendler +Quotation {0} is cancelled,Tırnak {0} iptal edilir +Quotation {0} not of type {1},Tırnak {0} değil türünde {1} +Quotations received from Suppliers.,Özlü Sözler Tedarikçiler alınan. +Quotes to Leads or Customers.,Teklifleri veya Müşteriler tırnak. +Raise Material Request when stock reaches re-order level,Hisse senedi yeniden sipariş seviyesine ulaştığında Malzeme İsteği Raise +Raised By,By Yükseltilmiş +Raised By (Email),(E) tarafından Yükseltilmiş +Random,Rasgele +Range,Aralık +Rate,Oran +Rate , +Rate (%),Oranı (%) +Rate (Company Currency),Oranı (Şirket para birimi) +Rate Of Materials Based On,Malzemeler Tabanlı On Of Oranı +Rate and Amount,Hızı ve Miktarı +Rate at which Customer Currency is converted to customer's base currency,Müşteri Döviz müşteri tabanı para birimine dönüştürülür oran hangi +Rate at which Price list currency is converted to company's base currency,Fiyat listesi para şirketin baz para birimine dönüştürülür oran hangi +Rate at which Price list currency is converted to customer's base currency,Fiyat listesi para müşteri tabanı para birimine dönüştürülür oran hangi +Rate at which customer's currency is converted to company's base currency,Müşterinin para şirketin baz para birimine dönüştürülür oran hangi +Rate at which supplier's currency is converted to company's base currency,Tedarikçinin para şirketin baz para birimine dönüştürülür oran hangi +Rate at which this tax is applied,Bu vergi tatbik edildiği +Raw Material,Hammadde +Raw Material Item Code,Hammadde Ürün Kodu +Raw Materials Supplied,Tedarik Hammaddeler +Raw Materials Supplied Cost,Hammadde Tedarik Maliyeti +Raw material cannot be same as main Item,Hammadde ana öğe olarak aynı olamaz +Re-Order Level,Yeniden Sipariş Seviyesi +Re-Order Qty,Re-Sipariş Miktar +Re-order,Yeniden sipariş +Re-order Level,Yeniden sipariş seviyesi +Re-order Qty,Yeniden sipariş Adet +Read,Okunmuş +Reading 1,1 Okuma +Reading 10,10 Okuma +Reading 2,2 Okuma +Reading 3,Reading 3 +Reading 4,4 Okuma +Reading 5,5 Okuma +Reading 6,6 Okuma +Reading 7,7 Okuma +Reading 8,8 Okuma +Reading 9,9 Okuma +Real Estate,Gayrimenkul +Reason,Nedeni +Reason for Leaving,Ayrılma Nedeni +Reason for Resignation,İstifa Nedeni +Reason for losing,Kaybetme nedeni +Recd Quantity,Recd Miktar +Receivable,Alacak +Receivable / Payable account will be identified based on the field Master Type,Alacak / Borç hesabı alan Usta Türü göre tespit edilecektir +Receivables,Alacaklar +Receivables / Payables,Alacaklar / Borçlar +Receivables Group,Alacaklar Grubu +Received Date,Alınan Tarih +Received Items To Be Billed,Faturalı To Be Alınan Öğeler +Received Qty,Adet aldı +Received and Accepted,Alınan ve Kabul +Receiver List,Alıcı Listesi +Receiver List is empty. Please create Receiver List,Alıcı listesi boş. Alıcı listesi oluşturmanız +Receiver Parameter,Alıcı Parametre +Recipients,Alıcılar +Reconcile,Uzlaştırmak +Reconciliation Data,Uzlaşma Veri +Reconciliation HTML,Uzlaşma HTML +Reconciliation JSON,Uzlaşma JSON +Record item movement.,Tutanak madde hareketi. +Recurring Id,Tekrarlanan Kimliği +Recurring Invoice,Dönüşümlü Fatura +Recurring Type,Tekrarlanan Türü +Reduce Deduction for Leave Without Pay (LWP),Izinde için Kesintisi azaltın (YSP) +Reduce Earning for Leave Without Pay (LWP),Izinde için Kazanç azaltın (YSP) +Ref,Ref +Ref Code,Referans Kodu +Ref SQ,Ref SQ +Reference,Referans +Reference #{0} dated {1},Referans # {0} tarihli {1} +Reference Date,Başvuru Tarihi +Reference Name,Referans Adı +Reference No & Reference Date is required for {0},Referans No ve Referans Tarih için gereklidir {0} +Reference No is mandatory if you entered Reference Date,Eğer Başvuru Tarihi girdiyseniz Referans No zorunludur +Reference Number,Referans Numarası +Reference Row #,Referans Row # +Refresh,Yenile +Registration Details,Kayıt Detayları +Registration Info,Kayıt Bilgileri +Rejected,Reddedildi +Rejected Quantity,Reddedilen Miktar +Rejected Serial No,Seri No Reddedildi +Rejected Warehouse,Reddedilen Depo +Rejected Warehouse is mandatory against regected item,Reddedilen Depo regected öğe karşı zorunludur +Relation,Ilişki +Relieving Date,Üyelik Giderme +Relieving Date must be greater than Date of Joining,Üyelik giderici Katılma tarihi daha büyük olmalıdır +Remark,Dikkat +Remarks,Açıklamalar +Remarks Custom,Açıklamalar Özel +Rename,Yeniden adlandır +Rename Log,Giris yeniden adlandırma +Rename Tool,Aracı yeniden adlandırma +Rent Cost,Kira Bedeli +Rent per hour,Saatte kiralamak +Rented,Kiralanmış +Repeat on Day of Month,Ayın günü tekrarlayın +Replace,Değiştir +Replace Item / BOM in all BOMs,Tüm reçetelerde Ürün / BOM değiştirin +Replied,Cevap +Report Date,Rapor Tarihi +Report Type,Rapor Türü +Report Type is mandatory,Rapor Tipi zorunludur +Reports to,Raporlar +Reqd By Date,Reqd Date +Reqd by Date,Reqd Tarih +Request Type,İstek Türü +Request for Information,Bilgi İstek +Request for purchase.,Satın almak için isteyin. +Requested,Talep +Requested For,Için talep +Requested Items To Be Ordered,Sıralı To Be talep Ürünleri +Requested Items To Be Transferred,Transfer edilmesini istedi Ürünleri +Requested Qty,İstenen Adet +"Requested Qty: Quantity requested for purchase, but not ordered.","İstenen Miktar: Miktar sipariş alımı için istenen, ancak değil." +Requests for items.,Öğeler için istekleri. +Required By,By Gerekli +Required Date,Gerekli Tarih +Required Qty,Gerekli Adet +Required only for sample item.,Sadece örnek öğe için gereklidir. +Required raw materials issued to the supplier for producing a sub - contracted item.,Bir alt üretmek için tedarikçiye verilen Gerekli hammaddeler - sözleşmeli öğe. +Research,Araştırma +Research & Development,Araştırma ve Geliştirme +Researcher,Araştırmacı +Reseller,Bayi +Reserved,Reserved +Reserved Qty,Rezerve Adet +"Reserved Qty: Quantity ordered for sale, but not delivered.","Rezerve Miktar: Miktar satışı emretti, ama teslim." +Reserved Quantity,Rezerve Miktarı +Reserved Warehouse,Rezerve Depo +Reserved Warehouse in Sales Order / Finished Goods Warehouse,Satış Sipariş / Mamul Depo saklıdır Atölyesi +Reserved Warehouse is missing in Sales Order,Rezerve Depo Satış Siparişi eksik +Reserved Warehouse required for stock Item {0} in row {1},Stok Öğe için gerekli saklıdır Depo {0} üst üste {1} +Reserved warehouse required for stock item {0},Stok kalemi için gerekli rezerve depo {0} +Reserves and Surplus,Yedekler ve Fazlası +Reset Filters,Filtreleri Sıfırla +Resignation Letter Date,İstifa Mektubu Tarih +Resolution,Karar +Resolution Date,Karar Tarihi +Resolution Details,Çözünürlük Detaylar +Resolved By,Tarafından Çözülmüş +Rest Of The World,World Of istirahat +Retail,Perakende +Retail & Wholesale,Toptan ve Perakende Satış +Retailer,Perakendeci +Review Date,İnceleme tarihi +Rgt,Rgt +Role Allowed to edit frozen stock,Rol dondurulmuş stok düzenlemek için İzin +Role that is allowed to submit transactions that exceed credit limits set.,Set kredi limitlerini aşan işlemleri göndermek için izin verilir rolü. +Root Type,Kök Tipi +Root Type is mandatory,Kök Tipi zorunludur +Root account can not be deleted,Root hesabı silinemez +Root cannot be edited.,Kök düzenlenemez. +Root cannot have a parent cost center,Kök bir üst maliyet merkezi olamaz +Rounded Off,Yuvarlak Kapalı +Rounded Total,Yuvarlak Toplam +Rounded Total (Company Currency),Yuvarlak Toplam (Şirket para birimi) +Row # , +Row # {0}: , +Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,Satır # {0}: Sıralı Adet Adet (öğe master tanımlanan) öğesinin minimum sipariş adet daha az olamaz. +Row #{0}: Please specify Serial No for Item {1},Satır # {0}: Ürün seri no belirtiniz {1} +"Row {0}: Account does not match with \ + Purchase Invoice Credit To account","Satır {0}: \ + Satın Fatura Kredi hesabı için Hesabı ile uyuşmuyor" +"Row {0}: Account does not match with \ + Sales Invoice Debit To account","Satır {0}: \ + Satış Faturası banka hesabı için Hesap ile uyuşmuyor" +Row {0}: Conversion Factor is mandatory,Satır {0}: Katsayı zorunludur +Row {0}: Credit entry can not be linked with a Purchase Invoice,Satır {0}: Kredi girişi Satınalma Fatura ile bağlantılı olamaz +Row {0}: Debit entry can not be linked with a Sales Invoice,Satır {0}: Banka giriş Satış Fatura ile bağlantılı olamaz +Row {0}: Payment amount must be less than or equals to invoice outstanding amount. Please refer Note below.,Satır {0}: Ödeme tutarı veya daha az kalan miktar fatura eşittir olmalıdır. Aşağıda dikkat bakınız. +Row {0}: Qty is mandatory,Satır {0}: Miktar zorunludur +"Row {0}: Qty not avalable in warehouse {1} on {2} {3}. + Available Qty: {4}, Transfer Qty: {5}","Satır {0}: Miktar depoda Avalable {1} değil {2} {3}. + Mevcut Adet: {4}, Adet aktarın: {5}" +"Row {0}: To set {1} periodicity, difference between from and to date \ + must be greater than or equal to {2}","Satır {0}: ayarlamak için {1}, sıklığı, yeri ve tarihi arasındaki fark, \ + daha büyük ya da eşit olmalıdır {2}" +Row {0}:Start Date must be before End Date,Satır {0}: Başlangıç ​​Tarihi Bitiş Tarihinden önce olmalıdır +Rules for adding shipping costs.,Nakliye maliyetleri eklemek için Kurallar. +Rules for applying pricing and discount.,Fiyatlandırma ve indirim uygulanması için kurallar. +Rules to calculate shipping amount for a sale,Bir satış için nakliye miktarını hesaplamak için Kurallar +S.O. No.,SO No +SHE Cess on Excise,SHE Tüketim Vergisi ile ilgili +SHE Cess on Service Tax,SHE Hizmet Vergisi Cess +SHE Cess on TDS,SHE TDS ile ilgili Cess +SMS Center,SMS Merkezi +SMS Gateway URL,SMS Gateway URL +SMS Log,SMS Log +SMS Parameter,SMS Parametre +SMS Sender Name,SMS Sender Adı +SMS Settings,SMS Ayarları +SO Date,SO Tarih +SO Pending Qty,SO Bekleyen Adet +SO Qty,SO Adet +Salary,Maaş +Salary Information,Maaş Bilgi +Salary Manager,Maaş Müdürü +Salary Mode,Maaş Modu +Salary Slip,Maaş Kayma +Salary Slip Deduction,Maaş Kayma Kesintisi +Salary Slip Earning,Maaş Kayma Kazanç +Salary Slip of employee {0} already created for this month,Çalışanın Maaş Kayma {0} zaten bu ay için oluşturulan +Salary Structure,Maaş Yapısı +Salary Structure Deduction,Maaş Yapısı Kesintisi +Salary Structure Earning,Maaş Yapısı Kazanç +Salary Structure Earnings,Maaş Yapısı Kazanç +Salary breakup based on Earning and Deduction.,Maaş çöküş Kazanç ve Kesintisi göre. +Salary components.,Maaş bileşenleri. +Salary template master.,Maaş şablon usta. +Sales,Satışlar +Sales Analytics,Satış Analytics +Sales BOM,Satış BOM +Sales BOM Help,Satış BOM Yardım +Sales BOM Item,Satış BOM Ürün +Sales BOM Items,Satış BOM Öğeler +Sales Browser,Satış Tarayıcı +Sales Details,Satış Ayrıntılar +Sales Discounts,Satış İndirimleri +Sales Email Settings,Satış E-posta Ayarları +Sales Expenses,Satış Giderleri +Sales Extras,Satış Ekstralar +Sales Funnel,Satış Huni +Sales Invoice,Satış Faturası +Sales Invoice Advance,Satış Fatura Avans +Sales Invoice Item,Satış Fatura Ürün +Sales Invoice Items,Satış Fatura Öğeler +Sales Invoice Message,Satış Faturası Mesaj +Sales Invoice No,Satış Fatura No +Sales Invoice Trends,Satış Faturası Trendler +Sales Invoice {0} has already been submitted,Satış Faturası {0} zaten gönderildi +Sales Invoice {0} must be cancelled before cancelling this Sales Order,Satış Faturası {0} bu Satış Siparişi iptal etmeden önce iptal edilmelidir +Sales Order,Satış Sipariş +Sales Order Date,Satış Sipariş Tarihi +Sales Order Item,Satış Sipariş Ürün +Sales Order Items,Satış Sipariş Öğeler +Sales Order Message,Satış Sipariş Mesaj +Sales Order No,Satış Sipariş yok +Sales Order Required,Satış Sipariş Gerekli +Sales Order Trends,Satış Sipariş Trendler +Sales Order required for Item {0},Ürün için gerekli Satış Sipariş {0} +Sales Order {0} is not submitted,Satış Sipariş {0} teslim edilmez +Sales Order {0} is not valid,Satış Sipariş {0} geçerli değil +Sales Order {0} is stopped,Satış Sipariş {0} durduruldu +Sales Partner,Satış Ortağı +Sales Partner Name,Satış Ortak Adı +Sales Partner Target,Satış Ortağı Hedef +Sales Partners Commission,Satış Ortakları Komisyonu +Sales Person,Satış Kişi +Sales Person Name,Satış Kişi Adı +Sales Person Target Variance Item Group-Wise,Satış Kişi Hedef Varyans Ürün Grup-Wise +Sales Person Targets,Satış Kişi Hedefler +Sales Person-wise Transaction Summary,Satış Kişi-bilge İşlem Özeti +Sales Register,Satış Kayıt +Sales Return,Satış İade +Sales Returned,Satış İade +Sales Taxes and Charges,Satış Vergi ve Harçlar +Sales Taxes and Charges Master,Satış Vergi ve Harçlar Usta +Sales Team,Satış Ekibi +Sales Team Details,Satış Ekibi Ayrıntıları +Sales Team1,Satış Team1 +Sales and Purchase,Satış ve Satın Alma +Sales campaigns.,Satış kampanyaları. +Salutation,Selamlama +Sample Size,Örneklem Büyüklüğü +Sanctioned Amount,Yaptırıma Tutar +Saturday,Cumartesi +Schedule,Program +Schedule Date,Program Tarih +Schedule Details,Program Detayları +Scheduled,Tarifeli +Scheduled Date,Tarifeli Tarih +Scheduled to send to {0},Göndermek için Tarifeli {0} +Scheduled to send to {0} recipients,{0} alıcıya göndermek için Tarifeli +Scheduler Failed Events,Zamanlayıcı Başarısız Olaylar +School/University,Okul / Üniversite +Score (0-5),Skor (0-5) +Score Earned,Puan Kazanılan +Score must be less than or equal to 5,Skor ya da daha az 5 eşit olmalıdır +Scrap %,Hurda% +Seasonality for setting budgets.,Bütçelerini ayarlamak için mevsimsellik. +Secretary,Sekreter +Secured Loans,Teminatlı Krediler +Securities & Commodity Exchanges,Menkul Kıymetler ve Borsalar +Securities and Deposits,Menkul Kıymetler ve Mevduat +"See ""Rate Of Materials Based On"" in Costing Section","Bölüm Maliyet ""On esaslı malzemelerin Rate"" bakın" +"Select ""Yes"" for sub - contracting items","Alt için ""Evet"" seçeneğini seçin - öğeleri sözleşme" +"Select ""Yes"" if this item is used for some internal purpose in your company.","Bu öğeyi şirket bazı iç amaç için kullanılan ""Evet"" seçeneğini seçin." +"Select ""Yes"" if this item represents some work like training, designing, consulting etc.","Bu madde vb danışmanlık eğitim, tasarım, gibi bazı işler temsil ediyorsa ""Evet"" i seçin" +"Select ""Yes"" if you are maintaining stock of this item in your Inventory.","Eğer Envanter Bu ürünün stok muhafaza eğer ""Evet"" seçeneğini seçin." +"Select ""Yes"" if you supply raw materials to your supplier to manufacture this item.","Bu öğeyi üretmek için tedarikçi için hammadde kaynağı ise ""Evet"" seçeneğini seçin." +Select Brand...,Marka Seçiniz ... +Select Budget Distribution to unevenly distribute targets across months.,Dengesiz ay boyunca hedeflerini dağıtmak için Bütçe Dağıtım seçin. +"Select Budget Distribution, if you want to track based on seasonality.","Mevsimsellik dayalı izlemek istiyorsanız, Bütçe Dağıtım seçin." +Select Company...,Firma Seç ... +Select DocType,Seç DocType +Select Fiscal Year...,Mali Yıl Seçin ... +Select Items,Öğeleri seçmek +Select Project...,Projesi Seçiniz ... +Select Purchase Receipts,Satınalma Makbuzlar Seçiniz +Select Sales Orders,Seç Satış Siparişleri +Select Sales Orders from which you want to create Production Orders.,Eğer Üretim Emirleri oluşturmak istediğiniz seçin Satış Siparişleri. +Select Time Logs and Submit to create a new Sales Invoice.,Zaman Kayıtlar seçin ve yeni Satış Faturası oluşturmak için gönderin. +Select Transaction,İşlem Seçin +Select Warehouse...,Warehouse Seçiniz ... +Select Your Language,Dil Seçiniz +Select account head of the bank where cheque was deposited.,Çek tevdi edilmiş banka hesap başkanı seçin. +Select company name first.,Ilk şirket adını seçin. +Select template from which you want to get the Goals,Eğer Goller almak istediğiniz şablonu seçin +Select the Employee for whom you are creating the Appraisal.,Eğer Değerleme oluştururken kimin için Çalışan seçin. +Select the period when the invoice will be generated automatically,Fatura otomatik olarak oluşturulur dönemi seçin +Select the relevant company name if you have multiple companies,Eğer birden fazla şirket varsa ilgili şirket adını seçin +Select the relevant company name if you have multiple companies.,Eğer birden fazla şirket varsa ilgili şirket adını seçin. +Select who you want to send this newsletter to,Eğer bu bülten göndermek istediğiniz kişiyi seçin +Select your home country and check the timezone and currency.,Ev ülkeyi seçin ve saat dilimini ve para birimini kontrol edin. +"Selecting ""Yes"" will allow this item to appear in Purchase Order , Purchase Receipt.","""Evet"" seçildiğinde bu öğe Sipariş, Satın Alma Makbuzu görünmesini sağlayacaktır." +"Selecting ""Yes"" will allow this item to figure in Sales Order, Delivery Note","""Evet"" seçildiğinde bu öğe Satış Sipariş, İrsaliye rakam sağlayacak" +"Selecting ""Yes"" will allow you to create Bill of Material showing raw material and operational costs incurred to manufacture this item.","""Evet"" seçilmesi hammadde ve bu öğeyi üretimi için katlanılan operasyonel maliyetleri gösteren Malzeme Bill oluşturmanızı sağlayacak." +"Selecting ""Yes"" will allow you to make a Production Order for this item.","""Evet"" seçildiğinde bu öğe için bir üretim Sipariş olanak sağlayacak." +"Selecting ""Yes"" will give a unique identity to each entity of this item which can be viewed in the Serial No master.","""Evet"" seçilmesi Seri No master görülebilir Bu ürünün her varlık için benzersiz bir kimlik verecek." +Selling,Satış +Selling Settings,Ayarları Satış +"Selling must be checked, if Applicable For is selected as {0}","Uygulanabilir için olarak seçilirse satış, kontrol edilmelidir {0}" +Send,Gönder +Send Autoreply,AutoReply Gönder +Send Email,E-posta Gönder +Send From,Gönderen Gönder +Send Notifications To,To Bildirimleri Gönder +Send Now,Şimdi Gönder +Send SMS,SMS gönder +Send To,Gönder +Send To Type,Yazın Gönder +Send mass SMS to your contacts,Kişilerinize toplu SMS gönder +Send to this list,Bu listeye Gönder +Sender Name,Gönderenin Adı +Sent On,On Sent +Separate production order will be created for each finished good item.,Ayrı üretim emri her mamul madde için oluşturulur. +Serial No,Seri No +Serial No / Batch,Seri No / Toplu +Serial No Details,Seri No Detaylar +Serial No Service Contract Expiry,Seri No Hizmet Sözleşmesi Vade +Serial No Status,Seri No Durumu +Serial No Warranty Expiry,Seri No Garanti Bitiş +Serial No is mandatory for Item {0},Seri No Ürün için zorunludur {0} +Serial No {0} created,Seri No {0} oluşturuldu +Serial No {0} does not belong to Delivery Note {1},Seri No {0} İrsaliye ait değil {1} +Serial No {0} does not belong to Item {1},Seri No {0} Ürün ait değil {1} +Serial No {0} does not belong to Warehouse {1},Seri No {0} Atölyesi'ne ait değil {1} +Serial No {0} does not exist,Seri No {0} yok +Serial No {0} has already been received,Seri No {0} alındıktan +Serial No {0} is under maintenance contract upto {1},Seri No {0} taneye kadar bakım sözleşmesi altında {1} +Serial No {0} is under warranty upto {1},Seri No {0} kadar garanti altındadır {1} +Serial No {0} not in stock,Seri No {0} değil stock +Serial No {0} quantity {1} cannot be a fraction,Seri No {0} {1} miktar kesir olamaz +Serial No {0} status must be 'Available' to Deliver,Seri No {0} durum sunun için 'Uygun' olmalı +Serial Nos Required for Serialized Item {0},Tefrika Ürün Serial Nos Zorunlu {0} +Serial Number Series,Seri Numarası Serisi +Serial number {0} entered more than once,Seri numarası {0} kez daha girdi +"Serialized Item {0} cannot be updated \ + using Stock Reconciliation","Tefrika Öğe {0} güncelleme olamaz \ + Stock Uzlaşma kullanarak" +Series,Sürümler +Series List for this Transaction,Bu İşlem için Serisi Listesi +Series Updated,Serisi Güncel +Series Updated Successfully,Serisi Başarıyla Güncellendi +Series is mandatory,Series zorunludur +Series {0} already used in {1},Series {0} kullanılan {1} +Service,Servis +Service Address,Servis Adres +Service Tax,Hizmet Vergisi +Services,Servisler +Set,Ayarla +"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Vb Şirket, Para, mevcut mali yılın gibi ayarla Varsayılan Değerler" +Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,Bu toprakları üzerinde Ürün Grup-bilge bütçeleri ayarlayın. Ayrıca ayar Dağıtım tarafından mevsimsellik içerebilir. +Set Status as Available,Olarak mevcut ayarla Durum +Set as Default,Varsayılan olarak ayarla +Set as Lost,Kayıp olarak ayarla +Set prefix for numbering series on your transactions,Işlemlerinizi dizi numaralama için belirlenen önek +Set targets Item Group-wise for this Sales Person.,"Set hedefleri Ürün Grup-bilge, bu satış kişi için." +Setting Account Type helps in selecting this Account in transactions.,Hesap Türünü Ayarlama işlemlerinde bu Hesap seçiminde yardımcı olur. +Setting this Address Template as default as there is no other default,Başka hiçbir varsayılan olduğu gibi varsayılan olarak bu Adres Template ayarlanması +Setting up...,Kurma ... +Settings,Ayarlar +Settings for HR Module,İK Modülü Ayarları +"Settings to extract Job Applicants from a mailbox e.g. ""jobs@example.com""","Bir posta kutusu örneğin ""jobs@example.com"" dan İş Başvuru ayıklamak için Ayarlar" +Setup,Kurulum +Setup Already Complete!!,Kur Zaten Tamamlandı! +Setup Complete,Kurulum Tamamlandı +Setup SMS gateway settings,Kurulum SMS ağ geçidi ayarları +Setup Series,Kurulum Serisi +Setup Wizard,Kurulum Sihirbazı +Setup incoming server for jobs email id. (e.g. jobs@example.com),"Işler e-posta id için kurulum gelen sunucu. (Örneğin, jobs@example.com)" +Setup incoming server for sales email id. (e.g. sales@example.com),"Satış e-posta id için kurulum gelen sunucu. (Örneğin, sales@example.com)" +Setup incoming server for support email id. (e.g. support@example.com),"Destek e-posta id için kurulum gelen sunucu. (Örneğin, support@example.com)" +Share,Paylaş +Share With,Ile paylaş +Shareholders Funds,Hissedarlar Fonlar +Shipments to customers.,Müşterilere yapılan sevkiyatlar. +Shipping,Nakliye +Shipping Account,Nakliye Hesap +Shipping Address,Teslimat Adresi +Shipping Amount,Kargo Tutarı +Shipping Rule,Kargo Kural +Shipping Rule Condition,Kargo Kural Durum +Shipping Rule Conditions,Kargo Kural Koşullar +Shipping Rule Label,Kargo Kural Etiket +Shop,Mağaza +Shopping Cart,Alışveriş Sepeti +Short biography for website and other publications.,Web sitesi ve diğer yayınlar için kısa biyografi. +"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","""Stok"" göstermek veya ""Not Stock"" bu depoda mevcut stok göre." +"Show / Hide features like Serial Nos, POS etc.","Vb Seri Nos, POS gibi göster / gizle özellikleri" +Show In Website,Sitedeki Göster +Show a slideshow at the top of the page,Sayfanın üstünde bir slayt ABS +Show in Website,Web sitesi Göster +Show rows with zero values,Sıfır değerleri ile Satırları göster +Show this slideshow at the top of the page,Sayfanın üstündeki bu slayt göster +Sick Leave,Hastalık izni +Signature,İmza +Signature to be appended at the end of every email,Her e-postanın sonuna eklenecek imza +Single,Tek +Single unit of an Item.,Bir madde tek birim. +Sit tight while your system is being setup. This may take a few moments.,Sistem kurulum edilirken otur. Bu işlem birkaç dakika sürebilir. +Slideshow,Slayt +Soap & Detergent,Sabun ve Deterjan +Software,Yazılım +Software Developer,Yazılım Geliştirici +"Sorry, Serial Nos cannot be merged","Üzgünüz, Seri Nos birleştirilmiş olamaz" +"Sorry, companies cannot be merged","Üzgünüz, şirketler birleşti edilemez" +Source,Kaynak +Source File,Kaynak Dosyası +Source Warehouse,Kaynak Atölyesi +Source and target warehouse cannot be same for row {0},Kaynak ve hedef depo satır için aynı olamaz {0} +Source of Funds (Liabilities),Fon kaynağı (Yükümlülükleri) +Source warehouse is mandatory for row {0},Kaynak depo satır için zorunludur {0} +Spartan,Spartalı +"Special Characters except ""-"" and ""/"" not allowed in naming series","Dışında özel karakterler ""-"" ve ""/"" serisi adlandırma izin yok" +Specification Details,Özellikler Detayı +Specifications,Özellikler +"Specify a list of Territories, for which, this Price List is valid","Toprakları bir listesini belirtin, bunun için, bu Fiyat Listesi geçerlidir" +"Specify a list of Territories, for which, this Shipping Rule is valid","Toprakları bir listesini belirtin, bunun için, bu Kargo Kural geçerlidir" +"Specify a list of Territories, for which, this Taxes Master is valid","Toprakları bir listesini belirtin, bunun için, bu Usta geçerlidir Vergiler" +"Specify the operations, operating cost and give a unique Operation no to your operations.","Işlemleri, işletme maliyeti belirtin ve operasyon için benzersiz bir operasyon hayır verir." +Split Delivery Note into packages.,Paketler halinde teslim Not Split. +Sports,Spor +Sr,Sr +Standard,Standart +Standard Buying,Standart Satın Alma +Standard Reports,Standart Raporlar +Standard Selling,Standart Satış +Standard contract terms for Sales or Purchase.,Satış veya Satın Alma için standart sözleşme şartları. +Start,Başlangıç +Start Date,Başlangıç Tarihi +Start date of current invoice's period,Cari faturanın döneminin başlangıç ​​tarihi +Start date should be less than end date for Item {0},Başlangıç ​​tarihi Ürün için bitiş tarihinden daha az olmalıdır {0} +State,Devlet +Statement of Account,Hesap Tablosu +Static Parameters,Statik Parametreleri +Status,Durum +Status must be one of {0},Durum biri olmalıdır {0} +Status of {0} {1} is now {2},{0} {1} şimdi durumu {2} +Status updated to {0},Durum güncellendi {0} +Statutory info and other general information about your Supplier,Yasal bilgi ve Tedarikçi ile ilgili diğer genel bilgiler +Stay Updated,Güncel Kalın +Stock,Stok +Stock Adjustment,Stok Ayarı +Stock Adjustment Account,Stok Düzeltme Hesabı +Stock Ageing,Stok Yaşlanma +Stock Analytics,Stok Analytics +Stock Assets,Hazır Varlıklar +Stock Balance,Stok Bakiye +Stock Entries already created for Production Order , +Stock Entry,Stok Giriş +Stock Entry Detail,Stok Giriş Detay +Stock Expenses,Stok Giderleri +Stock Frozen Upto,Stok Dondurulmuş e kadar +Stock Ledger,Hisse senedi defteri +Stock Ledger Entry,Stok Ledger Entry +Stock Ledger entries balances updated,Stok Ledger güncellendi dengelerini girişleri +Stock Level,Stok Düzeyi +Stock Liabilities,Stok Yükümlülükler +Stock Projected Qty,Stok Adet Öngörülen +Stock Queue (FIFO),Stok Kuyruk (FIFO) +Stock Received But Not Billed,Stok Alınan Ama Faturalı değil +Stock Reconcilation Data,Stok mutabakatı Verileri +Stock Reconcilation Template,Stok mutabakatı Şablon +Stock Reconciliation,Stok Uzlaşma +"Stock Reconciliation can be used to update the stock on a particular date, usually as per physical inventory.","Stok Uzlaşma genellikle fiziksel envanter başına, belirli bir tarihte stok güncellemek için kullanılabilir." +Stock Settings,Stok Ayarları +Stock UOM,Stok UOM +Stock UOM Replace Utility,Stok UOM Utility değiştirin +Stock UOM updatd for Item {0},Ürün için stok UoM updatd {0} +Stock Uom,Stok uom +Stock Value,Stok Değer +Stock Value Difference,Stok Değer Farkı +Stock balances updated,Stok bakiyeleri güncellendi +Stock cannot be updated against Delivery Note {0},Stok İrsaliye karşı güncellenen olamaz {0} +Stock entries exist against warehouse {0} cannot re-assign or modify 'Master Name',Stok girişleri {0} 'Usta Adı' yeniden atamak ya da değiştiremez ambarında mevcuttur +Stock transactions before {0} are frozen,{0} önce hisse senedi işlemleri dondurulur +Stop,Durdur +Stop Birthday Reminders,Dur Birthday Reminders +Stop Material Request,Dur Malzeme Talebi +Stop users from making Leave Applications on following days.,Şu günlerde bırak Uygulamaları yapmasını durdurmak. +Stop!,Durun! +Stopped,Durduruldu +Stopped order cannot be cancelled. Unstop to cancel.,Durduruldu sipariş iptal edilemez. Iptal etmek için unstop. +Stores,Mağazalar +Stub,Koçan +Sub Assemblies,Alt Kurullar +"Sub-currency. For e.g. ""Cent""","Alt birimi. Örneğin ""içinCent """ +Subcontract,Alt sözleşme +Subject,Konu +Submit Salary Slip,Maaş Kayma Gönder +Submit all salary slips for the above selected criteria,Yukarıda seçilen ölçütler için tüm maaş bordroları Gönder +Submit this Production Order for further processing.,Daha fazla işlem için bu Üretim Siparişi gönderin. +Submitted,Ekleyen +Subsidiary,Yardımcı +Successful: , +Successfully Reconciled,Başarıyla uzlaşmış +Suggestions,Öneriler +Sunday,Pazar +Supplier,Satıcı +Supplier (Payable) Account,Tedarikçi (Ödenecek) Hesap +Supplier (vendor) name as entered in supplier master,Tedarikçi master girilen alanı (satıcı) isim olarak +Supplier > Supplier Type,Tedarikçi> Tedarikçi Türü +Supplier Account Head,Tedarikçi Hesap Başkanı +Supplier Address,Tedarikçi Adresi +Supplier Addresses and Contacts,Tedarikçi Adresler ve İletişim +Supplier Details,Tedarikçi Ayrıntılar +Supplier Intro,Tedarikçi Intro +Supplier Invoice Date,Tedarikçi Fatura Tarihi +Supplier Invoice No,Tedarikçi Fatura No +Supplier Name,Tedarikçi Adı +Supplier Naming By,Tedarikçi İsimlendirme tarafından +Supplier Part Number,Tedarikçi Parça Numarası +Supplier Quotation,Tedarikçi Teklif +Supplier Quotation Item,Tedarikçi Teklif Ürün +Supplier Reference,Tedarikçi Başvuru +Supplier Type,Tedarikçi Türü +Supplier Type / Supplier,Tedarikçi Türü / Tedarikçi +Supplier Type master.,Tedarikçi Türü usta. +Supplier Warehouse,Tedarikçi Depo +Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Taşeronluk Satın Alma Makbuzu için zorunlu alanı Depo +Supplier database.,Tedarikçi veritabanı. +Supplier master.,Tedarikçi usta. +Supplier warehouse where you have issued raw materials for sub - contracting,Eğer alt için hammadde yayınladı alanı depo - müteahhitlik +Supplier-Wise Sales Analytics,Tedarikçi-Wise Satış Analytics +Support,Destek +Support Analtyics,Destek Analtyics +Support Analytics,Destek Analytics +Support Email,Destek E-posta +Support Email Settings,Destek E-posta Ayarları +Support Password,Destek Şifre +Support Ticket,Destek Bildirimi +Support queries from customers.,Müşterilerden gelen desteği sorgular. +Symbol,Sembol +Sync Support Mails,Sync Destek Postalar +Sync with Dropbox,Dropbox ile senkronize +Sync with Google Drive,Google Drive ile senkronize +System,Sistem +System Settings,Sistem Ayarları +"System User (login) ID. If set, it will become default for all HR forms.","Sistem kullanıcı (giriş) kimliği. Ayarlarsanız, tüm İK formları için varsayılan olacaktır." +TDS (Advertisement),TDS (Reklam) +TDS (Commission),TDS (Komisyon) +TDS (Contractor),TDS (Müteahhit) +TDS (Interest),TDS (Faiz) +TDS (Rent),TDS (Kiralık) +TDS (Salary),TDS (Maaş) +Target Amount,Hedef Tutarı +Target Detail,Detay Hedef +Target Details,Hedef Detayları +Target Details1,Hedef detayları1 +Target Distribution,Hedef Dağıtım +Target On,Hedef On +Target Qty,Hedef Adet +Target Warehouse,Hedef Depo +Target warehouse in row {0} must be same as Production Order,Arka arkaya Hedef depo {0} aynı olmalıdır Üretim Sipariş +Target warehouse is mandatory for row {0},Hedef depo satır için zorunludur {0} +Task,Görev +Task Details,Görev Detayları +Tasks,Görevler +Tax,Vergi +Tax Amount After Discount Amount,İndirim Tutarı Vergi Sonrası Tutar +Tax Assets,Vergi Varlığı +Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,Vergi Kategori 'değerleme' veya 'Değerleme ve Total' tüm öğeleri olmayan stok öğeler gibi olamaz +Tax Rate,Vergi oranı +Tax and other salary deductions.,Vergi ve diğer kesintiler maaş. +"Tax detail table fetched from item master as a string and stored in this field. +Used for Taxes and Charges","Vergi detay tablo bir dize olarak madde ustadan getirilen ve bu alanda saklanır. + Vergi ve Ücretleri Kullanılmış" +Tax template for buying transactions.,Işlemleri satın almak için vergi şablonu. +Tax template for selling transactions.,Satımın için vergi şablonu. +Taxable,Vergiye tabi +Taxes,Vergiler +Taxes and Charges,Vergi ve Harçlar +Taxes and Charges Added,Eklenen Vergi ve Harçlar +Taxes and Charges Added (Company Currency),Eklenen Vergi ve Harçlar (Company Para) +Taxes and Charges Calculation,Vergiler ve Ücretleri Hesaplama +Taxes and Charges Deducted,Mahsup Vergi ve Harçlar +Taxes and Charges Deducted (Company Currency),Mahsup Vergi ve Harçlar (Company Para) +Taxes and Charges Total,Vergi ve Harçlar Toplam +Taxes and Charges Total (Company Currency),Vergi ve Ücretler Toplamı (Şirket para birimi) +Technology,Teknoloji +Telecommunications,Telekomünikasyon +Telephone Expenses,Telefon Giderleri +Television,Televizyon +Template,Şablon +Template for performance appraisals.,Performans değerlendirmeleri için şablon. +Template of terms or contract.,Hüküm veya sözleşme şablonu. +Temporary Accounts (Assets),Geçici Hesaplar (Varlıklar) +Temporary Accounts (Liabilities),Geçici Hesaplar (Yükümlülükler) +Temporary Assets,Geçici Varlıklar +Temporary Liabilities,Geçici Yükümlülükler +Term Details,Dönem Ayrıntıları +Terms,Tanımlar +Terms and Conditions,Şartlar ve koşullar +Terms and Conditions Content,Şartlar ve Koşullar İçerik +Terms and Conditions Details,Şartlar ve Koşullar Detayları +Terms and Conditions Template,Şartlar ve Koşullar Şablon +Terms and Conditions1,Şartlar ve Conditions1 +Terretory,Terretory +Territory,Bölge +Territory / Customer,Eyalet / Müşteri +Territory Manager,Bölge Müdürü +Territory Name,Bölge Adı +Territory Target Variance Item Group-Wise,Eyalet Hedef Varyans Ürün Grup-Wise +Territory Targets,Eyalet Hedefler +Test,Test +Test Email Id,Testi E-posta Kimliği +Test the Newsletter,Haber sınayın +The BOM which will be replaced,Değiştirilecektir BOM +The First User: You,İlk Kullanıcı: Sen +"The Item that represents the Package. This Item must have ""Is Stock Item"" as ""No"" and ""Is Sales Item"" as ""Yes""","Paketi temsil Item. ""Hayır"" ve ""Evet"" olarak ""Satış Item Is"" Bu Öğe ""Stok Öğe mi"" olmalı" +The Organization,Organizasyon +"The account head under Liability, in which Profit/Loss will be booked","Kar / Zarar rezerve edileceği Sorumluluk altında hesap kafası," +"The date on which next invoice will be generated. It is generated on submit. +","Sonraki fatura oluşturulur hangi tarih. Bu teslim oluşturulur. +" +The date on which recurring invoice will be stop,Yinelenen fatura durdurmak edileceği tarih +"The day of the month on which auto invoice will be generated e.g. 05, 28 etc ", +The day(s) on which you are applying for leave are holiday. You need not apply for leave.,Eğer izni için başvuran hangi gün (ler) tatil vardır. Sen izin talebinde gerekmez. +The first Leave Approver in the list will be set as the default Leave Approver,Listedeki ilk bırak Approver varsayılan bırak Approver olarak kurulacaktır +The first user will become the System Manager (you can change that later).,İlk kullanıcı (bunu daha sonra değiştirebilirsiniz) Sistem Yöneticisi olacaktır. +The gross weight of the package. Usually net weight + packaging material weight. (for print),Paketin brüt ağırlığı. Genellikle net ağırlığı + ambalaj malzemesi ağırlığı. (Baskı için) +The name of your company for which you are setting up this system.,Bu sistemi kurmak için hangi şirket ismi. +The net weight of this package. (calculated automatically as sum of net weight of items),Bu paketin net ağırlığı. (Öğelerin net ağırlığı toplamı otomatik olarak hesaplanır) +The new BOM after replacement,Değiştirilmesinden sonra yeni BOM +The rate at which Bill Currency is converted into company's base currency,Bill Döviz şirketin temel para birimi haline dönüştürüldüğü oranı +The unique id for tracking all recurring invoices. It is generated on submit.,Tüm yinelenen faturaların takibi için benzersiz kimliği. Bu teslim oluşturulur. +"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Sonra Fiyatlandırma Kurallar Müşteri dayalı filtre edilir, Müşteri Grubu, Territory, Tedarikçi, Tedarikçi Tipi, Kampanya, Satış Ortağı vb" +There are more holidays than working days this month.,Bu ay iş günü daha tatil vardır. +"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Sadece ""değerini"" için 0 veya boş değere sahip bir Nakliye Kural Durumu olabilir" +There is not enough leave balance for Leave Type {0},Bırak Tip için yeterli izni denge yok {0} +There is nothing to edit.,Düzenlemek için bir şey yok. +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.,Bir hata oluştu. Bir muhtemel nedeni formu kaydettiğiniz değil ki olabilir. Sorun devam ederse support@erpnext.com başvurun. +There were errors.,Hataları vardı. +This Currency is disabled. Enable to use in transactions,Bu para devre dışı bırakılır. Işlemler kullanmak için etkinleştirin +This Leave Application is pending approval. Only the Leave Apporver can update status.,Bu bırak Uygulama onayı bekliyor. Sadece bırak Apporver durumunu güncelleyebilirsiniz. +This Time Log Batch has been billed.,Bu Saat Günlük Toplu fatura edilmiştir. +This Time Log Batch has been cancelled.,Bu Saat Günlük Toplu iptal edildi. +This Time Log conflicts with {0},This Time Log ile çakışan {0} +This format is used if country specific format is not found,Ülkeye özgü biçimi bulunamadı değilse bu formatı kullanılır +This is a root account and cannot be edited.,Bu root hesabı ve düzenlenemez. +This is a root customer group and cannot be edited.,Bu bir kök müşteri grubu ve düzenlenemez. +This is a root item group and cannot be edited.,Bu bir kök öğe grup ve düzenlenemez. +This is a root sales person and cannot be edited.,Bu bir kök satış kişi ve düzenlenemez. +This is a root territory and cannot be edited.,Bu bir kök bölge ve düzenlenemez. +This is an example website auto-generated from ERPNext,Bu ERPNext itibaren otomatik olarak üretilen bir örnek web sitesi +This is the number of the last created transaction with this prefix,"Bu, bu önek ile son oluşturulan işlem sayısı" +This will be used for setting rule in HR module,Bu HR modülünde kural ayarlanması için kullanılacak +Thread HTML,Konu HTML +Thursday,Perşembe +Time Log,Zaman yap +Time Log Batch,Saat Günlük Toplu +Time Log Batch Detail,Saat Günlük Toplu Detay +Time Log Batch Details,Saat Günlük Toplu Detayları +Time Log Batch {0} must be 'Submitted',Saat Günlük Toplu {0} 'Ekleyen' olmalı +Time Log Status must be Submitted.,Zaman Günlüğü Durum gönderildi gerekir. +Time Log for tasks.,Görevler için Zaman yap. +Time Log is not billable,Zaman yap faturalandırılabilir değil +Time Log {0} must be 'Submitted',Zaman yap {0} 'Ekleyen' olmalı +Time Zone,Saat Dilimi +Time Zones,Saat Dilimleri +Time and Budget,Zaman ve Bütçe +Time at which items were delivered from warehouse,Ürün depodan teslim edildi hangi zaman +Time at which materials were received,Malzemeler alındı ​​hangi zaman +Title,Başlık +Titles for print templates e.g. Proforma Invoice.,Baskı şablonları için Başlıklar Proforma Fatura örneğin. +To,Kime +To Currency,Para Birimi +To Date,Bugüne kadar +To Date should be same as From Date for Half Day leave,Tarih Yarım Gün izni Tarihten itibaren aynı olmalıdır +To Date should be within the Fiscal Year. Assuming To Date = {0},Tarih Mali Yılı içinde olmalıdır. Tarihi varsayarsak = {0} +To Discuss,Görüşecek +To Do List,Yapılacaklar Listesi +To Package No.,No Paketi +To Produce,Üretiliyor +To Time,Time +To Value,Değer Vermek +To Warehouse,Atölyesi'ne +"To add child nodes, explore tree and click on the node under which you want to add more nodes.","Alt düğümlerin eklemek için, ağaç keşfetmek ve daha fazla düğüm eklemek istediğiniz altında düğüm üzerine tıklayın." +"To assign this issue, use the ""Assign"" button in the sidebar.","Bu sorunu atamak kenar çubuğunda ""Ata"" düğmesini kullanın." +To create a Bank Account,Banka Hesabı oluşturmak için +To create a Tax Account,Vergi Hesabı oluşturmak için +"To create an Account Head under a different company, select the company and save customer.","Farklı bir şirket altında bir Hesap Başkanı oluşturmak için, şirket seçmek ve müşteri kaydedin." +To date cannot be before from date,Tarihten itibaren bugüne kadar önce olamaz +To enable Point of Sale features,Satılık özelliklerinin Noktası etkinleştirmek için +To enable Point of Sale view,Satış bakış Noktası etkinleştirmek için +To get Item Group in details table,Detayları tabloda Ürün Grubu almak +"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Arka arkaya vergi dahil {0} Ürün fiyatına, satırlara vergiler {1} da dahil edilmelidir" +"To merge, following properties must be same for both items","Birleştirmek için, aşağıdaki özellikleri hem öğeler için aynı olmalıdır" +"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Belirli bir işlem Fiyatlandırma Kuralı uygulamak değil, tüm uygulanabilir Fiyatlandırması Kuralları devre dışı bırakılmalıdır." +"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" +To track any installation or commissioning related work after sales,Satış sonrası herhangi bir kurulum veya ilgili çalışmayı devreye izlemek için +"To track brand name in the following documents Delivery Note, Opportunity, Material Request, Item, Purchase Order, Purchase Voucher, Purchaser Receipt, Quotation, Sales Invoice, Sales BOM, Sales Order, Serial No","Aşağıdaki dokümanlar İrsaliye, Fırsat, Malzeme Request, Öğe, Sipariş, Satın Alma Fişi, Alıcı Alındı, Teklifi, Satış Fatura, Satış BOM, Satış Siparişi, Seri No markası izlemek için" +To track item in sales and purchase documents based on their serial nos. This is can also used to track warranty details of the product.,Bunların seri nos dayalı satış ve satın alma belgeleri öğeyi izlemek için. Bu da ürünün garanti bilgilerini izlemek için kullanılabilir olduğunu. +To track items in sales and purchase documents with batch nos
Preferred Industry: Chemicals etc,Satış öğeleri izlemek ve toplu nos
Tercih Sanayi ile belgeleri satın almak için: Kimya vb +To track items using barcode. You will be able to enter items in Delivery Note and Sales Invoice by scanning barcode of item.,Barkod kullanarak öğeleri izlemek için. Siz ürünün barkodu tarayarak İrsaliye ve Fatura Satış öğeleri girmek mümkün olacak. +Too many columns. Export the report and print it using a spreadsheet application.,Çok fazla sütun. Raporu vermek ve bir elektronik tablo uygulaması kullanarak yazdırın. +Tools,Araçlar +Total,Toplam +Total ({0}),Toplam ({0}) +Total Advance,Toplam Advance +Total Amount,Toplam Tutar +Total Amount To Pay,Pay Tutarı +Total Amount in Words,Kelimeler Toplam Tutar +Total Billing This Year: , +Total Characters,Toplam Karakterler +Total Claimed Amount,Toplam İddia Tutar +Total Commission,Toplam Komisyonu +Total Cost,Toplam Maliyet +Total Credit,Toplam Kredi +Total Debit,Toplam Borç +Total Debit must be equal to Total Credit. The difference is {0},"Toplam Bankamatik Toplam Kredi eşit olmalıdır. Aradaki fark, {0}" +Total Deduction,Toplam Kesintisi +Total Earning,Toplam Kazanç +Total Experience,Toplam Deneyimi +Total Hours,Toplam Saat +Total Hours (Expected),Toplam Saat (Beklenen) +Total Invoiced Amount,Toplam FaturalanmıĢ Tutar +Total Leave Days,Toplam bırak Günler +Total Leaves Allocated,Ayrılan toplam Yapraklar +Total Message(s),Toplam Mesaj (lar) +Total Operating Cost,Toplam İşletme Maliyeti +Total Points,Toplam Puan +Total Raw Material Cost,Toplam Hammadde Maliyeti +Total Sanctioned Amount,Toplam Yaptırıma Tutar +Total Score (Out of 5),Toplam Puan (5 üzerinden) +Total Tax (Company Currency),Toplam Vergi (Şirket para birimi) +Total Taxes and Charges,Toplam Vergi ve Harçlar +Total Taxes and Charges (Company Currency),Toplam Vergi ve Harçlar (Company Para) +Total allocated percentage for sales team should be 100,Satış ekibi için ayrılan toplam yüzde 100 olmalıdır +Total amount of invoices received from suppliers during the digest period,Sindirmek dönemde tedarikçilerden alınan faturaların toplam tutarı +Total amount of invoices sent to the customer during the digest period,Özet döneminde müşteriye gönderilen faturaların toplam tutarı +Total cannot be zero,Toplam sıfır olamaz +Total in words,Bir deyişle toplam +Total points for all goals should be 100. It is {0},Tüm hedefler için toplam puan 100 olmalıdır. Bu {0} +Total valuation for manufactured or repacked item(s) can not be less than total valuation of raw materials,Üretilen veya repacked öğe (ler) için Toplam değerleme hammadde toplam değerlemesi az olamaz +Total weightage assigned should be 100%. It is {0},Atanan toplam weightage% 100 olmalıdır. Bu {0} +Totals,Toplamları +Track Leads by Industry Type.,Parça Sanayi Türüne göre Talepleri. +Track this Delivery Note against any Project,Herhangi Projesi karşı bu Teslim Not Takip +Track this Sales Order against any Project,Herhangi Projesi karşı bu Satış Sipariş Takip +Transaction,Işlem +Transaction Date,İşlem Tarihi +Transaction not allowed against stopped Production Order {0},İşlem durduruldu Üretim Emri karşı izin {0} +Transfer,Transfer +Transfer Material,Transferi Malzeme +Transfer Raw Materials,Hammaddeleri Transferi +Transferred Qty,Adet Aktarılan +Transportation,Taşıma +Transporter Info,Transporter Bilgi +Transporter Name,Transporter Adı +Transporter lorry number,Transporter kamyon sayısı +Travel,Gezi +Travel Expenses,Seyahat Giderleri +Tree Type,Ağaç Type +Tree of Item Groups.,Ürün Grupları ağaç. +Tree of finanial Cost Centers.,Finanial Maliyet Merkezlerinin ağaç. +Tree of finanial accounts.,Finanial hesapların ağaç. +Trial Balance,Mizan +Tuesday,Salı +Type,Tip +Type of document to rename.,Yeniden adlandırmak için belge türü. +"Type of leaves like casual, sick etc.","Casual, hasta vs gibi yaprakların Türü" +Types of Expense Claim.,Gider İstem Türleri. +Types of activities for Time Sheets,Time Sheets için faaliyetlerin Türleri +"Types of employment (permanent, contract, intern etc.).","Istihdam (daimi, sözleşmeli, stajyer vb) Türleri." +UOM Conversion Detail,UOM Dönüşüm Detay +UOM Conversion Details,UOM Dönüşüm Detaylar +UOM Conversion Factor,UOM Dönüşüm Faktörü +UOM Conversion factor is required in row {0},UOM Dönüşüm faktörü satırda gereklidir {0} +UOM Name,UOM Adı +UOM coversion factor required for UOM: {0} in Item: {1},UOM için gerekli UoM coversion faktörü: {0} Öğe: {1} +Under AMC,AMC altında +Under Graduate,Lisans Altında +Under Warranty,Garanti Altında +Unit,Birim +Unit of Measure,Ölçü Birimi +Unit of Measure {0} has been entered more than once in Conversion Factor Table,Ölçü Birimi {0} daha Katsayı Tablo kez daha girildi +"Unit of measurement of this item (e.g. Kg, Unit, No, Pair).","Bu madde (örneğin Kg, Ünitesi, Hayır, Pair) ölçü birimi." +Units/Hour,Birimler / Saat +Units/Shifts,Birimler / Kayması +Unpaid,Ödenmemiş +Unreconciled Payment Details,Uzlaşmayan Ödeme Ayrıntıları +Unscheduled,Plânlanmamış +Unsecured Loans,Teminatsız Krediler +Unstop,Tıpasını çıkarmak +Unstop Material Request,Dolgusu Malzeme Talebi +Unstop Purchase Order,Dolgusu Sipariş +Unsubscribed,Abonelikten +Update,Güncelleme +Update Clearance Date,Güncelleme Tarihi Gümrükleme +Update Cost,Güncelleme Maliyeti +Update Finished Goods,Güncelleme Mamüller +Update Landed Cost,Güncelleme Maliyet indi +Update Series,Update Serisi +Update Series Number,Update Serisi Sayı +Update Stock,Stok güncellemek +Update bank payment dates with journals.,Dergi ile banka ödeme tarihleri ​​güncelleyin. +Update clearance date of Journal Entries marked as 'Bank Vouchers',Journal Entries Update temizlenme tarihi 'Banka Fişler' olarak işaretlenmiş +Updated,Güncellenmiş +Updated Birthday Reminders,Güncelleme Birthday Reminders +Upload Attendance,Seyirci yükle +Upload Backups to Dropbox,Dropbox Yedekler yükle +Upload Backups to Google Drive,Google Drive'a Yedekler yükle +Upload HTML,Yükleme HTML +Upload a .csv file with two columns: the old name and the new name. Max 500 rows.,Eski adı ve yeni adı:. İki sütunlu bir csv dosyası yükleyin. Max 500 satırlar. +Upload attendance from a .csv file,Bir. Csv dosyasından katılım yükle +Upload stock balance via csv.,Csv üzerinden stok dengesini yükleyin. +Upload your letter head and logo - you can edit them later.,Mektup baş ve logo yükleyin - daha sonra bunları düzenleyebilirsiniz. +Upper Income,Üst Gelir +Urgent,Acil +Use Multi-Level BOM,Kullanım Multi-Level BOM +Use SSL,SSL kullanın +Used for Production Plan,Üretim Planı için kullanılan +User,Kullanıcı +User ID,Kullanıcı kimliği +User ID not set for Employee {0},Kullanıcı kimliği Çalışanlara ayarlı değil {0} +User Name,Kullanıcı Adı +User Name or Support Password missing. Please enter and try again.,Kullanıcı Adı veya Destek Şifre eksik. Girin ve tekrar deneyin. +User Remark,Kullanıcı Açıklama +User Remark will be added to Auto Remark,Kullanıcı Açıklama Otomatik Remark eklenecektir +User Remarks is mandatory,Kullanıcı zorunludur Açıklamalar +User Specific,Kullanıcı Özgül +User must always select,Kullanıcı her zaman seçmelisiniz +User {0} is already assigned to Employee {1},Kullanıcı {0} zaten Çalışan atanmış {1} +User {0} is disabled,Kullanıcı {0} devre dışı +Username,Kullanıcı Adı +Users with this role are allowed to create / modify accounting entry before frozen date,Bu role sahip kullanıcılar dondurulmuş tarihten önce muhasebe girdisini değiştirmek / oluşturmak için izin verilir +Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Bu role sahip kullanıcılar dondurulmuş hesaplara karşı muhasebe kayıtlarını değiştirmek / dondurulmuş hesapları ayarlamak ve oluşturmak için izin verilir +Utilities,Programlar +Utility Expenses,Yardımcı Giderleri +Valid For Territories,Toprakları için geçerli +Valid From,Itibaren geçerli +Valid Upto,Geçerli e kadar +Valid for Territories,Toprakları için geçerli +Validate,Onayla +Valuation,Değerleme +Valuation Method,Değerleme Yöntemi +Valuation Rate,Değerleme Oranı +Valuation Rate required for Item {0},Ürün için gerekli Değerleme Oranı {0} +Valuation and Total,Değerleme ve Toplam +Value,Değer +Value or Qty,Değer veya Adet +Vehicle Dispatch Date,Araç Sevk Tarihi +Vehicle No,Araç yok +Venture Capital,Girişim Sermayesi +Verified By,Onaylı +View Ledger,Görünüm Ledger +View Now,Şimdi görüntüle +Visit report for maintenance call.,Bakım çağrısı için rapor edin. +Voucher #,Çeki # +Voucher Detail No,Fiş Detay yok +Voucher Detail Number,Fiş Detay Numarası +Voucher ID,Çeki Kimliği +Voucher No,Fiş No +Voucher Type,Fiş Türü +Voucher Type and Date,Fiş Tipi ve Tarih +Walk In,Walk In +Warehouse,Depo +Warehouse Contact Info,Depo İletişim Bilgileri +Warehouse Detail,Depo Detay +Warehouse Name,Depo Adı +Warehouse and Reference,Depo ve Referans +Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"Hisse senedi defteri girişi, bu depo için var gibi depo silinemez." +Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Depo sadece Stok Giriş / İrsaliye / Satın Alma Makbuzu ile değiştirilebilir +Warehouse cannot be changed for Serial No.,Depo Seri No için değiştirilemez +Warehouse is mandatory for stock Item {0} in row {1},Depo stok Ürün için zorunludur {0} üst üste {1} +Warehouse is missing in Purchase Order,Depo Satınalma Siparişi eksik +Warehouse not found in the system,Sistemde bulunan değildir Depo +Warehouse required for stock Item {0},Stok Öğe için gerekli depo {0} +Warehouse where you are maintaining stock of rejected items,Eğer reddedilen öğelerin stok sürdürdüğünüz Atölyesi +Warehouse {0} can not be deleted as quantity exists for Item {1},Ürün miktarı için var gibi depo {0} silinemez {1} +Warehouse {0} does not belong to company {1},Depo {0} ait değil şirket {1} +Warehouse {0} does not exist,Depo {0} yok +Warehouse {0}: Company is mandatory,Depo {0}: Şirket zorunludur +Warehouse {0}: Parent account {1} does not bolong to the company {2},Depo {0}: Ana hesap {1} şirkete BOLONG gelmez {2} +Warehouse-Wise Stock Balance,Depo-Wise Stok Bakiye +Warehouse-wise Item Reorder,Depo-bilge Ürün Reorder +Warehouses,Depolar +Warehouses.,Depolar. +Warn,Uyarmak +Warning: Leave application contains following block dates,Uyarı: Uygulama aşağıdaki blok tarih içeriyor bırak +Warning: Material Requested Qty is less than Minimum Order Qty,Uyarı: Adet İstenen Malzeme Minimum Sipariş Miktar az +Warning: Sales Order {0} already exists against same Purchase Order number,Uyarı: Satış Sipariş {0} zaten Aynı Sipariş sayıda karşı var +Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Uyarı: Sistem {0} {1} sıfır olarak Ürün için bir miktar beri overbilling kontrol olmaz +Warranty / AMC Details,Garanti / AMC Detayları +Warranty / AMC Status,Garanti / AMC Durum +Warranty Expiry Date,Garanti Son Kullanma Tarihi +Warranty Period (Days),Garanti Süresi (Gün) +Warranty Period (in days),(Gün) Garanti Süresi +We buy this Item,Bu Ürün satın +We sell this Item,Biz bu Ürün satmak +Website,Web sitesi +Website Description,Web Sitesi Açıklaması +Website Item Group,Web Sitesi Ürün Grubu +Website Item Groups,Web Sitesi Ürün Grupları +Website Settings,Web Sitesi Ayarları +Website Warehouse,Web Sitesi Depo +Wednesday,Çarşamba +Weekly,Haftalık +Weekly Off,Haftalık Kapalı +Weight UOM,Ağırlık UOM +"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Ağırlık belirtilen, \n ""Ağırlık uom"" belirtiniz çok" +Weightage,Weightage +Weightage (%),Weightage (%) +Welcome,Hoşgeldiniz +Welcome to ERPNext. Over the next few minutes we will help you setup your ERPNext account. Try and fill in as much information as you have even if it takes a bit longer. It will save you a lot of time later. Good Luck!,ERPNext hoşgeldiniz. Önümüzdeki birkaç dakika içinde biz size kurulum sizin ERPNext hesap yardımcı olacaktır. Deneyin ve biraz uzun sürecek olsa bile sahip olduğu kadar çok bilgi doldurun. Bu size daha sonra çok zaman kazandıracak. Iyi şanslar! +Welcome to ERPNext. Please select your language to begin the Setup Wizard.,ERPNext hoşgeldiniz. Kurulum Sihirbazı başlatmak için dilinizi seçiniz. +What does it do?,Ne yapar? +"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.","Kontrol işlemlerin herhangi bir ""gönderildi"" zaman, bir e-posta pop-up otomatik ek olarak işlem ile, bu işlem ilişkili ""İletişim"" bir e-posta göndermek için açıldı. Kullanıcı veya e-posta göndermek olmayabilir." +"When submitted, the system creates difference entries to set the given stock and valuation on this date.","Teslim olduğunda, sistem bu tarihte verilen stok ve değerleme ayarlamak için fark girdilerini oluşturur." +Where items are stored.,Ürün yerlerde saklanır. +Where manufacturing operations are carried out.,Imalat işlemleri yürütülmektedir nerede. +Widowed,Dul +Will be calculated automatically when you enter the details,Eğer bilgilerinizi girdiğinizde otomatik olarak hesaplanır +Will be updated after Sales Invoice is Submitted.,Satış Faturası Ekleyen sonra güncellenecektir. +Will be updated when batched.,Batched zaman güncellenecektir. +Will be updated when billed.,Gagalı zaman güncellenecektir. +Wire Transfer,Elektronik transfer +With Operations,Operasyon ile +With Period Closing Entry,Dönem Kapanış Girişi ile +Work Details,İş Detayları +Work Done,Çalışma Bitti +Work In Progress,Work in Progress +Work-in-Progress Warehouse,Work-in-Progress Warehouse +Work-in-Progress Warehouse is required before Submit,Work-in-Progress Warehouse sun önce gerekli +Working,Çalışıyor +Working Days,Çalışma Günleri +Workstation,İş İstasyonu +Workstation Name,İş İstasyonu Adı +Write Off Account,Hesabı Kapalı yaz +Write Off Amount,Tutar Kapalı yaz +Write Off Amount <=,Tutar Kapalı yaz <= +Write Off Based On,Tabanlı Açık Kapalı yazın +Write Off Cost Center,Maliyet Merkezi Kapalı yaz +Write Off Outstanding Amount,Üstün Tutar Kapalı yaz +Write Off Voucher,Fiş Kapalı yaz +Wrong Template: Unable to find head row.,Yanlış Şablon: kafa satır bulmak için açılamıyor. +Year,Yıl +Year Closed,Yıl Kapalı +Year End Date,Yıl Bitiş Tarihi +Year Name,Yıl Adı +Year Start Date,Yıl Başlangıç ​​Tarihi +Year of Passing,Passing Yılı +Yearly,Yıllık +Yes,Evet +You are not authorized to add or update entries before {0},Sen önce girdilerini eklemek veya güncellemek için yetkiniz yok {0} +You are not authorized to set Frozen value,Sen Frozen değerini ayarlamak için yetkiniz yok +You are the Expense Approver for this record. Please Update the 'Status' and Save,Siz bu kayıt için Gider Onaylayan vardır. 'Durum' güncelleyin ve kaydet Lütfen +You are the Leave Approver for this record. Please Update the 'Status' and Save,Siz bu kayıt için bırak Onaylayan vardır. 'Durum' güncelleyin ve kaydet Lütfen +You can enter any date manually,Sen elle herhangi bir tarih girebilirsiniz +You can enter the minimum quantity of this item to be ordered.,"Sipariş edilmesi, bu maddenin asgari miktarı girebilirsiniz." +You can not change rate if BOM mentioned agianst any item,BOM herhangi bir öğenin agianst söz eğer hızını değiştiremezsiniz +You can not enter both Delivery Note No and Sales Invoice No. Please enter any one.,Hayır hem Teslim Not giremezsiniz ve Satış Fatura No birini girin. +You can not enter current voucher in 'Against Journal Voucher' column,Sen sütununda 'Journal Fiş Karşı' cari fiş giremezsiniz +You can set Default Bank Account in Company master,Siz Firma master Varsayılan Banka Hesap ayarlayabilirsiniz +You can start by selecting backup frequency and granting access for sync,Yedekleme sıklığını seçme ve senkronizasyon için erişim sağlayarak başlayabilirsiniz +You can submit this Stock Reconciliation.,Bu Stok Uzlaşma gönderebilirsiniz. +You can update either Quantity or Valuation Rate or both.,Siz Miktar veya Değerleme Oranı ya da her ikisini güncelleyebilirsiniz. +You cannot credit and debit same account at the same time,Sen kredi ve aynı anda aynı hesap borçlandıramıyoruz +You have entered duplicate items. Please rectify and try again.,Sen yinelenen öğeleri girdiniz. Düzeltmek ve tekrar deneyin. +You may need to update: {0},Güncellemeniz gerekebilir: {0} +You must Save the form before proceeding,Ilerlemeden önce formu kaydedin gerekir +Your Customer's TAX registration numbers (if applicable) or any general information,Müşterinin VERGİ kayıt numaraları (varsa) ya da herhangi bir genel bilgiler +Your Customers,Müşterileriniz +Your Login Id,Sizin Giriş Kimliği +Your Products or Services,Sizin ürün veya hizmetler +Your Suppliers,Sizin Tedarikçiler +Your email address,Eposta adresiniz +Your financial year begins on,Sizin mali yıl başlıyor +Your financial year ends on,Sizin mali yıl sona eriyor +Your sales person who will contact the customer in future,Gelecekte müşteri irtibata geçecektir satış kişi +Your sales person will get a reminder on this date to contact the customer,Sizin satış kişi müşteri iletişim için bu tarihte bir hatırlatma alacak +Your setup is complete. Refreshing...,Kurulum tamamlandı. Yenileniyor ... +Your support email id - must be a valid email - this is where your emails will come!,Sizin destek e-posta id - geçerli bir email olmalı - e-postalar gelecektir yerdir! +[Error],[Hata] +[Select],[Seç] +`Freeze Stocks Older Than` should be smaller than %d days.,`Daha Eski Freeze Hisse`% d gün daha küçük olmalıdır. +and,ve +are not allowed.,izin verilmez. +assigned by,tarafından atanan +cannot be greater than 100,100 'den daha büyük olamaz +"e.g. ""Build tools for builders""","örneğin """"Inşaatçılar için araçlar inşa" +"e.g. ""MC""","örneğin ""MC """ +"e.g. ""My Company LLC""","örneğin ""Benim Company LLC """ +e.g. 5,örneğin 5 +"e.g. Bank, Cash, Credit Card","örn: Banka, Nakit, Kredi Kartı" +"e.g. Kg, Unit, Nos, m","örneğin Kg, Birimi, Nos, m" +e.g. VAT,örneğin KDV +eg. Cheque Number,örn. Çek Numarası +example: Next Day Shipping,örnek: Next Day Shipping +lft,lft +old_parent,old_parent +rgt,rgt +subject,konu +to,(hesaba) +website page link,web sayfa linki +{0} '{1}' not in Fiscal Year {2},{0} '{1}' değil Mali Yılı {2} +{0} Credit limit {0} crossed,{0} Kredi limiti {0} geçti +{0} Serial Numbers required for Item {0}. Only {0} provided.,{0} öğesi için gerekli Seri Numaraları {0}. Sadece {0} sağlanmaktadır. +{0} budget for Account {1} against Cost Center {2} will exceed by {3},{0} Hesabı için bütçe {1} Maliyet Merkezi karşı {2} {3} tarafından aşacaktır +{0} can not be negative,{0} negatif olamaz +{0} created,{0} oluşturuldu +{0} does not belong to Company {1},{0} Şirket'e ait olmayan {1} +{0} entered twice in Item Tax,{0} Ürün Vergi iki kez girdi +{0} is an invalid email address in 'Notification Email Address',{0} 'Bildirim E-posta Adresi' Geçersiz bir e-posta adresi +{0} is mandatory,{0} zorunludur +{0} is mandatory for Item {1},{0} Ürün için zorunludur {1} +{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} zorunludur. Belki Döviz rekor {2} ile {1} için yaratılmış değildir. +{0} is not a stock Item,"{0}, bir hisse senedi değil Öğe" +{0} is not a valid Batch Number for Item {1},{0} Ürün için geçerli bir parti numarası değil {1} +{0} is not a valid Leave Approver. Removing row #{1}.,{0} geçerli bir ara Onaylayan değildir. Çıkarma satır # {1}. +{0} is not a valid email id,{0} geçerli bir e-posta id değil +{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} şimdi varsayılan Mali Yılı. Etkili olması değişim için tarayıcınızı yenileyin. +{0} is required,{0} gereklidir +{0} must be a Purchased or Sub-Contracted Item in row {1},{0} aralıksız bir satın veya Alt-Sözleşmeli Ürün olmalı {1} +{0} must be reduced by {1} or you should increase overflow tolerance,{0} {1} azaltılabilir olmalıdır ya taşma toleransını artırmak gerekir +{0} must have role 'Leave Approver',{0} rol 'bırak Approver' olmalı +{0} valid serial nos for Item {1},Ürün için {0} geçerli bir seri no {1} +{0} {1} against Bill {2} dated {3},{0} {1} Bill karşı {2} tarihli {3} +{0} {1} against Invoice {2},{0} {1} Faturaya karşı {2} +{0} {1} has already been submitted,{0} {1} zaten gönderildi +{0} {1} has been modified. Please refresh.,"{0}, {1} modifiye edilmiştir. Lütfen yenileyin." +{0} {1} is not submitted,{0} {1} teslim edilmez +{0} {1} must be submitted,{0} {1} sunulmalıdır +{0} {1} not in any Fiscal Year,{0} {1} hiçbir Mali Yılı +{0} {1} status is 'Stopped',{0} {1} status 'Durduruldu' olduğunu +{0} {1} status is Stopped,{0} {1} durumu Durduruldu +{0} {1} status is Unstopped,{0} {1} durumu Unstopped olduğunu +{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Maliyet Merkezi Ürün için zorunludur {2} +{0}: {1} not found in Invoice Details table,{0}: {1} Fatura Ayrıntıları tablosunda bulunamadı diff --git a/erpnext/translations/vi.csv b/erpnext/translations/vi.csv new file mode 100644 index 0000000000..71c91937d4 --- /dev/null +++ b/erpnext/translations/vi.csv @@ -0,0 +1,3379 @@ + (Half Day), + and year: , +""" does not exists","""Không tồn tại" +% Delivered,Giao% +% Amount Billed,% Số tiền Được quảng cáo +% Billed,Được quảng cáo% +% Completed,% Hoàn thành +% Delivered,Giao% +% Installed,Cài đặt% +% Received,% Nhận +% of materials billed against this Purchase Order.,% Nguyên liệu hóa đơn chống lại Mua hàng này. +% of materials billed against this Sales Order,% Nguyên vật liệu được lập hoá đơn đối với hàng bán hàng này +% of materials delivered against this Delivery Note,% Nguyên liệu chuyển giao chống lại Giao hàng tận nơi này Lưu ý +% of materials delivered against this Sales Order,% Nguyên liệu chuyển giao chống lại thứ tự bán hàng này +% of materials ordered against this Material Request,% Nguyên vật liệu ra lệnh chống lại Yêu cầu vật liệu này +% of materials received against this Purchase Order,% Nguyên vật liệu nhận được chống lại Mua hàng này +'Actual Start Date' can not be greater than 'Actual End Date','Ngày bắt đầu thực tế' không thể lớn hơn 'thực tế Ngày kết thúc' +'Based On' and 'Group By' can not be same,"""Dựa trên"" và ""Nhóm bởi"" không thể giống nhau" +'Days Since Last Order' must be greater than or equal to zero,"""Kể từ ngày Last Order"" phải lớn hơn hoặc bằng số không" +'Entries' cannot be empty,'Entries' không thể để trống +'Expected Start Date' can not be greater than 'Expected End Date','Ngày bắt đầu dự kiến' không thể lớn hơn 'dự kiến ngày kết thúc' +'From Date' is required,"""Từ ngày"" là cần thiết" +'From Date' must be after 'To Date','Từ ngày' phải sau 'Đến ngày' +'Has Serial No' can not be 'Yes' for non-stock item,'Có Serial No' không thể 'Có' cho mục chứng khoán không +'Notification Email Addresses' not specified for recurring invoice,"""Thông báo địa chỉ email"" không quy định cho hóa đơn định kỳ" +'Profit and Loss' type account {0} not allowed in Opening Entry,"""Lợi nhuận và mất 'loại tài khoản {0} không được phép vào khai nhập" +'To Case No.' cannot be less than 'From Case No.',"'Để Trường hợp số' không thể nhỏ hơn ""Từ trường hợp số '" +'To Date' is required,"""Đến ngày"" là cần thiết" +'Update Stock' for Sales Invoice {0} must be set,'Cập nhật chứng khoán' cho bán hàng hóa đơn {0} phải được thiết lập +* Will be calculated in the transaction.,* Sẽ được tính toán trong các giao dịch. +"1 Currency = [?] Fraction +For e.g. 1 USD = 100 Cent","1 tệ = [?] Phần + Đối với ví dụ 1 USD = 100 Cent" +1. To maintain the customer wise item code and to make them searchable based on their code use this option,1 Để duy trì khách hàng mã hàng khôn ngoan và để làm cho họ tìm kiếm dựa trên mã sử dụng tùy chọn này +"Add / Edit",{0} là cần thiết +"Add / Edit"," Add / Edit " +"Add / Edit",Tiền tệ là cần thiết cho Giá liệt kê {0} +"

Default Template

+

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

+
{{ address_line1 }}<br>
+{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}
+{{ city }}<br>
+{% if state %}{{ state }}<br>{% endif -%}
+{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}
+{{ country }}<br>
+{% if phone %}Phone: {{ phone }}<br>{% endif -%}
+{% if fax %}Fax: {{ fax }}<br>{% endif -%}
+{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
+
","

Mặc định Mẫu +

Sử dụng Jinja khuôn mẫu và tất cả các lĩnh vực Địa chỉ ( bao gồm Custom Fields nếu có) sẽ có sẵn +

  {{}} address_line1 
+ {% nếu address_line2%} {{address_line2}} {
endif% -%} + {{}}
thành phố + {% nếu nhà nước%} {{nhà nước}} {% endif
-%} + {% nếu pincode%} PIN: {{}} pincode
{% endif -%} + {{country}}
+ {% nếu điện thoại%} Điện thoại: {{}} điện thoại
{ endif% -%} + {% if fax%} Fax: {{}} fax
{% endif -%} + {% nếu email_id%} Email: {{}} email_id
; {% endif -%} + " +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 tồn tại với cùng một tên xin thay đổi tên khách hàng hoặc đổi tên nhóm khách hàng +A Customer exists with same name,Một khách hàng tồn tại với cùng một tên +A Lead with this email id should exist,Một chì với id email này nên tồn tại +A Product or Service,Một sản phẩm hoặc dịch vụ +A Supplier exists with same name,Một Nhà cung cấp tồn tại với cùng một tên +A symbol for this currency. For e.g. $,Một biểu tượng cho đồng tiền này. Ví dụ như $ +AMC Expiry Date,AMC hết hạn ngày +Abbr,Abbr +Abbreviation cannot have more than 5 characters,Tên viết tắt không thể có nhiều hơn 5 ký tự +Above Value,Trên giá trị gia tăng +Absent,Vắng mặt +Acceptance Criteria,Các tiêu chí chấp nhận +Accepted,Chấp nhận +Accepted + Rejected Qty must be equal to Received quantity for Item {0},+ Bị từ chối chấp nhận lượng phải bằng số lượng nhận cho hàng {0} +Accepted Quantity,Số lượng chấp nhận +Accepted Warehouse,Chấp nhận kho +Account,Tài khoản +Account Balance,Số dư tài khoản +Account Created: {0},Tài khoản tạo: {0} +Account Details,Chi tiết tài khoản +Account Head,Trưởng tài khoản +Account Name,Tên tài khoản +Account Type,Loại tài khoản +"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Số dư tài khoản đã có trong tín dụng, bạn không được phép để thiết lập 'cân Must Be' là 'Nợ'" +"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Số dư tài khoản đã được ghi nợ, bạn không được phép để thiết lập 'cân Must Be' là 'tín dụng'" +Account for the warehouse (Perpetual Inventory) will be created under this Account.,Tài khoản cho các kho (vĩnh viễn tồn kho) sẽ được tạo ra trong Tài khoản này. +Account head {0} created,Đầu tài khoản {0} tạo +Account must be a balance sheet account,Tài khoản phải có một bảng cân đối tài khoản +Account with child nodes cannot be converted to ledger,Tài khoản với các nút con không thể được chuyển đổi sang sổ cái +Account with existing transaction can not be converted to group.,Tài khoản với giao dịch hiện có không thể chuyển đổi sang nhóm. +Account with existing transaction can not be deleted,Tài khoản với giao dịch hiện có không thể bị xóa +Account with existing transaction cannot be converted to ledger,Tài khoản với giao dịch hiện tại không thể được chuyển đổi sang sổ cái +Account {0} cannot be a Group,Tài khoản {0} không thể là một Tập đoàn +Account {0} does not belong to Company {1},Tài khoản {0} không thuộc về Công ty {1} +Account {0} does not belong to company: {1},Tài khoản {0} không thuộc về công ty: {1} +Account {0} does not exist,Tài khoản {0} không tồn tại +Account {0} has been entered more than once for fiscal year {1},Tài khoản {0} đã được nhập vào nhiều hơn một lần cho năm tài chính {1} +Account {0} is frozen,Tài khoản {0} được đông lạnh +Account {0} is inactive,Tài khoản {0} không hoạt động +Account {0} is not valid,Tài khoản {0} không hợp lệ +Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item,"Tài khoản {0} phải là loại 'tài sản cố định ""như mục {1} là một khoản tài sản" +Account {0}: Parent account {1} can not be a ledger,Tài khoản {0}: Cha mẹ tài khoản {1} không thể là một sổ cái +Account {0}: Parent account {1} does not belong to company: {2},Tài khoản {0}: Cha mẹ tài khoản {1} không thuộc về công ty: {2} +Account {0}: Parent account {1} does not exist,Tài khoản {0}: Cha mẹ tài khoản {1} không tồn tại +Account {0}: You can not assign itself as parent account,Tài khoản {0}: Bạn không thể chỉ định chính nó như là tài khoản phụ huynh +"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 \ + Giao dịch chứng khoán" +Accountant,Kế toán +Accounting,Kế toán +"Accounting Entries can be made against leaf nodes, called","Kế toán Thí sinh có thể thực hiện đối với các nút lá, được gọi là" +"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","Nhập kế toán đông lạnh đến ngày này, không ai có thể làm / sửa đổi nào ngoại trừ vai trò quy định dưới đây." +Accounting journal entries.,Sổ nhật ký kế toán. +Accounts,Tài khoản +Accounts Browser,Trình duyệt tài khoản +Accounts Frozen Upto,"Chiếm đông lạnh HCM," +Accounts Payable,Tài khoản Phải trả +Accounts Receivable,Tài khoản Phải thu +Accounts Settings,Chiếm chỉnh +Active,Chủ động +Active: Will extract emails from , +Activity,Hoạt động +Activity Log,Đăng nhập hoạt động +Activity Log:,Lần đăng nhập: +Activity Type,Loại hoạt động +Actual,Thực tế +Actual Budget,Ngân sách thực tế +Actual Completion Date,Ngày kết thúc thực tế +Actual Date,Thực tế ngày +Actual End Date,Ngày kết thúc thực tế +Actual Invoice Date,Thực tế hóa đơn ngày +Actual Posting Date,Thực tế viết bài ngày +Actual Qty,Số lượng thực tế +Actual Qty (at source/target),Số lượng thực tế (tại nguồn / mục tiêu) +Actual Qty After Transaction,Số lượng thực tế Sau khi giao dịch +Actual Qty: Quantity available in the warehouse.,Số lượng thực tế: Số lượng có sẵn trong kho. +Actual Quantity,Số lượng thực tế +Actual Start Date,Thực tế Ngày bắt đầu +Add,Thêm +Add / Edit Taxes and Charges,Thêm / Sửa Thuế và lệ phí +Add Child,Thêm trẻ em +Add Serial No,Thêm Serial No +Add Taxes,Thêm Thuế +Add Taxes and Charges,Thêm Thuế và lệ phí +Add or Deduct,Thêm hoặc Khấu trừ +Add rows to set annual budgets on Accounts.,Thêm hàng để thiết lập ngân sách hàng năm trên tài khoản. +Add to Cart,Thêm vào giỏ hàng +Add to calendar on this date,Thêm vào lịch trong ngày này +Add/Remove Recipients,Add / Remove người nhận +Address,Địa chỉ +Address & Contact,Địa chỉ & Liên hệ +Address & Contacts,Địa chỉ & Liên hệ +Address Desc,Giải quyết quyết định +Address Details,Thông tin chi tiết địa chỉ +Address HTML,Địa chỉ HTML +Address Line 1,Địa chỉ Line 1 +Address Line 2,Địa chỉ Dòng 2 +Address Template,Địa chỉ Template +Address Title,Địa chỉ Tiêu đề +Address Title is mandatory.,Địa chỉ Tiêu đề là bắt buộc. +Address Type,Địa chỉ Loại +Address master.,Địa chỉ chủ. +Administrative Expenses,Chi phí hành chính +Administrative Officer,Nhân viên hành chính +Advance Amount,Số tiền ứng trước +Advance amount,Số tiền tạm ứng +Advances,Tạm ứng +Advertisement,Quảng cáo +Advertising,Quảng cáo +Aerospace,Hàng không vũ trụ +After Sale Installations,Sau khi gia lắp đặt +Against,Chống lại +Against Account,Đối với tài khoản +Against Bill {0} dated {1},Chống lại Bill {0} ngày {1} +Against Docname,Chống lại Docname +Against Doctype,Chống lại DOCTYPE +Against Document Detail No,Đối với tài liệu chi tiết Không +Against Document No,Đối với văn bản số +Against Expense Account,Đối với tài khoản chi phí +Against Income Account,Đối với tài khoản thu nhập +Against Journal Voucher,Tạp chí chống lại Voucher +Against Journal Voucher {0} does not have any unmatched {1} entry,Đối với Tạp chí Chứng từ {0} không có bất kỳ chưa từng có {1} nhập +Against Purchase Invoice,Đối với hóa đơn mua hàng +Against Sales Invoice,Chống bán hóa đơn +Against Sales Order,So với bán hàng đặt hàng +Against Voucher,Chống lại Voucher +Against Voucher Type,Loại chống lại Voucher +Ageing Based On,Người cao tuổi Dựa trên +Ageing Date is mandatory for opening entry,Cao tuổi ngày là bắt buộc đối với việc mở mục +Ageing date is mandatory for opening entry,Ngày cao tuổi là bắt buộc đối với việc mở mục +Agent,Đại lý +Aging Date,Lão hóa ngày +Aging Date is mandatory for opening entry,Lão hóa ngày là bắt buộc đối với việc mở mục +Agriculture,Nông nghiệp +Airline,Hãng hàng không +All Addresses.,Tất cả các địa chỉ. +All Contact,Liên hệ với tất cả +All Contacts.,Tất cả các hệ. +All Customer Contact,Tất cả các khách hàng Liên hệ +All Customer Groups,Tất cả các nhóm khách hàng +All Day,Tất cả các ngày +All Employee (Active),Tất cả các nhân viên (Active) +All Item Groups,Tất cả các nhóm hàng +All Lead (Open),Tất cả chì (Open) +All Products or Services.,Tất cả sản phẩm hoặc dịch vụ. +All Sales Partner Contact,Tất cả các doanh Đối tác Liên hệ +All Sales Person,Tất cả các doanh Người +All Supplier Contact,Tất cả các nhà cung cấp Liên hệ +All Supplier Types,Nhà cung cấp tất cả các loại +All Territories,Tất cả các vùng lãnh thổ +"All export related fields like currency, conversion rate, export total, export grand total etc are available in Delivery Note, POS, Quotation, Sales Invoice, Sales Order etc.","Tất cả các lĩnh vực liên quan như xuất khẩu tiền tệ, tỷ lệ chuyển đổi, tổng xuất khẩu, xuất khẩu lớn tổng số vv có sẵn trong giao Lưu ý, POS, báo giá, bán hàng hóa đơn, bán hàng đặt hàng, vv" +"All import related fields like currency, conversion rate, import total, import grand total etc are available in Purchase Receipt, Supplier Quotation, Purchase Invoice, Purchase Order etc.","Tất cả các lĩnh vực liên quan nhập khẩu như tiền tệ, tỷ lệ chuyển đổi, tổng nhập khẩu, nhập khẩu lớn tổng số vv có sẵn trong mua hóa đơn, Nhà cung cấp báo giá, mua hóa đơn, Mua hàng, vv" +All items have already been invoiced,Tất cả các mục đã được lập hoá đơn +All these items have already been invoiced,Tất cả các mặt hàng này đã được lập hoá đơn +Allocate,Phân bổ +Allocate leaves for a period.,Phân bổ lá trong một thời gian. +Allocate leaves for the year.,Phân bổ lá trong năm. +Allocated Amount,Số tiền được phân bổ +Allocated Budget,Ngân sách phân bổ +Allocated amount,Số lượng phân bổ +Allocated amount can not be negative,Số lượng phân bổ không thể phủ định +Allocated amount can not greater than unadusted amount,Số lượng phân bổ có thể không lớn hơn số tiền unadusted +Allow Bill of Materials,Cho phép Bill Vật liệu +Allow Bill of Materials should be 'Yes'. Because one or many active BOMs present for this item,Cho phép Bill Vật liệu nên là 'Có'. Bởi vì một hoặc nhiều BOMs hoạt động hiện tại cho mặt hàng này +Allow Children,Cho phép trẻ em +Allow Dropbox Access,Cho phép truy cập Dropbox +Allow Google Drive Access,Cho phép truy cập Google Drive +Allow Negative Balance,Cho phép cân đối tiêu cực +Allow Negative Stock,Cho phép Cổ âm +Allow Production Order,Cho phép sản xuất hàng +Allow User,Cho phép tài +Allow Users,Cho phép người sử dụng +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. +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 +Allowance Percent,Trợ cấp Percent +Allowance for over-{0} crossed for Item {1},Trợ cấp cho quá {0} vượt qua cho mục {1} +Allowance for over-{0} crossed for Item {1}.,Trợ cấp cho quá {0} vượt qua cho mục {1}. +Allowed Role to Edit Entries Before Frozen Date,Vai trò được phép sửa Entries Trước khi đông lạnh ngày +Amended From,Sửa đổi Từ +Amount,Giá trị +Amount (Company Currency),Số tiền (Công ty tiền tệ) +Amount Paid,Số tiền trả +Amount to Bill,Số tiền Bill +An Customer exists with same name,Một khách hàng tồn tại với cùng một tên +"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" +"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" +Analyst,Chuyên viên phân tích +Annual,Hàng năm +Another Period Closing Entry {0} has been made after {1},Thời gian đóng cửa khác nhập {0} đã được thực hiện sau khi {1} +Another Salary Structure {0} is active for employee {0}. Please make its status 'Inactive' to proceed.,Một cấu trúc lương {0} là hoạt động cho nhân viên {0}. Hãy đảm tình trạng của nó 'Không hoạt động' để tiến hành. +"Any other comments, noteworthy effort that should go in the records.","Bất kỳ ý kiến khác, nỗ lực đáng chú ý mà nên đi vào biên bản." +Apparel & Accessories,May mặc và phụ kiện +Applicability,Phạm vi áp dụng +Applicable For,Đối với áp dụng +Applicable Holiday List,Áp dụng lễ Danh sách +Applicable Territory,Lãnh thổ áp dụng +Applicable To (Designation),Để áp dụng (Chỉ) +Applicable To (Employee),Để áp dụng (nhân viên) +Applicable To (Role),Để áp dụng (Role) +Applicable To (User),Để áp dụng (Thành viên) +Applicant Name,Tên đơn +Applicant for a Job.,Nộp đơn xin việc. +Application of Funds (Assets),Ứng dụng của Quỹ (tài sản) +Applications for leave.,Ứng dụng cho nghỉ. +Applies to Company,Áp dụng đối với Công ty +Apply On,Áp dụng trên +Appraisal,Thẩm định +Appraisal Goal,Thẩm định mục tiêu +Appraisal Goals,Thẩm định mục tiêu +Appraisal Template,Thẩm định mẫu +Appraisal Template Goal,Thẩm định mẫu Mục tiêu +Appraisal Template Title,Thẩm định Mẫu Tiêu đề +Appraisal {0} created for Employee {1} in the given date range,Thẩm định {0} tạo ra cho nhân viên {1} trong phạm vi ngày cho +Apprentice,Người học việc +Approval Status,Tình trạng chính +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""" +Approved,Đã được phê duyệt +Approver,Người Xét Duyệt +Approving Role,Phê duyệt Vai trò +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 để +Approving User,Phê duyệt danh +Approving User cannot be same as user the rule is Applicable To,Phê duyệt Người dùng không thể được giống như sử dụng các quy tắc là áp dụng để +Are you sure you want to STOP , +Are you sure you want to UNSTOP , +Arrear Amount,Tiền còn thiếu Số tiền +"As Production Order can be made for this item, it must be a stock item.","Như sản xuất hàng có thể được thực hiện cho mặt hàng này, nó phải là một mục chứng khoán." +As per Stock UOM,Theo Cổ UOM +"As there are existing stock transactions for this item, you can not change the values of 'Has Serial No', 'Is Stock Item' and 'Valuation Method'","Vì có các giao dịch chứng khoán hiện có cho mặt hàng này, bạn không thể thay đổi giá trị của 'Có Serial No', 'là Cổ Mã ""và"" Phương pháp định giá'" +Asset,Tài sản +Assistant,Trợ lý +Associate,Liên kết +Atleast one of the Selling or Buying must be selected,Ít nhất một trong những bán hoặc mua phải được lựa chọn +Atleast one warehouse is mandatory,Ít nhất một kho là bắt buộc +Attach Image,Hình ảnh đính kèm +Attach Letterhead,Đính kèm thư của +Attach Logo,Logo đính kèm +Attach Your Picture,Hình ảnh đính kèm của bạn +Attendance,Tham gia +Attendance Date,Tham gia +Attendance Details,Thông tin chi tiết tham dự +Attendance From Date,Từ ngày tham gia +Attendance From Date and Attendance To Date is mandatory,Từ ngày tham gia và tham dự Đến ngày là bắt buộc +Attendance To Date,Tham gia Đến ngày +Attendance can not be marked for future dates,Tham dự không thể được đánh dấu cho những ngày tương lai +Attendance for employee {0} is already marked,Tại nhà cho nhân viên {0} đã được đánh dấu +Attendance record.,Kỷ lục tham dự. +Authorization Control,Cho phép điều khiển +Authorization Rule,Quy tắc ủy quyền +Auto Accounting For Stock Settings,Tự động chỉnh Kế toán Đối với chứng khoán +Auto Material Request,Vật liệu tự động Yêu cầu +Auto-raise Material Request if quantity goes below re-order level in a warehouse,Tự động nâng cao Vật liệu Yêu cầu nếu số lượng đi dưới mức lại trật tự trong một nhà kho +Automatically compose message on submission of transactions.,Tự động soạn tin nhắn trên trình giao dịch. +Automatically extract Job Applicants from a mail box , +Automatically extract Leads from a mail box e.g.,Tự động trích xuất chào từ một hộp thư ví dụ như +Automatically updated via Stock Entry of type Manufacture/Repack,Tự động cập nhật thông qua hàng nhập loại Sản xuất / Repack +Automotive,Ô tô +Autoreply when a new mail is received,Tự động trả lời khi một thư mới nhận được +Available,Khả dụng +Available Qty at Warehouse,Số lượng có sẵn tại kho +Available Stock for Packing Items,Có sẵn cổ phiếu cho mục đóng gói +"Available in BOM, Delivery Note, Purchase Invoice, Production Order, Purchase Order, Purchase Receipt, Sales Invoice, Sales Order, Stock Entry, Timesheet","Có sẵn trong HĐQT, Giao hàng tận nơi Lưu ý, mua hóa đơn, sản xuất hàng, Mua hàng, mua hóa đơn, hóa đơn bán hàng, bán hàng đặt hàng, chứng khoán nhập cảnh, timesheet" +Average Age,Tuổi trung bình +Average Commission Rate,Ủy ban trung bình Tỷ giá +Average Discount,Giảm giá trung bình +Awesome Products,Sản phẩm tuyệt vời +Awesome Services,Dịch vụ tuyệt vời +BOM Detail No,BOM chi tiết Không +BOM Explosion Item,BOM nổ hàng +BOM Item,BOM mục +BOM No,BOM Không +BOM No. for a Finished Good Item,BOM số cho một hoàn thiện tốt mục +BOM Operation,BOM hoạt động +BOM Operations,Hoạt động Hội đồng Quản trị +BOM Replace Tool,Thay thế Hội đồng quản trị Công cụ +BOM number is required for manufactured Item {0} in row {1},Số BOM là cần thiết cho chế tạo hàng {0} trong hàng {1} +BOM number not allowed for non-manufactured Item {0} in row {1},Số BOM không được phép cho người không chế tạo hàng {0} trong hàng {1} +BOM recursion: {0} cannot be parent or child of {2},"BOM đệ quy: {0} không thể là cha mẹ, con của {2}" +BOM replaced,HĐQT thay thế +BOM {0} for Item {1} in row {2} is inactive or not submitted,BOM {0} cho mục {1} trong hàng {2} là không hoạt động hoặc không nộp +BOM {0} is not active or not submitted,BOM {0} là không hoạt động hoặc không nộp +BOM {0} is not submitted or inactive BOM for Item {1},BOM {0} không nộp hoặc không hoạt động BOM cho mục {1} +Backup Manager,Backup Manager +Backup Right Now,Sao lưu Right Now +Backups will be uploaded to,Sao lưu sẽ được tải lên +Balance Qty,Số lượng cân bằng +Balance Sheet,Cân đối kế toán +Balance Value,Cân bằng giá trị gia tăng +Balance for Account {0} must always be {1},Cân bằng cho Tài khoản {0} luôn luôn phải có {1} +Balance must be,Cân bằng phải +"Balances of Accounts of type ""Bank"" or ""Cash""","Số dư tài khoản của loại hình ""Ngân hàng"" hoặc ""Tiền""" +Bank,Tài khoản +Bank / Cash Account,Tài khoản ngân hàng Tiền mặt / +Bank A/C No.,Ngân hàng A / C số +Bank Account,Tài khoản ngân hàng +Bank Account No.,Tài khoản ngân hàng số +Bank Accounts,Tài khoản ngân hàng +Bank Clearance Summary,Tóm tắt thông quan ngân hàng +Bank Draft,Dự thảo ngân hàng +Bank Name,Tên ngân hàng +Bank Overdraft Account,Tài khoản thấu chi ngân hàng +Bank Reconciliation,Ngân hàng hòa giải +Bank Reconciliation Detail,Ngân hàng hòa giải chi tiết +Bank Reconciliation Statement,Trữ ngân hàng hòa giải +Bank Voucher,Ngân hàng Phiếu +Bank/Cash Balance,Ngân hàng / Cash Balance +Banking,Ngân hàng +Barcode,Mã vạch +Barcode {0} already used in Item {1},Mã vạch {0} đã được sử dụng trong mục {1} +Based On,Dựa trên +Basic,Gói Cơ bản +Basic Info,Thông tin cơ bản +Basic Information,Thông tin cơ bản +Basic Rate,Tỷ lệ cơ bản +Basic Rate (Company Currency),Tỷ giá cơ bản (Công ty tiền tệ) +Batch,Hàng loạt +Batch (lot) of an Item.,Hàng loạt (rất nhiều) của một Item. +Batch Finished Date,Hàng loạt hoàn thành ngày +Batch ID,ID hàng loạt +Batch No,Không có hàng loạt +Batch Started Date,Hàng loạt Bắt đầu ngày +Batch Time Logs for billing.,Hàng loạt Thời gian Logs để thanh toán. +Batch-Wise Balance History,Lô-Wise cân Lịch sử +Batched for Billing,Trộn cho Thanh toán +Better Prospects,Triển vọng tốt hơn +Bill Date,Hóa đơn ngày +Bill No,Bill Không +Bill No {0} already booked in Purchase Invoice {1},Bill Không có {0} đã đặt mua trong hóa đơn {1} +Bill of Material,Bill of Material +Bill of Material to be considered for manufacturing,Bill of Material được xem xét cho sản xuất +Bill of Materials (BOM),Bill Vật liệu (BOM) +Billable,Lập hoá đơn +Billed,Một cái gì đó đã đi sai! +Billed Amount,Số tiền hóa đơn +Billed Amt,Billed Amt +Billing,Thanh toán cước +Billing Address,Địa chỉ thanh toán +Billing Address Name,Địa chỉ thanh toán Tên +Billing Status,Tình trạng thanh toán +Bills raised by Suppliers.,Hóa đơn đưa ra bởi nhà cung cấp. +Bills raised to Customers.,Hóa đơn tăng cho khách hàng. +Bin,Bin +Bio,Sinh học +Biotechnology,Công nghệ sinh học +Birthday,Sinh nhật +Block Date,Khối ngày +Block Days,Khối ngày +Block leave applications by department.,Ngăn chặn các ứng dụng của bộ phận nghỉ. +Blog Post,Bài Blog +Blog Subscriber,Blog thuê bao +Blood Group,Nhóm máu +Both Warehouse must belong to same Company,Cả kho phải thuộc cùng một công ty +Box,Box +Branch,Nhánh +Brand,Thương Hiệu +Brand Name,Thương hiệu +Brand master.,Chủ thương hiệu. +Brands,Thương hiệu +Breakdown,Hỏng +Broadcasting,Phát thanh truyền hình +Brokerage,Môi giới +Budget,Ngân sách +Budget Allocated,Phân bổ ngân sách +Budget Detail,Ngân sách chi tiết +Budget Details,Thông tin chi tiết ngân sách +Budget Distribution,Phân phối ngân sách +Budget Distribution Detail,Phân phối ngân sách chi tiết +Budget Distribution Details,Chi tiết phân phối ngân sách +Budget Variance Report,Báo cáo ngân sách phương sai +Budget cannot be set for Group Cost Centers,Ngân sách không thể được thiết lập cho Trung tâm Chi phí Nhóm +Build Report,Build Report +Bundle items at time of sale.,Bó các mặt hàng tại thời điểm bán. +Business Development Manager,Giám đốc phát triển kinh doanh +Buying,Mua +Buying & Selling,Mua & Bán +Buying Amount,Số tiền mua +Buying Settings,Mua thiết lập +"Buying must be checked, if Applicable For is selected as {0}","Mua phải được kiểm tra, nếu áp dụng Đối với được chọn là {0}" +C-Form,C-Mẫu +C-Form Applicable,C-Mẫu áp dụng +C-Form Invoice Detail,C-Mẫu hóa đơn chi tiết +C-Form No,C-Mẫu Không +C-Form records,Hồ sơ C-Mẫu +CENVAT Capital Goods,CENVAT Capital Hàng +CENVAT Edu Cess,CENVAT Edu Cess +CENVAT SHE Cess,CENVAT SHE Cess +CENVAT Service Tax,CENVAT Dịch vụ thuế +CENVAT Service Tax Cess 1,CENVAT Dịch vụ thuế Cess 1 +CENVAT Service Tax Cess 2,CENVAT Dịch vụ thuế Cess 2 +Calculate Based On,Dựa trên tính toán +Calculate Total Score,Tổng số điểm tính toán +Calendar Events,Lịch sự kiện +Call,Cuộc gọi +Calls,Cuộc gọi +Campaign,Chiến dịch +Campaign Name,Tên chiến dịch +Campaign Name is required,Tên chiến dịch là cần thiết +Campaign Naming By,Cách đặt tên chiến dịch By +Campaign-.####,Chiến dịch.# # # # +Can be approved by {0},Có thể được chấp thuận bởi {0} +"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 lại theo tài khoản" +"Can not filter based on Voucher No, if grouped by Voucher","Không thể lọc dựa trên Voucher Không, nếu nhóm theo Phiếu" +Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"Có thể tham khảo hàng chỉ khi các loại phí là ""Ngày trước Row Số tiền"" hoặc ""Trước Row Tổng số '" +Cancel Material Visit {0} before cancelling this Customer Issue,Hủy bỏ Vật liệu đăng nhập {0} trước khi hủy bỏ hành khách hàng này +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 +Cancelled,Hủy +Cancelling this Stock Reconciliation will nullify its effect.,Hủy bỏ hòa giải chứng khoán này sẽ vô hiệu hóa tác dụng của nó. +Cannot Cancel Opportunity as Quotation Exists,Cơ hội không thể bỏ như báo giá Tồn tại +Cannot approve leave as you are not authorized to approve leaves on Block Dates,Không thể chấp nhận nghỉ như bạn không được uỷ quyền phê duyệt lá trên Khối Ngày +Cannot cancel because Employee {0} is already approved for {1},Không thể hủy bỏ vì nhân viên {0} đã được chấp thuận cho {1} +Cannot cancel because submitted Stock Entry {0} exists,Không thể hủy bỏ vì nộp chứng khoán nhập {0} tồn tại +Cannot carry forward {0},Không thể thực hiện chuyển tiếp {0} +Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,Không thể thay đổi năm tài chính bắt đầu ngày và năm tài chính kết thúc ngày khi năm tài chính được lưu. +"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Không thể thay đổi tiền tệ mặc định của công ty, bởi vì có giao dịch hiện có. Giao dịch phải được hủy bỏ để thay đổi tiền tệ mặc định." +Cannot convert Cost Center to ledger as it has child nodes,Không thể chuyển đổi Trung tâm Chi phí sổ cái vì nó có các nút con +Cannot covert to Group because Master Type or Account Type is selected.,Không có thể bí mật cho Tập đoàn vì Loại Master hoặc tài khoản Loại được chọn. +Cannot deactive or cancle BOM as it is linked with other BOMs,Không thể deactive hoặc cancle BOM như nó được liên kết với BOMs khác +"Cannot declare as lost, because Quotation has been made.","Không thể khai báo như bị mất, bởi vì báo giá đã được thực hiện." +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' +"Cannot delete Serial No {0} in stock. First remove from stock, then delete.","Không thể xóa Serial No {0} trong kho. Đầu tiên gỡ bỏ từ cổ phiếu, sau đó xóa." +"Cannot directly set amount. For 'Actual' charge type, use the rate field","Có thể không trực tiếp đặt số lượng. Đối với 'thực tế' loại phí, sử dụng trường tốc độ" +"Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in Stock Settings","Không thể overbill cho mục {0} trong hàng {0} hơn {1}. Cho phép overbilling, xin vui lòng đặt trong Cài đặt hàng" +Cannot produce more Item {0} than Sales Order quantity {1},Không thể sản xuất nhiều hàng {0} là số lượng bán hàng đặt hàng {1} +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 +Cannot return more than {0} for Item {1},Không thể trả về nhiều hơn {0} cho mục {1} +Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,Không có thể chọn loại phí như 'Mở hàng trước Số tiền' hoặc 'On Trước Row Tổng số' cho hàng đầu tiên +Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for valuation. You can select only 'Total' option for previous row amount or previous row total,Không có thể chọn loại phí như 'Mở hàng trước Số tiền' hoặc 'On Trước Row Tổng số' định giá. Bạn có thể chọn lựa chọn duy nhất 'Tổng' cho số tiền hàng trước hoặc tổng số hàng trước +Cannot set as Lost as Sales Order is made.,Không thể thiết lập như Lost như bán hàng đặt hàng được thực hiện. +Cannot set authorization on basis of Discount for {0},Không thể thiết lập ủy quyền trên cơ sở giảm giá cho {0} +Capacity,Dung lượng +Capacity Units,Công suất đơn vị +Capital Account,Tài khoản vốn +Capital Equipments,Thiết bị vốn +Carry Forward,Carry Forward +Carry Forwarded Leaves,Mang lá chuyển tiếp +Case No(s) already in use. Try from Case No {0},Không trường hợp (s) đã được sử dụng. Cố gắng từ Trường hợp thứ {0} +Case No. cannot be 0,Trường hợp số không thể là 0 +Cash,Tiền mặt +Cash In Hand,Tiền mặt trong tay +Cash Voucher,Phiếu tiền mặt +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 +Cash/Bank Account,Tài khoản tiền mặt / Ngân hàng +Casual Leave,Để lại bình thường +Cell Number,Số di động +Change UOM for an Item.,Thay đổi UOM cho một Item. +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ó. +Channel Partner,Đối tác +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 +Chargeable,Buộc tội +Charity and Donations,Tổ chức từ thiện và quyên góp +Chart Name,Tên biểu đồ +Chart of Accounts,Danh mục tài khoản +Chart of Cost Centers,Biểu đồ của Trung tâm Chi phí +Check how the newsletter looks in an email by sending it to your email.,Kiểm tra như thế nào các bản tin có vẻ trong một email bằng cách gửi nó đến email của bạn. +"Check if recurring invoice, uncheck to stop recurring or put proper End Date","Kiểm tra định kỳ hóa đơn, bỏ chọn để ngăn chặn tái phát hoặc đặt đúng Ngày kết thúc" +"Check if you need automatic recurring invoices. After submitting any sales invoice, Recurring section will be visible.","Kiểm tra xem bạn cần hóa đơn định kỳ tự động. Sau khi nộp bất kỳ hóa đơn bán hàng, phần định kỳ sẽ được hiển thị." +Check if you want to send salary slip in mail to each employee while submitting salary slip,Kiểm tra nếu bạn muốn gửi phiếu lương trong mail cho mỗi nhân viên trong khi trình phiếu lương +Check this if you want to force the user to select a series before saving. There will be no default if you check this.,Kiểm tra này nếu bạn muốn ép buộc người dùng lựa chọn một loạt trước khi lưu. Sẽ không có mặc định nếu bạn kiểm tra này. +Check this if you want to show in website,Kiểm tra này nếu bạn muốn hiển thị trong trang web +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) +Check this to pull emails from your mailbox,Kiểm tra này kéo email từ hộp thư của bạn +Check to activate,Kiểm tra để kích hoạt +Check to make Shipping Address,Kiểm tra để đảm Vận chuyển Địa chỉ +Check to make primary address,Kiểm tra để chắc địa chỉ chính +Chemical,Mối nguy hóa học +Cheque,Séc +Cheque Date,Séc ngày +Cheque Number,Số séc +Child account exists for this account. You can not delete this account.,Tài khoản con tồn tại cho tài khoản này. Bạn không thể xóa tài khoản này. +City,Thành phố +City/Town,Thành phố / thị xã +Claim Amount,Số tiền yêu cầu bồi thường +Claims for company expense.,Tuyên bố cho chi phí công ty. +Class / Percentage,Lớp / Tỷ lệ phần trăm +Classic,Cổ điển +Clear Table,Rõ ràng bảng +Clearance Date,Giải phóng mặt bằng ngày +Clearance Date not mentioned,Giải phóng mặt bằng ngày không được đề cập +Clearance date cannot be before check date in row {0},Ngày giải phóng mặt bằng không có thể trước ngày kiểm tra trong hàng {0} +Click on 'Make Sales Invoice' button to create a new Sales Invoice.,"Bấm vào nút ""Thực hiện kinh doanh Hoá đơn 'để tạo ra một hóa đơn bán hàng mới." +Click on a link to get options to expand get options , +Client,Khách hàng +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. +Closed,Đã đóng +Closing (Cr),Đóng cửa (Cr) +Closing (Dr),Đóng cửa (Tiến sĩ) +Closing Account Head,Đóng Trưởng Tài khoản +Closing Account {0} must be of type 'Liability',Đóng tài khoản {0} phải là loại 'trách nhiệm' +Closing Date,Đóng cửa ngày +Closing Fiscal Year,Đóng cửa năm tài chính +Closing Qty,Đóng Số lượng +Closing Value,Giá trị đóng cửa +CoA Help,CoA Trợ giúp +Code,Code +Cold Calling,Cold Calling +Color,Màu +Column Break,Cột lao +Comma separated list of email addresses,Dấu phẩy tách ra danh sách các địa chỉ email +Comment,Bình luận +Comments,Thẻ chú thích +Commercial,Thương mại +Commission,Huê hồng +Commission Rate,Tỷ lệ hoa hồng +Commission Rate (%),Hoa hồng Tỷ lệ (%) +Commission on Sales,Hoa hồng trên doanh +Commission rate cannot be greater than 100,Tỷ lệ hoa hồng không có thể lớn hơn 100 +Communication,Liên lạc +Communication HTML,Thông tin liên lạc HTML +Communication History,Lịch sử truyền thông +Communication log.,Đăng nhập thông tin liên lạc. +Communications,Sự giao tiếp +Company,Giỏ hàng Giá liệt kê +Company (not Customer or Supplier) master.,Công ty (không khách hàng hoặc nhà cung cấp) làm chủ. +Company Abbreviation,Công ty viết tắt +Company Details,Thông tin chi tiết công ty +Company Email,Email công ty +"Company Email ID not found, hence mail not sent","Công ty Email ID không tìm thấy, do đó thư không gửi" +Company Info,Thông tin công ty +Company Name,Tên công ty +Company Settings,Thiết lập công ty +Company is missing in warehouses {0},Công ty là mất tích trong kho {0} +Company is required,Công ty được yêu cầu +Company registration numbers for your reference. Example: VAT Registration Numbers etc.,Số đăng ký công ty để bạn tham khảo. Số đăng ký thuế GTGT vv: ví dụ +Company registration numbers for your reference. Tax numbers etc.,Số đăng ký công ty để bạn tham khảo. Số thuế vv +"Company, Month and Fiscal Year is mandatory","Công ty, tháng và năm tài chính là bắt buộc" +Compensatory Off,Đền bù Tắt +Complete,Complete +Complete Setup,Hoàn thành cài đặt +Completed,Hoàn thành +Completed Production Orders,Đơn đặt hàng sản xuất hoàn thành +Completed Qty,Số lượng hoàn thành +Completion Date,Ngày kết thúc +Completion Status,Tình trạng hoàn thành +Computer,Máy tính +Computers,Máy tính +Confirmation Date,Xác nhận ngày +Confirmed orders from Customers.,Đơn đặt hàng xác nhận từ khách hàng. +Consider Tax or Charge for,Xem xét thuế hoặc phí cho +Considered as Opening Balance,Coi như là mở cửa cân +Considered as an Opening Balance,Coi như là một Số đầu năm +Consultant,Tư vấn +Consulting,Tư vấn +Consumable,Tiêu hao +Consumable Cost,Chi phí tiêu hao +Consumable cost per hour,Chi phí tiêu hao mỗi giờ +Consumed Qty,Số lượng tiêu thụ +Consumer Products,Sản phẩm tiêu dùng +Contact,Liên hệ +Contact Control,Liên hệ với kiểm soát +Contact Desc,Liên hệ với quyết định +Contact Details,Thông tin chi tiết liên hệ +Contact Email,Liên hệ Email +Contact HTML,Liên hệ với HTML +Contact Info,Thông tin liên lạc +Contact Mobile No,Liên hệ điện thoại di động Không +Contact Name,Tên liên lạc +Contact No.,Liên hệ với số +Contact Person,Người liên hệ +Contact Type,Loại liên hệ +Contact master.,Liên hệ với chủ. +Contacts,Danh bạ +Content,Lọc nội dung +Content Type,Loại nội dung +Contra Voucher,Contra Voucher +Contract,hợp đồng +Contract End Date,Ngày kết thúc hợp đồng +Contract End Date must be greater than Date of Joining,Ngày kết thúc hợp đồng phải lớn hơn ngày của Tham gia +Contribution (%),Đóng góp (%) +Contribution to Net Total,Đóng góp Net Tổng số +Conversion Factor,Yếu tố chuyển đổi +Conversion Factor is required,Yếu tố chuyển đổi là cần thiết +Conversion factor cannot be in fractions,Yếu tố chuyển đổi không có thể được trong phần +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} +Conversion rate cannot be 0 or 1,Tỷ lệ chuyển đổi không thể là 0 hoặc 1 +Convert into Recurring Invoice,Chuyển đổi thành hóa đơn định kỳ +Convert to Group,Chuyển đổi cho Tập đoàn +Convert to Ledger,Chuyển đổi sang Ledger +Converted,Chuyển đổi +Copy From Item Group,Sao chép Từ mục Nhóm +Cosmetics,Mỹ phẩm +Cost Center,Trung tâm chi phí +Cost Center Details,Chi phí Trung tâm Thông tin chi tiết +Cost Center Name,Chi phí Tên Trung tâm +Cost Center is required for 'Profit and Loss' account {0},Trung tâm chi phí là cần thiết cho 'lợi nhuận và mất' tài khoản {0} +Cost Center is required in row {0} in Taxes table for type {1},Trung tâm chi phí là cần thiết trong hàng {0} trong bảng Thuế cho loại {1} +Cost Center with existing transactions can not be converted to group,Trung tâm chi phí với các giao dịch hiện có không thể chuyển đổi sang nhóm +Cost Center with existing transactions can not be converted to ledger,Trung tâm chi phí với các giao dịch hiện tại không thể được chuyển đổi sang sổ cái +Cost Center {0} does not belong to Company {1},Chi phí Trung tâm {0} không thuộc về Công ty {1} +Cost of Goods Sold,Chi phí hàng bán +Costing,Chi phí +Country,Tại +Country Name,Tên nước +Country wise default Address Templates,Nước khôn ngoan Địa chỉ mặc định Templates +"Country, Timezone and Currency","Quốc gia, múi giờ và tiền tệ" +Create Bank Voucher for the total salary paid for the above selected criteria,Tạo Ngân hàng Chứng từ tổng tiền lương cho các tiêu chí lựa chọn ở trên +Create Customer,Tạo ra khách hàng +Create Material Requests,Các yêu cầu tạo ra vật liệu +Create New,Tạo mới +Create Opportunity,Tạo cơ hội +Create Production Orders,Tạo đơn đặt hàng sản xuất +Create Quotation,Tạo báo giá +Create Receiver List,Tạo ra nhận Danh sách +Create Salary Slip,Tạo Mức lương trượt +Create Stock Ledger Entries when you submit a Sales Invoice,Tạo ra hàng Ledger Entries khi bạn gửi một hóa đơn bán hàng +"Create and manage daily, weekly and monthly email digests.","Tạo và quản lý hàng ngày, hàng tuần và hàng tháng tiêu hóa email." +Create rules to restrict transactions based on values.,Tạo các quy tắc để hạn chế các giao dịch dựa trên giá trị. +Created By,Tạo ra bởi +Creates salary slip for above mentioned criteria.,Tạo phiếu lương cho các tiêu chí nêu trên. +Creation Date,Ngày Khởi tạo +Creation Document No,Tạo ra văn bản số +Creation Document Type,Loại tài liệu sáng tạo +Creation Time,Thời gian tạo +Credentials,Thông tin +Credit,Tín dụng +Credit Amt,Tín dụng Amt +Credit Card,Thẻ tín dụng +Credit Card Voucher,Phiếu thẻ tín dụng +Credit Controller,Bộ điều khiển tín dụng +Credit Days,Ngày tín dụng +Credit Limit,Hạn chế tín dụng +Credit Note,Tín dụng Ghi chú +Credit To,Để tín dụng +Currency,Tiền tệ +Currency Exchange,Thu đổi ngoại tệ +Currency Name,Tên tiền tệ +Currency Settings,Thiết lập tiền tệ +Currency and Price List,Tiền tệ và Bảng giá +Currency exchange rate master.,Tổng tỷ giá hối đoái. +Current Address,Địa chỉ hiện tại +Current Address Is,Địa chỉ hiện tại là +Current Assets,Tài sản ngắn hạn +Current BOM,BOM hiện tại +Current BOM and New BOM can not be same,BOM BOM hiện tại và mới không thể giống nhau +Current Fiscal Year,Năm tài chính hiện tại +Current Liabilities,Nợ ngắn hạn +Current Stock,Cổ hiện tại +Current Stock UOM,Tình trạng hàng UOM +Current Value,Giá trị hiện tại +Custom,Tuỳ chỉnh +Custom Autoreply Message,Tự động trả lời tin nhắn tùy chỉnh +Custom Message,Tùy chỉnh tin nhắn +Customer,Sự hài lòng của Khách hàng +Customer (Receivable) Account,Khách hàng (các khoản phải thu) Tài khoản +Customer / Item Name,Khách hàng / Item Name +Customer / Lead Address,Khách hàng / Chì Địa chỉ +Customer / Lead Name,Khách hàng / chì Tên +Customer > Customer Group > Territory,Khách hàng> Nhóm khách hàng> Lãnh thổ +Customer Account Head,Trưởng Tài khoản khách hàng +Customer Acquisition and Loyalty,Mua hàng và trung thành +Customer Address,Địa chỉ khách hàng +Customer Addresses And Contacts,Địa chỉ khách hàng và Liên hệ +Customer Addresses and Contacts,Địa chỉ khách hàng và Liên hệ +Customer Code,Mã số khách hàng +Customer Codes,Mã khách hàng +Customer Details,Chi tiết khách hàng +Customer Feedback,Ý kiến khách hàng +Customer Group,Nhóm khách hàng +Customer Group / Customer,Nhóm khách hàng / khách hàng +Customer Group Name,Nhóm khách hàng Tên +Customer Intro,Giới thiệu khách hàng +Customer Issue,Vấn đề khách hàng +Customer Issue against Serial No.,Vấn đề của khách hàng đối với Số sản +Customer Name,Tên khách hàng +Customer Naming By,Khách hàng đặt tên By +Customer Service,Dịch vụ khách hàng +Customer database.,Cơ sở dữ liệu khách hàng. +Customer is required,Khách hàng được yêu cầu +Customer master.,Chủ khách hàng. +Customer required for 'Customerwise Discount',Khách hàng cần thiết cho 'Customerwise Giảm giá' +Customer {0} does not belong to project {1},Khách hàng {0} không thuộc về dự án {1} +Customer {0} does not exist,Khách hàng {0} không tồn tại +Customer's Item Code,Của khách hàng Item Code +Customer's Purchase Order Date,Của khách hàng Mua hàng ngày +Customer's Purchase Order No,Của khách hàng Mua hàng Không +Customer's Purchase Order Number,Mua hàng Số của khách hàng +Customer's Vendor,Bán hàng của khách hàng +Customers Not Buying Since Long Time,Khách hàng không mua từ Long Time +Customerwise Discount,Customerwise Giảm giá +Customize,Tuỳ chỉnh +Customize the Notification,Tùy chỉnh thông báo +Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,Tùy chỉnh văn bản giới thiệu mà đi như một phần của email đó. Mỗi giao dịch có văn bản giới thiệu riêng biệt. +DN Detail,DN chi tiết +Daily,Hàng ngày +Daily Time Log Summary,Hàng ngày Giờ Tóm tắt +Database Folder ID,Cơ sở dữ liệu thư mục ID +Database of potential customers.,Cơ sở dữ liệu khách hàng tiềm năng. +Date,Năm +Date Format,Định dạng ngày +Date Of Retirement,Trong ngày hưu trí +Date Of Retirement must be greater than Date of Joining,Trong ngày hưu trí phải lớn hơn ngày của Tham gia +Date is repeated,Ngày được lặp đi lặp lại +Date of Birth,Ngày sinh +Date of Issue,Ngày phát hành +Date of Joining,Tham gia ngày +Date of Joining must be greater than Date of Birth,Tham gia ngày phải lớn hơn ngày sinh +Date on which lorry started from supplier warehouse,Ngày mà xe tải bắt đầu từ kho nhà cung cấp +Date on which lorry started from your warehouse,Ngày mà xe tải bắt đầu từ kho hàng của bạn +Dates,Ngày +Days Since Last Order,Kể từ ngày thứ tự cuối +Days for which Holidays are blocked for this department.,Ngày mà ngày lễ sẽ bị chặn cho bộ phận này. +Dealer,Đại lý +Debit,Thẻ ghi nợ +Debit Amt,Thẻ ghi nợ Amt +Debit Note,"Một lưu ghi nợ là do bên cho mượn, nợ và phục vụ như là một trong hai thông báo về một khoản nợ sẽ sớm nhận được hoá đơn hoặc một lời nhắc nhở đối với khoản nợ mà trước đây được lập hoá đơn và hiện đang nổi bật." +Debit To,Để ghi nợ +Debit and Credit not equal for this voucher. Difference is {0}.,Thẻ ghi nợ và tín dụng không bình đẳng cho chứng từ này. Sự khác biệt là {0}. +Deduct,Trích +Deduction,Khấu trừ +Deduction Type,Loại trừ +Deduction1,Deduction1 +Deductions,Các khoản giảm trừ +Default,Mặc định +Default Account,Tài khoản mặc định +Default Address Template cannot be deleted,Địa chỉ mặc định mẫu không thể bị xóa +Default Amount,Số tiền mặc định +Default BOM,Mặc định HĐQT +Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,Mặc định tài khoản ngân hàng / tiền mặt sẽ được tự động cập nhật trong POS hóa đơn khi chế độ này được chọn. +Default Bank Account,Tài khoản Ngân hàng mặc định +Default Buying Cost Center,Mặc định Trung tâm Chi phí mua +Default Buying Price List,Mặc định mua Bảng giá +Default Cash Account,Tài khoản mặc định tiền +Default Company,Công ty mặc định +Default Currency,Mặc định tệ +Default Customer Group,Xin vui lòng viết một cái gì đó trong chủ đề và thông điệp! +Default Expense Account,Tài khoản mặc định chi phí +Default Income Account,Tài khoản thu nhập mặc định +Default Item Group,Mặc định mục Nhóm +Default Price List,Mặc định Giá liệt kê +Default Purchase Account in which cost of the item will be debited.,"Mua tài khoản mặc định, trong đó giá của sản phẩm sẽ được ghi nợ." +Default Selling Cost Center,Trung tâm Chi phí bán hàng mặc định +Default Settings,Thiết lập mặc định +Default Source Warehouse,Mặc định Nguồn Kho +Default Stock UOM,Mặc định Cổ UOM +Default Supplier,Nhà cung cấp mặc định +Default Supplier Type,Loại mặc định Nhà cung cấp +Default Target Warehouse,Mặc định mục tiêu kho +Default Territory,Vui lòng ghi rõ tiền tệ tại Công ty +Default Unit of Measure,Đơn vị đo mặc định +"Default Unit of Measure can not be changed directly because you have already made some transaction(s) with another UOM. To change default UOM, use 'UOM Replace Utility' tool under Stock module.","Đơn vị đo mặc định 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ột UOM. Để thay đổi UOM mặc định, sử dụng 'UOM Thay Tiện ích' công cụ dưới mô-đun chứng khoán." +Default Valuation Method,Phương pháp mặc định Định giá +Default Warehouse,Kho mặc định +Default Warehouse is mandatory for stock Item.,Kho mặc định là bắt buộc đối với cổ phiếu Item. +Default settings for accounting transactions.,Thiết lập mặc định cho các giao dịch kế toán. +Default settings for buying transactions.,Thiết lập mặc định cho giao dịch mua. +Default settings for selling transactions.,Thiết lập mặc định cho bán giao dịch. +Default settings for stock transactions.,Thiết lập mặc định cho các giao dịch chứng khoán. +Defense,Quốc phòng +"Define Budget for this Cost Center. To set budget action, see
Company Master","Xác định ngân sách cho Trung tâm Chi phí này. Để thiết lập hành động ngân sách, xem Công ty Thạc sĩ " +Del,Del +Delete,Xóa +Delete {0} {1}?,Xóa {0} {1}? +Delivered,"Nếu được chỉ định, gửi các bản tin sử dụng địa chỉ email này" +Delivered Items To Be Billed,Chỉ tiêu giao được lập hoá đơn +Delivered Qty,Số lượng giao +Delivered Serial No {0} cannot be deleted,Giao Serial No {0} không thể bị xóa +Delivery Date,Giao hàng ngày +Delivery Details,Chi tiết giao hàng +Delivery Document No,Giao văn bản số +Delivery Document Type,Loại tài liệu giao hàng +Delivery Note,Giao hàng Ghi +Delivery Note Item,Giao hàng Ghi mục +Delivery Note Items,Giao hàng Ghi mục +Delivery Note Message,Giao hàng tận nơi Lưu ý tin nhắn +Delivery Note No,Giao hàng tận nơi Lưu ý Không +Delivery Note Required,Giao hàng Ghi bắt buộc +Delivery Note Trends,Giao hàng Ghi Xu hướng +Delivery Note {0} is not submitted,Giao hàng Ghi {0} không nộp +Delivery Note {0} must not be submitted,Giao hàng Ghi {0} không phải nộp +Delivery Notes {0} must be cancelled before cancelling this Sales Order,Ghi chú giao hàng {0} phải được hủy bỏ trước khi hủy bỏ đơn đặt hàng này +Delivery Status,Tình trạng giao +Delivery Time,Thời gian giao hàng +Delivery To,Để giao hàng +Department,Cục +Department Stores,Cửa hàng bách +Depends on LWP,Phụ thuộc vào LWP +Depreciation,Khấu hao +Description,Mô tả +Description HTML,Mô tả HTML +Designation,Định +Designer,Nhà thiết kế +Detailed Breakup of the totals,Tan rã chi tiết về tổng số +Details,Chi tiết +Difference (Dr - Cr),Sự khác biệt (Tiến sĩ - Cr) +Difference Account,Tài khoản chênh lệch +"Difference Account must be a 'Liability' type account, since this Stock Reconciliation is an Opening Entry","Tài khoản chênh lệch phải có một tài khoản 'trách nhiệm' loại, vì hòa giải hàng này là một Entry Mở" +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 không chính xác (Tổng số) giá trị Trọng lượng. Hãy chắc chắn rằng Trọng lượng của mỗi mục là trong cùng một UOM. +Direct Expenses,Chi phí trực tiếp +Direct Income,Thu nhập trực tiếp +Disable,Vô hiệu hóa +Disable Rounded Total,Vô hiệu hóa Tròn Tổng số +Disabled,Đã tắt +Discount %,% Giảm giá +Discount %,% Giảm giá +Discount (%),Giảm giá (%) +Discount Amount,Số tiền giảm giá +"Discount Fields will be available in Purchase Order, Purchase Receipt, Purchase Invoice","Giảm giá Fields sẽ có sẵn trong Mua hàng, mua hóa đơn, mua hóa đơn" +Discount Percentage,Tỷ lệ phần trăm giảm giá +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á. +Discount must be less than 100,Giảm giá phải được ít hơn 100 +Discount(%),Giảm giá (%) +Dispatch,Công văn +Display all the individual items delivered with the main items,Hiển thị tất cả các mặt hàng cá nhân giao với các hạng mục chính +Distribute transport overhead across items.,Phân phối trên không vận chuyển trên các mặt hàng. +Distribution,Gửi đến: +Distribution Id,Id phân phối +Distribution Name,Tên phân phối +Distributor,Nhà phân phối +Divorced,Đa ly dị +Do Not Contact,Không Liên +Do not show any symbol like $ etc next to currencies.,Không hiển thị bất kỳ biểu tượng như $ vv bên cạnh tiền tệ. +Do really want to unstop production order: , +Do you really want to STOP , +Do you really want to STOP this Material Request?,Bạn có thực sự muốn để STOP Yêu cầu vật liệu này? +Do you really want to Submit all Salary Slip for month {0} and year {1},Bạn có thực sự muốn để gửi tất cả các Phiếu lương cho tháng {0} và năm {1} +Do you really want to UNSTOP , +Do you really want to UNSTOP this Material Request?,Bạn có thực sự muốn tháo nút Yêu cầu vật liệu này? +Do you really want to stop production order: , +Doc Name,Doc Tên +Doc Type,Loại doc +Document Description,Mô tả tài liệu +Document Type,Loại tài liệu +Documents,Tài liệu +Domain,Tên miền +Don't send Employee Birthday Reminders,Không gửi nhân viên sinh Nhắc nhở +Download Materials Required,Tải về Vật liệu yêu cầu +Download Reconcilation Data,Tải về Reconcilation dữ liệu +Download Template,Tải mẫu +Download a report containing all raw materials with their latest inventory status,Tải về một bản báo cáo có chứa tất cả các nguyên liệu với tình trạng hàng tồn kho mới nhất của họ +"Download the Template, fill appropriate data and attach the modified file.","Tải về các mẫu, điền dữ liệu thích hợp và đính kèm tập tin sửa đổi." +"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 về các mẫu, điền dữ liệu thích hợp và đính kèm tập tin sửa đổi. + Tất cả các ngày và kết hợp nhân viên trong giai đoạn lựa chọn sẽ đến trong bản mẫu, với hồ sơ tham dự hiện có" +Draft,Dự thảo +Dropbox,Dropbox +Dropbox Access Allowed,Dropbox truy cập được phép +Dropbox Access Key,Dropbox Access Key +Dropbox Access Secret,Dropbox truy cập bí mật +Due Date,Ngày đáo hạn +Due Date cannot be after {0},Do ngày không thể sau {0} +Due Date cannot be before Posting Date,Do ngày không thể trước khi viết bài ngày +Duplicate Entry. Please check Authorization Rule {0},Trùng lặp nhập cảnh. Vui lòng kiểm tra Authorization Rule {0} +Duplicate Serial No entered for Item {0},Trùng lặp Serial No nhập cho hàng {0} +Duplicate entry,Trùng lặp mục +Duplicate row {0} with same {1},Hàng trùng lặp {0} với cùng {1} +Duties and Taxes,Nhiệm vụ và thuế +ERPNext Setup,ERPNext cài đặt +Earliest,Sớm nhất +Earnest Money,Tiền một cách nghiêm túc +Earning,Thu nhập +Earning & Deduction,Thu nhập và khoản giảm trừ +Earning Type,Loại thu nhập +Earning1,Earning1 +Edit,Sửa +Edu. Cess on Excise,Edu. Cess trên tiêu thụ đặc biệt +Edu. Cess on Service Tax,Edu. Cess thuế Dịch vụ +Edu. Cess on TDS,Edu. Cess trên TDS +Education,Đào tạo +Educational Qualification,Trình độ chuyên môn giáo dục +Educational Qualification Details,Trình độ chuyên môn giáo dục chi tiết +Eg. smsgateway.com/api/send_sms.cgi,Ví dụ. smsgateway.com / api / send_sms.cgi +Either debit or credit amount is required for {0},Hoặc thẻ ghi nợ hoặc tín dụng số tiền được yêu cầu cho {0} +Either target qty or target amount is mandatory,Hoặc mục tiêu SL hoặc số lượng mục tiêu là bắt buộc +Either target qty or target amount is mandatory.,Hoặc SL mục tiêu hoặc số lượng mục tiêu là bắt buộc. +Electrical,Hệ thống điện +Electricity Cost,Chi phí điện +Electricity cost per hour,Chi phí điện mỗi giờ +Electronics,Thiết bị điện tử +Email,Email +Email Digest,Email thông báo +Email Digest Settings,Email chỉnh Digest +Email Digest: , +Email Id,Email Id +"Email Id where a job applicant will email e.g. ""jobs@example.com""","Email Id nơi người xin việc sẽ gửi email cho ví dụ: ""jobs@example.com""" +Email Notifications,Thông báo email +Email Sent?,Email gửi? +"Email id must be unique, already exists for {0}","Id email phải là duy nhất, đã tồn tại cho {0}" +Email ids separated by commas.,Id email cách nhau bằng dấu phẩy. +"Email settings to extract Leads from sales email id e.g. ""sales@example.com""","Cài đặt email để trích xuất chào bán email id ví dụ: ""sales@example.com""" +Emergency Contact,Trường hợp khẩn cấp Liên hệ +Emergency Contact Details,Chi tiết liên lạc khẩn cấp +Emergency Phone,Điện thoại khẩn cấp +Employee,Nhân viên +Employee Birthday,Nhân viên sinh nhật +Employee Details,Chi tiết nhân viên +Employee Education,Giáo dục nhân viên +Employee External Work History,Nhân viên làm việc ngoài Lịch sử +Employee Information,Thông tin nhân viên +Employee Internal Work History,Lịch sử nhân viên nội bộ làm việc +Employee Internal Work Historys,Nhân viên nội bộ làm việc History +Employee Leave Approver,Nhân viên Để lại phê duyệt +Employee Leave Balance,Để lại cân nhân viên +Employee Name,Tên nhân viên +Employee Number,Số nhân viên +Employee Records to be created by,Nhân viên ghi được tạo ra bởi +Employee Settings,Thiết lập nhân viên +Employee Type,Loại nhân viên +"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.)" +Employee master.,Chủ lao động. +Employee record is created using selected field. , +Employee records.,Hồ sơ nhân viên. +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' +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} +Employee {0} is not active or does not exist,Nhân viên {0} không hoạt động hoặc không tồn tại +Employee {0} was on leave on {1}. Cannot mark attendance.,Nhân viên {0} đã nghỉ trên {1}. Không thể đánh dấu tham dự. +Employees Email Id,Nhân viên Email Id +Employment Details,Chi tiết việc làm +Employment Type,Loại việc làm +Enable / disable currencies.,Cho phép / vô hiệu hóa tiền tệ. +Enabled,Đã bật +Encashment Date,Séc ngày +End Date,Ngày kết thúc +End Date can not be less than Start Date,Ngày kết thúc không thể nhỏ hơn Bắt đầu ngày +End date of current invoice's period,Ngày kết thúc của thời kỳ hóa đơn hiện tại của +End of Life,Kết thúc của cuộc sống +Energy,Năng lượng +Engineer,Kỹ sư +Enter Verification Code,Nhập Mã xác nhận +Enter campaign name if the source of lead is campaign.,Nhập tên chiến dịch nếu nguồn gốc của chì là chiến dịch. +Enter department to which this Contact belongs,Nhập bộ phận mà mối liên lạc này thuộc về +Enter designation of this Contact,Nhập chỉ định liên lạc này +"Enter email id separated by commas, invoice will be mailed automatically on particular date","Nhập id email cách nhau bằng dấu phẩy, hóa đơn sẽ được gửi tự động vào ngày cụ thể" +Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,Nhập các mặt hàng và qty kế hoạch mà bạn muốn nâng cao các đơn đặt hàng sản xuất hoặc tải nguyên liệu để phân tích. +Enter name of campaign if source of enquiry is campaign,Nhập tên của chiến dịch nếu nguồn gốc của cuộc điều tra là chiến dịch +"Enter static url parameters here (Eg. sender=ERPNext, username=ERPNext, password=1234 etc.)","Nhập các thông số url tĩnh ở đây (Ví dụ người gửi = ERPNext, tên người dùng = ERPNext, mật khẩu = 1234, vv)" +Enter the company name under which Account Head will be created for this Supplier,Nhập tên công ty mà theo đó tài khoản Head sẽ được tạo ra cho Nhà cung cấp này +Enter url parameter for message,Nhập tham số url cho tin nhắn +Enter url parameter for receiver nos,Nhập tham số url cho người nhận nos +Entertainment & Leisure,Giải trí & Giải trí +Entertainment Expenses,Chi phí Giải trí +Entries,Số lượng vị trí +Entries against , +Entries are not allowed against this Fiscal Year if the year is closed.,Mục không được phép đối với năm tài chính này nếu năm được đóng lại. +Equity,Vốn chủ sở hữu +Error: {0} > {1},Lỗi: {0}> {1} +Estimated Material Cost,Ước tính chi phí vật liệu +"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Ngay cả khi có nhiều quy giá với ưu tiên cao nhất, ưu tiên nội bộ sau đó sau được áp dụng:" +Everyone can read,Tất cả mọi người có thể đọc +"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ố nối tiếp sau đó tự động sẽ được tạo ra dựa trên loạt bài này. Nếu bạn luô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." +Exchange Rate,Tỷ giá +Excise Duty 10,Tiêu thụ đặc biệt làm việc 10 +Excise Duty 14,Tiêu thụ đặc biệt thuế 14 +Excise Duty 4,Tiêu thụ đặc biệt Duty 4 +Excise Duty 8,Tiêu thụ đặc biệt Duty 8 +Excise Duty @ 10,Tiêu thụ đặc biệt thuế @ 10 +Excise Duty @ 14,Tiêu thụ đặc biệt thuế @ 14 +Excise Duty @ 4,Tiêu thụ đặc biệt Duty 4 @ +Excise Duty @ 8,Tiêu thụ đặc biệt Duty @ 8 +Excise Duty Edu Cess 2,Tiêu thụ đặc biệt Duty Edu Cess 2 +Excise Duty SHE Cess 1,Tiêu thụ đặc biệt Duty SHE Cess 1 +Excise Page Number,Tiêu thụ đặc biệt số trang +Excise Voucher,Phiếu tiêu thụ đặc biệt +Execution,Thực hiện +Executive Search,Điều hành Tìm kiếm +Exemption Limit,Giới hạn miễn +Exhibition,Triển lam +Existing Customer,Khách hàng hiện tại +Exit,Thoát +Exit Interview Details,Chi tiết thoát Phỏng vấn +Expected,Dự kiến +Expected Completion Date can not be less than Project Start Date,Dự kiến hoàn thành ngày không thể nhỏ hơn so với dự án Ngày bắt đầu +Expected Date cannot be before Material Request Date,Dự kiến ngày không thể trước khi vật liệu Yêu cầu ngày +Expected Delivery Date,Dự kiến sẽ giao hàng ngày +Expected Delivery Date cannot be before Purchase Order Date,Dự kiến sẽ giao hàng ngày không thể trước khi Mua hàng ngày +Expected Delivery Date cannot be before Sales Order Date,Dự kiến sẽ giao hàng ngày không thể trước khi bán hàng đặt hàng ngày +Expected End Date,Dự kiến kết thúc ngày +Expected Start Date,Dự kiến sẽ bắt đầu ngày +Expense,chi tiêu +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" +Expense Account,Tài khoản chi phí +Expense Account is mandatory,Tài khoản chi phí là bắt buộc +Expense Claim,Chi phí bồi thường +Expense Claim Approved,Chi phí bồi thường được phê duyệt +Expense Claim Approved Message,Thông báo yêu cầu bồi thường chi phí được chấp thuận +Expense Claim Detail,Chi phí bồi thường chi tiết +Expense Claim Details,Thông tin chi tiết chi phí yêu cầu bồi thường +Expense Claim Rejected,Chi phí yêu cầu bồi thường bị từ chối +Expense Claim Rejected Message,Thông báo yêu cầu bồi thường chi phí từ chối +Expense Claim Type,Loại chi phí yêu cầu bồi thường +Expense Claim has been approved.,Chi phí bồi thường đã được phê duyệt. +Expense Claim has been rejected.,Chi phí bồi thường đã bị từ chối. +Expense Claim is pending approval. Only the Expense Approver can update status.,Chi phí bồi thường đang chờ phê duyệt. Chỉ phê duyệt chi phí có thể cập nhật trạng thái. +Expense Date,Chi phí ngày +Expense Details,Thông tin chi tiết chi phí +Expense Head,Chi phí đầu +Expense account is mandatory for item {0},Tài khoản chi phí là bắt buộc đối với mục {0} +Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Chi phí hoặc khác biệt tài khoản là bắt buộc đối với mục {0} vì nó tác động tổng thể giá trị cổ phiếu +Expenses,Chi phí +Expenses Booked,Chi phí Thẻ vàng +Expenses Included In Valuation,Chi phí bao gồm trong định giá +Expenses booked for the digest period,Chi phí đặt cho giai đoạn tiêu hóa +Expiry Date,Ngày hết hiệu lực +Exports,Xuất khẩu +External,Bên ngoài +Extract Emails,Trích xuất email +FCFS Rate,FCFS Tỷ giá +Failed: , +Family Background,Gia đình nền +Fax,Fax +Features Setup,Tính năng cài đặt +Feed,Nuôi +Feed Type,Loại thức ăn +Feedback,Thông tin phản hồi +Female,Nữ +Fetch exploded BOM (including sub-assemblies),Lấy BOM nổ (bao gồm các cụm chi tiết) +"Field available in Delivery Note, Quotation, Sales Invoice, Sales Order","Trường có sẵn trong giao Lưu ý, báo giá, bán hàng hóa đơn, bán hàng đặt hàng" +Files Folder ID,Thư mục các tập ID +Fill the form and save it,Điền vào mẫu và lưu nó +Filter based on customer,Bộ lọc dựa trên khách hàng +Filter based on item,Lọc dựa trên mục +Financial / accounting year.,Năm tài chính / kế toán. +Financial Analytics,Analytics tài chính +Financial Services,Dịch vụ tài chính +Financial Year End Date,Năm tài chính kết thúc ngày +Financial Year Start Date,Năm tài chính bắt đầu ngày +Finished Goods,Hoàn thành Hàng +First Name,Họ +First Responded On,Đã trả lời đầu tiên On +Fiscal Year,Năm tài chính +Fiscal Year Start Date and Fiscal Year End Date are already set in Fiscal Year {0},Năm tài chính Ngày bắt đầu và tài chính cuối năm ngày đã được thiết lập trong năm tài chính {0} +Fiscal Year Start Date and Fiscal Year End Date cannot be more than a year apart.,Năm tài chính bắt đầu ngày và tài chính năm Ngày kết thúc không thể có nhiều hơn một tuổi. +Fiscal Year Start Date should not be greater than Fiscal Year End Date,Năm tài chính bắt đầu ngày không nên lớn hơn tài chính năm Ngày kết thúc +Fixed Asset,Tài sản cố định +Fixed Assets,Tài sản cố định +Follow via Email,Theo qua email +"Following table will show values if items are sub - contracted. These values will be fetched from the master of ""Bill of Materials"" of sub - contracted items.","Bảng dưới đây sẽ hiển thị giá trị nếu các mặt hàng là phụ - ký hợp đồng. Những giá trị này sẽ được lấy từ các bậc thầy của ""Bill Vật liệu"" của phụ - ký hợp đồng các mặt hàng." +Food,Thực phẩm +"Food, Beverage & Tobacco","Thực phẩm, đồ uống và thuốc lá" +"For 'Sales BOM' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Sales BOM' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Cho 'bán hàng BOM' mặt hàng, kho hàng, Serial No và hàng loạt Không có sẽ được xem xét từ bảng 'Packing List. Nếu kho và hàng loạt Không là giống nhau cho tất cả các mục đóng gói đối với bất kỳ 'bán hàng BOM' mục, những giá trị có thể được nhập vào mục bảng chính, giá trị này sẽ được sao chép vào ""Danh sách đóng gói 'bảng." +For Company,Đối với công ty +For Employee,Cho nhân viên +For Employee Name,Cho Tên nhân viên +For Price List,Đối với Bảng giá +For Production,Cho sản xuất +For Reference Only.,Để tham khảo. +For Sales Invoice,Đối với kinh doanh hóa đơn +For Server Side Print Formats,Cho Server Side định dạng In +For Supplier,Cho Nhà cung cấp +For Warehouse,Cho kho +For Warehouse is required before Submit,Kho cho là cần thiết trước khi Submit +"For e.g. 2012, 2012-13","Ví dụ như năm 2012, 2012-13" +For reference,Để tham khảo +For reference only.,Chỉ tham khảo. +"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ã có thể được sử dụng trong các định dạng như in hóa đơn và giao hàng Ghi chú" +Fraction,Phần +Fraction Units,Các đơn vị phân +Freeze Stock Entries,Đóng băng Cổ Entries +Freeze Stocks Older Than [Days],Cổ phiếu đóng băng cũ hơn [Ngày] +Freight and Forwarding Charges,Vận tải hàng hóa và chuyển tiếp phí +Friday,Thứ sáu +From,Từ +From Bill of Materials,Từ Bill Vật liệu +From Company,Từ Công ty +From Currency,Từ tệ +From Currency and To Currency cannot be same,Từ tiền tệ và ngoại tệ để không thể giống nhau +From Customer,Từ khách hàng +From Customer Issue,Từ hành khách hàng +From Date,Từ ngày +From Date cannot be greater than To Date,Từ ngày không có thể lớn hơn Đến ngày +From Date must be before To Date,Từ ngày phải trước Đến ngày +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} +From Delivery Note,Giao hàng tận nơi từ Lưu ý +From Employee,Từ nhân viên +From Lead,Từ chì +From Maintenance Schedule,Từ lịch bảo trì +From Material Request,Từ vật liệu Yêu cầu +From Opportunity,Cơ hội từ +From Package No.,Từ gói thầu số +From Purchase Order,Từ Mua hàng +From Purchase Receipt,Từ mua hóa đơn +From Quotation,Từ báo giá +From Sales Order,Không có hồ sơ tìm thấy +From Supplier Quotation,Nhà cung cấp báo giá từ +From Time,Thời gian từ +From Value,Từ giá trị gia tăng +From and To dates required,From và To ngày cần +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} +Frozen,Đông lạnh +Frozen Accounts Modifier,Đông lạnh khoản Modifier +Fulfilled,Hoàn thành +Full Name,Tên đầy đủ +Full-time,Toàn thời gian +Fully Billed,Được quảng cáo đầy đủ +Fully Completed,Hoàn thành đầy đủ +Fully Delivered,Giao đầy đủ +Furniture and Fixture,Đồ nội thất và đấu +Further accounts can be made under Groups but entries can be made against Ledger,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 Ledger +"Further accounts can be made under Groups, but entries can be made against Ledger","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 Ledger" +Further nodes can be only created under 'Group' type nodes,Các nút khác có thể được chỉ tạo ra dưới các nút kiểu 'Nhóm' +GL Entry,GL nhập +Gantt Chart,Biểu đồ Gantt +Gantt chart of all tasks.,Gantt biểu đồ của tất cả các nhiệm vụ. +Gender,Giới Tính +General,Chung +General Ledger,Sổ cái chung +Generate Description HTML,Tạo Mô tả HTML +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. +Generate Salary Slips,Tạo ra lương Trượt +Generate Schedule,Tạo Lịch +Generates HTML to include selected image in the description,Tạo ra HTML để bao gồm hình ảnh được lựa chọn trong mô tả +Get Advances Paid,Được trả tiền trước +Get Advances Received,Được nhận trước +Get Current Stock,Nhận chứng khoán hiện tại +Get Items,Được mục +Get Items From Sales Orders,Được mục Từ hàng đơn đặt hàng +Get Items from BOM,Được mục từ BOM +Get Last Purchase Rate,Nhận cuối Rate +Get Outstanding Invoices,Được nổi bật Hoá đơn +Get Relevant Entries,Được viết liên quan +Get Sales Orders,Nhận hàng đơn đặt hàng +Get Specification Details,Thông số kỹ thuật chi tiết được +Get Stock and Rate,Nhận chứng khoán và lãi suất +Get Template,Nhận Mẫu +Get Terms and Conditions,Nhận Điều khoản và Điều kiện +Get Unreconciled Entries,Nhận Unreconciled Entries +Get Weekly Off Dates,Nhận Tuần Tắt Ngày +"Get valuation rate and available stock at source/target warehouse on mentioned posting date-time. If serialized item, please press this button after entering serial nos.","Nhận mức định giá và cổ phiếu có sẵn tại nguồn / kho mục tiêu trên đã đề cập đăng tải ngày-thời gian. Nếu đăng mục, xin vui lòng nhấn nút này sau khi nhập nos nối tiếp." +Global Defaults,Mặc định toàn cầu +Global POS Setting {0} already created for company {1},Thiết lập POS toàn cầu {0} đã được tạo ra cho công ty {1} +Global Settings,Cài đặt toàn cầu +"Go to the appropriate group (usually Application of Funds > Current Assets > Bank Accounts and create a new Account Ledger (by clicking on Add Child) of type ""Bank""","Đi vào nhóm thích hợp (thường là ứng dụng của Quỹ> Tài sản ngắn hạn> Tài khoản ngân hàng và tạo ra một tài khoản mới Ledger (bằng cách nhấp vào Add Child) của kiểu ""Ngân hàng""" +"Go to the appropriate group (usually Source of Funds > Current Liabilities > Taxes and Duties and create a new Account Ledger (by clicking on Add Child) of type ""Tax"" and do mention the Tax rate.","Đi vào nhóm thích hợp (thường Nguồn vốn> hiện tại nợ> Thuế và Nhiệm vụ và tạo một tài khoản mới Ledger (bằng cách nhấp vào Add Child) của loại ""thuế"" và không đề cập đến tỷ lệ thuế." +Goal,Mục tiêu +Goals,Mục tiêu +Goods received from Suppliers.,Hàng nhận được từ nhà cung cấp. +Google Drive,Google Drive +Google Drive Access Allowed,Google Drive truy cập được phép +Government,Chính phủ. +Graduate,Sau đại học +Grand Total,Tổng cộng +Grand Total (Company Currency),Tổng cộng (Công ty tiền tệ) +"Grid ""","Lưới """ +Grocery,Cửa hàng tạp hóa +Gross Margin %,Lợi nhuận gộp% +Gross Margin Value,Tổng giá trị biên +Gross Pay,Tổng phải trả tiền +Gross Pay + Arrear Amount +Encashment Amount - Total Deduction,Tổng phải trả tiền + tiền còn thiếu Số tiền + séc Số tiền - Tổng số trích +Gross Profit,Lợi nhuận gộp +Gross Profit (%),Lãi gộp (%) +Gross Weight,Tổng trọng lượng +Gross Weight UOM,Tổng trọng lượng UOM +Group,Nhóm +Group by Account,Nhóm bởi tài khoản +Group by Voucher,Nhóm theo Phiếu +Group or Ledger,Nhóm hoặc Ledger +Groups,Nhóm +HR Manager,Trưởng phòng Nhân sự +HR Settings,Thiết lập nhân sự +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. +Half Day,Nửa ngày +Half Yearly,Nửa Trong Năm +Half-yearly,Nửa năm +Happy Birthday!,Chúc mừng sinh nhật! +Hardware,Phần cứng +Has Batch No,Có hàng loạt Không +Has Child Node,Có Node trẻ em +Has Serial No,Có Serial No +Head of Marketing and Sales,Trưởng phòng Marketing và Bán hàng +Header,Phần đầu +Health Care,Chăm sóc sức khỏe +Health Concerns,Mối quan tâm về sức khỏe +Health Details,Thông tin chi tiết về sức khỏe +Held On,Tổ chức Ngày +Help HTML,Giúp đỡ HTML +"Help: To link to another record in the system, use ""#Form/Note/[Note Name]"" as the Link URL. (don't use ""http://"")","Giúp đỡ: Để liên kết đến kỷ lục khác trong hệ thống, sử dụng ""# Mẫu / Lưu ý / [Chú ý Tên]"" như URL liên kết. (Không sử dụng ""http://"")" +"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" +"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" +Hide Currency Symbol,Ẩn tệ Ký hiệu +High,Cao +History In Company,Trong lịch sử Công ty +Hold,Giữ +Holiday,Kỳ nghỉ +Holiday List,Danh sách kỳ nghỉ +Holiday List Name,Kỳ nghỉ Danh sách Tên +Holiday master.,Chủ lễ. +Holidays,Ngày lễ +Home,nhà +Host,Máy chủ +"Host, Email and Password required if emails are to be pulled","Máy chủ, email và mật khẩu cần thiết nếu email sẽ được kéo" +Hour,Giờ +Hour Rate,Tỷ lệ giờ +Hour Rate Labour,Tỷ lệ giờ lao động +Hours,Giờ +How Pricing Rule is applied?,Làm thế nào giá Quy tắc được áp dụng? +How frequently?,Làm thế nào thường xuyên? +"How should this currency be formatted? If not set, will use system defaults","Làm thế nào đồng tiền này nên được định dạng? Nếu không được thiết lập, sẽ sử dụng mặc định của hệ" +Human Resources,Nhân sự +Identification of the package for the delivery (for print),Xác định các gói cho việc cung cấp (đối với in) +If Income or Expense,Nếu thu nhập hoặc chi phí +If Monthly Budget Exceeded,Nếu vượt quá ngân sách hàng tháng +"If Sale BOM is defined, the actual BOM of the Pack is displayed as table. Available in Delivery Note and Sales Order","Nếu ban BOM được xác định, HĐQT thực tế của gói được hiển thị như bảng. Có sẵn trong giao Note và bán hàng đặt hàng" +"If Supplier Part Number exists for given Item, it gets stored here","Nếu Nhà cung cấp Phần số tồn tại cho mục đã định, nó được lưu trữ ở đây" +If Yearly Budget Exceeded,Nếu ngân sách hàng năm vượt quá +"If checked, BOM for sub-assembly items will be considered for getting raw materials. Otherwise, all sub-assembly items will be treated as a raw material.","Nếu được chọn, Hội đồng quản trị cho các hạng mục phụ lắp ráp sẽ được xem xét để có được nguyên liệu. Nếu không, tất cả các mục phụ lắp ráp sẽ được coi như một nguyên liệu thô." +"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ố không. của ngày làm việc sẽ bao gồm 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" +"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount","Nếu được chọn, số tiền thuế sẽ được coi là đã có trong tiền lệ In / In" +If different than customer address,Nếu khác với địa chỉ của khách hàng +"If disable, 'Rounded Total' field will not be visible in any transaction","Nếu vô hiệu hóa, trường 'Tròn Tổng số' sẽ không được nhìn thấy trong bất kỳ giao dịch" +"If enabled, the system will post accounting entries for inventory automatically.","Nếu được kích hoạt, hệ thống sẽ gửi ghi sổ kế toán hàng tồn kho tự động." +If more than one package of the same type (for print),Nếu có nhiều hơn một gói cùng loại (đối với in) +"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." +"If no change in either Quantity or Valuation Rate, leave the cell blank.","Nếu không có thay đổi một trong hai lượng hoặc Tỷ lệ định giá, để trống tế bào." +If not applicable please enter: NA,Nếu không áp dụng vui lòng nhập: NA +"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." +"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 giá lựa chọn Quy tắc được thực hiện cho 'Giá', nó sẽ ghi đè lên Giá liệt kê. Giá giá Quy tắc là giá cuối cùng, vì vậy không có giảm giá hơn nữa nên được áp dụng. Do đó, trong các giao dịch như bán hàng đặt hàng, Mua hàng, vv, nó sẽ được lấy trong trường 'Tỷ lệ', chứ không phải là lĩnh vực 'Giá liệt kê Tỷ lệ'." +"If specified, send the newsletter using this email address","Nếu được chỉ định, gửi các bản tin sử dụng địa chỉ email này" +"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ế." +"If this Account represents a Customer, Supplier or Employee, set it here.","Nếu tài khoản này đại diện cho một khách hàng, nhà cung cấp hoặc nhân viên, thiết lập nó ở đây." +"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 hay nhiều quy 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 quy giá với điều kiện tương tự." +If you follow Quality Inspection. Enables Item QA Required and QA No in Purchase Receipt,Nếu bạn làm theo kiểm tra chất lượng. Cho phép hàng bảo đảm chất lượng yêu cầu và bảo đảm chất lượng Không có trong mua hóa đơn +If you have Sales Team and Sale Partners (Channel Partners) they can be tagged and maintain their contribution in the sales activity,Nếu bạn có đội ngũ bán hàng và bán Đối tác (Channel Partners) họ có thể được gắn và duy trì đóng góp của họ trong các hoạt động bán hàng +"If you have created a standard template in Purchase Taxes and Charges Master, select one and click on the button below.","Nếu bạn đã tạo ra một tiêu chuẩn mẫu trong Thuế Mua phí Master, chọn một và nhấn vào nút bên dưới." +"If you have created a standard template in Sales Taxes and Charges Master, select one and click on the button below.","Nếu bạn đã tạo ra một tiêu chuẩn mẫu trong Thuế Bán hàng và phí Master, chọn một và nhấn vào nút bên dưới." +"If you have long print formats, this feature can be used to split the page to be printed on multiple pages with all headers and footers on each page","Nếu bạn có định dạng in dài, tính năng này có thể được sử dụng để phân chia các trang được in trên nhiều trang với tất cả các header và footer trên mỗi trang" +If you involve in manufacturing activity. Enables Item 'Is Manufactured',Nếu bạn tham gia vào hoạt động sản xuất. Cho phép Item là Sản xuất ' +Ignore,Bỏ qua +Ignore Pricing Rule,Bỏ qua giá Rule +Ignored: , +Image,Hình +Image View,Xem hình ảnh +Implementation Partner,Đối tác thực hiện +Import Attendance,Nhập khẩu tham dự +Import Failed!,Nhập khẩu thất bại! +Import Log,Nhập khẩu Đăng nhập +Import Successful!,Nhập khẩu thành công! +Imports,Nhập khẩu +In Hours,Trong Hours +In Process,Trong quá trình +In Qty,Số lượng trong +In Value,Trong giá trị gia tăng +In Words,Trong từ +In Words (Company Currency),Trong từ (Công ty tiền tệ) +In Words (Export) will be visible once you save the Delivery Note.,Trong từ (xuất khẩu) sẽ được hiển thị khi bạn lưu Giao hàng tận nơi Lưu ý. +In Words will be visible once you save the Delivery Note.,Trong từ sẽ được hiển thị khi bạn lưu Giao hàng tận nơi Lưu ý. +In Words will be visible once you save the Purchase Invoice.,Trong từ sẽ được hiển thị khi bạn lưu các hóa đơn mua hàng. +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 Mua hàng. +In Words will be visible once you save the Purchase Receipt.,Trong từ sẽ được hiển thị khi bạn lưu các hóa đơn mua hàng. +In Words will be visible once you save the Quotation.,Trong từ sẽ được hiển thị khi bạn lưu các báo giá. +In Words will be visible once you save the Sales Invoice.,Trong từ sẽ được hiển thị khi bạn lưu các hóa đơn bán hàng. +In Words will be visible once you save the Sales Order.,Trong từ sẽ được hiển thị khi bạn lưu các thứ tự bán hàng. +Incentives,Ưu đãi +Include Reconciled Entries,Bao gồm Entries hòa giải +Include holidays in Total no. of Working Days,Bao gồm các ngày lễ trong Tổng số không. Days làm việc +Income,Thu nhập +Income / Expense,Thu nhập / chi phí +Income Account,Tài khoản thu nhập +Income Booked,Thu nhập Thẻ vàng +Income Tax,Thuế thu nhập +Income Year to Date,Thu nhập từ đầu năm đến ngày +Income booked for the digest period,Thu nhập đặt cho giai đoạn tiêu hóa +Incoming,Đến +Incoming Rate,Tỷ lệ đến +Incoming quality inspection.,Kiểm tra chất lượng đầu vào. +Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Sai số của các General Ledger Entries tìm thấy. Bạn có thể lựa chọn một tài khoản sai trong giao dịch. +Incorrect or Inactive BOM {0} for Item {1} at row {2},Không chính xác hoặc không hoạt động BOM {0} cho mục {1} tại hàng {2} +Indicates that the package is a part of this delivery (Only Draft),Chỉ ra rằng gói là một phần của việc phân phối này (Chỉ có Dự thảo) +Indirect Expenses,Chi phí gián tiếp +Indirect Income,Thu nhập gián tiếp +Individual,Individual +Industry,Ngành công nghiệp +Industry Type,Loại công nghiệp +Inspected By,Kiểm tra bởi +Inspection Criteria,Tiêu chuẩn kiểm tra +Inspection Required,Kiểm tra yêu cầu +Inspection Type,Loại kiểm tra +Installation Date,Cài đặt ngày +Installation Note,Lưu ý cài đặt +Installation Note Item,Lưu ý cài đặt hàng +Installation Note {0} has already been submitted,Lưu ý cài đặt {0} đã được gửi +Installation Status,Tình trạng cài đặt +Installation Time,Thời gian cài đặt +Installation date cannot be before delivery date for Item {0},Ngày cài đặt không thể trước ngày giao hàng cho hàng {0} +Installation record for a Serial No.,Bản ghi cài đặt cho một Số sản +Installed Qty,Số lượng cài đặt +Instructions,Hướng dẫn +Integrate incoming support emails to Support Ticket,Tích hợp email hỗ trợ đến để hỗ trợ vé +Interested,Quan tâm +Intern,Tập +Internal,Nội bộ +Internet Publishing,Internet xuất bản +Introduction,Giới thiệu chung +Invalid Barcode,Mã vạch không hợp lệ +Invalid Barcode or Serial No,Mã vạch không hợp lệ hoặc Serial No +Invalid Mail Server. Please rectify and try again.,Server Mail không hợp lệ. Xin khắc phục và thử lại. +Invalid Master Name,Tên Thầy không hợp lệ +Invalid User Name or Support Password. Please rectify and try again.,Tên tài khoản không hợp lệ hoặc Hỗ trợ mật khẩu. Xin khắc phục và thử lại. +Invalid quantity specified for item {0}. Quantity should be greater than 0.,Số lượng không hợp lệ quy định cho mặt hàng {0}. Số lượng phải lớn hơn 0. +Inventory,Hàng tồn kho +Inventory & Support,Hàng tồn kho & Hỗ trợ +Investment Banking,Ngân hàng đầu tư +Investments,Các khoản đầu tư +Invoice Date,Hóa đơn ngày +Invoice Details,Thông tin chi tiết hóa đơn +Invoice No,Không hóa đơn +Invoice Number,Số hóa đơn +Invoice Period From,Hóa đơn Thời gian Từ +Invoice Period From and Invoice Period To dates mandatory for recurring invoice,Thời gian hóa đơn từ và hóa đơn Thời gian Để ngày bắt buộc đối với hóa đơn định kỳ +Invoice Period To,Hóa đơn Thời gian để +Invoice Type,Loại hóa đơn +Invoice/Journal Voucher Details,Hóa đơn / Tạp chí Chứng từ chi tiết +Invoiced Amount (Exculsive Tax),Số tiền ghi trên hóa đơn (thuế Exculsive) +Is Active,Là hoạt động +Is Advance,Là Trước +Is Cancelled,Được hủy bỏ +Is Carry Forward,Được Carry Forward +Is Default,Mặc định là +Is Encash,Là thâu tiền bạc +Is Fixed Asset Item,Tài sản cố định là mục +Is LWP,Là LWP +Is Opening,Được mở cửa +Is Opening Entry,Được mở cửa nhập +Is POS,Là POS +Is Primary Contact,Là Tiểu học Liên hệ +Is Purchase Item,Là mua hàng +Is Sales Item,Là bán hàng +Is Service Item,Là dịch vụ hàng +Is Stock Item,Là Cổ Mã +Is Sub Contracted Item,Ký hợp đồng là tiểu mục +Is Subcontracted,Được ký hợp đồng phụ +Is this Tax included in Basic Rate?,Là thuế này bao gồm trong suất cơ bản? +Issue,Nội dung: +Issue Date,Ngày phát hành +Issue Details,Thông tin chi tiết vấn đề +Issued Items Against Production Order,Mục ban hành đối với sản xuất hàng +It can also be used to create opening stock entries and to fix stock value.,Nó cũng có thể được sử dụng để tạo ra mở mục cổ phiếu và giá trị cổ phiếu để sửa chữa. +Item,Hạng mục +Item Advanced,Mục chi tiết +Item Barcode,Mục mã vạch +Item Batch Nos,Mục hàng loạt Nos +Item Code,Mã hàng +Item Code > Item Group > Brand,Item Code> mục Nhóm> Nhãn hiệu +Item Code and Warehouse should already exist.,Mã hàng và kho nên đã tồn tại. +Item Code cannot be changed for Serial No.,Mã hàng không có thể được thay đổi cho Số sản +Item Code is mandatory because Item is not automatically numbered,Mục Mã số là bắt buộc vì mục không tự động đánh số +Item Code required at Row No {0},Mã mục bắt buộc khi Row Không có {0} +Item Customer Detail,Mục chi tiết khách hàng +Item Description,Mô tả hạng mục +Item Desription,Cái Mô tả sản phẩm +Item Details,Chi Tiết Sản Phẩm +Item Group,Nhóm hàng +Item Group Name,Mục Group Name +Item Group Tree,Nhóm mục Tree +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} +Item Groups in Details,Nhóm mục trong chi tiết +Item Image (if not slideshow),Mục Hình ảnh (nếu không slideshow) +Item Name,Tên hàng +Item Naming By,Mục đặt tên By +Item Price,Giá mục +Item Prices,Giá mục +Item Quality Inspection Parameter,Kiểm tra chất lượng sản phẩm Thông số +Item Reorder,Mục Sắp xếp lại +Item Serial No,Mục Serial No +Item Serial Nos,Mục nối tiếp Nos +Item Shortage Report,Thiếu mục Báo cáo +Item Supplier,Mục Nhà cung cấp +Item Supplier Details,Thông tin chi tiết sản phẩm Nhà cung cấp +Item Tax,Mục thuế +Item Tax Amount,Số tiền hàng Thuế +Item Tax Rate,Mục Thuế suất +Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"Mục thuế Row {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í" +Item Tax1,Mục Tax1 +Item To Manufacture,Để mục Sản xuất +Item UOM,Mục UOM +Item Website Specification,Mục Trang Thông số kỹ thuật +Item Website Specifications,Mục Trang Thông số kỹ thuật +Item Wise Tax Detail,Mục khôn ngoan chi tiết thuế +Item Wise Tax Detail , +Item is required,Mục được yêu cầu +Item is updated,Mục được cập nhật +Item master.,Mục sư. +"Item must be a purchase item, as it is present in one or many Active BOMs","Mục phải là một mục mua, vì nó hiện diện trong một hoặc nhiều BOMs đăng nhập" +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 +Item table can not be blank,Mục bảng không thể để trống +Item to be manufactured or repacked,Mục được sản xuất hoặc đóng gói lại +Item valuation updated,Mục định giá được cập nhật +Item will be saved by this name in the data base.,Mục sẽ được lưu theo tên này trong cơ sở dữ liệu. +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} +Item {0} does not exist,Mục {0} không tồn tại +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 +Item {0} does not exist in {1} {2},Mục {0} không tồn tại trong {1} {2} +Item {0} has already been returned,Mục {0} đã được trả lại +Item {0} has been entered multiple times against same operation,Mục {0} đã được nhập nhiều lần so với cùng hoạt động +Item {0} has been entered multiple times with same description or date,Mục {0} đã được nhập nhiều lần với cùng một mô tả hoặc ngày +Item {0} has been entered multiple times with same description or date or warehouse,Mục {0} đã được nhập nhiều lần với cùng một mô tả hoặc ngày hoặc kho +Item {0} has been entered twice,Mục {0} đã được nhập vào hai lần +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} +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 chứng khoán +Item {0} is cancelled,Mục {0} bị hủy bỏ +Item {0} is not Purchase Item,Mục {0} không được mua hàng +Item {0} is not a serialized Item,Mục {0} không phải là một khoản đăng +Item {0} is not a stock Item,Mục {0} không phải là một cổ phiếu hàng +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 +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ủ +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 được bỏ trống +Item {0} must be Sales Item,Mục {0} phải bán hàng +Item {0} must be Sales or Service Item in {1},Mục {0} phải bán hàng hoặc dịch vụ trong mục {1} +Item {0} must be Service Item,Mục {0} phải là dịch vụ hàng +Item {0} must be a Purchase Item,Mục {0} phải là mua hàng +Item {0} must be a Sales Item,Mục {0} phải là một mục bán hàng +Item {0} must be a Service Item.,Mục {0} phải là một dịch vụ Item. +Item {0} must be a Sub-contracted Item,Mục {0} phải là một mục phụ ký hợp đồng +Item {0} must be a stock Item,Mục {0} phải là một cổ phiếu hàng +Item {0} must be manufactured or sub-contracted,Mục {0} phải được sản xuất hoặc hợp đồng phụ +Item {0} not found,Mục {0} không tìm thấy +Item {0} with Serial No {1} is already installed,Mục {0} với Serial No {1} đã được cài đặt +Item {0} with same description entered twice,Mục {0} với cùng một mô tả vào hai lần +"Item, Warranty, AMC (Annual Maintenance Contract) details will be automatically fetched when Serial Number is selected.","Mục, bảo hành, AMC (Hợp đồng bảo trì hàng năm) chi tiết sẽ được tự động tải xuống khi Serial Number được chọn." +Item-wise Price List Rate,Item-khôn ngoan Giá liệt kê Tỷ giá +Item-wise Purchase History,Item-khôn ngoan Lịch sử mua hàng +Item-wise Purchase Register,Item-khôn ngoan mua Đăng ký +Item-wise Sales History,Item-khôn ngoan Lịch sử bán hàng +Item-wise Sales Register,Item-khôn ngoan doanh Đăng ký +"Item: {0} managed batch-wise, can not be reconciled using \ + Stock Reconciliation, instead use Stock Entry","Item: {0} quản lý hàng loạt khôn ngoan, không thể hòa giải bằng cách sử dụng \ + Cổ hòa giải, thay vì sử dụng hàng nhập" +Item: {0} not found in the system,Item: {0} không tìm thấy trong hệ thống +Items,Mục +Items To Be Requested,Mục To Be yêu cầu +Items required,Mục yêu cầu +"Items to be requested which are ""Out of Stock"" considering all warehouses based on projected qty and minimum order qty","Các mặt hàng được yêu cầu đó là ""Hết hàng"" xem xét tất cả các kho dựa trên SL dự và trật tự tối thiểu SL" +Items which do not exist in Item master can also be entered on customer's request,Mục không tồn tại tại khoản tổng thể cũng có thể được nhập theo yêu cầu của khách hàng +Itemwise Discount,Itemwise Giảm giá +Itemwise Recommended Reorder Level,Itemwise Đê Sắp xếp lại Cấp +Job Applicant,Nộp đơn công việc +Job Opening,Cơ hội nghề nghiệp +Job Profile,Hồ sơ công việc +Job Title,Chức vụ +"Job profile, qualifications required etc.","Hồ sơ công việc, trình độ chuyên môn cần thiết vv" +Jobs Email Settings,Thiết lập việc làm Email +Journal Entries,Tạp chí Entries +Journal Entry,Tạp chí nhập +Journal Voucher,Tạp chí Voucher +Journal Voucher Detail,Tạp chí Chứng từ chi tiết +Journal Voucher Detail No,Tạp chí Chứng từ chi tiết Không +Journal Voucher {0} does not have account {1} or already matched,Tạp chí Chứng từ {0} không có tài khoản {1} hoặc đã khớp +Journal Vouchers {0} are un-linked,Tạp chí Chứng từ {0} được bỏ liên kết +Keep a track of communication related to this enquiry which will help for future reference.,Giữ một ca khúc của truyền thông liên quan đến cuộc điều tra này sẽ giúp cho tài liệu tham khảo trong tương lai. +Keep it web friendly 900px (w) by 100px (h),Giữ cho nó thân thiện với web 900px (w) bởi 100px (h) +Key Performance Area,Hiệu suất chủ chốt trong khu vực +Key Responsibility Area,Diện tích Trách nhiệm chính +Kg,Kg +LR Date,LR ngày +LR No,LR Không +Label,Nhăn +Landed Cost Item,Chi phí hạ cánh hàng +Landed Cost Items,Chi phí hạ cánh mục +Landed Cost Purchase Receipt,Chi phí hạ cánh mua hóa đơn +Landed Cost Purchase Receipts,Hạ cánh Tiền thu Chi phí mua hàng +Landed Cost Wizard,Chi phí hạ cánh wizard +Landed Cost updated successfully,Chi phí hạ cánh cập nhật thành công +Language,Ngôn ngữ +Last Name,Tên +Last Purchase Rate,Cuối cùng Rate +Latest,Mới nhất +Lead,Lead +Lead Details,Chi tiết yêu cầu +Lead Id,Id dẫn +Lead Name,Tên dẫn +Lead Owner,Chủ đầu +Lead Source,Nguồn dẫn +Lead Status,Tình trạng dẫn +Lead Time Date,Chì Thời gian ngày +Lead Time Days,Thời gian dẫn ngày +Lead Time days is number of days by which this item is expected in your warehouse. This days is fetched in Material Request when you select this item.,Chì ngày Thời gian là số ngày mà mặt hàng này dự kiến trong kho của bạn. Ngày này được lấy trong Vật liệu Yêu cầu khi bạn chọn mục này. +Lead Type,Loại chì +Lead must be set if Opportunity is made from Lead,Dẫn phải được thiết lập nếu Cơ hội được làm từ chì +Leave Allocation,Phân bổ lại +Leave Allocation Tool,Công cụ để phân bổ +Leave Application,Để lại ứng dụng +Leave Approver,Để phê duyệt +Leave Approvers,Để lại người phê duyệt +Leave Balance Before Application,Trước khi rời khỏi cân ứng dụng +Leave Block List,Để lại Block List +Leave Block List Allow,Để lại Block List phép +Leave Block List Allowed,Để lại Block List phép +Leave Block List Date,Để lại Danh sách Chặn ngày +Leave Block List Dates,Để lại Danh sách Chặn Ngày +Leave Block List Name,Để lại Block List Tên +Leave Blocked,Lại bị chặn +Leave Control Panel,Để lại Control Panel +Leave Encashed?,Để lại Encashed? +Leave Encashment Amount,Để lại séc Số tiền +Leave Type,Loại bỏ +Leave Type Name,Loại bỏ Tên +Leave Without Pay,Nếu không phải trả tiền lại +Leave application has been approved.,Ứng dụng để lại đã được phê duyệt. +Leave application has been rejected.,Ứng dụng để lại đã bị từ chối. +Leave approver must be one of {0},Để phê duyệt phải là một trong {0} +Leave blank if considered for all branches,Để trống nếu xem xét tất cả các ngành +Leave blank if considered for all departments,Để trống nếu xem xét tất cả các phòng ban +Leave blank if considered for all designations,Để trống nếu xem xét tất cả các chỉ định +Leave blank if considered for all employee types,Để trống nếu xem xét tất cả các loại nhân viên +"Leave can be approved by users with Role, ""Leave Approver""","Lại có thể được chấp thuận bởi người dùng có vai trò, ""Hãy để phê duyệt""" +Leave of type {0} cannot be longer than {1},Nghỉ phép loại {0} không thể dài hơn {1} +Leaves Allocated Successfully for {0},Lá được phân bổ thành công cho {0} +Leaves for type {0} already allocated for Employee {1} for Fiscal Year {0},Lá cho loại {0} đã được giao cho nhân viên {1} cho năm tài chính {0} +Leaves must be allocated in multiples of 0.5,"Lá phải được phân bổ trong bội số của 0,5" +Ledger,Sổ +Ledgers,Sổ +Left,Trái +Legal,pháp lý +Legal Expenses,Chi phí pháp lý +Letter Head,Thư Head +Letter Heads for print templates.,Thư đứng đầu cho các mẫu in. +Level,Mức độ +Lft,Lft +Liability,Trách nhiệm +List a few of your customers. They could be organizations or individuals.,"Danh sách một số khách hàng của bạn. Họ có thể là các tổ chức, cá nhân." +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, cá nhân." +List items that form the package.,Danh sách vật phẩm tạo thành các gói. +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. +"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.","Danh sách sản phẩm hoặc dịch vụ mà bạn mua hoặc bán của bạn. Hãy chắc chắn để kiểm tra các mục Group, Đơn vị đo và các tài sản khác khi bạn bắt đầu." +"List your tax heads (e.g. VAT, Excise; 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ế VAT, tiêu thụ đặc biệt, 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, bạn có thể chỉnh sửa và bổ sung thêm sau hơn." +Loading...,Đang tải... +Loans (Liabilities),Các khoản vay (Nợ phải trả) +Loans and Advances (Assets),Cho vay trước (tài sản) +Local,địa phương +Login,Đăng nhập +Login with your new User ID,Đăng nhập với tên người dùng của bạn mới +Logo,Logo +Logo and Letter Heads,Logo và Thư đứng đầu +Lost,Thua +Lost Reason,Lý do bị mất +Low,Thấp +Lower Income,Thu nhập thấp +MTN Details,MTN chi tiết +Main,Chính +Main Reports,Báo cáo chính +Maintain Same Rate Throughout Sales Cycle,Duy trì Cùng Rate Trong suốt chu kỳ kinh doanh +Maintain same rate throughout purchase cycle,Duy trì cùng một tốc độ trong suốt chu kỳ mua +Maintenance,Bảo trì +Maintenance Date,Bảo trì ngày +Maintenance Details,Thông tin chi tiết bảo trì +Maintenance Schedule,Lịch trình bảo trì +Maintenance Schedule Detail,Lịch trình bảo dưỡng chi tiết +Maintenance Schedule Item,Lịch trình bảo trì hàng +Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',Lịch trình bảo trì không được tạo ra cho tất cả các mục. Vui lòng click vào 'Tạo lịch' +Maintenance Schedule {0} exists against {0},Lịch trình bảo trì {0} tồn tại đối với {0} +Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Lịch trình bảo trì {0} phải được hủy bỏ trước khi hủy bỏ đơn đặt hàng này +Maintenance Schedules,Lịch bảo trì +Maintenance Status,Tình trạng bảo trì +Maintenance Time,Thời gian bảo trì +Maintenance Type,Loại bảo trì +Maintenance Visit,Bảo trì đăng nhập +Maintenance Visit Purpose,Bảo trì đăng nhập Mục đích +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 +Maintenance start date can not be before delivery date for Serial No {0},Bảo trì ngày bắt đầu không thể trước ngày giao hàng cho Serial No {0} +Major/Optional Subjects,Chính / Đối tượng bắt buộc +Make , +Make Accounting Entry For Every Stock Movement,Làm kế toán nhập Đối với tất cả phong trào Cổ +Make Bank Voucher,Làm cho Ngân hàng Phiếu +Make Credit Note,Làm cho tín dụng Ghi chú +Make Debit Note,Làm báo nợ +Make Delivery,Làm cho giao hàng +Make Difference Entry,Hãy khác biệt nhập +Make Excise Invoice,Làm cho tiêu thụ đặc biệt Hóa đơn +Make Installation Note,Hãy cài đặt Lưu ý +Make Invoice,Làm cho hóa đơn +Make Maint. Schedule,"Làm, TP. Lập lịch quét" +Make Maint. Visit,"Làm, TP. Lần" +Make Maintenance Visit,Thực hiện bảo trì đăng nhập +Make Packing Slip,Thực hiện đóng gói trượt +Make Payment,Thực hiện thanh toán +Make Payment Entry,Thực hiện thanh toán nhập +Make Purchase Invoice,Thực hiện mua hóa đơn +Make Purchase Order,Từ mua hóa đơn +Make Purchase Receipt,Thực hiện mua hóa đơn +Make Salary Slip,Làm cho lương trượt +Make Salary Structure,Làm cho cấu trúc lương +Make Sales Invoice,Làm Mua hàng +Make Sales Order,Thực hiện bán hàng đặt hàng +Make Supplier Quotation,Nhà cung cấp báo giá thực hiện +Make Time Log Batch,Giờ làm hàng loạt +Male,Name +Manage Customer Group Tree.,Quản lý Nhóm khách hàng Tree. +Manage Sales Partners.,Quản lý bán hàng đối tác. +Manage Sales Person Tree.,Quản lý bán hàng người Tree. +Manage Territory Tree.,Quản lý Lãnh thổ Tree. +Manage cost of operations,Quản lý chi phí hoạt động +Management,Quản lý +Manager,Chi cục trưởng +"Mandatory if Stock Item is ""Yes"". Also the default warehouse where reserved quantity is set from Sales Order.","Bắt buộc nếu Cổ Mã là ""Có"". Cũng là kho mặc định mà số lượng dự trữ được thiết lập từ bán hàng đặt hàng." +Manufacture against Sales Order,Sản xuất với bán hàng đặt hàng +Manufacture/Repack,Sản xuất / Repack +Manufactured Qty,Số lượng sản xuất +Manufactured quantity will be updated in this warehouse,Số lượng sản xuất sẽ được cập nhật trong kho này +Manufactured quantity {0} cannot be greater than planned quanitity {1} in Production Order {2},Số lượng sản xuất {0} không thể lớn hơn quanitity kế hoạch {1} trong sản xuất hàng {2} +Manufacturer,Nhà sản xuất +Manufacturer Part Number,Nhà sản xuất Phần số +Manufacturing,Sản xuất +Manufacturing Quantity,Số lượng sản xuất +Manufacturing Quantity is mandatory,Số lượng sản xuất là bắt buộc +Margin,Biên +Marital Status,Tình trạng hôn nhân +Market Segment,Phân khúc thị trường +Marketing,Marketing +Marketing Expenses,Chi phí tiếp thị +Married,Kết hôn +Mass Mailing,Gửi thư hàng loạt +Master Name,Tên chủ +Master Name is mandatory if account type is Warehouse,Tên chủ là bắt buộc nếu loại tài khoản là kho +Master Type,Loại chủ +Masters,Masters +Match non-linked Invoices and Payments.,Phù hợp với hoá đơn không liên kết và Thanh toán. +Material Issue,Phát hành tài liệu +Material Receipt,Tiếp nhận tài liệu +Material Request,Yêu cầu tài liệu +Material Request Detail No,Yêu cầu tài liệu chi tiết Không +Material Request For Warehouse,Yêu cầu tài liệu Đối với Kho +Material Request Item,Tài liệu Yêu cầu mục +Material Request Items,Tài liệu Yêu cầu mục +Material Request No,Yêu cầu tài liệu Không +Material Request Type,Tài liệu theo yêu cầu Loại +Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Yêu cầu vật chất của tối đa {0} có thể được thực hiện cho mục {1} đối với bán hàng đặt hàng {2} +Material Request used to make this Stock Entry,Yêu cầu vật liệu sử dụng để làm cho nhập chứng khoán này +Material Request {0} is cancelled or stopped,Yêu cầu tài liệu {0} được huỷ bỏ hoặc dừng lại +Material Requests for which Supplier Quotations are not created,Các yêu cầu vật chất mà Trích dẫn Nhà cung cấp không được tạo ra +Material Requests {0} created,Các yêu cầu nguyên liệu {0} tạo +Material Requirement,Yêu cầu tài liệu +Material Transfer,Chuyển tài liệu +Materials,Nguyên liệu +Materials Required (Exploded),Vật liệu bắt buộc (phát nổ) +Max 5 characters,Tối đa 5 ký tự +Max Days Leave Allowed,Để lại tối đa ngày phép +Max Discount (%),Giảm giá tối đa (%) +Max Qty,Số lượng tối đa +Max discount allowed for item: {0} is {1}%,Tối đa cho phép giảm giá cho mặt hàng: {0} {1}% +Maximum Amount,Số tiền tối đa +Maximum allowed credit is {0} days after posting date,Tín dụng được phép tối đa là {0} ngày kể từ ngày đăng +Maximum {0} rows allowed,Tối đa {0} hàng cho phép +Maxiumm discount for Item {0} is {1}%,Giảm giá Maxiumm cho mục {0} {1}% +Medical,Y khoa +Medium,Trung bình +"Merging is only possible if following properties are same in both records. Group or Ledger, Root Type, Company","Sáp nhập chỉ có thể nếu tính sau là như nhau trong cả hai hồ sơ. Nhóm hoặc Ledger, rễ loại, Công ty" +Message,Tin nhắn +Message Parameter,Thông số tin nhắn +Message Sent,Gửi tin nhắn +Message updated,Tin cập nhật +Messages,Tin nhắn +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 +Middle Income,Thu nhập trung bình +Milestone,Sự kiện quan trọng +Milestone Date,Cột mốc ngày +Milestones,Lịch sử phát triển +Milestones will be added as Events in the Calendar,Sự kiện quan trọng sẽ được thêm vào như là sự kiện trong Lịch +Min Order Qty,Đặt mua tối thiểu Số lượng +Min Qty,Min Số lượng +Min Qty can not be greater than Max Qty,Min Số lượng không có thể lớn hơn Max Số lượng +Minimum Amount,Số tiền tối thiểu +Minimum Order Qty,Đặt hàng tối thiểu Số lượng +Minute,Phút +Misc Details,Misc chi tiết +Miscellaneous Expenses,Chi phí linh tinh +Miscelleneous,Miscelleneous +Mobile No,Điện thoại di động Không +Mobile No.,Điện thoại di động số +Mode of Payment,Hình thức thanh toán +Modern,Hiện đại +Monday,Thứ Hai +Month,Tháng +Monthly,Hàng tháng +Monthly Attendance Sheet,Hàng tháng tham dự liệu +Monthly Earning & Deduction,Thu nhập hàng tháng và khoản giảm trừ +Monthly Salary Register,Hàng tháng Lương Đăng ký +Monthly salary statement.,Báo cáo tiền lương hàng tháng. +More Details,Xem chi tiết +More Info,Xem thông tin +Motion Picture & Video,Điện ảnh & Video +Moving Average,Di chuyển trung bình +Moving Average Rate,Tỷ lệ trung bình di chuyển +Mr,Ông +Ms,Ms +Multiple Item prices.,Nhiều giá Item. +"Multiple Price Rule exists with same criteria, please resolve \ + conflict by assigning priority. Price Rules: {0}","Giá nhiều quy tắc 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. Quy định giá: {0}" +Music,Nhạc +Must be Whole Number,Phải có nguyên số +Name,Tên +Name and Description,Tên và mô tả +Name and Employee ID,Tên và nhân viên ID +"Name of new Account. Note: Please don't create accounts for Customers and Suppliers, they are created automatically from the Customer and Supplier master","Tên của tài khoản mới. Lưu ý: Vui lòng không tạo tài khoản cho khách hàng và nhà cung cấp, chúng được tạo ra tự động từ các khách hàng và nhà cung cấp tổng thể" +Name of person or organization that this address belongs to.,Tên của người hoặc tổ chức địa chỉ này thuộc về. +Name of the Budget Distribution,Tên của ngân sách nhà phân phối +Naming Series,Đặt tên dòng +Negative Quantity is not allowed,Số lượng tiêu cực không được phép +Negative Stock Error ({6}) for Item {0} in Warehouse {1} on {2} {3} in {4} {5},Tiêu cực Cổ Lỗi ({6}) cho mục {0} trong kho {1} trên {2} {3} trong {4} {5} +Negative Valuation Rate is not allowed,Tỷ lệ tiêu cực Định giá không được phép +Negative balance in Batch {0} for Item {1} at Warehouse {2} on {3} {4},Dư âm trong hàng loạt {0} cho mục {1} tại Kho {2} trên {3} {4} +Net Pay,Net phải trả tiền +Net Pay (in words) will be visible once you save the Salary Slip.,Net phải trả tiền (bằng chữ) sẽ được hiển thị khi bạn lưu Phiếu lương. +Net Profit / Loss,Lợi nhuận ròng / lỗ +Net Total,Net Tổng số +Net Total (Company Currency),Net Tổng số (Công ty tiền tệ) +Net Weight,Trọng lượng +Net Weight UOM,Trọng lượng UOM +Net Weight of each Item,Trọng lượng của mỗi Item +Net pay cannot be negative,Trả tiền net không thể phủ định +Never,Không bao giờ +New , +New Account,Tài khoản mới +New Account Name,Tài khoản mới Tên +New BOM,Mới BOM +New Communications,Truyền thông mới +New Company,Công ty mới +New Cost Center,Trung tâm Chi phí mới +New Cost Center Name,Tên mới Trung tâm Chi phí +New Delivery Notes,Ghi chú giao hàng mới +New Enquiries,Thắc mắc mới +New Leads,Chào mới +New Leave Application,Để lại ứng dụng mới +New Leaves Allocated,Lá mới phân bổ +New Leaves Allocated (In Days),Lá mới phân bổ (Trong ngày) +New Material Requests,Các yêu cầu vật liệu mới +New Projects,Các dự án mới +New Purchase Orders,Đơn đặt hàng mua mới +New Purchase Receipts,Tiền thu mua mới +New Quotations,Trích dẫn mới +New Sales Orders,Hàng đơn đặt hàng mới +New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Mới Serial No không thể có Warehouse. Kho phải được thiết lập bởi Cổ nhập hoặc mua hóa đơn +New Stock Entries,Mới Cổ Entries +New Stock UOM,Mới Cổ UOM +New Stock UOM is required,Mới Cổ UOM được yêu cầu +New Stock UOM must be different from current stock UOM,Mới Cổ UOM phải khác UOM cổ phiếu hiện tại +New Supplier Quotations,Trích dẫn Nhà cung cấp mới +New Support Tickets,Hỗ trợ vé mới +New UOM must NOT be of type Whole Number,Mới UOM không phải là loại nguyên số +New Workplace,Nơi làm việc mới +Newsletter,Đăng ký nhận tin +Newsletter Content,Nội dung bản tin +Newsletter Status,Tình trạng bản tin +Newsletter has already been sent,Bản tin đã được gửi +"Newsletters to contacts, leads.","Các bản tin để liên lạc, dẫn." +Newspaper Publishers,Các nhà xuất bản báo +Next,Tiếp theo +Next Contact By,Tiếp theo Liên By +Next Contact Date,Tiếp theo Liên lạc ngày +Next Date,Tiếp theo ngày +Next email will be sent on:,Email tiếp theo sẽ được gửi về: +No,Không đồng ý +No Customer Accounts found.,Không có tài khoản khách hàng được tìm thấy. +No Customer or Supplier Accounts found,Không có khách hàng hoặc nhà cung cấp khoản tìm thấy +No Expense Approvers. Please assign 'Expense Approver' Role to atleast one user,Không có người phê duyệt chi phí. Hãy chỉ định 'Chi phí phê duyệt' Vai trò để ít nhất một người sử dụng +No Item with Barcode {0},Không có hàng với mã vạch {0} +No Item with Serial No {0},Không có hàng với Serial No {0} +No Items to pack,Không có mục để đóng gói +No Leave Approvers. Please assign 'Leave Approver' Role to atleast one user,Không có người phê duyệt Để lại. Hãy chỉ định 'Để lại phê duyệt' Vai trò để ít nhất một người sử dụng +No Permission,Không phép +No Production Orders created,Không có đơn đặt hàng sản xuất tạo ra +No Supplier Accounts found. Supplier Accounts are identified based on 'Master Type' value in account record.,Không có tài khoản Nhà cung cấp được tìm thấy. Tài khoản nhà cung cấp được xác định dựa trên giá trị 'Master Type' trong hồ sơ tài khoản. +No accounting entries for the following warehouses,Không ghi sổ kế toán cho các kho sau +No addresses created,Không có địa chỉ tạo ra +No contacts created,Không có địa chỉ liên lạc được tạo ra +No default Address Template found. Please create a new one from Setup > Printing and Branding > Address Template.,Không mặc định Địa chỉ Template được tìm thấy. Hãy tạo một cái mới từ Setup> In ấn và xây dựng thương hiệu> Địa chỉ Template. +No default BOM exists for Item {0},Không có Hội đồng quản trị mặc định tồn tại cho mục {0} +No description given,Không có mô tả cho +No employee found,Không có nhân viên tìm thấy +No employee found!,Không có nhân viên tìm thấy! +No of Requested SMS,Không được yêu cầu của tin nhắn SMS +No of Sent SMS,Không có tin nhắn SMS gửi +No of Visits,Không có các chuyến thăm +No permission,Không có sự cho phép +No record found,Rohit ERPNext Phần mở rộng (thường) +No records found in the Invoice table,Không có hồ sơ được tìm thấy trong bảng hóa đơn +No records found in the Payment table,Không có hồ sơ được tìm thấy trong bảng thanh toán +No salary slip found for month: , +Non Profit,Không lợi nhuận +Nos,lớp +Not Active,Không đăng nhập +Not Applicable,Không áp dụng +Not Available,Không có +Not Billed,Không Được quảng cáo +Not Delivered,Không Delivered +Not Set,Không đặt +Not allowed to update stock transactions older than {0},Không được phép cập nhật lớn hơn giao dịch cổ phiếu {0} +Not authorized to edit frozen Account {0},Không được phép chỉnh sửa tài khoản đông lạnh {0} +Not authroized since {0} exceeds limits,Không authroized từ {0} vượt quá giới hạn +Not permitted,Không được phép +Note,Nốt nhạc +Note User,Lưu ý tài +"Note: Backups and files are not deleted from Dropbox, you will have to delete them manually.","Lưu ý: Sao lưu và các tập tin không bị xóa từ Dropbox, bạn sẽ phải xóa chúng bằng tay." +"Note: Backups and files are not deleted from Google Drive, you will have to delete them manually.","Lưu ý: Sao lưu và các tập tin không bị xóa khỏi Google Drive, bạn sẽ phải xóa chúng bằng tay." +Note: Due Date exceeds the allowed credit days by {0} day(s),Lưu ý: Do ngày vượt quá ngày tín dụng được phép bởi {0} ngày (s) +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 +Note: Item {0} entered multiple times,Lưu ý: Item {0} nhập nhiều lần +Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,Lưu ý: Hiệu 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 quy định rõ +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 trên giao và quá đặt phòng cho hàng {0} như số lượng hoặc số lượng là 0 +Note: There is not enough leave balance for Leave Type {0},Lưu ý: Không có đủ số dư để lại cho Rời Loại {0} +Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Lưu ý: Trung tâm Chi phí này là một nhóm. Không thể thực hiện ghi sổ kế toán chống lại các nhóm. +Note: {0},Lưu ý: {0} +Notes,Chú thích: +Notes:,Ghi chú: +Nothing to request,Không có gì để yêu cầu +Notice (days),Thông báo (ngày) +Notification Control,Kiểm soát thông báo +Notification Email Address,Thông báo Địa chỉ Email +Notify by Email on creation of automatic Material Request,Thông báo qua email trên tạo ra các yêu cầu vật liệu tự động +Number Format,Định dạng số +Offer Date,Phục vụ ngày +Office,Văn phòng +Office Equipments,Thiết bị văn phòng +Office Maintenance Expenses,Chi phí bảo trì văn phòng +Office Rent,Thuê văn phòng +Old Parent,Cũ Chánh +On Net Total,Trên Net Tổng số +On Previous Row Amount,Trước trên Row Số tiền +On Previous Row Total,Trước trên Row Tổng số +Online Auctions,Đấu giá trực tuyến +Only Leave Applications with status 'Approved' can be submitted,Để lại chỉ ứng dụng với tình trạng 'chấp nhận' có thể được gửi +"Only Serial Nos with status ""Available"" can be delivered.","Chỉ nối tiếp Nos với tình trạng ""có sẵn"" có thể được chuyển giao." +Only leaf nodes are allowed in transaction,Chỉ các nút lá được cho phép trong giao dịch +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 +Open,Mở +Open Production Orders,Đơn đặt hàng mở sản xuất +Open Tickets,Mở Vé +Opening (Cr),Mở (Cr) +Opening (Dr),Mở (Tiến sĩ) +Opening Date,Mở ngày +Opening Entry,Mở nhập +Opening Qty,Mở Số lượng +Opening Time,Thời gian mở +Opening Value,Giá trị mở +Opening for a Job.,Mở đầu cho một công việc. +Operating Cost,Chi phí hoạt động +Operation Description,Mô tả hoạt động +Operation No,Không hoạt động +Operation Time (mins),Thời gian hoạt động (phút) +Operation {0} is repeated in Operations Table,Hoạt động {0} được lặp đi lặp lại trong các hoạt động Bảng +Operation {0} not present in Operations Table,Hoạt động {0} không có mặt trong hoạt động Bảng +Operations,Tác vụ +Opportunity,Cơ hội +Opportunity Date,Cơ hội ngày +Opportunity From,Từ cơ hội +Opportunity Item,Cơ hội mục +Opportunity Items,Cơ hội mục +Opportunity Lost,Cơ hội bị mất +Opportunity Type,Loại cơ hội +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 các giao dịch khác nhau. +Order Type,Loại thứ tự +Order Type must be one of {0},Loại thứ tự phải là một trong {0} +Ordered,Ra lệnh +Ordered Items To Be Billed,Ra lệnh tiêu được lập hoá đơn +Ordered Items To Be Delivered,Ra lệnh tiêu được giao +Ordered Qty,Số lượng đặt hàng +"Ordered Qty: Quantity ordered for purchase, but not received.","Ra lệnh Số lượng: Số lượng đặt mua, nhưng không nhận được." +Ordered Quantity,Số lượng đặt hàng +Orders released for production.,Đơn đặt hàng phát hành để sản xuất. +Organization Name,Tên tổ chức +Organization Profile,Tổ chức hồ sơ +Organization branch master.,Chủ chi nhánh tổ chức. +Organization unit (department) master.,Đơn vị tổ chức (bộ phận) làm chủ. +Other,Khác +Other Details,Các chi tiết khác +Others,Các thông tin khác +Out Qty,Số lượng ra +Out Value,Ra giá trị gia tăng +Out of AMC,Của AMC +Out of Warranty,Ra khỏi bảo hành +Outgoing,Đi +Outstanding Amount,Số tiền nợ +Outstanding for {0} cannot be less than zero ({1}),Xuất sắc cho {0} không thể nhỏ hơn không ({1}) +Overhead,Trên không +Overheads,Phí +Overlapping conditions found between:,Điều kiện chồng chéo tìm thấy giữa: +Overview,Tổng quan +Owned,Sở hữu +Owner,Chủ sở hữu +P L A - Cess Portion,PLA - Phần Cess +PL or BS,PL hoặc BS +PO Date,PO ngày +PO No,PO Không +POP3 Mail Server,POP3 Mail Server +POP3 Mail Settings,POP3 chỉnh Thư +POP3 mail server (e.g. pop.gmail.com),Máy chủ mail POP3 (ví dụ pop.gmail.com) +POP3 server e.g. (pop.gmail.com),Ví dụ như máy chủ POP3 (pop.gmail.com) +POS Setting,Thiết lập POS +POS Setting required to make POS Entry,Thiết lập POS cần thiết để làm cho POS nhập +POS Setting {0} already created for user: {1} and company {2},Thiết lập POS {0} đã được tạo ra cho người sử dụng: {1} và công ty {2} +POS View,POS Xem +PR Detail,PR chi tiết +Package Item Details,Gói món hàng Chi tiết +Package Items,Gói mục +Package Weight Details,Gói Trọng lượng chi tiết +Packed Item,Khoản đóng gói +Packed quantity must equal quantity for Item {0} in row {1},Số lượng đóng gói phải bằng số lượng cho hàng {0} trong hàng {1} +Packing Details,Chi tiết đóng gói +Packing List,Danh sách đóng gói +Packing Slip,Đóng gói trượt +Packing Slip Item,Đóng gói trượt mục +Packing Slip Items,Đóng gói trượt mục +Packing Slip(s) cancelled,Đóng gói trượt (s) bị hủy bỏ +Page Break,Page Break +Page Name,Tên trang +Paid Amount,Số tiền thanh toán +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 +Pair,Đôi +Parameter,Thông số +Parent Account,Tài khoản cha mẹ +Parent Cost Center,Trung tâm Chi phí cha mẹ +Parent Customer Group,Cha mẹ Nhóm khách hàng +Parent Detail docname,Cha mẹ chi tiết docname +Parent Item,Cha mẹ mục +Parent Item Group,Cha mẹ mục Nhóm +Parent Item {0} must be not Stock Item and must be a Sales Item,Cha mẹ mục {0} phải không Cổ Mã và phải là một mục bán hàng +Parent Party Type,Loại Đảng cha mẹ +Parent Sales Person,Người bán hàng mẹ +Parent Territory,Lãnh thổ cha mẹ +Parent Website Page,Mẹ Trang Trang +Parent Website Route,Mẹ Trang web Route +Parenttype,Parenttype +Part-time,Bán thời gian +Partially Completed,Một phần hoàn thành +Partly Billed,Được quảng cáo một phần +Partly Delivered,Một phần Giao +Partner Target Detail,Đối tác mục tiêu chi tiết +Partner Type,Loại đối tác +Partner's Website,Trang web đối tác của +Party,Bên +Party Account,Tài khoản của bên +Party Type,Loại bên +Party Type Name,Loại bên Tên +Passive,Thụ động +Passport Number,Số hộ chiếu +Password,Mật khẩu +Pay To / Recd From,Để trả / Recd Từ +Payable,Phải nộp +Payables,Phải trả +Payables Group,Phải trả Nhóm +Payment Days,Ngày thanh toán +Payment Due Date,Thanh toán Due Date +Payment Period Based On Invoice Date,Thời hạn thanh toán Dựa trên hóa đơn ngày +Payment Reconciliation,Hòa giải thanh toán +Payment Reconciliation Invoice,Hòa giải thanh toán hóa đơn +Payment Reconciliation Invoices,Hoá đơn thanh toán hòa giải +Payment Reconciliation Payment,Hòa giải thanh toán thanh toán +Payment Reconciliation Payments,Thanh toán Đối chiếu thanh toán +Payment Type,Loại thanh toán +Payment cannot be made for empty cart,Thanh toán không thể được thực hiện cho hàng trống +Payment of salary for the month {0} and year {1},Thanh toán tiền lương trong tháng {0} và năm {1} +Payments,Thanh toán +Payments Made,Thanh toán Made +Payments Received,Thanh toán nhận +Payments made during the digest period,Các khoản thanh toán trong khoảng thời gian tiêu hóa +Payments received during the digest period,Khoản tiền nhận được trong thời gian tiêu hóa +Payroll Settings,Thiết lập bảng lương +Pending,Chờ +Pending Amount,Số tiền cấp phát +Pending Items {0} updated,Cấp phát mục {0} cập nhật +Pending Review,Đang chờ xem xét +Pending SO Items For Purchase Request,Trong khi chờ SO mục Đối với mua Yêu cầu +Pension Funds,Quỹ lương hưu +Percent Complete,Toàn bộ phần trăm +Percentage Allocation,Tỷ lệ phần trăm phân bổ +Percentage Allocation should be equal to 100%,Tỷ lệ phần trăm phân bổ phải bằng 100% +Percentage variation in quantity to be allowed while receiving or delivering this item.,Sự thay đổi tỷ lệ phần trăm trong số lượng được cho phép trong khi tiếp nhận hoặc cung cấp mặt hàng này. +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ị. +Performance appraisal.,Đánh giá hiệu quả. +Period,Thời gian +Period Closing Voucher,Voucher thời gian đóng cửa +Periodicity,Tính tuần hoàn +Permanent Address,Địa chỉ thường trú +Permanent Address Is,Địa chỉ thường trú là +Permission,Cho phép +Personal,Cá nhân +Personal Details,Thông tin chi tiết cá nhân +Personal Email,Email cá nhân +Pharmaceutical,Dược phẩm +Pharmaceuticals,Dược phẩm +Phone,Chuyển tệp +Phone No,Không điện thoại +Piecework,Việc làm ăn khoán +Pincode,Pincode +Place of Issue,Nơi cấp +Plan for maintenance visits.,Lập kế hoạch cho lần bảo trì. +Planned Qty,Số lượng dự kiến +"Planned Qty: Quantity, for which, Production Order has been raised, but is pending to be manufactured.","Kế hoạch Số lượng: Số lượng, mà, sản xuất đặt hàng đã được nâng lên, nhưng đang chờ để được sản xuất." +Planned Quantity,Số lượng dự kiến +Planning,Hoạch định +Plant,Cây +Plant and Machinery,Nhà máy và máy móc +Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,Vui lòng nhập Tên viết tắt hoặc ngắn Tên đúng vì nó sẽ được thêm vào như là Suffix cho tất cả các tài khoản đứng đầu. +Please Update SMS Settings,Xin vui lòng cập nhật cài đặt tin nhắn SMS +Please add expense voucher details,Xin vui lòng thêm chi phí chi tiết chứng từ +Please add to Modes of Payment from Setup.,Hãy thêm vào chế độ thanh toán từ Setup. +Please check 'Is Advance' against Account {0} if this is an advance entry.,Vui lòng kiểm tra 'là trước' chống lại tài khoản {0} nếu điều này là một mục trước. +Please click on 'Generate Schedule',Vui lòng click vào 'Tạo lịch' +Please click on 'Generate Schedule' to fetch Serial No added for Item {0},Vui lòng click vào 'Tạo Lịch trình' để lấy Serial No bổ sung cho hàng {0} +Please click on 'Generate Schedule' to get schedule,Vui lòng click vào 'Tạo Lịch trình' để có được lịch trình +Please create Customer from Lead {0},Hãy tạo khách hàng từ chì {0} +Please create Salary Structure for employee {0},Hãy tạo cấu trúc lương cho nhân viên {0} +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. +Please do NOT create Account (Ledgers) for Customers and Suppliers. They are created directly from the Customer / Supplier masters.,Xin vui lòng không tạo tài khoản (Ledgers) cho khách hàng và nhà cung cấp. Chúng được tạo ra trực tiếp từ các bậc thầy khách hàng / nhà cung cấp. +Please enter 'Expected Delivery Date',Vui lòng nhập 'dự kiến giao hàng ngày' +Please enter 'Is Subcontracted' as Yes or No,"Vui lòng nhập 'là hợp đồng phụ ""là Có hoặc Không" +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" +Please enter Account Receivable/Payable group in company master,Xin vui lòng nhập Tài khoản phải thu / phải trả trong nhóm chủ công ty +Please enter Approving Role or Approving User,Vui lòng nhập Phê duyệt hoặc phê duyệt Vai trò tài +Please enter BOM for Item {0} at row {1},Vui lòng nhập BOM cho mục {0} tại hàng {1} +Please enter Company,Vui lòng nhập Công ty +Please enter Cost Center,Vui lòng nhập Trung tâm Chi phí +Please enter Delivery Note No or Sales Invoice No to proceed,Giao hàng tận nơi vui lòng nhập Lưu ý Không có hóa đơn bán hàng hoặc No để tiến hành +Please enter Employee Id of this sales parson,Vui lòng nhập Id nhân viên của Mục sư bán hàng này +Please enter Expense Account,Vui lòng nhập tài khoản chi phí +Please enter Item Code to get batch no,Vui lòng nhập Item Code để có được hàng loạt không +Please enter Item Code.,Vui lòng nhập Item Code. +Please enter Item first,Vui lòng nhập mục đầu tiên +Please enter Maintaince Details first,Thông tin chi tiết vui lòng nhập Maintaince đầu tiên +Please enter Master Name once the account is created.,Vui lòng nhập Tên Thạc sĩ một khi tài khoản được tạo ra. +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} +Please enter Production Item first,Vui lòng nhập sản xuất hàng đầu tiên +Please enter Purchase Receipt No to proceed,Vui lòng nhập hàng nhận Không để tiến hành +Please enter Reference date,Vui lòng nhập ngày tham khảo +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 +Please enter Write Off Account,Vui lòng nhập Viết Tắt tài khoản +Please enter atleast 1 invoice in the table,Vui lòng nhập ít nhất 1 hóa đơn trong bảng +Please enter company first,Vui lòng nhập công ty đầu tiên +Please enter company name first,Vui lòng nhập tên công ty đầu tiên +Please enter default Unit of Measure,Vui lòng nhập mặc định Đơn vị đo +Please enter default currency in Company Master,Vui lòng nhập tiền tệ mặc định trong Công ty Thạc sĩ +Please enter email address,Vui lòng nhập địa chỉ email +Please enter item details,Xin vui lòng nhập các chi tiết sản phẩm +Please enter message before sending,Vui lòng nhập tin nhắn trước khi gửi +Please enter parent account group for warehouse account,Vui lòng nhập nhóm tài khoản phụ huynh cho tài khoản kho +Please enter parent cost center,Vui lòng nhập trung tâm chi phí cha mẹ +Please enter quantity for Item {0},Vui lòng nhập số lượng cho hàng {0} +Please enter relieving date.,Vui lòng nhập ngày giảm. +Please enter sales order in the above table,Vui lòng nhập đơn đặt hàng trong bảng trên +Please enter valid Company Email,Vui lòng nhập Công ty hợp lệ Email +Please enter valid Email Id,Vui lòng nhập Email hợp lệ Id +Please enter valid Personal Email,Vui lòng nhập hợp lệ Email cá nhân +Please enter valid mobile nos,Vui lòng nhập nos điện thoại di động hợp lệ +Please find attached Sales Invoice #{0},Xin vui lòng tìm thấy kèm theo hóa đơn bán hàng # {0} +Please install dropbox python module,Hãy cài đặt Dropbox mô-đun python +Please mention no of visits required,Xin đề cập không có các yêu cầu thăm +Please pull items from Delivery Note,Hãy kéo các mục từ giao hàng Lưu ý +Please save the Newsletter before sending,Xin vui lòng lưu bản tin trước khi gửi +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ì +Please see attachment,Xin vui lòng xem file đính kèm +Please select Bank Account,Vui lòng chọn tài khoản ngân hàng +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 +Please select Category first,Vui lòng chọn mục đầu tiên +Please select Charge Type first,Vui lòng chọn Charge Loại đầu tiên +Please select Fiscal Year,Vui lòng chọn năm tài chính +Please select Group or Ledger value,Vui lòng chọn Nhóm hoặc Ledger giá trị +Please select Incharge Person's name,Vui lòng chọn tên incharge của Người +Please select Invoice Type and Invoice Number in atleast one row,Vui lòng chọn hóa đơn và hóa đơn Loại Số trong ít nhất một hàng +"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Sales BOM","Hãy chọn mục mà ""là Cổ Mã"" là ""Không"" và ""Kinh doanh hàng"" là ""Có"" và không có bán hàng BOM khác" +Please select Price List,Vui lòng chọn Bảng giá +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} +Please select Time Logs.,Vui lòng chọn Thời gian Logs. +Please select a csv file,Vui lòng chọn một tập tin csv +Please select a valid csv file with data,Vui lòng chọn một tập tin csv hợp lệ với các dữ liệu +Please select a value for {0} quotation_to {1},Vui lòng chọn một giá trị cho {0} quotation_to {1} +"Please select an ""Image"" first","Xin vui lòng chọn ""Hình ảnh"" đầu tiên" +Please select charge type first,Hãy chọn loại phí đầu tiên +Please select company first,Vui lòng chọn công ty đầu tiên +Please select company first.,Vui lòng chọn công ty đầu tiên. +Please select item code,Vui lòng chọn mã hàng +Please select month and year,Vui lòng chọn tháng và năm +Please select prefix first,Vui lòng chọn tiền tố đầu tiên +Please select the document type first,Hãy chọn các loại tài liệu đầu tiên +Please select weekly off day,Vui lòng chọn ngày nghỉ hàng tuần +Please select {0},Vui lòng chọn {0} +Please select {0} first,Vui lòng chọn {0} đầu tiên +Please select {0} first.,Vui lòng chọn {0} đầu tiên. +Please set Dropbox access keys in your site config,Xin vui lòng thiết lập các phím truy cập Dropbox trong cấu hình trang web của bạn +Please set Google Drive access keys in {0},Xin vui lòng thiết lập các phím truy cập Google Drive trong {0} +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} +Please set default value {0} in Company {0},Xin vui lòng thiết lập giá trị mặc định {0} trong Công ty {0} +Please set {0},Hãy đặt {0} +Please setup Employee Naming System in Human Resource > HR Settings,Xin vui lòng thiết lập hệ thống đặt tên nhân viên trong nguồn nhân lực> Cài đặt nhân sự +Please setup numbering series for Attendance via Setup > Numbering Series,Xin vui lòng thiết lập số loạt cho khán giả thông qua Setup> Đánh số dòng +Please setup your chart of accounts before you start Accounting Entries,Xin vui lòng thiết lập biểu đồ của bạn của tài khoản trước khi bạn bắt đầu kế toán Entries +Please specify,Vui lòng chỉ +Please specify Company,Vui lòng ghi rõ Công ty +Please specify Company to proceed,Vui lòng ghi rõ Công ty để tiến hành +Please specify Default Currency in Company Master and Global Defaults,Vui lòng chỉ định ngoại tệ tại Công ty Thạc sĩ và mặc định toàn cầu +Please specify a,Vui lòng xác định +Please specify a valid 'From Case No.',"Vui lòng xác định hợp lệ ""Từ trường hợp số '" +Please specify a valid Row ID for {0} in row {1},Xin vui lòng chỉ định một ID Row giá trị {0} trong hàng {1} +Please specify either Quantity or Valuation Rate or both,Xin vui lòng chỉ định hoặc lượng hoặc Tỷ lệ định giá hoặc cả hai +Please submit to update Leave Balance.,Vui lòng gửi để cập nhật Để lại cân bằng. +Plot,Âm mưu +Plot By,Âm mưu By +Point of Sale,Điểm bán hàng +Point-of-Sale Setting,Point-of-Sale Setting +Post Graduate,Sau đại học +Postal,Bưu chính +Postal Expenses,Chi phí bưu điện +Posting Date,Báo cáo công đoàn +Posting Time,Thời gian gửi bài +Posting date and posting time is mandatory,Ngày đăng và gửi bài thời gian là bắt buộc +Posting timestamp must be after {0},Đăng dấu thời gian phải sau ngày {0} +Potential opportunities for selling.,Cơ hội tiềm năng để bán. +Preferred Billing Address,Địa chỉ ưa thích Thanh toán +Preferred Shipping Address,Ưa thích Vận chuyển Địa chỉ +Prefix,Tiền tố +Present,Nay +Prevdoc DocType,Prevdoc DocType +Prevdoc Doctype,Prevdoc DOCTYPE +Preview,Xem trước +Previous,Trang trước +Previous Work Experience,Kinh nghiệm làm việc trước đây +Price,Giá +Price / Discount,Giá / giảm giá +Price List," Add / Edit " +Price List Currency,Danh sách giá ngoại tệ +Price List Currency not selected,Danh sách giá ngoại tệ không được chọn +Price List Exchange Rate,Danh sách giá Tỷ giá +Price List Name,Danh sách giá Tên +Price List Rate,Danh sách giá Tỷ giá +Price List Rate (Company Currency),Danh sách giá Tỷ lệ (Công ty tiền tệ) +Price List master.,Danh sách giá tổng thể. +Price List must be applicable for Buying or Selling,Danh sách giá phải được áp dụng cho việc mua hoặc bán hàng +Price List not selected,Danh sách giá không được chọn +Price List {0} is disabled,Danh sách giá {0} bị vô hiệu hóa +Price or Discount,Giá hoặc giảm giá +Pricing Rule,Quy tắc định giá +Pricing Rule Help,Quy tắc định giá giúp +"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Giá Rule là lần đầu tiên được lựa chọn dựa trên 'Áp dụng trên' lĩnh vực, có thể được Item, mục Nhóm hoặc thương hiệu." +"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Quy tắc định giá được thực hiện để ghi đè lên Giá liệt kê / xác định tỷ lệ phần trăm giảm giá, dựa trên một số tiêu chí." +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. +Print Format Style,Định dạng in US +Print Heading,In nhóm +Print Without Amount,In Nếu không có tiền +Print and Stationary,In và Văn phòng phẩm +Printing and Branding,In ấn và xây dựng thương hiệu +Priority,Ưu tiên +Private Equity,Vốn chủ sở hữu tư nhân +Privilege Leave,Để lại đặc quyền +Probation,Quản chế +Process Payroll,Quá trình tính lương +Produced,Sản xuất +Produced Quantity,Số lượng sản xuất +Product Enquiry,Đặt hàng sản phẩm +Production,Sản xuất +Production Order,Đặt hàng sản xuất +Production Order status is {0},Tình trạng tự sản xuất là {0} +Production Order {0} must be cancelled before cancelling this Sales Order,Đặt hàng sản xuất {0} phải được hủy bỏ trước khi hủy bỏ đơn đặt hàng này +Production Order {0} must be submitted,Đặt hàng sản xuất {0} phải được gửi +Production Orders,Đơn đặt hàng sản xuất +Production Orders in Progress,Đơn đặt hàng sản xuất trong tiến độ +Production Plan Item,Kế hoạch sản xuất hàng +Production Plan Items,Kế hoạch sản xuất mục +Production Plan Sales Order,Kế hoạch sản xuất bán hàng đặt hàng +Production Plan Sales Orders,Kế hoạch sản xuất hàng đơn đặt hàng +Production Planning Tool,Công cụ sản xuất Kế hoạch +Products,Sản phẩm +"Products will be sorted by weight-age in default searches. More the weight-age, higher the product will appear in the list.","Sản phẩm sẽ được sắp xếp theo trọng lượng trong độ tuổi trong các tìm kiếm mặc định. Hơn trọng lượng trong độ tuổi, cao hơn các sản phẩm sẽ xuất hiện trong danh sách." +Professional Tax,Thuế chuyên nghiệp +Profit and Loss,Báo cáo kết quả hoạt động kinh doanh +Profit and Loss Statement,Lợi nhuận và mất Trữ +Project,Dự án +Project Costing,Dự án Costing +Project Details,Chi tiết dự án +Project Manager,Giám đốc dự án +Project Milestone,Dự án Milestone +Project Milestones,Lịch sử phát triển dự án +Project Name,Tên dự án +Project Start Date,Dự án Ngày bắt đầu +Project Type,Loại dự án +Project Value,Giá trị dự án +Project activity / task.,Hoạt động dự án / nhiệm vụ. +Project master.,Chủ dự án. +Project will get saved and will be searchable with project name given,Dự án sẽ được lưu lại và có thể tìm kiếm với tên dự án cho +Project wise Stock Tracking,Dự án theo dõi chứng khoán khôn ngoan +Project-wise data is not available for Quotation,Dữ liệu dự án khôn ngoan là không có sẵn cho báo giá +Projected,Dự kiến +Projected Qty,Số lượng dự kiến +Projects,Dự án +Projects & System,Dự án và hệ thống +Prompt for Email on Submission of,Nhắc nhở cho Email trên thông tin của +Proposal Writing,Đề nghị Viết +Provide email id registered in company,Cung cấp email id đăng ký tại công ty +Provisional Profit / Loss (Credit),Lợi nhuận tạm thời / lỗ (tín dụng) +Public,Công bố +Published on website at: {0},Công bố trên trang web tại: {0} +Publishing,Xuất bản +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 +Purchase,Mua +Purchase / Manufacture Details,Thông tin chi tiết mua / Sản xuất +Purchase Analytics,Mua Analytics +Purchase Common,Mua chung +Purchase Details,Thông tin chi tiết mua +Purchase Discounts,Giảm giá mua +Purchase Invoice,Mua hóa đơn +Purchase Invoice Advance,Mua hóa đơn trước +Purchase Invoice Advances,Trước mua hóa đơn +Purchase Invoice Item,Hóa đơn mua hàng +Purchase Invoice Trends,Mua hóa đơn Xu hướng +Purchase Invoice {0} is already submitted,Mua hóa đơn {0} đã gửi +Purchase Order,Mua hàng +Purchase Order Item,Mua hàng mục +Purchase Order Item No,Mua hàng Mã +Purchase Order Item Supplied,Mua hàng mục Cung cấp +Purchase Order Items,Mua hàng mục +Purchase Order Items Supplied,Tìm mua hàng Cung cấp +Purchase Order Items To Be Billed,Tìm mua hàng được lập hoá đơn +Purchase Order Items To Be Received,Tìm mua hàng để trở nhận +Purchase Order Message,Thông báo Mua hàng +Purchase Order Required,Mua hàng yêu cầu +Purchase Order Trends,Xu hướng mua hàng +Purchase Order number required for Item {0},Số mua hàng cần thiết cho mục {0} +Purchase Order {0} is 'Stopped',Mua hàng {0} 'Ngưng' +Purchase Order {0} is not submitted,Mua hàng {0} không nộp +Purchase Orders given to Suppliers.,Đơn đặt hàng mua cho nhà cung cấp. +Purchase Receipt,Mua hóa đơn +Purchase Receipt Item,Mua hóa đơn hàng +Purchase Receipt Item Supplied,Mua hóa đơn hàng Cung cấp +Purchase Receipt Item Supplieds,Mua hóa đơn hàng Supplieds +Purchase Receipt Items,Mua hóa đơn mục +Purchase Receipt Message,Thông báo mua hóa đơn +Purchase Receipt No,Mua hóa đơn Không +Purchase Receipt Required,Hóa đơn mua hàng +Purchase Receipt Trends,Xu hướng mua hóa đơn +Purchase Receipt number required for Item {0},Số mua hóa đơn cần thiết cho mục {0} +Purchase Receipt {0} is not submitted,Mua hóa đơn {0} không nộp +Purchase Register,Đăng ký mua +Purchase Return,Mua Quay lại +Purchase Returned,Mua trả lại +Purchase Taxes and Charges,Thuế mua và lệ phí +Purchase Taxes and Charges Master,Thuế mua và lệ phí Thạc sĩ +Purchse Order number required for Item {0},Số thứ tự Purchse cần thiết cho mục {0} +Purpose,Mục đích +Purpose must be one of {0},Mục đích phải là một trong {0} +QA Inspection,Kiểm tra bảo đảm chất lượng +Qty,Số lượng +Qty Consumed Per Unit,Số lượng tiêu thụ trung bình mỗi đơn vị +Qty To Manufacture,Số lượng Để sản xuất +Qty as per Stock UOM,Số lượng theo chứng khoán UOM +Qty to Deliver,Số lượng để Cung cấp +Qty to Order,Số lượng đặt hàng +Qty to Receive,Số lượng để nhận +Qty to Transfer,Số lượng để chuyển +Qualification,Trình độ chuyên môn +Quality,Chất lượng +Quality Inspection,Kiểm tra chất lượng +Quality Inspection Parameters,Các thông số kiểm tra chất lượng +Quality Inspection Reading,Đọc kiểm tra chất lượng +Quality Inspection Readings,Bài đọc kiểm tra chất lượng +Quality Inspection required for Item {0},Kiểm tra chất lượng cần thiết cho mục {0} +Quality Management,Quản lý chất lượng +Quantity,Số lượng +Quantity Requested for Purchase,Số lượng yêu cầu cho mua +Quantity and Rate,Số lượng và lãi suất +Quantity and Warehouse,Số lượng và kho +Quantity cannot be a fraction in row {0},Số lượng không có thể là một phần nhỏ trong hàng {0} +Quantity for Item {0} must be less than {1},Số lượng cho hàng {0} phải nhỏ hơn {1} +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} +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 nhất định của nguyên liệu +Quantity required for Item {0} in row {1},Số lượng cần thiết cho mục {0} trong hàng {1} +Quarter,Quarter +Quarterly,Quý +Quick Help,Trợ giúp nhanh +Quotation,Báo giá +Quotation Item,Báo giá hàng +Quotation Items,Báo giá mục +Quotation Lost Reason,Báo giá Lost Lý do +Quotation Message,Báo giá tin nhắn +Quotation To,Để báo giá +Quotation Trends,Xu hướng báo giá +Quotation {0} is cancelled,Báo giá {0} bị hủy bỏ +Quotation {0} not of type {1},Báo giá {0} không loại {1} +Quotations received from Suppliers.,Trích dẫn nhận được từ nhà cung cấp. +Quotes to Leads or Customers.,Giá để chào hoặc khách hàng. +Raise Material Request when stock reaches re-order level,Nâng cao Chất liệu Yêu cầu khi cổ phiếu đạt đến cấp độ sắp xếp lại +Raised By,Nâng By +Raised By (Email),Nâng By (Email) +Random,Ngâu nhiên +Range,Dải +Rate,Đánh giá +Rate , +Rate (%),Tỷ lệ (%) +Rate (Company Currency),Tỷ lệ (Công ty tiền tệ) +Rate Of Materials Based On,Tỷ lệ Of Vật liệu Dựa trên +Rate and Amount,Tỷ lệ và Số tiền +Rate at which Customer Currency is converted to customer's base currency,Tốc độ mà khách hàng tệ được chuyển đổi sang tiền tệ cơ bản của khách hàng +Rate at which Price list currency is converted to company's base currency,Tốc độ mà danh sách Giá tiền tệ được chuyển đổi sang tiền tệ cơ bản của công ty +Rate at which Price list currency is converted to customer's base currency,Tốc độ mà danh sách Giá tiền tệ được chuyển đổi sang tiền tệ cơ bản của khách hàng +Rate at which customer's currency is converted to company's base currency,Tốc độ tiền tệ của khách hàng được chuyển đổi sang tiền tệ cơ bản của công ty +Rate at which supplier's currency is converted to company's base currency,Tốc độ mà nhà cung cấp tiền tệ được chuyển đổi sang tiền tệ cơ bản của công ty +Rate at which this tax is applied,Tốc độ thuế này được áp dụng +Raw Material,Nguyên liệu +Raw Material Item Code,Nguyên liệu Item Code +Raw Materials Supplied,Nguyên liệu thô Cung cấp +Raw Materials Supplied Cost,Chi phí nguyên vật liệu Cung cấp +Raw material cannot be same as main Item,Nguyên liệu không thể giống nhau như mục chính +Re-Order Level,Tái Đặt hàng Cấp +Re-Order Qty,Tái Đặt hàng Số lượng +Re-order,Lại trật tự +Re-order Level,Lại trật tự Cấp +Re-order Qty,Số lượng đặt hàng lại +Read,Đọc +Reading 1,Đọc 1 +Reading 10,Đọc 10 +Reading 2,Đọc 2 +Reading 3,Đọc 3 +Reading 4,Đọc 4 +Reading 5,Đọc 5 +Reading 6,Đọc 6 +Reading 7,Đọc 7 +Reading 8,Đọc 8 +Reading 9,Đọc 9 +Real Estate,Buôn bán bất động sản +Reason,Nguyên nhân +Reason for Leaving,Lý do Rời +Reason for Resignation,Lý do từ chức +Reason for losing,Lý do mất +Recd Quantity,Recd Số lượng +Receivable,Thu +Receivable / Payable account will be identified based on the field Master Type,Thu tài khoản / Phải trả sẽ được xác định dựa trên các lĩnh vực Loại Thạc sĩ +Receivables,Các khoản phải thu +Receivables / Payables,Các khoản phải thu / phải trả +Receivables Group,Phải thu Nhóm +Received Date,Nhận ngày +Received Items To Be Billed,Mục nhận được lập hoá đơn +Received Qty,Nhận được lượng +Received and Accepted,Nhận được và chấp nhận +Receiver List,Danh sách người nhận +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 +Receiver Parameter,Nhận thông số +Recipients,Người nhận +Reconcile,Hòa giải +Reconciliation Data,Hòa giải dữ liệu +Reconciliation HTML,Hòa giải HTML +Reconciliation JSON,Hòa giải JSON +Record item movement.,Phong trào kỷ lục mục. +Recurring Id,Id định kỳ +Recurring Invoice,Hóa đơn định kỳ +Recurring Type,Định kỳ Loại +Reduce Deduction for Leave Without Pay (LWP),Giảm Trích Để lại Nếu không phải trả tiền (LWP) +Reduce Earning for Leave Without Pay (LWP),Giảm Thu cho nghỉ việc không phải trả tiền (LWP) +Ref,Tài liệu tham khảo +Ref Code,Tài liệu tham khảo Mã +Ref SQ,Tài liệu tham khảo SQ +Reference,Tham chiếu +Reference #{0} dated {1},Tài liệu tham khảo # {0} ngày {1} +Reference Date,Tài liệu tham khảo ngày +Reference Name,Tên tài liệu tham khảo +Reference No & Reference Date is required for {0},Không tham khảo và tham khảo ngày là cần thiết cho {0} +Reference No is mandatory if you entered Reference Date,Không tham khảo là bắt buộc nếu bạn bước vào tham khảo ngày +Reference Number,Số tài liệu tham khảo +Reference Row #,Tài liệu tham khảo Row # +Refresh,Cập nhật +Registration Details,Thông tin chi tiết đăng ký +Registration Info,Thông tin đăng ký +Rejected,Từ chối +Rejected Quantity,Số lượng từ chối +Rejected Serial No,Từ chối Serial No +Rejected Warehouse,Kho từ chối +Rejected Warehouse is mandatory against regected item,Kho từ chối là bắt buộc đối với mục regected +Relation,Mối quan hệ +Relieving Date,Giảm ngày +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 +Remark,Nhận xét +Remarks,Ghi chú +Remarks Custom,Bình luận Tuỳ chỉnh +Rename,Đổi tên +Rename Log,Đổi tên Đăng nhập +Rename Tool,Công cụ đổi tên +Rent Cost,Chi phí thuê +Rent per hour,Thuê một giờ +Rented,Thuê +Repeat on Day of Month,Lặp lại vào ngày của tháng +Replace,Thay thế +Replace Item / BOM in all BOMs,Thay thế tiết / BOM trong tất cả BOMs +Replied,Trả lời +Report Date,Báo cáo ngày +Report Type,Loại báo cáo +Report Type is mandatory,Loại Báo cáo là bắt buộc +Reports to,Báo cáo +Reqd By Date,Reqd theo địa điểm +Reqd by Date,Reqd bởi ngày +Request Type,Yêu cầu Loại +Request for Information,Yêu cầu thông tin +Request for purchase.,Yêu cầu để mua hàng. +Requested,Yêu cầu +Requested For,Đối với yêu cầu +Requested Items To Be Ordered,Mục yêu cầu để trở thứ tự +Requested Items To Be Transferred,Mục yêu cầu được chuyển giao +Requested Qty,Số lượng yêu cầu +"Requested Qty: Quantity requested for purchase, but not ordered.","Yêu cầu Số lượng: Số lượng yêu cầu mua, nhưng không ra lệnh." +Requests for items.,Yêu cầu cho các hạng mục. +Required By,Yêu cầu bởi +Required Date,Ngày yêu cầu +Required Qty,Số lượng yêu cầu +Required only for sample item.,Yêu cầu chỉ cho mục mẫu. +Required raw materials issued to the supplier for producing a sub - contracted item.,Nguyên vật liệu cần thiết ban hành cho nhà cung cấp để sản xuất một phụ - sản phẩm hợp đồng. +Research,Nghiên cứu +Research & Development,Nghiên cứu & Phát triể +Researcher,Nhà nghiên cứu +Reseller,Đại lý bán lẻ +Reserved,Ltd +Reserved Qty,Số lượng dự trữ +"Reserved Qty: Quantity ordered for sale, but not delivered.","Dành Số lượng: Số lượng đặt hàng để bán, nhưng không chuyển giao." +Reserved Quantity,Ltd Số lượng +Reserved Warehouse,Kho Ltd +Reserved Warehouse in Sales Order / Finished Goods Warehouse,Kho dự trữ trong bán hàng đặt hàng / Chế Hàng Kho +Reserved Warehouse is missing in Sales Order,Kho Ltd là mất tích trong bán hàng đặt hàng +Reserved Warehouse required for stock Item {0} in row {1},Kho dự trữ cần thiết cho chứng khoán hàng {0} trong hàng {1} +Reserved warehouse required for stock item {0},Kho Ltd cần thiết cho mục chứng khoán {0} +Reserves and Surplus,Dự trữ và thặng dư +Reset Filters,Thiết lập lại bộ lọc +Resignation Letter Date,Thư từ chức ngày +Resolution,Phân giải +Resolution Date,Độ phân giải ngày +Resolution Details,Độ phân giải chi tiết +Resolved By,Giải quyết bởi +Rest Of The World,Phần còn lại của Thế giới +Retail,Lĩnh vực bán lẻ +Retail & Wholesale,Bán Lẻ & Bán +Retailer,Cửa hàng bán lẻ +Review Date,Ngày đánh giá +Rgt,Rgt +Role Allowed to edit frozen stock,Vai trò được phép chỉnh sửa cổ đông lạnh +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. +Root Type,Loại gốc +Root Type is mandatory,Loại rễ là bắt buộc +Root account can not be deleted,Tài khoản gốc không thể bị xóa +Root cannot be edited.,Gốc không thể được chỉnh sửa. +Root cannot have a parent cost center,Gốc không thể có một trung tâm chi phí cha mẹ +Rounded Off,Tròn Tắt +Rounded Total,Tổng số tròn +Rounded Total (Company Currency),Tổng số tròn (Công ty tiền tệ) +Row # , +Row # {0}: , +Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,Hàng # {0}: SL thứ tự có thể không ít hơn SL đặt hàng tối thiểu hàng của (quy định tại mục chủ). +Row #{0}: Please specify Serial No for Item {1},Hàng # {0}: Hãy xác định Serial No cho mục {1} +"Row {0}: Account does not match with \ + Purchase Invoice Credit To account","Hàng {0}: Tài khoản không phù hợp với \ + mua hóa đơn tín dụng Để giải" +"Row {0}: Account does not match with \ + Sales Invoice Debit To account","Hàng {0}: Tài khoản không phù hợp với \ + Kinh doanh hóa đơn ghi nợ Để giải" +Row {0}: Conversion Factor is mandatory,Hàng {0}: Chuyển đổi Factor là bắt buộc +Row {0}: Credit entry can not be linked with a Purchase Invoice,Hàng {0}: lối vào tín dụng không thể được liên kết với một hóa đơn mua hàng +Row {0}: Debit entry can not be linked with a Sales Invoice,Hàng {0}: lối vào Nợ không có thể được liên kết với một hóa đơn bán hàng +Row {0}: Payment amount must be less than or equals to invoice outstanding amount. Please refer Note below.,Hàng {0}: Số tiền thanh toán phải nhỏ hơn hoặc bằng cho hóa đơn số tiền còn nợ. Vui lòng tham khảo Lưu ý dưới đây. +Row {0}: Qty is mandatory,Hàng {0}: Số lượng là bắt buộc +"Row {0}: Qty not avalable in warehouse {1} on {2} {3}. + Available Qty: {4}, Transfer Qty: {5}","Hàng {0}: Số lượng không avalable trong kho {1} trên {2} {3}. + Có sẵn Số lượng: {4}, Chuyển Số lượng: {5}" +"Row {0}: To set {1} periodicity, difference between from and to date \ + 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}" +Row {0}:Start Date must be before End Date,Hàng {0}: Ngày bắt đầu phải trước khi kết thúc ngày +Rules for adding shipping costs.,Quy tắc để thêm chi phí vận chuyển. +Rules for applying pricing and discount.,Quy tắc áp dụng giá và giảm giá. +Rules to calculate shipping amount for a sale,Quy tắc để tính toán tiền vận chuyển để bán +S.O. No.,SO số +SHE Cess on Excise,SHE Cess trên tiêu thụ đặc biệt +SHE Cess on Service Tax,SHE Cess thuế Dịch vụ +SHE Cess on TDS,SHE Cess trên TDS +SMS Center,Trung tâm nhắn tin +SMS Gateway URL,SMS Gateway URL +SMS Log,Đăng nhập tin nhắn SMS +SMS Parameter,Thông số tin nhắn SMS +SMS Sender Name,SMS Sender Name +SMS Settings,Thiết lập tin nhắn SMS +SO Date,SO ngày +SO Pending Qty,SO chờ Số lượng +SO Qty,Số lượng SO +Salary,Lương bổng +Salary Information,Thông tin tiền lương +Salary Manager,Quản lý tiền lương +Salary Mode,Chế độ tiền lương +Salary Slip,Lương trượt +Salary Slip Deduction,Lương trượt trích +Salary Slip Earning,Lương trượt Earning +Salary Slip of employee {0} already created for this month,Tiền lương của người lao động trượt {0} đã được tạo ra trong tháng này +Salary Structure,Cơ cấu tiền lương +Salary Structure Deduction,Cơ cấu tiền lương trích +Salary Structure Earning,Cơ cấu lương Thu nhập +Salary Structure Earnings,Lãi cơ cấu tiền lương +Salary breakup based on Earning and Deduction.,Lương chia tay dựa trên Lợi nhuận và khấu trừ. +Salary components.,Thành phần lương. +Salary template master.,Lương mẫu chủ. +Sales,Bán hàng +Sales Analytics,Bán hàng Analytics +Sales BOM,BOM bán hàng +Sales BOM Help,BOM bán hàng Trợ giúp +Sales BOM Item,BOM bán hàng +Sales BOM Items,BOM bán hàng mục +Sales Browser,Doanh số bán hàng của trình duyệt +Sales Details,Thông tin chi tiết bán hàng +Sales Discounts,Giảm giá bán hàng +Sales Email Settings,Thiết lập bán hàng Email +Sales Expenses,Chi phí bán hàng +Sales Extras,Extras bán hàng +Sales Funnel,Kênh bán hàng +Sales Invoice,Hóa đơn bán hàng +Sales Invoice Advance,Hóa đơn bán hàng trước +Sales Invoice Item,Hóa đơn bán hàng hàng +Sales Invoice Items,Hóa đơn bán hàng mục +Sales Invoice Message,Hóa đơn bán hàng nhắn +Sales Invoice No,Hóa đơn bán hàng không +Sales Invoice Trends,Hóa đơn bán hàng Xu hướng +Sales Invoice {0} has already been submitted,Hóa đơn bán hàng {0} đã được gửi +Sales Invoice {0} must be cancelled before cancelling this Sales Order,Hóa đơn bán hàng {0} phải được hủy bỏ trước khi hủy bỏ đơn đặt hàng này +Sales Order,Bán hàng đặt hàng +Sales Order Date,Bán hàng đặt hàng ngày +Sales Order Item,Bán hàng đặt hàng +Sales Order Items,Bán hàng đặt hàng mục +Sales Order Message,Thông báo bán hàng đặt hàng +Sales Order No,Không bán hàng đặt hàng +Sales Order Required,Bán hàng đặt hàng yêu cầu +Sales Order Trends,Xu hướng bán hàng đặt hàng +Sales Order required for Item {0},Đặt hàng bán hàng cần thiết cho mục {0} +Sales Order {0} is not submitted,Bán hàng đặt hàng {0} không nộp +Sales Order {0} is not valid,Bán hàng đặt hàng {0} không hợp lệ +Sales Order {0} is stopped,Bán hàng đặt hàng {0} là dừng lại +Sales Partner,Đối tác bán hàng +Sales Partner Name,Đối tác bán hàng Tên +Sales Partner Target,Đối tác bán hàng mục tiêu +Sales Partners Commission,Ủy ban Đối tác bán hàng +Sales Person,Người bán hàng +Sales Person Name,Người bán hàng Tên +Sales Person Target Variance Item Group-Wise,Người bán hàng mục tiêu phương sai mục Nhóm-Wise +Sales Person Targets,Mục tiêu người bán hàng +Sales Person-wise Transaction Summary,Người khôn ngoan bán hàng Tóm tắt thông tin giao dịch +Sales Register,Đăng ký bán hàng +Sales Return,Bán hàng trở lại +Sales Returned,Bán hàng trả lại +Sales Taxes and Charges,Thuế bán hàng và lệ phí +Sales Taxes and Charges Master,Thuế bán hàng và phí Thạc sĩ +Sales Team,Đội ngũ bán hàng +Sales Team Details,Thông tin chi tiết Nhóm bán hàng +Sales Team1,Team1 bán hàng +Sales and Purchase,Bán hàng và mua hàng +Sales campaigns.,Các chiến dịch bán hàng. +Salutation,Sự chào +Sample Size,Kích thước mẫu +Sanctioned Amount,Số tiền xử phạt +Saturday,Thứ bảy +Schedule,Lập lịch quét +Schedule Date,Lịch trình ngày +Schedule Details,Lịch trình chi tiết +Scheduled,Dự kiến +Scheduled Date,Dự kiến ngày +Scheduled to send to {0},Dự kiến gửi đến {0} +Scheduled to send to {0} recipients,Dự kiến gửi đến {0} người nhận +Scheduler Failed Events,Sự kiện lịch Không +School/University,Học / Đại học +Score (0-5),Điểm số (0-5) +Score Earned,Điểm số kiếm được +Score must be less than or equal to 5,Điểm số phải nhỏ hơn hoặc bằng 5 +Scrap %,Phế liệu% +Seasonality for setting budgets.,Mùa vụ để thiết lập ngân sách. +Secretary,Thư ký +Secured Loans,Các khoản cho vay được bảo đảm +Securities & Commodity Exchanges,Chứng khoán và Sở Giao dịch hàng hóa +Securities and Deposits,Chứng khoán và tiền gửi +"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í" +"Select ""Yes"" for sub - contracting items","Chọn ""Yes"" cho phụ - ký kết hợp đồng các mặt hàng" +"Select ""Yes"" if this item is used for some internal purpose in your company.","Chọn ""Có"" nếu mục này được sử dụng cho một số mục đích nội bộ trong công ty của bạn." +"Select ""Yes"" if this item represents some work like training, designing, consulting etc.","Chọn ""Có"" nếu mặt hàng này đại diện cho một số công việc như đào tạo, thiết kế, tư vấn, vv" +"Select ""Yes"" if you are maintaining stock of this item in your Inventory.","Chọn ""Có"" nếu bạn đang duy trì cổ phiếu của mặt hàng này trong hàng tồn kho của bạn." +"Select ""Yes"" if you supply raw materials to your supplier to manufacture this item.","Chọn ""Có"" nếu bạn cung cấp nguyên liệu cho các nhà cung cấp của bạn để sản xuất mặt hàng này." +Select Brand...,Chọn thương hiệu ... +Select Budget Distribution to unevenly distribute targets across months.,Chọn phân phối ngân sách để phân phối không đồng đều các mục tiêu ở tháng. +"Select Budget Distribution, if you want to track based on seasonality.","Chọn phân phối ngân sách, nếu bạn muốn theo dõi dựa trên thời vụ." +Select Company...,Chọn Công ty ... +Select DocType,Chọn DocType +Select Fiscal Year...,Chọn năm tài chính ... +Select Items,Chọn mục +Select Project...,Chọn dự án ... +Select Purchase Receipts,Chọn Tiền thu mua +Select Sales Orders,Chọn hàng đơn đặt hàng +Select Sales Orders from which you want to create Production Orders.,Chọn bán hàng đơn đặt hàng mà từ đó bạn muốn tạo ra đơn đặt hàng sản xuất. +Select Time Logs and Submit to create a new Sales Invoice.,Chọn Thời gian Logs và Submit để tạo ra một hóa đơn bán hàng mới. +Select Transaction,Chọn giao dịch +Select Warehouse...,Chọn Kho ... +Select Your Language,Chọn ngôn ngữ của bạn +Select account head of the bank where cheque was deposited.,Chọn đầu tài khoản của ngân hàng nơi kiểm tra đã được gửi. +Select company name first.,Chọn tên công ty đầu tiên. +Select template from which you want to get the Goals,Chọn mẫu mà bạn muốn để có được các Mục tiêu +Select the Employee for whom you are creating the Appraisal.,Chọn nhân viên cho người mà bạn đang tạo ra thẩm định. +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 +Select the relevant company name if you have multiple companies,Chọn tên công ty có liên quan nếu bạn có nhiều công ty +Select the relevant company name if you have multiple companies.,Chọn tên công ty có liên quan nếu bạn có nhiều công ty. +Select who you want to send this newsletter to,Chọn những người bạn muốn gửi bản tin này đến +Select your home country and check the timezone and currency.,Chọn quốc gia của bạn và kiểm tra các múi giờ và tiền tệ. +"Selecting ""Yes"" will allow this item to appear in Purchase Order , Purchase Receipt.","Chọn ""Có"" sẽ cho phép mặt hàng này để xuất hiện trong Mua hàng, mua hóa đơn." +"Selecting ""Yes"" will allow this item to figure in Sales Order, Delivery Note","Chọn ""Có"" sẽ cho phép mặt hàng này để tìm trong bán hàng đặt hàng, giao hàng Lưu ý" +"Selecting ""Yes"" will allow you to create Bill of Material showing raw material and operational costs incurred to manufacture this item.","Chọn ""Có"" sẽ cho phép bạn tạo ra Bill of Material cho thấy nguyên liệu và chi phí hoạt động phát sinh để sản xuất mặt hàng này." +"Selecting ""Yes"" will allow you to make a Production Order for this item.","Chọn ""Có"" sẽ cho phép bạn thực hiện một thứ tự sản xuất cho mặt hàng này." +"Selecting ""Yes"" will give a unique identity to each entity of this item which can be viewed in the Serial No master.","Chọn ""Có"" sẽ đưa ra một bản sắc độc đáo cho mỗi thực thể của mặt hàng này có thể được xem trong Serial No chủ." +Selling,Bán hàng +Selling Settings,Bán thiết lập +"Selling must be checked, if Applicable For is selected as {0}","Bán phải được kiểm tra, nếu áp dụng Đối với được chọn là {0}" +Send,Gửi +Send Autoreply,Gửi Tự động trả lời +Send Email,Gởi thư +Send From,Gởi Từ +Send Notifications To,Gửi thông báo để +Send Now,Bây giờ gửi +Send SMS,Gửi tin nhắn SMS +Send To,Để gửi +Send To Type,Gửi Nhập +Send mass SMS to your contacts,Gửi tin nhắn SMS hàng loạt địa chỉ liên lạc của bạn +Send to this list,Gửi danh sách này +Sender Name,Tên người gửi +Sent On,Gửi On +Separate production order will be created for each finished good item.,Để sản xuất riêng biệt sẽ được tạo ra cho mỗi mục tốt đã hoàn thành. +Serial No,Không nối tiếp +Serial No / Batch,Không nối tiếp / hàng loạt +Serial No Details,Không có chi tiết nối tiếp +Serial No Service Contract Expiry,Không nối tiếp Hợp đồng dịch vụ hết hạn +Serial No Status,Serial No Tình trạng +Serial No Warranty Expiry,Nối tiếp Không có bảo hành hết hạn +Serial No is mandatory for Item {0},Không nối tiếp là bắt buộc đối với hàng {0} +Serial No {0} created,Không nối tiếp {0} tạo +Serial No {0} does not belong to Delivery Note {1},Không nối tiếp {0} không thuộc về Giao hàng tận nơi Lưu ý {1} +Serial No {0} does not belong to Item {1},Không nối tiếp {0} không thuộc về hàng {1} +Serial No {0} does not belong to Warehouse {1},Không nối tiếp {0} không thuộc về kho {1} +Serial No {0} does not exist,Không nối tiếp {0} không tồn tại +Serial No {0} has already been received,Không nối tiếp {0} đã được nhận +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} +Serial No {0} is under warranty upto {1},Không nối tiếp {0} được bảo hành tối đa {1} +Serial No {0} not in stock,Không nối tiếp {0} không có trong kho +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ỏ +Serial No {0} status must be 'Available' to Deliver,"Không nối tiếp {0} tình trạng phải ""có sẵn"" để Cung cấp" +Serial Nos Required for Serialized Item {0},Nối tiếp Nos Yêu cầu cho In nhiều mục {0} +Serial Number Series,Serial Number Dòng +Serial number {0} entered more than once,Nối tiếp số {0} vào nhiều hơn một lần +"Serialized Item {0} cannot be updated \ + using Stock Reconciliation","Đăng hàng {0} không thể cập nhật \ + sử dụng chứng khoán Hòa giải" +Series,Tùng thư +Series List for this Transaction,Danh sách loạt cho các giao dịch này +Series Updated,Cập nhật hàng loạt +Series Updated Successfully,Loạt Cập nhật thành công +Series is mandatory,Series là bắt buộc +Series {0} already used in {1},Loạt {0} đã được sử dụng trong {1} +Service,Dịch vụ +Service Address,Địa chỉ dịch vụ +Service Tax,Thuế dịch vụ +Services,Dịch vụ +Set,Cài đặt +"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Thiết lập giá trị mặc định như Công ty, tiền tệ, năm tài chính hiện tại, vv" +Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,Thiết lập mục Nhóm-khôn ngoan ngân sách trên lãnh thổ này. Bạn cũng có thể bao gồm thời vụ bằng cách thiết lập phân phối. +Set Status as Available,Thiết lập trạng như sẵn +Set as Default,Set as Default +Set as Lost,Thiết lập như Lost +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 +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. +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. +Setting this Address Template as default as there is no other default,Địa chỉ thiết lập mẫu này như mặc định là không có mặc định khác +Setting up...,Thiết lập ... +Settings,Cài đặt +Settings for HR Module,Cài đặt cho nhân sự Mô-đun +"Settings to extract Job Applicants from a mailbox e.g. ""jobs@example.com""","Thiết lập để trích xuất ứng công việc từ một ví dụ như hộp thư ""jobs@example.com""" +Setup,Cài đặt +Setup Already Complete!!,Đã thiết lập hoàn chỉnh! +Setup Complete,การติดตั้งเสร็จสมบูรณ์ +Setup SMS gateway settings,Cài đặt thiết lập cổng SMS +Setup Series,Thiết lập Dòng +Setup Wizard,Trình cài đặt +Setup incoming server for jobs email id. (e.g. jobs@example.com),Thiết lập máy chủ đến cho công việc email id. (Ví dụ như jobs@example.com) +Setup incoming server for sales email id. (e.g. sales@example.com),Thiết lập máy chủ đến cho email bán hàng id. (Ví dụ như sales@example.com) +Setup incoming server for support email id. (e.g. support@example.com),Thiết lập máy chủ cho đến hỗ trợ email id. (Ví dụ như support@example.com) +Share,Chia sẻ +Share With,Chia sẻ với +Shareholders Funds,Quỹ cổ đông +Shipments to customers.,Lô hàng cho khách hàng. +Shipping,Vận chuyển +Shipping Account,Tài khoản vận chuyển +Shipping Address,Vận chuyển Địa chỉ +Shipping Amount,Số tiền vận chuyển +Shipping Rule,Này ! Đi trước và thêm một địa chỉ +Shipping Rule Condition,Quy tắc vận chuyển Điều kiện +Shipping Rule Conditions,Điều kiện vận chuyển Rule +Shipping Rule Label,Quy tắc vận chuyển Label +Shop,Cửa hàng +Shopping Cart," Add / Edit " +Short biography for website and other publications.,Tiểu sử ngắn cho trang web và các ấn phẩm khác. +"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","Hiển thị ""hàng"" hoặc ""Không trong kho"" dựa trên cổ phiếu có sẵn trong kho này." +"Show / Hide features like Serial Nos, POS etc.","Show / Hide các tính năng như nối tiếp Nos, POS, vv" +Show In Website,Hiện Trong Website +Show a slideshow at the top of the page,Hiển thị một slideshow ở trên cùng của trang +Show in Website,Hiện tại Website +Show rows with zero values,Hiển thị các hàng với giá trị bằng không +Show this slideshow at the top of the page,Hiển thị slideshow này ở trên cùng của trang +Sick Leave,Để lại bệnh +Signature,Chữ ký +Signature to be appended at the end of every email,Chữ ký để được nối vào cuối mỗi email +Single,Một lần +Single unit of an Item.,Đơn vị duy nhất của một Item. +Sit tight while your system is being setup. This may take a few moments.,Ngồi chặt chẽ trong khi hệ thống của bạn đang được thiết lập. Điều này có thể mất một vài phút. +Slideshow,Ảnh Slideshow +Soap & Detergent,Xà phòng và chất tẩy rửa +Software,Phần mềm +Software Developer,Phần mềm phát triển +"Sorry, Serial Nos cannot be merged","Xin lỗi, Serial Nos không thể được sáp nhập" +"Sorry, companies cannot be merged","Xin lỗi, công ty không thể được sáp nhập" +Source,Nguồn +Source File,Source File +Source Warehouse,Nguồn Kho +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} +Source of Funds (Liabilities),Nguồn vốn (nợ) +Source warehouse is mandatory for row {0},Kho nguồn là bắt buộc đối với hàng {0} +Spartan,Spartan +"Special Characters except ""-"" and ""/"" not allowed in naming series","Nhân vật đặc biệt ngoại trừ ""-"" và ""/"" không được phép đặt tên hàng loạt" +Specification Details,Chi tiết đặc điểm kỹ thuật +Specifications,Thông số kỹ thuật +"Specify a list of Territories, for which, this Price List is valid","Chỉ định một danh sách các vùng lãnh thổ, trong đó, Bảng giá này có hiệu lực" +"Specify a list of Territories, for which, this Shipping Rule is valid","Chỉ định một danh sách các vùng lãnh thổ, trong đó, Quy tắc vận chuyển này là hợp lệ" +"Specify a list of Territories, for which, this Taxes Master is valid","Chỉ định một danh sách các vùng lãnh thổ, trong đó, điều này Thuế Master là hợp lệ" +"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." +Split Delivery Note into packages.,Giao hàng tận nơi chia Lưu ý thành các gói. +Sports,Thể thao +Sr,Sr +Standard,Tiêu chuẩn +Standard Buying,Tiêu chuẩn mua +Standard Reports,Báo cáo tiêu chuẩn +Standard Selling,Tiêu chuẩn bán hàng +Standard contract terms for Sales or Purchase.,Điều khoản hợp đồng tiêu chuẩn cho bán hàng hoặc mua hàng. +Start,Bắt đầu +Start Date,Ngày bắt đầu +Start date of current invoice's period,Ngày của thời kỳ hóa đơn hiện tại bắt đầu +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} +State,Trạng thái +Statement of Account,Tuyên bố của Tài khoản +Static Parameters,Các thông số tĩnh +Status,Trạng thái +Status must be one of {0},Tình trạng phải là một trong {0} +Status of {0} {1} is now {2},Tình trạng của {0} {1} tại là {2} +Status updated to {0},Tình trạng cập nhật {0} +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 +Stay Updated,Ở lại Cập nhật +Stock,Kho +Stock Adjustment,Điều chỉnh chứng khoán +Stock Adjustment Account,Tài khoản điều chỉnh chứng khoán +Stock Ageing,Cổ người cao tuổi +Stock Analytics,Chứng khoán Analytics +Stock Assets,Tài sản chứng khoán +Stock Balance,Số dư chứng khoán +Stock Entries already created for Production Order , +Stock Entry,Chứng khoán nhập +Stock Entry Detail,Cổ phiếu nhập chi tiết +Stock Expenses,Chi phí chứng khoán +Stock Frozen Upto,"Cổ đông lạnh HCM," +Stock Ledger,Chứng khoán Ledger +Stock Ledger Entry,Chứng khoán Ledger nhập +Stock Ledger entries balances updated,Chứng khoán Ledger các mục dư cập nhật +Stock Level,Cấp chứng khoán +Stock Liabilities,Nợ phải trả chứng khoán +Stock Projected Qty,Dự kiến cổ phiếu Số lượng +Stock Queue (FIFO),Cổ phiếu xếp hàng (FIFO) +Stock Received But Not Billed,Chứng khoán nhận Nhưng Không Được quảng cáo +Stock Reconcilation Data,Chứng khoán Reconcilation dữ liệu +Stock Reconcilation Template,Chứng khoán Reconcilation Mẫu +Stock Reconciliation,Chứng khoán Hòa giải +"Stock Reconciliation can be used to update the stock on a particular date, usually as per physical inventory.","Chứng khoán hòa giải có thể được sử dụng để cập nhật các cổ phiếu vào một ngày cụ thể, thường theo hàng tồn kho." +Stock Settings,Thiết lập chứng khoán +Stock UOM,Chứng khoán UOM +Stock UOM Replace Utility,Chứng khoán UOM Thay Tiện ích +Stock UOM updatd for Item {0},UOM chứng khoán updatd cho mục {0} +Stock Uom,Chứng khoán ươm +Stock Value,Giá trị cổ phiếu +Stock Value Difference,Giá trị cổ phiếu khác biệt +Stock balances updated,Số dư chứng khoán được cập nhật +Stock cannot be updated against Delivery Note {0},Chứng khoán không thể được cập nhật với giao hàng Lưu ý {0} +Stock entries exist against warehouse {0} cannot re-assign or modify 'Master Name',Mục chứng khoán tồn tại đối với kho {0} không thể tái chỉ định hoặc sửa đổi Master Tên ' +Stock transactions before {0} are frozen,Giao dịch chứng khoán trước ngày {0} được đông lạnh +Stop,Dừng +Stop Birthday Reminders,Ngừng sinh Nhắc nhở +Stop Material Request,Dừng Vật liệu Yêu cầu +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. +Stop!,Dừng lại! +Stopped,Đã ngưng +Stopped order cannot be cancelled. Unstop to cancel.,Để dừng lại không thể bị hủy bỏ. Tháo nút để hủy bỏ. +Stores,Cửa hàng +Stub,Còn sơ khai +Sub Assemblies,Phụ hội +"Sub-currency. For e.g. ""Cent""","Phụ tiền tệ. Cho ví dụ ""Phần trăm """ +Subcontract,Cho thầu lại +Subject,Chủ đề +Submit Salary Slip,Trình Lương trượt +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 +Submit this Production Order for further processing.,Trình tự sản xuất này để chế biến tiếp. +Submitted,Đã lần gửi +Subsidiary,Công ty con +Successful: , +Successfully Reconciled,Hòa giải thành công +Suggestions,Đề xuất +Sunday,Chủ Nhật +Supplier,Nhà cung cấp +Supplier (Payable) Account,Nhà cung cấp (thanh toán) Tài khoản +Supplier (vendor) name as entered in supplier master,Nhà cung cấp (nhà cung cấp) tên như nhập vào nhà cung cấp tổng thể +Supplier > Supplier Type,Nhà cung cấp> Nhà cung cấp Loại +Supplier Account Head,Trưởng Tài khoản nhà cung cấp +Supplier Address,Địa chỉ nhà cung cấp +Supplier Addresses and Contacts,Địa chỉ nhà cung cấp và hệ +Supplier Details,Thông tin chi tiết nhà cung cấp +Supplier Intro,Giới thiệu nhà cung cấp +Supplier Invoice Date,Nhà cung cấp hóa đơn ngày +Supplier Invoice No,Nhà cung cấp hóa đơn Không +Supplier Name,Tên nhà cung cấp +Supplier Naming By,Nhà cung cấp đặt tên By +Supplier Part Number,Nhà cung cấp Phần số +Supplier Quotation,Nhà cung cấp báo giá +Supplier Quotation Item,Nhà cung cấp báo giá hàng +Supplier Reference,Nhà cung cấp tham khảo +Supplier Type,Loại nhà cung cấp +Supplier Type / Supplier,Loại nhà cung cấp / Nhà cung cấp +Supplier Type master.,Loại nhà cung cấp tổng thể. +Supplier Warehouse,Nhà cung cấp kho +Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Nhà cung cấp kho bắt buộc đối với thầu phụ mua hóa đơn +Supplier database.,Cơ sở dữ liệu nhà cung cấp. +Supplier master.,Chủ nhà cung cấp. +Supplier warehouse where you have issued raw materials for sub - contracting,Kho nhà cung cấp mà bạn đã cấp nguyên liệu cho các tiểu - ký kết hợp đồng +Supplier-Wise Sales Analytics,Nhà cung cấp-Wise Doanh Analytics +Support,Hỗ trợ +Support Analtyics,Hỗ trợ Analtyics +Support Analytics,Hỗ trợ Analytics +Support Email,Email hỗ trợ +Support Email Settings,Hỗ trợ Email Settings +Support Password,Hỗ trợ Mật khẩu +Support Ticket,Hỗ trợ vé +Support queries from customers.,Hỗ trợ các truy vấn từ khách hàng. +Symbol,Biểu tượng +Sync Support Mails,Hỗ trợ đồng bộ hóa thư +Sync with Dropbox,Đồng bộ với Dropbox +Sync with Google Drive,Đồng bộ với Google Drive +System,Hệ thống +System Settings,Cài đặt hệ thống +"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ự." +TDS (Advertisement),TDS (Quảng cáo) +TDS (Commission),TDS (Ủy ban) +TDS (Contractor),TDS (nhà thầu) +TDS (Interest),TDS (lãi) +TDS (Rent),TDS (thuê) +TDS (Salary),TDS (Lương) +Target Amount,Mục tiêu Số tiền +Target Detail,Nhắm mục tiêu chi tiết +Target Details,Thông tin chi tiết mục tiêu +Target Details1,Mục tiêu Details1 +Target Distribution,Phân phối mục tiêu +Target On,Mục tiêu trên +Target Qty,Số lượng mục tiêu +Target Warehouse,Mục tiêu kho +Target warehouse in row {0} must be same as Production Order,Kho hàng mục tiêu trong {0} phải được giống như sản xuất theo thứ tự +Target warehouse is mandatory for row {0},Kho mục tiêu là bắt buộc đối với hàng {0} +Task,Nhiệm vụ Tự tắt Lựa chọn +Task Details,Chi tiết tác vụ +Tasks,Công việc +Tax,Thuế +Tax Amount After Discount Amount,Số tiền thuế Sau khi giảm giá tiền +Tax Assets,Tài sản thuế +Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,"Thuế Thể loại không thể được ""định giá"" hay ""Định giá và Total 'như tất cả các mục là những mặt hàng không cổ" +Tax Rate,Tỷ lệ thuế +Tax and other salary deductions.,Thuế và các khoản khấu trừ lương khác. +"Tax detail table fetched from item master as a string and stored in this field. +Used for Taxes and Charges","Bảng chi tiết thuế lấy từ mục sư như là một chuỗi và lưu trữ trong lĩnh vực này. + Sử dụng cho Thuế và lệ phí" +Tax template for buying transactions.,Mẫu thuế đối với giao dịch mua. +Tax template for selling transactions.,Mẫu thuế cho các giao dịch bán. +Taxable,Chịu thuế +Taxes,Thuế +Taxes and Charges,Thuế và lệ phí +Taxes and Charges Added,Thuế và lệ phí nhập +Taxes and Charges Added (Company Currency),Thuế và lệ phí nhập (Công ty tiền tệ) +Taxes and Charges Calculation,Thuế và lệ phí tính +Taxes and Charges Deducted,Thuế và lệ phí được khấu trừ +Taxes and Charges Deducted (Company Currency),Thuế và lệ phí được khấu trừ (Công ty tiền tệ) +Taxes and Charges Total,Thuế và lệ phí Tổng số +Taxes and Charges Total (Company Currency),Thuế và lệ phí Tổng số (Công ty tiền tệ) +Technology,Công nghệ +Telecommunications,Viễn thông +Telephone Expenses,Chi phí điện thoại +Television,Tivi +Template,Mẫu +Template for performance appraisals.,Mẫu cho đánh giá kết quả. +Template of terms or contract.,"Mẫu thời hạn, điều hợp đồng." +Temporary Accounts (Assets),Tài khoản tạm thời (tài sản) +Temporary Accounts (Liabilities),Tài khoản tạm thời (Nợ phải trả) +Temporary Assets,Tài sản tạm thời +Temporary Liabilities,Nợ tạm thời +Term Details,Thông tin chi tiết hạn +Terms,Điều khoản +Terms and Conditions,Điều khoản/Điều kiện thi hành +Terms and Conditions Content,Điều khoản và Điều kiện nội dung +Terms and Conditions Details,Điều khoản và Điều kiện chi tiết +Terms and Conditions Template,Điều khoản và Điều kiện Template +Terms and Conditions1,Điều khoản và Conditions1 +Terretory,Terretory +Territory,Lãnh thổ +Territory / Customer,Lãnh thổ / khách hàng +Territory Manager,Quản lý lãnh thổ +Territory Name,Tên lãnh thổ +Territory Target Variance Item Group-Wise,Lãnh thổ mục tiêu phương sai mục Nhóm-Wise +Territory Targets,Mục tiêu lãnh thổ +Test,K.tra +Test Email Id,Kiểm tra Email Id +Test the Newsletter,Kiểm tra bản tin +The BOM which will be replaced,Hội đồng quản trị sẽ được thay thế +The First User: You,Những thành viên đầu tiên: Bạn +"The Item that represents the Package. This Item must have ""Is Stock Item"" as ""No"" and ""Is Sales Item"" as ""Yes""","Item đại diện cho các gói. Mục này đã ""là Cổ Mã"" là ""Không"" và ""Kinh doanh hàng"" là ""Có""" +The Organization,Tổ chức +"The account head under Liability, in which Profit/Loss will be booked","Người đứng đầu tài khoản dưới trách nhiệm pháp lý, trong đó lợi nhuận / lỗ sẽ được ghi nhận" +"The date on which next invoice will be generated. It is generated on submit. +","Ngày mà hóa đơn tiếp theo sẽ được tạo ra. Nó được tạo ra trên trình. +" +The date on which recurring invoice will be stop,Ngày mà hóa đơn định kỳ sẽ được dừng lại +"The day of the month on which auto invoice will be generated e.g. 05, 28 etc ", +The day(s) on which you are applying for leave are holiday. You need not apply for leave.,Ngày (s) mà bạn đang nộp đơn xin nghỉ là nghỉ. Bạn không cần phải nộp đơn xin nghỉ phép. +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 +The first user will become the System Manager (you can change that later).,Người sử dụng đầu tiên sẽ trở thành hệ thống quản lý (bạn có thể thay đổi điều này sau). +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) +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. +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) +The new BOM after replacement,Hội đồng quản trị mới sau khi thay thế +The rate at which Bill Currency is converted into company's base currency,Tốc độ mà Bill tệ được chuyển đổi thành tiền tệ cơ bản của công ty +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. +"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Sau đó biết giá quy được lọc ra dựa trên khách hàng, Nhóm khách hàng, lãnh thổ, Nhà cung cấp, Loại Nhà cung cấp, vận động, đối tác kinh doanh, vv" +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. +"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""" +There is not enough leave balance for Leave Type {0},Không có đủ số dư để lại cho Rời Loại {0} +There is nothing to edit.,Không có gì phải chỉnh sửa là. +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 có thể là bạn đã không được lưu dưới dạng. Vui lòng liên hệ support@erpnext.com nếu vấn đề vẫn tồn tại. +There were errors.,Có một số lỗi. +This Currency is disabled. Enable to use in transactions,Tệ này bị vô hiệu hóa. Cho phép sử dụng trong các giao dịch +This Leave Application is pending approval. Only the Leave Apporver can update status.,Để lại ứng dụng này đang chờ phê duyệt. Chỉ Để lại Apporver có thể cập nhật tình trạng. +This Time Log Batch has been billed.,Hàng loạt Giờ này đã được lập hoá đơn. +This Time Log Batch has been cancelled.,Hàng loạt Giờ này đã bị hủy. +This Time Log conflicts with {0},Giờ này xung đột với {0} +This format is used if country specific format is not found,Định dạng này được sử dụng nếu định dạng quốc gia cụ thể không được tìm thấy +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. +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. +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. +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. +This is a root territory and cannot be edited.,Đây là một lãnh thổ gốc và không thể được chỉnh sửa. +This is an example website auto-generated from ERPNext,Đây là một trang web ví dụ tự động tạo ra từ ERPNext +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 +This will be used for setting rule in HR module,Điều này sẽ được sử dụng để thiết lập quy tắc trong quản lý Nhân sự +Thread HTML,Chủ đề HTML +Thursday,Thứ năm +Time Log,Giờ +Time Log Batch,Giờ hàng loạt +Time Log Batch Detail,Giờ hàng loạt chi tiết +Time Log Batch Details,Giờ chi tiết hàng loạt +Time Log Batch {0} must be 'Submitted',Giờ hàng loạt {0} phải được 'Gửi' +Time Log Status must be Submitted.,Giờ trạng phải Đăng. +Time Log for tasks.,Giờ cho các nhiệm vụ. +Time Log is not billable,Giờ không phải là lập hoá đơn +Time Log {0} must be 'Submitted',Giờ {0} phải được 'Gửi' +Time Zone,Múi giờ +Time Zones,Hiện khu +Time and Budget,Thời gian và ngân sách +Time at which items were delivered from warehouse,Thời gian mà tại đó các mặt hàng đã được chuyển giao từ kho +Time at which materials were received,Thời gian mà các tài liệu đã nhận được +Title,Tiêu đề +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ệ." +To,Để +To Currency,Để tệ +To Date,Đến ngày +To Date should be same as From Date for Half Day leave,Đến ngày nên giống như Từ ngày cho nửa ngày nghỉ +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} +To Discuss,Để thảo luận +To Do List,Để làm Danh sách +To Package No.,Để Gói số +To Produce,Để sản xuất +To Time,Giờ +To Value,Để giá trị gia tăng +To Warehouse,Để kho +"To add child nodes, explore tree and click on the node under which you want to add more nodes.","Để thêm các nút con, khám phá cây và bấm vào nút dưới mà bạn muốn thêm các nút hơn." +"To assign this issue, use the ""Assign"" button in the sidebar.","Chỉ định vấn đề này, sử dụng nút ""Assign"" trong thanh bên." +To create a Bank Account,Để tạo ra một tài khoản ngân hàng +To create a Tax Account,Để tạo ra một tài khoản thuế +"To create an Account Head under a different company, select the company and save customer.","Để tạo ra một Trưởng Tài khoản trong một công ty khác nhau, lựa chọn công ty và tiết kiệm của khách hàng." +To date cannot be before from date,Cho đến nay không có thể trước khi từ ngày +To enable Point of Sale features,Để kích hoạt điểm bán hàng tính năng +To enable Point of Sale view,Để kích hoạt điểm bán hàng xem +To get Item Group in details table,Để có được mục Nhóm trong bảng chi tiết +"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" +"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" +"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." +"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'" +To track any installation or commissioning related work after sales,Để theo dõi bất kỳ cài đặt hoặc vận hành công việc liên quan sau khi doanh số bán hàng +"To track brand name in the following documents Delivery Note, Opportunity, Material Request, Item, Purchase Order, Purchase Voucher, Purchaser Receipt, Quotation, Sales Invoice, Sales BOM, Sales Order, Serial No","Để theo dõi tên thương hiệu trong các tài liệu giao hàng Lưu ý sau đây, cơ hội, yêu cầu vật liệu, hàng, Mua hàng, mua Voucher, Mua hóa đơn, báo giá, bán hàng hóa đơn, bán hàng HĐQT, bán hàng đặt hàng, Serial No" +To track item in sales and purchase documents based on their serial nos. This is can also used to track warranty details of the product.,Để theo dõi mục trong bán hàng và giấy tờ mua bán dựa trên nos nối tiếp của họ. Này cũng có thể được sử dụng để theo dõi các chi tiết bảo hành của sản phẩm. +To track items in sales and purchase documents with batch nos
Preferred Industry: Chemicals etc,Để theo dõi các mục trong bán hàng và mua tài liệu với hàng loạt nos
Công nghiệp ưa thích: Hóa chất vv +To track items using barcode. You will be able to enter items in Delivery Note and Sales Invoice by scanning barcode of item.,Để theo dõi các mục sử dụng mã vạch. Bạn sẽ có thể nhập vào các mục trong giao hàng và hóa đơn bán hàng Lưu ý bằng cách quét mã vạch của sản phẩm. +Too many columns. Export the report and print it using a spreadsheet application.,Quá nhiều cột. Xuất báo cáo và in nó sử dụng một ứng dụng bảng tính. +Tools,Công cụ +Total,Tổng sồ +Total ({0}),Tổng số ({0}) +Total Advance,Tổng số trước +Total Amount,Tổng tiền +Total Amount To Pay,Tổng số tiền phải trả tiền +Total Amount in Words,Tổng số tiền trong từ +Total Billing This Year: , +Total Characters,Tổng số nhân vật +Total Claimed Amount,Tổng số tiền tuyên bố chủ quyền +Total Commission,Tổng số Ủy ban +Total Cost,Tổng chi phí +Total Credit,Tổng số tín dụng +Total Debit,Tổng số Nợ +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} +Total Deduction,Tổng số trích +Total Earning,Tổng số Lợi nhuận +Total Experience,Tổng số kinh nghiệm +Total Hours,Tổng số giờ +Total Hours (Expected),Tổng số giờ (dự kiến) +Total Invoiced Amount,Tổng số tiền đã lập Hoá đơn +Total Leave Days,Để lại tổng số ngày +Total Leaves Allocated,Tổng Lá Phân bổ +Total Message(s),Tổng số tin nhắn (s) +Total Operating Cost,Tổng chi phí hoạt động kinh doanh +Total Points,Tổng số điểm +Total Raw Material Cost,Tổng chi phí nguyên liệu thô +Total Sanctioned Amount,Tổng số tiền bị xử phạt +Total Score (Out of 5),Tổng số điểm (Out of 5) +Total Tax (Company Currency),Tổng số thuế (Công ty tiền tệ) +Total Taxes and Charges,Tổng số thuế và lệ phí +Total Taxes and Charges (Company Currency),Tổng số thuế và lệ phí (Công ty tiền tệ) +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 +Total amount of invoices received from suppliers during the digest period,Tổng số tiền của hóa đơn nhận được từ các nhà cung cấp trong thời gian tiêu hóa +Total amount of invoices sent to the customer during the digest period,Tổng số tiền của hóa đơn gửi cho khách hàng trong thời gian tiêu hóa +Total cannot be zero,Tổng số không có thể được không +Total in words,Tổng số nói cách +Total points for all goals should be 100. It is {0},Tổng số điểm cho tất cả các mục tiêu phải 100. Nó là {0} +Total valuation for manufactured or repacked item(s) can not be less than total valuation of raw materials,Tổng giá cho chế tạo hoặc đóng gói lại sản phẩm (s) không thể nhỏ hơn tổng số xác định giá trị nguyên vật liệu +Total weightage assigned should be 100%. It is {0},Tổng số weightage giao nên được 100%. Nó là {0} +Totals,{0}{/0}{1}{/1} {2}{/2}Tổng giá trị +Track Leads by Industry Type.,Theo dõi Dẫn theo ngành Type. +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 +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 +Transaction,cô lập Giao dịch +Transaction Date,Giao dịch ngày +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} +Transfer,Truyền +Transfer Material,Vật liệu chuyển +Transfer Raw Materials,Chuyển Nguyên liệu thô +Transferred Qty,Số lượng chuyển giao +Transportation,Vận chuyển +Transporter Info,Thông tin vận chuyển +Transporter Name,Tên vận chuyển +Transporter lorry number,Số vận chuyển xe tải +Travel,Du lịch +Travel Expenses,Chi phí đi lại +Tree Type,Loại cây +Tree of Item Groups.,Cây khoản Groups. +Tree of finanial Cost Centers.,Cây của Trung tâm Chi phí finanial. +Tree of finanial accounts.,Cây tài khoản finanial. +Trial Balance,Xét xử dư +Tuesday,Thứ ba +Type,Loại +Type of document to rename.,Loại tài liệu để đổi tên. +"Type of leaves like casual, sick etc.","Loại lá như bình thường, bệnh vv" +Types of Expense Claim.,Các loại chi phí yêu cầu bồi thường. +Types of activities for Time Sheets,Loại hoạt động cho Thời gian Sheets +"Types of employment (permanent, contract, intern etc.).","Loại lao động (thường xuyên, hợp đồng, vv tập)." +UOM Conversion Detail,Xem chi tiết UOM Chuyển đổi +UOM Conversion Details,UOM chi tiết chuyển đổi +UOM Conversion Factor,UOM chuyển đổi yếu tố +UOM Conversion factor is required in row {0},Yếu tố UOM chuyển đổi là cần thiết trong hàng {0} +UOM Name,Tên UOM +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} +Under AMC,Theo AMC +Under Graduate,Dưới đại học +Under Warranty,Theo Bảo hành +Unit,Đơn vị +Unit of Measure,Đơn vị đo +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 +"Unit of measurement of this item (e.g. Kg, Unit, No, Pair).","Đơn vị đo lường của mặt hàng này (ví dụ như Kg, đơn vị, không, Pair)." +Units/Hour,Đơn vị / giờ +Units/Shifts,Đơn vị / Sự thay đổi +Unpaid,Chưa thanh toán +Unreconciled Payment Details,Chi tiết Thanh toán Unreconciled +Unscheduled,Đột xuất +Unsecured Loans,Các khoản cho vay không có bảo đảm +Unstop,Tháo nút +Unstop Material Request,Tháo nút liệu Yêu cầu +Unstop Purchase Order,Tháo nút Mua hàng +Unsubscribed,Bỏ đăng ký +Update,Cập nhật +Update Clearance Date,Cập nhật thông quan ngày +Update Cost,Cập nhật giá +Update Finished Goods,Cập nhật hoàn thành Hàng +Update Landed Cost,Cập nhật Landed Chi phí +Update Series,Cập nhật dòng +Update Series Number,Cập nhật Dòng Số +Update Stock,Cập nhật chứng khoán +Update bank payment dates with journals.,Cập nhật ngày thanh toán ngân hàng với các tạp chí. +Update clearance date of Journal Entries marked as 'Bank Vouchers',Ngày giải phóng mặt bằng bản cập nhật của Tạp chí Entries đánh dấu là 'Ngân hàng Chứng từ' +Updated,Xin vui lòng viết một cái gì đó +Updated Birthday Reminders,Cập nhật mừng sinh nhật Nhắc nhở +Upload Attendance,Tải lên tham dự +Upload Backups to Dropbox,Tải lên sao lưu vào Dropbox +Upload Backups to Google Drive,Tải lên sao lưu để Google Drive +Upload HTML,Tải lên HTML +Upload a .csv file with two columns: the old name and the new name. Max 500 rows.,Tải lên một tập tin csv với hai cột:. Tên cũ và tên mới. Tối đa 500 dòng. +Upload attendance from a .csv file,Tải lên tham gia từ một tập tin csv. +Upload stock balance via csv.,Tải lên số dư chứng khoán thông qua csv. +Upload your letter head and logo - you can edit them later.,Tải lên đầu thư và logo của bạn - bạn có thể chỉnh sửa chúng sau này. +Upper Income,Thu nhập trên +Urgent,Khẩn cấp +Use Multi-Level BOM,Sử dụng Multi-Level BOM +Use SSL,Sử dụng SSL +Used for Production Plan,Sử dụng cho kế hoạch sản xuất +User,Người dùng +User ID,ID người dùng +User ID not set for Employee {0},ID người dùng không thiết lập cho nhân viên {0} +User Name,Tên người dùng +User Name or Support Password missing. Please enter and try again.,Tên hoặc Hỗ trợ Mật khẩu mất tích. Vui lòng nhập và thử lại. +User Remark,Người sử dụng Ghi chú +User Remark will be added to Auto Remark,Người sử dụng Ghi chú sẽ được thêm vào tự động Ghi chú +User Remarks is mandatory,Người sử dụng chú thích là bắt buộc +User Specific,Người sử dụng cụ thể +User must always select,Người sử dụng phải luôn luôn chọn +User {0} is already assigned to Employee {1},Người sử dụng {0} đã được giao cho nhân viên {1} +User {0} is disabled,Người sử dụng {0} bị vô hiệu hóa +Username,Tên Đăng Nhập +Users with this role are allowed to create / modify accounting entry before frozen date,Người sử dụng với vai trò này được phép tạo / sửa đổi mục kế toán trước ngày đông lạnh +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ả +Utilities,Tiện ích +Utility Expenses,Chi phí tiện ích +Valid For Territories,Hợp lệ Đối với vùng lãnh thổ +Valid From,Từ hợp lệ +Valid Upto,"HCM, đến hợp lệ" +Valid for Territories,Hợp lệ cho vùng lãnh thổ +Validate,Xác nhận +Valuation,Định giá +Valuation Method,Phương pháp định giá +Valuation Rate,Tỷ lệ định giá +Valuation Rate required for Item {0},Tỷ lệ đánh giá cần thiết cho mục {0} +Valuation and Total,Định giá và Tổng +Value,Giá trị +Value or Qty,Giá trị hoặc lượng +Vehicle Dispatch Date,Xe công văn ngày +Vehicle No,Không có xe +Venture Capital,Vốn đầu tư mạo hiểm +Verified By,Xác nhận bởi +View Ledger,Xem Ledger +View Now,Bây giờ xem +Visit report for maintenance call.,Thăm báo cáo cho các cuộc gọi bảo trì. +Voucher #,Chứng từ # +Voucher Detail No,Chứng từ chi tiết Không +Voucher Detail Number,Chứng từ chi tiết Số +Voucher ID,ID chứng từ +Voucher No,Không chứng từ +Voucher Type,Loại chứng từ +Voucher Type and Date,Loại chứng từ và ngày +Walk In,Trong đi bộ +Warehouse,Web App Ghi chú +Warehouse Contact Info,Kho Thông tin liên lạc +Warehouse Detail,Kho chi tiết +Warehouse Name,Tên kho +Warehouse and Reference,Kho và tham khảo +Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Kho không thể bị xóa sổ cái như nhập chứng khoán tồn tại cho kho này. +Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Kho chỉ có thể được thay đổi thông qua chứng khoán Entry / Giao hàng tận nơi Lưu ý / mua hóa đơn +Warehouse cannot be changed for Serial No.,Kho không thể thay đổi cho Serial số +Warehouse is mandatory for stock Item {0} in row {1},Kho là bắt buộc đối với cổ phiếu hàng {0} trong hàng {1} +Warehouse is missing in Purchase Order,Kho là mất tích trong Mua hàng +Warehouse not found in the system,Kho không tìm thấy trong hệ thống +Warehouse required for stock Item {0},Kho cần thiết cho chứng khoán hàng {0} +Warehouse where you are maintaining stock of rejected items,Kho nơi bạn đang duy trì cổ phiếu của các mặt hàng từ chối +Warehouse {0} can not be deleted as quantity exists for Item {1},Kho {0} không thể bị xóa như số lượng tồn tại cho mục {1} +Warehouse {0} does not belong to company {1},Kho {0} không thuộc về công ty {1} +Warehouse {0} does not exist,Kho {0} không tồn tại +Warehouse {0}: Company is mandatory,Kho {0}: Công ty là bắt buộc +Warehouse {0}: Parent account {1} does not bolong to the company {2},Kho {0}: Cha mẹ tài khoản {1} không Bolong cho công ty {2} +Warehouse-Wise Stock Balance,Kho-Wise Cổ cân +Warehouse-wise Item Reorder,Kho-khôn ngoan mục Sắp xếp lại +Warehouses,Kho +Warehouses.,Kho. +Warn,Cảnh báo +Warning: Leave application contains following block dates,Cảnh báo: Để lại ứng dụng có chứa khối ngày sau +Warning: Material Requested Qty is less than Minimum Order Qty,Cảnh báo: Chất liệu được yêu cầu Số lượng ít hơn hàng tối thiểu Số lượng +Warning: Sales Order {0} already exists against same Purchase Order number,Cảnh báo: bán hàng đặt hàng {0} đã tồn tại đối với cùng một số Mua hàng +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 overbilling từ số tiền cho mục {0} trong {1} là số không +Warranty / AMC Details,Bảo hành / AMC chi tiết +Warranty / AMC Status,Bảo hành / AMC trạng +Warranty Expiry Date,Bảo hành hết hạn ngày +Warranty Period (Days),Thời gian bảo hành (ngày) +Warranty Period (in days),Thời gian bảo hành (trong ngày) +We buy this Item,Chúng tôi mua sản phẩm này +We sell this Item,Chúng tôi bán sản phẩm này +Website,Trang web +Website Description,Website Description +Website Item Group,Trang web mục Nhóm +Website Item Groups,Trang web mục Groups +Website Settings,Thiết lập trang web +Website Warehouse,Trang web kho +Wednesday,Thứ tư +Weekly,Hàng tuần +Weekly Off,Tắt tuần +Weight UOM,Trọng lượng UOM +"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Trọng lượng được đề cập, \n Xin đề cập đến ""Trọng lượng UOM"" quá" +Weightage,Weightage +Weightage (%),Weightage (%) +Welcome,Chào mừng bạn +Welcome to ERPNext. Over the next few minutes we will help you setup your ERPNext account. Try and fill in as much information as you have even if it takes a bit longer. It will save you a lot of time later. Good Luck!,"Chào mừng bạn đến ERPNext. Trong vài phút tiếp theo, chúng tôi sẽ giúp bạn thiết lập tài khoản ERPNext của bạn. Hãy thử và điền vào càng nhiều thông tin bạn có thậm chí nếu phải mất lâu hơn một chút. Nó sẽ giúp bạn tiết kiệm rất nhiều thời gian sau đó. Chúc may mắn!" +Welcome to ERPNext. Please select your language to begin the Setup Wizard.,Chào mừng bạn đến ERPNext. Vui lòng chọn ngôn ngữ của bạn để bắt đầu Setup Wizard. +What does it do?,Nó làm gì? +"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.","Khi bất cứ giao dịch kiểm tra được ""Gửi"", một email pop-up tự động mở để gửi một email đến các liên kết ""Liên hệ"" trong giao dịch, với các giao dịch như là một tập tin đính kèm. Người sử dụng có thể hoặc không có thể gửi email." +"When submitted, the system creates difference entries to set the given stock and valuation on this date.","Khi gửi, hệ thống tạo ra sự khác biệt mục để thiết lập chứng khoán nhất định và định giá trong ngày này." +Where items are stored.,Nơi các mặt hàng được lưu trữ. +Where manufacturing operations are carried out.,Nơi hoạt động sản xuất được thực hiện. +Widowed,Góa chồng +Will be calculated automatically when you enter the details,Sẽ được tính toán tự động khi bạn nhập chi tiết +Will be updated after Sales Invoice is Submitted.,Sẽ được cập nhật sau khi bán hàng hóa đơn được Gửi. +Will be updated when batched.,Sẽ được cập nhật khi trộn. +Will be updated when billed.,Sẽ được cập nhật khi lập hóa đơn. +Wire Transfer,Chuyển khoản +With Operations,Với hoạt động +With Period Closing Entry,Thời gian đóng cửa với nhập +Work Details,Chi tiết công việc +Work Done,Xong công việc +Work In Progress,Làm việc dở dang +Work-in-Progress Warehouse,Làm việc-trong-Tiến kho +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 +Working,Làm việc +Working Days,Ngày làm việc +Workstation,Máy trạm +Workstation Name,Tên máy trạm +Write Off Account,Viết Tắt tài khoản +Write Off Amount,Viết Tắt Số tiền +Write Off Amount <=,Viết Tắt Số tiền <= +Write Off Based On,Viết Tắt Dựa trên +Write Off Cost Center,Viết Tắt Trung tâm Chi phí +Write Off Outstanding Amount,Viết Tắt Số tiền nổi bật +Write Off Voucher,Viết Tắt Voucher +Wrong Template: Unable to find head row.,Sai mẫu: Không thể tìm thấy hàng đầu. +Year,Năm +Year Closed,Đóng cửa năm +Year End Date,Ngày kết thúc năm +Year Name,Năm Tên +Year Start Date,Ngày bắt đầu năm +Year of Passing,Năm Passing +Yearly,Hàng năm +Yes,Đồng ý +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 các mục trước khi {0} +You are not authorized to set Frozen value,Bạn không được phép để thiết lập giá trị đông lạnh +You are the Expense Approver for this record. Please Update the 'Status' and Save,Bạn là người phê duyệt chi phí cho hồ sơ này. Xin vui lòng cập nhật 'Trạng thái' và tiết kiệm +You are the Leave Approver for this record. Please Update the 'Status' and Save,Bạn là người phê duyệt Để lại cho hồ sơ này. Xin vui lòng cập nhật 'Trạng thái' và tiết kiệm +You can enter any date manually,Bạn có thể nhập bất kỳ ngày nào tay +You can enter the minimum quantity of this item to be ordered.,Bạn có thể nhập số lượng tối thiểu của mặt hàng này được đặt hàng. +You can not change rate if BOM mentioned agianst any item,Bạn không thể thay đổi tỷ lệ nếu HĐQT đã đề cập agianst bất kỳ mục nào +You can not enter both Delivery Note No and Sales Invoice No. Please enter any one.,Bạn không thể gõ cả hai Giao hàng tận nơi Lưu ý Không có hóa đơn bán hàng và số Vui lòng nhập bất kỳ một. +You can not enter current voucher in 'Against Journal Voucher' column,Bạn không thể nhập chứng từ hiện tại 'chống Tạp chí Voucher' cột +You can set Default Bank Account in Company master,Bạn có thể thiết lập Mặc định tài khoản ngân hàng của Công ty chủ +You can start by selecting backup frequency and granting access for sync,Bạn có thể bắt đầu bằng cách chọn tần số sao lưu và cấp quyền truy cập cho đồng bộ +You can submit this Stock Reconciliation.,Bạn có thể gửi hòa giải chứng khoán này. +You can update either Quantity or Valuation Rate or both.,Bạn có thể cập nhật hoặc Số lượng hoặc Tỷ lệ định giá hoặc cả hai. +You cannot credit and debit same account at the same time,Bạn không thể tín dụng và ghi nợ cùng một tài khoản cùng một lúc +You have entered duplicate items. Please rectify and try again.,Bạn đã nhập các mặt hàng trùng lặp. Xin khắc phục và thử lại. +You may need to update: {0},Bạn có thể cần phải cập nhật: {0} +You must Save the form before proceeding,Bạn phải tiết kiệm các hình thức trước khi tiếp tục +Your Customer's TAX registration numbers (if applicable) or any general information,Số đăng ký thuế của khách hàng của bạn (nếu có) hoặc bất kỳ thông tin chung +Your Customers,Khách hàng của bạn +Your Login Id,Id đăng nhập của bạn +Your Products or Services,Sản phẩm hoặc dịch vụ của bạn +Your Suppliers,Các nhà cung cấp của bạn +Your email address,Địa chỉ email của bạn +Your financial year begins on,Năm tài chính của bạn bắt đầu từ ngày +Your financial year ends on,Năm tài chính kết thúc vào ngày của bạn +Your sales person who will contact the customer in future,"Người bán hàng của bạn, những người sẽ liên lạc với khách hàng trong tương lai" +Your sales person will get a reminder on this date to contact the customer,Người bán hàng của bạn sẽ nhận được một lời nhắc nhở trong ngày này để liên lạc với khách hàng +Your setup is complete. Refreshing...,Thiết lập của bạn là hoàn tất. Làm mới ... +Your support email id - must be a valid email - this is where your emails will come!,Hỗ trợ của bạn id email - phải là một email hợp lệ - đây là nơi mà email của bạn sẽ đến! +[Error],[Lỗi] +[Select],[Chọn] +`Freeze Stocks Older Than` should be smaller than %d days.,`Freeze cổ phiếu cũ hơn` nên nhỏ hơn% d ngày. +and,và +are not allowed.,không được phép. +assigned by,bởi giao +cannot be greater than 100,không có thể lớn hơn 100 +"e.g. ""Build tools for builders""","ví dụ như ""Xây dựng các công cụ cho các nhà xây dựng """ +"e.g. ""MC""","ví dụ như ""MC """ +"e.g. ""My Company LLC""","ví dụ như ""Công ty của tôi LLC """ +e.g. 5,ví dụ như 5 +"e.g. Bank, Cash, Credit Card","ví dụ như Ngân hàng, tiền mặt, thẻ tín dụng" +"e.g. Kg, Unit, Nos, m","ví dụ như Kg, đơn vị, Nos, m" +e.g. VAT,ví dụ như thuế GTGT +eg. Cheque Number,ví dụ. Số séc +example: Next Day Shipping,Ví dụ: Ngày hôm sau Vận chuyển +lft,lft +old_parent,old_parent +rgt,rgt +subject,Tiêu đề +to,để +website page link,liên kết trang web +{0} '{1}' not in Fiscal Year {2},{0} '{1}' không trong năm tài chính {2} +{0} Credit limit {0} crossed,{0} Hạn mức tín dụng {0} vượt qua +{0} Serial Numbers required for Item {0}. Only {0} provided.,{0} số Serial cần thiết cho mục {0}. Chỉ {0} cung cấp. +{0} budget for Account {1} against Cost Center {2} will exceed by {3},{0} ngân sách cho tài khoản {1} chống lại Trung tâm Chi phí {2} sẽ vượt quá bởi {3} +{0} can not be negative,{0} không thể phủ định +{0} created,{0} tạo +{0} does not belong to Company {1},{0} không thuộc về Công ty {1} +{0} entered twice in Item Tax,{0} vào hai lần tại khoản thuế +{0} is an invalid email address in 'Notification Email Address',{0} là một địa chỉ email không hợp lệ trong 'Địa chỉ Email thông báo' +{0} is mandatory,{0} là bắt buộc +{0} is mandatory for Item {1},{0} là bắt buộc đối với mục {1} +{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} là bắt buộc. Có thể đổi tiền kỷ lục không được tạo ra cho {1} đến {2}. +{0} is not a stock Item,{0} không phải là một cổ phiếu hàng +{0} is not a valid Batch Number for Item {1},{0} không phải là một số hợp lệ cho hàng loạt mục {1} +{0} is not a valid Leave Approver. Removing row #{1}.,{0} không phải là một Để lại phê duyệt hợp lệ. Loại bỏ hàng # {1}. +{0} is not a valid email id,{0} không phải là một id email hợp lệ +{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} bây giờ là mặc định năm tài chính. Xin vui lòng làm mới trình duyệt của bạn để thay đổi có hiệu lực. +{0} is required,Cho phép Giỏ hàng +{0} must be a Purchased or Sub-Contracted Item in row {1},{0} phải là một mục Mua hoặc Chi ký hợp đồng trong hàng {1} +{0} must be reduced by {1} or you should increase overflow tolerance,{0} phải được giảm {1} hoặc bạn nên tăng khả năng chịu tràn +{0} must have role 'Leave Approver',{0} phải có vai trò 'Để lại phê duyệt' +{0} valid serial nos for Item {1},{0} nos nối tiếp hợp lệ cho mục {1} +{0} {1} against Bill {2} dated {3},{0} {1} chống lại Bill {2} ngày {3} +{0} {1} against Invoice {2},{0} {1} đối với hóa đơn {2} +{0} {1} has already been submitted,{0} {1} đã được gửi +{0} {1} has been modified. Please refresh.,{0} {1} đã được sửa đổi. Xin vui lòng làm mới. +{0} {1} is not submitted,{0} {1} không nộp +{0} {1} must be submitted,{0} {1} phải được gửi +{0} {1} not in any Fiscal Year,{0} {1} không trong bất kỳ năm tài chính +{0} {1} status is 'Stopped',{0} {1} tình trạng là 'Ngưng' +{0} {1} status is Stopped,{0} {1} trạng thái được Ngưng +{0} {1} status is Unstopped,{0} {1} tình trạng là Unstopped +{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Trung tâm chi phí là bắt buộc đối với hàng {2} +{0}: {1} not found in Invoice Details table,{0}: {1} không tìm thấy trong hóa đơn chi tiết bảng diff --git a/erpnext/translations/zh-cn.csv b/erpnext/translations/zh-cn.csv index e7b81993f7..faef8220a9 100644 --- a/erpnext/translations/zh-cn.csv +++ b/erpnext/translations/zh-cn.csv @@ -14,7 +14,6 @@ % of materials delivered against this Sales Order,%的交付对这个销售订单物料 % of materials ordered against this Material Request,%的下令对这种材料申请材料 % of materials received against this Purchase Order,%的材料收到反对这个采购订单 -%(conversion_rate_label)s is mandatory. Maybe Currency Exchange record is not created for %(from_currency)s to %(to_currency)s,# ## # 'Actual Start Date' can not be greater than 'Actual End Date',“实际开始日期”不能大于“实际结束日期' 'Based On' and 'Group By' can not be same,“根据”和“分组依据”不能相同 'Days Since Last Order' must be greater than or equal to zero,“自从最后订购日”必须大于或等于零 @@ -30,11 +29,35 @@ 'Update Stock' for Sales Invoice {0} must be set,'更新库存“的销售发票{0}必须设置 * Will be calculated in the transaction.,*将被计算在该交易。 "1 Currency = [?] Fraction -For e.g. 1 USD = 100 Cent",1货币= [?]分数\ n对于如 +For e.g. 1 USD = 100 Cent","1货币= [?]分数 +对于如1美元= 100美分" 1. To maintain the customer wise item code and to make them searchable based on their code use this option,1。为了保持客户明智的项目代码,并使其搜索根据自己的代码中使用这个选项 "
Add / Edit","添加/编辑" "Add / Edit","添加/编辑" "Add / Edit","添加/编辑" +"

Default Template

+

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

+
{{ address_line1 }}<br>
+{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}
+{{ city }}<br>
+{% if state %}{{ state }}<br>{% endif -%}
+{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}
+{{ country }}<br>
+{% if phone %}Phone: {{ phone }}<br>{% endif -%}
+{% if fax %}Fax: {{ fax }}<br>{% endif -%}
+{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
+
","

默认模板 +

使用神社模板和地址的所有字段(包括自定义字段如果有的话)将可 +

 {{address_line1}} 
+ {%如果address_line2%} {{address_line2}} {
%ENDIF - %} + {{城市}}
+ {%,如果状态%} {{状态}}
{%ENDIF - %} + {%如果PIN代码%}密码:{{PIN码}}
{%ENDIF - %} + {{国家}}
+ {%,如果电话%}电话:{{电话}} {
%ENDIF - %} + {%如果传真%}传真:{{传真}}
{%ENDIF - %} + {%如果email_id%}邮箱:{{email_id}}
; {%ENDIF - %} + " A Customer Group exists with same name please change the Customer name or rename the Customer Group,客户群组存在具有相同名称,请更改客户姓名或重命名客户集团 A Customer exists with same name,一位顾客存在具有相同名称 A Lead with this email id should exist,与此电子邮件id一个铅应该存在 @@ -44,7 +67,6 @@ A symbol for this currency. For e.g. $,符号的这种货币。对于如$ AMC Expiry Date,AMC到期时间 Abbr,缩写 Abbreviation cannot have more than 5 characters,缩写不能有超过5个字符 -About,关于 Above Value,上述值 Absent,缺席 Acceptance Criteria,验收标准 @@ -59,6 +81,8 @@ Account Details,帐户明细 Account Head,帐户头 Account Name,帐户名称 Account Type,账户类型 +"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'",帐户余额已在信贷,你是不允许设置“余额必须是'为'借' +"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",帐户已在借方余额,则不允许设置“余额必须是'为'信用' Account for the warehouse (Perpetual Inventory) will be created under this Account.,账户仓库(永续盘存)将在该帐户下创建。 Account head {0} created,帐户头{0}创建 Account must be a balance sheet account,帐户必须是结算账户 @@ -68,13 +92,20 @@ Account with existing transaction can not be deleted,帐户与现有的事务不 Account with existing transaction cannot be converted to ledger,帐户与现有的事务不能被转换为总账 Account {0} cannot be a Group,帐户{0}不能为集团 Account {0} does not belong to Company {1},帐户{0}不属于公司{1} +Account {0} does not belong to company: {1},帐户{0}不属于公司:{1} Account {0} does not exist,帐户{0}不存在 Account {0} has been entered more than once for fiscal year {1},帐户{0}已多次输入会计年度{1} Account {0} is frozen,帐户{0}被冻结 Account {0} is inactive,帐户{0}是无效的 +Account {0} is not valid,帐户{0}无效 Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item,帐户{0}的类型必须为“固定资产”作为项目{1}是一个资产项目 +Account {0}: Parent account {1} can not be a ledger,帐户{0}:家长帐户{1}不能是总账 +Account {0}: Parent account {1} does not belong to company: {2},帐户{0}:家长帐户{1}不属于公司:{2} +Account {0}: Parent account {1} does not exist,帐户{0}:家长帐户{1}不存在 +Account {0}: You can not assign itself as parent account,帐户{0}:你不能将自己作为父母的帐户 "Account: {0} can only be updated via \ - Stock Transactions",帐户: {0}只能通过\更新\ n股票交易 + Stock Transactions","帐号:\ +股票交易{0}只能通过更新" Accountant,会计 Accounting,会计 "Accounting Entries can be made against leaf nodes, called",会计分录可以对叶节点进行,称为 @@ -124,6 +155,7 @@ Address Details,详细地址 Address HTML,地址HTML Address Line 1,地址行1 Address Line 2,地址行2 +Address Template,地址模板 Address Title,地址名称 Address Title is mandatory.,地址标题是强制性的。 Address Type,地址类型 @@ -144,7 +176,6 @@ Against Docname,可采用DocName反对 Against Doctype,针对文档类型 Against Document Detail No,对文件详细说明暂无 Against Document No,对文件无 -Against Entries,对参赛作品 Against Expense Account,对费用帐户 Against Income Account,对收入账户 Against Journal Voucher,对日记帐凭证 @@ -180,10 +211,8 @@ All Territories,所有的领土 "All export related fields like currency, conversion rate, export total, export grand total etc are available in Delivery Note, POS, Quotation, Sales Invoice, Sales Order etc.",在送货单, POS机,报价单,销售发票,销售订单等可像货币,转换率,进出口总额,出口总计等所有出口相关领域 "All import related fields like currency, conversion rate, import total, import grand total etc are available in Purchase Receipt, Supplier Quotation, Purchase Invoice, Purchase Order etc.",在外购入库单,供应商报价单,采购发票,采购订单等所有可像货币,转换率,总进口,进口总计进口等相关领域 All items have already been invoiced,所有项目已开具发票 -All items have already been transferred for this Production Order.,所有的物品已经被转移该生产订单。 All these items have already been invoiced,所有这些项目已开具发票 Allocate,分配 -Allocate Amount Automatically,自动分配金额 Allocate leaves for a period.,分配叶子一段时间。 Allocate leaves for the year.,分配叶子的一年。 Allocated Amount,分配金额 @@ -204,13 +233,13 @@ Allow Users,允许用户 Allow the following users to approve Leave Applications for block days.,允许以下用户批准许可申请的区块天。 Allow user to edit Price List Rate in transactions,允许用户编辑价目表率的交易 Allowance Percent,津贴百分比 -Allowance for over-delivery / over-billing crossed for Item {0},备抵过交付/过账单越过为项目{0} +Allowance for over-{0} crossed for Item {1},备抵过{0}越过为项目{1} +Allowance for over-{0} crossed for Item {1}.,备抵过{0}越过为项目{1}。 Allowed Role to Edit Entries Before Frozen Date,宠物角色来编辑文章前冷冻日期 Amended From,从修订 Amount,量 Amount (Company Currency),金额(公司货币) -Amount <=,量<= -Amount >=,金额> = +Amount Paid,已支付的款项 Amount to Bill,帐单数额 An Customer exists with same name,一个客户存在具有相同名称 "An Item Group exists with same name, please change the item name or rename the item group",项目组存在具有相同名称,请更改项目名称或重命名的项目组 @@ -260,6 +289,7 @@ As per Stock UOM,按库存计量单位 Asset,财富 Assistant,助理 Associate,关联 +Atleast one of the Selling or Buying must be selected,ATLEAST一个销售或购买的必须选择 Atleast one warehouse is mandatory,ATLEAST一间仓库是强制性的 Attach Image,附上图片 Attach Letterhead,附加信 @@ -319,6 +349,7 @@ Balance for Account {0} must always be {1},为平衡帐户{0}必须始终{1} Balance must be,余额必须 "Balances of Accounts of type ""Bank"" or ""Cash""",键入“银行”账户的余额或“现金” Bank,银行 +Bank / Cash Account,银行/现金账户 Bank A/C No.,银行A / C号 Bank Account,银行帐户 Bank Account No.,银行账号 @@ -397,18 +428,24 @@ Budget Distribution Details,预算分配详情 Budget Variance Report,预算差异报告 Budget cannot be set for Group Cost Centers,预算不能为集团成本中心设置 Build Report,建立举报 -Built on,建 Bundle items at time of sale.,捆绑项目在销售时。 Business Development Manager,业务发展经理 Buying,求购 Buying & Selling,购买与销售 Buying Amount,客户买入金额 Buying Settings,求购设置 +"Buying must be checked, if Applicable For is selected as {0}",求购必须进行检查,如果适用于被选择为{0} C-Form,C-表 C-Form Applicable,C-表格适用 C-Form Invoice Detail,C-形式发票详细信息 C-Form No,C-表格编号 C-Form records,C-往绩纪录 +CENVAT Capital Goods,CENVAT资本货物 +CENVAT Edu Cess,CENVAT塞斯埃杜 +CENVAT SHE Cess,CENVAT佘塞斯 +CENVAT Service Tax,CENVAT服务税 +CENVAT Service Tax Cess 1,CENVAT服务税附加税1 +CENVAT Service Tax Cess 2,CENVAT服务税附加税2 Calculate Based On,计算的基础上 Calculate Total Score,计算总分 Calendar Events,日历事件 @@ -432,7 +469,7 @@ Cannot approve leave as you are not authorized to approve leaves on Block Dates, Cannot cancel because Employee {0} is already approved for {1},不能取消,因为员工{0}已经被核准用于{1} Cannot cancel because submitted Stock Entry {0} exists,不能取消,因为提交股票输入{0}存在 Cannot carry forward {0},不能发扬{0} -Cannot change Year Start Date and Year End Date once the Fiscal Year is saved.,1 。地址和公司联系。 +Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,不能更改财政年度开始日期和财政年度结束日期,一旦会计年度被保存。 "Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.",不能改变公司的预设货币,因为有存在的交易。交易必须取消更改默认货币。 Cannot convert Cost Center to ledger as it has child nodes,不能成本中心转换为总账,因为它有子节点 Cannot covert to Group because Master Type or Account Type is selected.,不能隐蔽到组,因为硕士或帐户类型选择的。 @@ -441,7 +478,7 @@ Cannot deactive or cancle BOM as it is linked with other BOMs,不能取消激活 Cannot deduct when category is for 'Valuation' or 'Valuation and Total',不能抵扣当类别为“估值”或“估值及总' "Cannot delete Serial No {0} in stock. First remove from stock, then delete.",不能{0}删除序号股票。首先从库存中删除,然后删除。 "Cannot directly set amount. For 'Actual' charge type, use the rate field",不能直接设置金额。对于“实际”充电式,用速度场 -"Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in 'Setup' > 'Global Defaults'",不能在一行overbill的项目{0} {0}不是{1}更多。要允许超收,请在“设置”设置> “全球默认值” +"Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in Stock Settings",不能在一行overbill的项目{0} {0}不是{1}更多。要允许超收,请在库存设置中设置 Cannot produce more Item {0} than Sales Order quantity {1},不能产生更多的项目{0}不是销售订单数量{1} Cannot refer row number greater than or equal to current row number for this Charge type,不能引用的行号大于或等于当前行号码提供给充电式 Cannot return more than {0} for Item {1},不能返回超过{0}的项目{1} @@ -504,6 +541,8 @@ Click on a link to get options to expand get options ,点击一个链接以获 Client,客户 Close Balance Sheet and book Profit or Loss.,关闭资产负债表和账面利润或亏损。 Closed,关闭 +Closing (Cr),关闭(CR) +Closing (Dr),关闭(博士) Closing Account Head,关闭帐户头 Closing Account {0} must be of type 'Liability',关闭帐户{0}必须是类型'责任' Closing Date,截止日期 @@ -514,7 +553,9 @@ CoA Help,辅酶帮助 Code,码 Cold Calling,自荐 Color,颜色 +Column Break,分栏符 Comma separated list of email addresses,逗号分隔的电子邮件地址列表 +Comment,评论 Comments,评论 Commercial,广告 Commission,佣金 @@ -599,7 +640,6 @@ Cosmetics,化妆品 Cost Center,成本中心 Cost Center Details,成本中心详情 Cost Center Name,成本中心名称 -Cost Center is mandatory for Item {0},成本中心是强制性的项目{0} Cost Center is required for 'Profit and Loss' account {0},成本中心是必需的“损益”账户{0} Cost Center is required in row {0} in Taxes table for type {1},成本中心是必需的行{0}税表型{1} Cost Center with existing transactions can not be converted to group,与现有的交易成本中心,不能转化为组 @@ -609,6 +649,7 @@ Cost of Goods Sold,销货成本 Costing,成本核算 Country,国家 Country Name,国家名称 +Country wise default Address Templates,国家明智的默认地址模板 "Country, Timezone and Currency",国家,时区和货币 Create Bank Voucher for the total salary paid for the above selected criteria,创建银行券为支付上述选择的标准工资总额 Create Customer,创建客户 @@ -662,10 +703,12 @@ Customer (Receivable) Account,客户(应收)帐 Customer / Item Name,客户/项目名称 Customer / Lead Address,客户/铅地址 Customer / Lead Name,客户/铅名称 +Customer > Customer Group > Territory,客户>客户群>领地 Customer Account Head,客户帐户头 Customer Acquisition and Loyalty,客户获得和忠诚度 Customer Address,客户地址 Customer Addresses And Contacts,客户的地址和联系方式 +Customer Addresses and Contacts,客户地址和联系方式 Customer Code,客户代码 Customer Codes,客户代码 Customer Details,客户详细信息 @@ -727,6 +770,8 @@ Deduction1,Deduction1 Deductions,扣除 Default,默认 Default Account,默认帐户 +Default Address Template cannot be deleted,默认地址模板不能被删除 +Default Amount,违约金额 Default BOM,默认的BOM Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,默认银行/现金帐户将被自动在POS机发票时选择此模式更新。 Default Bank Account,默认银行账户 @@ -734,7 +779,6 @@ Default Buying Cost Center,默认情况下购买成本中心 Default Buying Price List,默认情况下采购价格表 Default Cash Account,默认的现金账户 Default Company,默认公司 -Default Cost Center for tracking expense for this item.,默认的成本中心跟踪支出为这个项目。 Default Currency,默认货币 Default Customer Group,默认用户组 Default Expense Account,默认费用帐户 @@ -761,6 +805,7 @@ Default settings for selling transactions.,默认设置为卖出交易。 Default settings for stock transactions.,默认设置为股票交易。 Defense,防御 "Define Budget for this Cost Center. To set budget action, see
Company Master","定义预算这个成本中心。要设置预算行动,见公司主" +Del,德尔 Delete,删除 Delete {0} {1}?,删除{0} {1} ? Delivered,交付 @@ -809,6 +854,7 @@ Discount (%),折让(%) Discount Amount,折扣金额 "Discount Fields will be available in Purchase Order, Purchase Receipt, Purchase Invoice",折扣场将在采购订单,采购入库单,采购发票 Discount Percentage,折扣百分比 +Discount Percentage can be applied either against a Price List or for all Price List.,折扣百分比可以应用于对一个价目表或所有价目表。 Discount must be less than 100,折扣必须小于100 Discount(%),折让(%) Dispatch,调度 @@ -841,7 +887,8 @@ Download Template,下载模板 Download a report containing all raw materials with their latest inventory status,下载一个包含所有原料一份报告,他们最新的库存状态 "Download the Template, fill appropriate data and attach the modified file.",下载模板,填写相应的数据,并附加了修改后的文件。 "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",下载模板,填写相应的数据,并附加了修改后的文件。 \ n所有的日期,并在所选期间员工的组合会在模板中,与现有的考勤记录 +All dates and employee combination in the selected period will come in the template, with existing attendance records","下载模板,填写相应的数据,并附加了修改后的文件。 +所有时间和员工组合在选定的期限会在模板中,与现有的考勤记录" Draft,草案 Dropbox,Dropbox的 Dropbox Access Allowed,Dropbox的允许访问 @@ -863,6 +910,9 @@ Earning & Deduction,收入及扣除 Earning Type,收入类型 Earning1,Earning1 Edit,编辑 +Edu. Cess on Excise,埃杜。塞斯在消费税 +Edu. Cess on Service Tax,埃杜。塞斯在服务税 +Edu. Cess on TDS,埃杜。塞斯在TDS Education,教育 Educational Qualification,学历 Educational Qualification Details,学历详情 @@ -937,16 +987,27 @@ Enter url parameter for receiver nos,输入URL参数的接收器号 Entertainment & Leisure,娱乐休闲 Entertainment Expenses,娱乐费用 Entries,项 -Entries against,将成为 +Entries against , Entries are not allowed against this Fiscal Year if the year is closed.,参赛作品不得对本财年,如果当年被关闭。 -Entries before {0} are frozen,前{0}项被冻结 Equity,公平 Error: {0} > {1},错误: {0} > {1} Estimated Material Cost,预计材料成本 +"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:",即使有更高优先级的多个定价规则,然后按照内部优先级应用: Everyone can read,每个人都可以阅读 "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 #### # \ n如果串联设置和序列号没有在交易中提到,然后自动序列号将基于该系列被创建。 +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##### +如果串联设置和序列号没有在交易中提到,然后自动序列号将基于该系列被创建。如果你总是想明确提到串行NOS为这个项目。留空。" Exchange Rate,汇率 +Excise Duty 10,消费税10 +Excise Duty 14,消费税14 +Excise Duty 4,消费税4 +Excise Duty 8,消费税8 +Excise Duty @ 10,消费税@ 10 +Excise Duty @ 14,消费税@ 14 +Excise Duty @ 4,消费税@ 4 +Excise Duty @ 8,消费税@ 8 +Excise Duty Edu Cess 2,消费税埃杜塞斯2 +Excise Duty SHE Cess 1,消费税佘塞斯1 Excise Page Number,消费页码 Excise Voucher,消费券 Execution,执行 @@ -965,6 +1026,7 @@ Expected Delivery Date cannot be before Sales Order Date,预计交货日期不 Expected End Date,预计结束日期 Expected Start Date,预计开始日期 Expense,费用 +Expense / Difference account ({0}) must be a 'Profit or Loss' account,费用/差异帐户({0})必须是一个'溢利或亏损的账户 Expense Account,费用帐户 Expense Account is mandatory,费用帐户是必需的 Expense Claim,报销 @@ -1015,12 +1077,16 @@ Finished Goods,成品 First Name,名字 First Responded On,首先作出回应 Fiscal Year,财政年度 +Fiscal Year Start Date and Fiscal Year End Date are already set in Fiscal Year {0},会计年度开始日期和财政年度结束日期已经在财政年度设置{0} +Fiscal Year Start Date and Fiscal Year End Date cannot be more than a year apart.,会计年度开始日期和财政年度结束日期不能超过相隔一年。 +Fiscal Year Start Date should not be greater than Fiscal Year End Date,会计年度开始日期应不大于财政年度结束日期 Fixed Asset,固定资产 Fixed Assets,固定资产 Follow via Email,通过电子邮件跟随 "Following table will show values if items are sub - contracted. These values will be fetched from the master of ""Bill of Materials"" of sub - contracted items.",下表将显示值,如果项目有子 - 签约。这些值将被从子的“材料清单”的主人进账 - 已签约的项目。 Food,食物 "Food, Beverage & Tobacco",食品,饮料与烟草 +"For 'Sales BOM' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Sales BOM' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.",对于“销售物料清单”项,仓库,序列号和批次号将被从“装箱清单”表考虑。如果仓库和批号都是相同的任何“销售BOM'项目的所有包装物品,这些值可以在主项目表中输入,值将被复制到”装箱单“表。 For Company,对于公司 For Employee,对于员工 For Employee Name,对于员工姓名 @@ -1050,7 +1116,9 @@ From Currency and To Currency cannot be same,从货币和货币不能相同 From Customer,从客户 From Customer Issue,如果您在制造业活动涉及
From Date,从日期 +From Date cannot be greater than To Date,从日期不能大于结束日期 From Date must be before To Date,从日期必须是之前日期 +From Date should be within the Fiscal Year. Assuming From Date = {0},从日期应该是在财政年度内。假设起始日期= {0} From Delivery Note,从送货单 From Employee,从员工 From Lead,从铅 @@ -1072,7 +1140,9 @@ Frozen Accounts Modifier,冻结帐户修改 Fulfilled,适合 Full Name,全名 Full-time,全日制 +Fully Billed,完全开票 Fully Completed,全面完成 +Fully Delivered,完全交付 Furniture and Fixture,家具及固定装置 Further accounts can be made under Groups but entries can be made against Ledger,进一步帐户可以根据组进行,但项目可以对总帐进行 "Further accounts can be made under Groups, but entries can be made against Ledger",进一步帐户可以根据组进行,但项目可以对总帐进行 @@ -1090,7 +1160,6 @@ Generate Schedule,生成时间表 Generates HTML to include selected image in the description,生成HTML,包括所选图像的描述 Get Advances Paid,获取有偿进展 Get Advances Received,取得进展收稿 -Get Against Entries,获取对条目 Get Current Stock,获取当前库存 Get Items,找项目 Get Items From Sales Orders,获取项目从销售订单 @@ -1103,6 +1172,7 @@ Get Specification Details,获取详细规格 Get Stock and Rate,获取股票和速率 Get Template,获取模板 Get Terms and Conditions,获取条款和条件 +Get Unreconciled Entries,获取未调节项 Get Weekly Off Dates,获取每周关闭日期 "Get valuation rate and available stock at source/target warehouse on mentioned posting date-time. If serialized item, please press this button after entering serial nos.",获取估值率和可用库存在上提到过账日期 - 时间源/目标仓库。如果序列化的项目,请输入序列号后,按下此按钮。 Global Defaults,全球默认值 @@ -1171,6 +1241,7 @@ Hour,小时 Hour Rate,小时率 Hour Rate Labour,小时劳动率 Hours,小时 +How Pricing Rule is applied?,如何定价规则被应用? How frequently?,多久? "How should this currency be formatted? If not set, will use system defaults",应如何货币进行格式化?如果没有设置,将使用系统默认 Human Resources,人力资源 @@ -1187,12 +1258,15 @@ If different than customer address,如果不是客户地址不同 "If disable, 'Rounded Total' field will not be visible in any transaction",如果禁用,“圆角总计”字段将不可见的任何交易 "If enabled, the system will post accounting entries for inventory automatically.",如果启用,系统将自动为发布库存会计分录。 If more than one package of the same type (for print),如果不止一个包相同类型的(用于打印) +"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.",如果有多个定价规则继续盛行,用户被要求手动设置优先级来解决冲突。 "If no change in either Quantity or Valuation Rate, leave the cell blank.",如果在任一数量或估价率没有变化,离开细胞的空白。 If not applicable please enter: NA,如果不适用,请输入:不适用 "If not checked, the list will have to be added to each Department where it has to be applied.",如果未选中,则列表将被添加到每个部门,在那里它被应用。 +"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.",如果选择的定价规则是为'价格',它将覆盖价目表。定价规则价格是最终价格,所以没有进一步的折扣应适用。因此,在像销售订单,采购订单等交易,这将是在“汇率”字段提取,而不是'价格单率“字段。 "If specified, send the newsletter using this email address",如果指定了,使用这个电子邮件地址发送电子报 "If the account is frozen, entries are allowed to restricted users.",如果帐户被冻结,条目被允许受限制的用户。 "If this Account represents a Customer, Supplier or Employee, set it here.",如果该帐户代表一个客户,供应商或员工,在这里设置。 +"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.",如果根据上述条件发现两个或更多个定价规则,优先级被应用。优先级是一个介于0到20,而默认值为零(空白)。数字越大,意味着它将优先,如果有与相同条件下的多个定价规则。 If you follow Quality Inspection. Enables Item QA Required and QA No in Purchase Receipt,如果你遵循质量检验。使产品的质量保证要求和质量保证在没有采购入库单 If you have Sales Team and Sale Partners (Channel Partners) they can be tagged and maintain their contribution in the sales activity,如果你有销售团队和销售合作伙伴(渠道合作伙伴),他们可以被标记,并维持其在销售贡献活动 "If you have created a standard template in Purchase Taxes and Charges Master, select one and click on the button below.",如果您在购置税和费法师创建一个标准的模板,选择一个,然后点击下面的按钮。 @@ -1200,6 +1274,7 @@ If you have Sales Team and Sale Partners (Channel Partners) they can be tagged "If you have long print formats, this feature can be used to split the page to be printed on multiple pages with all headers and footers on each page",如果你有很长的打印格式,这个功能可以被用来分割要打印多个页面,每个页面上的所有页眉和页脚的页 If you involve in manufacturing activity. Enables Item 'Is Manufactured',如果您在制造业活动涉及。使项目'制造' Ignore,忽略 +Ignore Pricing Rule,忽略定价规则 Ignored: ,忽略: Image,图像 Image View,图像查看 @@ -1236,8 +1311,9 @@ Income booked for the digest period,收入入账的消化期 Incoming,来 Incoming Rate,传入速率 Incoming quality inspection.,来料质量检验。 +Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,不正确的数字总帐条目中找到。你可能会在交易中选择了错误的帐户。 Incorrect or Inactive BOM {0} for Item {1} at row {2},不正确或不活动的BOM {0}的项目{1}在列{2} -Indicates that the package is a part of this delivery,表示该包是这个传递的一部分 +Indicates that the package is a part of this delivery (Only Draft),表示该包是这个交付的一部分(仅草案) Indirect Expenses,间接费用 Indirect Income,间接收入 Individual,个人 @@ -1263,6 +1339,7 @@ Intern,实习生 Internal,内部 Internet Publishing,互联网出版 Introduction,介绍 +Invalid Barcode,无效的条码 Invalid Barcode or Serial No,无效的条码或序列号 Invalid Mail Server. Please rectify and try again.,无效的邮件服务器。请纠正,然后再试一次。 Invalid Master Name,公司,月及全年是强制性的 @@ -1275,9 +1352,12 @@ Investments,投资 Invoice Date,发票日期 Invoice Details,发票明细 Invoice No,发票号码 -Invoice Period From Date,发票日期开始日期 +Invoice Number,发票号码 +Invoice Period From,发票的日期从 Invoice Period From and Invoice Period To dates mandatory for recurring invoice,发票期间由发票日期为日期必须在经常性发票 -Invoice Period To Date,发票日期终止日期 +Invoice Period To,发票的日期要 +Invoice Type,发票类型 +Invoice/Journal Voucher Details,发票/日记帐凭证详细信息 Invoiced Amount (Exculsive Tax),发票金额(Exculsive税) Is Active,为活跃 Is Advance,为进 @@ -1308,6 +1388,7 @@ Item Advanced,项目高级 Item Barcode,商品条码 Item Batch Nos,项目批NOS Item Code,产品编号 +Item Code > Item Group > Brand,产品编号>项目组>品牌 Item Code and Warehouse should already exist.,产品编号和仓库应该已经存在。 Item Code cannot be changed for Serial No.,产品编号不能为序列号改变 Item Code is mandatory because Item is not automatically numbered,产品编号是强制性的,因为项目没有自动编号 @@ -1319,6 +1400,7 @@ Item Details,产品详细信息 Item Group,项目组 Item Group Name,项目组名称 Item Group Tree,由于生产订单可以为这个项目, \作 +Item Group not mentioned in item master for item {0},在主项未提及的项目项目组{0} Item Groups in Details,在详细信息产品组 Item Image (if not slideshow),产品图片(如果不是幻灯片) Item Name,项目名称 @@ -1389,7 +1471,8 @@ Item-wise Purchase Register,项目明智的购买登记 Item-wise Sales History,项目明智的销售历史 Item-wise Sales Register,项目明智的销售登记 "Item: {0} managed batch-wise, can not be reconciled using \ - Stock Reconciliation, instead use Stock Entry",货号: {0}管理分批,不能使用\ \ ñ库存对账不甘心,改用股票输入 + Stock Reconciliation, instead use Stock Entry","货号:{0}管理分批,不能使用不甘心\ +股票和解,而是使用股票输入" Item: {0} not found in the system,货号: {0}没有在系统中找到 Items,项目 Items To Be Requested,项目要请求 @@ -1492,6 +1575,7 @@ Loading...,载入中... Loans (Liabilities),借款(负债) Loans and Advances (Assets),贷款及垫款(资产) Local,当地 +Login,注册 Login with your new User ID,与你的新的用户ID登录 Logo,标志 Logo and Letter Heads,标志和信头 @@ -1536,6 +1620,7 @@ Make Maint. Schedule,让MAINT。时间表 Make Maint. Visit,让MAINT。访问 Make Maintenance Visit,使维护访问 Make Packing Slip,使装箱单 +Make Payment,进行付款 Make Payment Entry,使付款输入 Make Purchase Invoice,做出购买发票 Make Purchase Order,做采购订单 @@ -1545,8 +1630,10 @@ Make Salary Structure,使薪酬结构 Make Sales Invoice,做销售发票 Make Sales Order,使销售订单 Make Supplier Quotation,让供应商报价 +Make Time Log Batch,做时间记录批 Male,男性 Manage Customer Group Tree.,管理客户组树。 +Manage Sales Partners.,管理销售合作伙伴。 Manage Sales Person Tree.,管理销售人员树。 Manage Territory Tree.,管理领地树。 Manage cost of operations,管理运营成本 @@ -1597,6 +1684,8 @@ Max 5 characters,最多5个字符 Max Days Leave Allowed,最大天假宠物 Max Discount (%),最大折让(%) Max Qty,最大数量的 +Max discount allowed for item: {0} is {1}%,最大允许的折扣为文件:{0} {1}% +Maximum Amount,最高金额 Maximum allowed credit is {0} days after posting date,最大允许的信用是发布日期后{0}天 Maximum {0} rows allowed,最大{0}行获准 Maxiumm discount for Item {0} is {1}%,对于项目Maxiumm折扣{0} {1} % @@ -1617,6 +1706,7 @@ Milestones will be added as Events in the Calendar,里程碑将被添加为日 Min Order Qty,最小订货量 Min Qty,最小数量 Min Qty can not be greater than Max Qty,最小数量不能大于最大数量的 +Minimum Amount,最低金额 Minimum Order Qty,最低起订量 Minute,分钟 Misc Details,其它详细信息 @@ -1626,7 +1716,6 @@ Mobile No,手机号码 Mobile No.,手机号码 Mode of Payment,付款方式 Modern,现代 -Modified Amount,修改金额 Monday,星期一 Month,月 Monthly,每月一次 @@ -1643,7 +1732,8 @@ Mr,先生 Ms,女士 Multiple Item prices.,多个项目的价格。 "Multiple Price Rule exists with same criteria, please resolve \ - conflict by assigning priority. Price Rules: {0}",多价规则存在具有相同的标准,请通过分配优先解决\ \ ñ冲突。 + conflict by assigning priority. Price Rules: {0}","多价规则存在具有相同的标准,请解决\ +冲突通过分配优先级。价格规则:{0}" Music,音乐 Must be Whole Number,必须是整数 Name,名称 @@ -1659,6 +1749,7 @@ Negative Valuation Rate is not allowed,负面评价率是不允许的 Negative balance in Batch {0} for Item {1} at Warehouse {2} on {3} {4},在批处理负平衡{0}项目{1}在仓库{2}在{3} {4} Net Pay,净收费 Net Pay (in words) will be visible once you save the Salary Slip.,净收费(字)将会看到,一旦你保存工资单。 +Net Profit / Loss,除税后溢利/(亏损) Net Total,总净 Net Total (Company Currency),总净值(公司货币) Net Weight,净重 @@ -1699,7 +1790,6 @@ Newsletter,通讯 Newsletter Content,通讯内容 Newsletter Status,通讯状态 Newsletter has already been sent,通讯已发送 -Newsletters is not allowed for Trial users,简讯不允许用户试用 "Newsletters to contacts, leads.",通讯,联系人,线索。 Newspaper Publishers,报纸出版商 Next,下一个 @@ -1721,6 +1811,7 @@ No Supplier Accounts found. Supplier Accounts are identified based on 'Master Ty No accounting entries for the following warehouses,没有以下的仓库会计分录 No addresses created,没有发起任何地址 No contacts created,没有发起任何接触 +No default Address Template found. Please create a new one from Setup > Printing and Branding > Address Template.,没有默认的地址找到模板。请创建一个从设置>打印和品牌一个新的>地址模板。 No default BOM exists for Item {0},默认情况下不存在的BOM项目为{0} No description given,未提供描述 No employee found,任何员工发现 @@ -1730,6 +1821,8 @@ No of Sent SMS,没有发送短信 No of Visits,没有访问量的 No permission,没有权限 No record found,没有资料 +No records found in the Invoice table,没有在发票表中找到记录 +No records found in the Payment table,没有在支付表中找到记录 No salary slip found for month: ,没有工资单上发现的一个月: Non Profit,非营利 Nos,NOS @@ -1739,7 +1832,7 @@ Not Available,不可用 Not Billed,不发单 Not Delivered,未交付 Not Set,没有设置 -Not allowed to update entries older than {0},不允许更新比旧条目{0} +Not allowed to update stock transactions older than {0},不允许更新比年长的股票交易{0} Not authorized to edit frozen Account {0},无权修改冻结帐户{0} Not authroized since {0} exceeds limits,不authroized因为{0}超出范围 Not permitted,不允许 @@ -1780,7 +1873,6 @@ Only the selected Leave Approver can submit this Leave Application,只有选择 Open,开 Open Production Orders,清生产订单 Open Tickets,开放门票 -Open source ERP built for the web,内置的网络开源ERP Opening (Cr),开幕(CR ) Opening (Dr),开幕(博士) Opening Date,开幕日期 @@ -1805,7 +1897,7 @@ Opportunity Lost,失去的机会 Opportunity Type,机会型 Optional. This setting will be used to filter in various transactions.,可选。此设置将被应用于各种交易进行过滤。 Order Type,订单类型 -Order Type must be one of {1},订单类型必须是一个{1} +Order Type must be one of {0},订单类型必须是一个{0} Ordered,订购 Ordered Items To Be Billed,订购物品被标榜 Ordered Items To Be Delivered,订购项目交付 @@ -1817,7 +1909,6 @@ Organization Name,组织名称 Organization Profile,组织简介 Organization branch master.,组织分支主。 Organization unit (department) master.,组织单位(部门)的主人。 -Original Amount,原来的金额 Other,其他 Other Details,其他详细信息 Others,他人 @@ -1834,6 +1925,7 @@ Overlapping conditions found between:,之间存在重叠的条件: Overview,概观 Owned,资 Owner,业主 +P L A - Cess Portion,解放军 - 塞斯部分 PL or BS,PL或BS PO Date,PO日期 PO No,订单号码 @@ -1846,7 +1938,6 @@ POS Setting required to make POS Entry,使POS机输入所需设置POS机 POS Setting {0} already created for user: {1} and company {2},POS机设置{0}用户已创建: {1}和公司{2} POS View,POS机查看 PR Detail,PR详细 -PR Posting Date,公关寄发日期 Package Item Details,包装物品详情 Package Items,包装产品 Package Weight Details,包装重量详情 @@ -1876,8 +1967,6 @@ Parent Sales Person,母公司销售人员 Parent Territory,家长领地 Parent Website Page,父网站页面 Parent Website Route,父网站路线 -Parent account can not be a ledger,家长帐户不能是一个总账 -Parent account does not exist,家长帐户不存在 Parenttype,Parenttype Part-time,兼任 Partially Completed,部分完成 @@ -1886,6 +1975,8 @@ Partly Delivered,部分交付 Partner Target Detail,合作伙伴目标详细信息 Partner Type,合作伙伴类型 Partner's Website,合作伙伴的网站 +Party,一方 +Party Account,党的帐户 Party Type,党的类型 Party Type Name,党的类型名称 Passive,被动 @@ -1898,10 +1989,14 @@ Payables Group,集团的应付款项 Payment Days,金天 Payment Due Date,付款到期日 Payment Period Based On Invoice Date,已经提交。 +Payment Reconciliation,付款对账 +Payment Reconciliation Invoice,付款发票对账 +Payment Reconciliation Invoices,付款发票对账 +Payment Reconciliation Payment,付款方式付款对账 +Payment Reconciliation Payments,支付和解款项 Payment Type,针对选择您要分配款项的发票。 +Payment cannot be made for empty cart,付款方式不能为空购物车制造 Payment of salary for the month {0} and year {1},支付工资的月{0}和年{1} -Payment to Invoice Matching Tool,付款发票匹配工具 -Payment to Invoice Matching Tool Detail,付款发票匹配工具详细介绍 Payments,付款 Payments Made,支付的款项 Payments Received,收到付款 @@ -1944,7 +2039,9 @@ Planning,规划 Plant,厂 Plant and Machinery,厂房及机器 Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,请输入缩写或简称恰当,因为它会被添加为后缀的所有帐户头。 +Please Update SMS Settings,请更新短信设置 Please add expense voucher details,请新增支出凭单细节 +Please add to Modes of Payment from Setup.,请从安装程序添加到收支模式。 Please check 'Is Advance' against Account {0} if this is an advance entry.,请检查'是推进'对帐户{0} ,如果这是一个进步的条目。 Please click on 'Generate Schedule',请点击“生成表” Please click on 'Generate Schedule' to fetch Serial No added for Item {0},请点击“生成表”来获取序列号增加了对项目{0} @@ -1992,12 +2089,13 @@ Please enter valid Company Email,请输入有效的电邮地址 Please enter valid Email Id,请输入有效的电子邮件Id Please enter valid Personal Email,请输入有效的个人电子邮件 Please enter valid mobile nos,请输入有效的手机号 +Please find attached Sales Invoice #{0},随函附上销售发票#{0} Please install dropbox python module,请安装Dropbox的Python模块 Please mention no of visits required,请注明无需访问 Please pull items from Delivery Note,请送货单拉项目 Please save the Newsletter before sending,请在发送之前保存通讯 Please save the document before generating maintenance schedule,9 。考虑税收或支出:在本部分中,您可以指定,如果税务/充电仅适用于估值(总共不一部分) ,或只为总(不增加价值的项目) ,或两者兼有。 -Please select Account first,请先选择账户 +Please see attachment,请参阅附件 Please select Bank Account,请选择银行帐户 Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,请选择结转,如果你还需要包括上一会计年度的资产负债叶本财年 Please select Category first,属性是相同的两个记录。 @@ -2005,14 +2103,17 @@ Please select Charge Type first,预计日期不能前材料申请日期 Please select Fiscal Year,请选择会计年度 Please select Group or Ledger value,请选择集团或Ledger值 Please select Incharge Person's name,请选择Incharge人的名字 +Please select Invoice Type and Invoice Number in atleast one row,请选择发票类型和发票号码在ATLEAST一行 "Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Sales BOM",请选择项目,其中“是股票项目”是“否”和“是销售项目”为“是” ,并没有其他的销售BOM Please select Price List,请选择价格表 Please select Start Date and End Date for Item {0},请选择开始日期和结束日期的项目{0} +Please select Time Logs.,请选择时间记录。 Please select a csv file,请选择一个csv文件 Please select a valid csv file with data,请选择与数据的有效csv文件 Please select a value for {0} quotation_to {1},请选择一个值{0} quotation_to {1} "Please select an ""Image"" first",请选择“图像”第一 Please select charge type first,请选择充电式第一 +Please select company first,请先选择公司 Please select company first.,请先选择公司。 Please select item code,请选择商品代码 Please select month and year,请选择年份和月份 @@ -2021,6 +2122,7 @@ Please select the document type first,请选择文档类型第一 Please select weekly off day,请选择每周休息日 Please select {0},请选择{0} Please select {0} first,请选择{0}第一 +Please select {0} first.,请选择{0}第一。 Please set Dropbox access keys in your site config,请在您的网站配置设置Dropbox的访问键 Please set Google Drive access keys in {0},请设置谷歌驱动器的访问键{0} Please set default Cash or Bank account in Mode of Payment {0},请设置默认的现金或银行账户的付款方式{0} @@ -2047,6 +2149,7 @@ Postal,邮政 Postal Expenses,邮政费用 Posting Date,发布日期 Posting Time,发布时间 +Posting date and posting time is mandatory,发布日期和发布时间是必需的 Posting timestamp must be after {0},发布时间标记必须经过{0} Potential opportunities for selling.,潜在的机会卖。 Preferred Billing Address,首选帐单地址 @@ -2073,8 +2176,10 @@ Price List not selected,价格列表没有选择 Price List {0} is disabled,价格表{0}被禁用 Price or Discount,价格或折扣 Pricing Rule,定价规则 -Pricing Rule For Discount,定价规则对于折扣 -Pricing Rule For Price,定价规则对于价格 +Pricing Rule Help,定价规则说明 +"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.",定价规则是第一选择是基于“应用在”字段,可以是项目,项目组或品牌。 +"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.",定价规则是由覆盖价格表/定义折扣百分比,基于某些条件。 +Pricing Rules are further filtered based on quantity.,定价规则进一步过滤基于数量。 Print Format Style,打印格式样式 Print Heading,打印标题 Print Without Amount,打印量不 @@ -2102,7 +2207,9 @@ Production Plan Sales Orders,生产计划销售订单 Production Planning Tool,生产规划工具 Products,产品展示 "Products will be sorted by weight-age in default searches. More the weight-age, higher the product will appear in the list.",产品将重量年龄在默认搜索排序。更多的重量,年龄,更高的产品会出现在列表中。 +Professional Tax,职业税 Profit and Loss,损益 +Profit and Loss Statement,损益表 Project,项目 Project Costing,项目成本核算 Project Details,项目详情 @@ -2125,7 +2232,9 @@ Projects & System,工程及系统 Prompt for Email on Submission of,提示电子邮件的提交 Proposal Writing,提案写作 Provide email id registered in company,提供的电子邮件ID在公司注册 +Provisional Profit / Loss (Credit),临时溢利/(亏损)(信用) Public,公 +Published on website at: {0},发表于网站:{0} Publishing,出版 Pull sales orders (pending to deliver) based on the above criteria,基于上述标准拉销售订单(待定提供) Purchase,采购 @@ -2134,7 +2243,6 @@ Purchase Analytics,购买Analytics(分析) Purchase Common,购买普通 Purchase Details,购买详情 Purchase Discounts,购买折扣 -Purchase In Transit,购买运输 Purchase Invoice,购买发票 Purchase Invoice Advance,购买发票提前 Purchase Invoice Advances,采购发票进展 @@ -2142,7 +2250,6 @@ Purchase Invoice Item,采购发票项目 Purchase Invoice Trends,购买发票趋势 Purchase Invoice {0} is already submitted,采购发票{0}已经提交 Purchase Order,采购订单 -Purchase Order Date,采购订单日期 Purchase Order Item,采购订单项目 Purchase Order Item No,采购订单编号 Purchase Order Item Supplied,采购订单项目提供 @@ -2206,7 +2313,6 @@ Quarter,季 Quarterly,季刊 Quick Help,快速帮助 Quotation,行情 -Quotation Date,报价日期 Quotation Item,产品报价 Quotation Items,报价产品 Quotation Lost Reason,报价遗失原因 @@ -2284,6 +2390,7 @@ Recurring Invoice,经常性发票 Recurring Type,经常性类型 Reduce Deduction for Leave Without Pay (LWP),减少扣除停薪留职(LWP) Reduce Earning for Leave Without Pay (LWP),降低盈利停薪留职(LWP) +Ref,参考 Ref Code,参考代码 Ref SQ,参考SQ Reference,参考 @@ -2307,6 +2414,7 @@ Relieving Date,解除日期 Relieving Date must be greater than Date of Joining,解除日期必须大于加入的日期 Remark,备注 Remarks,备注 +Remarks Custom,备注自定义 Rename,重命名 Rename Log,重命名日志 Rename Tool,重命名工具 @@ -2322,6 +2430,7 @@ Report Type,报告类型 Report Type is mandatory,报告类型是强制性的 Reports to,报告以 Reqd By Date,REQD按日期 +Reqd by Date,REQD日期 Request Type,请求类型 Request for Information,索取资料 Request for purchase.,请求您的报价。 @@ -2375,21 +2484,34 @@ Rounded Total,总圆角 Rounded Total (Company Currency),圆润的总计(公司货币) Row # ,行# Row # {0}: , +Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,行#{0}:有序数量不能超过项目的最低订单数量(在项目主数据中定义)少。 +Row #{0}: Please specify Serial No for Item {1},行#{0}:请注明序号为项目{1} "Row {0}: Account does not match with \ - Purchase Invoice Credit To account",行{0} :帐号不与\ \ ñ采购发票计入帐户相匹配, + Purchase Invoice Credit To account","行{0}:\ +采购发票计入帐户帐户不具有匹配" "Row {0}: Account does not match with \ - Sales Invoice Debit To account",行{0} :帐号不与\ \ ñ销售发票借记帐户相匹配, + Sales Invoice Debit To account","行{0}:\ +销售发票借记帐户帐户不具有匹配" +Row {0}: Conversion Factor is mandatory,行{0}:转换系数是强制性的 Row {0}: Credit entry can not be linked with a Purchase Invoice,行{0} :信用记录无法与采购发票联 Row {0}: Debit entry can not be linked with a Sales Invoice,行{0} :借记不能与一个销售发票联 +Row {0}: Payment amount must be less than or equals to invoice outstanding amount. Please refer Note below.,行{0}:付款金额必须小于或等于发票未偿还金额。请参考下面的说明。 +Row {0}: Qty is mandatory,行{0}:数量是强制性的 +"Row {0}: Qty not avalable in warehouse {1} on {2} {3}. + Available Qty: {4}, Transfer Qty: {5}","行{0}:数量不是在仓库{1} avalable {2} {3}。 +有货数量:{4},转移数量:{5}" "Row {0}: To set {1} periodicity, difference between from and to date \ - must be greater than or equal to {2}",行{0} :设置{1}的周期性,从和到日期\ \ n的差必须大于或等于{2} + must be greater than or equal to {2}","行{0}:设置{1}的周期性,从和日期之间的差\ +必须大于或等于{2}" Row {0}:Start Date must be before End Date,行{0} :开始日期必须是之前结束日期 Rules for adding shipping costs.,规则增加运输成本。 Rules for applying pricing and discount.,规则适用的定价和折扣。 Rules to calculate shipping amount for a sale,规则来计算销售运输量 S.O. No.,SO号 +SHE Cess on Excise,SHE CESS消费上 +SHE Cess on Service Tax,SHE CESS的服务税 +SHE Cess on TDS,SHE CESS上的TDS SMS Center,短信中心 -SMS Control,短信控制 SMS Gateway URL,短信网关的URL SMS Log,短信日志 SMS Parameter,短信参数 @@ -2494,15 +2616,20 @@ Securities and Deposits,证券及存款 "Select ""Yes"" if this item represents some work like training, designing, consulting etc.",选择“是”,如果此项目表示类似的培训,设计,咨询等一些工作 "Select ""Yes"" if you are maintaining stock of this item in your Inventory.",选择“是”,如果你保持这个项目的股票在你的库存。 "Select ""Yes"" if you supply raw materials to your supplier to manufacture this item.",选择“是”,如果您对供应原料给供应商,制造资料。 +Select Brand...,请选择品牌... Select Budget Distribution to unevenly distribute targets across months.,选择预算分配跨个月呈不均衡分布的目标。 "Select Budget Distribution, if you want to track based on seasonality.",选择预算分配,如果你要根据季节来跟踪。 +Select Company...,选择公司... Select DocType,选择的DocType +Select Fiscal Year...,选择会计年度... Select Items,选择项目 +Select Project...,选择项目... Select Purchase Receipts,选择外购入库单 Select Sales Orders,选择销售订单 Select Sales Orders from which you want to create Production Orders.,要从创建生产订单选择销售订单。 Select Time Logs and Submit to create a new Sales Invoice.,选择时间日志和提交创建一个新的销售发票。 Select Transaction,选择交易 +Select Warehouse...,选择仓库... Select Your Language,选择您的语言 Select account head of the bank where cheque was deposited.,选取支票存入该银行账户的头。 Select company name first.,先选择公司名称。 @@ -2520,6 +2647,7 @@ Select your home country and check the timezone and currency.,选择您的国家 "Selecting ""Yes"" will give a unique identity to each entity of this item which can be viewed in the Serial No master.",选择“Yes”将提供一个独特的身份,以这个项目的每个实体可在序列号主观看。 Selling,销售 Selling Settings,销售设置 +"Selling must be checked, if Applicable For is selected as {0}",销售必须进行检查,如果适用于被选择为{0} Send,发送 Send Autoreply,发送自动回复 Send Email,发送电​​子邮件 @@ -2556,7 +2684,8 @@ Serial Nos Required for Serialized Item {0},序列号为必填项序列为{0} Serial Number Series,序列号系列 Serial number {0} entered more than once,序号{0}多次输入 "Serialized Item {0} cannot be updated \ - using Stock Reconciliation",序列化的项目{0}使用库存对账不能更新\ \ ñ + using Stock Reconciliation","序列化的项目{0}不能更新\ +使用股票对账" Series,系列 Series List for this Transaction,系列对表本交易 Series Updated,系列更新 @@ -2565,15 +2694,18 @@ Series is mandatory,系列是强制性的 Series {0} already used in {1},系列{0}已经被应用在{1} Service,服务 Service Address,服务地址 +Service Tax,服务税 Services,服务 Set,集 "Set Default Values like Company, Currency, Current Fiscal Year, etc.",像公司,货币,当前财政年度,等设置默认值 Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,设置这个领地项目组间的预算。您还可以包括季节性通过设置分发。 +Set Status as Available,设置状态为可用 Set as Default,设置为默认 Set as Lost,设为失落 Set prefix for numbering series on your transactions,为你的交易编号序列设置的前缀 Set targets Item Group-wise for this Sales Person.,设定目标项目组间的这种销售人员。 Setting Account Type helps in selecting this Account in transactions.,设置帐户类型有助于在交易中选择该帐户。 +Setting this Address Template as default as there is no other default,设置此地址模板为默认,因为没有其他的默认 Setting up...,设置... Settings,设置 Settings for HR Module,设定人力资源模块 @@ -2581,6 +2713,7 @@ Settings for HR Module,设定人力资源模块 Setup,设置 Setup Already Complete!!,安装已经完成! Setup Complete,安装完成 +Setup SMS gateway settings,设置短信网关设置 Setup Series,设置系列 Setup Wizard,设置向导 Setup incoming server for jobs email id. (e.g. jobs@example.com),设置接收服务器的工作电子邮件ID 。 (例如jobs@example.com ) @@ -2606,6 +2739,7 @@ Short biography for website and other publications.,短的传记的网站和其 Show In Website,显示在网站 Show a slideshow at the top of the page,显示幻灯片在页面顶部 Show in Website,显示在网站 +Show rows with zero values,秀行与零值 Show this slideshow at the top of the page,这显示在幻灯片页面顶部 Sick Leave,病假 Signature,签名 @@ -2635,9 +2769,9 @@ Specifications,产品规格 "Specify the operations, operating cost and give a unique Operation no to your operations.",与全球默认值 Split Delivery Note into packages.,分裂送货单成包。 Sports,体育 +Sr,SR Standard,标准 Standard Buying,标准采购 -Standard Rate,标准房价 Standard Reports,标准报告 Standard Selling,标准销售 Standard contract terms for Sales or Purchase.,标准合同条款的销售或采购。 @@ -2646,6 +2780,7 @@ Start Date,开始日期 Start date of current invoice's period,启动电流发票的日期内 Start date should be less than end date for Item {0},开始日期必须小于结束日期项目{0} State,态 +Statement of Account,帐户声明 Static Parameters,静态参数 Status,状态 Status must be one of {0},状态必须是一个{0} @@ -2687,6 +2822,7 @@ Stock Value Difference,股票价值差异 Stock balances updated,库存余额更新 Stock cannot be updated against Delivery Note {0},股票不能对送货单更新的{0} Stock entries exist against warehouse {0} cannot re-assign or modify 'Master Name',Stock条目对仓库存在{0}不能重新分配或修改'师父名称' +Stock transactions before {0} are frozen,前{0}股票交易被冻结 Stop,停止 Stop Birthday Reminders,停止生日提醒 Stop Material Request,停止材料要求 @@ -2706,13 +2842,13 @@ Submit this Production Order for further processing.,提交此生产订单进行 Submitted,提交 Subsidiary,副 Successful: ,成功: -Successfully allocated,成功分配 +Successfully Reconciled,不甘心成功 Suggestions,建议 Sunday,星期天 Supplier,提供者 Supplier (Payable) Account,供应商(应付)帐 Supplier (vendor) name as entered in supplier master,供应商(供应商)的名称在供应商主进入 -Supplier Account,供应商帐户 +Supplier > Supplier Type,供应商>供应商类型 Supplier Account Head,供应商帐户头 Supplier Address,供应商地址 Supplier Addresses and Contacts,供应商的地址和联系方式 @@ -2750,6 +2886,12 @@ Sync with Google Drive,同步与谷歌驱动器 System,系统 System Settings,系统设置 "System User (login) ID. If set, it will become default for all HR forms.",系统用户(登录)的标识。如果设置,这将成为默认的所有人力资源的形式。 +TDS (Advertisement),TDS(广告) +TDS (Commission),TDS(委员会) +TDS (Contractor),TDS(承包商) +TDS (Interest),TDS(利息) +TDS (Rent),TDS(租) +TDS (Salary),TDS(薪金) Target Amount,目标金额 Target Detail,目标详细信息 Target Details,目标详细信息 @@ -2770,10 +2912,12 @@ Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are no Tax Rate,税率 Tax and other salary deductions.,税务及其他薪金中扣除。 "Tax detail table fetched from item master as a string and stored in this field. -Used for Taxes and Charges",税务详细表由项目主作为一个字符串,并存储在此字段中取出。 \ n已使用的税费和费用 +Used for Taxes and Charges","从项目主税的细节表读取为字符串,并存储在这个领域。 +用于税收和收费" Tax template for buying transactions.,税务模板购买交易。 Tax template for selling transactions.,税务模板卖出的交易。 Taxable,应课税 +Taxes,税 Taxes and Charges,税收和收费 Taxes and Charges Added,税费上架 Taxes and Charges Added (Company Currency),税收和收费上架(公司货币) @@ -2786,6 +2930,7 @@ Technology,技术 Telecommunications,电信 Telephone Expenses,电话费 Television,电视 +Template,模板 Template for performance appraisals.,模板的绩效考核。 Template of terms or contract.,模板条款或合同。 Temporary Accounts (Assets),临时账户(资产) @@ -2815,7 +2960,8 @@ The First User: You,第一个用户:您 The Organization,本组织 "The account head under Liability, in which Profit/Loss will be booked",根据责任账号头,其中利润/亏损将被黄牌警告 "The date on which next invoice will be generated. It is generated on submit. -",在这接下来的发票将生成的日期。 +","在这接下来的发票将生成的日期。它是在提交生成的。 +" The date on which recurring invoice will be stop,在其经常性发票将被停止日期 "The day of the month on which auto invoice will be generated e.g. 05, 28 etc ",这个月的日子,汽车发票将会产生如05,28等 The day(s) on which you are applying for leave are holiday. You need not apply for leave.,在天在你申请许可的假期。你不需要申请许可。 @@ -2827,6 +2973,7 @@ The net weight of this package. (calculated automatically as sum of net weight o The new BOM after replacement,更换后的新物料清单 The rate at which Bill Currency is converted into company's base currency,在该条例草案的货币转换成公司的基础货币的比率 The unique id for tracking all recurring invoices. It is generated on submit.,唯一ID来跟踪所有的经常性发票。它是在提交生成的。 +"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.",然后定价规则将被过滤掉基于客户,客户组,领地,供应商,供应商类型,活动,销售合作伙伴等。 There are more holidays than working days this month.,还有比这个月工作日更多的假期。 "There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",只能有一个运输规则条件为0或空值“ To值” There is not enough leave balance for Leave Type {0},没有足够的余额休假请假类型{0} @@ -2838,6 +2985,7 @@ This Leave Application is pending approval. Only the Leave Apporver can update s This Time Log Batch has been billed.,此时日志批量一直标榜。 This Time Log Batch has been cancelled.,此时日志批次已被取消。 This Time Log conflicts with {0},这个时间日志与冲突{0} +This format is used if country specific format is not found,此格式用于如果找不到特定国家的格式 This is a root account and cannot be edited.,这是一个root帐户,不能被编辑。 This is a root customer group and cannot be edited.,ERPNext是一个开源的基于Web的ERP系统通过网络注技术私人有限公司向提供集成的工具,在一个小的组织管理大多数进程。有关Web注释,或购买托管楝更多信息,请访问 This is a root item group and cannot be edited.,请先输入项目 @@ -2853,7 +3001,9 @@ Time Log Batch,时间日志批 Time Log Batch Detail,时间日志批量详情 Time Log Batch Details,时间日志批量详情 Time Log Batch {0} must be 'Submitted',时间日志批量{0}必须是'提交' +Time Log Status must be Submitted.,时间日志状态必须被提交。 Time Log for tasks.,时间日志中的任务。 +Time Log is not billable,时间日志是不计费 Time Log {0} must be 'Submitted',时间日志{0}必须是'提交' Time Zone,时区 Time Zones,时区 @@ -2866,6 +3016,7 @@ To,至 To Currency,以货币 To Date,至今 To Date should be same as From Date for Half Day leave,日期应该是一样的起始日期为半天假 +To Date should be within the Fiscal Year. Assuming To Date = {0},日期应该是在财政年度内。假设终止日期= {0} To Discuss,为了讨论 To Do List,待办事项列表 To Package No.,以包号 @@ -2875,8 +3026,8 @@ To Value,To值 To Warehouse,到仓库 "To add child nodes, explore tree and click on the node under which you want to add more nodes.",要添加子节点,探索树,然后单击要在其中添加更多节点的节点上。 "To assign this issue, use the ""Assign"" button in the sidebar.",要分配这个问题,请使用“分配”按钮,在侧边栏。 -To create a Bank Account:,要创建一个银行帐号: -To create a Tax Account:,要创建一个纳税帐户: +To create a Bank Account,要创建一个银行帐户 +To create a Tax Account,要创建一个纳税帐户 "To create an Account Head under a different company, select the company and save customer.",要创建一个帐户头在不同的公司,选择该公司,并保存客户。 To date cannot be before from date,无效的主名称 To enable Point of Sale features,为了使销售点功能 @@ -2884,22 +3035,23 @@ To enable Point of Sale view,为了使销售点看法 To get Item Group in details table,为了让项目组在详细信息表 "To include tax in row {0} in Item rate, taxes in rows {1} must also be included",要包括税款,行{0}项率,税收行{1}也必须包括在内 "To merge, following properties must be same for both items",若要合并,以下属性必须为这两个项目是相同的 -"To report an issue, go to ",要报告问题,请至 +"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.",要在一个特定的交易不适用于定价规则,所有适用的定价规则应该被禁用。 "To set this Fiscal Year as Default, click on 'Set as Default'",要设置这个财政年度为默认值,点击“设为默认” To track any installation or commissioning related work after sales,跟踪销售后的任何安装或调试相关工作 "To track brand name in the following documents Delivery Note, Opportunity, Material Request, Item, Purchase Order, Purchase Voucher, Purchaser Receipt, Quotation, Sales Invoice, Sales BOM, Sales Order, Serial No",在以下文件送货单,机遇,材质要求,项目,采购订单,购买凭证,买方收据,报价单,销售发票,销售物料,销售订单,序列号跟踪品牌 To track item in sales and purchase documents based on their serial nos. This is can also used to track warranty details of the product.,在基于其序列号的销售和采购文件跟踪的项目。这也可以用来跟踪商品的保修细节。 To track items in sales and purchase documents with batch nos
Preferred Industry: Chemicals etc,为了跟踪与批次号在销售和采购文件的项目
首选行业:化工等 To track items using barcode. You will be able to enter items in Delivery Note and Sales Invoice by scanning barcode of item.,要使用条形码跟踪项目。您将能够通过扫描物品条码,进入交货单和销售发票的项目。 +Too many columns. Export the report and print it using a spreadsheet application.,太多的列。导出报表,并使用电子表格应用程序进行打印。 Tools,工具 Total,总 +Total ({0}),总计({0}) Total Advance,总垫款 -Total Allocated Amount,合计分配金额 -Total Allocated Amount can not be greater than unmatched amount,合计分配的金额不能大于无与伦比的金额 Total Amount,总金额 Total Amount To Pay,支付总计 Total Amount in Words,总金额词 Total Billing This Year: ,总帐单今年: +Total Characters,总字符 Total Claimed Amount,总索赔额 Total Commission,总委员会 Total Cost,总成本 @@ -2923,14 +3075,13 @@ Total Score (Out of 5),总分(满分5分) Total Tax (Company Currency),总税(公司货币) Total Taxes and Charges,总营业税金及费用 Total Taxes and Charges (Company Currency),总税费和费用(公司货币) -Total Words,总字数 -Total Working Days In The Month,总工作日的月份 Total allocated percentage for sales team should be 100,对于销售团队总分配比例应为100 Total amount of invoices received from suppliers during the digest period,的过程中消化期间向供应商收取的发票总金额 Total amount of invoices sent to the customer during the digest period,的过程中消化期间发送给客户的发票总金额 Total cannot be zero,总不能为零 Total in words,总字 Total points for all goals should be 100. It is {0},总积分为所有的目标应该是100 ,这是{0} +Total valuation for manufactured or repacked item(s) can not be less than total valuation of raw materials,总估价为制造或重新打包项目(S)不能小于原料的总估值 Total weightage assigned should be 100%. It is {0},分配的总权重应为100 % 。这是{0} Totals,总计 Track Leads by Industry Type.,轨道信息通过行业类型。 @@ -2966,7 +3117,7 @@ UOM Conversion Details,计量单位换算详情 UOM Conversion Factor,计量单位换算系数 UOM Conversion factor is required in row {0},计量单位换算系数是必需的行{0} UOM Name,计量单位名称 -UOM coversion factor required for UOM {0} in Item {1},所需的计量单位计量单位:丁文因素{0}项{1} +UOM coversion factor required for UOM: {0} in Item: {1},所需的计量单位计量单位:丁文因素:{0}项:{1} Under AMC,在AMC Under Graduate,根据研究生 Under Warranty,在保修期 @@ -2976,8 +3127,8 @@ Unit of Measure {0} has been entered more than once in Conversion Factor Table, "Unit of measurement of this item (e.g. Kg, Unit, No, Pair).",这资料(如公斤,单位,不,一对)的测量单位。 Units/Hour,单位/小时 Units/Shifts,单位/位移 -Unmatched Amount,无与伦比的金额 Unpaid,未付 +Unreconciled Payment Details,不甘心付款方式 Unscheduled,计划外 Unsecured Loans,无抵押贷款 Unstop,Unstop @@ -2992,7 +3143,6 @@ Update Landed Cost,更新到岸成本 Update Series,更新系列 Update Series Number,更新序列号 Update Stock,库存更新 -"Update allocated amount in the above table and then click ""Allocate"" button",更新量分配在上表中,然后单击“分配”按钮 Update bank payment dates with journals.,更新与期刊银行付款日期。 Update clearance date of Journal Entries marked as 'Bank Vouchers',你不能同时输入送货单号及销售发票编号请输入任何一个。 Updated,更新 @@ -3009,6 +3159,7 @@ Upper Income,高收入 Urgent,急 Use Multi-Level BOM,采用多级物料清单 Use SSL,使用SSL +Used for Production Plan,用于生产计划 User,用户 User ID,用户ID User ID not set for Employee {0},用户ID不为员工设置{0} @@ -3047,9 +3198,9 @@ View Now,立即观看 Visit report for maintenance call.,访问报告维修电话。 Voucher #,# ## #,## Voucher Detail No,券详细说明暂无 +Voucher Detail Number,凭单详细人数 Voucher ID,优惠券编号 Voucher No,无凭证 -Voucher No is not valid,无凭证无效 Voucher Type,凭证类型 Voucher Type and Date,凭证类型和日期 Walk In,走在 @@ -3065,11 +3216,12 @@ Warehouse is mandatory for stock Item {0} in row {1},仓库是强制性的股票 Warehouse is missing in Purchase Order,仓库在采购订单失踪 Warehouse not found in the system,仓库系统中未找到 Warehouse required for stock Item {0},需要现货产品仓库{0} -Warehouse required in POS Setting,在POS机需要设置仓库 Warehouse where you are maintaining stock of rejected items,仓库你在哪里维护拒绝的项目库存 Warehouse {0} can not be deleted as quantity exists for Item {1},仓库{0} ,从量存在项目不能被删除{1} Warehouse {0} does not belong to company {1},仓库{0}不属于公司{1} Warehouse {0} does not exist,仓库{0}不存在 +Warehouse {0}: Company is mandatory,仓库{0}:公司是强制性的 +Warehouse {0}: Parent account {1} does not bolong to the company {2},仓库{0}:家长帐户{1}不博隆该公司{2} Warehouse-Wise Stock Balance,仓库明智的股票结余 Warehouse-wise Item Reorder,仓库明智的项目重新排序 Warehouses,仓库 @@ -3114,13 +3266,14 @@ Will be updated when batched.,批处理时将被更新。 Will be updated when billed.,计费时将被更新。 Wire Transfer,电汇 With Operations,随着运营 -With period closing entry,随着期末入门 +With Period Closing Entry,随着时间截止报名 Work Details,作品详细信息 Work Done,工作完成 Work In Progress,工作进展 Work-in-Progress Warehouse,工作在建仓库 Work-in-Progress Warehouse is required before Submit,工作在进展仓库提交之前,需要 Working,工作的 +Working Days,个工作日内 Workstation,工作站 Workstation Name,工作站名称 Write Off Account,核销帐户 @@ -3136,9 +3289,6 @@ Year Closed,年度关闭 Year End Date,年结日 Year Name,今年名称 Year Start Date,今年开始日期 -Year Start Date and Year End Date are already set in Fiscal Year {0},年开学日期及年结日已在会计年度设置{0} -Year Start Date and Year End Date are not within Fiscal Year.,今年开始日期和年份结束日期是不是在会计年度。 -Year Start Date should not be greater than Year End Date,今年开始日期不应大于年度日期 Year of Passing,路过的一年 Yearly,每年 Yes,是的 @@ -3148,7 +3298,6 @@ You are the Expense Approver for this record. Please Update the 'Status' and Sav You are the Leave Approver for this record. Please Update the 'Status' and Save,您是第休假审批此记录。请更新“状态”并保存 You can enter any date manually,您可以手动输入任何日期 You can enter the minimum quantity of this item to be ordered.,您可以输入资料到订购的最小数量。 -You can not assign itself as parent account,你不能将自己作为父母的帐户 You can not change rate if BOM mentioned agianst any item,你不能改变速度,如果BOM中提到反对的任何项目 You can not enter both Delivery Note No and Sales Invoice No. Please enter any one.,请输入仓库的材料要求将提高 You can not enter current voucher in 'Against Journal Voucher' column,“反对日记帐凭证”列中您不能输入电流券 @@ -3160,7 +3309,6 @@ You cannot credit and debit same account at the same time,你无法信用卡和 You have entered duplicate items. Please rectify and try again.,您输入重复的项目。请纠正,然后再试一次。 You may need to update: {0},你可能需要更新: {0} You must Save the form before proceeding,在继续之前,您必须保存表单 -You must allocate amount before reconcile,调和之前,你必须分配金额 Your Customer's TAX registration numbers (if applicable) or any general information,你的客户的税务登记证号码(如适用)或任何股东信息 Your Customers,您的客户 Your Login Id,您的登录ID @@ -3173,11 +3321,13 @@ Your sales person who will contact the customer in future,你的销售人员谁 Your sales person will get a reminder on this date to contact the customer,您的销售人员将获得在此日期提醒联系客户 Your setup is complete. Refreshing...,你的设置就完成了。清爽... Your support email id - must be a valid email - this is where your emails will come!,您的支持电子邮件ID - 必须是一个有效的电子邮件 - 这就是你的邮件会来! +[Error],[错误] [Select],[选择] `Freeze Stocks Older Than` should be smaller than %d days.,`冻结股票早于`应该是%d天前小。 and,和 are not allowed.,项目组树 assigned by,由分配 +cannot be greater than 100,不能大于100 "e.g. ""Build tools for builders""",例如「建设建设者工具“ "e.g. ""MC""",例如“MC” "e.g. ""My Company LLC""",例如“我的公司有限责任公司” @@ -3190,32 +3340,34 @@ example: Next Day Shipping,例如:次日发货 lft,LFT old_parent,old_parent rgt,RGT +subject,主题 +to,至 website page link,网站页面的链接 {0} '{1}' not in Fiscal Year {2},{0}“ {1}”不财政年度{2} {0} Credit limit {0} crossed,{0}信贷限额{0}划线 {0} Serial Numbers required for Item {0}. Only {0} provided.,{0}所需的物品序列号{0} 。只有{0}提供。 {0} budget for Account {1} against Cost Center {2} will exceed by {3},{0}预算帐户{1}对成本中心{2}将超过{3} +{0} can not be negative,{0}不能为负 {0} created,{0}创建 {0} does not belong to Company {1},{0}不属于公司{1} {0} entered twice in Item Tax,{0}输入两次项税 {0} is an invalid email address in 'Notification Email Address',{0}是在“通知电子邮件地址”无效的电子邮件地址 {0} is mandatory,{0}是强制性的 {0} is mandatory for Item {1},{0}是强制性的项目{1} +{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0}是强制性的。也许外币兑换记录为{1}到{2}尚未建立。 {0} is not a stock Item,{0}不是一个缺货登记 {0} is not a valid Batch Number for Item {1},{0}不是对项目的有效批号{1} -{0} is not a valid Leave Approver,{0}不是有效的请假审批 +{0} is not a valid Leave Approver. Removing row #{1}.,{0}不是有效的请假审批。删除行#{1}。 {0} is not a valid email id,{0}不是一个有效的电子邮件ID {0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0}现在是默认的财政年度。请刷新您的浏览器,以使更改生效。 {0} is required,{0}是必需的 {0} must be a Purchased or Sub-Contracted Item in row {1},{0}必须是购买或分包项目中列{1} -{0} must be less than or equal to {1},{0}必须小于或等于{1} +{0} must be reduced by {1} or you should increase overflow tolerance,{0}必须通过{1}会减少或应增加溢出宽容 {0} must have role 'Leave Approver',{0}必须有角色“请假审批” {0} valid serial nos for Item {1},{0}有效的序列号的项目{1} {0} {1} against Bill {2} dated {3},{0} {1}反对比尔{2}于{3} {0} {1} against Invoice {2},{0} {1}对发票{2} {0} {1} has already been submitted,{0} {1}已经提交 -{0} {1} has been modified. Please Refresh,{0} {1}已被修改。请刷新 -{0} {1} has been modified. Please refresh,{0} {1}已被修改。请刷新 {0} {1} has been modified. Please refresh.,{0} {1}已被修改。请刷新。 {0} {1} is not submitted,{0} {1}未提交 {0} {1} must be submitted,{0} {1}必须提交 @@ -3223,3 +3375,5 @@ website page link,网站页面的链接 {0} {1} status is 'Stopped',{0} {1}状态为“停止” {0} {1} status is Stopped,{0} {1}状态为stopped {0} {1} status is Unstopped,{0} {1}状态为开通 +{0} {1}: Cost Center is mandatory for Item {2},{0} {1}:成本中心是强制性的项目{2} +{0}: {1} not found in Invoice Details table,{0}:{1}不是在发票明细表中找到 diff --git a/erpnext/translations/zh-tw.csv b/erpnext/translations/zh-tw.csv index 2d58a15756..29522e6112 100644 --- a/erpnext/translations/zh-tw.csv +++ b/erpnext/translations/zh-tw.csv @@ -14,7 +14,6 @@ % of materials delivered against this Sales Order,%的交付對這個銷售訂單物料 % of materials ordered against this Material Request,%的下令對這種材料申請材料 % of materials received against this Purchase Order,%的材料收到反對這個採購訂單 -%(conversion_rate_label)s is mandatory. Maybe Currency Exchange record is not created for %(from_currency)s to %(to_currency)s,# ## # 'Actual Start Date' can not be greater than 'Actual End Date',“實際開始日期”不能大於“實際結束日期' 'Based On' and 'Group By' can not be same,“根據”和“分組依據”不能相同 'Days Since Last Order' must be greater than or equal to zero,“自從最後訂購日”必須大於或等於零 @@ -30,11 +29,35 @@ 'Update Stock' for Sales Invoice {0} must be set,'更新庫存“的銷售發票{0}必須設置 * Will be calculated in the transaction.,*將被計算在該交易。 "1 Currency = [?] Fraction -For e.g. 1 USD = 100 Cent",1貨幣= [?]分數\ n對於如 +For e.g. 1 USD = 100 Cent","1貨幣= [?]分數 +對於如1美元= 100美分" 1. To maintain the customer wise item code and to make them searchable based on their code use this option,1。為了保持客戶明智的項目代碼,並使其搜索根據自己的代碼中使用這個選項 "Add / Edit","添加/編輯" "Add / Edit","添加/編輯" "Add / Edit","添加/編輯" +"

Default Template

+

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

+
{{ address_line1 }}<br>
+{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}
+{{ city }}<br>
+{% if state %}{{ state }}<br>{% endif -%}
+{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}
+{{ country }}<br>
+{% if phone %}Phone: {{ phone }}<br>{% endif -%}
+{% if fax %}Fax: {{ fax }}<br>{% endif -%}
+{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
+
","

默認模板 +

使用神社模板和地址的所有字段(包括自定義字段如果有的話)將可 +

 {{address_line1}} 
+ {%如果address_line2%} {{address_line2}} {
%ENDIF - %} + {{城市}}
+ {%,如果狀態%} {{狀態}}
{%ENDIF - %} + {%如果PIN代碼%}密碼:{{PIN碼}}
{%ENDIF - %} + {{國家}}
+ {%,如果電話%}電話:{{電話}} {
%ENDIF - %} + {%如果傳真%}傳真:{{傳真}}
{%ENDIF - %} + {%如果email_id%}郵箱:{{email_id}}
; {%ENDIF - %} + " A Customer Group exists with same name please change the Customer name or rename the Customer Group,客戶群組存在具有相同名稱,請更改客戶姓名或重命名客戶集團 A Customer exists with same name,一位顧客存在具有相同名稱 A Lead with this email id should exist,與此電子郵件id一個鉛應該存在 @@ -44,7 +67,6 @@ A symbol for this currency. For e.g. $,符號的這種貨幣。對於如$ AMC Expiry Date,AMC到期時間 Abbr,縮寫 Abbreviation cannot have more than 5 characters,縮寫不能有超過5個字符 -About,關於 Above Value,上述值 Absent,缺席 Acceptance Criteria,驗收標準 @@ -59,6 +81,8 @@ Account Details,帳戶明細 Account Head,帳戶頭 Account Name,帳戶名稱 Account Type,賬戶類型 +"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'",帳戶餘額已在信貸,你是不允許設置“餘額必須是'為'借' +"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",帳戶已在借方餘額,則不允許設置“餘額必須是'為'信用' Account for the warehouse (Perpetual Inventory) will be created under this Account.,賬戶倉庫(永續盤存)將在該帳戶下創建。 Account head {0} created,帳戶頭{0}創建 Account must be a balance sheet account,帳戶必須是結算賬戶 @@ -68,13 +92,20 @@ Account with existing transaction can not be deleted,帳戶與現有的事務不 Account with existing transaction cannot be converted to ledger,帳戶與現有的事務不能被轉換為總賬 Account {0} cannot be a Group,帳戶{0}不能為集團 Account {0} does not belong to Company {1},帳戶{0}不屬於公司{1} +Account {0} does not belong to company: {1},帳戶{0}不屬於公司:{1} Account {0} does not exist,帳戶{0}不存在 Account {0} has been entered more than once for fiscal year {1},帳戶{0}已多次輸入會計年度{1} Account {0} is frozen,帳戶{0}被凍結 Account {0} is inactive,帳戶{0}是無效的 +Account {0} is not valid,帳戶{0}無效 Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item,帳戶{0}的類型必須為“固定資產”作為項目{1}是一個資產項目 +Account {0}: Parent account {1} can not be a ledger,帳戶{0}:家長帳戶{1}不能是總賬 +Account {0}: Parent account {1} does not belong to company: {2},帳戶{0}:家長帳戶{1}不屬於公司:{2} +Account {0}: Parent account {1} does not exist,帳戶{0}:家長帳戶{1}不存在 +Account {0}: You can not assign itself as parent account,帳戶{0}:你不能將自己作為父母的帳戶 "Account: {0} can only be updated via \ - Stock Transactions",帳戶: {0}只能通過\更新\ n股票交易 + Stock Transactions","帳號:\ +股票交易{0}只能通過更新" Accountant,會計 Accounting,會計 "Accounting Entries can be made against leaf nodes, called",會計分錄可以對葉節點進行,稱為 @@ -124,6 +155,7 @@ Address Details,詳細地址 Address HTML,地址HTML Address Line 1,地址行1 Address Line 2,地址行2 +Address Template,地址模板 Address Title,地址名稱 Address Title is mandatory.,地址標題是強制性的。 Address Type,地址類型 @@ -144,7 +176,6 @@ Against Docname,可採用DocName反對 Against Doctype,針對文檔類型 Against Document Detail No,對文件詳細說明暫無 Against Document No,對文件無 -Against Entries,對參賽作品 Against Expense Account,對費用帳戶 Against Income Account,對收入賬戶 Against Journal Voucher,對日記帳憑證 @@ -180,10 +211,8 @@ All Territories,所有的領土 "All export related fields like currency, conversion rate, export total, export grand total etc are available in Delivery Note, POS, Quotation, Sales Invoice, Sales Order etc.",在送貨單, POS機,報價單,銷售發票,銷售訂單等可像貨幣,轉換率,進出口總額,出口總計等所有出口相關領域 "All import related fields like currency, conversion rate, import total, import grand total etc are available in Purchase Receipt, Supplier Quotation, Purchase Invoice, Purchase Order etc.",在外購入庫單,供應商報價單,採購發票,採購訂單等所有可像貨幣,轉換率,總進口,進口總計進口等相關領域 All items have already been invoiced,所有項目已開具發票 -All items have already been transferred for this Production Order.,所有的物品已經被轉移該生產訂單。 All these items have already been invoiced,所有這些項目已開具發票 Allocate,分配 -Allocate Amount Automatically,自動分配金額 Allocate leaves for a period.,分配葉子一段時間。 Allocate leaves for the year.,分配葉子的一年。 Allocated Amount,分配金額 @@ -204,13 +233,13 @@ Allow Users,允許用戶 Allow the following users to approve Leave Applications for block days.,允許以下用戶批准許可申請的區塊天。 Allow user to edit Price List Rate in transactions,允許用戶編輯價目表率的交易 Allowance Percent,津貼百分比 -Allowance for over-delivery / over-billing crossed for Item {0},備抵過交付/過賬單越過為項目{0} +Allowance for over-{0} crossed for Item {1},備抵過{0}越過為項目{1} +Allowance for over-{0} crossed for Item {1}.,備抵過{0}越過為項目{1}。 Allowed Role to Edit Entries Before Frozen Date,寵物角色來編輯文章前冷凍日期 Amended From,從修訂 Amount,量 Amount (Company Currency),金額(公司貨幣) -Amount <=,量<= -Amount >=,金額> = +Amount Paid,已支付的款項 Amount to Bill,帳單數額 An Customer exists with same name,一個客戶存在具有相同名稱 "An Item Group exists with same name, please change the item name or rename the item group",項目組存在具有相同名稱,請更改項目名稱或重命名的項目組 @@ -260,6 +289,7 @@ As per Stock UOM,按庫存計量單位 Asset,財富 Assistant,助理 Associate,關聯 +Atleast one of the Selling or Buying must be selected,ATLEAST一個銷售或購買的必須選擇 Atleast one warehouse is mandatory,ATLEAST一間倉庫是強制性的 Attach Image,附上圖片 Attach Letterhead,附加信 @@ -319,6 +349,7 @@ Balance for Account {0} must always be {1},為平衡帳戶{0}必須始終{1} Balance must be,餘額必須 "Balances of Accounts of type ""Bank"" or ""Cash""",鍵入“銀行”賬戶的餘額或“現金” Bank,銀行 +Bank / Cash Account,銀行/現金賬戶 Bank A/C No.,銀行A / C號 Bank Account,銀行帳戶 Bank Account No.,銀行賬號 @@ -397,18 +428,24 @@ Budget Distribution Details,預算分配詳情 Budget Variance Report,預算差異報告 Budget cannot be set for Group Cost Centers,預算不能為集團成本中心設置 Build Report,建立舉報 -Built on,建 Bundle items at time of sale.,捆綁項目在銷售時。 Business Development Manager,業務發展經理 Buying,求購 Buying & Selling,購買與銷售 Buying Amount,客戶買入金額 Buying Settings,求購設置 +"Buying must be checked, if Applicable For is selected as {0}",求購必須進行檢查,如果適用於被選擇為{0} C-Form,C-表 C-Form Applicable,C-表格適用 C-Form Invoice Detail,C-形式發票詳細信息 C-Form No,C-表格編號 C-Form records,C-往績紀錄 +CENVAT Capital Goods,CENVAT資本貨物 +CENVAT Edu Cess,CENVAT塞斯埃杜 +CENVAT SHE Cess,CENVAT佘塞斯 +CENVAT Service Tax,CENVAT服務稅 +CENVAT Service Tax Cess 1,CENVAT服務稅附加稅1 +CENVAT Service Tax Cess 2,CENVAT服務稅附加稅2 Calculate Based On,計算的基礎上 Calculate Total Score,計算總分 Calendar Events,日曆事件 @@ -432,7 +469,7 @@ Cannot approve leave as you are not authorized to approve leaves on Block Dates, Cannot cancel because Employee {0} is already approved for {1},不能取消,因為員工{0}已經被核准用於{1} Cannot cancel because submitted Stock Entry {0} exists,不能取消,因為提交股票輸入{0}存在 Cannot carry forward {0},不能發揚{0} -Cannot change Year Start Date and Year End Date once the Fiscal Year is saved.,1 。地址和公司聯繫。 +Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,不能更改財政年度開始日期和財政年度結束日期,一旦會計年度被保存。 "Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.",不能改變公司的預設貨幣,因為有存在的交易。交易必須取消更改默認貨幣。 Cannot convert Cost Center to ledger as it has child nodes,不能成本中心轉換為總賬,因為它有子節點 Cannot covert to Group because Master Type or Account Type is selected.,不能隱蔽到組,因為碩士或帳戶類型選擇的。 @@ -441,7 +478,7 @@ Cannot deactive or cancle BOM as it is linked with other BOMs,不能取消激活 Cannot deduct when category is for 'Valuation' or 'Valuation and Total',不能抵扣當類別為“估值”或“估值及總' "Cannot delete Serial No {0} in stock. First remove from stock, then delete.",不能{0}刪除序號股票。首先從庫存中刪除,然後刪除。 "Cannot directly set amount. For 'Actual' charge type, use the rate field",不能直接設置金額。對於“實際”充電式,用速度場 -"Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in 'Setup' > 'Global Defaults'",不能在一行overbill的項目{0} {0}不是{1}更多。要允許超收,請在“設置”設置> “全球默認值” +"Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in Stock Settings",不能在一行overbill的項目{0} {0}不是{1}更多。要允許超收,請在庫存設置中設置 Cannot produce more Item {0} than Sales Order quantity {1},不能產生更多的項目{0}不是銷售訂單數量{1} Cannot refer row number greater than or equal to current row number for this Charge type,不能引用的行號大於或等於當前行號碼提供給充電式 Cannot return more than {0} for Item {1},不能返回超過{0}的項目{1} @@ -504,6 +541,8 @@ Click on a link to get options to expand get options ,點擊一個鏈接以獲 Client,客戶 Close Balance Sheet and book Profit or Loss.,關閉資產負債表和賬面利潤或虧損。 Closed,關閉 +Closing (Cr),關閉(CR) +Closing (Dr),關閉(博士) Closing Account Head,關閉帳戶頭 Closing Account {0} must be of type 'Liability',關閉帳戶{0}必須是類型'責任' Closing Date,截止日期 @@ -514,7 +553,9 @@ CoA Help,輔酶幫助 Code,碼 Cold Calling,自薦 Color,顏色 +Column Break,分欄符 Comma separated list of email addresses,逗號分隔的電子郵件地址列表 +Comment,評論 Comments,評論 Commercial,廣告 Commission,佣金 @@ -599,7 +640,6 @@ Cosmetics,化妝品 Cost Center,成本中心 Cost Center Details,成本中心詳情 Cost Center Name,成本中心名稱 -Cost Center is mandatory for Item {0},成本中心是強制性的項目{0} Cost Center is required for 'Profit and Loss' account {0},成本中心是必需的“損益”賬戶{0} Cost Center is required in row {0} in Taxes table for type {1},成本中心是必需的行{0}稅表型{1} Cost Center with existing transactions can not be converted to group,與現有的交易成本中心,不能轉化為組 @@ -609,6 +649,7 @@ Cost of Goods Sold,銷貨成本 Costing,成本核算 Country,國家 Country Name,國家名稱 +Country wise default Address Templates,國家明智的默認地址模板 "Country, Timezone and Currency",國家,時區和貨幣 Create Bank Voucher for the total salary paid for the above selected criteria,創建銀行券為支付上述選擇的標準工資總額 Create Customer,創建客戶 @@ -662,10 +703,12 @@ Customer (Receivable) Account,客戶(應收)帳 Customer / Item Name,客戶/項目名稱 Customer / Lead Address,客戶/鉛地址 Customer / Lead Name,客戶/鉛名稱 +Customer > Customer Group > Territory,客戶>客戶群>領地 Customer Account Head,客戶帳戶頭 Customer Acquisition and Loyalty,客戶獲得和忠誠度 Customer Address,客戶地址 Customer Addresses And Contacts,客戶的地址和聯繫方式 +Customer Addresses and Contacts,客戶地址和聯繫方式 Customer Code,客戶代碼 Customer Codes,客戶代碼 Customer Details,客戶詳細信息 @@ -727,6 +770,8 @@ Deduction1,Deduction1 Deductions,扣除 Default,默認 Default Account,默認帳戶 +Default Address Template cannot be deleted,默認地址模板不能被刪除 +Default Amount,違約金額 Default BOM,默認的BOM Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,默認銀行/現金帳戶將被自動在POS機發票時選擇此模式更新。 Default Bank Account,默認銀行賬戶 @@ -734,7 +779,6 @@ Default Buying Cost Center,默認情況下購買成本中心 Default Buying Price List,默認情況下採購價格表 Default Cash Account,默認的現金賬戶 Default Company,默認公司 -Default Cost Center for tracking expense for this item.,默認的成本中心跟踪支出為這個項目。 Default Currency,默認貨幣 Default Customer Group,默認用戶組 Default Expense Account,默認費用帳戶 @@ -761,6 +805,7 @@ Default settings for selling transactions.,默認設置為賣出交易。 Default settings for stock transactions.,默認設置為股票交易。 Defense,防禦 "Define Budget for this Cost Center. To set budget action, see
Company Master","定義預算這個成本中心。要設置預算行動,見公司主" +Del,德爾 Delete,刪除 Delete {0} {1}?,刪除{0} {1} ? Delivered,交付 @@ -809,6 +854,7 @@ Discount (%),折讓(%) Discount Amount,折扣金額 "Discount Fields will be available in Purchase Order, Purchase Receipt, Purchase Invoice",折扣場將在採購訂單,採購入庫單,採購發票 Discount Percentage,折扣百分比 +Discount Percentage can be applied either against a Price List or for all Price List.,折扣百分比可以應用於對一個價目表或所有價目表。 Discount must be less than 100,折扣必須小於100 Discount(%),折讓(%) Dispatch,調度 @@ -841,7 +887,8 @@ Download Template,下載模板 Download a report containing all raw materials with their latest inventory status,下載一個包含所有原料一份報告,他們最新的庫存狀態 "Download the Template, fill appropriate data and attach the modified file.",下載模板,填寫相應的數據,並附加了修改後的文件。 "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",下載模板,填寫相應的數據,並附加了修改後的文件。 \ n所有的日期,並在所選期間員工的組合會在模板中,與現有的考勤記錄 +All dates and employee combination in the selected period will come in the template, with existing attendance records","下載模板,填寫相應的數據,並附加了修改後的文件。 +所有時間和員工組合在選定的期限會在模板中,與現有的考勤記錄" Draft,草案 Dropbox,Dropbox的 Dropbox Access Allowed,Dropbox的允許訪問 @@ -863,6 +910,9 @@ Earning & Deduction,收入及扣除 Earning Type,收入類型 Earning1,Earning1 Edit,編輯 +Edu. Cess on Excise,埃杜。塞斯在消費稅 +Edu. Cess on Service Tax,埃杜。塞斯在服務稅 +Edu. Cess on TDS,埃杜。塞斯在TDS Education,教育 Educational Qualification,學歷 Educational Qualification Details,學歷詳情 @@ -937,16 +987,27 @@ Enter url parameter for receiver nos,輸入URL參數的接收器號 Entertainment & Leisure,娛樂休閒 Entertainment Expenses,娛樂費用 Entries,項 -Entries against,將成為 +Entries against , Entries are not allowed against this Fiscal Year if the year is closed.,參賽作品不得對本財年,如果當年被關閉。 -Entries before {0} are frozen,前{0}項被凍結 Equity,公平 Error: {0} > {1},錯誤: {0} > {1} Estimated Material Cost,預計材料成本 +"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:",即使有更高優先級的多個定價規則,然後按照內部優先級應用: Everyone can read,每個人都可以閱讀 "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 #### # \ n如果串聯設置和序列號沒有在交易中提到,然後自動序列號將基於該系列被創建。 +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##### +如果串聯設置和序列號沒有在交易中提到,然後自動序列號將基於該系列被創建。如果你總是想明確提到串行NOS為這個項目。留空。" Exchange Rate,匯率 +Excise Duty 10,消費稅10 +Excise Duty 14,消費稅14 +Excise Duty 4,消費稅4 +Excise Duty 8,消費稅8 +Excise Duty @ 10,消費稅@ 10 +Excise Duty @ 14,消費稅@ 14 +Excise Duty @ 4,消費稅@ 4 +Excise Duty @ 8,消費稅@ 8 +Excise Duty Edu Cess 2,消費稅埃杜塞斯2 +Excise Duty SHE Cess 1,消費稅佘塞斯1 Excise Page Number,消費頁碼 Excise Voucher,消費券 Execution,執行 @@ -965,6 +1026,7 @@ Expected Delivery Date cannot be before Sales Order Date,預計交貨日期不 Expected End Date,預計結束日期 Expected Start Date,預計開始日期 Expense,費用 +Expense / Difference account ({0}) must be a 'Profit or Loss' account,費用/差異帳戶({0})必須是一個'溢利或虧損的賬戶 Expense Account,費用帳戶 Expense Account is mandatory,費用帳戶是必需的 Expense Claim,報銷 @@ -1015,12 +1077,16 @@ Finished Goods,成品 First Name,名字 First Responded On,首先作出回應 Fiscal Year,財政年度 +Fiscal Year Start Date and Fiscal Year End Date are already set in Fiscal Year {0},會計年度開始日期和財政年度結束日期已經在財政年度設置{0} +Fiscal Year Start Date and Fiscal Year End Date cannot be more than a year apart.,會計年度開始日期和財政年度結束日期不能超過相隔一年。 +Fiscal Year Start Date should not be greater than Fiscal Year End Date,會計年度開始日期應不大於財政年度結束日期 Fixed Asset,固定資產 Fixed Assets,固定資產 Follow via Email,通過電子郵件跟隨 "Following table will show values if items are sub - contracted. These values will be fetched from the master of ""Bill of Materials"" of sub - contracted items.",下表將顯示值,如果項目有子 - 簽約。這些值將被從子的“材料清單”的主人進賬 - 已簽約的項目。 Food,食物 "Food, Beverage & Tobacco",食品,飲料與煙草 +"For 'Sales BOM' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Sales BOM' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.",對於“銷售物料清單”項,倉庫,序列號和批次號將被從“裝箱清單”表考慮。如果倉庫和批號都是相同的任何“銷售BOM'項目的所有包裝物品,這些值可以在主項目表中輸入,值將被複製到”裝箱單“表。 For Company,對於公司 For Employee,對於員工 For Employee Name,對於員工姓名 @@ -1050,7 +1116,9 @@ From Currency and To Currency cannot be same,從貨幣和貨幣不能相同 From Customer,從客戶 From Customer Issue,如果您在製造業活動涉及
From Date,從日期 +From Date cannot be greater than To Date,從日期不能大於結束日期 From Date must be before To Date,從日期必須是之前日期 +From Date should be within the Fiscal Year. Assuming From Date = {0},從日期應該是在財政年度內。假設起始日期= {0} From Delivery Note,從送貨單 From Employee,從員工 From Lead,從鉛 @@ -1072,7 +1140,9 @@ Frozen Accounts Modifier,凍結帳戶修改 Fulfilled,適合 Full Name,全名 Full-time,全日制 +Fully Billed,完全開票 Fully Completed,全面完成 +Fully Delivered,完全交付 Furniture and Fixture,家具及固定裝置 Further accounts can be made under Groups but entries can be made against Ledger,進一步帳戶可以根據組進行,但項目可以對總帳進行 "Further accounts can be made under Groups, but entries can be made against Ledger",進一步帳戶可以根據組進行,但項目可以對總帳進行 @@ -1090,7 +1160,6 @@ Generate Schedule,生成時間表 Generates HTML to include selected image in the description,生成HTML,包括所選圖像的描述 Get Advances Paid,獲取有償進展 Get Advances Received,取得進展收稿 -Get Against Entries,獲取對條目 Get Current Stock,獲取當前庫存 Get Items,找項目 Get Items From Sales Orders,獲取項目從銷售訂單 @@ -1103,6 +1172,7 @@ Get Specification Details,獲取詳細規格 Get Stock and Rate,獲取股票和速率 Get Template,獲取模板 Get Terms and Conditions,獲取條款和條件 +Get Unreconciled Entries,獲取未調節項 Get Weekly Off Dates,獲取每週關閉日期 "Get valuation rate and available stock at source/target warehouse on mentioned posting date-time. If serialized item, please press this button after entering serial nos.",獲取估值率和可用庫存在上提到過賬日期 - 時間源/目標倉庫。如果序列化的項目,請輸入序列號後,按下此按鈕。 Global Defaults,全球默認值 @@ -1171,6 +1241,7 @@ Hour,小時 Hour Rate,小時率 Hour Rate Labour,小時勞動率 Hours,小時 +How Pricing Rule is applied?,如何定價規則被應用? How frequently?,多久? "How should this currency be formatted? If not set, will use system defaults",應如何貨幣進行格式化?如果沒有設置,將使用系統默認 Human Resources,人力資源 @@ -1187,12 +1258,15 @@ If different than customer address,如果不是客戶地址不同 "If disable, 'Rounded Total' field will not be visible in any transaction",如果禁用,“圓角總計”字段將不可見的任何交易 "If enabled, the system will post accounting entries for inventory automatically.",如果啟用,系統將自動為發布庫存會計分錄。 If more than one package of the same type (for print),如果不止一個包相同類型的(用於打印) +"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.",如果有多個定價規則繼續盛行,用戶被要求手動設置優先級來解決衝突。 "If no change in either Quantity or Valuation Rate, leave the cell blank.",如果在任一數量或估價率沒有變化,離開細胞的空白。 If not applicable please enter: NA,如果不適用,請輸入:不適用 "If not checked, the list will have to be added to each Department where it has to be applied.",如果未選中,則列表將被添加到每個部門,在那裡它被應用。 +"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.",如果選擇的定價規則是為'價格',它將覆蓋價目表。定價規則價格是最終價格,所以沒有進一步的折扣應適用。因此,在像銷售訂單,採購訂單等交易,這將是在“匯率”字段提取,而不是'價格單率“字段。 "If specified, send the newsletter using this email address",如果指定了,使用這個電子郵件地址發送電子報 "If the account is frozen, entries are allowed to restricted users.",如果帳戶被凍結,條目被允許受限制的用戶。 "If this Account represents a Customer, Supplier or Employee, set it here.",如果該帳戶代表一個客戶,供應商或員工,在這裡設置。 +"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.",如果根據上述條件發現兩個或更多個定價規則,優先級被應用。優先級是一個介於0到20,而默認值為零(空白)。數字越大,意味著它將優先,如果有與相同條件下的多個定價規則。 If you follow Quality Inspection. Enables Item QA Required and QA No in Purchase Receipt,如果你遵循質量檢驗。使產品的質量保證要求和質量保證在沒有採購入庫單 If you have Sales Team and Sale Partners (Channel Partners) they can be tagged and maintain their contribution in the sales activity,如果你有銷售團隊和銷售合作夥伴(渠道合作夥伴),他們可以被標記,並維持其在銷售貢獻活動 "If you have created a standard template in Purchase Taxes and Charges Master, select one and click on the button below.",如果您在購置稅和費法師創建一個標準的模板,選擇一個,然後點擊下面的按鈕。 @@ -1200,6 +1274,7 @@ If you have Sales Team and Sale Partners (Channel Partners) they can be tagged "If you have long print formats, this feature can be used to split the page to be printed on multiple pages with all headers and footers on each page",如果你有很長的打印格式,這個功能可以被用來分割要打印多個頁面,每個頁面上的所有頁眉和頁腳的頁 If you involve in manufacturing activity. Enables Item 'Is Manufactured',如果您在製造業活動涉及。使項目'製造' Ignore,忽略 +Ignore Pricing Rule,忽略定價規則 Ignored: ,忽略: Image,圖像 Image View,圖像查看 @@ -1236,8 +1311,9 @@ Income booked for the digest period,收入入賬的消化期 Incoming,來 Incoming Rate,傳入速率 Incoming quality inspection.,來料質量檢驗。 +Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,不正確的數字總帳條目中找到。你可能會在交易中選擇了錯誤的帳戶。 Incorrect or Inactive BOM {0} for Item {1} at row {2},不正確或不活動的BOM {0}的項目{1}在列{2} -Indicates that the package is a part of this delivery,表示該包是這個傳遞的一部分 +Indicates that the package is a part of this delivery (Only Draft),表示該包是這個交付的一部分(僅草案) Indirect Expenses,間接費用 Indirect Income,間接收入 Individual,個人 @@ -1263,6 +1339,7 @@ Intern,實習生 Internal,內部 Internet Publishing,互聯網出版 Introduction,介紹 +Invalid Barcode,無效的條碼 Invalid Barcode or Serial No,無效的條碼或序列號 Invalid Mail Server. Please rectify and try again.,無效的郵件服務器。請糾正,然後再試一次。 Invalid Master Name,公司,月及全年是強制性的 @@ -1275,9 +1352,12 @@ Investments,投資 Invoice Date,發票日期 Invoice Details,發票明細 Invoice No,發票號碼 -Invoice Period From Date,發票日期開始日期 +Invoice Number,發票號碼 +Invoice Period From,發票的日期從 Invoice Period From and Invoice Period To dates mandatory for recurring invoice,發票期間由發票日期為日期必須在經常性發票 -Invoice Period To Date,發票日期終止日期 +Invoice Period To,發票的日期要 +Invoice Type,發票類型 +Invoice/Journal Voucher Details,發票/日記帳憑證詳細信息 Invoiced Amount (Exculsive Tax),發票金額(Exculsive稅) Is Active,為活躍 Is Advance,為進 @@ -1308,6 +1388,7 @@ Item Advanced,項目高級 Item Barcode,商品條碼 Item Batch Nos,項目批NOS Item Code,產品編號 +Item Code > Item Group > Brand,產品編號>項目組>品牌 Item Code and Warehouse should already exist.,產品編號和倉庫應該已經存在。 Item Code cannot be changed for Serial No.,產品編號不能為序列號改變 Item Code is mandatory because Item is not automatically numbered,產品編號是強制性的,因為項目沒有自動編號 @@ -1319,6 +1400,7 @@ Item Details,產品詳細信息 Item Group,項目組 Item Group Name,項目組名稱 Item Group Tree,由於生產訂單可以為這個項目, \作 +Item Group not mentioned in item master for item {0},在主項未提及的項目項目組{0} Item Groups in Details,在詳細信息產品組 Item Image (if not slideshow),產品圖片(如果不是幻燈片) Item Name,項目名稱 @@ -1389,7 +1471,8 @@ Item-wise Purchase Register,項目明智的購買登記 Item-wise Sales History,項目明智的銷售歷史 Item-wise Sales Register,項目明智的銷售登記 "Item: {0} managed batch-wise, can not be reconciled using \ - Stock Reconciliation, instead use Stock Entry",貨號: {0}管理分批,不能使用\ \ ñ庫存對賬不甘心,改用股票輸入 + Stock Reconciliation, instead use Stock Entry","貨號:{0}管理分批,不能使用不甘心\ +股票和解,而是使用股票輸入" Item: {0} not found in the system,貨號: {0}沒有在系統中找到 Items,項目 Items To Be Requested,項目要請求 @@ -1492,6 +1575,7 @@ Loading...,載入中... Loans (Liabilities),借款(負債) Loans and Advances (Assets),貸款及墊款(資產) Local,當地 +Login,註冊 Login with your new User ID,與你的新的用戶ID登錄 Logo,標誌 Logo and Letter Heads,標誌和信頭 @@ -1536,6 +1620,7 @@ Make Maint. Schedule,讓MAINT。時間表 Make Maint. Visit,讓MAINT。訪問 Make Maintenance Visit,使維護訪問 Make Packing Slip,使裝箱單 +Make Payment,進行付款 Make Payment Entry,使付款輸入 Make Purchase Invoice,做出購買發票 Make Purchase Order,做採購訂單 @@ -1545,8 +1630,10 @@ Make Salary Structure,使薪酬結構 Make Sales Invoice,做銷售發票 Make Sales Order,使銷售訂單 Make Supplier Quotation,讓供應商報價 +Make Time Log Batch,做時間記錄批 Male,男性 Manage Customer Group Tree.,管理客戶組樹。 +Manage Sales Partners.,管理銷售合作夥伴。 Manage Sales Person Tree.,管理銷售人員樹。 Manage Territory Tree.,管理領地樹。 Manage cost of operations,管理運營成本 @@ -1597,6 +1684,8 @@ Max 5 characters,最多5個字符 Max Days Leave Allowed,最大天假寵物 Max Discount (%),最大折讓(%) Max Qty,最大數量的 +Max discount allowed for item: {0} is {1}%,最大允許的折扣為文件:{0} {1}% +Maximum Amount,最高金額 Maximum allowed credit is {0} days after posting date,最大允許的信用是發布日期後{0}天 Maximum {0} rows allowed,最大{0}行獲准 Maxiumm discount for Item {0} is {1}%,對於項目Maxiumm折扣{0} {1} % @@ -1617,6 +1706,7 @@ Milestones will be added as Events in the Calendar,里程碑將被添加為日 Min Order Qty,最小訂貨量 Min Qty,最小數量 Min Qty can not be greater than Max Qty,最小數量不能大於最大數量的 +Minimum Amount,最低金額 Minimum Order Qty,最低起訂量 Minute,分鐘 Misc Details,其它詳細信息 @@ -1626,7 +1716,6 @@ Mobile No,手機號碼 Mobile No.,手機號碼 Mode of Payment,付款方式 Modern,現代 -Modified Amount,修改金額 Monday,星期一 Month,月 Monthly,每月一次 @@ -1643,7 +1732,8 @@ Mr,先生 Ms,女士 Multiple Item prices.,多個項目的價格。 "Multiple Price Rule exists with same criteria, please resolve \ - conflict by assigning priority. Price Rules: {0}",多價規則存在具有相同的標準,請通過分配優先解決\ \ ñ衝突。 + conflict by assigning priority. Price Rules: {0}","多價規則存在具有相同的標準,請解決\ +衝突通過分配優先級。價格規則:{0}" Music,音樂 Must be Whole Number,必須是整數 Name,名稱 @@ -1659,6 +1749,7 @@ Negative Valuation Rate is not allowed,負面評價率是不允許的 Negative balance in Batch {0} for Item {1} at Warehouse {2} on {3} {4},在批處理負平衡{0}項目{1}在倉庫{2}在{3} {4} Net Pay,淨收費 Net Pay (in words) will be visible once you save the Salary Slip.,淨收費(字)將會看到,一旦你保存工資單。 +Net Profit / Loss,除稅後溢利/(虧損) Net Total,總淨 Net Total (Company Currency),總淨值(公司貨幣) Net Weight,淨重 @@ -1699,7 +1790,6 @@ Newsletter,通訊 Newsletter Content,通訊內容 Newsletter Status,通訊狀態 Newsletter has already been sent,通訊已發送 -Newsletters is not allowed for Trial users,簡訊不允許用戶試用 "Newsletters to contacts, leads.",通訊,聯繫人,線索。 Newspaper Publishers,報紙出版商 Next,下一個 @@ -1721,6 +1811,7 @@ No Supplier Accounts found. Supplier Accounts are identified based on 'Master Ty No accounting entries for the following warehouses,沒有以下的倉庫會計分錄 No addresses created,沒有發起任何地址 No contacts created,沒有發起任何接觸 +No default Address Template found. Please create a new one from Setup > Printing and Branding > Address Template.,沒有默認的地址找到模板。請創建一個從設置>打印和品牌一個新的>地址模板。 No default BOM exists for Item {0},默認情況下不存在的BOM項目為{0} No description given,未提供描述 No employee found,任何員工發現 @@ -1730,6 +1821,8 @@ No of Sent SMS,沒有發送短信 No of Visits,沒有訪問量的 No permission,沒有權限 No record found,沒有資料 +No records found in the Invoice table,沒有在發票表中找到記錄 +No records found in the Payment table,沒有在支付表中找到記錄 No salary slip found for month: ,沒有工資單上發現的一個月: Non Profit,非營利 Nos,NOS @@ -1739,7 +1832,7 @@ Not Available,不可用 Not Billed,不發單 Not Delivered,未交付 Not Set,沒有設置 -Not allowed to update entries older than {0},不允許更新比舊條目{0} +Not allowed to update stock transactions older than {0},不允許更新比年長的股票交易{0} Not authorized to edit frozen Account {0},無權修改凍結帳戶{0} Not authroized since {0} exceeds limits,不authroized因為{0}超出範圍 Not permitted,不允許 @@ -1780,7 +1873,6 @@ Only the selected Leave Approver can submit this Leave Application,只有選擇 Open,開 Open Production Orders,清生產訂單 Open Tickets,開放門票 -Open source ERP built for the web,內置的網絡開源ERP Opening (Cr),開幕(CR ) Opening (Dr),開幕(博士) Opening Date,開幕日期 @@ -1805,7 +1897,7 @@ Opportunity Lost,失去的機會 Opportunity Type,機會型 Optional. This setting will be used to filter in various transactions.,可選。此設置將被應用於各種交易進行過濾。 Order Type,訂單類型 -Order Type must be one of {1},訂單類型必須是一個{1} +Order Type must be one of {0},訂單類型必須是一個{0} Ordered,訂購 Ordered Items To Be Billed,訂購物品被標榜 Ordered Items To Be Delivered,訂購項目交付 @@ -1817,7 +1909,6 @@ Organization Name,組織名稱 Organization Profile,組織簡介 Organization branch master.,組織分支主。 Organization unit (department) master.,組織單位(部門)的主人。 -Original Amount,原來的金額 Other,其他 Other Details,其他詳細信息 Others,他人 @@ -1834,6 +1925,7 @@ Overlapping conditions found between:,之間存在重疊的條件: Overview,概觀 Owned,資 Owner,業主 +P L A - Cess Portion,解放軍 - 塞斯部分 PL or BS,PL或BS PO Date,PO日期 PO No,訂單號碼 @@ -1846,7 +1938,6 @@ POS Setting required to make POS Entry,使POS機輸入所需設置POS機 POS Setting {0} already created for user: {1} and company {2},POS機設置{0}用戶已創建: {1}和公司{2} POS View,POS機查看 PR Detail,PR詳細 -PR Posting Date,公關寄發日期 Package Item Details,包裝物品詳情 Package Items,包裝產品 Package Weight Details,包裝重量詳情 @@ -1876,8 +1967,6 @@ Parent Sales Person,母公司銷售人員 Parent Territory,家長領地 Parent Website Page,父網站頁面 Parent Website Route,父網站路線 -Parent account can not be a ledger,家長帳戶不能是一個總賬 -Parent account does not exist,家長帳戶不存在 Parenttype,Parenttype Part-time,兼任 Partially Completed,部分完成 @@ -1886,6 +1975,8 @@ Partly Delivered,部分交付 Partner Target Detail,合作夥伴目標詳細信息 Partner Type,合作夥伴類型 Partner's Website,合作夥伴的網站 +Party,黨 +Party Account,黨的帳戶 Party Type,黨的類型 Party Type Name,黨的類型名稱 Passive,被動 @@ -1898,10 +1989,14 @@ Payables Group,集團的應付款項 Payment Days,金天 Payment Due Date,付款到期日 Payment Period Based On Invoice Date,已經提交。 +Payment Reconciliation,付款對賬 +Payment Reconciliation Invoice,付款發票對賬 +Payment Reconciliation Invoices,付款發票對賬 +Payment Reconciliation Payment,付款方式付款對賬 +Payment Reconciliation Payments,支付和解款項 Payment Type,針對選擇您要分配款項的發票。 +Payment cannot be made for empty cart,付款方式不能為空購物車製造 Payment of salary for the month {0} and year {1},支付工資的月{0}和年{1} -Payment to Invoice Matching Tool,付款發票匹配工具 -Payment to Invoice Matching Tool Detail,付款發票匹配工具詳細介紹 Payments,付款 Payments Made,支付的款項 Payments Received,收到付款 @@ -1944,7 +2039,9 @@ Planning,規劃 Plant,廠 Plant and Machinery,廠房及機器 Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,請輸入縮寫或簡稱恰當,因為它會被添加為後綴的所有帳戶頭。 +Please Update SMS Settings,請更新短信設置 Please add expense voucher details,請新增支出憑單細節 +Please add to Modes of Payment from Setup.,請從安裝程序添加到收支模式。 Please check 'Is Advance' against Account {0} if this is an advance entry.,請檢查'是推進'對帳戶{0} ,如果這是一個進步的條目。 Please click on 'Generate Schedule',請點擊“生成表” Please click on 'Generate Schedule' to fetch Serial No added for Item {0},請點擊“生成表”來獲取序列號增加了對項目{0} @@ -1992,12 +2089,13 @@ Please enter valid Company Email,請輸入有效的電郵地址 Please enter valid Email Id,請輸入有效的電子郵件Id Please enter valid Personal Email,請輸入有效的個人電子郵件 Please enter valid mobile nos,請輸入有效的手機號 +Please find attached Sales Invoice #{0},隨函附上銷售發票#{0} Please install dropbox python module,請安裝Dropbox的Python模塊 Please mention no of visits required,請註明無需訪問 Please pull items from Delivery Note,請送貨單拉項目 Please save the Newsletter before sending,請在發送之前保存通訊 Please save the document before generating maintenance schedule,9 。考慮稅收或支出:在本部分中,您可以指定,如果稅務/充電僅適用於估值(總共不一部分) ,或只為總(不增加價值的項目) ,或兩者兼有。 -Please select Account first,請先選擇賬戶 +Please see attachment,請參閱附件 Please select Bank Account,請選擇銀行帳戶 Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,請選擇結轉,如果你還需要包括上一會計年度的資產負債葉本財年 Please select Category first,屬性是相同的兩個記錄。 @@ -2005,14 +2103,17 @@ Please select Charge Type first,預計日期不能前材料申請日期 Please select Fiscal Year,請選擇會計年度 Please select Group or Ledger value,請選擇集團或Ledger值 Please select Incharge Person's name,請選擇Incharge人的名字 +Please select Invoice Type and Invoice Number in atleast one row,請選擇發票類型和發票號碼在ATLEAST一行 "Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Sales BOM",請選擇項目,其中“是股票項目”是“否”和“是銷售項目”為“是” ,並沒有其他的銷售BOM Please select Price List,請選擇價格表 Please select Start Date and End Date for Item {0},請選擇開始日期和結束日期的項目{0} +Please select Time Logs.,請選擇時間記錄。 Please select a csv file,請選擇一個csv文件 Please select a valid csv file with data,請選擇與數據的有效csv文件 Please select a value for {0} quotation_to {1},請選擇一個值{0} quotation_to {1} "Please select an ""Image"" first",請選擇“圖像”第一 Please select charge type first,請選擇充電式第一 +Please select company first,請先選擇公司 Please select company first.,請先選擇公司。 Please select item code,請選擇商品代碼 Please select month and year,請選擇年份和月份 @@ -2021,6 +2122,7 @@ Please select the document type first,請選擇文檔類型第一 Please select weekly off day,請選擇每週休息日 Please select {0},請選擇{0} Please select {0} first,請選擇{0}第一 +Please select {0} first.,請選擇{0}第一。 Please set Dropbox access keys in your site config,請在您的網站配置設置Dropbox的訪問鍵 Please set Google Drive access keys in {0},請設置谷歌驅動器的訪問鍵{0} Please set default Cash or Bank account in Mode of Payment {0},請設置默認的現金或銀行賬戶的付款方式{0} @@ -2047,6 +2149,7 @@ Postal,郵政 Postal Expenses,郵政費用 Posting Date,發布日期 Posting Time,發布時間 +Posting date and posting time is mandatory,發布日期和發布時間是必需的 Posting timestamp must be after {0},發布時間標記必須經過{0} Potential opportunities for selling.,潛在的機會賣。 Preferred Billing Address,首選帳單地址 @@ -2073,8 +2176,10 @@ Price List not selected,價格列表沒有選擇 Price List {0} is disabled,價格表{0}被禁用 Price or Discount,價格或折扣 Pricing Rule,定價規則 -Pricing Rule For Discount,定價規則對於折扣 -Pricing Rule For Price,定價規則對於價格 +Pricing Rule Help,定價規則說明 +"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.",定價規則是第一選擇是基於“應用在”字段,可以是項目,項目組或品牌。 +"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.",定價規則是由覆蓋價格表/定義折扣百分比,基於某些條件。 +Pricing Rules are further filtered based on quantity.,定價規則進一步過濾基於數量。 Print Format Style,打印格式樣式 Print Heading,打印標題 Print Without Amount,打印量不 @@ -2102,7 +2207,9 @@ Production Plan Sales Orders,生產計劃銷售訂單 Production Planning Tool,生產規劃工具 Products,產品展示 "Products will be sorted by weight-age in default searches. More the weight-age, higher the product will appear in the list.",產品將重量年齡在默認搜索排序。更多的重量,年齡,更高的產品會出現在列表中。 +Professional Tax,職業稅 Profit and Loss,損益 +Profit and Loss Statement,損益表 Project,項目 Project Costing,項目成本核算 Project Details,項目詳情 @@ -2125,7 +2232,9 @@ Projects & System,工程及系統 Prompt for Email on Submission of,提示電子郵件的提交 Proposal Writing,提案寫作 Provide email id registered in company,提供的電子郵件ID在公司註冊 +Provisional Profit / Loss (Credit),臨時溢利/(虧損)(信用) Public,公 +Published on website at: {0},發表於網站:{0} Publishing,出版 Pull sales orders (pending to deliver) based on the above criteria,基於上述標準拉銷售訂單(待定提供) Purchase,採購 @@ -2134,7 +2243,6 @@ Purchase Analytics,購買Analytics(分析) Purchase Common,購買普通 Purchase Details,購買詳情 Purchase Discounts,購買折扣 -Purchase In Transit,購買運輸 Purchase Invoice,購買發票 Purchase Invoice Advance,購買發票提前 Purchase Invoice Advances,採購發票進展 @@ -2142,7 +2250,6 @@ Purchase Invoice Item,採購發票項目 Purchase Invoice Trends,購買發票趨勢 Purchase Invoice {0} is already submitted,採購發票{0}已經提交 Purchase Order,採購訂單 -Purchase Order Date,採購訂單日期 Purchase Order Item,採購訂單項目 Purchase Order Item No,採購訂單編號 Purchase Order Item Supplied,採購訂單項目提供 @@ -2206,7 +2313,6 @@ Quarter,季 Quarterly,季刊 Quick Help,快速幫助 Quotation,行情 -Quotation Date,報價日期 Quotation Item,產品報價 Quotation Items,報價產品 Quotation Lost Reason,報價遺失原因 @@ -2284,6 +2390,7 @@ Recurring Invoice,經常性發票 Recurring Type,經常性類型 Reduce Deduction for Leave Without Pay (LWP),減少扣除停薪留職(LWP) Reduce Earning for Leave Without Pay (LWP),降低盈利停薪留職(LWP) +Ref,參考 Ref Code,參考代碼 Ref SQ,參考SQ Reference,參考 @@ -2307,6 +2414,7 @@ Relieving Date,解除日期 Relieving Date must be greater than Date of Joining,解除日期必須大於加入的日期 Remark,備註 Remarks,備註 +Remarks Custom,備註自定義 Rename,重命名 Rename Log,重命名日誌 Rename Tool,重命名工具 @@ -2322,6 +2430,7 @@ Report Type,報告類型 Report Type is mandatory,報告類型是強制性的 Reports to,報告以 Reqd By Date,REQD按日期 +Reqd by Date,REQD日期 Request Type,請求類型 Request for Information,索取資料 Request for purchase.,請求您的報價。 @@ -2375,21 +2484,34 @@ Rounded Total,總圓角 Rounded Total (Company Currency),圓潤的總計(公司貨幣) Row # ,行# Row # {0}: , +Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,行#{0}:有序數量不能超過項目的最低訂單數量(在項目主數據中定義)少。 +Row #{0}: Please specify Serial No for Item {1},行#{0}:請註明序號為項目{1} "Row {0}: Account does not match with \ - Purchase Invoice Credit To account",行{0} :帳號不與\ \ ñ採購發票計入帳戶相匹配, + Purchase Invoice Credit To account","行{0}:\ +採購發票計入帳戶帳戶不具有匹配" "Row {0}: Account does not match with \ - Sales Invoice Debit To account",行{0} :帳號不與\ \ ñ銷售發票借記帳戶相匹配, + Sales Invoice Debit To account","行{0}:\ +銷售發票借記帳戶帳戶不具有匹配" +Row {0}: Conversion Factor is mandatory,行{0}:轉換係數是強制性的 Row {0}: Credit entry can not be linked with a Purchase Invoice,行{0} :信用記錄無法與採購發票聯 Row {0}: Debit entry can not be linked with a Sales Invoice,行{0} :借記不能與一個銷售發票聯 +Row {0}: Payment amount must be less than or equals to invoice outstanding amount. Please refer Note below.,行{0}:付款金額必須小於或等於發票未償還金額。請參考下面的說明。 +Row {0}: Qty is mandatory,行{0}:數量是強制性的 +"Row {0}: Qty not avalable in warehouse {1} on {2} {3}. + Available Qty: {4}, Transfer Qty: {5}","行{0}:數量不是在倉庫{1} avalable {2} {3}。 +有貨數量:{4},轉移數量:{5}" "Row {0}: To set {1} periodicity, difference between from and to date \ - must be greater than or equal to {2}",行{0} :設置{1}的週期性,從和到日期\ \ n的差必須大於或等於{2} + must be greater than or equal to {2}","行{0}:設置{1}的週期性,從和日期之間的差\ +必須大於或等於{2}" Row {0}:Start Date must be before End Date,行{0} :開始日期必須是之前結束日期 Rules for adding shipping costs.,規則增加運輸成本。 Rules for applying pricing and discount.,規則適用的定價和折扣。 Rules to calculate shipping amount for a sale,規則來計算銷售運輸量 S.O. No.,SO號 +SHE Cess on Excise,SHE CESS消費上 +SHE Cess on Service Tax,SHE CESS的服務稅 +SHE Cess on TDS,SHE CESS上的TDS SMS Center,短信中心 -SMS Control,短信控制 SMS Gateway URL,短信網關的URL SMS Log,短信日誌 SMS Parameter,短信參數 @@ -2494,15 +2616,20 @@ Securities and Deposits,證券及存款 "Select ""Yes"" if this item represents some work like training, designing, consulting etc.",選擇“是”,如果此項目表示類似的培訓,設計,諮詢等一些工作 "Select ""Yes"" if you are maintaining stock of this item in your Inventory.",選擇“是”,如果你保持這個項目的股票在你的庫存。 "Select ""Yes"" if you supply raw materials to your supplier to manufacture this item.",選擇“是”,如果您對供應原料給供應商,製造資料。 +Select Brand...,請選擇品牌... Select Budget Distribution to unevenly distribute targets across months.,選擇預算分配跨個月呈不均衡分佈的目標。 "Select Budget Distribution, if you want to track based on seasonality.",選擇預算分配,如果你要根據季節來跟踪。 +Select Company...,選擇公司... Select DocType,選擇的DocType +Select Fiscal Year...,選擇會計年度... Select Items,選擇項目 +Select Project...,選擇項目... Select Purchase Receipts,選擇外購入庫單 Select Sales Orders,選擇銷售訂單 Select Sales Orders from which you want to create Production Orders.,要從創建生產訂單選擇銷售訂單。 Select Time Logs and Submit to create a new Sales Invoice.,選擇時間日誌和提交創建一個新的銷售發票。 Select Transaction,選擇交易 +Select Warehouse...,選擇倉庫... Select Your Language,選擇您的語言 Select account head of the bank where cheque was deposited.,選取支票存入該銀行賬戶的頭。 Select company name first.,先選擇公司名稱。 @@ -2520,6 +2647,7 @@ Select your home country and check the timezone and currency.,選擇您的國家 "Selecting ""Yes"" will give a unique identity to each entity of this item which can be viewed in the Serial No master.",選擇“Yes”將提供一個獨特的身份,以這個項目的每個實體可在序列號主觀看。 Selling,銷售 Selling Settings,銷售設置 +"Selling must be checked, if Applicable For is selected as {0}",銷售必須進行檢查,如果適用於被選擇為{0} Send,發送 Send Autoreply,發送自動回复 Send Email,發送電子郵件 @@ -2556,7 +2684,8 @@ Serial Nos Required for Serialized Item {0},序列號為必填項序列為{0} Serial Number Series,序列號系列 Serial number {0} entered more than once,序號{0}多次輸入 "Serialized Item {0} cannot be updated \ - using Stock Reconciliation",序列化的項目{0}使用庫存對賬不能更新\ \ ñ + using Stock Reconciliation","序列化的項目{0}不能更新\ +使用股票對賬" Series,系列 Series List for this Transaction,系列對表本交易 Series Updated,系列更新 @@ -2565,15 +2694,18 @@ Series is mandatory,系列是強制性的 Series {0} already used in {1},系列{0}已經被應用在{1} Service,服務 Service Address,服務地址 +Service Tax,服務稅 Services,服務 Set,集 "Set Default Values like Company, Currency, Current Fiscal Year, etc.",像公司,貨幣,當前財政年度,等設置默認值 Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,設置這個領地項目組間的預算。您還可以包括季節性通過設置分發。 +Set Status as Available,設置狀態為可用 Set as Default,設置為默認 Set as Lost,設為失落 Set prefix for numbering series on your transactions,為你的交易編號序列設置的前綴 Set targets Item Group-wise for this Sales Person.,設定目標項目組間的這種銷售人員。 Setting Account Type helps in selecting this Account in transactions.,設置帳戶類型有助於在交易中選擇該帳戶。 +Setting this Address Template as default as there is no other default,設置此地址模板為默認,因為沒有其他的默認 Setting up...,設置... Settings,設置 Settings for HR Module,設定人力資源模塊 @@ -2581,6 +2713,7 @@ Settings for HR Module,設定人力資源模塊 Setup,設置 Setup Already Complete!!,安裝已經完成! Setup Complete,安裝完成 +Setup SMS gateway settings,設置短信網關設置 Setup Series,設置系列 Setup Wizard,設置嚮導 Setup incoming server for jobs email id. (e.g. jobs@example.com),設置接收服務器的工作電子郵件ID 。 (例如jobs@example.com ) @@ -2606,6 +2739,7 @@ Short biography for website and other publications.,短的傳記的網站和其 Show In Website,顯示在網站 Show a slideshow at the top of the page,顯示幻燈片在頁面頂部 Show in Website,顯示在網站 +Show rows with zero values,秀行與零值 Show this slideshow at the top of the page,這顯示在幻燈片頁面頂部 Sick Leave,病假 Signature,簽名 @@ -2635,9 +2769,9 @@ Specifications,產品規格 "Specify the operations, operating cost and give a unique Operation no to your operations.",與全球默認值 Split Delivery Note into packages.,分裂送貨單成包。 Sports,體育 +Sr,SR Standard,標準 Standard Buying,標準採購 -Standard Rate,標準房價 Standard Reports,標準報告 Standard Selling,標準銷售 Standard contract terms for Sales or Purchase.,標準合同條款的銷售或採購。 @@ -2646,6 +2780,7 @@ Start Date,開始日期 Start date of current invoice's period,啟動電流發票的日期內 Start date should be less than end date for Item {0},開始日期必須小於結束日期項目{0} State,態 +Statement of Account,帳戶聲明 Static Parameters,靜態參數 Status,狀態 Status must be one of {0},狀態必須是一個{0} @@ -2687,6 +2822,7 @@ Stock Value Difference,股票價值差異 Stock balances updated,庫存餘額更新 Stock cannot be updated against Delivery Note {0},股票不能對送貨單更新的{0} Stock entries exist against warehouse {0} cannot re-assign or modify 'Master Name',Stock條目對倉庫存在{0}不能重新分配或修改'師父名稱' +Stock transactions before {0} are frozen,前{0}股票交易被凍結 Stop,停止 Stop Birthday Reminders,停止生日提醒 Stop Material Request,停止材料要求 @@ -2706,13 +2842,13 @@ Submit this Production Order for further processing.,提交此生產訂單進行 Submitted,提交 Subsidiary,副 Successful: ,成功: -Successfully allocated,成功分配 +Successfully Reconciled,不甘心成功 Suggestions,建議 Sunday,星期天 Supplier,提供者 Supplier (Payable) Account,供應商(應付)帳 Supplier (vendor) name as entered in supplier master,供應商(供應商)的名稱在供應商主進入 -Supplier Account,供應商帳戶 +Supplier > Supplier Type,供應商>供應商類型 Supplier Account Head,供應商帳戶頭 Supplier Address,供應商地址 Supplier Addresses and Contacts,供應商的地址和聯繫方式 @@ -2750,6 +2886,12 @@ Sync with Google Drive,同步與谷歌驅動器 System,系統 System Settings,系統設置 "System User (login) ID. If set, it will become default for all HR forms.",系統用戶(登錄)的標識。如果設置,這將成為默認的所有人力資源的形式。 +TDS (Advertisement),TDS(廣告) +TDS (Commission),TDS(委員會) +TDS (Contractor),TDS(承包商) +TDS (Interest),TDS(利息) +TDS (Rent),TDS(租) +TDS (Salary),TDS(薪金) Target Amount,目標金額 Target Detail,目標詳細信息 Target Details,目標詳細信息 @@ -2770,10 +2912,12 @@ Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are no Tax Rate,稅率 Tax and other salary deductions.,稅務及其他薪金中扣除。 "Tax detail table fetched from item master as a string and stored in this field. -Used for Taxes and Charges",稅表的細節從項目主作為一個字符串,並存儲在此字段中取出。 \ n已使用的稅費和費用 +Used for Taxes and Charges","從項目主稅的細節表讀取為字符串,並存儲在這個領域。 +用於稅收和收費" Tax template for buying transactions.,稅務模板購買交易。 Tax template for selling transactions.,稅務模板賣出的交易。 Taxable,應課稅 +Taxes,稅 Taxes and Charges,稅收和收費 Taxes and Charges Added,稅費上架 Taxes and Charges Added (Company Currency),稅收和收費上架(公司貨幣) @@ -2786,6 +2930,7 @@ Technology,技術 Telecommunications,電信 Telephone Expenses,電話費 Television,電視 +Template,模板 Template for performance appraisals.,模板的績效考核。 Template of terms or contract.,模板條款或合同。 Temporary Accounts (Assets),臨時賬戶(資產) @@ -2815,7 +2960,8 @@ The First User: You,第一個用戶:您 The Organization,本組織 "The account head under Liability, in which Profit/Loss will be booked",根據責任賬號頭,其中利潤/虧損將被黃牌警告 "The date on which next invoice will be generated. It is generated on submit. -",在其旁邊的發票將生成的日期。 +","在這接下來的發票將生成的日期。它是在提交生成的。 +" The date on which recurring invoice will be stop,在其經常性發票將被停止日期 "The day of the month on which auto invoice will be generated e.g. 05, 28 etc ",這個月的日子,汽車發票將會產生如05,28等 The day(s) on which you are applying for leave are holiday. You need not apply for leave.,在天在你申請許可的假期。你不需要申請許可。 @@ -2827,6 +2973,7 @@ The net weight of this package. (calculated automatically as sum of net weight o The new BOM after replacement,更換後的新物料清單 The rate at which Bill Currency is converted into company's base currency,在該條例草案的貨幣轉換成公司的基礎貨幣的比率 The unique id for tracking all recurring invoices. It is generated on submit.,唯一ID來跟踪所有的經常性發票。它是在提交生成的。 +"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.",然後定價規則將被過濾掉基於客戶,客戶組,領地,供應商,供應商類型,活動,銷售合作夥伴等。 There are more holidays than working days this month.,還有比這個月工作日更多的假期。 "There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",只能有一個運輸規則條件為0或空值“ To值” There is not enough leave balance for Leave Type {0},沒有足夠的餘額休假請假類型{0} @@ -2838,6 +2985,7 @@ This Leave Application is pending approval. Only the Leave Apporver can update s This Time Log Batch has been billed.,此時日誌批量一直標榜。 This Time Log Batch has been cancelled.,此時日誌批次已被取消。 This Time Log conflicts with {0},這個時間日誌與衝突{0} +This format is used if country specific format is not found,此格式用於如果找不到特定國家的格式 This is a root account and cannot be edited.,這是一個root帳戶,不能被編輯。 This is a root customer group and cannot be edited.,ERPNext是一個開源的基於Web的ERP系統通過網絡注技術私人有限公司向提供集成的工具,在一個小的組織管理大多數進程。有關Web註釋,或購買託管楝更多信息,請訪問 This is a root item group and cannot be edited.,請先輸入項目 @@ -2853,7 +3001,9 @@ Time Log Batch,時間日誌批 Time Log Batch Detail,時間日誌批量詳情 Time Log Batch Details,時間日誌批量詳情 Time Log Batch {0} must be 'Submitted',時間日誌批量{0}必須是'提交' +Time Log Status must be Submitted.,時間日誌狀態必須被提交。 Time Log for tasks.,時間日誌中的任務。 +Time Log is not billable,時間日誌是不計費 Time Log {0} must be 'Submitted',時間日誌{0}必須是'提交' Time Zone,時區 Time Zones,時區 @@ -2866,6 +3016,7 @@ To,至 To Currency,以貨幣 To Date,至今 To Date should be same as From Date for Half Day leave,日期應該是一樣的起始日期為半天假 +To Date should be within the Fiscal Year. Assuming To Date = {0},日期應該是在財政年度內。假設終止日期= {0} To Discuss,為了討論 To Do List,待辦事項列表 To Package No.,以包號 @@ -2875,8 +3026,8 @@ To Value,To值 To Warehouse,到倉庫 "To add child nodes, explore tree and click on the node under which you want to add more nodes.",要添加子節點,探索樹,然後單擊要在其中添加更多節點的節點上。 "To assign this issue, use the ""Assign"" button in the sidebar.",要分配這個問題,請使用“分配”按鈕,在側邊欄。 -To create a Bank Account:,要創建一個銀行帳號: -To create a Tax Account:,要創建一個納稅帳戶: +To create a Bank Account,要創建一個銀行帳戶 +To create a Tax Account,要創建一個納稅帳戶 "To create an Account Head under a different company, select the company and save customer.",要創建一個帳戶頭在不同的公司,選擇該公司,並保存客戶。 To date cannot be before from date,無效的主名稱 To enable Point of Sale features,為了使銷售點功能 @@ -2884,22 +3035,23 @@ To enable Point of Sale view,為了使銷售點看法 To get Item Group in details table,為了讓項目組在詳細信息表 "To include tax in row {0} in Item rate, taxes in rows {1} must also be included",要包括稅款,行{0}項率,稅收行{1}也必須包括在內 "To merge, following properties must be same for both items",若要合併,以下屬性必須為這兩個項目是相同的 -"To report an issue, go to ",要報告問題,請至 +"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.",要在一個特定的交易不適用於定價規則,所有適用的定價規則應該被禁用。 "To set this Fiscal Year as Default, click on 'Set as Default'",要設置這個財政年度為默認值,點擊“設為默認” To track any installation or commissioning related work after sales,跟踪銷售後的任何安裝或調試相關工作 "To track brand name in the following documents Delivery Note, Opportunity, Material Request, Item, Purchase Order, Purchase Voucher, Purchaser Receipt, Quotation, Sales Invoice, Sales BOM, Sales Order, Serial No",在以下文件送貨單,機遇,材質要求,項目,採購訂單,購買憑證,買方收據,報價單,銷售發票,銷售物料,銷售訂單,序列號跟踪品牌 To track item in sales and purchase documents based on their serial nos. This is can also used to track warranty details of the product.,在基於其序列號的銷售和採購文件跟踪的項目。這也可以用來跟踪商品的保修細節。 To track items in sales and purchase documents with batch nos
Preferred Industry: Chemicals etc,為了跟踪與批次號在銷售和採購文件的項目
首選行業:化工等 To track items using barcode. You will be able to enter items in Delivery Note and Sales Invoice by scanning barcode of item.,要使用條形碼跟踪項目。您將能夠通過掃描物品條碼,進入交貨單和銷售發票的項目。 +Too many columns. Export the report and print it using a spreadsheet application.,太多的列。導出報表,並使用電子表格應用程序進行打印。 Tools,工具 Total,總 +Total ({0}),總計({0}) Total Advance,總墊款 -Total Allocated Amount,合計分配金額 -Total Allocated Amount can not be greater than unmatched amount,合計分配的金額不能大於無與倫比的金額 Total Amount,總金額 Total Amount To Pay,支付總計 Total Amount in Words,總金額詞 Total Billing This Year: ,總帳單今年: +Total Characters,總字符 Total Claimed Amount,總索賠額 Total Commission,總委員會 Total Cost,總成本 @@ -2923,14 +3075,13 @@ Total Score (Out of 5),總分(滿分5分) Total Tax (Company Currency),總稅(公司貨幣) Total Taxes and Charges,總營業稅金及費用 Total Taxes and Charges (Company Currency),總稅費和費用(公司貨幣) -Total Words,總字數 -Total Working Days In The Month,總工作日的月份 Total allocated percentage for sales team should be 100,對於銷售團隊總分配比例應為100 Total amount of invoices received from suppliers during the digest period,的過程中消化期間向供應商收取的發票總金額 Total amount of invoices sent to the customer during the digest period,的過程中消化期間發送給客戶的發票總金額 Total cannot be zero,總不能為零 Total in words,總字 Total points for all goals should be 100. It is {0},總積分為所有的目標應該是100 ,這是{0} +Total valuation for manufactured or repacked item(s) can not be less than total valuation of raw materials,總估價為製造或重新打包項目(S)不能小於原料的總估值 Total weightage assigned should be 100%. It is {0},分配的總權重應為100 % 。這是{0} Totals,總計 Track Leads by Industry Type.,軌道信息通過行業類型。 @@ -2966,7 +3117,7 @@ UOM Conversion Details,計量單位換算詳情 UOM Conversion Factor,計量單位換算係數 UOM Conversion factor is required in row {0},計量單位換算係數是必需的行{0} UOM Name,計量單位名稱 -UOM coversion factor required for UOM {0} in Item {1},所需的計量單位計量單位:丁文因素{0}項{1} +UOM coversion factor required for UOM: {0} in Item: {1},所需的計量單位計量單位:丁文因素:{0}項:{1} Under AMC,在AMC Under Graduate,根據研究生 Under Warranty,在保修期 @@ -2976,8 +3127,8 @@ Unit of Measure {0} has been entered more than once in Conversion Factor Table, "Unit of measurement of this item (e.g. Kg, Unit, No, Pair).",這資料(如公斤,單位,不,一對)的測量單位。 Units/Hour,單位/小時 Units/Shifts,單位/位移 -Unmatched Amount,無與倫比的金額 Unpaid,未付 +Unreconciled Payment Details,不甘心付款方式 Unscheduled,計劃外 Unsecured Loans,無抵押貸款 Unstop,Unstop @@ -2992,7 +3143,6 @@ Update Landed Cost,更新到岸成本 Update Series,更新系列 Update Series Number,更新序列號 Update Stock,庫存更新 -"Update allocated amount in the above table and then click ""Allocate"" button",更新量分配在上表中,然後單擊“分配”按鈕 Update bank payment dates with journals.,更新與期刊銀行付款日期。 Update clearance date of Journal Entries marked as 'Bank Vouchers',你不能同時輸入送貨單號及銷售發票編號請輸入任何一個。 Updated,更新 @@ -3009,6 +3159,7 @@ Upper Income,高收入 Urgent,急 Use Multi-Level BOM,採用多級物料清單 Use SSL,使用SSL +Used for Production Plan,用於生產計劃 User,用戶 User ID,用戶ID User ID not set for Employee {0},用戶ID不為員工設置{0} @@ -3047,9 +3198,9 @@ View Now,立即觀看 Visit report for maintenance call.,訪問報告維修電話。 Voucher #,# ## #,## Voucher Detail No,券詳細說明暫無 +Voucher Detail Number,憑單詳細人數 Voucher ID,優惠券編號 Voucher No,無憑證 -Voucher No is not valid,無憑證無效 Voucher Type,憑證類型 Voucher Type and Date,憑證類型和日期 Walk In,走在 @@ -3065,11 +3216,12 @@ Warehouse is mandatory for stock Item {0} in row {1},倉庫是強制性的股票 Warehouse is missing in Purchase Order,倉庫在採購訂單失踪 Warehouse not found in the system,倉庫系統中未找到 Warehouse required for stock Item {0},需要現貨產品倉庫{0} -Warehouse required in POS Setting,在POS機需要設置倉庫 Warehouse where you are maintaining stock of rejected items,倉庫你在哪裡維護拒絕的項目庫存 Warehouse {0} can not be deleted as quantity exists for Item {1},倉庫{0} ,從量存在項目不能被刪除{1} Warehouse {0} does not belong to company {1},倉庫{0}不屬於公司{1} Warehouse {0} does not exist,倉庫{0}不存在 +Warehouse {0}: Company is mandatory,倉庫{0}:公司是強制性的 +Warehouse {0}: Parent account {1} does not bolong to the company {2},倉庫{0}:家長帳戶{1}不博隆該公司{2} Warehouse-Wise Stock Balance,倉庫明智的股票結餘 Warehouse-wise Item Reorder,倉庫明智的項目重新排序 Warehouses,倉庫 @@ -3114,13 +3266,14 @@ Will be updated when batched.,批處理時將被更新。 Will be updated when billed.,計費時將被更新。 Wire Transfer,電匯 With Operations,隨著運營 -With period closing entry,隨著期末入門 +With Period Closing Entry,隨著時間截止報名 Work Details,作品詳細信息 Work Done,工作完成 Work In Progress,工作進展 Work-in-Progress Warehouse,工作在建倉庫 Work-in-Progress Warehouse is required before Submit,工作在進展倉庫提交之前,需要 Working,工作的 +Working Days,个工作日内 Workstation,工作站 Workstation Name,工作站名稱 Write Off Account,核銷帳戶 @@ -3136,9 +3289,6 @@ Year Closed,年度關閉 Year End Date,年結日 Year Name,今年名稱 Year Start Date,今年開始日期 -Year Start Date and Year End Date are already set in Fiscal Year {0},年開學日期及年結日已在會計年度設置{0} -Year Start Date and Year End Date are not within Fiscal Year.,今年開始日期和年份結束日期是不是在會計年度。 -Year Start Date should not be greater than Year End Date,今年開始日期不應大於年度日期 Year of Passing,路過的一年 Yearly,每年 Yes,是的 @@ -3148,7 +3298,6 @@ You are the Expense Approver for this record. Please Update the 'Status' and Sav You are the Leave Approver for this record. Please Update the 'Status' and Save,您是第休假審批此記錄。請更新“狀態”並保存 You can enter any date manually,您可以手動輸入任何日期 You can enter the minimum quantity of this item to be ordered.,您可以輸入資料到訂購的最小數量。 -You can not assign itself as parent account,你不能將自己作為父母的帳戶 You can not change rate if BOM mentioned agianst any item,你不能改變速度,如果BOM中提到反對的任何項目 You can not enter both Delivery Note No and Sales Invoice No. Please enter any one.,請輸入倉庫的材料要求將提高 You can not enter current voucher in 'Against Journal Voucher' column,“反對日記帳憑證”列中您不能輸入電流券 @@ -3160,7 +3309,6 @@ You cannot credit and debit same account at the same time,你無法信用卡和 You have entered duplicate items. Please rectify and try again.,您輸入重複的項目。請糾正,然後再試一次。 You may need to update: {0},你可能需要更新: {0} You must Save the form before proceeding,在繼續之前,您必須保存表單 -You must allocate amount before reconcile,調和之前,你必須分配金額 Your Customer's TAX registration numbers (if applicable) or any general information,你的客戶的稅務登記證號碼(如適用)或任何股東信息 Your Customers,您的客戶 Your Login Id,您的登錄ID @@ -3173,11 +3321,13 @@ Your sales person who will contact the customer in future,你的銷售人員誰 Your sales person will get a reminder on this date to contact the customer,您的銷售人員將獲得在此日期提醒聯繫客戶 Your setup is complete. Refreshing...,你的設置就完成了。清爽... Your support email id - must be a valid email - this is where your emails will come!,您的支持電子郵件ID - 必須是一個有效的電子郵件 - 這就是你的郵件會來! +[Error],[錯誤] [Select],[選擇] `Freeze Stocks Older Than` should be smaller than %d days.,`凍結股票早於`應該是%d天前小。 and,和 are not allowed.,項目組樹 assigned by,由分配 +cannot be greater than 100,不能大於100 "e.g. ""Build tools for builders""",例如「建設建設者工具“ "e.g. ""MC""",例如“MC” "e.g. ""My Company LLC""",例如“我的公司有限責任公司” @@ -3190,32 +3340,34 @@ example: Next Day Shipping,例如:次日發貨 lft,LFT old_parent,old_parent rgt,RGT +subject,主題 +to,至 website page link,網站頁面的鏈接 {0} '{1}' not in Fiscal Year {2},{0}“ {1}”不財政年度{2} {0} Credit limit {0} crossed,{0}信貸限額{0}劃線 {0} Serial Numbers required for Item {0}. Only {0} provided.,{0}所需的物品序列號{0} 。只有{0}提供。 {0} budget for Account {1} against Cost Center {2} will exceed by {3},{0}預算帳戶{1}對成本中心{2}將超過{3} +{0} can not be negative,{0}不能為負 {0} created,{0}創建 {0} does not belong to Company {1},{0}不屬於公司{1} {0} entered twice in Item Tax,{0}輸入兩次項稅 {0} is an invalid email address in 'Notification Email Address',{0}是在“通知電子郵件地址”無效的電子郵件地址 {0} is mandatory,{0}是強制性的 {0} is mandatory for Item {1},{0}是強制性的項目{1} +{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0}是強制性的。也許外幣兌換記錄為{1}到{2}尚未建立。 {0} is not a stock Item,{0}不是一個缺貨登記 {0} is not a valid Batch Number for Item {1},{0}不是對項目的有效批號{1} -{0} is not a valid Leave Approver,{0}不是有效的請假審批 +{0} is not a valid Leave Approver. Removing row #{1}.,{0}不是有效的請假審批。刪除行#{1}。 {0} is not a valid email id,{0}不是一個有效的電子郵件ID {0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0}現在是默認的財政年度。請刷新您的瀏覽器,以使更改生效。 {0} is required,{0}是必需的 {0} must be a Purchased or Sub-Contracted Item in row {1},{0}必須是購買或分包項目中列{1} -{0} must be less than or equal to {1},{0}必須小於或等於{1} +{0} must be reduced by {1} or you should increase overflow tolerance,{0}必須通過{1}會減少或應增加溢出寬容 {0} must have role 'Leave Approver',{0}必須有角色“請假審批” {0} valid serial nos for Item {1},{0}有效的序列號的項目{1} {0} {1} against Bill {2} dated {3},{0} {1}反對比爾{2}於{3} {0} {1} against Invoice {2},{0} {1}對發票{2} {0} {1} has already been submitted,{0} {1}已經提交 -{0} {1} has been modified. Please Refresh,{0} {1}已被修改。請刷新 -{0} {1} has been modified. Please refresh,{0} {1}已被修改。請刷新 {0} {1} has been modified. Please refresh.,{0} {1}已被修改。請刷新。 {0} {1} is not submitted,{0} {1}未提交 {0} {1} must be submitted,{0} {1}必須提交 @@ -3223,3 +3375,5 @@ website page link,網站頁面的鏈接 {0} {1} status is 'Stopped',{0} {1}狀態為“停止” {0} {1} status is Stopped,{0} {1}狀態為stopped {0} {1} status is Unstopped,{0} {1}狀態為開通 +{0} {1}: Cost Center is mandatory for Item {2},{0} {1}:成本中心是強制性的項目{2} +{0}: {1} not found in Invoice Details table,{0}:{1}不是在發票明細表中找到 From 6c608e04bce0e7a0640e1d6b1ce0001641f2f7d3 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Fri, 1 Aug 2014 16:04:35 +0530 Subject: [PATCH 446/630] Fixes #699 - Cost Center mandatory --- .../doctype/sales_invoice_item/sales_invoice_item.json | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/erpnext/accounts/doctype/sales_invoice_item/sales_invoice_item.json b/erpnext/accounts/doctype/sales_invoice_item/sales_invoice_item.json index 82d3a7dffe..14bd47bf8a 100644 --- a/erpnext/accounts/doctype/sales_invoice_item/sales_invoice_item.json +++ b/erpnext/accounts/doctype/sales_invoice_item/sales_invoice_item.json @@ -263,7 +263,7 @@ "print_hide": 1, "print_width": "120px", "read_only": 0, - "reqd": 0, + "reqd": 1, "width": "120px" }, { @@ -448,7 +448,7 @@ ], "idx": 1, "istable": 1, - "modified": "2014-07-24 05:53:05.889457", + "modified": "2014-08-01 06:14:28.707601", "modified_by": "Administrator", "module": "Accounts", "name": "Sales Invoice Item", From 8c838061f96f98cba1877547a72fa92ee7235079 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Fri, 1 Aug 2014 16:13:44 +0530 Subject: [PATCH 447/630] [minor] Check account read permission for get_balance_on --- erpnext/accounts/utils.py | 7 ++----- 1 file changed, 2 insertions(+), 5 deletions(-) diff --git a/erpnext/accounts/utils.py b/erpnext/accounts/utils.py index 25a8adfca1..5f364e32a2 100644 --- a/erpnext/accounts/utils.py +++ b/erpnext/accounts/utils.py @@ -45,11 +45,8 @@ def get_balance_on(account=None, date=None): account = frappe.form_dict.get("account") date = frappe.form_dict.get("date") - acc = frappe.db.get_value('Account', account, \ - ['lft', 'rgt', 'report_type', 'group_or_ledger'], as_dict=1) - - if not acc: - frappe.throw(_("Account {0} does not exist").format(account), frappe.DoesNotExistError) + acc = frappe.get_doc("Account", account) + acc.check_permission("read") cond = [] if date: From e88b7fbcc4d73cd5e74b81d2c75216bf1e5398d9 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Fri, 1 Aug 2014 16:56:25 +0530 Subject: [PATCH 448/630] Journal Voucher Detail: show Account Balance as Dr or Cr. Fixes #675 --- .../doctype/journal_voucher/journal_voucher.js | 14 +++++++++++++- 1 file changed, 13 insertions(+), 1 deletion(-) diff --git a/erpnext/accounts/doctype/journal_voucher/journal_voucher.js b/erpnext/accounts/doctype/journal_voucher/journal_voucher.js index ccd5acee5c..9174873406 100644 --- a/erpnext/accounts/doctype/journal_voucher/journal_voucher.js +++ b/erpnext/accounts/doctype/journal_voucher/journal_voucher.js @@ -7,6 +7,7 @@ erpnext.accounts.JournalVoucher = frappe.ui.form.Controller.extend({ onload: function() { this.load_defaults(); this.setup_queries(); + this.setup_balance_formatter(); }, onload_post_render: function() { @@ -66,6 +67,18 @@ erpnext.accounts.JournalVoucher = frappe.ui.form.Controller.extend({ }); }, + setup_balance_formatter: function() { + var df = frappe.meta.get_docfield("Journal Voucher Detail", "balance", this.frm.doc.name); + df.formatter = function(value, df, options, doc) { + var currency = frappe.meta.get_field_currency(df, doc); + var dr_or_cr = value ? ('') : ""; + return "
" + + ((value==null || value==="") ? "" : format_currency(Math.abs(value), currency)) + + " " + dr_or_cr + + "
"; + } + }, + against_voucher: function(doc, cdt, cdn) { var d = frappe.get_doc(cdt, cdn); if (d.against_voucher && !flt(d.debit)) { @@ -108,7 +121,6 @@ erpnext.accounts.JournalVoucher = frappe.ui.form.Controller.extend({ } }); } - }); cur_frm.script_manager.make(erpnext.accounts.JournalVoucher); From 1279f1d4303894837ebbb1ab5a8db4aa6027b631 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Mon, 4 Aug 2014 13:04:50 +0530 Subject: [PATCH 449/630] Fixes for customer / supplier renaming --- erpnext/accounts/utils.py | 34 +++++++++++-------- erpnext/buying/doctype/supplier/supplier.py | 2 +- erpnext/selling/doctype/customer/customer.py | 2 +- .../doctype/customer_issue/customer_issue.py | 6 +--- 4 files changed, 23 insertions(+), 21 deletions(-) diff --git a/erpnext/accounts/utils.py b/erpnext/accounts/utils.py index 25a8adfca1..5062578b61 100644 --- a/erpnext/accounts/utils.py +++ b/erpnext/accounts/utils.py @@ -325,32 +325,38 @@ def get_actual_expense(args): and fiscal_year='%(fiscal_year)s' and company='%(company)s' %(condition)s """ % (args))[0][0] -def rename_account_for(dt, olddn, newdn, merge, company): - old_account = get_account_for(dt, olddn) - if old_account: - new_account = None - if not merge: - if old_account == add_abbr_if_missing(olddn, company): - new_account = frappe.rename_doc("Account", old_account, newdn) - else: - existing_new_account = get_account_for(dt, newdn) - new_account = frappe.rename_doc("Account", old_account, - existing_new_account or newdn, merge=True if existing_new_account else False) +def rename_account_for(dt, olddn, newdn, merge, company=None): + if not company: + companies = [d[0] for d in frappe.db.sql("select name from tabCompany")] + else: + companies = [company] - frappe.db.set_value("Account", new_account or old_account, "master_name", newdn) + for company in companies: + old_account = get_account_for(dt, olddn, company) + if old_account: + new_account = None + if not merge: + if old_account == add_abbr_if_missing(olddn, company): + new_account = frappe.rename_doc("Account", old_account, newdn) + else: + existing_new_account = get_account_for(dt, newdn, company) + new_account = frappe.rename_doc("Account", old_account, + existing_new_account or newdn, merge=True if existing_new_account else False) + + frappe.db.set_value("Account", new_account or old_account, "master_name", newdn) def add_abbr_if_missing(dn, company): from erpnext.setup.doctype.company.company import get_name_with_abbr return get_name_with_abbr(dn, company) -def get_account_for(account_for_doctype, account_for): +def get_account_for(account_for_doctype, account_for, company): if account_for_doctype in ["Customer", "Supplier"]: account_for_field = "master_type" elif account_for_doctype == "Warehouse": account_for_field = "account_type" return frappe.db.get_value("Account", {account_for_field: account_for_doctype, - "master_name": account_for}) + "master_name": account_for, "company": company}) def get_currency_precision(currency=None): if not currency: diff --git a/erpnext/buying/doctype/supplier/supplier.py b/erpnext/buying/doctype/supplier/supplier.py index 6828845690..240762eb2c 100644 --- a/erpnext/buying/doctype/supplier/supplier.py +++ b/erpnext/buying/doctype/supplier/supplier.py @@ -88,7 +88,7 @@ class Supplier(TransactionBase): def before_rename(self, olddn, newdn, merge=False): from erpnext.accounts.utils import rename_account_for - rename_account_for("Supplier", olddn, newdn, merge, self.company) + rename_account_for("Supplier", olddn, newdn, merge) def after_rename(self, olddn, newdn, merge=False): set_field = '' diff --git a/erpnext/selling/doctype/customer/customer.py b/erpnext/selling/doctype/customer/customer.py index c065b54dbb..362542e55a 100644 --- a/erpnext/selling/doctype/customer/customer.py +++ b/erpnext/selling/doctype/customer/customer.py @@ -121,7 +121,7 @@ class Customer(TransactionBase): def before_rename(self, olddn, newdn, merge=False): from erpnext.accounts.utils import rename_account_for - rename_account_for("Customer", olddn, newdn, merge, self.company) + rename_account_for("Customer", olddn, newdn, merge) def after_rename(self, olddn, newdn, merge=False): set_field = '' diff --git a/erpnext/support/doctype/customer_issue/customer_issue.py b/erpnext/support/doctype/customer_issue/customer_issue.py index 6f368a8b04..45adb0b8d2 100644 --- a/erpnext/support/doctype/customer_issue/customer_issue.py +++ b/erpnext/support/doctype/customer_issue/customer_issue.py @@ -52,11 +52,7 @@ def make_maintenance_visit(source_name, target_doc=None): target_doc = get_mapped_doc("Customer Issue", source_name, { "Customer Issue": { "doctype": "Maintenance Visit", - "field_map": { - "complaint": "description", - "doctype": "prevdoc_doctype", - "name": "prevdoc_docname" - } + "field_map": {} } }, target_doc) From 4d18b3f96d7684b1c6bc307b741702f9adf4f0bc Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Mon, 4 Aug 2014 17:01:01 +0530 Subject: [PATCH 450/630] Fixes for standard print formats --- erpnext/templates/print_formats/includes/item_grid.html | 4 ++-- erpnext/templates/print_formats/includes/taxes.html | 4 ++-- 2 files changed, 4 insertions(+), 4 deletions(-) diff --git a/erpnext/templates/print_formats/includes/item_grid.html b/erpnext/templates/print_formats/includes/item_grid.html index 3cc3034f3a..d6ab347c92 100644 --- a/erpnext/templates/print_formats/includes/item_grid.html +++ b/erpnext/templates/print_formats/includes/item_grid.html @@ -22,12 +22,12 @@ {%- endif %} {% if (not row.meta.is_print_hide("item_name") and (row.meta.is_print_hide("item_code") or row.item_code != row.item_name)) -%} -
{{ row.item_name }}
+
{{ row.get_formatted("item_name",as_html=True) }}
{%- endif %} {% if (not row.meta.is_print_hide("description") and row.description and ((row.meta.is_print_hide("item_code") and row.meta.is_print_hide("item_name")) or not (row.item_code == row.item_name == row.description))) -%} -

{{ row.description }}

+

{{ row.get_formatted("description", as_html=True) }}

{%- endif %} {%- for field in visible_columns -%} {%- if (field.fieldname not in std_fields) and diff --git a/erpnext/templates/print_formats/includes/taxes.html b/erpnext/templates/print_formats/includes/taxes.html index 5d9aaace7f..50f9d86a38 100644 --- a/erpnext/templates/print_formats/includes/taxes.html +++ b/erpnext/templates/print_formats/includes/taxes.html @@ -5,10 +5,10 @@ {%- if not charge.included_in_print_rate -%}
-
+
{{ frappe.format_value(charge.tax_amount / doc.conversion_rate, - table_meta.get_field("tax_amount"), doc) }} + table_meta.get_field("tax_amount"), doc, currency=doc.currency) }}
{%- endif -%} From 1271bc445728082e390173a38a2e2e9f976d0802 Mon Sep 17 00:00:00 2001 From: Pratik Vyas Date: Tue, 5 Aug 2014 06:54:11 +0530 Subject: [PATCH 451/630] [hotfix] [patch] remove missing patch --- erpnext/patches.txt | 1 - 1 file changed, 1 deletion(-) diff --git a/erpnext/patches.txt b/erpnext/patches.txt index 275e600d70..7fc858dee7 100644 --- a/erpnext/patches.txt +++ b/erpnext/patches.txt @@ -17,7 +17,6 @@ execute:frappe.reload_doc('accounts', 'doctype', 'purchase_invoice') # 2014-01-2 execute:frappe.reload_doc('buying', 'doctype', 'purchase_order') # 2014-01-29 execute:frappe.reload_doc('buying', 'doctype', 'supplier_quotation') # 2014-01-29 execute:frappe.reload_doc('stock', 'doctype', 'purchase_receipt') # 2014-01-29 -erpnext.patches.v4_0.reload_purchase_print_format execute:frappe.reload_doc('accounts', 'doctype', 'pos_setting') # 2014-01-29 execute:frappe.reload_doc('selling', 'doctype', 'customer') # 2014-01-29 execute:frappe.reload_doc('buying', 'doctype', 'supplier') # 2014-01-29 From 2b8344e75c9bf6b11e2d10e0e06b12bbe8ccffdf Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Tue, 5 Aug 2014 11:30:37 +0530 Subject: [PATCH 452/630] [print] [fix] when item grid is empty --- erpnext/templates/print_formats/includes/item_grid.html | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/erpnext/templates/print_formats/includes/item_grid.html b/erpnext/templates/print_formats/includes/item_grid.html index d6ab347c92..a51339c516 100644 --- a/erpnext/templates/print_formats/includes/item_grid.html +++ b/erpnext/templates/print_formats/includes/item_grid.html @@ -1,8 +1,8 @@ {%- from "templates/print_formats/standard_macros.html" import print_value -%} {%- set std_fields = ("item_code", "item_name", "description", "qty", "rate", "amount", "stock_uom", "uom") -%} {%- set visible_columns = get_visible_columns(doc.get(df.fieldname), table_meta) -%} -{%- set hide_rate = data[0].meta.is_print_hide("rate") -%} -{%- set hide_amount = data[0].meta.is_print_hide("amount") -%} +{%- set hide_rate = data[0].meta.is_print_hide("rate") if len(data) else False-%} +{%- set hide_amount = data[0].meta.is_print_hide("amount") if len(data) else False-%}

{{ _("Sr") }} {{ _("Item") }} {{ _("Qty") }}{{ _("Rate") }}{{ _("Amount") }}{{ _("Rate") }}{{ _("Amount") }}
{{ row.get_formatted("qty", doc) }}
{{ row.uom or row.stock_uom }}
{{ - row.get_formatted("rate", doc) }}{{ - row.get_formatted("amount", doc) }}{{ row.get_formatted("rate", doc) }}{{ row.get_formatted("amount", doc) }}
From 8d16e9fd6d262cc2ffdd367e0c84d6a3ae0681eb Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Tue, 5 Aug 2014 11:39:51 +0530 Subject: [PATCH 453/630] [print] convert newlines to
based on fieldtype for Text/Small Text --- erpnext/templates/print_formats/includes/item_grid.html | 4 ++-- erpnext/templates/print_formats/includes/taxes.html | 2 +- 2 files changed, 3 insertions(+), 3 deletions(-) diff --git a/erpnext/templates/print_formats/includes/item_grid.html b/erpnext/templates/print_formats/includes/item_grid.html index a51339c516..553d9f84ec 100644 --- a/erpnext/templates/print_formats/includes/item_grid.html +++ b/erpnext/templates/print_formats/includes/item_grid.html @@ -22,12 +22,12 @@ {%- endif %} {% if (not row.meta.is_print_hide("item_name") and (row.meta.is_print_hide("item_code") or row.item_code != row.item_name)) -%} -
{{ row.get_formatted("item_name",as_html=True) }}
+
{{ row.get_formatted("item_name") }}
{%- endif %} {% if (not row.meta.is_print_hide("description") and row.description and ((row.meta.is_print_hide("item_code") and row.meta.is_print_hide("item_name")) or not (row.item_code == row.item_name == row.description))) -%} -

{{ row.get_formatted("description", as_html=True) }}

+

{{ row.get_formatted("description") }}

{%- endif %} {%- for field in visible_columns -%} {%- if (field.fieldname not in std_fields) and diff --git a/erpnext/templates/print_formats/includes/taxes.html b/erpnext/templates/print_formats/includes/taxes.html index 50f9d86a38..bd1e709787 100644 --- a/erpnext/templates/print_formats/includes/taxes.html +++ b/erpnext/templates/print_formats/includes/taxes.html @@ -5,7 +5,7 @@ {%- if not charge.included_in_print_rate -%}
-
+
{{ frappe.format_value(charge.tax_amount / doc.conversion_rate, table_meta.get_field("tax_amount"), doc, currency=doc.currency) }} From f16fefafe359dd679e4110060439f7b32a756984 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Tue, 5 Aug 2014 13:57:29 +0530 Subject: [PATCH 454/630] [print] [fix] empty item grid issue --- erpnext/templates/print_formats/includes/item_grid.html | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/erpnext/templates/print_formats/includes/item_grid.html b/erpnext/templates/print_formats/includes/item_grid.html index 553d9f84ec..1d09f73fec 100644 --- a/erpnext/templates/print_formats/includes/item_grid.html +++ b/erpnext/templates/print_formats/includes/item_grid.html @@ -1,8 +1,8 @@ {%- from "templates/print_formats/standard_macros.html" import print_value -%} {%- set std_fields = ("item_code", "item_name", "description", "qty", "rate", "amount", "stock_uom", "uom") -%} {%- set visible_columns = get_visible_columns(doc.get(df.fieldname), table_meta) -%} -{%- set hide_rate = data[0].meta.is_print_hide("rate") if len(data) else False-%} -{%- set hide_amount = data[0].meta.is_print_hide("amount") if len(data) else False-%} +{%- set hide_rate = data[0].meta.is_print_hide("rate") if data|length else False-%} +{%- set hide_amount = data[0].meta.is_print_hide("amount") if data|length else False-%}
From 959bd6e9e764c637addd02b909ccf80b651b7fff Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Tue, 5 Aug 2014 14:25:06 +0530 Subject: [PATCH 455/630] [test] Block Delivery Note if it is linked to a cancelled Sales Order --- .../doctype/sales_order/test_sales_order.py | 19 +++++++++++++++++++ 1 file changed, 19 insertions(+) diff --git a/erpnext/selling/doctype/sales_order/test_sales_order.py b/erpnext/selling/doctype/sales_order/test_sales_order.py index bae0f28379..128c5774d9 100644 --- a/erpnext/selling/doctype/sales_order/test_sales_order.py +++ b/erpnext/selling/doctype/sales_order/test_sales_order.py @@ -312,6 +312,25 @@ class TestSalesOrder(unittest.TestCase): frappe.permissions.remove_user_permission("Warehouse", "_Test Warehouse 2 - _TC1", "test2@example.com") frappe.permissions.remove_user_permission("Company", "_Test Company 1", "test2@example.com") + def test_block_delivery_note_against_cancelled_sales_order(self): + from erpnext.stock.doctype.delivery_note.test_delivery_note import _insert_purchase_receipt + from erpnext.selling.doctype.sales_order.sales_order import make_delivery_note + + sales_order = frappe.copy_doc(test_records[0]) + sales_order.sales_order_details[0].qty = 5 + sales_order.insert() + sales_order.submit() + + _insert_purchase_receipt(sales_order.get("sales_order_details")[0].item_code) + + delivery_note = make_delivery_note(sales_order.name) + delivery_note.posting_date = sales_order.transaction_date + delivery_note.insert() + + sales_order.cancel() + + self.assertRaises(frappe.CancelledLinkError, delivery_note.submit) + test_dependencies = ["Sales BOM", "Currency Exchange"] test_records = frappe.get_test_records('Sales Order') From 45b7d17ee8dee90dff12150461f5967fc852535e Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Tue, 5 Aug 2014 17:01:35 +0530 Subject: [PATCH 456/630] Employee can be reselected but not changed in salary structure --- .../hr/doctype/salary_structure/salary_structure.js | 2 -- .../hr/doctype/salary_structure/salary_structure.py | 12 +++++++++++- 2 files changed, 11 insertions(+), 3 deletions(-) diff --git a/erpnext/hr/doctype/salary_structure/salary_structure.js b/erpnext/hr/doctype/salary_structure/salary_structure.js index ee42d0cf8b..ddaf88cad7 100644 --- a/erpnext/hr/doctype/salary_structure/salary_structure.js +++ b/erpnext/hr/doctype/salary_structure/salary_structure.js @@ -14,8 +14,6 @@ cur_frm.cscript.refresh = function(doc, dt, dn){ if((!doc.__islocal) && (doc.is_active == 'Yes')){ cur_frm.add_custom_button(__('Make Salary Slip'), cur_frm.cscript['Make Salary Slip']); } - - cur_frm.toggle_enable('employee', doc.__islocal); } cur_frm.cscript['Make Salary Slip'] = function() { diff --git a/erpnext/hr/doctype/salary_structure/salary_structure.py b/erpnext/hr/doctype/salary_structure/salary_structure.py index f3d2eb1184..97935e6ba4 100644 --- a/erpnext/hr/doctype/salary_structure/salary_structure.py +++ b/erpnext/hr/doctype/salary_structure/salary_structure.py @@ -54,18 +54,28 @@ class SalaryStructure(Document): def check_existing(self): ret = frappe.db.sql("""select name from `tabSalary Structure` where is_active = 'Yes' and employee = %s and name!=%s""", (self.employee,self.name)) + if ret and self.is_active=='Yes': - frappe.throw(_("Another Salary Structure {0} is active for employee {0}. Please make its status 'Inactive' to proceed.").format(cstr(ret), self.employee)) + frappe.throw(_("Another Salary Structure {0} is active for employee {1}. Please make its status 'Inactive' to proceed.").format(cstr(ret[0][0]), self.employee)) def validate_amount(self): if flt(self.net_pay) < 0: frappe.throw(_("Net pay cannot be negative")) + def validate_employee(self): + old_employee = frappe.db.get_value("Salary Structure", self.name, "employee") + print old_employee + if old_employee and self.employee != old_employee: + frappe.throw(_("Employee can not be changed")) + + def validate(self): self.check_existing() self.validate_amount() + self.validate_employee() set_employee_name(self) + @frappe.whitelist() def make_salary_slip(source_name, target_doc=None): def postprocess(source, target): From 9f7e00bb3a1bb0f8baf4259ba99bb599cd27df1b Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Tue, 5 Aug 2014 17:02:20 +0530 Subject: [PATCH 457/630] Send salary slip mail after submit via Salary Manager --- erpnext/hr/doctype/salary_manager/salary_manager.py | 7 ++----- 1 file changed, 2 insertions(+), 5 deletions(-) diff --git a/erpnext/hr/doctype/salary_manager/salary_manager.py b/erpnext/hr/doctype/salary_manager/salary_manager.py index 7d962e3c69..61e6f6988d 100644 --- a/erpnext/hr/doctype/salary_manager/salary_manager.py +++ b/erpnext/hr/doctype/salary_manager/salary_manager.py @@ -128,11 +128,8 @@ class SalaryManager(Document): for ss in ss_list: ss_obj = frappe.get_doc("Salary Slip",ss[0]) try: - frappe.db.set(ss_obj, 'email_check', cint(self.send_email)) - if cint(self.send_email) == 1: - ss_obj.send_mail_funct() - - frappe.db.set(ss_obj, 'docstatus', 1) + ss_obj.email_check = self.send_email + ss_obj.submit() except Exception,e: not_submitted_ss.append(ss[0]) frappe.msgprint(e) From fd90571d49700ec2da72a4a4aacbc91355bff8fd Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Wed, 6 Aug 2014 15:47:55 +0530 Subject: [PATCH 458/630] fiscal year validation in financial statement --- erpnext/accounts/report/financial_statements.py | 9 ++++++--- 1 file changed, 6 insertions(+), 3 deletions(-) diff --git a/erpnext/accounts/report/financial_statements.py b/erpnext/accounts/report/financial_statements.py index 30a0fa700e..9978bb44d4 100644 --- a/erpnext/accounts/report/financial_statements.py +++ b/erpnext/accounts/report/financial_statements.py @@ -11,9 +11,12 @@ def get_period_list(fiscal_year, periodicity, from_beginning=False): """Get a list of dict {"to_date": to_date, "key": key, "label": label} Periodicity can be (Yearly, Quarterly, Monthly)""" - start_date, end_date = frappe.db.get_value("Fiscal Year", fiscal_year, ["year_start_date", "year_end_date"]) - start_date = getdate(start_date) - end_date = getdate(end_date) + fy_start_end_date = frappe.db.get_value("Fiscal Year", fiscal_year, ["year_start_date", "year_end_date"]) + if not fy_start_end_date: + frappe.throw(_("Fiscal Year {0} not found.").format(fiscal_year)) + + start_date = getdate(fy_start_end_date[0]) + end_date = getdate(fy_start_end_date[1]) if periodicity == "Yearly": period_list = [_dict({"to_date": end_date, "key": fiscal_year, "label": fiscal_year})] From 7881df21383c13861b313538151fd268de979156 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Wed, 6 Aug 2014 17:29:07 +0530 Subject: [PATCH 459/630] minor fix --- erpnext/hr/doctype/salary_structure/salary_structure.py | 1 - 1 file changed, 1 deletion(-) diff --git a/erpnext/hr/doctype/salary_structure/salary_structure.py b/erpnext/hr/doctype/salary_structure/salary_structure.py index 97935e6ba4..93b0c2645f 100644 --- a/erpnext/hr/doctype/salary_structure/salary_structure.py +++ b/erpnext/hr/doctype/salary_structure/salary_structure.py @@ -64,7 +64,6 @@ class SalaryStructure(Document): def validate_employee(self): old_employee = frappe.db.get_value("Salary Structure", self.name, "employee") - print old_employee if old_employee and self.employee != old_employee: frappe.throw(_("Employee can not be changed")) From 05b56d0d08c73777dbfaff8186ea64ead68431c3 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Thu, 7 Aug 2014 15:03:25 +0530 Subject: [PATCH 460/630] Fix account's master type --- erpnext/patches.txt | 1 + erpnext/patches/v4_2/fix_account_master_type.py | 12 ++++++++++++ 2 files changed, 13 insertions(+) create mode 100644 erpnext/patches/v4_2/fix_account_master_type.py diff --git a/erpnext/patches.txt b/erpnext/patches.txt index 7fc858dee7..1ae0a952a7 100644 --- a/erpnext/patches.txt +++ b/erpnext/patches.txt @@ -73,3 +73,4 @@ execute:frappe.delete_doc("DocType", "Payment to Invoice Matching Tool Detail") execute:frappe.delete_doc("Page", "trial-balance") #2014-07-22 erpnext.patches.v4_2.delete_old_print_formats #2014-07-29 erpnext.patches.v4_2.toggle_rounded_total #2014-07-30 +erpnext.patches.v4_2.fix_account_master_type diff --git a/erpnext/patches/v4_2/fix_account_master_type.py b/erpnext/patches/v4_2/fix_account_master_type.py new file mode 100644 index 0000000000..09fa7891d0 --- /dev/null +++ b/erpnext/patches/v4_2/fix_account_master_type.py @@ -0,0 +1,12 @@ +# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors +# License: GNU General Public License v3. See license.txt + +from __future__ import unicode_literals +import frappe + +def execute(): + for d in frappe.db.sql("""select name from `tabAccount` + where ifnull(master_type, '') not in ('Customer', 'Supplier', 'Employee', '')"""): + ac = frappe.get_doc("Account", d[0]) + ac.master_type = None + ac.save() From 9a0c46fda747de760b8f163d5846fe254039f7a9 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Thu, 7 Aug 2014 15:10:05 +0530 Subject: [PATCH 461/630] Get Stock Rreceived But Not Billed Difference Amount --- erpnext/accounts/utils.py | 27 +++++++++++++++++++++++++++ 1 file changed, 27 insertions(+) diff --git a/erpnext/accounts/utils.py b/erpnext/accounts/utils.py index 0144108a22..7185216417 100644 --- a/erpnext/accounts/utils.py +++ b/erpnext/accounts/utils.py @@ -363,3 +363,30 @@ def get_currency_precision(currency=None): from frappe.utils import get_number_format_info return get_number_format_info(currency_format)[2] + +def get_stock_rbnb_difference(posting_date, company): + stock_items = frappe.db.sql_list("""select distinct item_code + from `tabStock Ledger Entry` where comapny=%s""", company) + + pr_valuation_amount = frappe.db.sql(""" + select sum(ifnull(pr_item.valuation_rate, 0) * ifnull(pr_item.qty, 0) * ifnull(pr_item.conversion_factor, 0)) + from `tabPurchase Receipt Item` pr_item, `tabPurchase Receipt` pr + where pr.name = pr_item.parent and pr.docstatus=1 and pr.company=%s + and pr.posting_date <= %s and pr_item.item_code in (%s)""" % + ('%s', '%s', ', '.join(['%s']*len(stock_items))), tuple([company, posting_date] + stock_items))[0][0] + + pi_valuation_amount = frappe.db.sql(""" + select sum(ifnull(pi_item.valuation_rate, 0) * ifnull(pi_item.qty, 0) * ifnull(pi_item.conversion_factor, 0)) + from `tabPurchase Invoice Item` pi_item, `tabPurchase Invoice` pi + where pi.name = pi_item.parent and pi.docstatus=1 and pi.company=%s + and pi.posting_date <= %s and pi_item.item_code in (%s)""" % + ('%s', '%s', ', '.join(['%s']*len(stock_items))), tuple([company, posting_date] + stock_items))[0][0] + + # Balance should be + stock_rbnb = flt(pr_valuation_amount, 2) - flt(pi_valuation_amount, 2) + + # Balance as per system + sys_bal = get_balance_on("Stock Received But Not Billed - RIGPL", posting_date) + + # Amount should be credited + return flt(stock_rbnb) + flt(sys_bal) From 849b7b172a38eba55505f4dc4f9af0b405275b6d Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Thu, 7 Aug 2014 15:13:52 +0530 Subject: [PATCH 462/630] minor fix --- erpnext/accounts/utils.py | 5 +++-- 1 file changed, 3 insertions(+), 2 deletions(-) diff --git a/erpnext/accounts/utils.py b/erpnext/accounts/utils.py index 7185216417..d1b65846d5 100644 --- a/erpnext/accounts/utils.py +++ b/erpnext/accounts/utils.py @@ -366,7 +366,7 @@ def get_currency_precision(currency=None): def get_stock_rbnb_difference(posting_date, company): stock_items = frappe.db.sql_list("""select distinct item_code - from `tabStock Ledger Entry` where comapny=%s""", company) + from `tabStock Ledger Entry` where company=%s""", company) pr_valuation_amount = frappe.db.sql(""" select sum(ifnull(pr_item.valuation_rate, 0) * ifnull(pr_item.qty, 0) * ifnull(pr_item.conversion_factor, 0)) @@ -386,7 +386,8 @@ def get_stock_rbnb_difference(posting_date, company): stock_rbnb = flt(pr_valuation_amount, 2) - flt(pi_valuation_amount, 2) # Balance as per system - sys_bal = get_balance_on("Stock Received But Not Billed - RIGPL", posting_date) + stock_rbnb_account = "Stock Received But Not Billed - " + frappe.db.get_value("Company", company, "abbr") + sys_bal = get_balance_on(stock_rbnb_account, posting_date) # Amount should be credited return flt(stock_rbnb) + flt(sys_bal) From 67cd3fb89ce5896c43ccdbe47a472fa7c3b69d33 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Thu, 7 Aug 2014 15:34:53 +0530 Subject: [PATCH 463/630] Fixes in making credit note from Sales Return --- .../stock/doctype/stock_entry/stock_entry.js | 17 ++++++++--------- .../stock/doctype/stock_entry/stock_entry.py | 6 +----- 2 files changed, 9 insertions(+), 14 deletions(-) diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.js b/erpnext/stock/doctype/stock_entry/stock_entry.js index 7dca72a88e..96b2cd5b70 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry.js +++ b/erpnext/stock/doctype/stock_entry/stock_entry.js @@ -211,10 +211,9 @@ erpnext.stock.StockEntry = erpnext.stock.StockController.extend({ }, callback: function(r) { if(!r.exc) { - var jv_name = frappe.model.make_new_doc_and_get_name('Journal Voucher'); - var jv = locals["Journal Voucher"][jv_name]; - $.extend(jv, r.message); - loaddoc("Journal Voucher", jv_name); + var doclist = frappe.model.sync(r.message); + frappe.set_route("Form", doclist[0].doctype, doclist[0].name); + } } }); @@ -266,20 +265,20 @@ erpnext.stock.StockEntry = erpnext.stock.StockController.extend({ customer: function() { this.get_party_details({ - party: this.frm.doc.customer, - party_type:"Customer", + party: this.frm.doc.customer, + party_type:"Customer", doctype: this.frm.doc.doctype }); }, supplier: function() { this.get_party_details({ - party: this.frm.doc.supplier, - party_type:"Supplier", + party: this.frm.doc.supplier, + party_type:"Supplier", doctype: this.frm.doc.doctype }); }, - + get_party_details: function(args) { var me = this; frappe.call({ diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.py b/erpnext/stock/doctype/stock_entry/stock_entry.py index 7629c3cefd..861d967596 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry.py +++ b/erpnext/stock/doctype/stock_entry/stock_entry.py @@ -780,14 +780,10 @@ def make_return_jv(stock_entry): from erpnext.accounts.utils import get_balance_on for r in result: jv.append("entries", { - "__islocal": 1, - "doctype": "Journal Voucher Detail", - "parentfield": "entries", "account": r.get("account"), "against_invoice": r.get("against_invoice"), "against_voucher": r.get("against_voucher"), - "balance": get_balance_on(r.get("account"), se.posting_date) \ - if r.get("account") else 0 + "balance": get_balance_on(r.get("account"), se.posting_date) if r.get("account") else 0 }) return jv From d91cefb23db4ef118d310f3fca957f420d11983d Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Thu, 7 Aug 2014 19:22:02 +0530 Subject: [PATCH 464/630] Update fix_account_master_type.py --- erpnext/patches/v4_2/fix_account_master_type.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/patches/v4_2/fix_account_master_type.py b/erpnext/patches/v4_2/fix_account_master_type.py index 09fa7891d0..d4603f24f5 100644 --- a/erpnext/patches/v4_2/fix_account_master_type.py +++ b/erpnext/patches/v4_2/fix_account_master_type.py @@ -6,7 +6,7 @@ import frappe def execute(): for d in frappe.db.sql("""select name from `tabAccount` - where ifnull(master_type, '') not in ('Customer', 'Supplier', 'Employee', '')"""): + where ifnull(master_type, '') not in ('Customer', 'Supplier', 'Employee', '') and docstatus=0"""): ac = frappe.get_doc("Account", d[0]) ac.master_type = None ac.save() From a6db05e18dcdbaa3b59a275fd45b14a71f0a52a7 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Fri, 8 Aug 2014 11:01:48 +0530 Subject: [PATCH 465/630] Fixes in 'Received Items to be Billed' report --- .../received_items_to_be_billed.json | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/erpnext/accounts/report/received_items_to_be_billed/received_items_to_be_billed.json b/erpnext/accounts/report/received_items_to_be_billed/received_items_to_be_billed.json index 50d16ed4d7..e9c0de0446 100644 --- a/erpnext/accounts/report/received_items_to_be_billed/received_items_to_be_billed.json +++ b/erpnext/accounts/report/received_items_to_be_billed/received_items_to_be_billed.json @@ -5,12 +5,12 @@ "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-06-03 07:18:17.275594", + "modified": "2014-08-08 10:59:46.263385", "modified_by": "Administrator", "module": "Accounts", "name": "Received Items To Be Billed", "owner": "Administrator", - "query": "select\n `tabPurchase Receipt`.`name` as \"Purchase Receipt:Link/Purchase Receipt:120\",\n `tabPurchase Receipt`.`supplier` as \"Supplier:Link/Supplier:120\",\n\t`tabPurchase Receipt`.`posting_date` as \"Date:Date\",\n\t`tabPurchase Receipt Item`.`project_name` as \"Project\",\n\t`tabPurchase Receipt Item`.`item_code` as \"Item:Link/Item:120\",\n\t(`tabPurchase Receipt Item`.`qty` - ifnull((select sum(qty) from `tabPurchase Invoice Item` \n\t where `tabPurchase Invoice Item`.purchase_receipt = `tabPurchase Receipt`.name and\n\t `tabPurchase Invoice Item`.pr_detail = `tabPurchase Receipt Item`.name), 0))\n\t\tas \"Qty:Float:110\",\n\t(`tabPurchase Receipt Item`.`base_amount` - ifnull((select sum(base_amount) from `tabPurchase Invoice Item` \n where `tabPurchase Invoice Item`.purchase_receipt = `tabPurchase Receipt`.name and\n `tabPurchase Invoice Item`.pr_detail = `tabPurchase Receipt Item`.name), 0))\n\t\tas \"Amount:Currency:110\",\n\t`tabPurchase Receipt Item`.`item_name` as \"Item Name::150\",\n\t`tabPurchase Receipt Item`.`description` as \"Description::200\"\nfrom `tabPurchase Receipt`, `tabPurchase Receipt Item`\nwhere\n `tabPurchase Receipt`.docstatus = 1 and\n\t`tabPurchase Receipt`.`status` != \"Stopped\" and\n `tabPurchase Receipt`.name = `tabPurchase Receipt Item`.parent and\n (`tabPurchase Receipt Item`.qty > ifnull((select sum(qty) from `tabPurchase Invoice Item` \n where `tabPurchase Invoice Item`.purchase_receipt = `tabPurchase Receipt`.name and\n `tabPurchase Invoice Item`.pr_detail = `tabPurchase Receipt Item`.name), 0))\norder by `tabPurchase Receipt`.`name` desc", + "query": "select\n `tabPurchase Receipt`.`name` as \"Purchase Receipt:Link/Purchase Receipt:120\",\n `tabPurchase Receipt`.`supplier` as \"Supplier:Link/Supplier:120\",\n\t`tabPurchase Receipt`.`posting_date` as \"Date:Date\",\n\t`tabPurchase Receipt Item`.`project_name` as \"Project\",\n\t`tabPurchase Receipt Item`.`item_code` as \"Item:Link/Item:120\",\n\t(`tabPurchase Receipt Item`.`qty` - ifnull((select sum(qty) from `tabPurchase Invoice Item` \n\t where `tabPurchase Invoice Item`.purchase_receipt = `tabPurchase Receipt`.name and\n `tabPurchase Invoice Item`.docstatus = 1 and\n\t `tabPurchase Invoice Item`.pr_detail = `tabPurchase Receipt Item`.name), 0))\n\t as \"Qty:Float:110\",\n\t(`tabPurchase Receipt Item`.`base_amount` - ifnull((select sum(base_amount) \n from `tabPurchase Invoice Item` \n where `tabPurchase Invoice Item`.purchase_receipt = `tabPurchase Receipt`.name and\n `tabPurchase Invoice Item`.docstatus = 1 and\n `tabPurchase Invoice Item`.pr_detail = `tabPurchase Receipt Item`.name), 0))\n\t as \"Amount:Currency:110\",\n\t`tabPurchase Receipt Item`.`item_name` as \"Item Name::150\",\n\t`tabPurchase Receipt Item`.`description` as \"Description::200\"\nfrom `tabPurchase Receipt`, `tabPurchase Receipt Item`\nwhere\n `tabPurchase Receipt`.docstatus = 1 and\n\t`tabPurchase Receipt`.`status` != \"Stopped\" and\n `tabPurchase Receipt`.name = `tabPurchase Receipt Item`.parent and\n (`tabPurchase Receipt Item`.qty > ifnull((select sum(qty) from `tabPurchase Invoice Item` \n where `tabPurchase Invoice Item`.purchase_receipt = `tabPurchase Receipt`.name and\n `tabPurchase Invoice Item`.docstatus=1 and \n `tabPurchase Invoice Item`.pr_detail = `tabPurchase Receipt Item`.name), 0))\norder by `tabPurchase Receipt`.`name` desc", "ref_doctype": "Purchase Invoice", "report_name": "Received Items To Be Billed", "report_type": "Query Report" From f4de6e21fa50f33106b0bff7c63b2631b0dbd283 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Fri, 8 Aug 2014 11:23:59 +0530 Subject: [PATCH 466/630] Fixes in 'Received Items to be Billed' report --- .../received_items_to_be_billed.json | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/erpnext/accounts/report/received_items_to_be_billed/received_items_to_be_billed.json b/erpnext/accounts/report/received_items_to_be_billed/received_items_to_be_billed.json index e9c0de0446..1c9ba3f6ef 100644 --- a/erpnext/accounts/report/received_items_to_be_billed/received_items_to_be_billed.json +++ b/erpnext/accounts/report/received_items_to_be_billed/received_items_to_be_billed.json @@ -5,12 +5,12 @@ "doctype": "Report", "idx": 1, "is_standard": "Yes", - "modified": "2014-08-08 10:59:46.263385", + "modified": "2014-08-08 11:20:27.023487", "modified_by": "Administrator", "module": "Accounts", "name": "Received Items To Be Billed", "owner": "Administrator", - "query": "select\n `tabPurchase Receipt`.`name` as \"Purchase Receipt:Link/Purchase Receipt:120\",\n `tabPurchase Receipt`.`supplier` as \"Supplier:Link/Supplier:120\",\n\t`tabPurchase Receipt`.`posting_date` as \"Date:Date\",\n\t`tabPurchase Receipt Item`.`project_name` as \"Project\",\n\t`tabPurchase Receipt Item`.`item_code` as \"Item:Link/Item:120\",\n\t(`tabPurchase Receipt Item`.`qty` - ifnull((select sum(qty) from `tabPurchase Invoice Item` \n\t where `tabPurchase Invoice Item`.purchase_receipt = `tabPurchase Receipt`.name and\n `tabPurchase Invoice Item`.docstatus = 1 and\n\t `tabPurchase Invoice Item`.pr_detail = `tabPurchase Receipt Item`.name), 0))\n\t as \"Qty:Float:110\",\n\t(`tabPurchase Receipt Item`.`base_amount` - ifnull((select sum(base_amount) \n from `tabPurchase Invoice Item` \n where `tabPurchase Invoice Item`.purchase_receipt = `tabPurchase Receipt`.name and\n `tabPurchase Invoice Item`.docstatus = 1 and\n `tabPurchase Invoice Item`.pr_detail = `tabPurchase Receipt Item`.name), 0))\n\t as \"Amount:Currency:110\",\n\t`tabPurchase Receipt Item`.`item_name` as \"Item Name::150\",\n\t`tabPurchase Receipt Item`.`description` as \"Description::200\"\nfrom `tabPurchase Receipt`, `tabPurchase Receipt Item`\nwhere\n `tabPurchase Receipt`.docstatus = 1 and\n\t`tabPurchase Receipt`.`status` != \"Stopped\" and\n `tabPurchase Receipt`.name = `tabPurchase Receipt Item`.parent and\n (`tabPurchase Receipt Item`.qty > ifnull((select sum(qty) from `tabPurchase Invoice Item` \n where `tabPurchase Invoice Item`.purchase_receipt = `tabPurchase Receipt`.name and\n `tabPurchase Invoice Item`.docstatus=1 and \n `tabPurchase Invoice Item`.pr_detail = `tabPurchase Receipt Item`.name), 0))\norder by `tabPurchase Receipt`.`name` desc", + "query": "select\n `tabPurchase Receipt`.`name` as \"Purchase Receipt:Link/Purchase Receipt:120\",\n `tabPurchase Receipt`.`supplier` as \"Supplier:Link/Supplier:120\",\n\t`tabPurchase Receipt`.`posting_date` as \"Date:Date\",\n\t`tabPurchase Receipt Item`.`project_name` as \"Project\",\n\t`tabPurchase Receipt Item`.`item_code` as \"Item:Link/Item:120\",\n\t(`tabPurchase Receipt Item`.`qty` - ifnull((select sum(qty) from `tabPurchase Invoice Item` \n\t where `tabPurchase Invoice Item`.purchase_receipt = `tabPurchase Receipt`.name and\n `tabPurchase Invoice Item`.docstatus = 1 and\n\t `tabPurchase Invoice Item`.pr_detail = `tabPurchase Receipt Item`.name), 0))\n\t as \"Qty:Float:110\",\n\t(`tabPurchase Receipt Item`.`base_amount` - ifnull((select sum(base_amount) \n from `tabPurchase Invoice Item` \n where `tabPurchase Invoice Item`.purchase_receipt = `tabPurchase Receipt`.name and\n `tabPurchase Invoice Item`.docstatus = 1 and\n `tabPurchase Invoice Item`.pr_detail = `tabPurchase Receipt Item`.name), 0))\n\t as \"Amount:Currency:110\",\n\t`tabPurchase Receipt Item`.`item_name` as \"Item Name::150\",\n\t`tabPurchase Receipt Item`.`description` as \"Description::200\"\nfrom `tabPurchase Receipt`, `tabPurchase Receipt Item`\nwhere\n `tabPurchase Receipt`.docstatus = 1 and\n `tabPurchase Receipt`.name = `tabPurchase Receipt Item`.parent and\n (`tabPurchase Receipt Item`.qty > ifnull((select sum(qty) from `tabPurchase Invoice Item` \n where `tabPurchase Invoice Item`.purchase_receipt = `tabPurchase Receipt`.name and\n `tabPurchase Invoice Item`.docstatus=1 and \n `tabPurchase Invoice Item`.pr_detail = `tabPurchase Receipt Item`.name), 0))\norder by `tabPurchase Receipt`.`name` desc", "ref_doctype": "Purchase Invoice", "report_name": "Received Items To Be Billed", "report_type": "Query Report" From 995185d02d3d63f58036122cee4803522fec7e36 Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Thu, 7 Aug 2014 15:24:26 +0530 Subject: [PATCH 467/630] [ux] fixed primary action --- erpnext/accounts/doctype/account/account.js | 4 +-- .../doctype/cost_center/cost_center.js | 6 ++-- .../doctype/fiscal_year/fiscal_year.js | 3 +- .../purchase_invoice/purchase_invoice.js | 9 ++--- .../doctype/sales_invoice/sales_invoice.js | 7 ++-- .../doctype/purchase_order/purchase_order.js | 20 ++++++----- .../supplier_quotation/supplier_quotation.js | 17 +++++----- erpnext/home/page/activity/activity.js | 18 +++++----- erpnext/hr/doctype/employee/employee.js | 2 +- .../hr/doctype/expense_claim/expense_claim.js | 27 ++++++++------- .../salary_structure/salary_structure.js | 3 +- erpnext/manufacturing/doctype/bom/bom.js | 3 +- .../production_order/production_order.js | 18 ++++++---- erpnext/public/js/transaction.js | 10 +++--- .../installation_note/installation_note.js | 28 +++++++-------- erpnext/selling/doctype/lead/lead.js | 6 ++-- .../doctype/opportunity/opportunity.js | 10 ++++-- .../selling/doctype/quotation/quotation.js | 6 ++-- .../doctype/sales_order/sales_order.js | 34 +++++++++++-------- erpnext/setup/doctype/company/company.js | 4 +-- erpnext/setup/doctype/company/company.json | 9 ++++- erpnext/setup/doctype/company/company.py | 12 ++++--- .../doctype/email_digest/email_digest.js | 4 +-- .../doctype/delivery_note/delivery_note.js | 5 +-- .../material_request/material_request.js | 20 ++++++----- .../purchase_receipt/purchase_receipt.js | 9 ++--- erpnext/stock/doctype/serial_no/serial_no.js | 2 +- .../stock/doctype/stock_entry/stock_entry.js | 8 +++-- .../stock_reconciliation.js | 2 +- .../doctype/customer_issue/customer_issue.js | 3 +- .../maintenance_schedule.js | 4 +-- .../maintenance_visit/maintenance_visit.js | 22 ++++++------ .../support/doctype/newsletter/newsletter.js | 2 +- .../doctype/support_ticket/support_ticket.js | 26 +++++++------- 34 files changed, 206 insertions(+), 157 deletions(-) diff --git a/erpnext/accounts/doctype/account/account.js b/erpnext/accounts/doctype/account/account.js index e39d77bcd3..e185375389 100644 --- a/erpnext/accounts/doctype/account/account.js +++ b/erpnext/accounts/doctype/account/account.js @@ -65,10 +65,10 @@ cur_frm.cscript.add_toolbar_buttons = function(doc) { if (cstr(doc.group_or_ledger) == 'Group') { cur_frm.add_custom_button(__('Convert to Ledger'), - function() { cur_frm.cscript.convert_to_ledger(); }, 'icon-retweet') + function() { cur_frm.cscript.convert_to_ledger(); }, 'icon-retweet', 'btn-default'); } else if (cstr(doc.group_or_ledger) == 'Ledger') { cur_frm.add_custom_button(__('Convert to Group'), - function() { cur_frm.cscript.convert_to_group(); }, 'icon-retweet') + function() { cur_frm.cscript.convert_to_group(); }, 'icon-retweet', 'btn-default') cur_frm.appframe.add_button(__('View Ledger'), function() { frappe.route_options = { diff --git a/erpnext/accounts/doctype/cost_center/cost_center.js b/erpnext/accounts/doctype/cost_center/cost_center.js index 808ad52889..d9e71d98ed 100644 --- a/erpnext/accounts/doctype/cost_center/cost_center.js +++ b/erpnext/accounts/doctype/cost_center/cost_center.js @@ -64,10 +64,12 @@ cur_frm.cscript.parent_cost_center = function(doc, cdt, cdn) { cur_frm.cscript.hide_unhide_group_ledger = function(doc) { if (cstr(doc.group_or_ledger) == 'Group') { cur_frm.add_custom_button(__('Convert to Ledger'), - function() { cur_frm.cscript.convert_to_ledger(); }, 'icon-retweet') + function() { cur_frm.cscript.convert_to_ledger(); }, 'icon-retweet', + "btn-default") } else if (cstr(doc.group_or_ledger) == 'Ledger') { cur_frm.add_custom_button(__('Convert to Group'), - function() { cur_frm.cscript.convert_to_group(); }, 'icon-retweet') + function() { cur_frm.cscript.convert_to_group(); }, 'icon-retweet', + "btn-default") } } diff --git a/erpnext/accounts/doctype/fiscal_year/fiscal_year.js b/erpnext/accounts/doctype/fiscal_year/fiscal_year.js index f6f19f7e82..4c80ba2067 100644 --- a/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +++ b/erpnext/accounts/doctype/fiscal_year/fiscal_year.js @@ -14,7 +14,8 @@ $.extend(cur_frm.cscript, { this.frm.toggle_enable('year_end_date', doc.__islocal) if (!doc.__islocal && (doc.name != sys_defaults.fiscal_year)) { - this.frm.add_custom_button(__("Set as Default"), this.frm.cscript.set_as_default); + this.frm.add_custom_button(' ' + __("Set as Default"), + this.frm.cscript.set_as_default); this.frm.set_intro(__("To set this Fiscal Year as Default, click on 'Set as Default'")); } else { this.frm.set_intro(""); diff --git a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js index 4f6bd08ccb..49ed12cc24 100644 --- a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +++ b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js @@ -27,7 +27,8 @@ erpnext.accounts.PurchaseInvoice = erpnext.buying.BuyingController.extend({ // Show / Hide button if(doc.docstatus==1 && doc.outstanding_amount > 0) - this.frm.add_custom_button(__('Make Payment Entry'), this.make_bank_voucher); + this.frm.add_custom_button(__('Make Payment Entry'), this.make_bank_voucher, + frappe.boot.doctype_icons["Journal Voucher"]); if(doc.docstatus==1) { cur_frm.appframe.add_button(__('View Ledger'), function() { @@ -56,7 +57,7 @@ erpnext.accounts.PurchaseInvoice = erpnext.buying.BuyingController.extend({ company: cur_frm.doc.company } }) - }); + }, "icon-download", "btn-default"); cur_frm.add_custom_button(__('From Purchase Receipt'), function() { @@ -69,7 +70,7 @@ erpnext.accounts.PurchaseInvoice = erpnext.buying.BuyingController.extend({ company: cur_frm.doc.company } }) - }); + }, "icon-download", "btn-default"); } @@ -112,7 +113,7 @@ erpnext.accounts.PurchaseInvoice = erpnext.buying.BuyingController.extend({ entries_add: function(doc, cdt, cdn) { var row = frappe.get_doc(cdt, cdn); - this.frm.script_manager.copy_from_first_row("entries", row, + this.frm.script_manager.copy_from_first_row("entries", row, ["expense_account", "cost_center", "project_name"]); }, diff --git a/erpnext/accounts/doctype/sales_invoice/sales_invoice.js b/erpnext/accounts/doctype/sales_invoice/sales_invoice.js index 06a496a9b6..c5e9418c58 100644 --- a/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +++ b/erpnext/accounts/doctype/sales_invoice/sales_invoice.js @@ -74,11 +74,12 @@ erpnext.accounts.SalesInvoiceController = erpnext.selling.SellingController.exte }); if(!from_delivery_note) - cur_frm.appframe.add_primary_action(__('Make Delivery'), cur_frm.cscript['Make Delivery Note']) + cur_frm.appframe.add_primary_action(__('Make Delivery'), cur_frm.cscript['Make Delivery Note'], "icon-truck") } - if(doc.outstanding_amount!=0) - cur_frm.appframe.add_primary_action(__('Make Payment Entry'), cur_frm.cscript.make_bank_voucher); + if(doc.outstanding_amount!=0) { + cur_frm.appframe.add_primary_action(__('Make Payment Entry'), cur_frm.cscript.make_bank_voucher, "icon-money"); + } } // Show buttons only when pos view is active diff --git a/erpnext/buying/doctype/purchase_order/purchase_order.js b/erpnext/buying/doctype/purchase_order/purchase_order.js index 6474446f0d..9433ebe20c 100644 --- a/erpnext/buying/doctype/purchase_order/purchase_order.js +++ b/erpnext/buying/doctype/purchase_order/purchase_order.js @@ -22,14 +22,18 @@ erpnext.buying.PurchaseOrderController = erpnext.buying.BuyingController.extend( cur_frm.dashboard.add_progress(cint(doc.per_billed) + __("% Billed"), doc.per_billed); - cur_frm.add_custom_button('Send SMS', cur_frm.cscript.send_sms); - if(flt(doc.per_received, 2) < 100) - cur_frm.add_custom_button(__('Make Purchase Receipt'), this.make_purchase_receipt); + cur_frm.add_custom_button(__('Make Purchase Receipt'), + this.make_purchase_receipt, frappe.boot.doctype_icons["Purchase Receipt"]); if(flt(doc.per_billed, 2) < 100) - cur_frm.add_custom_button(__('Make Invoice'), this.make_purchase_invoice); + cur_frm.add_custom_button(__('Make Invoice'), this.make_purchase_invoice, + frappe.boot.doctype_icons["Purchase Invoice"]); if(flt(doc.per_billed, 2) < 100 || doc.per_received < 100) - cur_frm.add_custom_button(__('Stop'), cur_frm.cscript['Stop Purchase Order'], "icon-exclamation"); + cur_frm.add_custom_button(__('Stop'), cur_frm.cscript['Stop Purchase Order'], + "icon-exclamation", "btn-default"); + + cur_frm.add_custom_button('Send SMS', cur_frm.cscript.send_sms, "icon-mobile-phone", true); + } else if(doc.docstatus===0) { cur_frm.cscript.add_from_mappers(); } @@ -67,7 +71,7 @@ erpnext.buying.PurchaseOrderController = erpnext.buying.BuyingController.extend( company: cur_frm.doc.company } }) - } + }, "icon-download", "btn-default" ); cur_frm.add_custom_button(__('From Supplier Quotation'), @@ -81,7 +85,7 @@ erpnext.buying.PurchaseOrderController = erpnext.buying.BuyingController.extend( company: cur_frm.doc.company } }) - } + }, "icon-download", "btn-default" ); cur_frm.add_custom_button(__('For Supplier'), @@ -93,7 +97,7 @@ erpnext.buying.PurchaseOrderController = erpnext.buying.BuyingController.extend( docstatus: ["!=", 2], } }) - } + }, "icon-download", "btn-default" ); }, diff --git a/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js b/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js index 37326afa48..b8d40ca236 100644 --- a/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +++ b/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js @@ -16,10 +16,11 @@ erpnext.buying.SupplierQuotationController = erpnext.buying.BuyingController.ext this._super(); if (this.frm.doc.docstatus === 1) { - cur_frm.add_custom_button(__("Make Purchase Order"), this.make_purchase_order); - } + cur_frm.add_custom_button(__("Make Purchase Order"), this.make_purchase_order, + frappe.boot.doctype_icons["Journal Voucher"]); + } else if (this.frm.doc.docstatus===0) { - cur_frm.add_custom_button(__('From Material Request'), + cur_frm.add_custom_button(__('From Material Request'), function() { frappe.model.map_current_doc({ method: "erpnext.stock.doctype.material_request.material_request.make_supplier_quotation", @@ -32,10 +33,10 @@ erpnext.buying.SupplierQuotationController = erpnext.buying.BuyingController.ext company: cur_frm.doc.company } }) - }); + }, "icon-download", "btn-default"); } - }, - + }, + make_purchase_order: function() { frappe.model.open_mapped_doc({ method: "erpnext.buying.doctype.supplier_quotation.supplier_quotation.make_purchase_order", @@ -51,7 +52,7 @@ cur_frm.cscript.uom = function(doc, cdt, cdn) { // no need to trigger updation of stock uom, as this field doesn't exist in supplier quotation } -cur_frm.fields_dict['quotation_items'].grid.get_field('project_name').get_query = +cur_frm.fields_dict['quotation_items'].grid.get_field('project_name').get_query = function(doc, cdt, cdn) { return{ filters:[ @@ -70,4 +71,4 @@ cur_frm.fields_dict['contact_person'].get_query = function(doc, cdt, cdn) { return { filters:{'supplier': doc.supplier} } -} \ No newline at end of file +} diff --git a/erpnext/home/page/activity/activity.js b/erpnext/home/page/activity/activity.js index 57a38ac19b..4562ca8e39 100644 --- a/erpnext/home/page/activity/activity.js +++ b/erpnext/home/page/activity/activity.js @@ -8,7 +8,7 @@ frappe.pages['activity'].onload = function(wrapper) { single_column: true }) wrapper.appframe.add_module_icon("Activity"); - + var list = new frappe.ui.Listing({ hide_refresh: true, appframe: wrapper.appframe, @@ -21,12 +21,12 @@ frappe.pages['activity'].onload = function(wrapper) { list.run(); wrapper.appframe.set_title_right("Refresh", function() { list.run(); }); - + // Build Report Button if(frappe.boot.user.can_get_report.indexOf("Feed")!=-1) { wrapper.appframe.add_primary_action(__('Build Report'), function() { frappe.set_route('Report', "Feed"); - }, 'icon-th') + }, 'icon-th', true); } } @@ -44,23 +44,23 @@ erpnext.ActivityFeed = Class.extend({ scrub_data: function(data) { data.by = frappe.user_info(data.owner).fullname; data.imgsrc = frappe.utils.get_file_link(frappe.user_info(data.owner).image); - + // feedtype if(!data.feed_type) { data.feed_type = __(data.doc_type); data.add_class = "label-info"; data.onclick = repl('onclick="window.location.href=\'#!List/%(feed_type)s\';"', data) } - + // color for comment if(data.feed_type=='Comment') { data.add_class = "label-danger"; } - + if(data.feed_type=='Assignment') { data.add_class = "label-warning"; } - + // link if(data.doc_name && data.feed_type!='Login') { data.link = frappe.format(data.doc_name, {"fieldtype":"Link", "options":data.doc_type}) @@ -71,7 +71,7 @@ erpnext.ActivityFeed = Class.extend({ add_date_separator: function(row, data) { var date = dateutil.str_to_obj(data.modified); var last = erpnext.last_feed_date; - + if((last && dateutil.obj_to_str(last) != dateutil.obj_to_str(date)) || (!last)) { var diff = dateutil.get_day_diff(dateutil.get_today(), dateutil.obj_to_str(date)); if(diff < 1) { @@ -85,4 +85,4 @@ erpnext.ActivityFeed = Class.extend({ } erpnext.last_feed_date = date; } -}) \ No newline at end of file +}) diff --git a/erpnext/hr/doctype/employee/employee.js b/erpnext/hr/doctype/employee/employee.js index 96aca00532..0934bc592e 100644 --- a/erpnext/hr/doctype/employee/employee.js +++ b/erpnext/hr/doctype/employee/employee.js @@ -21,7 +21,7 @@ erpnext.hr.EmployeeController = frappe.ui.form.Controller.extend({ if(!this.frm.doc.__islocal && this.frm.doc.__onload && !this.frm.doc.__onload.salary_structure_exists) { cur_frm.add_custom_button(__('Make Salary Structure'), function() { - me.make_salary_structure(this); }); + me.make_salary_structure(this); }, frappe.boot.doctype_icons["Salary Structure"]); } }, diff --git a/erpnext/hr/doctype/expense_claim/expense_claim.js b/erpnext/hr/doctype/expense_claim/expense_claim.js index fbc5994b42..4ef2efc722 100644 --- a/erpnext/hr/doctype/expense_claim/expense_claim.js +++ b/erpnext/hr/doctype/expense_claim/expense_claim.js @@ -45,18 +45,18 @@ cur_frm.add_fetch('employee','employee_name','employee_name'); cur_frm.cscript.onload = function(doc,cdt,cdn) { if(!doc.approval_status) cur_frm.set_value("approval_status", "Draft") - + if (doc.__islocal) { cur_frm.set_value("posting_date", dateutil.get_today()); - if(doc.amended_from) + if(doc.amended_from) cur_frm.set_value("approval_status", "Draft"); cur_frm.cscript.clear_sanctioned(doc); } - + cur_frm.fields_dict.employee.get_query = function(doc,cdt,cdn) { return{ query: "erpnext.controllers.queries.employee_query" - } + } } var exp_approver = doc.exp_approver; return cur_frm.call({ @@ -75,7 +75,7 @@ cur_frm.cscript.clear_sanctioned = function(doc) { } doc.total_sanctioned_amount = ''; - refresh_many(['sanctioned_amount', 'total_sanctioned_amount']); + refresh_many(['sanctioned_amount', 'total_sanctioned_amount']); } cur_frm.cscript.refresh = function(doc,cdt,cdn){ @@ -84,15 +84,16 @@ cur_frm.cscript.refresh = function(doc,cdt,cdn){ if(!doc.__islocal) { cur_frm.toggle_enable("exp_approver", (doc.owner==user && doc.approval_status=="Draft")); cur_frm.toggle_enable("approval_status", (doc.exp_approver==user && doc.docstatus==0)); - - if(!doc.__islocal && user!=doc.exp_approver) + + if(!doc.__islocal && user!=doc.exp_approver) cur_frm.frm_head.appframe.set_title_right(""); - + if(doc.docstatus==0 && doc.exp_approver==user && doc.approval_status=="Approved") cur_frm.savesubmit(); - + if(doc.docstatus==1 && frappe.model.can_create("Journal Voucher")) - cur_frm.add_custom_button(__("Make Bank Voucher"), cur_frm.cscript.make_bank_voucher); + cur_frm.add_custom_button(__("Make Bank Voucher"), + cur_frm.cscript.make_bank_voucher, frappe.boot.doctype_icons["Journal Voucher"]); } } @@ -131,7 +132,7 @@ cur_frm.cscript.calculate_total = function(doc,cdt,cdn){ } doc.total_sanctioned_amount += d.sanctioned_amount; }); - + refresh_field("total_claimed_amount"); refresh_field('total_sanctioned_amount'); @@ -142,7 +143,7 @@ cur_frm.cscript.calculate_total_amount = function(doc,cdt,cdn){ } cur_frm.cscript.claim_amount = function(doc,cdt,cdn){ cur_frm.cscript.calculate_total(doc,cdt,cdn); - + var child = locals[cdt][cdn]; refresh_field("sanctioned_amount", child.name, child.parentfield); } @@ -154,4 +155,4 @@ cur_frm.cscript.on_submit = function(doc, cdt, cdn) { if(cint(frappe.boot.notification_settings && frappe.boot.notification_settings.expense_claim)) { cur_frm.email_doc(frappe.boot.notification_settings.expense_claim_message); } -} \ No newline at end of file +} diff --git a/erpnext/hr/doctype/salary_structure/salary_structure.js b/erpnext/hr/doctype/salary_structure/salary_structure.js index ddaf88cad7..a5a3ad3ddc 100644 --- a/erpnext/hr/doctype/salary_structure/salary_structure.js +++ b/erpnext/hr/doctype/salary_structure/salary_structure.js @@ -12,7 +12,8 @@ cur_frm.cscript.onload = function(doc, dt, dn){ cur_frm.cscript.refresh = function(doc, dt, dn){ if((!doc.__islocal) && (doc.is_active == 'Yes')){ - cur_frm.add_custom_button(__('Make Salary Slip'), cur_frm.cscript['Make Salary Slip']); + cur_frm.add_custom_button(__('Make Salary Slip'), + cur_frm.cscript['Make Salary Slip'], frappe.boot.doctype_icons["Salary Slip"]); } } diff --git a/erpnext/manufacturing/doctype/bom/bom.js b/erpnext/manufacturing/doctype/bom/bom.js index d73ac9a11e..7787ea4878 100644 --- a/erpnext/manufacturing/doctype/bom/bom.js +++ b/erpnext/manufacturing/doctype/bom/bom.js @@ -7,7 +7,8 @@ cur_frm.cscript.refresh = function(doc,dt,dn){ cur_frm.toggle_enable("item", doc.__islocal); if (!doc.__islocal && doc.docstatus<2) { - cur_frm.add_custom_button(__("Update Cost"), cur_frm.cscript.update_cost); + cur_frm.add_custom_button(__("Update Cost"), cur_frm.cscript.update_cost, + "icon-money", "btn-default"); } cur_frm.cscript.with_operations(doc); diff --git a/erpnext/manufacturing/doctype/production_order/production_order.js b/erpnext/manufacturing/doctype/production_order/production_order.js index d5fb1c997b..a4bf14c8d7 100644 --- a/erpnext/manufacturing/doctype/production_order/production_order.js +++ b/erpnext/manufacturing/doctype/production_order/production_order.js @@ -58,14 +58,20 @@ $.extend(cur_frm.cscript, { var cfn_set_fields = function(doc, dt, dn) { if (doc.docstatus == 1) { - if (doc.status != 'Stopped' && doc.status != 'Completed') - cur_frm.add_custom_button(__('Stop!'), cur_frm.cscript['Stop Production Order'], "icon-exclamation"); - else if (doc.status == 'Stopped') - cur_frm.add_custom_button(__('Unstop'), cur_frm.cscript['Unstop Production Order'], "icon-check"); if (doc.status == 'Submitted' || doc.status == 'Material Transferred' || doc.status == 'In Process'){ - cur_frm.add_custom_button(__('Transfer Raw Materials'), cur_frm.cscript['Transfer Raw Materials']); - cur_frm.add_custom_button(__('Update Finished Goods'), cur_frm.cscript['Update Finished Goods']); + cur_frm.add_custom_button(__('Transfer Raw Materials'), + cur_frm.cscript['Transfer Raw Materials'], frappe.boot.doctype_icons["Stock Entry"]); + cur_frm.add_custom_button(__('Update Finished Goods'), + cur_frm.cscript['Update Finished Goods'], frappe.boot.doctype_icons["Stock Entry"]); + } + + if (doc.status != 'Stopped' && doc.status != 'Completed') { + cur_frm.add_custom_button(__('Stop'), cur_frm.cscript['Stop Production Order'], + "icon-exclamation", "btn-default"); + } else if (doc.status == 'Stopped') { + cur_frm.add_custom_button(__('Unstop'), cur_frm.cscript['Unstop Production Order'], + "icon-check", "btn-default"); } } } diff --git a/erpnext/public/js/transaction.js b/erpnext/public/js/transaction.js index 95c7963c4e..8a9be1d935 100644 --- a/erpnext/public/js/transaction.js +++ b/erpnext/public/js/transaction.js @@ -57,23 +57,23 @@ erpnext.TransactionController = erpnext.stock.StockController.extend({ this.set_dynamic_labels(); // Show POS button only if it is enabled from features setup - if(cint(sys_defaults.fs_pos_view)===1 && this.frm.doctype!="Material Request") + if(cint(sys_defaults.fs_pos_view)===1 && this.frm.doctype!="Material Request" && this.frm.doc.docstatus===0) this.make_pos_btn(); }, make_pos_btn: function() { if(!this.pos_active) { var btn_label = __("POS View"), - icon = "icon-desktop"; + icon = "icon-th"; } else { - var btn_label = __(this.frm.doctype) + __(" View"), + var btn_label = __("Form View"), icon = "icon-file-text"; } var me = this; - this.$pos_btn = this.frm.appframe.add_button(btn_label, function() { + this.$pos_btn = this.frm.appframe.add_primary_action(btn_label, function() { me.toggle_pos(); - }, icon); + }, icon, "btn-default"); }, toggle_pos: function(show) { diff --git a/erpnext/selling/doctype/installation_note/installation_note.js b/erpnext/selling/doctype/installation_note/installation_note.js index 34d915c7ae..e8dee46fd9 100644 --- a/erpnext/selling/doctype/installation_note/installation_note.js +++ b/erpnext/selling/doctype/installation_note/installation_note.js @@ -5,13 +5,13 @@ cur_frm.cscript.tname = "Installation Note Item"; cur_frm.cscript.fname = "installed_item_details"; -frappe.ui.form.on_change("Installation Note", "customer", +frappe.ui.form.on_change("Installation Note", "customer", function(frm) { erpnext.utils.get_party_details(frm); }); -frappe.ui.form.on_change("Installation Note", "customer_address", +frappe.ui.form.on_change("Installation Note", "customer_address", function(frm) { erpnext.utils.get_address_display(frm); }); -frappe.ui.form.on_change("Installation Note", "contact_person", +frappe.ui.form.on_change("Installation Note", "contact_person", function(frm) { erpnext.utils.get_contact_details(frm); }); frappe.provide("erpnext.selling"); @@ -19,37 +19,37 @@ frappe.provide("erpnext.selling"); erpnext.selling.InstallationNote = frappe.ui.form.Controller.extend({ onload: function() { if(!this.frm.doc.status) set_multiple(dt,dn,{ status:'Draft'}); - if(this.frm.doc.__islocal) set_multiple(this.frm.doc.doctype, this.frm.doc.name, + if(this.frm.doc.__islocal) set_multiple(this.frm.doc.doctype, this.frm.doc.name, {inst_date: get_today()}); - + this.setup_queries(); }, - + setup_queries: function() { var me = this; - + this.frm.set_query("customer_address", function() { return { filters: {'customer': me.frm.doc.customer } } }); - + this.frm.set_query("contact_person", function() { return { filters: {'customer': me.frm.doc.customer } } }); - + this.frm.set_query("customer", function() { return { query: "erpnext.controllers.queries.customer_query" } }); }, - + refresh: function() { if (this.frm.doc.docstatus===0) { - cur_frm.add_custom_button(__('From Delivery Note'), + cur_frm.add_custom_button(__('From Delivery Note'), function() { frappe.model.map_current_doc({ method: "erpnext.stock.doctype.delivery_note.delivery_note.make_installation_note", @@ -62,10 +62,10 @@ erpnext.selling.InstallationNote = frappe.ui.form.Controller.extend({ company: cur_frm.doc.company } }) - } + }, "icon-download", "btn-default" ); } - }, + }, }); -$.extend(cur_frm.cscript, new erpnext.selling.InstallationNote({frm: cur_frm})); \ No newline at end of file +$.extend(cur_frm.cscript, new erpnext.selling.InstallationNote({frm: cur_frm})); diff --git a/erpnext/selling/doctype/lead/lead.js b/erpnext/selling/doctype/lead/lead.js index ba9741b4f6..24fbbf0f4d 100644 --- a/erpnext/selling/doctype/lead/lead.js +++ b/erpnext/selling/doctype/lead/lead.js @@ -32,8 +32,10 @@ erpnext.LeadController = frappe.ui.form.Controller.extend({ erpnext.toggle_naming_series(); if(!this.frm.doc.__islocal && this.frm.doc.__onload && !this.frm.doc.__onload.is_customer) { - this.frm.add_custom_button(__("Create Customer"), this.create_customer); - this.frm.add_custom_button(__("Create Opportunity"), this.create_opportunity); + this.frm.add_custom_button(__("Create Customer"), this.create_customer, + frappe.boot.doctype_icons["Customer"], "btn-default"); + this.frm.add_custom_button(__("Create Opportunity"), this.create_opportunity, + frappe.boot.doctype_icons["Opportunity"], "btn-default"); this.frm.appframe.add_button(__("Send SMS"), this.frm.cscript.send_sms, "icon-mobile-phone"); } diff --git a/erpnext/selling/doctype/opportunity/opportunity.js b/erpnext/selling/doctype/opportunity/opportunity.js index ce7c6ea273..6ff1abb895 100644 --- a/erpnext/selling/doctype/opportunity/opportunity.js +++ b/erpnext/selling/doctype/opportunity/opportunity.js @@ -82,11 +82,15 @@ cur_frm.cscript.refresh = function(doc, cdt, cdn) { erpnext.toggle_naming_series(); if(doc.docstatus === 1 && doc.status!=="Lost") { - cur_frm.add_custom_button(__('Create Quotation'), cur_frm.cscript.create_quotation); + cur_frm.add_custom_button(__('Create Quotation'), + cur_frm.cscript.create_quotation, frappe.boot.doctype_icons["Quotation"], + "btn-default"); if(doc.status!=="Quotation") - cur_frm.add_custom_button(__('Opportunity Lost'), cur_frm.cscript['Declare Opportunity Lost']); + cur_frm.add_custom_button(__('Opportunity Lost'), + cur_frm.cscript['Declare Opportunity Lost'], "icon-remove", "btn-default"); - cur_frm.add_custom_button(__('Send SMS'), cur_frm.cscript.send_sms, "icon-mobile-phone"); + cur_frm.add_custom_button(__('Send SMS'), cur_frm.cscript.send_sms, + "icon-mobile-phone", true); } } diff --git a/erpnext/selling/doctype/quotation/quotation.js b/erpnext/selling/doctype/quotation/quotation.js index e65fcbe4a3..8cff8d8327 100644 --- a/erpnext/selling/doctype/quotation/quotation.js +++ b/erpnext/selling/doctype/quotation/quotation.js @@ -27,10 +27,10 @@ erpnext.selling.QuotationController = erpnext.selling.SellingController.extend({ if(doc.docstatus == 1 && doc.status!=='Lost') { cur_frm.add_custom_button(__('Make Sales Order'), - cur_frm.cscript['Make Sales Order']); + cur_frm.cscript['Make Sales Order'], frappe.boot.doctype_icons["Sales Order"]); if(doc.status!=="Ordered") { cur_frm.add_custom_button(__('Set as Lost'), - cur_frm.cscript['Declare Order Lost'], "icon-exclamation"); + cur_frm.cscript['Declare Order Lost'], "icon-exclamation", "btn-default"); } cur_frm.appframe.add_button(__('Send SMS'), cur_frm.cscript.send_sms, "icon-mobile-phone"); } @@ -50,7 +50,7 @@ erpnext.selling.QuotationController = erpnext.selling.SellingController.extend({ company: cur_frm.doc.company } }) - }); + }, "icon-download", "btn-default"); } if (!doc.__islocal) { diff --git a/erpnext/selling/doctype/sales_order/sales_order.js b/erpnext/selling/doctype/sales_order/sales_order.js index c8ddcf5947..628e43e1df 100644 --- a/erpnext/selling/doctype/sales_order/sales_order.js +++ b/erpnext/selling/doctype/sales_order/sales_order.js @@ -25,30 +25,36 @@ erpnext.selling.SalesOrderController = erpnext.selling.SellingController.extend( cur_frm.dashboard.add_progress(cint(doc.per_billed) + __("% Billed"), doc.per_billed); - cur_frm.add_custom_button(__('Send SMS'), cur_frm.cscript.send_sms, "icon-mobile-phone"); // delivery note if(flt(doc.per_delivered, 2) < 100 && ["Sales", "Shopping Cart"].indexOf(doc.order_type)!==-1) - cur_frm.add_custom_button(__('Make Delivery'), this.make_delivery_note); - - // maintenance - if(flt(doc.per_delivered, 2) < 100 && ["Sales", "Shopping Cart"].indexOf(doc.order_type)===-1) { - cur_frm.add_custom_button(__('Make Maint. Visit'), this.make_maintenance_visit); - cur_frm.add_custom_button(__('Make Maint. Schedule'), - this.make_maintenance_schedule); - } + cur_frm.add_custom_button(__('Make Delivery'), this.make_delivery_note, "icon-truck"); // indent if(!doc.order_type || ["Sales", "Shopping Cart"].indexOf(doc.order_type)!==-1) cur_frm.add_custom_button(__('Make ') + __('Material Request'), - this.make_material_request); + this.make_material_request, "icon-ticket"); // sales invoice - if(flt(doc.per_billed, 2) < 100) - cur_frm.add_custom_button(__('Make Invoice'), this.make_sales_invoice); + if(flt(doc.per_billed, 2) < 100) { + cur_frm.add_custom_button(__('Make Invoice'), this.make_sales_invoice, + frappe.boot.doctype_icons["Sales Invoice"]); + } // stop if(flt(doc.per_delivered, 2) < 100 || doc.per_billed < 100) - cur_frm.add_custom_button(__('Stop!'), cur_frm.cscript['Stop Sales Order'],"icon-exclamation"); + cur_frm.add_custom_button(__('Stop'), cur_frm.cscript['Stop Sales Order'], + "icon-exclamation", "btn-default") + + // maintenance + if(flt(doc.per_delivered, 2) < 100 && ["Sales", "Shopping Cart"].indexOf(doc.order_type)===-1) { + cur_frm.add_custom_button(__('Make Maint. Visit'), + this.make_maintenance_visit, null, "btn-default"); + cur_frm.add_custom_button(__('Make Maint. Schedule'), + this.make_maintenance_schedule, null, "btn-default"); + } + + cur_frm.add_custom_button(__('Send SMS'), cur_frm.cscript.send_sms, "icon-mobile-phone", true); + } else { // un-stop cur_frm.dashboard.set_headline_alert(__("Stopped"), "alert-danger", "icon-stop"); @@ -70,7 +76,7 @@ erpnext.selling.SalesOrderController = erpnext.selling.SellingController.extend( company: cur_frm.doc.company } }) - }); + }, "icon-download", "btn-default"); } this.order_type(doc); diff --git a/erpnext/setup/doctype/company/company.js b/erpnext/setup/doctype/company/company.js index ee7d66a769..44f228f29c 100644 --- a/erpnext/setup/doctype/company/company.js +++ b/erpnext/setup/doctype/company/company.js @@ -4,8 +4,6 @@ cur_frm.cscript.refresh = function(doc, cdt, cdn) { if(doc.abbr && !doc.__islocal) { cur_frm.set_df_property("abbr", "read_only", 1); - if(in_list(user_roles, "System Manager")) - cur_frm.add_custom_button("Replace Abbreviation", cur_frm.cscript.replace_abbr) } if(!doc.__islocal) { @@ -14,7 +12,7 @@ cur_frm.cscript.refresh = function(doc, cdt, cdn) { } } -cur_frm.cscript.replace_abbr = function() { +cur_frm.cscript.change_abbr = function() { var dialog = new frappe.ui.Dialog({ title: "Replace Abbr", fields: [ diff --git a/erpnext/setup/doctype/company/company.json b/erpnext/setup/doctype/company/company.json index 4209e7d770..773526a01c 100644 --- a/erpnext/setup/doctype/company/company.json +++ b/erpnext/setup/doctype/company/company.json @@ -39,6 +39,13 @@ "read_only": 0, "reqd": 1 }, + { + "depends_on": "eval:!doc.__islocal && in_list(user_roles, \"System Manager\")", + "fieldname": "change_abbr", + "fieldtype": "Button", + "label": "Change Abbreviation", + "permlevel": 0 + }, { "fieldname": "cb0", "fieldtype": "Column Break", @@ -349,7 +356,7 @@ ], "icon": "icon-building", "idx": 1, - "modified": "2014-07-17 19:30:24.487672", + "modified": "2014-08-07 05:20:47.711849", "modified_by": "Administrator", "module": "Setup", "name": "Company", diff --git a/erpnext/setup/doctype/company/company.py b/erpnext/setup/doctype/company/company.py index bd623e6ad6..1846052da3 100644 --- a/erpnext/setup/doctype/company/company.py +++ b/erpnext/setup/doctype/company/company.py @@ -35,12 +35,12 @@ class Company(Document): self.default_currency != self.previous_default_currency and \ self.check_if_transactions_exist(): frappe.throw(_("Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.")) - + self.validate_default_accounts() - + def validate_default_accounts(self): - for field in ["default_bank_account", "default_cash_account", "receivables_group", "payables_group", - "default_expense_account", "default_income_account", "stock_received_but_not_billed", + for field in ["default_bank_account", "default_cash_account", "receivables_group", "payables_group", + "default_expense_account", "default_income_account", "stock_received_but_not_billed", "stock_adjustment_account", "expenses_included_in_valuation"]: if self.get(field): for_company = frappe.db.get_value("Account", self.get(field), "company") @@ -127,7 +127,7 @@ class Company(Document): _set_default_account("expenses_included_in_valuation", "Expenses Included In Valuation") if not self.default_income_account: - self.db_set("default_income_account", frappe.db.get_value("Account", + self.db_set("default_income_account", frappe.db.get_value("Account", {"account_name": _("Sales"), "company": self.name})) def create_default_cost_center(self): @@ -277,6 +277,8 @@ class Company(Document): @frappe.whitelist() def replace_abbr(company, old, new): + frappe.only_for("System Manager") + frappe.db.set_value("Company", company, "abbr", new) def _rename_record(dt): diff --git a/erpnext/setup/doctype/email_digest/email_digest.js b/erpnext/setup/doctype/email_digest/email_digest.js index 9adb7e27e3..fb08f904dd 100644 --- a/erpnext/setup/doctype/email_digest/email_digest.js +++ b/erpnext/setup/doctype/email_digest/email_digest.js @@ -28,7 +28,7 @@ cur_frm.cscript.refresh = function(doc, dt, dn) { } else { msgprint(save_msg); } - }, 1); + }, "icon-eye-open", "btn-default"); cur_frm.add_custom_button(__('Send Now'), function() { doc = locals[dt][dn]; if(doc.__unsaved != 1) { @@ -44,7 +44,7 @@ cur_frm.cscript.refresh = function(doc, dt, dn) { } else { msgprint(save_msg); } - }, 1); + }, "icon-envelope", "btn-default"); } cur_frm.cscript.addremove_recipients = function(doc, dt, dn) { diff --git a/erpnext/stock/doctype/delivery_note/delivery_note.js b/erpnext/stock/doctype/delivery_note/delivery_note.js index d2e60eb0ac..009ac4c764 100644 --- a/erpnext/stock/doctype/delivery_note/delivery_note.js +++ b/erpnext/stock/doctype/delivery_note/delivery_note.js @@ -38,7 +38,8 @@ erpnext.stock.DeliveryNoteController = erpnext.selling.SellingController.extend( } if(doc.docstatus==0 && !doc.__islocal) { - cur_frm.add_custom_button(__('Make Packing Slip'), cur_frm.cscript['Make Packing Slip']); + cur_frm.add_custom_button(__('Make Packing Slip'), + cur_frm.cscript['Make Packing Slip'], frappe.boot.doctype_icons["Packing Slip"], "btn-default"); } erpnext.stock.delivery_note.set_print_hide(doc, dt, dn); @@ -62,7 +63,7 @@ erpnext.stock.DeliveryNoteController = erpnext.selling.SellingController.extend( company: cur_frm.doc.company } }) - }); + }, "icon-download", "btn-default"); } }, diff --git a/erpnext/stock/doctype/material_request/material_request.js b/erpnext/stock/doctype/material_request/material_request.js index 7a47765a2c..e592f8df4d 100644 --- a/erpnext/stock/doctype/material_request/material_request.js +++ b/erpnext/stock/doctype/material_request/material_request.js @@ -30,26 +30,30 @@ erpnext.buying.MaterialRequestController = erpnext.buying.BuyingController.exten } if(doc.docstatus==0) { - cur_frm.add_custom_button(__("Get Items from BOM"), cur_frm.cscript.get_items_from_bom, "icon-sitemap"); + cur_frm.add_custom_button(__("Get Items from BOM"), + cur_frm.cscript.get_items_from_bom, "icon-sitemap", "btn-default"); } if(doc.docstatus == 1 && doc.status != 'Stopped') { if(doc.material_request_type === "Purchase") cur_frm.add_custom_button(__("Make Supplier Quotation"), - this.make_supplier_quotation); + this.make_supplier_quotation, + frappe.boot.doctype_icons["Supplier Quotation"]); if(doc.material_request_type === "Transfer" && doc.status === "Submitted") - cur_frm.add_custom_button(__("Transfer Material"), this.make_stock_entry); + cur_frm.add_custom_button(__("Transfer Material"), this.make_stock_entry, + frappe.boot.doctype_icons["Stock Entry"]); if(flt(doc.per_ordered, 2) < 100) { if(doc.material_request_type === "Purchase") cur_frm.add_custom_button(__('Make Purchase Order'), - this.make_purchase_order); + this.make_purchase_order, frappe.boot.doctype_icons["Purchase Order"]); - cur_frm.add_custom_button(__('Stop Material Request'), - cur_frm.cscript['Stop Material Request'], "icon-exclamation"); + cur_frm.add_custom_button(__('Stop'), + cur_frm.cscript['Stop Material Request'], "icon-exclamation", "btn-default"); } - cur_frm.add_custom_button(__('Send SMS'), cur_frm.cscript.send_sms, "icon-mobile-phone"); + cur_frm.add_custom_button(__('Send SMS'), cur_frm.cscript.send_sms, + "icon-mobile-phone", true); } @@ -66,7 +70,7 @@ erpnext.buying.MaterialRequestController = erpnext.buying.BuyingController.exten company: cur_frm.doc.company } }) - }); + }, "icon-download", "btn-default"); } if(doc.docstatus == 1 && doc.status == 'Stopped') diff --git a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js index f80b4f8f4c..632d42c26e 100644 --- a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +++ b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js @@ -16,14 +16,15 @@ erpnext.stock.PurchaseReceiptController = erpnext.buying.BuyingController.extend if(this.frm.doc.docstatus == 1) { if(this.frm.doc.__onload && !this.frm.doc.__onload.billing_complete) { - cur_frm.add_custom_button(__('Make Purchase Invoice'), this.make_purchase_invoice); + cur_frm.add_custom_button(__('Make Purchase Invoice'), this.make_purchase_invoice, + frappe.boot.doctype_icons["Purchase Invoice"]); } - cur_frm.add_custom_button('Send SMS', cur_frm.cscript.send_sms); + cur_frm.add_custom_button('Send SMS', cur_frm.cscript.send_sms, "icon-mobile-phone", true); this.show_stock_ledger(); this.show_general_ledger(); } else { - cur_frm.add_custom_button(__(__('From Purchase Order')), + cur_frm.add_custom_button(__('From Purchase Order'), function() { frappe.model.map_current_doc({ method: "erpnext.buying.doctype.purchase_order.purchase_order.make_purchase_receipt", @@ -36,7 +37,7 @@ erpnext.stock.PurchaseReceiptController = erpnext.buying.BuyingController.extend company: cur_frm.doc.company } }) - }); + }, "icon-download", "btn-default"); } }, diff --git a/erpnext/stock/doctype/serial_no/serial_no.js b/erpnext/stock/doctype/serial_no/serial_no.js index dce9d4569c..e7c2c37862 100644 --- a/erpnext/stock/doctype/serial_no/serial_no.js +++ b/erpnext/stock/doctype/serial_no/serial_no.js @@ -22,5 +22,5 @@ frappe.ui.form.on("Serial No", "refresh", function(frm) { cur_frm.add_custom_button(__('Set Status as Available'), function() { cur_frm.set_value("status", "Available"); cur_frm.save(); - }); + }, "icon-ok", "btn-default"); }); diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.js b/erpnext/stock/doctype/stock_entry/stock_entry.js index 96b2cd5b70..af6493d27f 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry.js +++ b/erpnext/stock/doctype/stock_entry/stock_entry.js @@ -71,10 +71,12 @@ erpnext.stock.StockEntry = erpnext.stock.StockController.extend({ if(this.frm.doc.docstatus === 1 && frappe.boot.user.can_create.indexOf("Journal Voucher")!==-1) { if(this.frm.doc.purpose === "Sales Return") { - this.frm.add_custom_button(__("Make Credit Note"), function() { me.make_return_jv(); }); + this.frm.add_custom_button(__("Make Credit Note"), + function() { me.make_return_jv(); }, frappe.boot.doctype_icons["Journal Voucher"]); this.add_excise_button(); } else if(this.frm.doc.purpose === "Purchase Return") { - this.frm.add_custom_button(__("Make Debit Note"), function() { me.make_return_jv(); }); + this.frm.add_custom_button(__("Make Debit Note"), + function() { me.make_return_jv(); }, frappe.boot.doctype_icons["Journal Voucher"]); this.add_excise_button(); } } @@ -199,7 +201,7 @@ erpnext.stock.StockEntry = erpnext.stock.StockController.extend({ excise = locals['Journal Voucher'][excise]; excise.voucher_type = 'Excise Voucher'; loaddoc('Journal Voucher', excise.name); - }); + }, frappe.boot.doctype_icons["Journal Voucher"], "btn-default"); }, make_return_jv: function() { diff --git a/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.js b/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.js index 5373436525..432a999b4a 100644 --- a/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.js +++ b/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.js @@ -124,7 +124,7 @@ erpnext.stock.StockReconciliation = erpnext.stock.StockController.extend({ this.title = __("Stock Reconcilation Data"); frappe.tools.downloadify(JSON.parse(me.frm.doc.reconciliation_json), null, this); return false; - }, "icon-download"); + }, "icon-download", "btn-default"); } }, diff --git a/erpnext/support/doctype/customer_issue/customer_issue.js b/erpnext/support/doctype/customer_issue/customer_issue.js index 036f14ea3d..67a265dd02 100644 --- a/erpnext/support/doctype/customer_issue/customer_issue.js +++ b/erpnext/support/doctype/customer_issue/customer_issue.js @@ -13,7 +13,8 @@ frappe.ui.form.on_change("Customer Issue", "contact_person", erpnext.support.CustomerIssue = frappe.ui.form.Controller.extend({ refresh: function() { if((cur_frm.doc.status=='Open' || cur_frm.doc.status == 'Work In Progress')) { - cur_frm.add_custom_button(__('Make Maintenance Visit'), this.make_maintenance_visit) + cur_frm.add_custom_button(__('Make Maintenance Visit'), + this.make_maintenance_visit, frappe.boot.doctype_icons["Maintenance Visit"], "btn-default") } }, diff --git a/erpnext/support/doctype/maintenance_schedule/maintenance_schedule.js b/erpnext/support/doctype/maintenance_schedule/maintenance_schedule.js index 17cc29da04..a31dfa6e58 100644 --- a/erpnext/support/doctype/maintenance_schedule/maintenance_schedule.js +++ b/erpnext/support/doctype/maintenance_schedule/maintenance_schedule.js @@ -28,7 +28,7 @@ erpnext.support.MaintenanceSchedule = frappe.ui.form.Controller.extend({ company: me.frm.doc.company } }); - }); + }, "icon-download", "btn-default"); } else if (this.frm.doc.docstatus === 1) { this.frm.add_custom_button(__("Make Maintenance Visit"), function() { frappe.model.open_mapped_doc({ @@ -36,7 +36,7 @@ erpnext.support.MaintenanceSchedule = frappe.ui.form.Controller.extend({ source_name: me.frm.doc.name, frm: me.frm }) - }); + }, frappe.boot.doctype_icons["Maintenance Visit"]); } }, diff --git a/erpnext/support/doctype/maintenance_visit/maintenance_visit.js b/erpnext/support/doctype/maintenance_visit/maintenance_visit.js index 0f70cf24b1..e9a7c84a30 100644 --- a/erpnext/support/doctype/maintenance_visit/maintenance_visit.js +++ b/erpnext/support/doctype/maintenance_visit/maintenance_visit.js @@ -3,18 +3,18 @@ frappe.provide("erpnext.support"); -frappe.ui.form.on_change("Maintenance Visit", "customer", function(frm) { +frappe.ui.form.on_change("Maintenance Visit", "customer", function(frm) { erpnext.utils.get_party_details(frm) }); -frappe.ui.form.on_change("Maintenance Visit", "customer_address", +frappe.ui.form.on_change("Maintenance Visit", "customer_address", erpnext.utils.get_address_display); -frappe.ui.form.on_change("Maintenance Visit", "contact_person", - erpnext.utils.get_contact_details); +frappe.ui.form.on_change("Maintenance Visit", "contact_person", + erpnext.utils.get_contact_details); // TODO commonify this code erpnext.support.MaintenanceVisit = frappe.ui.form.Controller.extend({ refresh: function() { if (this.frm.doc.docstatus===0) { - cur_frm.add_custom_button(__('From Maintenance Schedule'), + cur_frm.add_custom_button(__('From Maintenance Schedule'), function() { frappe.model.map_current_doc({ method: "erpnext.support.doctype.maintenance_schedule.maintenance_schedule.make_maintenance_visit", @@ -25,8 +25,8 @@ erpnext.support.MaintenanceVisit = frappe.ui.form.Controller.extend({ company: cur_frm.doc.company } }) - }); - cur_frm.add_custom_button(__('From Customer Issue'), + }, "icon-download", "btn-default"); + cur_frm.add_custom_button(__('From Customer Issue'), function() { frappe.model.map_current_doc({ method: "erpnext.support.doctype.customer_issue.customer_issue.make_maintenance_visit", @@ -37,8 +37,8 @@ erpnext.support.MaintenanceVisit = frappe.ui.form.Controller.extend({ company: cur_frm.doc.company } }) - }); - cur_frm.add_custom_button(__('From Sales Order'), + }, "icon-download", "btn-default"); + cur_frm.add_custom_button(__('From Sales Order'), function() { frappe.model.map_current_doc({ method: "erpnext.selling.doctype.sales_order.sales_order.make_maintenance_visit", @@ -50,7 +50,7 @@ erpnext.support.MaintenanceVisit = frappe.ui.form.Controller.extend({ company: cur_frm.doc.company } }) - }); + }, "icon-download", "btn-default"); } }, }); @@ -91,4 +91,4 @@ cur_frm.cscript.item_code = function(doc, cdt, cdn) { cur_frm.fields_dict.customer.get_query = function(doc,cdt,cdn) { return {query: "erpnext.controllers.queries.customer_query" } -} \ No newline at end of file +} diff --git a/erpnext/support/doctype/newsletter/newsletter.js b/erpnext/support/doctype/newsletter/newsletter.js index c514a214ec..9edb14cd2c 100644 --- a/erpnext/support/doctype/newsletter/newsletter.js +++ b/erpnext/support/doctype/newsletter/newsletter.js @@ -20,7 +20,7 @@ cur_frm.cscript.refresh = function(doc) { return $c_obj(doc, 'send_emails', '', function(r) { cur_frm.refresh(); }); - }) + }, "icon-play", "btn-success"); } cur_frm.cscript.setup_dashboard(); diff --git a/erpnext/support/doctype/support_ticket/support_ticket.js b/erpnext/support/doctype/support_ticket/support_ticket.js index 0144d1425e..919ae65555 100644 --- a/erpnext/support/doctype/support_ticket/support_ticket.js +++ b/erpnext/support/doctype/support_ticket/support_ticket.js @@ -15,27 +15,29 @@ $.extend(cur_frm.cscript, { '+__("Integrate incoming support emails to Support Ticket")+'

'; } }, - + refresh: function(doc) { erpnext.toggle_naming_series(); cur_frm.cscript.make_listing(doc); if(!doc.__islocal) { if(cur_frm.fields_dict.status.get_status()=="Write") { - if(doc.status!='Closed') cur_frm.add_custom_button('Close Ticket', cur_frm.cscript['Close Ticket']); - if(doc.status=='Closed') cur_frm.add_custom_button('Re-Open Ticket', cur_frm.cscript['Re-Open Ticket']); + if(doc.status!='Closed') cur_frm.add_custom_button('Close', + cur_frm.cscript['Close Ticket'], "icon-ok", "btn-success"); + if(doc.status=='Closed') cur_frm.add_custom_button('Re-Open Ticket', + cur_frm.cscript['Re-Open Ticket'], null, "btn-default"); } - + cur_frm.toggle_enable(["subject", "raised_by"], false); cur_frm.toggle_display("description", false); } refresh_field('status'); }, - + make_listing: function(doc) { var wrapper = cur_frm.fields_dict['thread_html'].wrapper; - + var comm_list = frappe.get_list("Communication", {"parent": doc.name, "parenttype":"Support Ticket"}) - + if(!comm_list.length) { comm_list.push({ "sender": doc.raised_by, @@ -43,7 +45,7 @@ $.extend(cur_frm.cscript, { "subject": doc.subject, "content": doc.description}); } - + cur_frm.communication_view = new frappe.views.CommunicationList({ list: comm_list, parent: wrapper, @@ -52,11 +54,11 @@ $.extend(cur_frm.cscript, { }) }, - + 'Close Ticket': function() { cur_frm.cscript.set_status("Closed"); }, - + 'Re-Open Ticket': function() { cur_frm.cscript.set_status("Open"); }, @@ -72,8 +74,8 @@ $.extend(cur_frm.cscript, { if(!r.exc) cur_frm.reload_doc(); } }) - + } - + }) From 69ccf9695c020e9e39f85215ed973d0e192241e5 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Fri, 8 Aug 2014 11:51:00 +0530 Subject: [PATCH 468/630] [minor] primary action --- erpnext/accounts/doctype/fiscal_year/fiscal_year.js | 4 ++-- erpnext/accounts/report/trial_balance/trial_balance.js | 4 ++-- 2 files changed, 4 insertions(+), 4 deletions(-) diff --git a/erpnext/accounts/doctype/fiscal_year/fiscal_year.js b/erpnext/accounts/doctype/fiscal_year/fiscal_year.js index 4c80ba2067..b68cfb990c 100644 --- a/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +++ b/erpnext/accounts/doctype/fiscal_year/fiscal_year.js @@ -14,8 +14,8 @@ $.extend(cur_frm.cscript, { this.frm.toggle_enable('year_end_date', doc.__islocal) if (!doc.__islocal && (doc.name != sys_defaults.fiscal_year)) { - this.frm.add_custom_button(' ' + __("Set as Default"), - this.frm.cscript.set_as_default); + this.frm.add_custom_button(__("Set as Default"), + this.frm.cscript.set_as_default, "icon-star"); this.frm.set_intro(__("To set this Fiscal Year as Default, click on 'Set as Default'")); } else { this.frm.set_intro(""); diff --git a/erpnext/accounts/report/trial_balance/trial_balance.js b/erpnext/accounts/report/trial_balance/trial_balance.js index 5050dba30f..bf9307ea9f 100644 --- a/erpnext/accounts/report/trial_balance/trial_balance.js +++ b/erpnext/accounts/report/trial_balance/trial_balance.js @@ -47,13 +47,13 @@ frappe.query_reports["Trial Balance"] = { }, { "fieldname": "with_period_closing_entry", - "label": __("With Period Closing Entry"), + "label": __("Period Closing Entry"), "fieldtype": "Check", "default": 1 }, { "fieldname": "show_zero_values", - "label": __("Show rows with zero values"), + "label": __("Show zero values"), "fieldtype": "Check" }, ], From b5e768906a0d8d15bb7175eafbaf59042d972668 Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Tue, 29 Jul 2014 16:07:43 +0530 Subject: [PATCH 469/630] built item grids for sales, purchase, stock --- erpnext/accounts/doctype/account/account.py | 1 - .../doctype/sales_invoice/sales_invoice.py | 4 + .../doctype/purchase_order/purchase_order.py | 4 + .../supplier_quotation/supplier_quotation.py | 5 + erpnext/controllers/selling_controller.py | 7 + .../selling/doctype/quotation/quotation.py | 4 + .../doctype/sales_order/sales_order.py | 4 + .../sales_order_item/sales_order_item.json | 742 +++++++++--------- .../doctype/delivery_note/delivery_note.py | 4 + .../delivery_note_item.json | 6 +- .../material_request/material_request.py | 5 + .../purchase_receipt/purchase_receipt.py | 5 + .../stock/doctype/stock_entry/stock_entry.py | 4 + .../stock_entry_detail.json | 9 +- .../form_grid/includes/visible_cols.html | 13 + erpnext/templates/form_grid/item_grid.html | 109 +++ .../form_grid/material_request_grid.html | 52 ++ .../templates/form_grid/stock_entry_grid.html | 42 + 18 files changed, 642 insertions(+), 378 deletions(-) create mode 100644 erpnext/templates/form_grid/includes/visible_cols.html create mode 100644 erpnext/templates/form_grid/item_grid.html create mode 100644 erpnext/templates/form_grid/material_request_grid.html create mode 100644 erpnext/templates/form_grid/stock_entry_grid.html diff --git a/erpnext/accounts/doctype/account/account.py b/erpnext/accounts/doctype/account/account.py index 5b034f8b23..2f60dca904 100644 --- a/erpnext/accounts/doctype/account/account.py +++ b/erpnext/accounts/doctype/account/account.py @@ -16,7 +16,6 @@ class Account(Document): if not frozen_accounts_modifier or frozen_accounts_modifier in frappe.user.get_roles(): self.get("__onload").can_freeze_account = True - def autoname(self): self.name = self.account_name.strip() + ' - ' + \ frappe.db.get_value("Company", self.company, "abbr") diff --git a/erpnext/accounts/doctype/sales_invoice/sales_invoice.py b/erpnext/accounts/doctype/sales_invoice/sales_invoice.py index 8f82fc6284..1205646cbf 100644 --- a/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +++ b/erpnext/accounts/doctype/sales_invoice/sales_invoice.py @@ -18,6 +18,10 @@ month_map = {'Monthly': 1, 'Quarterly': 3, 'Half-yearly': 6, 'Yearly': 12} from erpnext.controllers.selling_controller import SellingController +form_grid_templates = { + "entries": "templates/form_grid/item_grid.html" +} + class SalesInvoice(SellingController): tname = 'Sales Invoice Item' fname = 'entries' diff --git a/erpnext/buying/doctype/purchase_order/purchase_order.py b/erpnext/buying/doctype/purchase_order/purchase_order.py index f9f5103726..04ad37fc72 100644 --- a/erpnext/buying/doctype/purchase_order/purchase_order.py +++ b/erpnext/buying/doctype/purchase_order/purchase_order.py @@ -8,6 +8,10 @@ from frappe import msgprint, _, throw from frappe.model.mapper import get_mapped_doc from erpnext.controllers.buying_controller import BuyingController +form_grid_templates = { + "po_details": "templates/form_grid/item_grid.html" +} + class PurchaseOrder(BuyingController): tname = 'Purchase Order Item' fname = 'po_details' diff --git a/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py b/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py index 2af7bb93a6..d009bac241 100644 --- a/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py +++ b/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py @@ -6,6 +6,11 @@ import frappe from frappe.model.mapper import get_mapped_doc from erpnext.controllers.buying_controller import BuyingController + +form_grid_templates = { + "quotation_items": "templates/form_grid/item_grid.html" +} + class SupplierQuotation(BuyingController): tname = "Supplier Quotation Item" fname = "quotation_items" diff --git a/erpnext/controllers/selling_controller.py b/erpnext/controllers/selling_controller.py index 7faba41b77..dd58758546 100644 --- a/erpnext/controllers/selling_controller.py +++ b/erpnext/controllers/selling_controller.py @@ -6,6 +6,7 @@ import frappe from frappe.utils import cint, flt, rounded, cstr, comma_or from erpnext.setup.utils import get_company_currency from frappe import _, throw +from erpnext.stock.get_item_details import get_available_qty from erpnext.controllers.stock_controller import StockController @@ -17,6 +18,12 @@ class SellingController(StockController): "other_charges": "templates/print_formats/includes/taxes.html", } + def onload(self): + if self.doctype in ("Sales Order", "Delivery Note", "Sales Invoice"): + for item in self.get(self.fname): + item.update(get_available_qty(item.item_code, + item.warehouse)) + def validate(self): super(SellingController, self).validate() self.validate_max_discount() diff --git a/erpnext/selling/doctype/quotation/quotation.py b/erpnext/selling/doctype/quotation/quotation.py index f396191a2d..ab6e4baec8 100644 --- a/erpnext/selling/doctype/quotation/quotation.py +++ b/erpnext/selling/doctype/quotation/quotation.py @@ -9,6 +9,10 @@ from frappe import _ from erpnext.controllers.selling_controller import SellingController +form_grid_templates = { + "quotation_details": "templates/form_grid/item_grid.html" +} + class Quotation(SellingController): tname = 'Quotation Item' fname = 'quotation_details' diff --git a/erpnext/selling/doctype/sales_order/sales_order.py b/erpnext/selling/doctype/sales_order/sales_order.py index e0a7a1d62d..37b26fdb48 100644 --- a/erpnext/selling/doctype/sales_order/sales_order.py +++ b/erpnext/selling/doctype/sales_order/sales_order.py @@ -12,6 +12,10 @@ from frappe.model.mapper import get_mapped_doc from erpnext.controllers.selling_controller import SellingController +form_grid_templates = { + "sales_order_details": "templates/form_grid/item_grid.html" +} + class SalesOrder(SellingController): tname = 'Sales Order Item' fname = 'sales_order_details' diff --git a/erpnext/selling/doctype/sales_order_item/sales_order_item.json b/erpnext/selling/doctype/sales_order_item/sales_order_item.json index eb0c024723..4ea3fecfde 100644 --- a/erpnext/selling/doctype/sales_order_item/sales_order_item.json +++ b/erpnext/selling/doctype/sales_order_item/sales_order_item.json @@ -1,443 +1,443 @@ { - "autoname": "SOD/.#####", - "creation": "2013-03-07 11:42:58", - "docstatus": 0, - "doctype": "DocType", + "autoname": "SOD/.#####", + "creation": "2013-03-07 11:42:58", + "docstatus": 0, + "doctype": "DocType", "fields": [ { - "fieldname": "item_code", - "fieldtype": "Link", - "in_filter": 1, - "in_list_view": 1, - "label": "Item Code", - "oldfieldname": "item_code", - "oldfieldtype": "Link", - "options": "Item", - "permlevel": 0, - "print_width": "150px", - "read_only": 0, - "reqd": 1, - "search_index": 1, + "fieldname": "item_code", + "fieldtype": "Link", + "in_filter": 1, + "in_list_view": 1, + "label": "Item Code", + "oldfieldname": "item_code", + "oldfieldtype": "Link", + "options": "Item", + "permlevel": 0, + "print_width": "150px", + "read_only": 0, + "reqd": 1, + "search_index": 1, "width": "150px" - }, + }, { - "fieldname": "customer_item_code", - "fieldtype": "Data", - "hidden": 1, - "in_list_view": 0, - "label": "Customer's Item Code", - "permlevel": 0, - "print_hide": 1, + "fieldname": "customer_item_code", + "fieldtype": "Data", + "hidden": 1, + "in_list_view": 0, + "label": "Customer's Item Code", + "permlevel": 0, + "print_hide": 1, "read_only": 1 - }, + }, { - "fieldname": "item_name", - "fieldtype": "Data", - "in_list_view": 0, - "label": "Item Name", - "oldfieldname": "item_name", - "oldfieldtype": "Data", - "permlevel": 0, - "print_hide": 1, - "print_width": "150", - "read_only": 0, - "reqd": 1, + "fieldname": "item_name", + "fieldtype": "Data", + "in_list_view": 0, + "label": "Item Name", + "oldfieldname": "item_name", + "oldfieldtype": "Data", + "permlevel": 0, + "print_hide": 1, + "print_width": "150", + "read_only": 0, + "reqd": 1, "width": "150" - }, + }, { - "fieldname": "col_break1", - "fieldtype": "Column Break", + "fieldname": "col_break1", + "fieldtype": "Column Break", "permlevel": 0 - }, + }, { - "fieldname": "description", - "fieldtype": "Small Text", - "in_filter": 1, - "in_list_view": 1, - "label": "Description", - "oldfieldname": "description", - "oldfieldtype": "Small Text", - "permlevel": 0, - "print_width": "300px", - "read_only": 0, - "reqd": 1, - "search_index": 1, + "fieldname": "description", + "fieldtype": "Small Text", + "in_filter": 1, + "in_list_view": 1, + "label": "Description", + "oldfieldname": "description", + "oldfieldtype": "Small Text", + "permlevel": 0, + "print_width": "300px", + "read_only": 0, + "reqd": 1, + "search_index": 1, "width": "300px" - }, + }, { - "fieldname": "quantity_and_rate", - "fieldtype": "Section Break", - "in_list_view": 0, - "label": "Quantity and Rate", + "fieldname": "quantity_and_rate", + "fieldtype": "Section Break", + "in_list_view": 0, + "label": "Quantity and Rate", "permlevel": 0 - }, + }, { - "fieldname": "qty", - "fieldtype": "Float", - "in_list_view": 1, - "label": "Quantity", - "oldfieldname": "qty", - "oldfieldtype": "Currency", - "permlevel": 0, - "print_width": "100px", - "read_only": 0, - "reqd": 1, + "fieldname": "qty", + "fieldtype": "Float", + "in_list_view": 1, + "label": "Quantity", + "oldfieldname": "qty", + "oldfieldtype": "Currency", + "permlevel": 0, + "print_width": "100px", + "read_only": 0, + "reqd": 1, "width": "100px" - }, + }, { - "fieldname": "price_list_rate", - "fieldtype": "Currency", - "in_list_view": 0, - "label": "Price List Rate", - "oldfieldname": "ref_rate", - "oldfieldtype": "Currency", - "options": "currency", - "permlevel": 0, - "print_hide": 1, - "print_width": "70px", - "read_only": 1, - "reqd": 0, + "fieldname": "price_list_rate", + "fieldtype": "Currency", + "in_list_view": 0, + "label": "Price List Rate", + "oldfieldname": "ref_rate", + "oldfieldtype": "Currency", + "options": "currency", + "permlevel": 0, + "print_hide": 1, + "print_width": "70px", + "read_only": 1, + "reqd": 0, "width": "70px" - }, + }, { - "fieldname": "discount_percentage", - "fieldtype": "Percent", - "in_list_view": 0, - "label": "Discount(%)", - "oldfieldname": "adj_rate", - "oldfieldtype": "Float", - "permlevel": 0, - "print_hide": 1, - "print_width": "70px", - "read_only": 0, + "fieldname": "discount_percentage", + "fieldtype": "Float", + "in_list_view": 0, + "label": "Discount(%)", + "oldfieldname": "adj_rate", + "oldfieldtype": "Float", + "permlevel": 0, + "print_hide": 1, + "print_width": "70px", + "read_only": 0, "width": "70px" - }, + }, { - "fieldname": "col_break2", - "fieldtype": "Column Break", + "fieldname": "col_break2", + "fieldtype": "Column Break", "permlevel": 0 - }, + }, { - "fieldname": "stock_uom", - "fieldtype": "Link", - "hidden": 0, - "in_list_view": 0, - "label": "UOM", - "oldfieldname": "stock_uom", - "oldfieldtype": "Data", - "options": "UOM", - "permlevel": 0, - "print_width": "70px", - "read_only": 1, - "reqd": 0, + "fieldname": "stock_uom", + "fieldtype": "Link", + "hidden": 0, + "in_list_view": 0, + "label": "UOM", + "oldfieldname": "stock_uom", + "oldfieldtype": "Data", + "options": "UOM", + "permlevel": 0, + "print_width": "70px", + "read_only": 1, + "reqd": 0, "width": "70px" - }, + }, { - "fieldname": "base_price_list_rate", - "fieldtype": "Currency", - "in_list_view": 0, - "label": "Price List Rate (Company Currency)", - "oldfieldname": "base_ref_rate", - "oldfieldtype": "Currency", - "options": "Company:company:default_currency", - "permlevel": 0, - "print_hide": 1, - "print_width": "100px", - "read_only": 1, + "fieldname": "base_price_list_rate", + "fieldtype": "Currency", + "in_list_view": 0, + "label": "Price List Rate (Company Currency)", + "oldfieldname": "base_ref_rate", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", + "permlevel": 0, + "print_hide": 1, + "print_width": "100px", + "read_only": 1, "width": "100px" - }, + }, { - "fieldname": "section_break_simple1", - "fieldtype": "Section Break", + "fieldname": "section_break_simple1", + "fieldtype": "Section Break", "permlevel": 0 - }, + }, { - "fieldname": "rate", - "fieldtype": "Currency", - "in_list_view": 1, - "label": "Rate", - "oldfieldname": "export_rate", - "oldfieldtype": "Currency", - "options": "currency", - "permlevel": 0, - "print_width": "100px", - "read_only": 0, - "reqd": 0, + "fieldname": "rate", + "fieldtype": "Currency", + "in_list_view": 1, + "label": "Rate", + "oldfieldname": "export_rate", + "oldfieldtype": "Currency", + "options": "currency", + "permlevel": 0, + "print_width": "100px", + "read_only": 0, + "reqd": 0, "width": "100px" - }, + }, { - "fieldname": "amount", - "fieldtype": "Currency", - "in_list_view": 1, - "label": "Amount", - "no_copy": 0, - "oldfieldname": "export_amount", - "oldfieldtype": "Currency", - "options": "currency", - "permlevel": 0, - "print_width": "100px", - "read_only": 1, - "reqd": 0, + "fieldname": "amount", + "fieldtype": "Currency", + "in_list_view": 1, + "label": "Amount", + "no_copy": 0, + "oldfieldname": "export_amount", + "oldfieldtype": "Currency", + "options": "currency", + "permlevel": 0, + "print_width": "100px", + "read_only": 1, + "reqd": 0, "width": "100px" - }, + }, { - "fieldname": "col_break3", - "fieldtype": "Column Break", + "fieldname": "col_break3", + "fieldtype": "Column Break", "permlevel": 0 - }, + }, { - "fieldname": "base_rate", - "fieldtype": "Currency", - "in_list_view": 0, - "label": "Basic Rate (Company Currency)", - "oldfieldname": "basic_rate", - "oldfieldtype": "Currency", - "options": "Company:company:default_currency", - "permlevel": 0, - "print_hide": 1, - "print_width": "100px", - "read_only": 1, - "reqd": 0, + "fieldname": "base_rate", + "fieldtype": "Currency", + "in_list_view": 0, + "label": "Basic Rate (Company Currency)", + "oldfieldname": "basic_rate", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", + "permlevel": 0, + "print_hide": 1, + "print_width": "100px", + "read_only": 1, + "reqd": 0, "width": "100px" - }, + }, { - "fieldname": "base_amount", - "fieldtype": "Currency", - "in_list_view": 0, - "label": "Amount (Company Currency)", - "no_copy": 0, - "oldfieldname": "amount", - "oldfieldtype": "Currency", - "options": "Company:company:default_currency", - "permlevel": 0, - "print_hide": 1, - "print_width": "100px", - "read_only": 1, - "reqd": 0, + "fieldname": "base_amount", + "fieldtype": "Currency", + "in_list_view": 0, + "label": "Amount (Company Currency)", + "no_copy": 0, + "oldfieldname": "amount", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", + "permlevel": 0, + "print_hide": 1, + "print_width": "100px", + "read_only": 1, + "reqd": 0, "width": "100px" - }, + }, { - "fieldname": "pricing_rule", - "fieldtype": "Link", - "label": "Pricing Rule", - "options": "Pricing Rule", - "permlevel": 0, + "fieldname": "pricing_rule", + "fieldtype": "Link", + "label": "Pricing Rule", + "options": "Pricing Rule", + "permlevel": 0, "read_only": 1 - }, + }, { - "fieldname": "warehouse_and_reference", - "fieldtype": "Section Break", - "in_list_view": 0, - "label": "Warehouse and Reference", + "fieldname": "warehouse_and_reference", + "fieldtype": "Section Break", + "in_list_view": 0, + "label": "Warehouse and Reference", "permlevel": 0 - }, + }, { - "fieldname": "warehouse", - "fieldtype": "Link", - "in_list_view": 0, - "label": "Reserved Warehouse", - "no_copy": 0, - "oldfieldname": "reserved_warehouse", - "oldfieldtype": "Link", - "options": "Warehouse", - "permlevel": 0, - "print_hide": 1, - "print_width": "150px", - "read_only": 0, - "reqd": 0, + "fieldname": "warehouse", + "fieldtype": "Link", + "in_list_view": 0, + "label": "Reserved Warehouse", + "no_copy": 0, + "oldfieldname": "reserved_warehouse", + "oldfieldtype": "Link", + "options": "Warehouse", + "permlevel": 0, + "print_hide": 1, + "print_width": "150px", + "read_only": 0, + "reqd": 0, "width": "150px" - }, + }, { - "fieldname": "prevdoc_docname", - "fieldtype": "Link", - "hidden": 0, - "in_filter": 1, - "in_list_view": 0, - "label": "Quotation", - "no_copy": 1, - "oldfieldname": "prevdoc_docname", - "oldfieldtype": "Link", - "options": "Quotation", - "permlevel": 0, - "print_hide": 1, - "read_only": 1, + "fieldname": "prevdoc_docname", + "fieldtype": "Link", + "hidden": 0, + "in_filter": 1, + "in_list_view": 0, + "label": "Quotation", + "no_copy": 1, + "oldfieldname": "prevdoc_docname", + "oldfieldtype": "Link", + "options": "Quotation", + "permlevel": 0, + "print_hide": 1, + "read_only": 1, "search_index": 1 - }, + }, { - "fieldname": "brand", - "fieldtype": "Link", - "hidden": 1, - "in_filter": 1, - "in_list_view": 0, - "label": "Brand Name", - "oldfieldname": "brand", - "oldfieldtype": "Link", - "options": "Brand", - "permlevel": 0, - "print_hide": 1, - "read_only": 1, + "fieldname": "brand", + "fieldtype": "Link", + "hidden": 1, + "in_filter": 1, + "in_list_view": 0, + "label": "Brand Name", + "oldfieldname": "brand", + "oldfieldtype": "Link", + "options": "Brand", + "permlevel": 0, + "print_hide": 1, + "read_only": 1, "search_index": 1 - }, + }, { - "description": "Add / Edit", - "fieldname": "item_group", - "fieldtype": "Link", - "hidden": 1, - "in_filter": 1, - "in_list_view": 0, - "label": "Item Group", - "oldfieldname": "item_group", - "oldfieldtype": "Link", - "options": "Item Group", - "permlevel": 0, - "print_hide": 1, - "read_only": 1, + "description": "Add / Edit", + "fieldname": "item_group", + "fieldtype": "Link", + "hidden": 1, + "in_filter": 1, + "in_list_view": 0, + "label": "Item Group", + "oldfieldname": "item_group", + "oldfieldtype": "Link", + "options": "Item Group", + "permlevel": 0, + "print_hide": 1, + "read_only": 1, "search_index": 1 - }, + }, { - "allow_on_submit": 1, - "fieldname": "page_break", - "fieldtype": "Check", - "in_list_view": 0, - "label": "Page Break", - "oldfieldname": "page_break", - "oldfieldtype": "Check", - "permlevel": 0, - "print_hide": 1, - "read_only": 0, + "allow_on_submit": 1, + "fieldname": "page_break", + "fieldtype": "Check", + "in_list_view": 0, + "label": "Page Break", + "oldfieldname": "page_break", + "oldfieldtype": "Check", + "permlevel": 0, + "print_hide": 1, + "read_only": 0, "report_hide": 1 - }, + }, { - "fieldname": "col_break4", - "fieldtype": "Column Break", + "fieldname": "col_break4", + "fieldtype": "Column Break", "permlevel": 0 - }, + }, { - "fieldname": "projected_qty", - "fieldtype": "Float", - "hidden": 1, - "in_list_view": 0, - "label": "Projected Qty", - "no_copy": 1, - "oldfieldname": "projected_qty", - "oldfieldtype": "Currency", - "permlevel": 0, - "print_hide": 1, - "print_width": "70px", - "read_only": 1, + "fieldname": "projected_qty", + "fieldtype": "Float", + "hidden": 0, + "in_list_view": 0, + "label": "Projected Qty", + "no_copy": 1, + "oldfieldname": "projected_qty", + "oldfieldtype": "Currency", + "permlevel": 0, + "print_hide": 1, + "print_width": "70px", + "read_only": 1, "width": "70px" - }, + }, { - "fieldname": "actual_qty", - "fieldtype": "Float", - "in_list_view": 0, - "label": "Actual Qty", - "no_copy": 1, - "permlevel": 0, - "print_hide": 1, - "print_width": "70px", - "read_only": 1, + "fieldname": "actual_qty", + "fieldtype": "Float", + "in_list_view": 0, + "label": "Actual Qty", + "no_copy": 1, + "permlevel": 0, + "print_hide": 1, + "print_width": "70px", + "read_only": 1, "width": "70px" - }, + }, { - "fieldname": "delivered_qty", - "fieldtype": "Float", - "hidden": 0, - "in_filter": 0, - "in_list_view": 0, - "label": "Delivered Qty", - "no_copy": 1, - "oldfieldname": "delivered_qty", - "oldfieldtype": "Currency", - "permlevel": 0, - "print_hide": 1, - "print_width": "100px", - "read_only": 1, - "search_index": 0, + "fieldname": "delivered_qty", + "fieldtype": "Float", + "hidden": 0, + "in_filter": 0, + "in_list_view": 0, + "label": "Delivered Qty", + "no_copy": 1, + "oldfieldname": "delivered_qty", + "oldfieldtype": "Currency", + "permlevel": 0, + "print_hide": 1, + "print_width": "100px", + "read_only": 1, + "search_index": 0, "width": "100px" - }, + }, { - "fieldname": "billed_amt", - "fieldtype": "Currency", - "in_list_view": 0, - "label": "Billed Amt", - "no_copy": 1, - "options": "currency", - "permlevel": 0, - "print_hide": 1, + "fieldname": "billed_amt", + "fieldtype": "Currency", + "in_list_view": 0, + "label": "Billed Amt", + "no_copy": 1, + "options": "currency", + "permlevel": 0, + "print_hide": 1, "read_only": 1 - }, + }, { - "description": "For Production", - "fieldname": "planned_qty", - "fieldtype": "Float", - "hidden": 1, - "in_list_view": 0, - "label": "Planned Quantity", - "no_copy": 1, - "oldfieldname": "planned_qty", - "oldfieldtype": "Currency", - "permlevel": 0, - "print_hide": 1, - "print_width": "50px", - "read_only": 1, - "report_hide": 1, + "description": "For Production", + "fieldname": "planned_qty", + "fieldtype": "Float", + "hidden": 1, + "in_list_view": 0, + "label": "Planned Quantity", + "no_copy": 1, + "oldfieldname": "planned_qty", + "oldfieldtype": "Currency", + "permlevel": 0, + "print_hide": 1, + "print_width": "50px", + "read_only": 1, + "report_hide": 1, "width": "50px" - }, + }, { - "description": "For Production", - "fieldname": "produced_qty", - "fieldtype": "Float", - "hidden": 1, - "in_list_view": 0, - "label": "Produced Quantity", - "oldfieldname": "produced_qty", - "oldfieldtype": "Currency", - "permlevel": 0, - "print_hide": 1, - "print_width": "50px", - "read_only": 1, - "report_hide": 1, + "description": "For Production", + "fieldname": "produced_qty", + "fieldtype": "Float", + "hidden": 1, + "in_list_view": 0, + "label": "Produced Quantity", + "oldfieldname": "produced_qty", + "oldfieldtype": "Currency", + "permlevel": 0, + "print_hide": 1, + "print_width": "50px", + "read_only": 1, + "report_hide": 1, "width": "50px" - }, + }, { - "fieldname": "item_tax_rate", - "fieldtype": "Small Text", - "hidden": 1, - "in_list_view": 0, - "label": "Item Tax Rate", - "oldfieldname": "item_tax_rate", - "oldfieldtype": "Small Text", - "permlevel": 0, - "print_hide": 1, - "read_only": 1, + "fieldname": "item_tax_rate", + "fieldtype": "Small Text", + "hidden": 1, + "in_list_view": 0, + "label": "Item Tax Rate", + "oldfieldname": "item_tax_rate", + "oldfieldtype": "Small Text", + "permlevel": 0, + "print_hide": 1, + "read_only": 1, "report_hide": 1 - }, + }, { - "description": "Used for Production Plan", - "fieldname": "transaction_date", - "fieldtype": "Date", - "hidden": 1, - "in_filter": 0, - "in_list_view": 0, - "label": "Sales Order Date", - "oldfieldname": "transaction_date", - "oldfieldtype": "Date", - "permlevel": 0, - "print_hide": 1, - "read_only": 1, - "report_hide": 1, + "description": "Used for Production Plan", + "fieldname": "transaction_date", + "fieldtype": "Date", + "hidden": 1, + "in_filter": 0, + "in_list_view": 0, + "label": "Sales Order Date", + "oldfieldname": "transaction_date", + "oldfieldtype": "Date", + "permlevel": 0, + "print_hide": 1, + "read_only": 1, + "report_hide": 1, "search_index": 0 } - ], - "idx": 1, - "istable": 1, - "modified": "2014-07-31 04:55:10.143164", - "modified_by": "Administrator", - "module": "Selling", - "name": "Sales Order Item", - "owner": "Administrator", - "permissions": [], - "sort_field": "modified", + ], + "idx": 1, + "istable": 1, + "modified": "2014-07-31 04:55:10.143164", + "modified_by": "Administrator", + "module": "Selling", + "name": "Sales Order Item", + "owner": "Administrator", + "permissions": [], + "sort_field": "modified", "sort_order": "DESC" -} \ No newline at end of file +} diff --git a/erpnext/stock/doctype/delivery_note/delivery_note.py b/erpnext/stock/doctype/delivery_note/delivery_note.py index 54e4fa2acb..e831c47fe7 100644 --- a/erpnext/stock/doctype/delivery_note/delivery_note.py +++ b/erpnext/stock/doctype/delivery_note/delivery_note.py @@ -12,6 +12,10 @@ from frappe.model.mapper import get_mapped_doc from erpnext.stock.utils import update_bin from erpnext.controllers.selling_controller import SellingController +form_grid_templates = { + "delivery_note_details": "templates/form_grid/item_grid.html" +} + class DeliveryNote(SellingController): tname = 'Delivery Note Item' fname = 'delivery_note_details' diff --git a/erpnext/stock/doctype/delivery_note_item/delivery_note_item.json b/erpnext/stock/doctype/delivery_note_item/delivery_note_item.json index 2f69bc9dc9..8c5cbb7bb5 100644 --- a/erpnext/stock/doctype/delivery_note_item/delivery_note_item.json +++ b/erpnext/stock/doctype/delivery_note_item/delivery_note_item.json @@ -109,7 +109,7 @@ }, { "fieldname": "discount_percentage", - "fieldtype": "Percent", + "fieldtype": "Float", "in_list_view": 0, "label": "Discount (%)", "oldfieldname": "adj_rate", @@ -365,6 +365,7 @@ "label": "Against Sales Order", "options": "Sales Order", "permlevel": 0, + "print_hide": 1, "read_only": 1 }, { @@ -373,6 +374,7 @@ "label": "Against Sales Invoice", "options": "Sales Invoice", "permlevel": 0, + "print_hide": 1, "read_only": 1 }, { @@ -429,7 +431,7 @@ ], "idx": 1, "istable": 1, - "modified": "2014-07-24 05:56:00.218977", + "modified": "2014-07-29 06:11:36.636120", "modified_by": "Administrator", "module": "Stock", "name": "Delivery Note Item", diff --git a/erpnext/stock/doctype/material_request/material_request.py b/erpnext/stock/doctype/material_request/material_request.py index 9951fc88c2..89121e322c 100644 --- a/erpnext/stock/doctype/material_request/material_request.py +++ b/erpnext/stock/doctype/material_request/material_request.py @@ -12,6 +12,11 @@ from frappe import _ from frappe.model.mapper import get_mapped_doc from erpnext.controllers.buying_controller import BuyingController + +form_grid_templates = { + "indent_details": "templates/form_grid/material_request_grid.html" +} + class MaterialRequest(BuyingController): tname = 'Material Request Item' fname = 'indent_details' diff --git a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py index 74f1198752..5f56149607 100644 --- a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +++ b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py @@ -11,6 +11,11 @@ import frappe.defaults from erpnext.stock.utils import update_bin from erpnext.controllers.buying_controller import BuyingController + +form_grid_templates = { + "purchase_receipt_details": "templates/form_grid/item_grid.html" +} + class PurchaseReceipt(BuyingController): tname = 'Purchase Receipt Item' fname = 'purchase_receipt_details' diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.py b/erpnext/stock/doctype/stock_entry/stock_entry.py index 861d967596..413aa4741a 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry.py +++ b/erpnext/stock/doctype/stock_entry/stock_entry.py @@ -19,6 +19,10 @@ class DuplicateEntryForProductionOrderError(frappe.ValidationError): pass from erpnext.controllers.stock_controller import StockController +form_grid_templates = { + "mtn_details": "templates/form_grid/stock_entry_grid.html" +} + class StockEntry(StockController): fname = 'mtn_details' diff --git a/erpnext/stock/doctype/stock_entry_detail/stock_entry_detail.json b/erpnext/stock/doctype/stock_entry_detail/stock_entry_detail.json index 0bdc9a8e5e..e2f2c59d5b 100644 --- a/erpnext/stock/doctype/stock_entry_detail/stock_entry_detail.json +++ b/erpnext/stock/doctype/stock_entry_detail/stock_entry_detail.json @@ -1,6 +1,6 @@ { "autoname": "MTND/.######", - "creation": "2013-03-29 18:22:12.000000", + "creation": "2013-03-29 18:22:12", "docstatus": 0, "doctype": "DocType", "fields": [ @@ -190,7 +190,7 @@ "oldfieldtype": "Link", "options": "Batch", "permlevel": 0, - "print_hide": 1, + "print_hide": 0, "read_only": 0 }, { @@ -300,9 +300,10 @@ ], "idx": 1, "istable": 1, - "modified": "2014-02-03 12:59:27.000000", + "modified": "2014-07-29 05:28:21.872968", "modified_by": "Administrator", "module": "Stock", "name": "Stock Entry Detail", - "owner": "Administrator" + "owner": "Administrator", + "permissions": [] } \ No newline at end of file diff --git a/erpnext/templates/form_grid/includes/visible_cols.html b/erpnext/templates/form_grid/includes/visible_cols.html new file mode 100644 index 0000000000..82f15c29db --- /dev/null +++ b/erpnext/templates/form_grid/includes/visible_cols.html @@ -0,0 +1,13 @@ +{% $.each(visible_columns || [], function(i, df) { %} + {% var val = row.get_formatted(df.fieldname); + if(val) { %} +
+
+ {%= __(df.label) %}: +
+
+ {%= row.get_formatted(df.fieldname) %} +
+
+ {% } %} +{% }); %} diff --git a/erpnext/templates/form_grid/item_grid.html b/erpnext/templates/form_grid/item_grid.html new file mode 100644 index 0000000000..2c03ef9b71 --- /dev/null +++ b/erpnext/templates/form_grid/item_grid.html @@ -0,0 +1,109 @@ +{% var visible_columns = row.get_visible_columns(["item_code", "item_name", "description", "qty", "rate", "amount", "stock_uom", "uom", "discount_percentage", "schedule_date", "warehouse", "against_sales_order", "sales_order"]); %} + +{% if(!doc) { %} +
+
{%= __("Item") %}
+
{%= __("Qty") %}
+
{%= __("Rate") %}
+
{%= __("Amount") %}
+
+{% } else { %} +
+
{%= doc.item_code %} + {% if(doc.item_name != doc.item_code) { %} +
{%= doc.item_name %}{% } %} + {% if(doc.item_name != doc.description) { %} +

{%= doc.description %}

{% } %} + {% if(doc.sales_order || doc.against_sales_order) { %} +

+ + {%= doc.sales_order || doc.against_sales_order %} +

+ {% } %} + {% include "templates/form_grid/includes/visible_cols.html" %} + {% if(doc.schedule_date) { %} +
+ {%= row.get_formatted("schedule_date") %} + {% } %} +
+ + +
+ {%= row.get_formatted("qty") %} +
{%= doc.uom || doc.stock_uom %} + {% if(in_list(["Sales Order Item", "Purchase Order Item"], + doc.doctype) && frm.doc.docstatus===1) { + var delivered = doc.doctype==="Sales Order Item" ? + doc.delivered_qty : doc.received_qty, + percent_delivered = + 100 - cint((doc.qty - delivered) * 100 / doc.qty); + %} +
+
+ {%= percent_delivered %}% +
+
+ {% } %} + {% if(doc.warehouse) { + var label_class = "label-default", + title = "Warehouse", + actual_qty = (doc.doctype==="Sales Order" + ? doc.projected_qty : doc.actual_qty); + if(actual_qty != undefined) { + if(actual_qty > doc.qty) { + var label_class = "label-success"; + var title = "In Stock" + } else { + var title = "Not In Stock" + } + } + %} +
+ + {%= doc.warehouse %} + +
+ {% } %} +
+ + +
+ {%= row.get_formatted("rate") %} + {% if(doc.discount_percentage) { %} +
+ {%= -1 * doc.discount_percentage %}% + {% }%} +
+ + +
+ {%= row.get_formatted("amount") %} + {% if(in_list(["Sales Order Item", "Purchase Order Item"], + doc.doctype) && frm.doc.docstatus===1 && doc.amount) { + var percent_billed = + 100 - cint((doc.amount - doc.billed_amt) * 100 / doc.amount); + %} +
  +
+
+ {%= percent_billed %}% +
+
+ {% } %} +
+
+{% } %} diff --git a/erpnext/templates/form_grid/material_request_grid.html b/erpnext/templates/form_grid/material_request_grid.html new file mode 100644 index 0000000000..53b875a312 --- /dev/null +++ b/erpnext/templates/form_grid/material_request_grid.html @@ -0,0 +1,52 @@ +{% var visible_columns = row.get_visible_columns(["item_code", + "item_name", "description", "amount", "stock_uom", "uom", "qty"]); %} + +{% if(!doc) { %} +
+
{%= __("Item") %}
+
{%= __("Qty") %}
+
+{% } else { %} +
+
{%= doc.item_code %} + {% if(doc.item_name != doc.item_code) { %} +
{%= doc.item_name %}{% } %} + {% if(doc.item_name != doc.description) { %} +

{%= doc.description %}

{% } %} + {% include "templates/form_grid/includes/visible_cols.html" %} + {% if(doc.schedule_date) { %} +
+ {%= row.get_formatted("schedule_date") %} + {% } %} +
+ + +
+ {%= row.get_formatted("qty") %} + {%= doc.uom || doc.stock_uom %} + {% var percent_delivered = + 100 - cint((doc.qty - cint(doc.ordered_qty)) * 100 / doc.qty); %} +
+
+ {%= percent_delivered %}% +
+
+ {% if(doc.warehouse) { %} +
+ + {%= doc.warehouse %} + +
+ {% } %} +
+
+{% } %} diff --git a/erpnext/templates/form_grid/stock_entry_grid.html b/erpnext/templates/form_grid/stock_entry_grid.html new file mode 100644 index 0000000000..56033054d2 --- /dev/null +++ b/erpnext/templates/form_grid/stock_entry_grid.html @@ -0,0 +1,42 @@ +{% var visible_columns = row.get_visible_columns(["item_code", + "item_name", "description", "amount", "stock_uom", "uom", "qty", + "s_warehouse", "t_warehouse", "incoming_rate"]); +%} + +{% if(!doc) { %} +
+
{%= __("Item") %}
+
{%= __("Qty") %}
+
{%= __("Amount") %}
+
+{% } else { %} +
+
{%= doc.item_code %} + {% if(doc.item_name != doc.item_code) { %} +
{%= doc.item_name %}{% } %} + {% if(doc.item_name != doc.description) { %} +

{%= doc.description %}

{% } %} + {% include "templates/form_grid/includes/visible_cols.html" %} +
+ {% if(doc.s_warehouse) { %} + {%= doc.s_warehouse || "" %}{% } %} + + {% if(doc.t_warehouse) { %} + {%= doc.t_warehouse || "" %}{% } %} +
+
+ + +
+ {%= row.get_formatted("qty") %} +
{%= doc.uom || doc.stock_uom %} +
+ + +
+ {%= row.get_formatted("amount") %} +
+ {%= row.get_formatted("incoming_rate") %}
+
+
+{% } %} From 67af99794da602f9ab5379011a534388ffb02a74 Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Tue, 29 Jul 2014 19:34:10 +0530 Subject: [PATCH 470/630] start custom list rendering for Sales Order --- erpnext/selling/doctype/sales_order/sales_order_list.html | 8 ++++++++ erpnext/selling/doctype/sales_order/sales_order_list.js | 3 +++ 2 files changed, 11 insertions(+) create mode 100644 erpnext/selling/doctype/sales_order/sales_order_list.html create mode 100644 erpnext/selling/doctype/sales_order/sales_order_list.js diff --git a/erpnext/selling/doctype/sales_order/sales_order_list.html b/erpnext/selling/doctype/sales_order/sales_order_list.html new file mode 100644 index 0000000000..e07fdd08d5 --- /dev/null +++ b/erpnext/selling/doctype/sales_order/sales_order_list.html @@ -0,0 +1,8 @@ +
+
{%= list.get_avatar_and_id(doc) %} + {%= doc.customer_name %} +
+
+ {%= row.get_formatted("grand_total") %} +
+
diff --git a/erpnext/selling/doctype/sales_order/sales_order_list.js b/erpnext/selling/doctype/sales_order/sales_order_list.js new file mode 100644 index 0000000000..e2ce67d697 --- /dev/null +++ b/erpnext/selling/doctype/sales_order/sales_order_list.js @@ -0,0 +1,3 @@ +frappe.listview_settings['Sales Order'] = { + add_fields: ["grand_total", "company", "currency", "customer_name"] +}; From 18eb4f5015c7cf744baf3e496f3b065750fc3064 Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Wed, 30 Jul 2014 18:32:08 +0530 Subject: [PATCH 471/630] added listviews for sales, purchase --- .../purchase_order/purchase_order_list.html | 32 +++++++++++ .../purchase_order/purchase_order_list.js | 4 ++ .../doctype/supplier/supplier_list.html | 15 ++++++ .../buying/doctype/supplier/supplier_list.js | 3 ++ .../supplier_quotation_list.html | 20 +++++++ .../supplier_quotation_list.js | 3 ++ .../doctype/customer/customer_list.html | 29 ++++++++++ .../selling/doctype/customer/customer_list.js | 3 ++ erpnext/selling/doctype/lead/lead_list.html | 18 +++++++ erpnext/selling/doctype/lead/lead_list.js | 3 ++ .../doctype/opportunity/opportunity_list.html | 23 ++++++++ .../doctype/opportunity/opportunity_list.js | 3 ++ .../doctype/quotation/quotation_list.html | 29 ++++++++++ .../doctype/quotation/quotation_list.js | 4 ++ .../doctype/sales_order/sales_order_list.html | 41 ++++++++++++-- .../doctype/sales_order/sales_order_list.js | 3 +- erpnext/stock/doctype/item/item_list.html | 53 +++++++++++++++++++ erpnext/stock/doctype/item/item_list.js | 5 ++ .../material_request_list.html | 28 ++++++++++ .../material_request/material_request_list.js | 3 ++ .../doctype/stock_entry/stock_entry_list.html | 48 +++++++++++++++++ .../doctype/stock_entry/stock_entry_list.js | 3 ++ .../form_grid/includes/progress.html | 8 +++ .../form_grid/includes/visible_cols.html | 4 +- erpnext/templates/form_grid/item_grid.html | 37 +++++-------- .../form_grid/material_request_grid.html | 23 +++----- .../templates/form_grid/stock_entry_grid.html | 6 +-- .../utilities/doctype/contact/contact.json | 11 ++-- erpnext/utilities/doctype/note/note.json | 6 +-- erpnext/utilities/doctype/note/test_note.py | 10 ++++ .../utilities/doctype/note/test_records.json | 6 +++ 31 files changed, 427 insertions(+), 57 deletions(-) create mode 100644 erpnext/buying/doctype/purchase_order/purchase_order_list.html create mode 100644 erpnext/buying/doctype/purchase_order/purchase_order_list.js create mode 100644 erpnext/buying/doctype/supplier/supplier_list.html create mode 100644 erpnext/buying/doctype/supplier/supplier_list.js create mode 100644 erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.html create mode 100644 erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js create mode 100644 erpnext/selling/doctype/customer/customer_list.html create mode 100644 erpnext/selling/doctype/customer/customer_list.js create mode 100644 erpnext/selling/doctype/lead/lead_list.html create mode 100644 erpnext/selling/doctype/lead/lead_list.js create mode 100644 erpnext/selling/doctype/opportunity/opportunity_list.html create mode 100644 erpnext/selling/doctype/opportunity/opportunity_list.js create mode 100644 erpnext/selling/doctype/quotation/quotation_list.html create mode 100644 erpnext/selling/doctype/quotation/quotation_list.js create mode 100644 erpnext/stock/doctype/item/item_list.html create mode 100644 erpnext/stock/doctype/item/item_list.js create mode 100644 erpnext/stock/doctype/material_request/material_request_list.html create mode 100644 erpnext/stock/doctype/material_request/material_request_list.js create mode 100644 erpnext/stock/doctype/stock_entry/stock_entry_list.html create mode 100644 erpnext/stock/doctype/stock_entry/stock_entry_list.js create mode 100644 erpnext/templates/form_grid/includes/progress.html create mode 100644 erpnext/utilities/doctype/note/test_note.py create mode 100644 erpnext/utilities/doctype/note/test_records.json diff --git a/erpnext/buying/doctype/purchase_order/purchase_order_list.html b/erpnext/buying/doctype/purchase_order/purchase_order_list.html new file mode 100644 index 0000000000..beb97f43b7 --- /dev/null +++ b/erpnext/buying/doctype/purchase_order/purchase_order_list.html @@ -0,0 +1,32 @@ +
+
+
+ {%= list.get_avatar_and_id(doc) %} + + + {%= doc.supplier_name %} + {% if(doc.per_received < 100 && doc.status!=="Stopped") { %} + + {%= __("Pending") %} + + {% } %} + {% if(doc.status==="Stopped" || doc.status==="Draft") { %} + {%= __(doc.status) %} + {% } %} +
+
+
+ {% var completed = doc.per_received, title = __("Received") %} + {% include "templates/form_grid/includes/progress.html" %} +
+
+ {% var completed = doc.per_billed, title = __("Billed") %} + {% include "templates/form_grid/includes/progress.html" %} +
+
+ {%= doc.get_formatted("grand_total") %} +
+
diff --git a/erpnext/buying/doctype/purchase_order/purchase_order_list.js b/erpnext/buying/doctype/purchase_order/purchase_order_list.js new file mode 100644 index 0000000000..f4e5d3de48 --- /dev/null +++ b/erpnext/buying/doctype/purchase_order/purchase_order_list.js @@ -0,0 +1,4 @@ +frappe.listview_settings['Purchase Order'] = { + add_fields: ["grand_total", "company", "currency", "supplier", + "supplier_name", "per_received", "per_billed"] +}; diff --git a/erpnext/buying/doctype/supplier/supplier_list.html b/erpnext/buying/doctype/supplier/supplier_list.html new file mode 100644 index 0000000000..5cab239b62 --- /dev/null +++ b/erpnext/buying/doctype/supplier/supplier_list.html @@ -0,0 +1,15 @@ +
+
+
+ {%= list.get_avatar_and_id(doc) %} + {% if(doc.supplier_name != doc.name) { %} + + {%= doc.supplier_name %} + {% } %} + + {%= doc.supplier_type %} + +
+
+
diff --git a/erpnext/buying/doctype/supplier/supplier_list.js b/erpnext/buying/doctype/supplier/supplier_list.js new file mode 100644 index 0000000000..d26932c915 --- /dev/null +++ b/erpnext/buying/doctype/supplier/supplier_list.js @@ -0,0 +1,3 @@ +frappe.listview_settings['Supplier'] = { + add_fields: ["supplier_name", "supplier_type"] +}; diff --git a/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.html b/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.html new file mode 100644 index 0000000000..bd833c31d6 --- /dev/null +++ b/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.html @@ -0,0 +1,20 @@ +
+
+
+ {%= list.get_avatar_and_id(doc) %} + + + {%= doc.supplier %} + + + {%= doc.status %} +
+
+
+ {%= doc.get_formatted("grand_total") %} +
+
diff --git a/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js b/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js new file mode 100644 index 0000000000..d62a0e2435 --- /dev/null +++ b/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js @@ -0,0 +1,3 @@ +frappe.listview_settings['Supplier Quotation'] = { + add_fields: ["supplier", "grand_total", "status", "company", "currency"] +}; diff --git a/erpnext/selling/doctype/customer/customer_list.html b/erpnext/selling/doctype/customer/customer_list.html new file mode 100644 index 0000000000..3656d106a0 --- /dev/null +++ b/erpnext/selling/doctype/customer/customer_list.html @@ -0,0 +1,29 @@ +
+
+
+ {%= list.get_avatar_and_id(doc) %} + {% if(doc.customer_name != doc.name) { %} + + {%= doc.customer_name %} + {% } %} + + {% if(doc.customer_type==="Company") { %} + + {% } else { %} + + {% } %} + + + {%= doc.customer_group %} + {% if(doc.territory) { %} + + + {%= doc.territory %} + {% } %} +
+
+
diff --git a/erpnext/selling/doctype/customer/customer_list.js b/erpnext/selling/doctype/customer/customer_list.js new file mode 100644 index 0000000000..012d3f81dd --- /dev/null +++ b/erpnext/selling/doctype/customer/customer_list.js @@ -0,0 +1,3 @@ +frappe.listview_settings['Customer'] = { + add_fields: ["customer_name", "territory", "customer_group", "customer_type"] +}; diff --git a/erpnext/selling/doctype/lead/lead_list.html b/erpnext/selling/doctype/lead/lead_list.html new file mode 100644 index 0000000000..d5799b9611 --- /dev/null +++ b/erpnext/selling/doctype/lead/lead_list.html @@ -0,0 +1,18 @@ +
+
+
+ {%= list.get_avatar_and_id(doc) %} + + {%= doc.company_name %} + {%= doc.status %} + {% if(doc.territory) { %} + + + {%= doc.territory %} + {% } %} +
+
+
diff --git a/erpnext/selling/doctype/lead/lead_list.js b/erpnext/selling/doctype/lead/lead_list.js new file mode 100644 index 0000000000..b1733710a2 --- /dev/null +++ b/erpnext/selling/doctype/lead/lead_list.js @@ -0,0 +1,3 @@ +frappe.listview_settings['Lead'] = { + add_fields: ["territory", "company_name", "status", "source"] +}; diff --git a/erpnext/selling/doctype/opportunity/opportunity_list.html b/erpnext/selling/doctype/opportunity/opportunity_list.html new file mode 100644 index 0000000000..c0a948340d --- /dev/null +++ b/erpnext/selling/doctype/opportunity/opportunity_list.html @@ -0,0 +1,23 @@ +
+
+
+ {%= list.get_avatar_and_id(doc) %} + + + {%= doc.customer_name %} ({%= doc.enquiry_from %}) + + {% if(doc.enquiry_type==="Sales") { %} + + {% } else { %} + + {% } %} + + {%= doc.status %} +
+
+
diff --git a/erpnext/selling/doctype/opportunity/opportunity_list.js b/erpnext/selling/doctype/opportunity/opportunity_list.js new file mode 100644 index 0000000000..06fbe3443e --- /dev/null +++ b/erpnext/selling/doctype/opportunity/opportunity_list.js @@ -0,0 +1,3 @@ +frappe.listview_settings['Opportunity'] = { + add_fields: ["customer_name", "enquiry_type", "enquiry_from", "status"] +}; diff --git a/erpnext/selling/doctype/quotation/quotation_list.html b/erpnext/selling/doctype/quotation/quotation_list.html new file mode 100644 index 0000000000..afdce25507 --- /dev/null +++ b/erpnext/selling/doctype/quotation/quotation_list.html @@ -0,0 +1,29 @@ +
+
+
+ {%= list.get_avatar_and_id(doc) %} + + + {%= doc.customer_name %} ({%= doc.quotation_to %}) + + + + {% if(doc.order_type==="Service") { %} + + {% } else { %} + + {% } %} + + {%= doc.status %} +
+
+
+ {%= doc.get_formatted("grand_total") %} +
+
diff --git a/erpnext/selling/doctype/quotation/quotation_list.js b/erpnext/selling/doctype/quotation/quotation_list.js new file mode 100644 index 0000000000..bbc264d033 --- /dev/null +++ b/erpnext/selling/doctype/quotation/quotation_list.js @@ -0,0 +1,4 @@ +frappe.listview_settings['Quotation'] = { + add_fields: ["customer_name", "quotation_to", "grand_total", "status", + "company", "currency", "order_type", "lead", "customer"] +}; diff --git a/erpnext/selling/doctype/sales_order/sales_order_list.html b/erpnext/selling/doctype/sales_order/sales_order_list.html index e07fdd08d5..2861de036c 100644 --- a/erpnext/selling/doctype/sales_order/sales_order_list.html +++ b/erpnext/selling/doctype/sales_order/sales_order_list.html @@ -1,8 +1,41 @@
-
{%= list.get_avatar_and_id(doc) %} - {%= doc.customer_name %} +
+
+ {%= list.get_avatar_and_id(doc) %} + + + {%= doc.customer_name %} + {% if(doc.per_delivered < 100 && doc.status!=="Stopped") { %} + {% if(frappe.datetime.get_diff(doc.delivery_date) < 0) { %} + + {%= __("Overdue") %} + + {% } else { %} + + {%= doc.get_formatted("delivery_date")%} + {% } %} + {% } %} + {% if(doc.status==="Stopped") { %} + {%= __("Stopped") %} + {% } %} +
-
- {%= row.get_formatted("grand_total") %} +
+ {% var completed = doc.per_delivered, title = __("Delivered") %} + {% include "templates/form_grid/includes/progress.html" %} +
+
+ {% var completed = doc.per_billed, title = __("Billed") %} + {% include "templates/form_grid/includes/progress.html" %} +
+
+ {%= doc.get_formatted("grand_total") %}
diff --git a/erpnext/selling/doctype/sales_order/sales_order_list.js b/erpnext/selling/doctype/sales_order/sales_order_list.js index e2ce67d697..0eab5de4a5 100644 --- a/erpnext/selling/doctype/sales_order/sales_order_list.js +++ b/erpnext/selling/doctype/sales_order/sales_order_list.js @@ -1,3 +1,4 @@ frappe.listview_settings['Sales Order'] = { - add_fields: ["grand_total", "company", "currency", "customer_name"] + add_fields: ["grand_total", "company", "currency", "customer", + "customer_name", "per_delivered", "per_billed", "delivery_date"] }; diff --git a/erpnext/stock/doctype/item/item_list.html b/erpnext/stock/doctype/item/item_list.html new file mode 100644 index 0000000000..ebc2c7f345 --- /dev/null +++ b/erpnext/stock/doctype/item/item_list.html @@ -0,0 +1,53 @@ +
+
+
+ {%= list.get_avatar_and_id(doc) %} + {% if(doc.item_name != doc.name) { %} + {%= doc.item_name %} + {% } %} + {% if(doc.is_stock_item==="Yes") { %} + + + + {% } %} + {% if(doc.is_sales_item==="Yes") { %} + + + + {% } %} + {% if(doc.is_purchase_item==="Yes") { %} + + + + {% } %} + {% if(doc.is_manufactured_item==="Yes") { %} + + + + {% } %} + {% if(doc.show_in_website) { %} + + + + {% } %} + + {%= doc.item_group %} +
+
+
+ {% if(doc.image) { %} + + {% } %} +
+
diff --git a/erpnext/stock/doctype/item/item_list.js b/erpnext/stock/doctype/item/item_list.js new file mode 100644 index 0000000000..330faedf62 --- /dev/null +++ b/erpnext/stock/doctype/item/item_list.js @@ -0,0 +1,5 @@ +frappe.listview_settings['Item'] = { + add_fields: ["item_name", "stock_uom", "item_group", "image", + "is_stock_item", "is_sales_item", "is_purchase_item", + "is_manufactured_item", "show_in_website"] +}; diff --git a/erpnext/stock/doctype/material_request/material_request_list.html b/erpnext/stock/doctype/material_request/material_request_list.html new file mode 100644 index 0000000000..750f6506ec --- /dev/null +++ b/erpnext/stock/doctype/material_request/material_request_list.html @@ -0,0 +1,28 @@ +
+
+
+ {%= list.get_avatar_and_id(doc) %} + + {% if(doc.material_request_type==="Purchase") { %} + + {% } else { %} + + {% } %} + + {% if(doc.status=="Draft") { %} + {%= doc.status %} + {% } %} + {% if(doc.status=="Submitted" && doc.per_ordered < 100) { %} + {%= __("Pending") %} + {% } %} +
+
+
+ {% var completed = doc.per_ordered, title = __("Ordered") %} + {% include "templates/form_grid/includes/progress.html" %} +
+
diff --git a/erpnext/stock/doctype/material_request/material_request_list.js b/erpnext/stock/doctype/material_request/material_request_list.js new file mode 100644 index 0000000000..2a85dcc814 --- /dev/null +++ b/erpnext/stock/doctype/material_request/material_request_list.js @@ -0,0 +1,3 @@ +frappe.listview_settings['Material Request'] = { + add_fields: ["material_request_type", "status", "per_ordered"] +}; diff --git a/erpnext/stock/doctype/stock_entry/stock_entry_list.html b/erpnext/stock/doctype/stock_entry/stock_entry_list.html new file mode 100644 index 0000000000..63fc2eb14f --- /dev/null +++ b/erpnext/stock/doctype/stock_entry/stock_entry_list.html @@ -0,0 +1,48 @@ +
+
+
+ {%= list.get_avatar_and_id(doc) %} + {% var icon = { + "Material Issue": "icon-arrow-right", + "Material Receipt": "icon-arrow-left", + "Material Transfer": "icon-resize-horizontal", + "Manufacture/Repack": "icon-wrench", + "Sales Return": "icon-warning-sign", + "Purchase Return": "icon-warning-sign", + "Subcontract": "icon-truck" + }[doc.purpose]; %} + + + + {% if(doc.from_warehouse) { %} + + {%= doc.from_warehouse %} + + {% } %} + + {% if(doc.to_warehouse) { %} + + {%= doc.to_warehouse %} + + {% } %} + {% if(doc.production_order) { %} + + + + {% } %} + {% if(doc.bom_no) { %} + + + + {% } %} +
+
+
diff --git a/erpnext/stock/doctype/stock_entry/stock_entry_list.js b/erpnext/stock/doctype/stock_entry/stock_entry_list.js new file mode 100644 index 0000000000..e6a2abcf76 --- /dev/null +++ b/erpnext/stock/doctype/stock_entry/stock_entry_list.js @@ -0,0 +1,3 @@ +frappe.listview_settings['Stock Entry'] = { + add_fields: ["from_warehouse", "to_warehouse", "purpose", "production_order", "bom_no"] +}; diff --git a/erpnext/templates/form_grid/includes/progress.html b/erpnext/templates/form_grid/includes/progress.html new file mode 100644 index 0000000000..9cbe5abd64 --- /dev/null +++ b/erpnext/templates/form_grid/includes/progress.html @@ -0,0 +1,8 @@ +
+
+
+
diff --git a/erpnext/templates/form_grid/includes/visible_cols.html b/erpnext/templates/form_grid/includes/visible_cols.html index 82f15c29db..38abdd03f3 100644 --- a/erpnext/templates/form_grid/includes/visible_cols.html +++ b/erpnext/templates/form_grid/includes/visible_cols.html @@ -1,12 +1,12 @@ {% $.each(visible_columns || [], function(i, df) { %} - {% var val = row.get_formatted(df.fieldname); + {% var val = doc.get_formatted(df.fieldname); if(val) { %}
{%= __(df.label) %}:
- {%= row.get_formatted(df.fieldname) %} + {%= doc.get_formatted(df.fieldname) %}
{% } %} diff --git a/erpnext/templates/form_grid/item_grid.html b/erpnext/templates/form_grid/item_grid.html index 2c03ef9b71..73e6c2efdd 100644 --- a/erpnext/templates/form_grid/item_grid.html +++ b/erpnext/templates/form_grid/item_grid.html @@ -27,30 +27,23 @@ (frappe.datetime.get_diff(doc.schedule_date) < 1 && doc.received_qty < doc.qty) ? "label-danger" : "label-default" %}"> - {%= row.get_formatted("schedule_date") %} + {%= doc.get_formatted("schedule_date") %} {% } %}
- {%= row.get_formatted("qty") %} + {%= doc.get_formatted("qty") %}
{%= doc.uom || doc.stock_uom %} {% if(in_list(["Sales Order Item", "Purchase Order Item"], doc.doctype) && frm.doc.docstatus===1) { var delivered = doc.doctype==="Sales Order Item" ? doc.delivered_qty : doc.received_qty, - percent_delivered = - 100 - cint((doc.qty - delivered) * 100 / doc.qty); + completed = + 100 - cint((doc.qty - delivered) * 100 / doc.qty), + title = __("Delivered"); %} -
-
- {%= percent_delivered %}% -
-
+ {% include "templates/form_grid/includes/progress.html" %} {% } %} {% if(doc.warehouse) { var label_class = "label-default", @@ -78,7 +71,7 @@
- {%= row.get_formatted("rate") %} + {%= doc.get_formatted("rate") %} {% if(doc.discount_percentage) { %}
@@ -88,21 +81,15 @@
- {%= row.get_formatted("amount") %} + {%= doc.get_formatted("amount") %} {% if(in_list(["Sales Order Item", "Purchase Order Item"], doc.doctype) && frm.doc.docstatus===1 && doc.amount) { - var percent_billed = - 100 - cint((doc.amount - doc.billed_amt) * 100 / doc.amount); + var completed = + 100 - cint((doc.amount - doc.billed_amt) * 100 / doc.amount), + title = __("Billed"); %}
  -
-
- {%= percent_billed %}% -
-
+ {% include "templates/form_grid/includes/progress.html" %} {% } %}
diff --git a/erpnext/templates/form_grid/material_request_grid.html b/erpnext/templates/form_grid/material_request_grid.html index 53b875a312..6b709d497e 100644 --- a/erpnext/templates/form_grid/material_request_grid.html +++ b/erpnext/templates/form_grid/material_request_grid.html @@ -1,4 +1,4 @@ -{% var visible_columns = row.get_visible_columns(["item_code", +{% var visible_columns = row.get_visible_columns(["item_code", "warehouse", "item_name", "description", "amount", "stock_uom", "uom", "qty"]); %} {% if(!doc) { %} @@ -16,28 +16,21 @@ {% include "templates/form_grid/includes/visible_cols.html" %} {% if(doc.schedule_date) { %}
- {%= row.get_formatted("schedule_date") %} + {%= doc.get_formatted("schedule_date") %} {% } %}
- {%= row.get_formatted("qty") %} + {%= doc.get_formatted("qty") %} {%= doc.uom || doc.stock_uom %} - {% var percent_delivered = - 100 - cint((doc.qty - cint(doc.ordered_qty)) * 100 / doc.qty); %} -
-
- {%= percent_delivered %}% -
-
+ {% var completed = + 100 - cint((doc.qty - cint(doc.ordered_qty)) * 100 / doc.qty), + title = __("Ordered"); %} + {% include "templates/form_grid/includes/progress.html" %} {% if(doc.warehouse) { %}
- {%= row.get_formatted("qty") %} + {%= doc.get_formatted("qty") %}
{%= doc.uom || doc.stock_uom %}
- {%= row.get_formatted("amount") %} + {%= doc.get_formatted("amount") %}
- {%= row.get_formatted("incoming_rate") %}
+ {%= doc.get_formatted("incoming_rate") %}
{% } %} diff --git a/erpnext/utilities/doctype/contact/contact.json b/erpnext/utilities/doctype/contact/contact.json index fc5a72189b..c52cfdca51 100644 --- a/erpnext/utilities/doctype/contact/contact.json +++ b/erpnext/utilities/doctype/contact/contact.json @@ -16,6 +16,7 @@ { "fieldname": "first_name", "fieldtype": "Data", + "in_list_view": 0, "label": "First Name", "oldfieldname": "first_name", "oldfieldtype": "Data", @@ -25,6 +26,7 @@ { "fieldname": "last_name", "fieldtype": "Data", + "in_list_view": 0, "label": "Last Name", "oldfieldname": "last_name", "oldfieldtype": "Data", @@ -39,6 +41,7 @@ "default": "Passive", "fieldname": "status", "fieldtype": "Select", + "in_list_view": 1, "label": "Status", "options": "Passive\nOpen\nReplied", "permlevel": 0 @@ -46,7 +49,7 @@ { "fieldname": "email_id", "fieldtype": "Data", - "in_list_view": 1, + "in_list_view": 0, "label": "Email Id", "oldfieldname": "email_id", "oldfieldtype": "Data", @@ -100,7 +103,7 @@ "depends_on": "eval:!doc.supplier && !doc.sales_partner", "fieldname": "customer_name", "fieldtype": "Data", - "in_list_view": 1, + "in_list_view": 0, "label": "Customer Name", "permlevel": 0, "read_only": 1 @@ -125,7 +128,7 @@ "depends_on": "eval:!doc.customer && !doc.sales_partner", "fieldname": "supplier_name", "fieldtype": "Data", - "in_list_view": 1, + "in_list_view": 0, "label": "Supplier Name", "permlevel": 0, "read_only": 1 @@ -199,7 +202,7 @@ "idx": 1, "in_create": 0, "in_dialog": 0, - "modified": "2014-05-27 03:49:08.789451", + "modified": "2014-07-30 05:44:25.767076", "modified_by": "Administrator", "module": "Utilities", "name": "Contact", diff --git a/erpnext/utilities/doctype/note/note.json b/erpnext/utilities/doctype/note/note.json index 6cf756c3aa..66d99f4cd3 100644 --- a/erpnext/utilities/doctype/note/note.json +++ b/erpnext/utilities/doctype/note/note.json @@ -9,7 +9,7 @@ { "fieldname": "title", "fieldtype": "Data", - "in_list_view": 1, + "in_list_view": 0, "label": "Title", "permlevel": 0, "print_hide": 1, @@ -19,7 +19,7 @@ "description": "Help: To link to another record in the system, use \"#Form/Note/[Note Name]\" as the Link URL. (don't use \"http://\")", "fieldname": "content", "fieldtype": "Text Editor", - "in_list_view": 1, + "in_list_view": 0, "label": "Content", "permlevel": 0 }, @@ -49,7 +49,7 @@ ], "icon": "icon-file-text", "idx": 1, - "modified": "2014-07-09 12:54:11.897597", + "modified": "2014-07-30 03:24:38.302928", "modified_by": "Administrator", "module": "Utilities", "name": "Note", diff --git a/erpnext/utilities/doctype/note/test_note.py b/erpnext/utilities/doctype/note/test_note.py new file mode 100644 index 0000000000..997c57be17 --- /dev/null +++ b/erpnext/utilities/doctype/note/test_note.py @@ -0,0 +1,10 @@ +# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors and Contributors +# See license.txt + +import frappe +import unittest + +test_records = frappe.get_test_records('Note') + +class TestNote(unittest.TestCase): + pass diff --git a/erpnext/utilities/doctype/note/test_records.json b/erpnext/utilities/doctype/note/test_records.json new file mode 100644 index 0000000000..9dc992c080 --- /dev/null +++ b/erpnext/utilities/doctype/note/test_records.json @@ -0,0 +1,6 @@ +[ + { + "doctype": "Note", + "name": "_Test Note 1" + } +] From 8544447b1924d94451df2029dc10f9d5f8e47ff3 Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Thu, 31 Jul 2014 17:44:39 +0530 Subject: [PATCH 472/630] added more listview templates --- .../journal_voucher/journal_voucher.json | 2 +- .../journal_voucher/journal_voucher_list.html | 20 +++++++++ .../journal_voucher/journal_voucher_list.js | 3 ++ .../payment_reconciliation.json | 7 +-- .../purchase_invoice_list.html | 43 +++++++++++++++++++ .../purchase_invoice/purchase_invoice_list.js | 8 +--- .../sales_invoice/sales_invoice_list.html | 43 +++++++++++++++++++ .../sales_invoice/sales_invoice_list.js | 12 +----- .../hr/doctype/earning_type/earning_type.json | 24 +---------- .../manufacturing/doctype/bom/bom_list.html | 18 ++++++++ erpnext/manufacturing/doctype/bom/bom_list.js | 3 ++ .../delivery_note/delivery_note_list.html | 29 +++++++++++++ .../delivery_note/delivery_note_list.js | 4 ++ .../purchase_receipt_list.html | 32 ++++++++++++++ .../purchase_receipt/purchase_receipt_list.js | 4 ++ .../utilities/doctype/address/address_list.js | 5 +++ .../utilities/doctype/contact/contact_list.js | 5 +++ 17 files changed, 219 insertions(+), 43 deletions(-) create mode 100644 erpnext/accounts/doctype/journal_voucher/journal_voucher_list.html create mode 100644 erpnext/accounts/doctype/journal_voucher/journal_voucher_list.js create mode 100644 erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.html create mode 100644 erpnext/accounts/doctype/sales_invoice/sales_invoice_list.html create mode 100644 erpnext/manufacturing/doctype/bom/bom_list.html create mode 100644 erpnext/manufacturing/doctype/bom/bom_list.js create mode 100644 erpnext/stock/doctype/delivery_note/delivery_note_list.html create mode 100644 erpnext/stock/doctype/delivery_note/delivery_note_list.js create mode 100644 erpnext/stock/doctype/purchase_receipt/purchase_receipt_list.html create mode 100644 erpnext/stock/doctype/purchase_receipt/purchase_receipt_list.js create mode 100644 erpnext/utilities/doctype/address/address_list.js create mode 100644 erpnext/utilities/doctype/contact/contact_list.js diff --git a/erpnext/accounts/doctype/journal_voucher/journal_voucher.json b/erpnext/accounts/doctype/journal_voucher/journal_voucher.json index ac402662b6..187c59a3fc 100644 --- a/erpnext/accounts/doctype/journal_voucher/journal_voucher.json +++ b/erpnext/accounts/doctype/journal_voucher/journal_voucher.json @@ -440,7 +440,7 @@ "icon": "icon-file-text", "idx": 1, "is_submittable": 1, - "modified": "2014-05-27 03:49:12.326026", + "modified": "2014-07-31 05:05:03.294068", "modified_by": "Administrator", "module": "Accounts", "name": "Journal Voucher", diff --git a/erpnext/accounts/doctype/journal_voucher/journal_voucher_list.html b/erpnext/accounts/doctype/journal_voucher/journal_voucher_list.html new file mode 100644 index 0000000000..aaa3854fef --- /dev/null +++ b/erpnext/accounts/doctype/journal_voucher/journal_voucher_list.html @@ -0,0 +1,20 @@ +
+
+
+ {%= list.get_avatar_and_id(doc) %} + + {%= doc.get_formatted("posting_date") %} + + {%= doc.voucher_type %} + + {% if(doc.docstatus===0) { %} + {%= __("Draft") %} + {% } %} +
+
+
+ {%= doc.get_formatted("total_debit") %} +
+
diff --git a/erpnext/accounts/doctype/journal_voucher/journal_voucher_list.js b/erpnext/accounts/doctype/journal_voucher/journal_voucher_list.js new file mode 100644 index 0000000000..06d578abaa --- /dev/null +++ b/erpnext/accounts/doctype/journal_voucher/journal_voucher_list.js @@ -0,0 +1,3 @@ +frappe.listview_settings['Journal Voucher'] = { + add_fields: ["voucher_type", "posting_date", "total_debit", "company"] +}; diff --git a/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.json b/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.json index 8e675ef8b1..51cb306157 100644 --- a/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.json +++ b/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.json @@ -128,8 +128,9 @@ } ], "hide_toolbar": 1, + "icon": "icon-resize-horizontal", "issingle": 1, - "modified": "2014-07-22 14:53:59.084438", + "modified": "2014-07-31 05:43:03.410832", "modified_by": "Administrator", "module": "Accounts", "name": "Payment Reconciliation", @@ -139,7 +140,7 @@ { "cancel": 0, "create": 1, - "delete": 0, + "delete": 1, "permlevel": 0, "read": 1, "role": "Accounts Manager", @@ -149,7 +150,7 @@ { "cancel": 0, "create": 1, - "delete": 0, + "delete": 1, "permlevel": 0, "read": 1, "role": "Accounts User", diff --git a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.html b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.html new file mode 100644 index 0000000000..3305d42887 --- /dev/null +++ b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.html @@ -0,0 +1,43 @@ +
+
+
+ {%= list.get_avatar_and_id(doc) %} + + + {%= doc.supplier_name %} + {% if(doc.outstanding_amount > 0 && doc.docstatus==1) { %} + {% if(frappe.datetime.get_diff(doc.due_date) < 0) { %} + + {%= __("Overdue: ") + comment_when(doc.due_date) %} + + {% } else { %} + + {%= doc.get_formatted("due_date") %} + {% } %} + {% } %} + {% if(doc.outstanding_amount==0 && doc.docstatus==1) { %} + + {%= __("Paid") %} + + {% } %} + {% if(doc.docstatus===0) { %} + {%= __("Draft") %} + {% } %} +
+
+
+ {% var completed = cint((doc.grand_total - doc.outstanding_amount) * 100 / doc.grand_total), title = __("Outstanding Amount") + ": " + doc.get_formatted("outstanding_amount") %} + {% include "templates/form_grid/includes/progress.html" %} +
+
+ {%= doc.get_formatted("grand_total") %} +
+
diff --git a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js index 61d2750c3e..d72176a197 100644 --- a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js +++ b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js @@ -3,10 +3,6 @@ // render frappe.listview_settings['Purchase Invoice'] = { - add_fields: ["`tabPurchase Invoice`.grand_total", "`tabPurchase Invoice`.outstanding_amount"], - add_columns: [{"content":"paid_amount", width:"10%", type:"bar-graph", label: "Paid"}], - prepare_data: function(data) { - data.paid_amount = flt(data.grand_total) ? (((flt(data.grand_total) - - flt(data.outstanding_amount)) / flt(data.grand_total)) * 100) : 0; - } + add_fields: ["supplier", "supplier_name", "grand_total", "outstanding_amount", "due_date", "company", + "currency"] }; diff --git a/erpnext/accounts/doctype/sales_invoice/sales_invoice_list.html b/erpnext/accounts/doctype/sales_invoice/sales_invoice_list.html new file mode 100644 index 0000000000..783e425533 --- /dev/null +++ b/erpnext/accounts/doctype/sales_invoice/sales_invoice_list.html @@ -0,0 +1,43 @@ +
+
+
+ {%= list.get_avatar_and_id(doc) %} + + + {%= doc.customer_name %} + {% if(doc.outstanding_amount > 0 && doc.docstatus==1) { %} + {% if(frappe.datetime.get_diff(doc.due_date) < 0) { %} + + {%= __("Overdue: ") + comment_when(doc.due_date) %} + + {% } else { %} + + {%= doc.get_formatted("due_date") %} + {% } %} + {% } %} + {% if(doc.outstanding_amount==0 && doc.docstatus==1) { %} + + {%= __("Paid") %} + + {% } %} + {% if(doc.docstatus===0) { %} + {%= __("Draft") %} + {% } %} +
+
+
+ {% var completed = cint((doc.grand_total - doc.outstanding_amount) * 100 / doc.grand_total), title = __("Outstanding Amount") + ": " + doc.get_formatted("outstanding_amount") %} + {% include "templates/form_grid/includes/progress.html" %} +
+
+ {%= doc.get_formatted("grand_total") %} +
+
diff --git a/erpnext/accounts/doctype/sales_invoice/sales_invoice_list.js b/erpnext/accounts/doctype/sales_invoice/sales_invoice_list.js index 42c80b4e26..2cb7b4c281 100644 --- a/erpnext/accounts/doctype/sales_invoice/sales_invoice_list.js +++ b/erpnext/accounts/doctype/sales_invoice/sales_invoice_list.js @@ -3,14 +3,6 @@ // render frappe.listview_settings['Sales Invoice'] = { - add_fields: ["`tabSales Invoice`.grand_total", "`tabSales Invoice`.outstanding_amount"], - add_columns: [{"content":"Percent Paid", width:"10%", type:"bar-graph", - label: "Payment Received"}], - prepare_data: function(data) { - if (data.docstatus === 1) { - data["Percent Paid"] = flt(data.grand_total) - ? (((flt(data.grand_total) - flt(data.outstanding_amount)) / flt(data.grand_total)) * 100) - : 100.0; - } - } + add_fields: ["customer", "customer_name", "grand_total", "outstanding_amount", "due_date", "company", + "currency"] }; diff --git a/erpnext/hr/doctype/earning_type/earning_type.json b/erpnext/hr/doctype/earning_type/earning_type.json index 85c6323db8..507acd9fd7 100644 --- a/erpnext/hr/doctype/earning_type/earning_type.json +++ b/erpnext/hr/doctype/earning_type/earning_type.json @@ -27,33 +27,11 @@ "permlevel": 0, "reqd": 0, "width": "300px" - }, - { - "fieldname": "taxable", - "fieldtype": "Select", - "in_list_view": 1, - "label": "Taxable", - "oldfieldname": "taxable", - "oldfieldtype": "Select", - "options": "\nYes\nNo", - "permlevel": 0, - "reqd": 1 - }, - { - "depends_on": "eval:doc.taxable=='No'", - "fieldname": "exemption_limit", - "fieldtype": "Float", - "hidden": 0, - "in_list_view": 1, - "label": "Exemption Limit", - "oldfieldname": "exemption_limit", - "oldfieldtype": "Currency", - "permlevel": 0 } ], "icon": "icon-flag", "idx": 1, - "modified": "2014-05-27 03:49:10.133416", + "modified": "2014-07-31 07:25:26.606030", "modified_by": "Administrator", "module": "HR", "name": "Earning Type", diff --git a/erpnext/manufacturing/doctype/bom/bom_list.html b/erpnext/manufacturing/doctype/bom/bom_list.html new file mode 100644 index 0000000000..23e5a38ab1 --- /dev/null +++ b/erpnext/manufacturing/doctype/bom/bom_list.html @@ -0,0 +1,18 @@ +
+
+
+ {%= list.get_avatar_and_id(doc) %} + {% if(cint(doc.is_active)) { %} + {%= __("Active") %} + {% } %} + {% if(cint(doc.is_default)) { %} + {%= __("Default") %} + {% } %} +
+
+
+ {%= doc.get_formatted("total_cost") %} +
+
diff --git a/erpnext/manufacturing/doctype/bom/bom_list.js b/erpnext/manufacturing/doctype/bom/bom_list.js new file mode 100644 index 0000000000..71d54a20dc --- /dev/null +++ b/erpnext/manufacturing/doctype/bom/bom_list.js @@ -0,0 +1,3 @@ +frappe.listview_settings['BOM'] = { + add_fields: ["is_active", "is_default", "total_cost"] +}; diff --git a/erpnext/stock/doctype/delivery_note/delivery_note_list.html b/erpnext/stock/doctype/delivery_note/delivery_note_list.html new file mode 100644 index 0000000000..c4df5de704 --- /dev/null +++ b/erpnext/stock/doctype/delivery_note/delivery_note_list.html @@ -0,0 +1,29 @@ +
+
+
+ {%= list.get_avatar_and_id(doc) %} + + + {%= doc.customer_name %} + {% if(doc.transporter_name) { %} + + + + {% } %} + {% if(doc.docstatus===0) { %} + {%= __("Draft") %} + {% } %} +
+
+
+ {% var completed = doc.per_installed, title=__("% Installed") %} + {% include "templates/form_grid/includes/progress.html" %} +
+
+ {%= doc.get_formatted("grand_total") %} +
+
diff --git a/erpnext/stock/doctype/delivery_note/delivery_note_list.js b/erpnext/stock/doctype/delivery_note/delivery_note_list.js new file mode 100644 index 0000000000..c28067d44e --- /dev/null +++ b/erpnext/stock/doctype/delivery_note/delivery_note_list.js @@ -0,0 +1,4 @@ +frappe.listview_settings['Delivery Note'] = { + add_fields: ["customer", "customer_name", "grand_total", "per_installed", + "transporter_name"] +}; diff --git a/erpnext/stock/doctype/purchase_receipt/purchase_receipt_list.html b/erpnext/stock/doctype/purchase_receipt/purchase_receipt_list.html new file mode 100644 index 0000000000..89baea5e29 --- /dev/null +++ b/erpnext/stock/doctype/purchase_receipt/purchase_receipt_list.html @@ -0,0 +1,32 @@ +
+
+
+ {%= list.get_avatar_and_id(doc) %} + + + {%= doc.supplier_name %} + {% if(cint(doc.is_subcontracted)) { %} + + + + {% } %} + {% if(doc.transporter_name) { %} + + + + {% } %} + {% if(doc.docstatus===0) { %} + {%= __("Draft") %} + {% } %} +
+
+
+ {%= doc.get_formatted("grand_total") %} +
+
diff --git a/erpnext/stock/doctype/purchase_receipt/purchase_receipt_list.js b/erpnext/stock/doctype/purchase_receipt/purchase_receipt_list.js new file mode 100644 index 0000000000..7869f7f7da --- /dev/null +++ b/erpnext/stock/doctype/purchase_receipt/purchase_receipt_list.js @@ -0,0 +1,4 @@ +frappe.listview_settings['Purchase Receipt'] = { + add_fields: ["supplier", "supplier_name", "grand_total", "is_subcontracted", + "transporter_name"] +}; diff --git a/erpnext/utilities/doctype/address/address_list.js b/erpnext/utilities/doctype/address/address_list.js new file mode 100644 index 0000000000..5eee8cf6f6 --- /dev/null +++ b/erpnext/utilities/doctype/address/address_list.js @@ -0,0 +1,5 @@ +frappe.listview_settings['Address'] = { + set_title_left: function() { + frappe.set_route("Module", "Selling"); + } +} diff --git a/erpnext/utilities/doctype/contact/contact_list.js b/erpnext/utilities/doctype/contact/contact_list.js new file mode 100644 index 0000000000..5eee8cf6f6 --- /dev/null +++ b/erpnext/utilities/doctype/contact/contact_list.js @@ -0,0 +1,5 @@ +frappe.listview_settings['Address'] = { + set_title_left: function() { + frappe.set_route("Module", "Selling"); + } +} From 873141c1a5522e0c1fe5567ec1a59fc671fdce48 Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Fri, 1 Aug 2014 16:07:59 +0530 Subject: [PATCH 473/630] more updates to lists and started sane filters --- .../sales_invoice/sales_invoice_list.html | 4 +- .../sales_invoice/sales_invoice_list.js | 3 +- .../purchase_order/purchase_order_list.html | 5 ++ .../manufacturing/doctype/bom/bom_list.html | 8 ++-- .../production_order_list.html | 47 +++++++++++++++++++ .../production_order/production_order_list.js | 5 ++ .../doctype/sales_order/sales_order_list.html | 5 ++ .../doctype/sales_order/sales_order_list.js | 3 +- .../stock/doctype/stock_entry/stock_entry.py | 6 +++ .../doctype/stock_entry/stock_entry_list.html | 2 +- erpnext/templates/form_grid/item_grid.html | 3 +- .../templates/form_grid/stock_entry_grid.html | 6 ++- 12 files changed, 87 insertions(+), 10 deletions(-) create mode 100644 erpnext/manufacturing/doctype/production_order/production_order_list.html create mode 100644 erpnext/manufacturing/doctype/production_order/production_order_list.js diff --git a/erpnext/accounts/doctype/sales_invoice/sales_invoice_list.html b/erpnext/accounts/doctype/sales_invoice/sales_invoice_list.html index 783e425533..de8451eb20 100644 --- a/erpnext/accounts/doctype/sales_invoice/sales_invoice_list.html +++ b/erpnext/accounts/doctype/sales_invoice/sales_invoice_list.html @@ -10,12 +10,12 @@ {% if(frappe.datetime.get_diff(doc.due_date) < 0) { %} + data-filter="outstanding_amount,>,0|due_date,<,Today"> {%= __("Overdue: ") + comment_when(doc.due_date) %} {% } else { %} {%= doc.get_formatted("due_date") %} {% } %} diff --git a/erpnext/accounts/doctype/sales_invoice/sales_invoice_list.js b/erpnext/accounts/doctype/sales_invoice/sales_invoice_list.js index 2cb7b4c281..ea2986a79f 100644 --- a/erpnext/accounts/doctype/sales_invoice/sales_invoice_list.js +++ b/erpnext/accounts/doctype/sales_invoice/sales_invoice_list.js @@ -4,5 +4,6 @@ // render frappe.listview_settings['Sales Invoice'] = { add_fields: ["customer", "customer_name", "grand_total", "outstanding_amount", "due_date", "company", - "currency"] + "currency"], + filters: [["outstanding_amount", ">", "0"]] }; diff --git a/erpnext/buying/doctype/purchase_order/purchase_order_list.html b/erpnext/buying/doctype/purchase_order/purchase_order_list.html index beb97f43b7..4806cfb1e7 100644 --- a/erpnext/buying/doctype/purchase_order/purchase_order_list.html +++ b/erpnext/buying/doctype/purchase_order/purchase_order_list.html @@ -16,6 +16,11 @@ {%= __(doc.status) %} {% } %} + {% if(doc.per_received == 100 && doc.status!=="Stopped") { %} + + + {% } %}
diff --git a/erpnext/manufacturing/doctype/bom/bom_list.html b/erpnext/manufacturing/doctype/bom/bom_list.html index 23e5a38ab1..8303f4a3d4 100644 --- a/erpnext/manufacturing/doctype/bom/bom_list.html +++ b/erpnext/manufacturing/doctype/bom/bom_list.html @@ -4,11 +4,13 @@ {%= list.get_avatar_and_id(doc) %} {% if(cint(doc.is_active)) { %} {%= __("Active") %} + data-filter="is_active,=,Yes"> + {%= __("Active") %} {% } %} {% if(cint(doc.is_default)) { %} - {%= __("Default") %} + + {%= __("Default") %} {% } %}
diff --git a/erpnext/manufacturing/doctype/production_order/production_order_list.html b/erpnext/manufacturing/doctype/production_order/production_order_list.html new file mode 100644 index 0000000000..4cdaa542b8 --- /dev/null +++ b/erpnext/manufacturing/doctype/production_order/production_order_list.html @@ -0,0 +1,47 @@ +
+
+
+ {% var per = 100 - cint((doc.qty - doc.produced_qty) * 100 / doc.qty); %} + {%= list.get_avatar_and_id(doc) %} + + + {%= doc.customer_name %} + {% if(per < 100 && doc.status!=="Stopped") { %} + {% if(frappe.datetime.get_diff(doc.expected_delivery_date) < 0) { %} + + {%= __("Overdue") %} + + {% } else { %} + + {%= doc.get_formatted("expected_delivery_date")%} + {% } %} + {% } %} + {% if(per == 100 && doc.status!=="Stopped") { %} + + + {% } %} + {% if(doc.status==="Stopped") { %} + {%= __("Stopped") %} + {% } %} + + {%= doc.sales_order %} + + {%= doc.bom_no %} +
+
+
+ {% var completed = per, title = __("Completed") %} + {% include "templates/form_grid/includes/progress.html" %} +
+
diff --git a/erpnext/manufacturing/doctype/production_order/production_order_list.js b/erpnext/manufacturing/doctype/production_order/production_order_list.js new file mode 100644 index 0000000000..457e803d15 --- /dev/null +++ b/erpnext/manufacturing/doctype/production_order/production_order_list.js @@ -0,0 +1,5 @@ +frappe.listview_settings['Production Order'] = { + add_fields: ["bom_no", "status", "sales_order", "qty", + "produced_qty", "expected_delivery_date"], + filters: [["status", "!=", "Completed"], ["status", "!=", "Stopped"]] +}; diff --git a/erpnext/selling/doctype/sales_order/sales_order_list.html b/erpnext/selling/doctype/sales_order/sales_order_list.html index 2861de036c..ffa3c01c0d 100644 --- a/erpnext/selling/doctype/sales_order/sales_order_list.html +++ b/erpnext/selling/doctype/sales_order/sales_order_list.html @@ -21,6 +21,11 @@ {%= doc.get_formatted("delivery_date")%} {% } %} {% } %} + {% if(doc.per_delivered == 100 && doc.status!=="Stopped") { %} + + + {% } %} {% if(doc.status==="Stopped") { %} {%= __("Stopped") %} diff --git a/erpnext/selling/doctype/sales_order/sales_order_list.js b/erpnext/selling/doctype/sales_order/sales_order_list.js index 0eab5de4a5..a801cb9316 100644 --- a/erpnext/selling/doctype/sales_order/sales_order_list.js +++ b/erpnext/selling/doctype/sales_order/sales_order_list.js @@ -1,4 +1,5 @@ frappe.listview_settings['Sales Order'] = { add_fields: ["grand_total", "company", "currency", "customer", - "customer_name", "per_delivered", "per_billed", "delivery_date"] + "customer_name", "per_delivered", "per_billed", "delivery_date"], + filters: [["per_delivered", "<", "100"]] }; diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.py b/erpnext/stock/doctype/stock_entry/stock_entry.py index 413aa4741a..1da2ad53d0 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry.py +++ b/erpnext/stock/doctype/stock_entry/stock_entry.py @@ -11,6 +11,7 @@ from frappe import _ from erpnext.stock.utils import get_incoming_rate from erpnext.stock.stock_ledger import get_previous_sle from erpnext.controllers.queries import get_match_cond +from erpnext.stock.get_item_details import get_available_qty class NotUpdateStockError(frappe.ValidationError): pass class StockOverReturnError(frappe.ValidationError): pass @@ -25,6 +26,11 @@ form_grid_templates = { class StockEntry(StockController): fname = 'mtn_details' + def onload(self): + if self.docstatus==1: + for item in self.get(self.fname): + item.update(get_available_qty(item.item_code, + item.s_warehouse)) def validate(self): self.validate_posting_time() diff --git a/erpnext/stock/doctype/stock_entry/stock_entry_list.html b/erpnext/stock/doctype/stock_entry/stock_entry_list.html index 63fc2eb14f..cff7fe58ee 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry_list.html +++ b/erpnext/stock/doctype/stock_entry/stock_entry_list.html @@ -11,7 +11,7 @@ "Purchase Return": "icon-warning-sign", "Subcontract": "icon-truck" }[doc.purpose]; %} - diff --git a/erpnext/templates/form_grid/item_grid.html b/erpnext/templates/form_grid/item_grid.html index 73e6c2efdd..c2e5d56e9d 100644 --- a/erpnext/templates/form_grid/item_grid.html +++ b/erpnext/templates/form_grid/item_grid.html @@ -23,11 +23,12 @@ {% } %} {% include "templates/form_grid/includes/visible_cols.html" %} {% if(doc.schedule_date) { %} -
{%= doc.get_formatted("schedule_date") %} + {% } %} diff --git a/erpnext/templates/form_grid/stock_entry_grid.html b/erpnext/templates/form_grid/stock_entry_grid.html index 59bf516ca0..c5f3ecd899 100644 --- a/erpnext/templates/form_grid/stock_entry_grid.html +++ b/erpnext/templates/form_grid/stock_entry_grid.html @@ -18,7 +18,11 @@

{%= doc.description %}

{% } %} {% include "templates/form_grid/includes/visible_cols.html" %}
- {% if(doc.s_warehouse) { %} + {% if(doc.s_warehouse) { %} {%= doc.s_warehouse || "" %}{% } %} {% if(doc.t_warehouse) { %} From c9bd3f5d4a3550c4ecc93d65738a257318b6163e Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Mon, 4 Aug 2014 16:37:23 +0530 Subject: [PATCH 474/630] added templates for projects --- erpnext/patches.txt | 1 + .../patches/v4_2/update_project_milestones.py | 7 ++++ erpnext/projects/doctype/project/project.js | 4 +- erpnext/projects/doctype/project/project.json | 11 +++++- erpnext/projects/doctype/project/project.py | 8 ++++ .../doctype/project/project_list.html | 38 +++++++++++++++++++ .../projects/doctype/project/project_list.js | 5 +++ erpnext/projects/doctype/task/task.py | 6 ++- erpnext/projects/doctype/task/task_list.html | 34 +++++++++++++++++ erpnext/projects/doctype/task/task_list.js | 4 ++ erpnext/projects/doctype/time_log/time_log.js | 27 ++++++++++--- .../projects/doctype/time_log/time_log.json | 18 ++++----- .../doctype/time_log/time_log_list.html | 25 ++++++++++++ .../doctype/time_log/time_log_list.js | 4 +- .../time_log_batch/time_log_batch_list.html | 15 ++++++++ .../time_log_batch/time_log_batch_list.js | 4 ++ .../doctype/quotation/quotation_list.js | 3 +- .../doctype/sales_order/sales_order_list.js | 2 +- erpnext/stock/doctype/batch/batch_list.html | 21 ++++++++++ erpnext/stock/doctype/batch/batch_list.js | 3 ++ .../material_request/material_request_list.js | 3 +- .../doctype/serial_no/serial_no_list.html | 28 ++++++++++++++ .../stock/doctype/serial_no/serial_no_list.js | 3 ++ .../stock/doctype/warehouse/warehouse.json | 3 +- 24 files changed, 250 insertions(+), 27 deletions(-) create mode 100644 erpnext/patches/v4_2/update_project_milestones.py create mode 100644 erpnext/projects/doctype/project/project_list.html create mode 100644 erpnext/projects/doctype/project/project_list.js create mode 100644 erpnext/projects/doctype/task/task_list.html create mode 100644 erpnext/projects/doctype/task/task_list.js create mode 100644 erpnext/projects/doctype/time_log/time_log_list.html create mode 100644 erpnext/projects/doctype/time_log_batch/time_log_batch_list.html create mode 100644 erpnext/projects/doctype/time_log_batch/time_log_batch_list.js create mode 100644 erpnext/stock/doctype/batch/batch_list.html create mode 100644 erpnext/stock/doctype/batch/batch_list.js create mode 100644 erpnext/stock/doctype/serial_no/serial_no_list.html create mode 100644 erpnext/stock/doctype/serial_no/serial_no_list.js diff --git a/erpnext/patches.txt b/erpnext/patches.txt index 1ae0a952a7..03919bc647 100644 --- a/erpnext/patches.txt +++ b/erpnext/patches.txt @@ -74,3 +74,4 @@ execute:frappe.delete_doc("Page", "trial-balance") #2014-07-22 erpnext.patches.v4_2.delete_old_print_formats #2014-07-29 erpnext.patches.v4_2.toggle_rounded_total #2014-07-30 erpnext.patches.v4_2.fix_account_master_type +erpnext.patches.v4_2.update_project_milestones diff --git a/erpnext/patches/v4_2/update_project_milestones.py b/erpnext/patches/v4_2/update_project_milestones.py new file mode 100644 index 0000000000..24a520ecd1 --- /dev/null +++ b/erpnext/patches/v4_2/update_project_milestones.py @@ -0,0 +1,7 @@ +import frappe + +def execute(): + for project in frappe.db.sql_list("select name from tabProject"): + p = frappe.get_doc("Project", project) + p.update_milestones_completed() + p.db_set("percent_milestones_completed", p.percent_milestones_completed) diff --git a/erpnext/projects/doctype/project/project.js b/erpnext/projects/doctype/project/project.js index 5d89986596..9b2c6d07eb 100644 --- a/erpnext/projects/doctype/project/project.js +++ b/erpnext/projects/doctype/project/project.js @@ -4,7 +4,7 @@ // show tasks cur_frm.cscript.refresh = function(doc) { if(!doc.__islocal) { - cur_frm.appframe.add_button(__("Gantt Chart"), function() { + cur_frm.add_custom_button(__("Gantt Chart"), function() { frappe.route_options = {"project": doc.name} frappe.set_route("Gantt", "Task"); }, "icon-tasks"); @@ -19,4 +19,4 @@ cur_frm.fields_dict.customer.get_query = function(doc,cdt,cdn) { return{ query: "erpnext.controllers.queries.customer_query" } -} \ No newline at end of file +} diff --git a/erpnext/projects/doctype/project/project.json b/erpnext/projects/doctype/project/project.json index c894bb8b26..b20914cdc1 100644 --- a/erpnext/projects/doctype/project/project.json +++ b/erpnext/projects/doctype/project/project.json @@ -136,6 +136,13 @@ "permlevel": 0, "search_index": 0 }, + { + "fieldname": "percent_milestones_completed", + "fieldtype": "Percent", + "label": "% Milestones Completed", + "permlevel": 0, + "read_only": 1 + }, { "fieldname": "section_break0", "fieldtype": "Section Break", @@ -158,7 +165,7 @@ "fieldname": "percent_complete", "fieldtype": "Percent", "in_list_view": 1, - "label": "Percent Complete", + "label": "% Tasks Completed", "permlevel": 0, "read_only": 1 }, @@ -259,7 +266,7 @@ "icon": "icon-puzzle-piece", "idx": 1, "max_attachments": 4, - "modified": "2014-06-24 12:44:19.530707", + "modified": "2014-08-04 03:22:11.416219", "modified_by": "Administrator", "module": "Projects", "name": "Project", diff --git a/erpnext/projects/doctype/project/project.py b/erpnext/projects/doctype/project/project.py index 4a14c55c3a..547e12aebc 100644 --- a/erpnext/projects/doctype/project/project.py +++ b/erpnext/projects/doctype/project/project.py @@ -26,6 +26,13 @@ class Project(Document): if getdate(self.completion_date) < getdate(self.project_start_date): frappe.throw(_("Expected Completion Date can not be less than Project Start Date")) + self.update_milestones_completed() + + def update_milestones_completed(self): + if self.project_milestones: + completed = filter(lambda x: x.status=="Completed", self.project_milestones) + self.percent_milestones_completed = len(completed) * 100 / len(self.project_milestones) + def on_update(self): self.add_calendar_event() @@ -38,6 +45,7 @@ class Project(Document): frappe.db.set_value("Project", self.name, "percent_complete", int(float(completed) / total * 100)) + def add_calendar_event(self): # delete any earlier event for this project delete_events(self.doctype, self.name) diff --git a/erpnext/projects/doctype/project/project_list.html b/erpnext/projects/doctype/project/project_list.html new file mode 100644 index 0000000000..42af477561 --- /dev/null +++ b/erpnext/projects/doctype/project/project_list.html @@ -0,0 +1,38 @@ +
+
+
+ {%= list.get_avatar_and_id(doc) %} + + {%= doc.status %} + + + {%= doc.priority %} + + {% if(doc.status==="Open" && doc.completion_date + && frappe.datetime.get_diff(doc.completion_date) <= 0) { %} + + {%= __("Overdue") %} + + {% } else if(doc.completion_date) { %} + + {%= doc.get_formatted("completion_date") %} + + {% } %} +
+
+
+ {% var completed = doc.percent_complete, title = __("% Tasks Completed") %} + {% include "templates/form_grid/includes/progress.html" %} +
+
+ {% var completed = doc.percent_milestones_completed, + title = __("% Milestones Achieved") %} + {% include "templates/form_grid/includes/progress.html" %} +
+
diff --git a/erpnext/projects/doctype/project/project_list.js b/erpnext/projects/doctype/project/project_list.js new file mode 100644 index 0000000000..dd0ac60958 --- /dev/null +++ b/erpnext/projects/doctype/project/project_list.js @@ -0,0 +1,5 @@ +frappe.listview_settings['Project'] = { + add_fields: ["status", "priority", "is_active", "percent_complete", + "percent_milestones_completed", "completion_date"], + filters:[["status","=", "Open"]] +}; diff --git a/erpnext/projects/doctype/task/task.py b/erpnext/projects/doctype/task/task.py index 6b0b237a40..7ca502d91e 100644 --- a/erpnext/projects/doctype/task/task.py +++ b/erpnext/projects/doctype/task/task.py @@ -62,8 +62,10 @@ def get_events(start, end, filters=None): data = frappe.db.sql("""select name, exp_start_date, exp_end_date, subject, status, project from `tabTask` - where ((exp_start_date between '%(start)s' and '%(end)s') \ - or (exp_end_date between '%(start)s' and '%(end)s')) + where ((ifnull(exp_start_date, '0000-00-00')!= '0000-00-00') \ + and (exp_start_date between '%(start)s' and '%(end)s') \ + or ((ifnull(exp_start_date, '0000-00-00')!= '0000-00-00') \ + and exp_end_date between '%(start)s' and '%(end)s')) %(conditions)s""" % { "start": start, "end": end, diff --git a/erpnext/projects/doctype/task/task_list.html b/erpnext/projects/doctype/task/task_list.html new file mode 100644 index 0000000000..0d95055b41 --- /dev/null +++ b/erpnext/projects/doctype/task/task_list.html @@ -0,0 +1,34 @@ +
+
+
+ {%= list.get_avatar_and_id(doc) %} + {% if(doc.project) { %} + + {%= doc.project %} + {% } %} + + {%= doc.status %} + + + {%= doc.priority %} + + {% if(doc.status==="Open" && doc.exp_end_date + && frappe.datetime.get_diff(doc.exp_end_date) <= 0) { %} + + {%= __("Overdue") %} + + {% } else if(doc.exp_end_date) { %} + + {%= doc.get_formatted("exp_end_date") %} + + {% } %} +
+
+
diff --git a/erpnext/projects/doctype/task/task_list.js b/erpnext/projects/doctype/task/task_list.js new file mode 100644 index 0000000000..4406085e69 --- /dev/null +++ b/erpnext/projects/doctype/task/task_list.js @@ -0,0 +1,4 @@ +frappe.listview_settings['Task'] = { + add_fields: ["project", "status", "priority", "exp_end_date"], + filters:[["status","=", "Open"]] +}; diff --git a/erpnext/projects/doctype/time_log/time_log.js b/erpnext/projects/doctype/time_log/time_log.js index eb5fc0993b..d4d109d6f9 100644 --- a/erpnext/projects/doctype/time_log/time_log.js +++ b/erpnext/projects/doctype/time_log/time_log.js @@ -3,12 +3,27 @@ frappe.provide("erpnext.projects"); -erpnext.projects.TimeLog = frappe.ui.form.Controller.extend({ - onload: function() { - this.frm.set_query("task", erpnext.queries.task); - } +frappe.ui.form.on("Time Log", "onload", function(frm) { + frm.set_query("task", erpnext.queries.task); }); -cur_frm.cscript = new erpnext.projects.TimeLog({frm: cur_frm}); +// set to time if hours is updated +frappe.ui.form.on("Time Log", "hours", function(frm) { + if(!frm.doc.from_time) { + frm.set_value("from_time", frappe.datetime.now_datetime()); + } + var d = moment(frm.doc.from_time); + d.add(frm.doc.hours, "hours"); + frm._setting_hours = true; + frm.set_value("to_time", d.format(moment.defaultDatetimeFormat)); + frm._setting_hours = false; +}); -cur_frm.add_fetch('task','project','project'); \ No newline at end of file +// set hours if to_time is updated +frappe.ui.form.on("Time Log", "to_time", function(frm) { + if(frm._setting_hours) return; + frm.set_value("hours", moment(cur_frm.doc.to_time).diff(moment(cur_frm.doc.from_time), + "hours")); +}); + +cur_frm.add_fetch('task','project','project'); diff --git a/erpnext/projects/doctype/time_log/time_log.json b/erpnext/projects/doctype/time_log/time_log.json index daeddbaa3b..157be0cdd4 100644 --- a/erpnext/projects/doctype/time_log/time_log.json +++ b/erpnext/projects/doctype/time_log/time_log.json @@ -26,6 +26,14 @@ "read_only": 0, "reqd": 1 }, + { + "fieldname": "hours", + "fieldtype": "Float", + "in_list_view": 1, + "label": "Hours", + "permlevel": 0, + "read_only": 0 + }, { "fieldname": "to_time", "fieldtype": "Datetime", @@ -35,14 +43,6 @@ "read_only": 0, "reqd": 1 }, - { - "fieldname": "hours", - "fieldtype": "Float", - "in_list_view": 1, - "label": "Hours", - "permlevel": 0, - "read_only": 1 - }, { "fieldname": "column_break_3", "fieldtype": "Column Break", @@ -152,7 +152,7 @@ "icon": "icon-time", "idx": 1, "is_submittable": 1, - "modified": "2014-05-27 03:49:21.143356", + "modified": "2014-08-04 05:23:15.740050", "modified_by": "Administrator", "module": "Projects", "name": "Time Log", diff --git a/erpnext/projects/doctype/time_log/time_log_list.html b/erpnext/projects/doctype/time_log/time_log_list.html new file mode 100644 index 0000000000..ee0b96f28c --- /dev/null +++ b/erpnext/projects/doctype/time_log/time_log_list.html @@ -0,0 +1,25 @@ +
+
+
+ {%= list.get_avatar_and_id(doc) %} + {% if(doc.billable) { %} + + + + {% } %} + + {%= doc.activity_type %} + + ({%= doc.hours + " " + __("hours") %}) + + {% if(doc.project) { %} + + {%= doc.project %} + {% } %} +
+
+
diff --git a/erpnext/projects/doctype/time_log/time_log_list.js b/erpnext/projects/doctype/time_log/time_log_list.js index a40297fcd9..664117484d 100644 --- a/erpnext/projects/doctype/time_log/time_log_list.js +++ b/erpnext/projects/doctype/time_log/time_log_list.js @@ -3,10 +3,10 @@ // render frappe.listview_settings['Time Log'] = { - add_fields: ["`tabTime Log`.`status`", "`tabTime Log`.`billable`", "`tabTime Log`.`activity_type`"], + add_fields: ["status", "billable", "activity_type", "task", "project", "hours"], selectable: true, onload: function(me) { - me.appframe.add_button(__("Make Time Log Batch"), function() { + me.appframe.add_primary_action(__("Make Time Log Batch"), function() { var selected = me.get_checked_items() || []; if(!selected.length) { diff --git a/erpnext/projects/doctype/time_log_batch/time_log_batch_list.html b/erpnext/projects/doctype/time_log_batch/time_log_batch_list.html new file mode 100644 index 0000000000..4a34f1cdb8 --- /dev/null +++ b/erpnext/projects/doctype/time_log_batch/time_log_batch_list.html @@ -0,0 +1,15 @@ +
+
+
+ {%= list.get_avatar_and_id(doc) %} + + {%= doc.status %} + + ({%= doc.total_hours + " " + __("hours") %}) + +
+
+
diff --git a/erpnext/projects/doctype/time_log_batch/time_log_batch_list.js b/erpnext/projects/doctype/time_log_batch/time_log_batch_list.js new file mode 100644 index 0000000000..a0825a2709 --- /dev/null +++ b/erpnext/projects/doctype/time_log_batch/time_log_batch_list.js @@ -0,0 +1,4 @@ +frappe.listview_settings['Time Log Batch'] = { + add_fields: ["status", "total_hours", "rate"], + filters:[["status","in", "Draft,Submitted"]] +}; diff --git a/erpnext/selling/doctype/quotation/quotation_list.js b/erpnext/selling/doctype/quotation/quotation_list.js index bbc264d033..91b65eeb9f 100644 --- a/erpnext/selling/doctype/quotation/quotation_list.js +++ b/erpnext/selling/doctype/quotation/quotation_list.js @@ -1,4 +1,5 @@ frappe.listview_settings['Quotation'] = { add_fields: ["customer_name", "quotation_to", "grand_total", "status", - "company", "currency", "order_type", "lead", "customer"] + "company", "currency", "order_type", "lead", "customer"], + filters: [["status", "=", "Submitted"]] }; diff --git a/erpnext/selling/doctype/sales_order/sales_order_list.js b/erpnext/selling/doctype/sales_order/sales_order_list.js index a801cb9316..3884526e72 100644 --- a/erpnext/selling/doctype/sales_order/sales_order_list.js +++ b/erpnext/selling/doctype/sales_order/sales_order_list.js @@ -1,5 +1,5 @@ frappe.listview_settings['Sales Order'] = { add_fields: ["grand_total", "company", "currency", "customer", "customer_name", "per_delivered", "per_billed", "delivery_date"], - filters: [["per_delivered", "<", "100"]] + filters: [["per_delivered", "<", 100]] }; diff --git a/erpnext/stock/doctype/batch/batch_list.html b/erpnext/stock/doctype/batch/batch_list.html new file mode 100644 index 0000000000..dc29905dca --- /dev/null +++ b/erpnext/stock/doctype/batch/batch_list.html @@ -0,0 +1,21 @@ +
+
+
+ {%= list.get_avatar_and_id(doc) %} + + {%= doc.item %} + {% if(doc.expiry_date && frappe.datetime.get_diff(doc.expiry_date) <= 0) { %} + + {%= __("Expired") %}: {%= doc.get_formatted("expiry_date") %} + + {% } else if(doc.expiry_date) { %} + + {%= __("Expiry") %}: {%= doc.get_formatted("expiry_date") %} + + {% } %} +
+
+
diff --git a/erpnext/stock/doctype/batch/batch_list.js b/erpnext/stock/doctype/batch/batch_list.js new file mode 100644 index 0000000000..daeb69bfa4 --- /dev/null +++ b/erpnext/stock/doctype/batch/batch_list.js @@ -0,0 +1,3 @@ +frappe.listview_settings['Batch'] = { + add_fields: ["item", "expiry_date"] +}; diff --git a/erpnext/stock/doctype/material_request/material_request_list.js b/erpnext/stock/doctype/material_request/material_request_list.js index 2a85dcc814..989ca60707 100644 --- a/erpnext/stock/doctype/material_request/material_request_list.js +++ b/erpnext/stock/doctype/material_request/material_request_list.js @@ -1,3 +1,4 @@ frappe.listview_settings['Material Request'] = { - add_fields: ["material_request_type", "status", "per_ordered"] + add_fields: ["material_request_type", "status", "per_ordered"], + filters: [["per_ordered", "<", 100]] }; diff --git a/erpnext/stock/doctype/serial_no/serial_no_list.html b/erpnext/stock/doctype/serial_no/serial_no_list.html new file mode 100644 index 0000000000..d53aab1906 --- /dev/null +++ b/erpnext/stock/doctype/serial_no/serial_no_list.html @@ -0,0 +1,28 @@ +
+
+
+ {%= list.get_avatar_and_id(doc) %} + + {%= doc.item_code %} + {% var icon = { + "Available": ["icon-ok", "label-success"], + "Not Available": ["icon-remove", "label-danger"], + "Delivered": ["icon-truck", "label-success"], + "Purchase Returned": ["icon-retweet", "label-warning"], + "Sales Returned": ["icon-retweet", "label-warning"], + }[doc.status]; %} + + {%= doc.status %} + + {% if(doc.warehouse) { %} + + {%= doc.warehouse %} + + {% } %} +
+
+
diff --git a/erpnext/stock/doctype/serial_no/serial_no_list.js b/erpnext/stock/doctype/serial_no/serial_no_list.js new file mode 100644 index 0000000000..9a6513895b --- /dev/null +++ b/erpnext/stock/doctype/serial_no/serial_no_list.js @@ -0,0 +1,3 @@ +frappe.listview_settings['Serial No'] = { + add_fields: ["status", "item_code", "warehouse"] +}; diff --git a/erpnext/stock/doctype/warehouse/warehouse.json b/erpnext/stock/doctype/warehouse/warehouse.json index 4e016e6360..0a4c244eb1 100644 --- a/erpnext/stock/doctype/warehouse/warehouse.json +++ b/erpnext/stock/doctype/warehouse/warehouse.json @@ -43,6 +43,7 @@ "description": "Account for the warehouse (Perpetual Inventory) will be created under this Account.", "fieldname": "create_account_under", "fieldtype": "Link", + "in_list_view": 1, "label": "Parent Account", "options": "Account", "permlevel": 0 @@ -150,7 +151,7 @@ ], "icon": "icon-building", "idx": 1, - "modified": "2014-05-27 03:49:22.483111", + "modified": "2014-08-04 02:55:16.750848", "modified_by": "Administrator", "module": "Stock", "name": "Warehouse", From a660464cece4baa101908bfd095fa1ffd8419d38 Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Mon, 4 Aug 2014 17:33:48 +0530 Subject: [PATCH 475/630] added for support --- .../customer_issue/customer_issue_list.html | 24 +++++++++++++++++++ .../customer_issue/customer_issue_list.js | 4 ++++ .../doctype/newsletter/newsletter.json | 4 ++-- .../doctype/newsletter/newsletter_list.html | 16 +++++++++++++ .../doctype/newsletter/newsletter_list.js | 3 +++ .../support_ticket/support_ticket_list.html | 18 ++++++++++++++ .../support_ticket/support_ticket_list.js | 4 ++++ 7 files changed, 71 insertions(+), 2 deletions(-) create mode 100644 erpnext/support/doctype/customer_issue/customer_issue_list.html create mode 100644 erpnext/support/doctype/customer_issue/customer_issue_list.js create mode 100644 erpnext/support/doctype/newsletter/newsletter_list.html create mode 100644 erpnext/support/doctype/newsletter/newsletter_list.js create mode 100644 erpnext/support/doctype/support_ticket/support_ticket_list.html create mode 100644 erpnext/support/doctype/support_ticket/support_ticket_list.js diff --git a/erpnext/support/doctype/customer_issue/customer_issue_list.html b/erpnext/support/doctype/customer_issue/customer_issue_list.html new file mode 100644 index 0000000000..6a39f9f273 --- /dev/null +++ b/erpnext/support/doctype/customer_issue/customer_issue_list.html @@ -0,0 +1,24 @@ +
+
+
+ {%= list.get_avatar_and_id(doc) %} + + + {%= doc.customer %} + + + {%= doc.status %} + + + {% if(doc.item_code) { %} + + {%= doc.item_code %} + + {% } %} +
+
+
diff --git a/erpnext/support/doctype/customer_issue/customer_issue_list.js b/erpnext/support/doctype/customer_issue/customer_issue_list.js new file mode 100644 index 0000000000..f47934ce0b --- /dev/null +++ b/erpnext/support/doctype/customer_issue/customer_issue_list.js @@ -0,0 +1,4 @@ +frappe.listview_settings['Customer Issue'] = { + add_fields: ["status", "customer", "item_code"], + filters:[["status","=", "Open"]] +}; diff --git a/erpnext/support/doctype/newsletter/newsletter.json b/erpnext/support/doctype/newsletter/newsletter.json index 600ac3fad5..a30dc418b6 100644 --- a/erpnext/support/doctype/newsletter/newsletter.json +++ b/erpnext/support/doctype/newsletter/newsletter.json @@ -1,6 +1,6 @@ { "autoname": "naming_series:", - "creation": "2013-01-10 16:34:31.000000", + "creation": "2013-01-10 16:34:31", "description": "Create and Send Newsletters", "docstatus": 0, "doctype": "DocType", @@ -132,7 +132,7 @@ ], "icon": "icon-envelope", "idx": 1, - "modified": "2014-02-03 11:32:22.000000", + "modified": "2014-08-04 07:22:06.445634", "modified_by": "Administrator", "module": "Support", "name": "Newsletter", diff --git a/erpnext/support/doctype/newsletter/newsletter_list.html b/erpnext/support/doctype/newsletter/newsletter_list.html new file mode 100644 index 0000000000..5bbe104808 --- /dev/null +++ b/erpnext/support/doctype/newsletter/newsletter_list.html @@ -0,0 +1,16 @@ +
+
+
+ {%= list.get_avatar_and_id(doc) %} + + {%= cint(doc.email_sent) ? __("Sent") : __("Not Sent") %} + + + {%= doc.send_to_type %} + +
+
+
diff --git a/erpnext/support/doctype/newsletter/newsletter_list.js b/erpnext/support/doctype/newsletter/newsletter_list.js new file mode 100644 index 0000000000..096b83e4e9 --- /dev/null +++ b/erpnext/support/doctype/newsletter/newsletter_list.js @@ -0,0 +1,3 @@ +frappe.listview_settings['Newsletter'] = { + add_fields: ["subject", "send_to_type", "email_sent"] +}; diff --git a/erpnext/support/doctype/support_ticket/support_ticket_list.html b/erpnext/support/doctype/support_ticket/support_ticket_list.html new file mode 100644 index 0000000000..f2cf9b2603 --- /dev/null +++ b/erpnext/support/doctype/support_ticket/support_ticket_list.html @@ -0,0 +1,18 @@ +
+
+
+ {%= list.get_avatar_and_id(doc) %} + + {%= doc.status %} + +
+
+
+
+ + {%= doc.raised_by %} +
+
+
diff --git a/erpnext/support/doctype/support_ticket/support_ticket_list.js b/erpnext/support/doctype/support_ticket/support_ticket_list.js new file mode 100644 index 0000000000..1ae4d93708 --- /dev/null +++ b/erpnext/support/doctype/support_ticket/support_ticket_list.js @@ -0,0 +1,4 @@ +frappe.listview_settings['Support Ticket'] = { + add_fields: ["subject", "status", "raised_by"], + filters:[["status","=", "Open"]] +}; From 7a4e739d6c4931b9df45d50aa64edcfc55224ca3 Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Tue, 5 Aug 2014 17:04:46 +0530 Subject: [PATCH 476/630] templating for hr --- erpnext/config/hr.py | 12 +++---- erpnext/hr/doctype/attendance/attendance.json | 5 +-- .../doctype/attendance/attendance_list.html | 19 ++++++++++ .../hr/doctype/attendance/attendance_list.js | 3 ++ .../hr/doctype/attendance/test_attendance.py | 10 ++++++ .../hr/doctype/attendance/test_records.json | 6 ++++ .../hr/doctype/employee/employee_list.html | 35 +++++++++++++++++++ erpnext/hr/doctype/employee/employee_list.js | 4 +++ .../expense_claim/expense_claim_list.html | 23 ++++++++++++ .../expense_claim/expense_claim_list.js | 4 +++ .../leave_application_list.html | 28 +++++++++++++++ .../leave_application_list.js | 4 +++ .../doctype/salary_slip/salary_slip_list.html | 26 ++++++++++++++ .../doctype/salary_slip/salary_slip_list.js | 3 ++ .../salary_structure/salary_structure.json | 5 +-- .../salary_structure/test_records.json | 6 ++++ .../salary_structure/test_salary_structure.py | 10 ++++++ erpnext/projects/doctype/project/project.js | 4 +-- .../maintenance_visit_list.html | 35 +++++++++++++++++++ .../maintenance_visit_list.js | 3 ++ erpnext/utilities/doctype/note/note_list.html | 16 +++++++++ erpnext/utilities/doctype/note/note_list.js | 1 + 22 files changed, 250 insertions(+), 12 deletions(-) create mode 100644 erpnext/hr/doctype/attendance/attendance_list.html create mode 100644 erpnext/hr/doctype/attendance/attendance_list.js create mode 100644 erpnext/hr/doctype/attendance/test_attendance.py create mode 100644 erpnext/hr/doctype/attendance/test_records.json create mode 100644 erpnext/hr/doctype/employee/employee_list.html create mode 100644 erpnext/hr/doctype/employee/employee_list.js create mode 100644 erpnext/hr/doctype/expense_claim/expense_claim_list.html create mode 100644 erpnext/hr/doctype/expense_claim/expense_claim_list.js create mode 100644 erpnext/hr/doctype/leave_application/leave_application_list.html create mode 100644 erpnext/hr/doctype/leave_application/leave_application_list.js create mode 100644 erpnext/hr/doctype/salary_slip/salary_slip_list.html create mode 100644 erpnext/hr/doctype/salary_slip/salary_slip_list.js create mode 100644 erpnext/hr/doctype/salary_structure/test_records.json create mode 100644 erpnext/hr/doctype/salary_structure/test_salary_structure.py create mode 100644 erpnext/support/doctype/maintenance_visit/maintenance_visit_list.html create mode 100644 erpnext/support/doctype/maintenance_visit/maintenance_visit_list.js create mode 100644 erpnext/utilities/doctype/note/note_list.html diff --git a/erpnext/config/hr.py b/erpnext/config/hr.py index 1fac46940e..575de697ee 100644 --- a/erpnext/config/hr.py +++ b/erpnext/config/hr.py @@ -13,13 +13,13 @@ def get_data(): }, { "type": "doctype", - "name": "Salary Slip", - "description": _("Monthly salary statement."), + "name": "Leave Application", + "description": _("Applications for leave."), }, { "type": "doctype", - "name": "Leave Application", - "description": _("Applications for leave."), + "name": "Expense Claim", + "description": _("Claims for company expense."), }, { "type": "doctype", @@ -28,8 +28,8 @@ def get_data(): }, { "type": "doctype", - "name": "Expense Claim", - "description": _("Claims for company expense."), + "name": "Salary Slip", + "description": _("Monthly salary statement."), }, { "type": "doctype", diff --git a/erpnext/hr/doctype/attendance/attendance.json b/erpnext/hr/doctype/attendance/attendance.json index 2ca5b33172..18c39e0c63 100644 --- a/erpnext/hr/doctype/attendance/attendance.json +++ b/erpnext/hr/doctype/attendance/attendance.json @@ -129,7 +129,7 @@ "icon": "icon-ok", "idx": 1, "is_submittable": 1, - "modified": "2014-05-27 03:49:07.580876", + "modified": "2014-08-05 06:52:02.226904", "modified_by": "Administrator", "module": "HR", "name": "Attendance", @@ -178,5 +178,6 @@ ], "search_fields": "employee, employee_name, att_date, status", "sort_field": "modified", - "sort_order": "DESC" + "sort_order": "DESC", + "title_field": "employee_name" } \ No newline at end of file diff --git a/erpnext/hr/doctype/attendance/attendance_list.html b/erpnext/hr/doctype/attendance/attendance_list.html new file mode 100644 index 0000000000..bfda7f88e9 --- /dev/null +++ b/erpnext/hr/doctype/attendance/attendance_list.html @@ -0,0 +1,19 @@ +
+
+
+ {%= list.get_avatar_and_id(doc) %} + + + {%= doc.status %} + +
+
+
+ + {%= doc.get_formatted("att_date") %} +
+
diff --git a/erpnext/hr/doctype/attendance/attendance_list.js b/erpnext/hr/doctype/attendance/attendance_list.js new file mode 100644 index 0000000000..87c87d76d3 --- /dev/null +++ b/erpnext/hr/doctype/attendance/attendance_list.js @@ -0,0 +1,3 @@ +frappe.listview_settings['Attendance'] = { + add_fields: ["status", "att_date"], +}; diff --git a/erpnext/hr/doctype/attendance/test_attendance.py b/erpnext/hr/doctype/attendance/test_attendance.py new file mode 100644 index 0000000000..e4f390b0e6 --- /dev/null +++ b/erpnext/hr/doctype/attendance/test_attendance.py @@ -0,0 +1,10 @@ +# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors and Contributors +# See license.txt + +import frappe +import unittest + +test_records = frappe.get_test_records('Attendance') + +class TestAttendance(unittest.TestCase): + pass diff --git a/erpnext/hr/doctype/attendance/test_records.json b/erpnext/hr/doctype/attendance/test_records.json new file mode 100644 index 0000000000..ccb77bfdc3 --- /dev/null +++ b/erpnext/hr/doctype/attendance/test_records.json @@ -0,0 +1,6 @@ +[ + { + "doctype": "Attendance", + "name": "_Test Attendance 1" + } +] diff --git a/erpnext/hr/doctype/employee/employee_list.html b/erpnext/hr/doctype/employee/employee_list.html new file mode 100644 index 0000000000..98b45a9c34 --- /dev/null +++ b/erpnext/hr/doctype/employee/employee_list.html @@ -0,0 +1,35 @@ +
+
+
+ {%= list.get_avatar_and_id(doc) %} + + {% if(doc.status==="Active") { %} + + + + {% } %} + + {% if(doc.designation) { %} + + {%= doc.designation %} + {% } %} + + {% if(doc.branch) { %} + + {%= doc.branch %} + + {% } %} + + {% if(doc.department) { %} + + {%= doc.department %} + + {% } %} +
+
+
diff --git a/erpnext/hr/doctype/employee/employee_list.js b/erpnext/hr/doctype/employee/employee_list.js new file mode 100644 index 0000000000..c1b23ac43a --- /dev/null +++ b/erpnext/hr/doctype/employee/employee_list.js @@ -0,0 +1,4 @@ +frappe.listview_settings['Employee'] = { + add_fields: ["status", "branch", "department", "designation"], + filters:[["status","=", "Active"]] +}; diff --git a/erpnext/hr/doctype/expense_claim/expense_claim_list.html b/erpnext/hr/doctype/expense_claim/expense_claim_list.html new file mode 100644 index 0000000000..dd3c78fc66 --- /dev/null +++ b/erpnext/hr/doctype/expense_claim/expense_claim_list.html @@ -0,0 +1,23 @@ +
+
+
+ {%= list.get_avatar_and_id(doc) %} + + + {%= doc.employee_name %} + + + {%= doc.approval_status %} + + +
+
+ +
+ {%= doc.get_formatted("total_claimed_amount") %} +
+
diff --git a/erpnext/hr/doctype/expense_claim/expense_claim_list.js b/erpnext/hr/doctype/expense_claim/expense_claim_list.js new file mode 100644 index 0000000000..34ee5c14fb --- /dev/null +++ b/erpnext/hr/doctype/expense_claim/expense_claim_list.js @@ -0,0 +1,4 @@ +frappe.listview_settings['Expense Claim'] = { + add_fields: ["approval_status", "employee", "employee_name", "total_claimed_amount"], + filters:[["approval_status","!=", "Rejected"]] +}; diff --git a/erpnext/hr/doctype/leave_application/leave_application_list.html b/erpnext/hr/doctype/leave_application/leave_application_list.html new file mode 100644 index 0000000000..dfae4365b5 --- /dev/null +++ b/erpnext/hr/doctype/leave_application/leave_application_list.html @@ -0,0 +1,28 @@ +
+
+
+ {%= list.get_avatar_and_id(doc) %} + + + {%= doc.employee_name %} + + + {%= __("{0} days from {1}", + [doc.total_leave_days, doc.get_formatted("from_date")]) %} + + + {%= doc.status %} + + + + {%= doc.leave_type %} + +
+
+
diff --git a/erpnext/hr/doctype/leave_application/leave_application_list.js b/erpnext/hr/doctype/leave_application/leave_application_list.js new file mode 100644 index 0000000000..e2a89013f7 --- /dev/null +++ b/erpnext/hr/doctype/leave_application/leave_application_list.js @@ -0,0 +1,4 @@ +frappe.listview_settings['Leave Application'] = { + add_fields: ["status", "leave_type", "employee", "employee_name", "total_leave_days", "from_date"], + filters:[["status","!=", "Rejected"], ["to_date", ">=", frappe.datetime.get_today()]] +}; diff --git a/erpnext/hr/doctype/salary_slip/salary_slip_list.html b/erpnext/hr/doctype/salary_slip/salary_slip_list.html new file mode 100644 index 0000000000..ef54450ef0 --- /dev/null +++ b/erpnext/hr/doctype/salary_slip/salary_slip_list.html @@ -0,0 +1,26 @@ +
+
+
+ {%= list.get_avatar_and_id(doc) %} + + + + {%= doc.employee_name %} + +
+
+
+ + {%= doc.month %} + + + + {%= doc.fiscal_year %} + +
+
diff --git a/erpnext/hr/doctype/salary_slip/salary_slip_list.js b/erpnext/hr/doctype/salary_slip/salary_slip_list.js new file mode 100644 index 0000000000..17f13d6bea --- /dev/null +++ b/erpnext/hr/doctype/salary_slip/salary_slip_list.js @@ -0,0 +1,3 @@ +frappe.listview_settings['Salary Slip'] = { + add_fields: ["employee", "employee_name", "fiscal_year", "month"], +}; diff --git a/erpnext/hr/doctype/salary_structure/salary_structure.json b/erpnext/hr/doctype/salary_structure/salary_structure.json index c31696cab7..2ddd95be51 100644 --- a/erpnext/hr/doctype/salary_structure/salary_structure.json +++ b/erpnext/hr/doctype/salary_structure/salary_structure.json @@ -227,7 +227,7 @@ ], "icon": "icon-file-text", "idx": 1, - "modified": "2014-05-27 03:49:17.438605", + "modified": "2014-08-05 06:56:27.038404", "modified_by": "Administrator", "module": "HR", "name": "Salary Structure", @@ -260,5 +260,6 @@ } ], "sort_field": "modified", - "sort_order": "DESC" + "sort_order": "DESC", + "title_field": "employee_name" } \ No newline at end of file diff --git a/erpnext/hr/doctype/salary_structure/test_records.json b/erpnext/hr/doctype/salary_structure/test_records.json new file mode 100644 index 0000000000..28d37c2a32 --- /dev/null +++ b/erpnext/hr/doctype/salary_structure/test_records.json @@ -0,0 +1,6 @@ +[ + { + "doctype": "Salary Structure", + "name": "_Test Salary Structure 1" + } +] diff --git a/erpnext/hr/doctype/salary_structure/test_salary_structure.py b/erpnext/hr/doctype/salary_structure/test_salary_structure.py new file mode 100644 index 0000000000..0a1db7ed16 --- /dev/null +++ b/erpnext/hr/doctype/salary_structure/test_salary_structure.py @@ -0,0 +1,10 @@ +# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors and Contributors +# See license.txt + +import frappe +import unittest + +test_records = frappe.get_test_records('Salary Structure') + +class TestSalaryStructure(unittest.TestCase): + pass diff --git a/erpnext/projects/doctype/project/project.js b/erpnext/projects/doctype/project/project.js index 9b2c6d07eb..cdb494e7fd 100644 --- a/erpnext/projects/doctype/project/project.js +++ b/erpnext/projects/doctype/project/project.js @@ -7,11 +7,11 @@ cur_frm.cscript.refresh = function(doc) { cur_frm.add_custom_button(__("Gantt Chart"), function() { frappe.route_options = {"project": doc.name} frappe.set_route("Gantt", "Task"); - }, "icon-tasks"); + }, "icon-tasks", true); cur_frm.add_custom_button(__("Tasks"), function() { frappe.route_options = {"project": doc.name} frappe.set_route("List", "Task"); - }, "icon-list"); + }, "icon-list", true); } } diff --git a/erpnext/support/doctype/maintenance_visit/maintenance_visit_list.html b/erpnext/support/doctype/maintenance_visit/maintenance_visit_list.html new file mode 100644 index 0000000000..2ddef7a974 --- /dev/null +++ b/erpnext/support/doctype/maintenance_visit/maintenance_visit_list.html @@ -0,0 +1,35 @@ +
+
+
+ {%= list.get_avatar_and_id(doc) %} + + + + {%= doc.customer_name %} + + + {% var style = { + "Scheduled": "default", + "Unscheduled": "default", + "Breakdown": "danger" + }[doc.maintenance_type] %} + + {%= doc.maintenance_type %} + + {% var style = doc.completion_status==="Partially Completed" ? "warning" : "success" %} + + {%= doc.completion_status %} + +
+
+ +
+ {% var completed = doc.completed, title = __("Completed") %} + {% include "templates/form_grid/includes/progress.html" %} +
+
diff --git a/erpnext/support/doctype/maintenance_visit/maintenance_visit_list.js b/erpnext/support/doctype/maintenance_visit/maintenance_visit_list.js new file mode 100644 index 0000000000..77f28d7ab3 --- /dev/null +++ b/erpnext/support/doctype/maintenance_visit/maintenance_visit_list.js @@ -0,0 +1,3 @@ +frappe.listview_settings['Maintenance Visit'] = { + add_fields: ["customer", "customer_name", "completion_status", "maintenance_type"], +}; diff --git a/erpnext/utilities/doctype/note/note_list.html b/erpnext/utilities/doctype/note/note_list.html new file mode 100644 index 0000000000..e106dd40f6 --- /dev/null +++ b/erpnext/utilities/doctype/note/note_list.html @@ -0,0 +1,16 @@ +
+
+
+ {%= list.get_avatar_and_id(doc) %} + + {% if(doc.public) { %} + + + + {% } %} + +
+
+
diff --git a/erpnext/utilities/doctype/note/note_list.js b/erpnext/utilities/doctype/note/note_list.js index b188941bc4..a713aca842 100644 --- a/erpnext/utilities/doctype/note/note_list.js +++ b/erpnext/utilities/doctype/note/note_list.js @@ -1,4 +1,5 @@ frappe.listview_settings['Note'] = { + add_fields: ["title", "public"], set_title_left: function() { frappe.set_route(); } From 03eadb74abc916a53164788c038164cea0e7746c Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Thu, 7 Aug 2014 17:21:25 +0530 Subject: [PATCH 477/630] Fixes to microtemplate feature --- .../doctype/purchase_invoice/purchase_invoice.py | 4 ++++ .../doctype/purchase_invoice/purchase_invoice_list.html | 6 ++++-- .../doctype/sales_invoice/sales_invoice_list.html | 4 +++- .../doctype/purchase_order/purchase_order_list.html | 4 +++- erpnext/buying/doctype/supplier/supplier.json | 5 +++-- .../supplier_quotation/supplier_quotation_list.html | 4 +++- .../doctype/production_order/production_order_list.html | 4 ++-- erpnext/projects/doctype/task/task.py | 9 ++++----- .../doctype/time_log_batch/time_log_batch_list.js | 3 +-- erpnext/selling/doctype/customer/customer.json | 5 +++-- erpnext/selling/doctype/quotation/quotation_list.html | 4 +++- .../selling/doctype/sales_order/sales_order_list.html | 4 +++- .../stock/doctype/delivery_note/delivery_note_list.html | 4 +++- .../material_request_item/material_request_item.json | 4 ++-- .../doctype/purchase_receipt/purchase_receipt_list.html | 4 +++- erpnext/stock/doctype/stock_entry/stock_entry_list.html | 4 +++- erpnext/templates/form_grid/material_request_grid.html | 4 ++-- 17 files changed, 49 insertions(+), 27 deletions(-) diff --git a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py index 74a9628209..55e3247636 100644 --- a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +++ b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py @@ -14,6 +14,10 @@ import frappe.defaults from erpnext.controllers.buying_controller import BuyingController from erpnext.accounts.party import get_party_account, get_due_date +form_grid_templates = { + "entries": "templates/form_grid/item_grid.html" +} + class PurchaseInvoice(BuyingController): tname = 'Purchase Invoice Item' fname = 'entries' diff --git a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.html b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.html index 3305d42887..cccd38a67c 100644 --- a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.html +++ b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.html @@ -10,7 +10,7 @@ {% if(frappe.datetime.get_diff(doc.due_date) < 0) { %} + data-filter="outstanding_amount,>,0|due_date,<,Today"> {%= __("Overdue: ") + comment_when(doc.due_date) %} {% } else { %} @@ -38,6 +38,8 @@ {% include "templates/form_grid/includes/progress.html" %}
- {%= doc.get_formatted("grand_total") %} +
+ {%= doc.get_formatted("grand_total_import") %} +
diff --git a/erpnext/accounts/doctype/sales_invoice/sales_invoice_list.html b/erpnext/accounts/doctype/sales_invoice/sales_invoice_list.html index de8451eb20..47fadb5420 100644 --- a/erpnext/accounts/doctype/sales_invoice/sales_invoice_list.html +++ b/erpnext/accounts/doctype/sales_invoice/sales_invoice_list.html @@ -38,6 +38,8 @@ {% include "templates/form_grid/includes/progress.html" %}
- {%= doc.get_formatted("grand_total") %} +
+ {%= doc.get_formatted("grand_total_export") %} +
diff --git a/erpnext/buying/doctype/purchase_order/purchase_order_list.html b/erpnext/buying/doctype/purchase_order/purchase_order_list.html index 4806cfb1e7..a2031c0bf0 100644 --- a/erpnext/buying/doctype/purchase_order/purchase_order_list.html +++ b/erpnext/buying/doctype/purchase_order/purchase_order_list.html @@ -32,6 +32,8 @@ {% include "templates/form_grid/includes/progress.html" %}
- {%= doc.get_formatted("grand_total") %} +
+ {%= doc.get_formatted("grand_total_import") %} +
diff --git a/erpnext/buying/doctype/supplier/supplier.json b/erpnext/buying/doctype/supplier/supplier.json index 752f342cf2..6a34e7d35f 100644 --- a/erpnext/buying/doctype/supplier/supplier.json +++ b/erpnext/buying/doctype/supplier/supplier.json @@ -186,7 +186,7 @@ ], "icon": "icon-user", "idx": 1, - "modified": "2014-05-27 03:49:20.060872", + "modified": "2014-08-07 06:57:15.274795", "modified_by": "Administrator", "module": "Buying", "name": "Supplier", @@ -231,5 +231,6 @@ "role": "Accounts User" } ], - "search_fields": "supplier_name,supplier_type" + "search_fields": "supplier_name,supplier_type", + "title_field": "supplier_name" } \ No newline at end of file diff --git a/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.html b/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.html index bd833c31d6..9aa9d5bef9 100644 --- a/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.html +++ b/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.html @@ -15,6 +15,8 @@
- {%= doc.get_formatted("grand_total") %} +
+ {%= doc.get_formatted("grand_total_import") %} +
diff --git a/erpnext/manufacturing/doctype/production_order/production_order_list.html b/erpnext/manufacturing/doctype/production_order/production_order_list.html index 4cdaa542b8..a856a0e5f1 100644 --- a/erpnext/manufacturing/doctype/production_order/production_order_list.html +++ b/erpnext/manufacturing/doctype/production_order/production_order_list.html @@ -17,14 +17,14 @@
{% } else { %} {%= doc.get_formatted("expected_delivery_date")%} {% } %} {% } %} {% if(per == 100 && doc.status!=="Stopped") { %} + data-filter="produced_qty,=,{%= doc.qty %}|status,!=,Stopped"> {% } %} {% if(doc.status==="Stopped") { %} diff --git a/erpnext/projects/doctype/task/task.py b/erpnext/projects/doctype/task/task.py index 7ca502d91e..8d63f12e67 100644 --- a/erpnext/projects/doctype/task/task.py +++ b/erpnext/projects/doctype/task/task.py @@ -63,13 +63,12 @@ def get_events(start, end, filters=None): data = frappe.db.sql("""select name, exp_start_date, exp_end_date, subject, status, project from `tabTask` where ((ifnull(exp_start_date, '0000-00-00')!= '0000-00-00') \ - and (exp_start_date between '%(start)s' and '%(end)s') \ + and (exp_start_date between %(start)s and %(end)s) \ or ((ifnull(exp_start_date, '0000-00-00')!= '0000-00-00') \ - and exp_end_date between '%(start)s' and '%(end)s')) - %(conditions)s""" % { + and exp_end_date between %(start)s and %(end)s)) + {conditions}""".format(conditions=conditions), { "start": start, - "end": end, - "conditions": conditions + "end": end }, as_dict=True, update={"allDay": 0}) return data diff --git a/erpnext/projects/doctype/time_log_batch/time_log_batch_list.js b/erpnext/projects/doctype/time_log_batch/time_log_batch_list.js index a0825a2709..cc6746e353 100644 --- a/erpnext/projects/doctype/time_log_batch/time_log_batch_list.js +++ b/erpnext/projects/doctype/time_log_batch/time_log_batch_list.js @@ -1,4 +1,3 @@ frappe.listview_settings['Time Log Batch'] = { - add_fields: ["status", "total_hours", "rate"], - filters:[["status","in", "Draft,Submitted"]] + add_fields: ["status", "total_hours", "rate"] }; diff --git a/erpnext/selling/doctype/customer/customer.json b/erpnext/selling/doctype/customer/customer.json index 794b763090..ef71d56ad5 100644 --- a/erpnext/selling/doctype/customer/customer.json +++ b/erpnext/selling/doctype/customer/customer.json @@ -282,7 +282,7 @@ ], "icon": "icon-user", "idx": 1, - "modified": "2014-05-27 03:49:09.208254", + "modified": "2014-08-07 06:57:25.248707", "modified_by": "Administrator", "module": "Selling", "name": "Customer", @@ -332,5 +332,6 @@ "write": 1 } ], - "search_fields": "customer_name,customer_group,territory" + "search_fields": "customer_name,customer_group,territory", + "title_field": "customer_name" } \ No newline at end of file diff --git a/erpnext/selling/doctype/quotation/quotation_list.html b/erpnext/selling/doctype/quotation/quotation_list.html index afdce25507..2126b5257a 100644 --- a/erpnext/selling/doctype/quotation/quotation_list.html +++ b/erpnext/selling/doctype/quotation/quotation_list.html @@ -24,6 +24,8 @@
- {%= doc.get_formatted("grand_total") %} +
+ {%= doc.get_formatted("grand_total_export") %} +
diff --git a/erpnext/selling/doctype/sales_order/sales_order_list.html b/erpnext/selling/doctype/sales_order/sales_order_list.html index ffa3c01c0d..4079b2a6e7 100644 --- a/erpnext/selling/doctype/sales_order/sales_order_list.html +++ b/erpnext/selling/doctype/sales_order/sales_order_list.html @@ -41,6 +41,8 @@ {% include "templates/form_grid/includes/progress.html" %}
- {%= doc.get_formatted("grand_total") %} +
+ {%= doc.get_formatted("grand_total_export") %} +
diff --git a/erpnext/stock/doctype/delivery_note/delivery_note_list.html b/erpnext/stock/doctype/delivery_note/delivery_note_list.html index c4df5de704..de0af976d1 100644 --- a/erpnext/stock/doctype/delivery_note/delivery_note_list.html +++ b/erpnext/stock/doctype/delivery_note/delivery_note_list.html @@ -24,6 +24,8 @@ {% include "templates/form_grid/includes/progress.html" %}
- {%= doc.get_formatted("grand_total") %} +
+ {%= doc.get_formatted("grand_total_export") %} +
diff --git a/erpnext/stock/doctype/material_request_item/material_request_item.json b/erpnext/stock/doctype/material_request_item/material_request_item.json index 61b03f8719..56d4121868 100644 --- a/erpnext/stock/doctype/material_request_item/material_request_item.json +++ b/erpnext/stock/doctype/material_request_item/material_request_item.json @@ -109,7 +109,7 @@ "allow_on_submit": 0, "fieldname": "schedule_date", "fieldtype": "Date", - "in_list_view": 1, + "in_list_view": 0, "label": "Required Date", "no_copy": 0, "oldfieldname": "schedule_date", @@ -234,7 +234,7 @@ ], "idx": 1, "istable": 1, - "modified": "2014-07-18 01:04:18.470761", + "modified": "2014-08-07 07:12:47.994668", "modified_by": "Administrator", "module": "Stock", "name": "Material Request Item", diff --git a/erpnext/stock/doctype/purchase_receipt/purchase_receipt_list.html b/erpnext/stock/doctype/purchase_receipt/purchase_receipt_list.html index 89baea5e29..558b160586 100644 --- a/erpnext/stock/doctype/purchase_receipt/purchase_receipt_list.html +++ b/erpnext/stock/doctype/purchase_receipt/purchase_receipt_list.html @@ -27,6 +27,8 @@
- {%= doc.get_formatted("grand_total") %} +
+ {%= doc.get_formatted("grand_total_import") %} +
diff --git a/erpnext/stock/doctype/stock_entry/stock_entry_list.html b/erpnext/stock/doctype/stock_entry/stock_entry_list.html index cff7fe58ee..21794cfbef 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry_list.html +++ b/erpnext/stock/doctype/stock_entry/stock_entry_list.html @@ -22,7 +22,9 @@ {%= doc.from_warehouse %} {% } %} - + {% if(doc.from_warehouse || doc.to_warehouse) { %} + + {% } %} {% if(doc.to_warehouse) { %} diff --git a/erpnext/templates/form_grid/material_request_grid.html b/erpnext/templates/form_grid/material_request_grid.html index 6b709d497e..c30cf582d0 100644 --- a/erpnext/templates/form_grid/material_request_grid.html +++ b/erpnext/templates/form_grid/material_request_grid.html @@ -1,5 +1,5 @@ {% var visible_columns = row.get_visible_columns(["item_code", "warehouse", - "item_name", "description", "amount", "stock_uom", "uom", "qty"]); %} + "item_name", "description", "amount", "stock_uom", "uom", "qty", "schedule_date"]); %} {% if(!doc) { %}
@@ -16,7 +16,7 @@ {% include "templates/form_grid/includes/visible_cols.html" %} {% if(doc.schedule_date) { %}
{%= doc.get_formatted("schedule_date") %} From 4cc94df7523a39d92e4e727e5ba3ae0544ae88ac Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Thu, 7 Aug 2014 18:16:34 +0530 Subject: [PATCH 478/630] [tests] Fixed Test Records --- erpnext/hr/doctype/attendance/test_records.json | 7 ++++++- erpnext/hr/doctype/salary_structure/test_records.json | 4 +++- erpnext/utilities/doctype/note/test_records.json | 3 ++- 3 files changed, 11 insertions(+), 3 deletions(-) diff --git a/erpnext/hr/doctype/attendance/test_records.json b/erpnext/hr/doctype/attendance/test_records.json index ccb77bfdc3..41b40ffe9a 100644 --- a/erpnext/hr/doctype/attendance/test_records.json +++ b/erpnext/hr/doctype/attendance/test_records.json @@ -1,6 +1,11 @@ [ { "doctype": "Attendance", - "name": "_Test Attendance 1" + "name": "_Test Attendance 1", + "employee": "_T-Employee-0001", + "status": "Present", + "att_date": "2014-02-01", + "fiscal_year": "_Test Fiscal Year 2014", + "company": "_Test Company" } ] diff --git a/erpnext/hr/doctype/salary_structure/test_records.json b/erpnext/hr/doctype/salary_structure/test_records.json index 28d37c2a32..f33b65e554 100644 --- a/erpnext/hr/doctype/salary_structure/test_records.json +++ b/erpnext/hr/doctype/salary_structure/test_records.json @@ -1,6 +1,8 @@ [ { "doctype": "Salary Structure", - "name": "_Test Salary Structure 1" + "name": "_Test Salary Structure 1", + "employee": "_T-Employee-0001", + "from_date": "2014-02-01" } ] diff --git a/erpnext/utilities/doctype/note/test_records.json b/erpnext/utilities/doctype/note/test_records.json index 9dc992c080..f3d7cff22b 100644 --- a/erpnext/utilities/doctype/note/test_records.json +++ b/erpnext/utilities/doctype/note/test_records.json @@ -1,6 +1,7 @@ [ { "doctype": "Note", - "name": "_Test Note 1" + "name": "_Test Note 1", + "title": "Test Note Title" } ] From 26201a582863010f4487cf9953b33c5c9d03d303 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Fri, 8 Aug 2014 12:49:11 +0530 Subject: [PATCH 479/630] [fix] Show Employee Name in Employee Birthday report --- erpnext/hr/report/employee_birthday/employee_birthday.py | 9 +++++---- 1 file changed, 5 insertions(+), 4 deletions(-) diff --git a/erpnext/hr/report/employee_birthday/employee_birthday.py b/erpnext/hr/report/employee_birthday/employee_birthday.py index 9bf61066c5..dfa64996f9 100644 --- a/erpnext/hr/report/employee_birthday/employee_birthday.py +++ b/erpnext/hr/report/employee_birthday/employee_birthday.py @@ -15,14 +15,15 @@ def execute(filters=None): def get_columns(): return [ - "Employee:Link/Employee:120", "Date of Birth:Date:100", "Branch:Link/Branch:120", - "Department:Link/Department:120", "Designation:Link/Designation:120", "Gender::60", - "Company:Link/Company:120" + "Employee:Link/Employee:120", "Name:Data:200", "Date of Birth:Date:100", + "Branch:Link/Branch:120", "Department:Link/Department:120", + "Designation:Link/Designation:120", "Gender::60", "Company:Link/Company:120" ] def get_employees(filters): conditions = get_conditions(filters) - return frappe.db.sql("""select name, date_of_birth, branch, department, designation, + return frappe.db.sql("""select name, employee_name, date_of_birth, + branch, department, designation, gender, company from tabEmployee where status = 'Active' %s""" % conditions, as_list=1) def get_conditions(filters): From 6b8145a8137dd01b4a2cd9f8d93df24ef4712d2b Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Fri, 8 Aug 2014 13:24:18 +0530 Subject: [PATCH 480/630] [patch] Add currency Turkish Lira --- erpnext/patches.txt | 1 + .../patches/v4_2/add_currency_turkish_lira.py | 11 ++++++ erpnext/setup/install.py | 39 ++++++++++--------- 3 files changed, 33 insertions(+), 18 deletions(-) create mode 100644 erpnext/patches/v4_2/add_currency_turkish_lira.py diff --git a/erpnext/patches.txt b/erpnext/patches.txt index 03919bc647..1d4e91313a 100644 --- a/erpnext/patches.txt +++ b/erpnext/patches.txt @@ -75,3 +75,4 @@ erpnext.patches.v4_2.delete_old_print_formats #2014-07-29 erpnext.patches.v4_2.toggle_rounded_total #2014-07-30 erpnext.patches.v4_2.fix_account_master_type erpnext.patches.v4_2.update_project_milestones +erpnext.patches.v4_2.add_currency_turkish_lira #2014-08-08 diff --git a/erpnext/patches/v4_2/add_currency_turkish_lira.py b/erpnext/patches/v4_2/add_currency_turkish_lira.py new file mode 100644 index 0000000000..f547661937 --- /dev/null +++ b/erpnext/patches/v4_2/add_currency_turkish_lira.py @@ -0,0 +1,11 @@ +# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors +# License: GNU General Public License v3. See license.txt + +from __future__ import unicode_literals +import frappe +from frappe.country_info import get_country_info +from erpnext.setup.install import add_country_and_currency + +def execute(): + country = get_country_info(country="Turkey") + add_country_and_currency("Turkey", country) diff --git a/erpnext/setup/install.py b/erpnext/setup/install.py index 344a89e773..0e8e58d957 100644 --- a/erpnext/setup/install.py +++ b/erpnext/setup/install.py @@ -28,29 +28,32 @@ def import_country_and_currency(): for name in data: country = frappe._dict(data[name]) - if not frappe.db.exists("Country", name): - frappe.get_doc({ - "doctype": "Country", - "country_name": name, - "code": country.code, - "date_format": country.date_format or "dd-mm-yyyy", - "time_zones": "\n".join(country.timezones or []) - }).insert() - - if country.currency and not frappe.db.exists("Currency", country.currency): - frappe.get_doc({ - "doctype": "Currency", - "currency_name": country.currency, - "fraction": country.currency_fraction, - "symbol": country.currency_symbol, - "fraction_units": country.currency_fraction_units, - "number_format": country.number_format - }).insert() + add_country_and_currency(name, country) # enable frequently used currencies for currency in ("INR", "USD", "GBP", "EUR", "AED", "AUD", "JPY", "CNY", "CHF"): frappe.db.set_value("Currency", currency, "enabled", 1) +def add_country_and_currency(name, country): + if not frappe.db.exists("Country", name): + frappe.get_doc({ + "doctype": "Country", + "country_name": name, + "code": country.code, + "date_format": country.date_format or "dd-mm-yyyy", + "time_zones": "\n".join(country.timezones or []) + }).insert() + + if country.currency and not frappe.db.exists("Currency", country.currency): + frappe.get_doc({ + "doctype": "Currency", + "currency_name": country.currency, + "fraction": country.currency_fraction, + "symbol": country.currency_symbol, + "fraction_units": country.currency_fraction_units, + "number_format": country.number_format + }).insert() + def feature_setup(): """save global defaults and features setup""" doc = frappe.get_doc("Features Setup", "Features Setup") From 3de7757ba46d15b32676264ec36ed832a73fe649 Mon Sep 17 00:00:00 2001 From: Pratik Vyas Date: Fri, 8 Aug 2014 14:49:53 +0530 Subject: [PATCH 481/630] Update update_project_milestones.py --- erpnext/patches/v4_2/update_project_milestones.py | 1 + 1 file changed, 1 insertion(+) diff --git a/erpnext/patches/v4_2/update_project_milestones.py b/erpnext/patches/v4_2/update_project_milestones.py index 24a520ecd1..4f93eb9172 100644 --- a/erpnext/patches/v4_2/update_project_milestones.py +++ b/erpnext/patches/v4_2/update_project_milestones.py @@ -2,6 +2,7 @@ import frappe def execute(): for project in frappe.db.sql_list("select name from tabProject"): + frappe.reload_doc("projects", "doctype", "project") p = frappe.get_doc("Project", project) p.update_milestones_completed() p.db_set("percent_milestones_completed", p.percent_milestones_completed) From 72e1719220488a2a83cf3efb7f0c09c7a5b3c1d8 Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Fri, 8 Aug 2014 15:30:49 +0530 Subject: [PATCH 482/630] added icon for pos --- erpnext/accounts/doctype/sales_invoice/pos.js | 6 +-- erpnext/accounts/page/pos/__init__.py | 0 erpnext/accounts/page/pos/pos.js | 52 +++++++++++++++++++ erpnext/accounts/page/pos/pos.json | 28 ++++++++++ erpnext/config/desktop.py | 6 +++ erpnext/public/js/transaction.js | 5 ++ 6 files changed, 93 insertions(+), 4 deletions(-) create mode 100644 erpnext/accounts/page/pos/__init__.py create mode 100644 erpnext/accounts/page/pos/pos.js create mode 100644 erpnext/accounts/page/pos/pos.json diff --git a/erpnext/accounts/doctype/sales_invoice/pos.js b/erpnext/accounts/doctype/sales_invoice/pos.js index 2dcfc68a9e..843c32440e 100644 --- a/erpnext/accounts/doctype/sales_invoice/pos.js +++ b/erpnext/accounts/doctype/sales_invoice/pos.js @@ -367,10 +367,8 @@ erpnext.POS = Class.extend({ this.hide_payment_button(); // If quotation to is not Customer then remove party - if (this.frm.doctype == "Quotation") { + if (this.frm.doctype == "Quotation" && this.frm.doc.quotation_to!="Customer") { this.party_field.$wrapper.remove(); - if (this.frm.doc.quotation_to == "Customer") - this.make_party(); } }, refresh_item_list: function() { @@ -489,7 +487,7 @@ erpnext.POS = Class.extend({ if (operation == "increase-qty") this.update_qty(item_code, item_qty + 1); - else if (operation == "decrease-qty" && item_qty != 1) + else if (operation == "decrease-qty" && item_qty != 0) this.update_qty(item_code, item_qty - 1); }, disable_text_box_and_button: function() { diff --git a/erpnext/accounts/page/pos/__init__.py b/erpnext/accounts/page/pos/__init__.py new file mode 100644 index 0000000000..e69de29bb2 diff --git a/erpnext/accounts/page/pos/pos.js b/erpnext/accounts/page/pos/pos.js new file mode 100644 index 0000000000..0d06de1152 --- /dev/null +++ b/erpnext/accounts/page/pos/pos.js @@ -0,0 +1,52 @@ +frappe.pages['pos'].onload = function(wrapper) { + frappe.ui.make_app_page({ + parent: wrapper, + title: 'Start POS', + single_column: true + }); + + wrapper.body.html('
\ +

' + __("Select type of transaction") + '

\ +

\ +

' + + __("Please setup your POS Preferences") + + ': ' + + __("Make new POS Setting") + '

\ +

\ +
'); + + var pos_type = frappe.ui.form.make_control({ + parent: wrapper.body.find(".select-type"), + df: { + fieldtype: "Select", + options: [ + {label: __("Billing (Sales Invoice)"), value:"Sales Invoice"}, + {value:"Sales Order"}, + {value:"Delivery Note"}, + {value:"Quotation"}, + {value:"Purchase Order"}, + {value:"Purchase Receipt"}, + {value:"Purchase Invoice"}, + ], + fieldname: "pos_type" + }, + only_input: true + }); + + pos_type.refresh(); + + wrapper.body.find(".btn-primary").on("click", function() { + erpnext.open_as_pos = true; + new_doc(pos_type.get_value()); + }); + + $.ajax({ + url: "/api/resource/POS Setting", + success: function(data) { + if(!data.data.length) { + wrapper.body.find(".pos-setting-message").removeClass('hide'); + } + } + }) + +} diff --git a/erpnext/accounts/page/pos/pos.json b/erpnext/accounts/page/pos/pos.json new file mode 100644 index 0000000000..31c043c84e --- /dev/null +++ b/erpnext/accounts/page/pos/pos.json @@ -0,0 +1,28 @@ +{ + "content": null, + "creation": "2014-08-08 02:45:55.931022", + "docstatus": 0, + "doctype": "Page", + "icon": "icon-th", + "modified": "2014-08-08 05:59:33.045012", + "modified_by": "Administrator", + "module": "Accounts", + "name": "pos", + "owner": "Administrator", + "page_name": "pos", + "roles": [ + { + "role": "Sales User" + }, + { + "role": "Purchase User" + }, + { + "role": "Accounts User" + } + ], + "script": null, + "standard": "Yes", + "style": null, + "title": "POS" +} \ No newline at end of file diff --git a/erpnext/config/desktop.py b/erpnext/config/desktop.py index 4b9f8f8a66..9f40ef33ab 100644 --- a/erpnext/config/desktop.py +++ b/erpnext/config/desktop.py @@ -38,6 +38,12 @@ def get_data(): "link": "List/Note", "type": "list" }, + "POS": { + "color": "#589494", + "icon": "icon-th", + "type": "page", + "link": "pos" + }, "Projects": { "color": "#8e44ad", "icon": "icon-puzzle-piece", diff --git a/erpnext/public/js/transaction.js b/erpnext/public/js/transaction.js index 8a9be1d935..44835ce04d 100644 --- a/erpnext/public/js/transaction.js +++ b/erpnext/public/js/transaction.js @@ -74,6 +74,11 @@ erpnext.TransactionController = erpnext.stock.StockController.extend({ this.$pos_btn = this.frm.appframe.add_primary_action(btn_label, function() { me.toggle_pos(); }, icon, "btn-default"); + + if(erpnext.open_as_pos) { + me.toggle_pos(true); + erpnext.open_as_pos = false; + } }, toggle_pos: function(show) { From 139ec2a64fa2497e8d06102ca398afea5f198ce7 Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Fri, 8 Aug 2014 15:47:56 +0530 Subject: [PATCH 483/630] Update note_list.html --- erpnext/utilities/doctype/note/note_list.html | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/utilities/doctype/note/note_list.html b/erpnext/utilities/doctype/note/note_list.html index e106dd40f6..d3289d20e1 100644 --- a/erpnext/utilities/doctype/note/note_list.html +++ b/erpnext/utilities/doctype/note/note_list.html @@ -3,7 +3,7 @@
{%= list.get_avatar_and_id(doc) %} - {% if(doc.public) { %} + {% if(!doc.public) { %} From c85abbfeca18964f611e46ca3a57512a33b8a621 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Fri, 8 Aug 2014 16:07:02 +0530 Subject: [PATCH 484/630] PO-PI mapping: divisional loss issue fixed --- erpnext/buying/doctype/purchase_order/purchase_order.py | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/erpnext/buying/doctype/purchase_order/purchase_order.py b/erpnext/buying/doctype/purchase_order/purchase_order.py index 04ad37fc72..d9035f40c5 100644 --- a/erpnext/buying/doctype/purchase_order/purchase_order.py +++ b/erpnext/buying/doctype/purchase_order/purchase_order.py @@ -203,7 +203,8 @@ def make_purchase_receipt(source_name, target_doc=None): target.qty = flt(obj.qty) - flt(obj.received_qty) target.stock_qty = (flt(obj.qty) - flt(obj.received_qty)) * flt(obj.conversion_factor) target.amount = (flt(obj.qty) - flt(obj.received_qty)) * flt(obj.rate) - target.base_amount = (flt(obj.qty) - flt(obj.received_qty)) * flt(obj.base_rate) + target.base_amount = (flt(obj.qty) - flt(obj.received_qty)) * \ + flt(obj.rate) * flt(source_parent.conversion_rate) doc = get_mapped_doc("Purchase Order", source_name, { "Purchase Order": { @@ -235,8 +236,7 @@ def make_purchase_invoice(source_name, target_doc=None): def update_item(obj, target, source_parent): target.amount = flt(obj.amount) - flt(obj.billed_amt) target.base_amount = target.amount * flt(source_parent.conversion_rate) - if flt(obj.base_rate): - target.qty = target.base_amount / flt(obj.base_rate) + target.qty = target.amount / flt(obj.rate) if flt(obj.rate) else flt(obj.qty) doc = get_mapped_doc("Purchase Order", source_name, { "Purchase Order": { From a3f76fc14de48721bf5cf82c1bd22c7b50311121 Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Fri, 8 Aug 2014 16:43:21 +0530 Subject: [PATCH 485/630] Update sales_invoice.js --- erpnext/accounts/doctype/sales_invoice/sales_invoice.js | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/erpnext/accounts/doctype/sales_invoice/sales_invoice.js b/erpnext/accounts/doctype/sales_invoice/sales_invoice.js index c5e9418c58..fda6548d72 100644 --- a/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +++ b/erpnext/accounts/doctype/sales_invoice/sales_invoice.js @@ -103,7 +103,7 @@ erpnext.accounts.SalesInvoiceController = erpnext.selling.SellingController.exte company: cur_frm.doc.company } }) - }); + }, "icon-download", "btn-default"); }, delivery_note_btn: function() { @@ -123,7 +123,7 @@ erpnext.accounts.SalesInvoiceController = erpnext.selling.SellingController.exte }; } }); - }); + }, "icon-download", "btn-default"); }, tc_name: function() { From 23607f91cd949a91e848b43d19903845cff689ff Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Fri, 8 Aug 2014 17:23:40 +0530 Subject: [PATCH 486/630] [fix] [pos] pos view only for draft docs --- .../doctype/sales_invoice/sales_invoice.js | 3 +- erpnext/public/js/transaction.js | 70 ++++++++++--------- 2 files changed, 40 insertions(+), 33 deletions(-) diff --git a/erpnext/accounts/doctype/sales_invoice/sales_invoice.js b/erpnext/accounts/doctype/sales_invoice/sales_invoice.js index fda6548d72..76092ed30d 100644 --- a/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +++ b/erpnext/accounts/doctype/sales_invoice/sales_invoice.js @@ -73,8 +73,9 @@ erpnext.accounts.SalesInvoiceController = erpnext.selling.SellingController.exte return item.delivery_note ? true : false; }); - if(!from_delivery_note) + if(!from_delivery_note) { cur_frm.appframe.add_primary_action(__('Make Delivery'), cur_frm.cscript['Make Delivery Note'], "icon-truck") + } } if(doc.outstanding_amount!=0) { diff --git a/erpnext/public/js/transaction.js b/erpnext/public/js/transaction.js index 44835ce04d..915bbd9eb3 100644 --- a/erpnext/public/js/transaction.js +++ b/erpnext/public/js/transaction.js @@ -57,27 +57,32 @@ erpnext.TransactionController = erpnext.stock.StockController.extend({ this.set_dynamic_labels(); // Show POS button only if it is enabled from features setup - if(cint(sys_defaults.fs_pos_view)===1 && this.frm.doctype!="Material Request" && this.frm.doc.docstatus===0) + if(cint(sys_defaults.fs_pos_view)===1 && this.frm.doctype!="Material Request") this.make_pos_btn(); }, make_pos_btn: function() { - if(!this.pos_active) { - var btn_label = __("POS View"), - icon = "icon-th"; - } else { - var btn_label = __("Form View"), - icon = "icon-file-text"; - } var me = this; + if(this.frm.doc.docstatus===0) { + if(!this.pos_active) { + var btn_label = __("POS View"), + icon = "icon-th"; + } else { + var btn_label = __("Form View"), + icon = "icon-file-text"; + } - this.$pos_btn = this.frm.appframe.add_primary_action(btn_label, function() { - me.toggle_pos(); - }, icon, "btn-default"); + if(erpnext.open_as_pos) { + me.toggle_pos(true); + erpnext.open_as_pos = false; + } - if(erpnext.open_as_pos) { - me.toggle_pos(true); - erpnext.open_as_pos = false; + this.$pos_btn = this.frm.appframe.add_primary_action(btn_label, function() { + me.toggle_pos(); + }, icon, "btn-default"); + } else { + // hack: will avoid calling refresh from refresh + setTimeout(function() { me.toggle_pos(false); }, 100); } }, @@ -86,26 +91,27 @@ erpnext.TransactionController = erpnext.stock.StockController.extend({ var price_list = frappe.meta.has_field(cur_frm.doc.doctype, "selling_price_list") ? this.frm.doc.selling_price_list : this.frm.doc.buying_price_list; - if (!price_list) - msgprint(__("Please select Price List")) - else { - if((show===true && this.pos_active) || (show===false && !this.pos_active)) return; + if((show===true && this.pos_active) || (show===false && !this.pos_active)) + return; - // make pos - if(!this.frm.pos) { - this.frm.layout.add_view("pos"); - this.frm.pos = new erpnext.POS(this.frm.layout.views.pos, this.frm); - } - - // toggle view - this.frm.layout.set_view(this.pos_active ? "" : "pos"); - this.pos_active = !this.pos_active; - - // refresh - if(this.pos_active) - this.frm.pos.refresh(); - this.frm.refresh(); + if(show && !price_list) { + frappe.throw(__("Please select Price List")); } + + // make pos + if(!this.frm.pos) { + this.frm.layout.add_view("pos"); + this.frm.pos = new erpnext.POS(this.frm.layout.views.pos, this.frm); + } + + // toggle view + this.frm.layout.set_view(this.pos_active ? "" : "pos"); + this.pos_active = !this.pos_active; + + // refresh + if(this.pos_active) + this.frm.pos.refresh(); + this.frm.refresh(); }, From 3e103ebffe290c79c75f4eab89e139fe347f7203 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Fri, 8 Aug 2014 17:36:25 +0530 Subject: [PATCH 487/630] [minor] ERPNext uses MariaDB --- README.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/README.md b/README.md index ce15e84a90..ec7605e90e 100644 --- a/README.md +++ b/README.md @@ -2,7 +2,7 @@ [https://erpnext.com](https://erpnext.com) -Includes Accounting, Inventory, CRM, Sales, Purchase, Projects, HRMS. Built on Python / MySQL. +Includes Accounting, Inventory, CRM, Sales, Purchase, Projects, HRMS. Built on Python / MariaDB. ERPNext is built on [frappe](https://github.com/frappe/frappe) From 5d64f5abd42db55a58ef9cc9a3e35b1d555fcf24 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Sat, 9 Aug 2014 14:54:52 +0530 Subject: [PATCH 488/630] [hotfix] Sales Order list --- erpnext/selling/doctype/sales_order/sales_order_list.js | 5 +++-- 1 file changed, 3 insertions(+), 2 deletions(-) diff --git a/erpnext/selling/doctype/sales_order/sales_order_list.js b/erpnext/selling/doctype/sales_order/sales_order_list.js index 3884526e72..bb441c0d6c 100644 --- a/erpnext/selling/doctype/sales_order/sales_order_list.js +++ b/erpnext/selling/doctype/sales_order/sales_order_list.js @@ -1,5 +1,6 @@ frappe.listview_settings['Sales Order'] = { - add_fields: ["grand_total", "company", "currency", "customer", - "customer_name", "per_delivered", "per_billed", "delivery_date"], + add_fields: ["`tabSales Order`.`grand_total`", "`tabSales Order`.`company`", "`tabSales Order`.`currency`", + "`tabSales Order`.`customer`", "`tabSales Order`.`customer_name`", "`tabSales Order`.`per_delivered`", + "`tabSales Order`.`per_billed`", "`tabSales Order`.`delivery_date`"], filters: [["per_delivered", "<", 100]] }; From 52d1ea83a0775ac0acdd34acacaf2b8a8a2235a6 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Mon, 11 Aug 2014 09:16:59 +0530 Subject: [PATCH 489/630] [hotfix] Stock Entry List --- erpnext/stock/doctype/stock_entry/stock_entry_list.js | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/erpnext/stock/doctype/stock_entry/stock_entry_list.js b/erpnext/stock/doctype/stock_entry/stock_entry_list.js index e6a2abcf76..9475ce09b0 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry_list.js +++ b/erpnext/stock/doctype/stock_entry/stock_entry_list.js @@ -1,3 +1,4 @@ frappe.listview_settings['Stock Entry'] = { - add_fields: ["from_warehouse", "to_warehouse", "purpose", "production_order", "bom_no"] + add_fields: ["`tabStock Entry`.`from_warehouse`", "`tabStock Entry`.`to_warehouse`", + "`tabStock Entry`.`purpose`", "`tabStock Entry`.`production_order`", "`tabStock Entry`.`bom_no`"] }; From a6b597a0bd86b0c1dc7bc4928cc7c8c86a5a81bd Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Mon, 11 Aug 2014 11:54:21 +0530 Subject: [PATCH 490/630] Fixes in Order trends report --- erpnext/controllers/trends.py | 22 ++++++++++++---------- 1 file changed, 12 insertions(+), 10 deletions(-) diff --git a/erpnext/controllers/trends.py b/erpnext/controllers/trends.py index 7ef91007be..e62b661ce4 100644 --- a/erpnext/controllers/trends.py +++ b/erpnext/controllers/trends.py @@ -23,7 +23,7 @@ def get_columns(filters, trans): conditions = {"based_on_select": based_on_details["based_on_select"], "period_wise_select": period_select, "columns": columns, "group_by": based_on_details["based_on_group_by"], "grbc": group_by_cols, "trans": trans, - "addl_tables": based_on_details["addl_tables"]} + "addl_tables": based_on_details["addl_tables"], "addl_tables_relational_cond": based_on_details.get("addl_tables_relational_cond", "")} return conditions @@ -60,10 +60,10 @@ def get_data(filters, conditions): inc = 1 data1 = frappe.db.sql(""" select %s from `tab%s` t1, `tab%s Item` t2 %s where t2.parent = t1.name and t1.company = %s and t1.fiscal_year = %s and - t1.docstatus = 1 %s + t1.docstatus = 1 %s %s group by %s """ % (query_details, conditions["trans"], conditions["trans"], conditions["addl_tables"], "%s", - "%s", cond, conditions["group_by"]), (filters.get("company"), + "%s", conditions.get("addl_tables_relational_cond"), cond, conditions["group_by"]), (filters.get("company"), filters["fiscal_year"]),as_list=1) for d in range(len(data1)): @@ -75,10 +75,10 @@ def get_data(filters, conditions): #to get distinct value of col specified by group_by in filter row = frappe.db.sql("""select DISTINCT(%s) from `tab%s` t1, `tab%s Item` t2 %s where t2.parent = t1.name and t1.company = %s and t1.fiscal_year = %s - and t1.docstatus = 1 and %s = %s + and t1.docstatus = 1 and %s = %s %s """ % (sel_col, conditions["trans"], conditions["trans"], conditions["addl_tables"], - "%s", "%s", conditions["group_by"], "%s"), + "%s", "%s", conditions["group_by"], "%s", conditions.get("addl_tables_relational_cond")), (filters.get("company"), filters.get("fiscal_year"), data1[d][0]), as_list=1) for i in range(len(row)): @@ -87,11 +87,11 @@ def get_data(filters, conditions): #get data for group_by filter row1 = frappe.db.sql(""" select %s , %s from `tab%s` t1, `tab%s Item` t2 %s where t2.parent = t1.name and t1.company = %s and t1.fiscal_year = %s - and t1.docstatus = 1 and %s = %s and %s = %s + and t1.docstatus = 1 and %s = %s and %s = %s %s """ % (sel_col, conditions["period_wise_select"], conditions["trans"], conditions["trans"], conditions["addl_tables"], "%s", "%s", sel_col, - "%s", conditions["group_by"], "%s"), + "%s", conditions["group_by"], "%s", conditions.get("addl_tables_relational_cond")), (filters.get("company"), filters.get("fiscal_year"), row[i][0], data1[d][0]), as_list=1) @@ -103,11 +103,11 @@ def get_data(filters, conditions): else: data = frappe.db.sql(""" select %s from `tab%s` t1, `tab%s Item` t2 %s where t2.parent = t1.name and t1.company = %s and t1.fiscal_year = %s and - t1.docstatus = 1 %s + t1.docstatus = 1 %s %s group by %s """ % (query_details, conditions["trans"], conditions["trans"], conditions["addl_tables"], - "%s", "%s", cond,conditions["group_by"]), + "%s", "%s", cond, conditions.get("addl_tables_relational_cond", ""), conditions["group_by"]), (filters.get("company"), filters.get("fiscal_year")), as_list=1) return data @@ -224,12 +224,14 @@ def based_wise_columns_query(based_on, trans): based_on_details["based_on_select"] = "t1.supplier, t3.supplier_type," based_on_details["based_on_group_by"] = 't1.supplier' based_on_details["addl_tables"] = ',`tabSupplier` t3' + based_on_details["addl_tables_relational_cond"] = " and t1.supplier = t3.name" elif based_on == 'Supplier Type': based_on_details["based_on_cols"] = ["Supplier Type:Link/Supplier Type:140"] based_on_details["based_on_select"] = "t3.supplier_type," based_on_details["based_on_group_by"] = 't3.supplier_type' - based_on_details["addl_tables"] =',`tabSupplier` t3' + based_on_details["addl_tables"] = ',`tabSupplier` t3' + based_on_details["addl_tables_relational_cond"] = " and t1.supplier = t3.name" elif based_on == "Territory": based_on_details["based_on_cols"] = ["Territory:Link/Territory:120"] From e4aaa3d18f97646865ee8b6c313ecd5c0b186dc9 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Mon, 11 Aug 2014 12:27:47 +0530 Subject: [PATCH 491/630] [minor] Truncate comment in Feed to 240 chars --- erpnext/home/__init__.py | 8 ++++++-- 1 file changed, 6 insertions(+), 2 deletions(-) diff --git a/erpnext/home/__init__.py b/erpnext/home/__init__.py index 04d5344078..26a11a22bc 100644 --- a/erpnext/home/__init__.py +++ b/erpnext/home/__init__.py @@ -93,6 +93,10 @@ def update_feed(doc, method=None): def make_comment_feed(doc, method): """add comment to feed""" - make_feed('Comment', doc.comment_doctype, doc.comment_docname, doc.comment_by, - '"' + doc.comment + '"', '#6B24B3') + comment = doc.comment + if len(comment) > 240: + comment = comment[:240] + "..." + + make_feed('Comment', doc.comment_doctype, doc.comment_docname, doc.comment_by, + '"' + comment + '"', '#6B24B3') From 96964a4e03a2e9a1e1af9babc3f817ce9fbc4a85 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Mon, 11 Aug 2014 12:28:32 +0530 Subject: [PATCH 492/630] [minor] Visible Columns' Label should show ellipsis on overflow --- erpnext/templates/form_grid/includes/visible_cols.html | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/erpnext/templates/form_grid/includes/visible_cols.html b/erpnext/templates/form_grid/includes/visible_cols.html index 38abdd03f3..285c1254b6 100644 --- a/erpnext/templates/form_grid/includes/visible_cols.html +++ b/erpnext/templates/form_grid/includes/visible_cols.html @@ -2,10 +2,10 @@ {% var val = doc.get_formatted(df.fieldname); if(val) { %}
-
- {%= __(df.label) %}: +
+ {%= __(df.label) %}:
-
+
{%= doc.get_formatted(df.fieldname) %}
From 42335fb2cb681e7e3e97c07fe9a38ba283c11c03 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Mon, 11 Aug 2014 13:28:29 +0530 Subject: [PATCH 493/630] [minor] Allow on Submit - Actual / Projected Qty --- .../sales_invoice_item.json | 3 +- .../sales_order_item/sales_order_item.json | 743 +++++++++--------- .../delivery_note_item.json | 3 +- .../stock_entry_detail.json | 4 +- 4 files changed, 379 insertions(+), 374 deletions(-) diff --git a/erpnext/accounts/doctype/sales_invoice_item/sales_invoice_item.json b/erpnext/accounts/doctype/sales_invoice_item/sales_invoice_item.json index 14bd47bf8a..cff661c851 100644 --- a/erpnext/accounts/doctype/sales_invoice_item/sales_invoice_item.json +++ b/erpnext/accounts/doctype/sales_invoice_item/sales_invoice_item.json @@ -351,6 +351,7 @@ "permlevel": 0 }, { + "allow_on_submit": 1, "fieldname": "actual_qty", "fieldtype": "Float", "label": "Available Qty at Warehouse", @@ -448,7 +449,7 @@ ], "idx": 1, "istable": 1, - "modified": "2014-08-01 06:14:28.707601", + "modified": "2014-08-11 03:52:58.926627", "modified_by": "Administrator", "module": "Accounts", "name": "Sales Invoice Item", diff --git a/erpnext/selling/doctype/sales_order_item/sales_order_item.json b/erpnext/selling/doctype/sales_order_item/sales_order_item.json index 4ea3fecfde..d726a44b26 100644 --- a/erpnext/selling/doctype/sales_order_item/sales_order_item.json +++ b/erpnext/selling/doctype/sales_order_item/sales_order_item.json @@ -1,443 +1,444 @@ { - "autoname": "SOD/.#####", - "creation": "2013-03-07 11:42:58", - "docstatus": 0, - "doctype": "DocType", + "autoname": "SOD/.#####", + "creation": "2013-03-07 11:42:58", + "docstatus": 0, + "doctype": "DocType", "fields": [ { - "fieldname": "item_code", - "fieldtype": "Link", - "in_filter": 1, - "in_list_view": 1, - "label": "Item Code", - "oldfieldname": "item_code", - "oldfieldtype": "Link", - "options": "Item", - "permlevel": 0, - "print_width": "150px", - "read_only": 0, - "reqd": 1, - "search_index": 1, + "fieldname": "item_code", + "fieldtype": "Link", + "in_filter": 1, + "in_list_view": 1, + "label": "Item Code", + "oldfieldname": "item_code", + "oldfieldtype": "Link", + "options": "Item", + "permlevel": 0, + "print_width": "150px", + "read_only": 0, + "reqd": 1, + "search_index": 1, "width": "150px" - }, + }, { - "fieldname": "customer_item_code", - "fieldtype": "Data", - "hidden": 1, - "in_list_view": 0, - "label": "Customer's Item Code", - "permlevel": 0, - "print_hide": 1, + "fieldname": "customer_item_code", + "fieldtype": "Data", + "hidden": 1, + "in_list_view": 0, + "label": "Customer's Item Code", + "permlevel": 0, + "print_hide": 1, "read_only": 1 - }, + }, { - "fieldname": "item_name", - "fieldtype": "Data", - "in_list_view": 0, - "label": "Item Name", - "oldfieldname": "item_name", - "oldfieldtype": "Data", - "permlevel": 0, - "print_hide": 1, - "print_width": "150", - "read_only": 0, - "reqd": 1, + "fieldname": "item_name", + "fieldtype": "Data", + "in_list_view": 0, + "label": "Item Name", + "oldfieldname": "item_name", + "oldfieldtype": "Data", + "permlevel": 0, + "print_hide": 1, + "print_width": "150", + "read_only": 0, + "reqd": 1, "width": "150" - }, + }, { - "fieldname": "col_break1", - "fieldtype": "Column Break", + "fieldname": "col_break1", + "fieldtype": "Column Break", "permlevel": 0 - }, + }, { - "fieldname": "description", - "fieldtype": "Small Text", - "in_filter": 1, - "in_list_view": 1, - "label": "Description", - "oldfieldname": "description", - "oldfieldtype": "Small Text", - "permlevel": 0, - "print_width": "300px", - "read_only": 0, - "reqd": 1, - "search_index": 1, + "fieldname": "description", + "fieldtype": "Small Text", + "in_filter": 1, + "in_list_view": 1, + "label": "Description", + "oldfieldname": "description", + "oldfieldtype": "Small Text", + "permlevel": 0, + "print_width": "300px", + "read_only": 0, + "reqd": 1, + "search_index": 1, "width": "300px" - }, + }, { - "fieldname": "quantity_and_rate", - "fieldtype": "Section Break", - "in_list_view": 0, - "label": "Quantity and Rate", + "fieldname": "quantity_and_rate", + "fieldtype": "Section Break", + "in_list_view": 0, + "label": "Quantity and Rate", "permlevel": 0 - }, + }, { - "fieldname": "qty", - "fieldtype": "Float", - "in_list_view": 1, - "label": "Quantity", - "oldfieldname": "qty", - "oldfieldtype": "Currency", - "permlevel": 0, - "print_width": "100px", - "read_only": 0, - "reqd": 1, + "fieldname": "qty", + "fieldtype": "Float", + "in_list_view": 1, + "label": "Quantity", + "oldfieldname": "qty", + "oldfieldtype": "Currency", + "permlevel": 0, + "print_width": "100px", + "read_only": 0, + "reqd": 1, "width": "100px" - }, + }, { - "fieldname": "price_list_rate", - "fieldtype": "Currency", - "in_list_view": 0, - "label": "Price List Rate", - "oldfieldname": "ref_rate", - "oldfieldtype": "Currency", - "options": "currency", - "permlevel": 0, - "print_hide": 1, - "print_width": "70px", - "read_only": 1, - "reqd": 0, + "fieldname": "price_list_rate", + "fieldtype": "Currency", + "in_list_view": 0, + "label": "Price List Rate", + "oldfieldname": "ref_rate", + "oldfieldtype": "Currency", + "options": "currency", + "permlevel": 0, + "print_hide": 1, + "print_width": "70px", + "read_only": 1, + "reqd": 0, "width": "70px" - }, + }, { - "fieldname": "discount_percentage", - "fieldtype": "Float", - "in_list_view": 0, - "label": "Discount(%)", - "oldfieldname": "adj_rate", - "oldfieldtype": "Float", - "permlevel": 0, - "print_hide": 1, - "print_width": "70px", - "read_only": 0, + "fieldname": "discount_percentage", + "fieldtype": "Percent", + "in_list_view": 0, + "label": "Discount(%)", + "oldfieldname": "adj_rate", + "oldfieldtype": "Float", + "permlevel": 0, + "print_hide": 1, + "print_width": "70px", + "read_only": 0, "width": "70px" - }, + }, { - "fieldname": "col_break2", - "fieldtype": "Column Break", + "fieldname": "col_break2", + "fieldtype": "Column Break", "permlevel": 0 - }, + }, { - "fieldname": "stock_uom", - "fieldtype": "Link", - "hidden": 0, - "in_list_view": 0, - "label": "UOM", - "oldfieldname": "stock_uom", - "oldfieldtype": "Data", - "options": "UOM", - "permlevel": 0, - "print_width": "70px", - "read_only": 1, - "reqd": 0, + "fieldname": "stock_uom", + "fieldtype": "Link", + "hidden": 0, + "in_list_view": 0, + "label": "UOM", + "oldfieldname": "stock_uom", + "oldfieldtype": "Data", + "options": "UOM", + "permlevel": 0, + "print_width": "70px", + "read_only": 1, + "reqd": 0, "width": "70px" - }, + }, { - "fieldname": "base_price_list_rate", - "fieldtype": "Currency", - "in_list_view": 0, - "label": "Price List Rate (Company Currency)", - "oldfieldname": "base_ref_rate", - "oldfieldtype": "Currency", - "options": "Company:company:default_currency", - "permlevel": 0, - "print_hide": 1, - "print_width": "100px", - "read_only": 1, + "fieldname": "base_price_list_rate", + "fieldtype": "Currency", + "in_list_view": 0, + "label": "Price List Rate (Company Currency)", + "oldfieldname": "base_ref_rate", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", + "permlevel": 0, + "print_hide": 1, + "print_width": "100px", + "read_only": 1, "width": "100px" - }, + }, { - "fieldname": "section_break_simple1", - "fieldtype": "Section Break", + "fieldname": "section_break_simple1", + "fieldtype": "Section Break", "permlevel": 0 - }, + }, { - "fieldname": "rate", - "fieldtype": "Currency", - "in_list_view": 1, - "label": "Rate", - "oldfieldname": "export_rate", - "oldfieldtype": "Currency", - "options": "currency", - "permlevel": 0, - "print_width": "100px", - "read_only": 0, - "reqd": 0, + "fieldname": "rate", + "fieldtype": "Currency", + "in_list_view": 1, + "label": "Rate", + "oldfieldname": "export_rate", + "oldfieldtype": "Currency", + "options": "currency", + "permlevel": 0, + "print_width": "100px", + "read_only": 0, + "reqd": 0, "width": "100px" - }, + }, { - "fieldname": "amount", - "fieldtype": "Currency", - "in_list_view": 1, - "label": "Amount", - "no_copy": 0, - "oldfieldname": "export_amount", - "oldfieldtype": "Currency", - "options": "currency", - "permlevel": 0, - "print_width": "100px", - "read_only": 1, - "reqd": 0, + "fieldname": "amount", + "fieldtype": "Currency", + "in_list_view": 1, + "label": "Amount", + "no_copy": 0, + "oldfieldname": "export_amount", + "oldfieldtype": "Currency", + "options": "currency", + "permlevel": 0, + "print_width": "100px", + "read_only": 1, + "reqd": 0, "width": "100px" - }, + }, { - "fieldname": "col_break3", - "fieldtype": "Column Break", + "fieldname": "col_break3", + "fieldtype": "Column Break", "permlevel": 0 - }, + }, { - "fieldname": "base_rate", - "fieldtype": "Currency", - "in_list_view": 0, - "label": "Basic Rate (Company Currency)", - "oldfieldname": "basic_rate", - "oldfieldtype": "Currency", - "options": "Company:company:default_currency", - "permlevel": 0, - "print_hide": 1, - "print_width": "100px", - "read_only": 1, - "reqd": 0, + "fieldname": "base_rate", + "fieldtype": "Currency", + "in_list_view": 0, + "label": "Basic Rate (Company Currency)", + "oldfieldname": "basic_rate", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", + "permlevel": 0, + "print_hide": 1, + "print_width": "100px", + "read_only": 1, + "reqd": 0, "width": "100px" - }, + }, { - "fieldname": "base_amount", - "fieldtype": "Currency", - "in_list_view": 0, - "label": "Amount (Company Currency)", - "no_copy": 0, - "oldfieldname": "amount", - "oldfieldtype": "Currency", - "options": "Company:company:default_currency", - "permlevel": 0, - "print_hide": 1, - "print_width": "100px", - "read_only": 1, - "reqd": 0, + "fieldname": "base_amount", + "fieldtype": "Currency", + "in_list_view": 0, + "label": "Amount (Company Currency)", + "no_copy": 0, + "oldfieldname": "amount", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", + "permlevel": 0, + "print_hide": 1, + "print_width": "100px", + "read_only": 1, + "reqd": 0, "width": "100px" - }, + }, { - "fieldname": "pricing_rule", - "fieldtype": "Link", - "label": "Pricing Rule", - "options": "Pricing Rule", - "permlevel": 0, + "fieldname": "pricing_rule", + "fieldtype": "Link", + "label": "Pricing Rule", + "options": "Pricing Rule", + "permlevel": 0, "read_only": 1 - }, + }, { - "fieldname": "warehouse_and_reference", - "fieldtype": "Section Break", - "in_list_view": 0, - "label": "Warehouse and Reference", + "fieldname": "warehouse_and_reference", + "fieldtype": "Section Break", + "in_list_view": 0, + "label": "Warehouse and Reference", "permlevel": 0 - }, + }, { - "fieldname": "warehouse", - "fieldtype": "Link", - "in_list_view": 0, - "label": "Reserved Warehouse", - "no_copy": 0, - "oldfieldname": "reserved_warehouse", - "oldfieldtype": "Link", - "options": "Warehouse", - "permlevel": 0, - "print_hide": 1, - "print_width": "150px", - "read_only": 0, - "reqd": 0, + "fieldname": "warehouse", + "fieldtype": "Link", + "in_list_view": 0, + "label": "Reserved Warehouse", + "no_copy": 0, + "oldfieldname": "reserved_warehouse", + "oldfieldtype": "Link", + "options": "Warehouse", + "permlevel": 0, + "print_hide": 1, + "print_width": "150px", + "read_only": 0, + "reqd": 0, "width": "150px" - }, + }, { - "fieldname": "prevdoc_docname", - "fieldtype": "Link", - "hidden": 0, - "in_filter": 1, - "in_list_view": 0, - "label": "Quotation", - "no_copy": 1, - "oldfieldname": "prevdoc_docname", - "oldfieldtype": "Link", - "options": "Quotation", - "permlevel": 0, - "print_hide": 1, - "read_only": 1, + "fieldname": "prevdoc_docname", + "fieldtype": "Link", + "hidden": 0, + "in_filter": 1, + "in_list_view": 0, + "label": "Quotation", + "no_copy": 1, + "oldfieldname": "prevdoc_docname", + "oldfieldtype": "Link", + "options": "Quotation", + "permlevel": 0, + "print_hide": 1, + "read_only": 1, "search_index": 1 - }, + }, { - "fieldname": "brand", - "fieldtype": "Link", - "hidden": 1, - "in_filter": 1, - "in_list_view": 0, - "label": "Brand Name", - "oldfieldname": "brand", - "oldfieldtype": "Link", - "options": "Brand", - "permlevel": 0, - "print_hide": 1, - "read_only": 1, + "fieldname": "brand", + "fieldtype": "Link", + "hidden": 1, + "in_filter": 1, + "in_list_view": 0, + "label": "Brand Name", + "oldfieldname": "brand", + "oldfieldtype": "Link", + "options": "Brand", + "permlevel": 0, + "print_hide": 1, + "read_only": 1, "search_index": 1 - }, + }, { - "description": "Add / Edit", - "fieldname": "item_group", - "fieldtype": "Link", - "hidden": 1, - "in_filter": 1, - "in_list_view": 0, - "label": "Item Group", - "oldfieldname": "item_group", - "oldfieldtype": "Link", - "options": "Item Group", - "permlevel": 0, - "print_hide": 1, - "read_only": 1, + "description": "Add / Edit", + "fieldname": "item_group", + "fieldtype": "Link", + "hidden": 1, + "in_filter": 1, + "in_list_view": 0, + "label": "Item Group", + "oldfieldname": "item_group", + "oldfieldtype": "Link", + "options": "Item Group", + "permlevel": 0, + "print_hide": 1, + "read_only": 1, "search_index": 1 - }, + }, { - "allow_on_submit": 1, - "fieldname": "page_break", - "fieldtype": "Check", - "in_list_view": 0, - "label": "Page Break", - "oldfieldname": "page_break", - "oldfieldtype": "Check", - "permlevel": 0, - "print_hide": 1, - "read_only": 0, + "allow_on_submit": 1, + "fieldname": "page_break", + "fieldtype": "Check", + "in_list_view": 0, + "label": "Page Break", + "oldfieldname": "page_break", + "oldfieldtype": "Check", + "permlevel": 0, + "print_hide": 1, + "read_only": 0, "report_hide": 1 - }, + }, { - "fieldname": "col_break4", - "fieldtype": "Column Break", + "fieldname": "col_break4", + "fieldtype": "Column Break", "permlevel": 0 - }, + }, { - "fieldname": "projected_qty", - "fieldtype": "Float", - "hidden": 0, - "in_list_view": 0, - "label": "Projected Qty", - "no_copy": 1, - "oldfieldname": "projected_qty", - "oldfieldtype": "Currency", - "permlevel": 0, - "print_hide": 1, - "print_width": "70px", - "read_only": 1, + "fieldname": "projected_qty", + "fieldtype": "Float", + "hidden": 0, + "in_list_view": 0, + "label": "Projected Qty", + "no_copy": 1, + "oldfieldname": "projected_qty", + "oldfieldtype": "Currency", + "permlevel": 0, + "print_hide": 1, + "print_width": "70px", + "read_only": 1, "width": "70px" - }, + }, { - "fieldname": "actual_qty", - "fieldtype": "Float", - "in_list_view": 0, - "label": "Actual Qty", - "no_copy": 1, - "permlevel": 0, - "print_hide": 1, - "print_width": "70px", - "read_only": 1, + "allow_on_submit": 1, + "fieldname": "actual_qty", + "fieldtype": "Float", + "in_list_view": 0, + "label": "Actual Qty", + "no_copy": 1, + "permlevel": 0, + "print_hide": 1, + "print_width": "70px", + "read_only": 1, "width": "70px" - }, + }, { - "fieldname": "delivered_qty", - "fieldtype": "Float", - "hidden": 0, - "in_filter": 0, - "in_list_view": 0, - "label": "Delivered Qty", - "no_copy": 1, - "oldfieldname": "delivered_qty", - "oldfieldtype": "Currency", - "permlevel": 0, - "print_hide": 1, - "print_width": "100px", - "read_only": 1, - "search_index": 0, + "fieldname": "delivered_qty", + "fieldtype": "Float", + "hidden": 0, + "in_filter": 0, + "in_list_view": 0, + "label": "Delivered Qty", + "no_copy": 1, + "oldfieldname": "delivered_qty", + "oldfieldtype": "Currency", + "permlevel": 0, + "print_hide": 1, + "print_width": "100px", + "read_only": 1, + "search_index": 0, "width": "100px" - }, + }, { - "fieldname": "billed_amt", - "fieldtype": "Currency", - "in_list_view": 0, - "label": "Billed Amt", - "no_copy": 1, - "options": "currency", - "permlevel": 0, - "print_hide": 1, + "fieldname": "billed_amt", + "fieldtype": "Currency", + "in_list_view": 0, + "label": "Billed Amt", + "no_copy": 1, + "options": "currency", + "permlevel": 0, + "print_hide": 1, "read_only": 1 - }, + }, { - "description": "For Production", - "fieldname": "planned_qty", - "fieldtype": "Float", - "hidden": 1, - "in_list_view": 0, - "label": "Planned Quantity", - "no_copy": 1, - "oldfieldname": "planned_qty", - "oldfieldtype": "Currency", - "permlevel": 0, - "print_hide": 1, - "print_width": "50px", - "read_only": 1, - "report_hide": 1, + "description": "For Production", + "fieldname": "planned_qty", + "fieldtype": "Float", + "hidden": 1, + "in_list_view": 0, + "label": "Planned Quantity", + "no_copy": 1, + "oldfieldname": "planned_qty", + "oldfieldtype": "Currency", + "permlevel": 0, + "print_hide": 1, + "print_width": "50px", + "read_only": 1, + "report_hide": 1, "width": "50px" - }, + }, { - "description": "For Production", - "fieldname": "produced_qty", - "fieldtype": "Float", - "hidden": 1, - "in_list_view": 0, - "label": "Produced Quantity", - "oldfieldname": "produced_qty", - "oldfieldtype": "Currency", - "permlevel": 0, - "print_hide": 1, - "print_width": "50px", - "read_only": 1, - "report_hide": 1, + "description": "For Production", + "fieldname": "produced_qty", + "fieldtype": "Float", + "hidden": 1, + "in_list_view": 0, + "label": "Produced Quantity", + "oldfieldname": "produced_qty", + "oldfieldtype": "Currency", + "permlevel": 0, + "print_hide": 1, + "print_width": "50px", + "read_only": 1, + "report_hide": 1, "width": "50px" - }, + }, { - "fieldname": "item_tax_rate", - "fieldtype": "Small Text", - "hidden": 1, - "in_list_view": 0, - "label": "Item Tax Rate", - "oldfieldname": "item_tax_rate", - "oldfieldtype": "Small Text", - "permlevel": 0, - "print_hide": 1, - "read_only": 1, + "fieldname": "item_tax_rate", + "fieldtype": "Small Text", + "hidden": 1, + "in_list_view": 0, + "label": "Item Tax Rate", + "oldfieldname": "item_tax_rate", + "oldfieldtype": "Small Text", + "permlevel": 0, + "print_hide": 1, + "read_only": 1, "report_hide": 1 - }, + }, { - "description": "Used for Production Plan", - "fieldname": "transaction_date", - "fieldtype": "Date", - "hidden": 1, - "in_filter": 0, - "in_list_view": 0, - "label": "Sales Order Date", - "oldfieldname": "transaction_date", - "oldfieldtype": "Date", - "permlevel": 0, - "print_hide": 1, - "read_only": 1, - "report_hide": 1, + "description": "Used for Production Plan", + "fieldname": "transaction_date", + "fieldtype": "Date", + "hidden": 1, + "in_filter": 0, + "in_list_view": 0, + "label": "Sales Order Date", + "oldfieldname": "transaction_date", + "oldfieldtype": "Date", + "permlevel": 0, + "print_hide": 1, + "read_only": 1, + "report_hide": 1, "search_index": 0 } - ], - "idx": 1, - "istable": 1, - "modified": "2014-07-31 04:55:10.143164", - "modified_by": "Administrator", - "module": "Selling", - "name": "Sales Order Item", - "owner": "Administrator", - "permissions": [], - "sort_field": "modified", + ], + "idx": 1, + "istable": 1, + "modified": "2014-08-11 03:57:27.705699", + "modified_by": "Administrator", + "module": "Selling", + "name": "Sales Order Item", + "owner": "Administrator", + "permissions": [], + "sort_field": "modified", "sort_order": "DESC" -} +} \ No newline at end of file diff --git a/erpnext/stock/doctype/delivery_note_item/delivery_note_item.json b/erpnext/stock/doctype/delivery_note_item/delivery_note_item.json index 8c5cbb7bb5..a91c552c2f 100644 --- a/erpnext/stock/doctype/delivery_note_item/delivery_note_item.json +++ b/erpnext/stock/doctype/delivery_note_item/delivery_note_item.json @@ -322,6 +322,7 @@ "permlevel": 0 }, { + "allow_on_submit": 1, "fieldname": "actual_qty", "fieldtype": "Float", "label": "Available Qty at Warehouse", @@ -431,7 +432,7 @@ ], "idx": 1, "istable": 1, - "modified": "2014-07-29 06:11:36.636120", + "modified": "2014-08-11 03:54:26.513630", "modified_by": "Administrator", "module": "Stock", "name": "Delivery Note Item", diff --git a/erpnext/stock/doctype/stock_entry_detail/stock_entry_detail.json b/erpnext/stock/doctype/stock_entry_detail/stock_entry_detail.json index e2f2c59d5b..7e737ef509 100644 --- a/erpnext/stock/doctype/stock_entry_detail/stock_entry_detail.json +++ b/erpnext/stock/doctype/stock_entry_detail/stock_entry_detail.json @@ -233,8 +233,10 @@ "permlevel": 0 }, { + "allow_on_submit": 1, "fieldname": "actual_qty", "fieldtype": "Float", + "ignore_user_permissions": 0, "in_filter": 1, "label": "Actual Qty (at source/target)", "no_copy": 1, @@ -300,7 +302,7 @@ ], "idx": 1, "istable": 1, - "modified": "2014-07-29 05:28:21.872968", + "modified": "2014-08-11 03:54:49.688635", "modified_by": "Administrator", "module": "Stock", "name": "Stock Entry Detail", From b00a2422e4d86eadcc7c25149edda06d36f74238 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Mon, 11 Aug 2014 15:54:17 +0530 Subject: [PATCH 494/630] [hotfix] Allow on Submit - Actual / Projected Qty for Packed Item --- erpnext/stock/doctype/packed_item/packed_item.json | 9 ++++++--- 1 file changed, 6 insertions(+), 3 deletions(-) diff --git a/erpnext/stock/doctype/packed_item/packed_item.json b/erpnext/stock/doctype/packed_item/packed_item.json index 6558efbafc..33a2fb41e5 100644 --- a/erpnext/stock/doctype/packed_item/packed_item.json +++ b/erpnext/stock/doctype/packed_item/packed_item.json @@ -1,5 +1,5 @@ { - "creation": "2013-02-22 01:28:00.000000", + "creation": "2013-02-22 01:28:00", "docstatus": 0, "doctype": "DocType", "fields": [ @@ -95,6 +95,7 @@ "permlevel": 0 }, { + "allow_on_submit": 1, "fieldname": "actual_qty", "fieldtype": "Float", "label": "Actual Qty", @@ -105,6 +106,7 @@ "read_only": 1 }, { + "allow_on_submit": 1, "fieldname": "projected_qty", "fieldtype": "Float", "label": "Projected Qty", @@ -149,9 +151,10 @@ ], "idx": 1, "istable": 1, - "modified": "2013-12-20 19:23:23.000000", + "modified": "2014-08-11 06:23:08.597647", "modified_by": "Administrator", "module": "Stock", "name": "Packed Item", - "owner": "Administrator" + "owner": "Administrator", + "permissions": [] } \ No newline at end of file From 4436157da14c02596115854dbbfe0daa780c8b92 Mon Sep 17 00:00:00 2001 From: nabinhait Date: Sat, 12 Jul 2014 23:24:10 +0530 Subject: [PATCH 495/630] Landed cost redesign initial commit #1921 --- .../landed_cost_item/landed_cost_item.json | 85 ++++++++++++---- .../landed_cost_purchase_receipt.json | 40 +++++++- .../landed_cost_taxes_and_charges/__init__.py | 0 .../landed_cost_taxes_and_charges.json | 51 ++++++++++ .../landed_cost_taxes_and_charges.py | 9 ++ .../doctype/landed_cost_voucher/__init__.py | 0 .../landed_cost_voucher.js | 82 ++++++++++++++++ .../landed_cost_voucher.json | 97 +++++++++++++++++++ .../landed_cost_voucher.py | 83 ++++++++++++++++ 9 files changed, 426 insertions(+), 21 deletions(-) create mode 100644 erpnext/stock/doctype/landed_cost_taxes_and_charges/__init__.py create mode 100644 erpnext/stock/doctype/landed_cost_taxes_and_charges/landed_cost_taxes_and_charges.json create mode 100644 erpnext/stock/doctype/landed_cost_taxes_and_charges/landed_cost_taxes_and_charges.py create mode 100644 erpnext/stock/doctype/landed_cost_voucher/__init__.py create mode 100644 erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js create mode 100644 erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.json create mode 100644 erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py diff --git a/erpnext/stock/doctype/landed_cost_item/landed_cost_item.json b/erpnext/stock/doctype/landed_cost_item/landed_cost_item.json index f761ebabb1..c5887d47f4 100644 --- a/erpnext/stock/doctype/landed_cost_item/landed_cost_item.json +++ b/erpnext/stock/doctype/landed_cost_item/landed_cost_item.json @@ -1,27 +1,18 @@ { - "creation": "2013-02-22 01:28:02.000000", + "creation": "2013-02-22 01:28:02", "docstatus": 0, "doctype": "DocType", "fields": [ { - "fieldname": "account_head", + "fieldname": "item_code", "fieldtype": "Link", "in_list_view": 1, - "label": "Account Head", - "oldfieldname": "account_head", - "oldfieldtype": "Link", - "options": "Account", + "label": "Item Code", + "options": "Item", "permlevel": 0, + "read_only": 1, "reqd": 1, - "search_index": 1 - }, - { - "fieldname": "cost_center", - "fieldtype": "Link", - "label": "Cost Center", - "options": "Cost Center", - "permlevel": 0, - "reqd": 1 + "width": "100px" }, { "fieldname": "description", @@ -32,8 +23,46 @@ "oldfieldtype": "Data", "permlevel": 0, "print_width": "300px", + "read_only": 1, "reqd": 1, - "width": "300px" + "width": "120px" + }, + { + "fieldname": "purchase_receipt", + "fieldtype": "Link", + "hidden": 0, + "label": "Purchase Receipt", + "options": "Purchase Receipt", + "permlevel": 0, + "read_only": 1 + }, + { + "fieldname": "warehouse", + "fieldtype": "Link", + "hidden": 0, + "label": "Warehouse", + "options": "Warehouse", + "permlevel": 0, + "read_only": 1 + }, + { + "fieldname": "col_break2", + "fieldtype": "Column Break", + "permlevel": 0 + }, + { + "fieldname": "qty", + "fieldtype": "Float", + "label": "Qty", + "permlevel": 0, + "read_only": 1 + }, + { + "fieldname": "rate", + "fieldtype": "Currency", + "label": "Rate", + "permlevel": 0, + "read_only": 1 }, { "fieldname": "amount", @@ -44,14 +73,34 @@ "oldfieldtype": "Currency", "options": "currency", "permlevel": 0, + "read_only": 1, "reqd": 1 + }, + { + "fieldname": "old_valuation_rate", + "fieldtype": "Currency", + "in_list_view": 1, + "label": "Old Valuation Rate", + "permlevel": 0, + "read_only": 1, + "width": "" + }, + { + "fieldname": "new_valuation_rate", + "fieldtype": "Currency", + "in_list_view": 1, + "label": "New Valuation Rate", + "permlevel": 0, + "read_only": 1, + "width": "" } ], "idx": 1, "istable": 1, - "modified": "2013-12-20 19:23:18.000000", + "modified": "2014-07-11 15:20:53.714633", "modified_by": "Administrator", "module": "Stock", "name": "Landed Cost Item", - "owner": "wasim@webnotestech.com" + "owner": "wasim@webnotestech.com", + "permissions": [] } \ No newline at end of file diff --git a/erpnext/stock/doctype/landed_cost_purchase_receipt/landed_cost_purchase_receipt.json b/erpnext/stock/doctype/landed_cost_purchase_receipt/landed_cost_purchase_receipt.json index b50c148292..651f28834b 100644 --- a/erpnext/stock/doctype/landed_cost_purchase_receipt/landed_cost_purchase_receipt.json +++ b/erpnext/stock/doctype/landed_cost_purchase_receipt/landed_cost_purchase_receipt.json @@ -1,5 +1,5 @@ { - "creation": "2013-02-22 01:28:02.000000", + "creation": "2013-02-22 01:28:02", "docstatus": 0, "doctype": "DocType", "fields": [ @@ -13,14 +13,48 @@ "options": "Purchase Receipt", "permlevel": 0, "print_width": "220px", + "read_only": 0, + "reqd": 1, "width": "220px" + }, + { + "fieldname": "supplier", + "fieldtype": "Link", + "in_list_view": 1, + "label": "Supplier", + "options": "Supplier", + "permlevel": 0, + "read_only": 1 + }, + { + "fieldname": "col_break1", + "fieldtype": "Column Break", + "permlevel": 0, + "width": "50%" + }, + { + "fieldname": "posting_date", + "fieldtype": "Date", + "in_list_view": 1, + "label": "Posting Date", + "permlevel": 0, + "read_only": 1 + }, + { + "fieldname": "grand_total", + "fieldtype": "Currency", + "in_list_view": 1, + "label": "Grand Total", + "permlevel": 0, + "read_only": 1 } ], "idx": 1, "istable": 1, - "modified": "2013-12-20 19:23:18.000000", + "modified": "2014-07-11 12:12:08.572263", "modified_by": "Administrator", "module": "Stock", "name": "Landed Cost Purchase Receipt", - "owner": "wasim@webnotestech.com" + "owner": "wasim@webnotestech.com", + "permissions": [] } \ No newline at end of file diff --git a/erpnext/stock/doctype/landed_cost_taxes_and_charges/__init__.py b/erpnext/stock/doctype/landed_cost_taxes_and_charges/__init__.py new file mode 100644 index 0000000000..e69de29bb2 diff --git a/erpnext/stock/doctype/landed_cost_taxes_and_charges/landed_cost_taxes_and_charges.json b/erpnext/stock/doctype/landed_cost_taxes_and_charges/landed_cost_taxes_and_charges.json new file mode 100644 index 0000000000..d077dbc31d --- /dev/null +++ b/erpnext/stock/doctype/landed_cost_taxes_and_charges/landed_cost_taxes_and_charges.json @@ -0,0 +1,51 @@ +{ + "creation": "2014-07-11 11:51:00.453717", + "docstatus": 0, + "doctype": "DocType", + "document_type": "", + "fields": [ + { + "fieldname": "description", + "fieldtype": "Small Text", + "in_list_view": 1, + "label": "Description", + "permlevel": 0, + "reqd": 1 + }, + { + "fieldname": "col_break3", + "fieldtype": "Column Break", + "permlevel": 0, + "width": "50%" + }, + { + "fieldname": "account", + "fieldtype": "Link", + "in_list_view": 1, + "label": "Account", + "options": "Account", + "permlevel": 0, + "print_hide": 1, + "read_only": 0, + "reqd": 1 + }, + { + "fieldname": "amount", + "fieldtype": "Currency", + "in_list_view": 1, + "label": "Amount", + "permlevel": 0, + "reqd": 1 + } + ], + "istable": 1, + "modified": "2014-07-11 13:00:14.770284", + "modified_by": "Administrator", + "module": "Stock", + "name": "Landed Cost Taxes and Charges", + "name_case": "", + "owner": "Administrator", + "permissions": [], + "sort_field": "modified", + "sort_order": "DESC" +} \ No newline at end of file diff --git a/erpnext/stock/doctype/landed_cost_taxes_and_charges/landed_cost_taxes_and_charges.py b/erpnext/stock/doctype/landed_cost_taxes_and_charges/landed_cost_taxes_and_charges.py new file mode 100644 index 0000000000..2e1f5a31f3 --- /dev/null +++ b/erpnext/stock/doctype/landed_cost_taxes_and_charges/landed_cost_taxes_and_charges.py @@ -0,0 +1,9 @@ +# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors +# For license information, please see license.txt + +from __future__ import unicode_literals +import frappe +from frappe.model.document import Document + +class LandedCostTaxesandCharges(Document): + pass \ No newline at end of file diff --git a/erpnext/stock/doctype/landed_cost_voucher/__init__.py b/erpnext/stock/doctype/landed_cost_voucher/__init__.py new file mode 100644 index 0000000000..e69de29bb2 diff --git a/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js b/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js new file mode 100644 index 0000000000..47ba0e1c40 --- /dev/null +++ b/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js @@ -0,0 +1,82 @@ +// Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors +// License: GNU General Public License v3. See license.txt + + +frappe.provide("erpnext.stock"); +frappe.require("assets/erpnext/js/controllers/stock_controller.js"); + +erpnext.stock.LandedCostVoucher = erpnext.stock.StockController.extend({ + setup: function() { + var me = this; + this.frm.fields_dict.landed_cost_purchase_receipts.grid.get_field('purchase_receipt').get_query = + function() { + if(!me.frm.doc.company) msgprint(__("Please enter company first")); + return { + filters:[ + ['Purchase Receipt', 'docstatus', '=', '1'], + ['Purchase Receipt', 'company', '=', me.frm.doc.company], + ] + } + }; + + this.frm.fields_dict.landed_cost_taxes_and_charges.grid.get_field('account').get_query = function() { + if(!me.frm.doc.company) msgprint(__("Please enter company first")); + return { + filters:[ + ['Account', 'group_or_ledger', '=', 'Ledger'], + ['Account', 'account_type', 'in', ['Tax', 'Chargeable']], + ['Account', 'company', '=', me.frm.doc.company] + ] + } + }; + + this.frm.add_fetch("purchase_receipt", "supplier", "supplier"); + this.frm.add_fetch("purchase_receipt", "posting_date", "posting_date"); + this.frm.add_fetch("purchase_receipt", "grand_total", "grand_total"); + + }, + + get_items_from_purchase_receipts: function() { + var me = this; + if(!this.frm.doc.landed_cost_purchase_receipts.length) { + msgprint(__("Please enter Purchase Receipt first")); + } else { + return this.frm.call({ + doc: me.frm.doc, + method: "get_items_from_purchase_receipts" + }); + } + }, + + amount: function() { + this.set_total_taxes_and_charges(); + this.set_new_valuation_rate(); + }, + + set_total_taxes_and_charges: function() { + total_taxes_and_charges = 0.0; + $.each(this.frm.doc.landed_cost_taxes_and_charges, function(i, d) { + total_taxes_and_charges += flt(d.amount) + }); + cur_frm.set_value("total_taxes_and_charges", total_taxes_and_charges); + }, + + set_new_valuation_rate: function() { + var me = this; + if(this.frm.doc.landed_cost_taxes_and_charges.length) { + var total_item_cost = 0.0; + $.each(this.frm.doc.landed_cost_items, function(i, d) { + total_item_cost += flt(d.amount) + }); + + $.each(this.frm.doc.landed_cost_items, function(i, item) { + var charges_for_item = flt(item.amount) * flt(me.frm.doc.total_taxes_and_charges) / flt(total_item_cost) + item.new_valuation_rate = flt(item.old_valuation_rate) + charges_for_item + }); + refresh_field("landed_cost_items"); + } + } + +}); + +cur_frm.script_manager.make(erpnext.stock.LandedCostVoucher); \ No newline at end of file diff --git a/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.json b/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.json new file mode 100644 index 0000000000..11425c27b7 --- /dev/null +++ b/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.json @@ -0,0 +1,97 @@ +{ + "allow_import": 0, + "autoname": "LCV.####", + "creation": "2014-07-11 11:33:42.547339", + "docstatus": 0, + "doctype": "DocType", + "document_type": "Transaction", + "fields": [ + { + "fieldname": "company", + "fieldtype": "Link", + "in_list_view": 1, + "label": "Company", + "options": "Company", + "permlevel": 0, + "reqd": 1 + }, + { + "fieldname": "landed_cost_purchase_receipts", + "fieldtype": "Table", + "label": "Purchase Receipts", + "options": "Landed Cost Purchase Receipt", + "permlevel": 0 + }, + { + "fieldname": "get_items_from_purchase_receipts", + "fieldtype": "Button", + "label": "Get Items From Purchase Receipts", + "permlevel": 0 + }, + { + "fieldname": "landed_cost_items", + "fieldtype": "Table", + "label": "Purchase Receipt Items", + "no_copy": 1, + "options": "Landed Cost Item", + "permlevel": 0, + "read_only": 0 + }, + { + "fieldname": "landed_cost_taxes_and_charges", + "fieldtype": "Table", + "label": "Taxes and Charges", + "options": "Landed Cost Taxes and Charges", + "permlevel": 0 + }, + { + "fieldname": "total_taxes_and_charges", + "fieldtype": "Currency", + "label": "Total Taxes and Charges", + "permlevel": 0, + "read_only": 1, + "reqd": 1 + }, + { + "fieldname": "landed_cost_help", + "fieldtype": "HTML", + "label": "Landed Cost Help", + "options": "", + "permlevel": 0 + }, + { + "fieldname": "amended_from", + "fieldtype": "Link", + "label": "Amended From", + "no_copy": 1, + "options": "Landed Cost Voucher", + "permlevel": 0, + "print_hide": 1, + "read_only": 1 + } + ], + "is_submittable": 1, + "modified": "2014-07-11 15:34:51.306164", + "modified_by": "Administrator", + "module": "Stock", + "name": "Landed Cost Voucher", + "name_case": "", + "owner": "Administrator", + "permissions": [ + { + "amend": 1, + "cancel": 1, + "create": 1, + "delete": 1, + "export": 1, + "permlevel": 0, + "read": 1, + "report": 1, + "role": "Material Manager", + "submit": 1, + "write": 1 + } + ], + "sort_field": "modified", + "sort_order": "DESC" +} \ No newline at end of file diff --git a/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py b/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py new file mode 100644 index 0000000000..7ebdb0be24 --- /dev/null +++ b/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py @@ -0,0 +1,83 @@ +# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors +# For license information, please see license.txt + +from __future__ import unicode_literals +import frappe +from frappe import _ +from frappe.utils import flt +from frappe.model.document import Document + +class LandedCostVoucher(Document): + def get_items_from_purchase_receipts(self): + self.set("landed_cost_items", []) + for pr in self.get("landed_cost_purchase_receipts"): + pr_items = frappe.db.sql("""select item_code, description, qty, rate, amount, valuation_rate, warehouse + from `tabPurchase Receipt Item` where parent = %s""", pr.purchase_receipt, as_dict=True) + for d in pr_items: + item = self.append("landed_cost_items") + item.item_code = d.item_code + item.description = d.description + item.qty = d.qty + item.rate = d.rate + item.amount = d.amount + item.old_valuation_rate = d.valuation_rate + item.purchase_receipt = pr.purchase_receipt + item.warehouse = d.warehouse + + if self.total_taxes_and_charges: + self.set_new_valuation_rate() + + def validate(self): + self.check_mandatory() + self.validate_purchase_receipts() + self.set_total_taxes_and_charges() + if not self.get("landed_cost_items"): + self.get_items_from_purchase_receipts() + else: + self.set_new_valuation_rate() + + def check_mandatory(self): + if not self.get("landed_cost_purchase_receipts"): + frappe.throw(_("Please enter Purchase Receipts")) + + if not self.get("landed_cost_taxes_and_charges"): + frappe.throw(_("Please enter Taxes and Charges")) + + def validate_purchase_receipts(self): + purchase_receipts = [] + for d in self.get("landed_cost_purchase_receipts"): + if frappe.db.get_value("Purchase Receipt", d.purchase_receipt, "docstatus") != 1: + frappe.throw(_("Purchase Receipt must be submitted")) + else: + purchase_receipts.append(d.purchase_receipt) + + for item in self.get("landed_cost_items"): + if not item.purchase_receipt: + frappe.throw(_("Item must be added using 'Get Items from Purchase Receipts' button")) + elif item.purchase_receipt not in purchase_receipts: + frappe.throw(_("Item Row {0}: Purchase Reciept {1} does not exist in above 'Purchase Receipts' table") + .format(item.idx, item.purchase_receipt)) + + def set_total_taxes_and_charges(self): + total_taxes_and_charges = 0.0 + for d in self.get("landed_cost_taxes_and_charges"): + total_taxes_and_charges += flt(d.amount) + + self.total_taxes_and_charges = total_taxes_and_charges + + def set_new_valuation_rate(self): + total_item_cost = sum([flt(d.amount) for d in self.get("landed_cost_items")]) + + for item in self.get("landed_cost_items"): + charges_for_item = flt(item.amount) * flt(self.total_taxes_and_charges) / flt(total_item_cost) + item.new_valuation_rate = flt(item.old_valuation_rate) + charges_for_item + + def on_submit(self): + self.make_stock_ledger_entries() + self.make_gl_entries() + + def make_stock_ledger_entries(self): + pass + + def make_gl_entries(self): + pass \ No newline at end of file From f6ea21c8aed752c8533c5de41f34b62e86f3bdcb Mon Sep 17 00:00:00 2001 From: nabinhait Date: Wed, 16 Jul 2014 14:39:35 +0530 Subject: [PATCH 496/630] landed cost voucher design changed #1921 --- .../landed_cost_item/landed_cost_item.json | 31 +++++--------- .../landed_cost_voucher.js | 7 ++-- .../landed_cost_voucher.py | 40 +++++++++---------- 3 files changed, 31 insertions(+), 47 deletions(-) diff --git a/erpnext/stock/doctype/landed_cost_item/landed_cost_item.json b/erpnext/stock/doctype/landed_cost_item/landed_cost_item.json index c5887d47f4..3b77d0f18d 100644 --- a/erpnext/stock/doctype/landed_cost_item/landed_cost_item.json +++ b/erpnext/stock/doctype/landed_cost_item/landed_cost_item.json @@ -36,15 +36,6 @@ "permlevel": 0, "read_only": 1 }, - { - "fieldname": "warehouse", - "fieldtype": "Link", - "hidden": 0, - "label": "Warehouse", - "options": "Warehouse", - "permlevel": 0, - "read_only": 1 - }, { "fieldname": "col_break2", "fieldtype": "Column Break", @@ -53,6 +44,7 @@ { "fieldname": "qty", "fieldtype": "Float", + "in_list_view": 1, "label": "Qty", "permlevel": 0, "read_only": 1 @@ -60,6 +52,7 @@ { "fieldname": "rate", "fieldtype": "Currency", + "in_list_view": 0, "label": "Rate", "permlevel": 0, "read_only": 1 @@ -77,27 +70,23 @@ "reqd": 1 }, { - "fieldname": "old_valuation_rate", + "fieldname": "applicable_charges", "fieldtype": "Currency", "in_list_view": 1, - "label": "Old Valuation Rate", + "label": "Applicable Charges", "permlevel": 0, - "read_only": 1, - "width": "" + "read_only": 1 }, { - "fieldname": "new_valuation_rate", - "fieldtype": "Currency", - "in_list_view": 1, - "label": "New Valuation Rate", - "permlevel": 0, - "read_only": 1, - "width": "" + "fieldname": "pr_item_row_id", + "fieldtype": "Data", + "label": "PR Item Row Id", + "permlevel": 0 } ], "idx": 1, "istable": 1, - "modified": "2014-07-11 15:20:53.714633", + "modified": "2014-07-15 18:01:26.152422", "modified_by": "Administrator", "module": "Stock", "name": "Landed Cost Item", diff --git a/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js b/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js index 47ba0e1c40..207b12b910 100644 --- a/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +++ b/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js @@ -50,7 +50,7 @@ erpnext.stock.LandedCostVoucher = erpnext.stock.StockController.extend({ amount: function() { this.set_total_taxes_and_charges(); - this.set_new_valuation_rate(); + this.set_applicable_charges_for_item(); }, set_total_taxes_and_charges: function() { @@ -61,7 +61,7 @@ erpnext.stock.LandedCostVoucher = erpnext.stock.StockController.extend({ cur_frm.set_value("total_taxes_and_charges", total_taxes_and_charges); }, - set_new_valuation_rate: function() { + set_applicable_charges_for_item: function() { var me = this; if(this.frm.doc.landed_cost_taxes_and_charges.length) { var total_item_cost = 0.0; @@ -70,8 +70,7 @@ erpnext.stock.LandedCostVoucher = erpnext.stock.StockController.extend({ }); $.each(this.frm.doc.landed_cost_items, function(i, item) { - var charges_for_item = flt(item.amount) * flt(me.frm.doc.total_taxes_and_charges) / flt(total_item_cost) - item.new_valuation_rate = flt(item.old_valuation_rate) + charges_for_item + item.applicable_charges = flt(item.amount) * flt(me.frm.doc.total_taxes_and_charges) / flt(total_item_cost) }); refresh_field("landed_cost_items"); } diff --git a/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py b/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py index 7ebdb0be24..79e25b3749 100644 --- a/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +++ b/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py @@ -7,11 +7,15 @@ from frappe import _ from frappe.utils import flt from frappe.model.document import Document +from erpnext.stock.utils import get_valuation_method +from erpnext.stock.stock_ledger import get_previous_sle + class LandedCostVoucher(Document): def get_items_from_purchase_receipts(self): self.set("landed_cost_items", []) for pr in self.get("landed_cost_purchase_receipts"): - pr_items = frappe.db.sql("""select item_code, description, qty, rate, amount, valuation_rate, warehouse + pr_items = frappe.db.sql("""select pr_tem.item_code, pr_tem.description, + pr_tem.qty, pr_tem.rate, pr_tem.amount, pr_tem.name from `tabPurchase Receipt Item` where parent = %s""", pr.purchase_receipt, as_dict=True) for d in pr_items: item = self.append("landed_cost_items") @@ -20,12 +24,12 @@ class LandedCostVoucher(Document): item.qty = d.qty item.rate = d.rate item.amount = d.amount - item.old_valuation_rate = d.valuation_rate item.purchase_receipt = pr.purchase_receipt - item.warehouse = d.warehouse + item.pr_item_row_id = d.name + + if self.get("landed_cost_taxes_and_charges"): + self.set_applicable_charges_for_item() - if self.total_taxes_and_charges: - self.set_new_valuation_rate() def validate(self): self.check_mandatory() @@ -34,7 +38,7 @@ class LandedCostVoucher(Document): if not self.get("landed_cost_items"): self.get_items_from_purchase_receipts() else: - self.set_new_valuation_rate() + self.set_applicable_charges_for_item() def check_mandatory(self): if not self.get("landed_cost_purchase_receipts"): @@ -55,29 +59,21 @@ class LandedCostVoucher(Document): if not item.purchase_receipt: frappe.throw(_("Item must be added using 'Get Items from Purchase Receipts' button")) elif item.purchase_receipt not in purchase_receipts: - frappe.throw(_("Item Row {0}: Purchase Reciept {1} does not exist in above 'Purchase Receipts' table") + frappe.throw(_("Item Row {0}: Purchase Receipt {1} does not exist in above 'Purchase Receipts' table") .format(item.idx, item.purchase_receipt)) def set_total_taxes_and_charges(self): - total_taxes_and_charges = 0.0 - for d in self.get("landed_cost_taxes_and_charges"): - total_taxes_and_charges += flt(d.amount) - - self.total_taxes_and_charges = total_taxes_and_charges + self.total_taxes_and_charges = sum([flt(d.amount) for d in self.get("landed_cost_taxes_and_charges")]) - def set_new_valuation_rate(self): + def set_applicable_charges_for_item(self): total_item_cost = sum([flt(d.amount) for d in self.get("landed_cost_items")]) for item in self.get("landed_cost_items"): - charges_for_item = flt(item.amount) * flt(self.total_taxes_and_charges) / flt(total_item_cost) - item.new_valuation_rate = flt(item.old_valuation_rate) + charges_for_item + item.applicable_charges = flt(item.amount) * flt(self.total_taxes_and_charges) / flt(total_item_cost) def on_submit(self): - self.make_stock_ledger_entries() - self.make_gl_entries() + purchase_receipts = list(set([d.purchase_receipt for d in self.get("landed_cost_items")])) - def make_stock_ledger_entries(self): - pass - - def make_gl_entries(self): - pass \ No newline at end of file + for purchase_receipt in purchase_receipts: + pr = frappe.get_doc("Purchase Receipt", purchase_receipt) + \ No newline at end of file From 87f2401c1e8c921e1c8afcd371c0b29c32e9e55b Mon Sep 17 00:00:00 2001 From: nabinhait Date: Wed, 16 Jul 2014 19:48:29 +0530 Subject: [PATCH 497/630] Landed Cost on_submit and gl entries for PR --- .../purchase_invoice/purchase_invoice.py | 2 +- .../doctype/sales_invoice/sales_invoice.py | 2 +- erpnext/controllers/buying_controller.py | 10 +- erpnext/controllers/stock_controller.py | 2 +- .../doctype/delivery_note/delivery_note.py | 2 +- .../landed_cost_voucher.py | 16 ++- .../purchase_receipt/purchase_receipt.py | 97 +++++++++++++++++-- .../purchase_receipt_item.json | 7 ++ .../stock/doctype/stock_entry/stock_entry.py | 2 +- .../stock_reconciliation.py | 2 +- 10 files changed, 124 insertions(+), 18 deletions(-) diff --git a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py index 55e3247636..3b6ad82cdc 100644 --- a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +++ b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py @@ -387,7 +387,7 @@ class PurchaseInvoice(BuyingController): self.update_prevdoc_status() self.update_billing_status_for_zero_amount_refdoc("Purchase Order") - self.make_cancel_gl_entries() + self.make_gl_entries_on_cancel() def on_update(self): pass diff --git a/erpnext/accounts/doctype/sales_invoice/sales_invoice.py b/erpnext/accounts/doctype/sales_invoice/sales_invoice.py index 1205646cbf..481ae098b3 100644 --- a/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +++ b/erpnext/accounts/doctype/sales_invoice/sales_invoice.py @@ -121,7 +121,7 @@ class SalesInvoice(SellingController): self.update_prevdoc_status() self.update_billing_status_for_zero_amount_refdoc("Sales Order") - self.make_cancel_gl_entries() + self.make_gl_entries_on_cancel() def update_status_updater_args(self): if cint(self.update_stock): diff --git a/erpnext/controllers/buying_controller.py b/erpnext/controllers/buying_controller.py index 85d7a9ee60..9f2b78e022 100644 --- a/erpnext/controllers/buying_controller.py +++ b/erpnext/controllers/buying_controller.py @@ -193,9 +193,13 @@ class BuyingController(StockController): "UOM Conversion Detail", {"parent": item.item_code, "uom": item.uom}, "conversion_factor")) or 1 qty_in_stock_uom = flt(item.qty * item.conversion_factor) - rm_supp_cost = item.rm_supp_cost if self.doctype=="Purchase Receipt" else 0.0 - item.valuation_rate = ((item.base_amount + item.item_tax_amount + rm_supp_cost) - / qty_in_stock_uom) + rm_supp_cost = flt(item.rm_supp_cost) if self.doctype=="Purchase Receipt" else 0.0 + + landed_cost_voucher_amount = flt(item.landed_cost_voucher_amount) \ + if self.doctype == "Purchase Receipt" else 0.0 + + item.valuation_rate = ((item.base_amount + item.item_tax_amount + rm_supp_cost + + landed_cost_voucher_amount) / qty_in_stock_uom) else: item.valuation_rate = 0.0 diff --git a/erpnext/controllers/stock_controller.py b/erpnext/controllers/stock_controller.py index 27437a396a..a1d9a5b00d 100644 --- a/erpnext/controllers/stock_controller.py +++ b/erpnext/controllers/stock_controller.py @@ -274,7 +274,7 @@ class StockController(AccountsController): from erpnext.stock.stock_ledger import make_sl_entries make_sl_entries(sl_entries, is_amended) - def make_cancel_gl_entries(self): + def make_gl_entries_on_cancel(self): if frappe.db.sql("""select name from `tabGL Entry` where voucher_type=%s and voucher_no=%s""", (self.doctype, self.name)): self.make_gl_entries() diff --git a/erpnext/stock/doctype/delivery_note/delivery_note.py b/erpnext/stock/doctype/delivery_note/delivery_note.py index e831c47fe7..864329d3ea 100644 --- a/erpnext/stock/doctype/delivery_note/delivery_note.py +++ b/erpnext/stock/doctype/delivery_note/delivery_note.py @@ -196,7 +196,7 @@ class DeliveryNote(SellingController): frappe.db.set(self, 'status', 'Cancelled') self.cancel_packing_slips() - self.make_cancel_gl_entries() + self.make_gl_entries_on_cancel() def validate_packed_qty(self): """ diff --git a/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py b/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py index 79e25b3749..9653242cfa 100644 --- a/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +++ b/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py @@ -16,7 +16,10 @@ class LandedCostVoucher(Document): for pr in self.get("landed_cost_purchase_receipts"): pr_items = frappe.db.sql("""select pr_tem.item_code, pr_tem.description, pr_tem.qty, pr_tem.rate, pr_tem.amount, pr_tem.name - from `tabPurchase Receipt Item` where parent = %s""", pr.purchase_receipt, as_dict=True) + from `tabPurchase Receipt Item` pr_item where parent = %s + and (select name form tabItem where name = pr_item.item_code and is_stock_item = 'Yes')""", + pr.purchase_receipt, as_dict=True) + for d in pr_items: item = self.append("landed_cost_items") item.item_code = d.item_code @@ -73,7 +76,14 @@ class LandedCostVoucher(Document): def on_submit(self): purchase_receipts = list(set([d.purchase_receipt for d in self.get("landed_cost_items")])) - + self.delete_sle_and_gle(purchase_receipts) for purchase_receipt in purchase_receipts: pr = frappe.get_doc("Purchase Receipt", purchase_receipt) - \ No newline at end of file + pr.update_valuation_rate() + pr.update_stock() + pr.make_gl_entries() + + def delete_sle_and_gle(self, purchase_receipts): + for doctype in ["Stock Ledger Entry", "GL Entry"]: + frappe.db.sql("""delete from `tab%s` where voucher_type='Purchase Receipt' + and voucher_no in (%s)""" % (doctype, ', '.join(['%s']*len(purchase_receipts))), purchase_receipts) \ No newline at end of file diff --git a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py index 5f56149607..d627386e61 100644 --- a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +++ b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py @@ -67,9 +67,16 @@ class PurchaseReceipt(BuyingController): # sub-contracting self.validate_for_subcontracting() self.create_raw_materials_supplied("pr_raw_material_details") - + self.set_landed_cost_voucher_amount() self.update_valuation_rate("purchase_receipt_details") - + + def set_landed_cost_voucher_amount(self, voucher_detail): + for d in self.get("purchase_receipt_details"): + lc_voucher_amount = frappe.db.sql("""select sum(ifnull(applicable_charges)) + from `tabLanded Cost Item` + where docstatus = 1 and pr_item_row_id = %s""", voucher_detail) + d.landed_cost_voucher_amount = lc_voucher_amount[0][0] if lc_voucher_amount else 0.0 + def validate_rejected_warehouse(self): for d in self.get("purchase_receipt_details"): if flt(d.rejected_qty) and not d.rejected_warehouse: @@ -265,7 +272,7 @@ class PurchaseReceipt(BuyingController): self.update_prevdoc_status() pc_obj.update_last_purchase_rate(self, 0) - self.make_cancel_gl_entries() + self.make_gl_entries_on_cancel() def get_current_stock(self): for d in self.get('pr_raw_material_details'): @@ -277,10 +284,88 @@ class PurchaseReceipt(BuyingController): return frappe.get_doc('Purchase Common').get_rate(arg,self) def get_gl_entries(self, warehouse_account=None): - against_stock_account = self.get_company_default("stock_received_but_not_billed") + from erpnext.accounts.general_ledger import process_gl_map + + stock_rbnb = self.get_company_default("stock_received_but_not_billed") + expenses_included_in_valuation = self.get_company_default("expenses_included_in_valuation") + default_cost_center = self.get_company_default("cost_center") + against_expense_account = None + + gl_entries = [] + warehouse_with_no_account = [] + stock_items = self.get_stock_items() + for d in self.get("purchase_receipt_details"): + if d.item_code in stock_items and flt(d.valuation_rate): + if warehouse_account.get(d.warehouse) or warehouse_account.get(d.rejected_warehouse): + self.check_expense_account(d) + + # warehouse account + if flt(d.qty): + gl_list.append(self.get_gl_dict({ + "account": warehouse_account[d.warehouse], + "against": against_expense_account, + "cost_center": default_cost_center, + "remarks": self.get("remarks") or "Accounting Entry for Stock", + "debit": flt(d.valuation_rate) * flt(d.qty) * flt(d.conversion_factor) + })) + + # rejected warehouse + if flt(d.rejected_qty): + gl_list.append(self.get_gl_dict({ + "account": warehouse_account[d.rejected_warehouse], + "against": against_expense_account, + "cost_center": default_cost_center, + "remarks": self.get("remarks") or "Accounting Entry for Stock", + "debit": flt(d.valuation_rate) * flt(d.rejected_qty) * flt(d.conversion_factor) + })) - gl_entries = super(PurchaseReceipt, self).get_gl_entries(warehouse_account, against_stock_account) - return gl_entries + # stock received but not billed + gl_list.append(self.get_gl_dict({ + "account": stock_rbnb, + "against": warehouse_account[d.warehouse], + "cost_center": default_cost_center, + "remarks": self.get("remarks") or "Accounting Entry for Stock", + "credit": flt(d.base_amount, 2) + })) + + if flt(d.landed_cost_voucher_amount): + gl_list.append(self.get_gl_dict({ + "account": expenses_included_in_valuation, + "against": warehouse_account[d.warehouse], + "cost_center": default_cost_center, + "remarks": self.get("remarks") or "Accounting Entry for Stock", + "credit": flt(d.landed_cost_voucher_amount) + })) + + elif d.warehouse not in warehouse_with_no_account or \ + d.rejected_warehouse not in warehouse_with_no_account: + warehouse_with_no_account.append(d.warehouse) + + if warehouse_with_no_account: + msgprint(_("No accounting entries for the following warehouses") + ": \n" + + "\n".join(warehouse_with_no_account)) + + valuation_tax = {} + for tax in self.get("other_charges"): + if tax.category in ("Valuation", "Valuation and Total") and flt(tax.tax_amount): + if not tax.cost_center: + frappe.throw(_("Cost Center is required in row {0} in Taxes table for type {1}").format(tax.idx, _(tax.category))) + valuation_tax.setdefault(tax.cost_center, 0) + valuation_tax[tax.cost_center] += \ + (tax.add_deduct_tax == "Add" and 1 or -1) * flt(tax.tax_amount) + + for cost_center, amount in valuation_tax.items(): + gl_entries.append( + self.get_gl_dict({ + "account": expenses_included_in_valuation, + "cost_center": cost_center, + # "against": , + "credit": amount, + "remarks": self.remarks or "Accounting Entry for Stock" + }) + ) + + return process_gl_map(gl_entries) @frappe.whitelist() diff --git a/erpnext/stock/doctype/purchase_receipt_item/purchase_receipt_item.json b/erpnext/stock/doctype/purchase_receipt_item/purchase_receipt_item.json index 8c5e73297b..76d62945b2 100755 --- a/erpnext/stock/doctype/purchase_receipt_item/purchase_receipt_item.json +++ b/erpnext/stock/doctype/purchase_receipt_item/purchase_receipt_item.json @@ -501,6 +501,13 @@ "search_index": 0, "width": "150px" }, + { + "fieldname": "landed_cost_voucher_amount", + "fieldtype": "Currency", + "label": "Landed Cost Voucher Amount", + "permlevel": 0, + "read_only": 1 + }, { "fieldname": "valuation_rate", "fieldtype": "Currency", diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.py b/erpnext/stock/doctype/stock_entry/stock_entry.py index 1da2ad53d0..bdd760ba4a 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry.py +++ b/erpnext/stock/doctype/stock_entry/stock_entry.py @@ -65,7 +65,7 @@ class StockEntry(StockController): def on_cancel(self): self.update_stock_ledger() self.update_production_order() - self.make_cancel_gl_entries() + self.make_gl_entries_on_cancel() def validate_fiscal_year(self): from erpnext.accounts.utils import validate_fiscal_year diff --git a/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py b/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py index bb1e3e2873..8b32211177 100644 --- a/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +++ b/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py @@ -27,7 +27,7 @@ class StockReconciliation(StockController): def on_cancel(self): self.delete_and_repost_sle() - self.make_cancel_gl_entries() + self.make_gl_entries_on_cancel() def validate_data(self): if not self.reconciliation_json: From cc0692d71458f010fd871c734c6bcc4d8909f39d Mon Sep 17 00:00:00 2001 From: nabinhait Date: Thu, 17 Jul 2014 19:16:38 +0530 Subject: [PATCH 498/630] landed cost fix --- erpnext/controllers/buying_controller.py | 2 +- .../landed_cost_voucher.py | 18 ++++++++--- .../purchase_receipt/purchase_receipt.py | 32 ++++++++++--------- .../purchase_receipt_item.json | 2 ++ 4 files changed, 33 insertions(+), 21 deletions(-) diff --git a/erpnext/controllers/buying_controller.py b/erpnext/controllers/buying_controller.py index 9f2b78e022..8bc0c9d576 100644 --- a/erpnext/controllers/buying_controller.py +++ b/erpnext/controllers/buying_controller.py @@ -194,7 +194,7 @@ class BuyingController(StockController): "conversion_factor")) or 1 qty_in_stock_uom = flt(item.qty * item.conversion_factor) rm_supp_cost = flt(item.rm_supp_cost) if self.doctype=="Purchase Receipt" else 0.0 - + landed_cost_voucher_amount = flt(item.landed_cost_voucher_amount) \ if self.doctype == "Purchase Receipt" else 0.0 diff --git a/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py b/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py index 9653242cfa..dd3fd9070c 100644 --- a/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +++ b/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py @@ -14,12 +14,12 @@ class LandedCostVoucher(Document): def get_items_from_purchase_receipts(self): self.set("landed_cost_items", []) for pr in self.get("landed_cost_purchase_receipts"): - pr_items = frappe.db.sql("""select pr_tem.item_code, pr_tem.description, - pr_tem.qty, pr_tem.rate, pr_tem.amount, pr_tem.name + pr_items = frappe.db.sql("""select pr_item.item_code, pr_item.description, + pr_item.qty, pr_item.rate, pr_item.amount, pr_item.name from `tabPurchase Receipt Item` pr_item where parent = %s - and (select name form tabItem where name = pr_item.item_code and is_stock_item = 'Yes')""", + and exists(select name from tabItem where name = pr_item.item_code and is_stock_item = 'Yes')""", pr.purchase_receipt, as_dict=True) - + for d in pr_items: item = self.append("landed_cost_items") item.item_code = d.item_code @@ -75,11 +75,19 @@ class LandedCostVoucher(Document): item.applicable_charges = flt(item.amount) * flt(self.total_taxes_and_charges) / flt(total_item_cost) def on_submit(self): + self.update_landed_cost() + + def on_cancel(self): + self.update_landed_cost() + + def update_landed_cost(self): purchase_receipts = list(set([d.purchase_receipt for d in self.get("landed_cost_items")])) self.delete_sle_and_gle(purchase_receipts) for purchase_receipt in purchase_receipts: pr = frappe.get_doc("Purchase Receipt", purchase_receipt) - pr.update_valuation_rate() + pr.set_landed_cost_voucher_amount() + pr.update_valuation_rate("purchase_receipt_details") + pr.save() pr.update_stock() pr.make_gl_entries() diff --git a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py index d627386e61..adcc255c34 100644 --- a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +++ b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py @@ -70,11 +70,11 @@ class PurchaseReceipt(BuyingController): self.set_landed_cost_voucher_amount() self.update_valuation_rate("purchase_receipt_details") - def set_landed_cost_voucher_amount(self, voucher_detail): + def set_landed_cost_voucher_amount(self): for d in self.get("purchase_receipt_details"): - lc_voucher_amount = frappe.db.sql("""select sum(ifnull(applicable_charges)) + lc_voucher_amount = frappe.db.sql("""select sum(ifnull(applicable_charges, 0)) from `tabLanded Cost Item` - where docstatus = 1 and pr_item_row_id = %s""", voucher_detail) + where docstatus = 1 and pr_item_row_id = %s""", d.name) d.landed_cost_voucher_amount = lc_voucher_amount[0][0] if lc_voucher_amount else 0.0 def validate_rejected_warehouse(self): @@ -297,42 +297,41 @@ class PurchaseReceipt(BuyingController): for d in self.get("purchase_receipt_details"): if d.item_code in stock_items and flt(d.valuation_rate): if warehouse_account.get(d.warehouse) or warehouse_account.get(d.rejected_warehouse): - self.check_expense_account(d) - + # warehouse account if flt(d.qty): - gl_list.append(self.get_gl_dict({ + gl_entries.append(self.get_gl_dict({ "account": warehouse_account[d.warehouse], "against": against_expense_account, - "cost_center": default_cost_center, + "cost_center": d.cost_center, "remarks": self.get("remarks") or "Accounting Entry for Stock", "debit": flt(d.valuation_rate) * flt(d.qty) * flt(d.conversion_factor) })) # rejected warehouse if flt(d.rejected_qty): - gl_list.append(self.get_gl_dict({ + gl_entries.append(self.get_gl_dict({ "account": warehouse_account[d.rejected_warehouse], "against": against_expense_account, - "cost_center": default_cost_center, + "cost_center": d.cost_center, "remarks": self.get("remarks") or "Accounting Entry for Stock", "debit": flt(d.valuation_rate) * flt(d.rejected_qty) * flt(d.conversion_factor) })) # stock received but not billed - gl_list.append(self.get_gl_dict({ + gl_entries.append(self.get_gl_dict({ "account": stock_rbnb, "against": warehouse_account[d.warehouse], - "cost_center": default_cost_center, + "cost_center": d.cost_center, "remarks": self.get("remarks") or "Accounting Entry for Stock", "credit": flt(d.base_amount, 2) })) if flt(d.landed_cost_voucher_amount): - gl_list.append(self.get_gl_dict({ + gl_entries.append(self.get_gl_dict({ "account": expenses_included_in_valuation, "against": warehouse_account[d.warehouse], - "cost_center": default_cost_center, + "cost_center": d.cost_center, "remarks": self.get("remarks") or "Accounting Entry for Stock", "credit": flt(d.landed_cost_voucher_amount) })) @@ -353,7 +352,10 @@ class PurchaseReceipt(BuyingController): valuation_tax.setdefault(tax.cost_center, 0) valuation_tax[tax.cost_center] += \ (tax.add_deduct_tax == "Add" and 1 or -1) * flt(tax.tax_amount) - + + if frappe.db.get_value("Purchase Invoice Item", {"purchase_receipt": self.name, "docstatus": 1}): + expenses_included_in_valuation = stock_rbnb + for cost_center, amount in valuation_tax.items(): gl_entries.append( self.get_gl_dict({ @@ -364,7 +366,7 @@ class PurchaseReceipt(BuyingController): "remarks": self.remarks or "Accounting Entry for Stock" }) ) - + return process_gl_map(gl_entries) diff --git a/erpnext/stock/doctype/purchase_receipt_item/purchase_receipt_item.json b/erpnext/stock/doctype/purchase_receipt_item/purchase_receipt_item.json index 76d62945b2..3b45ca2756 100755 --- a/erpnext/stock/doctype/purchase_receipt_item/purchase_receipt_item.json +++ b/erpnext/stock/doctype/purchase_receipt_item/purchase_receipt_item.json @@ -502,6 +502,7 @@ "width": "150px" }, { + "allow_on_submit": 1, "fieldname": "landed_cost_voucher_amount", "fieldtype": "Currency", "label": "Landed Cost Voucher Amount", @@ -509,6 +510,7 @@ "read_only": 1 }, { + "allow_on_submit": 1, "fieldname": "valuation_rate", "fieldtype": "Currency", "hidden": 1, From 5e1b0014c250d0960b8ad31c4135ba1297149b74 Mon Sep 17 00:00:00 2001 From: nabinhait Date: Mon, 21 Jul 2014 15:26:39 +0530 Subject: [PATCH 499/630] GL entries for sub-contracting and rejected qty --- .../purchase_receipt/purchase_receipt.py | 56 ++++++++++--------- 1 file changed, 31 insertions(+), 25 deletions(-) diff --git a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py index adcc255c34..57075a9ec6 100644 --- a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +++ b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py @@ -150,7 +150,7 @@ class PurchaseReceipt(BuyingController): "warehouse": d.rejected_warehouse, "actual_qty": flt(d.rejected_qty) * flt(d.conversion_factor), "serial_no": cstr(d.rejected_serial_no).strip(), - "incoming_rate": d.valuation_rate + "incoming_rate": 0.0 })) self.bk_flush_supp_wh(sl_entries) @@ -296,27 +296,16 @@ class PurchaseReceipt(BuyingController): stock_items = self.get_stock_items() for d in self.get("purchase_receipt_details"): if d.item_code in stock_items and flt(d.valuation_rate): - if warehouse_account.get(d.warehouse) or warehouse_account.get(d.rejected_warehouse): + if warehouse_account.get(d.warehouse) and flt(d.qty) and flt(d.valuation_rate): # warehouse account - if flt(d.qty): - gl_entries.append(self.get_gl_dict({ - "account": warehouse_account[d.warehouse], - "against": against_expense_account, - "cost_center": d.cost_center, - "remarks": self.get("remarks") or "Accounting Entry for Stock", - "debit": flt(d.valuation_rate) * flt(d.qty) * flt(d.conversion_factor) - })) - - # rejected warehouse - if flt(d.rejected_qty): - gl_entries.append(self.get_gl_dict({ - "account": warehouse_account[d.rejected_warehouse], - "against": against_expense_account, - "cost_center": d.cost_center, - "remarks": self.get("remarks") or "Accounting Entry for Stock", - "debit": flt(d.valuation_rate) * flt(d.rejected_qty) * flt(d.conversion_factor) - })) + gl_entries.append(self.get_gl_dict({ + "account": warehouse_account[d.warehouse], + "against": against_expense_account, + "cost_center": d.cost_center, + "remarks": self.get("remarks") or "Accounting Entry for Stock", + "debit": flt(d.valuation_rate) * flt(d.qty) * flt(d.conversion_factor) + })) # stock received but not billed gl_entries.append(self.get_gl_dict({ @@ -327,6 +316,7 @@ class PurchaseReceipt(BuyingController): "credit": flt(d.base_amount, 2) })) + # Amount added through landed-cost-voucher if flt(d.landed_cost_voucher_amount): gl_entries.append(self.get_gl_dict({ "account": expenses_included_in_valuation, @@ -335,15 +325,22 @@ class PurchaseReceipt(BuyingController): "remarks": self.get("remarks") or "Accounting Entry for Stock", "credit": flt(d.landed_cost_voucher_amount) })) + + # sub-contracting warehouse + if flt(d.rm_supp_cost) and warehouse_account.get(self.supplier_warehouse): + gl_entries.append(self.get_gl_dict({ + "account": warehouse_account[self.supplier_warehouse], + "against": warehouse_account[d.warehouse], + "cost_center": d.cost_center, + "remarks": self.get("remarks") or "Accounting Entry for Stock", + "credit": flt(d.rm_supp_cost) + })) elif d.warehouse not in warehouse_with_no_account or \ d.rejected_warehouse not in warehouse_with_no_account: warehouse_with_no_account.append(d.warehouse) - - if warehouse_with_no_account: - msgprint(_("No accounting entries for the following warehouses") + ": \n" + - "\n".join(warehouse_with_no_account)) - + + # Cost center-wise amount breakup for other charges included for valuation valuation_tax = {} for tax in self.get("other_charges"): if tax.category in ("Valuation", "Valuation and Total") and flt(tax.tax_amount): @@ -353,9 +350,14 @@ class PurchaseReceipt(BuyingController): valuation_tax[tax.cost_center] += \ (tax.add_deduct_tax == "Add" and 1 or -1) * flt(tax.tax_amount) + # Backward compatibility: + # If PI exists and charges added via Landed Cost Voucher, + # post valuation related charges on "Stock Received But Not Billed" + # as that account has been debited in PI if frappe.db.get_value("Purchase Invoice Item", {"purchase_receipt": self.name, "docstatus": 1}): expenses_included_in_valuation = stock_rbnb + # Expense included in valuation for cost_center, amount in valuation_tax.items(): gl_entries.append( self.get_gl_dict({ @@ -367,6 +369,10 @@ class PurchaseReceipt(BuyingController): }) ) + if warehouse_with_no_account: + msgprint(_("No accounting entries for the following warehouses") + ": \n" + + "\n".join(warehouse_with_no_account)) + return process_gl_map(gl_entries) From b21b6598f1fa0236974dadf2bf29b4a9eff7288a Mon Sep 17 00:00:00 2001 From: nabinhait Date: Tue, 22 Jul 2014 17:48:10 +0530 Subject: [PATCH 500/630] Test case for landed cost voucher --- .../accounts/doctype/account/test_account.py | 1 + .../test_landed_cost_voucher.py | 68 +++++++++++++++++++ .../purchase_receipt/purchase_receipt.py | 34 +--------- 3 files changed, 71 insertions(+), 32 deletions(-) create mode 100644 erpnext/stock/doctype/landed_cost_voucher/test_landed_cost_voucher.py diff --git a/erpnext/accounts/doctype/account/test_account.py b/erpnext/accounts/doctype/account/test_account.py index 37746299e6..bb9102f1f6 100644 --- a/erpnext/accounts/doctype/account/test_account.py +++ b/erpnext/accounts/doctype/account/test_account.py @@ -14,6 +14,7 @@ def _make_test_records(verbose): ["_Test Account Stock Expenses", "Direct Expenses", "Group", None], ["_Test Account Shipping Charges", "_Test Account Stock Expenses", "Ledger", "Chargeable"], ["_Test Account Customs Duty", "_Test Account Stock Expenses", "Ledger", "Tax"], + ["_Test Account Insurance Charges", "_Test Account Stock Expenses", "Ledger", "Chargeable"], ["_Test Account Tax Assets", "Current Assets", "Group", None], diff --git a/erpnext/stock/doctype/landed_cost_voucher/test_landed_cost_voucher.py b/erpnext/stock/doctype/landed_cost_voucher/test_landed_cost_voucher.py new file mode 100644 index 0000000000..6abf2f5d53 --- /dev/null +++ b/erpnext/stock/doctype/landed_cost_voucher/test_landed_cost_voucher.py @@ -0,0 +1,68 @@ +# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors +# License: GNU General Public License v3. See license.txt + + +from __future__ import unicode_literals +import unittest +import frappe +from erpnext.stock.doctype.purchase_receipt.test_purchase_receipt \ + import set_perpetual_inventory, get_gl_entries, test_records as pr_test_records + + +class TestLandedCostVoucher(unittest.TestCase): + def test_landed_cost_voucher(self): + frappe.db.set_default("cost_center", "Main - _TC") + set_perpetual_inventory(1) + pr = self.submit_pr() + self.submit_landed_cost_voucher(pr) + + pr_lc_value = frappe.db.get_value("Purchase Receipt Item", {"parent": pr.name}, "landed_cost_voucher_amount") + self.assertEquals(pr_lc_value, 25.0) + + gl_entries = get_gl_entries("Purchase Receipt", pr.name) + + self.assertTrue(gl_entries) + + stock_in_hand_account = pr.get("purchase_receipt_details")[0].warehouse + fixed_asset_account = pr.get("purchase_receipt_details")[1].warehouse + + + expected_values = { + stock_in_hand_account: [400.0, 0.0], + fixed_asset_account: [400.0, 0.0], + "Stock Received But Not Billed - _TC": [0.0, 750.0], + "Expenses Included In Valuation - _TC": [0.0, 50.0] + } + + for gle in gl_entries: + self.assertEquals(expected_values[gle.account][0], gle.debit) + self.assertEquals(expected_values[gle.account][1], gle.credit) + + set_perpetual_inventory(0) + + def submit_landed_cost_voucher(self, pr): + lcv = frappe.new_doc("Landed Cost Voucher") + lcv.company = "_Test Company" + lcv.set("landed_cost_purchase_receipts", [{ + "purchase_receipt": pr.name, + "supplier": pr.supplier, + "posting_date": pr.posting_date, + "grand_total": pr.grand_total + }]) + lcv.set("landed_cost_taxes_and_charges", [{ + "description": "Insurance Charges", + "account": "_Test Account Insurance Charges - _TC", + "amount": 50.0 + }]) + + lcv.insert() + lcv.submit() + + def submit_pr(self): + pr = frappe.copy_doc(pr_test_records[0]) + pr.submit() + return pr + + + +test_records = frappe.get_test_records('Landed Cost Voucher') \ No newline at end of file diff --git a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py index 57075a9ec6..0166de5a40 100644 --- a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +++ b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py @@ -289,7 +289,6 @@ class PurchaseReceipt(BuyingController): stock_rbnb = self.get_company_default("stock_received_but_not_billed") expenses_included_in_valuation = self.get_company_default("expenses_included_in_valuation") default_cost_center = self.get_company_default("cost_center") - against_expense_account = None gl_entries = [] warehouse_with_no_account = [] @@ -301,7 +300,7 @@ class PurchaseReceipt(BuyingController): # warehouse account gl_entries.append(self.get_gl_dict({ "account": warehouse_account[d.warehouse], - "against": against_expense_account, + "against": stock_rbnb, "cost_center": d.cost_center, "remarks": self.get("remarks") or "Accounting Entry for Stock", "debit": flt(d.valuation_rate) * flt(d.qty) * flt(d.conversion_factor) @@ -313,7 +312,7 @@ class PurchaseReceipt(BuyingController): "against": warehouse_account[d.warehouse], "cost_center": d.cost_center, "remarks": self.get("remarks") or "Accounting Entry for Stock", - "credit": flt(d.base_amount, 2) + "credit": flt(d.base_amount + d.item_tax_amount, self.precision("base_amount", d)) })) # Amount added through landed-cost-voucher @@ -339,35 +338,6 @@ class PurchaseReceipt(BuyingController): elif d.warehouse not in warehouse_with_no_account or \ d.rejected_warehouse not in warehouse_with_no_account: warehouse_with_no_account.append(d.warehouse) - - # Cost center-wise amount breakup for other charges included for valuation - valuation_tax = {} - for tax in self.get("other_charges"): - if tax.category in ("Valuation", "Valuation and Total") and flt(tax.tax_amount): - if not tax.cost_center: - frappe.throw(_("Cost Center is required in row {0} in Taxes table for type {1}").format(tax.idx, _(tax.category))) - valuation_tax.setdefault(tax.cost_center, 0) - valuation_tax[tax.cost_center] += \ - (tax.add_deduct_tax == "Add" and 1 or -1) * flt(tax.tax_amount) - - # Backward compatibility: - # If PI exists and charges added via Landed Cost Voucher, - # post valuation related charges on "Stock Received But Not Billed" - # as that account has been debited in PI - if frappe.db.get_value("Purchase Invoice Item", {"purchase_receipt": self.name, "docstatus": 1}): - expenses_included_in_valuation = stock_rbnb - - # Expense included in valuation - for cost_center, amount in valuation_tax.items(): - gl_entries.append( - self.get_gl_dict({ - "account": expenses_included_in_valuation, - "cost_center": cost_center, - # "against": , - "credit": amount, - "remarks": self.remarks or "Accounting Entry for Stock" - }) - ) if warehouse_with_no_account: msgprint(_("No accounting entries for the following warehouses") + ": \n" + From fe39442c48a1f331b50ce0d6eee1159092467ff4 Mon Sep 17 00:00:00 2001 From: nabinhait Date: Tue, 22 Jul 2014 18:04:13 +0530 Subject: [PATCH 501/630] Removed old landed cost wizard --- erpnext/patches.txt | 1 + .../doctype/landed_cost_wizard/README.md | 1 - .../doctype/landed_cost_wizard/__init__.py | 1 - .../landed_cost_wizard/landed_cost_wizard.js | 46 --------- .../landed_cost_wizard.json | 83 ----------------- .../landed_cost_wizard/landed_cost_wizard.py | 93 ------------------- 6 files changed, 1 insertion(+), 224 deletions(-) delete mode 100644 erpnext/stock/doctype/landed_cost_wizard/README.md delete mode 100644 erpnext/stock/doctype/landed_cost_wizard/__init__.py delete mode 100644 erpnext/stock/doctype/landed_cost_wizard/landed_cost_wizard.js delete mode 100644 erpnext/stock/doctype/landed_cost_wizard/landed_cost_wizard.json delete mode 100644 erpnext/stock/doctype/landed_cost_wizard/landed_cost_wizard.py diff --git a/erpnext/patches.txt b/erpnext/patches.txt index 1d4e91313a..1799e6b410 100644 --- a/erpnext/patches.txt +++ b/erpnext/patches.txt @@ -76,3 +76,4 @@ erpnext.patches.v4_2.toggle_rounded_total #2014-07-30 erpnext.patches.v4_2.fix_account_master_type erpnext.patches.v4_2.update_project_milestones erpnext.patches.v4_2.add_currency_turkish_lira #2014-08-08 +execute:frappe.delete_doc("DocType", "Landed Cost Wizard") diff --git a/erpnext/stock/doctype/landed_cost_wizard/README.md b/erpnext/stock/doctype/landed_cost_wizard/README.md deleted file mode 100644 index 0d2c20d93f..0000000000 --- a/erpnext/stock/doctype/landed_cost_wizard/README.md +++ /dev/null @@ -1 +0,0 @@ -Tool to distribute costs as part of Item value after the Item has been received. This is typically in case where bills related to Items are received much later and for multiple Item. (specially Custom Duty) \ No newline at end of file diff --git a/erpnext/stock/doctype/landed_cost_wizard/__init__.py b/erpnext/stock/doctype/landed_cost_wizard/__init__.py deleted file mode 100644 index baffc48825..0000000000 --- a/erpnext/stock/doctype/landed_cost_wizard/__init__.py +++ /dev/null @@ -1 +0,0 @@ -from __future__ import unicode_literals diff --git a/erpnext/stock/doctype/landed_cost_wizard/landed_cost_wizard.js b/erpnext/stock/doctype/landed_cost_wizard/landed_cost_wizard.js deleted file mode 100644 index 38e8636f8e..0000000000 --- a/erpnext/stock/doctype/landed_cost_wizard/landed_cost_wizard.js +++ /dev/null @@ -1,46 +0,0 @@ -// Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors -// License: GNU General Public License v3. See license.txt - - -frappe.provide("erpnext.stock"); -frappe.require("assets/erpnext/js/controllers/stock_controller.js"); - -erpnext.stock.LandedCostWizard = erpnext.stock.StockController.extend({ - setup: function() { - var me = this; - this.frm.fields_dict.lc_pr_details.grid.get_field('purchase_receipt').get_query = - function() { - if(!me.frm.doc.company) msgprint(__("Please enter company first")); - return { - filters:[ - ['Purchase Receipt', 'docstatus', '=', '1'], - ['Purchase Receipt', 'company', '=', me.frm.doc.company], - ] - } - }; - - this.frm.fields_dict.landed_cost_details.grid.get_field('account_head').get_query = function() { - if(!me.frm.doc.company) msgprint(__("Please enter company first")); - return { - filters:[ - ['Account', 'group_or_ledger', '=', 'Ledger'], - ['Account', 'account_type', 'in', 'Tax, Chargeable'], - ['Account', 'company', '=', me.frm.doc.company] - ] - } - }, - - this.frm.fields_dict.landed_cost_details.grid.get_field('cost_center').get_query = - function() { - if(!me.frm.doc.company) msgprint(__("Please enter company first")); - return { - filters:[ - ['Cost Center', 'group_or_ledger', '=', 'Ledger'], - ['Cost Center', 'company', '=', me.frm.doc.company] - ] - } - } - } -}); - -cur_frm.script_manager.make(erpnext.stock.LandedCostWizard); \ No newline at end of file diff --git a/erpnext/stock/doctype/landed_cost_wizard/landed_cost_wizard.json b/erpnext/stock/doctype/landed_cost_wizard/landed_cost_wizard.json deleted file mode 100644 index 59c9478125..0000000000 --- a/erpnext/stock/doctype/landed_cost_wizard/landed_cost_wizard.json +++ /dev/null @@ -1,83 +0,0 @@ -{ - "creation": "2013-01-22 16:50:39.000000", - "docstatus": 0, - "doctype": "DocType", - "fields": [ - { - "fieldname": "company", - "fieldtype": "Link", - "label": "Company", - "options": "Company", - "permlevel": 0, - "reqd": 1 - }, - { - "fieldname": "section_break0", - "fieldtype": "Section Break", - "label": "Select Purchase Receipts", - "options": "Simple", - "permlevel": 0 - }, - { - "fieldname": "lc_pr_details", - "fieldtype": "Table", - "label": "Landed Cost Purchase Receipts", - "options": "Landed Cost Purchase Receipt", - "permlevel": 0 - }, - { - "fieldname": "section_break1", - "fieldtype": "Section Break", - "label": "Add Taxes and Charges", - "permlevel": 0 - }, - { - "fieldname": "landed_cost_details", - "fieldtype": "Table", - "label": "Landed Cost Items", - "options": "Landed Cost Item", - "permlevel": 0 - }, - { - "fieldname": "update_landed_cost", - "fieldtype": "Button", - "label": "Update Landed Cost", - "options": "update_landed_cost", - "permlevel": 0 - } - ], - "icon": "icon-magic", - "idx": 1, - "issingle": 1, - "modified": "2013-12-20 19:23:18.000000", - "modified_by": "Administrator", - "module": "Stock", - "name": "Landed Cost Wizard", - "owner": "wasim@webnotestech.com", - "permissions": [ - { - "amend": 0, - "cancel": 0, - "create": 1, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 0, - "role": "Purchase Manager", - "submit": 0, - "write": 1 - }, - { - "create": 1, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 0, - "role": "Purchase User", - "submit": 0, - "write": 1 - } - ] -} \ No newline at end of file diff --git a/erpnext/stock/doctype/landed_cost_wizard/landed_cost_wizard.py b/erpnext/stock/doctype/landed_cost_wizard/landed_cost_wizard.py deleted file mode 100644 index c105ecbce4..0000000000 --- a/erpnext/stock/doctype/landed_cost_wizard/landed_cost_wizard.py +++ /dev/null @@ -1,93 +0,0 @@ -# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors -# License: GNU General Public License v3. See license.txt - -from __future__ import unicode_literals -import frappe -from frappe.utils import flt -from frappe import msgprint, _ - -from frappe.model.document import Document - -class LandedCostWizard(Document): - - def update_landed_cost(self): - """ - Add extra cost and recalculate all values in pr, - Recalculate valuation rate in all sle after pr posting date - """ - purchase_receipts = [row.purchase_receipt for row in - self.get("lc_pr_details")] - - self.validate_purchase_receipts(purchase_receipts) - self.cancel_pr(purchase_receipts) - self.add_charges_in_pr(purchase_receipts) - self.submit_pr(purchase_receipts) - msgprint(_("Landed Cost updated successfully")) - - def validate_purchase_receipts(self, purchase_receipts): - for pr in purchase_receipts: - if frappe.db.get_value("Purchase Receipt", pr, "docstatus") != 1: - frappe.throw(_("Purchase Receipt {0} is not submitted").format(pr)) - - def add_charges_in_pr(self, purchase_receipts): - """ Add additional charges in selected pr proportionately""" - total_amt = self.get_total_pr_amt(purchase_receipts) - - for pr in purchase_receipts: - pr_doc = frappe.get_doc('Purchase Receipt', pr) - pr_items = pr_doc.get("purchase_tax_details") - - for lc in self.get("landed_cost_details"): - amt = flt(lc.amount) * flt(pr_doc.net_total)/ flt(total_amt) - - matched_row = pr_doc.get("other_charges", { - "category": "Valuation", - "add_deduct_tax": "Add", - "charge_type": "Actual", - "account_head": lc.account_head - }) - - if not matched_row: # add if not exists - ch = pr_doc.append("other_charges") - ch.category = 'Valuation' - ch.add_deduct_tax = 'Add' - ch.charge_type = 'Actual' - ch.description = lc.description - ch.account_head = lc.account_head - ch.cost_center = lc.cost_center - ch.rate = amt - ch.tax_amount = amt - ch.docstatus = 1 - ch.db_insert() - else: # overwrite if exists - matched_row[0].rate = amt - matched_row[0].tax_amount = amt - matched_row[0].cost_center = lc.cost_center - - pr_doc.run_method("validate") - pr_doc._validate_mandatory() - for d in pr_doc.get_all_children(): - d.db_update() - - def get_total_pr_amt(self, purchase_receipts): - return frappe.db.sql("""SELECT SUM(net_total) FROM `tabPurchase Receipt` - WHERE name in (%s)""" % ', '.join(['%s']*len(purchase_receipts)), - tuple(purchase_receipts))[0][0] - - def cancel_pr(self, purchase_receipts): - for pr in purchase_receipts: - pr_doc = frappe.get_doc("Purchase Receipt", pr) - - pr_doc.run_method("update_ordered_qty") - - frappe.db.sql("""delete from `tabStock Ledger Entry` - where voucher_type='Purchase Receipt' and voucher_no=%s""", pr) - frappe.db.sql("""delete from `tabGL Entry` where voucher_type='Purchase Receipt' - and voucher_no=%s""", pr) - - def submit_pr(self, purchase_receipts): - for pr in purchase_receipts: - pr_doc = frappe.get_doc("Purchase Receipt", pr) - pr_doc.run_method("update_ordered_qty") - pr_doc.run_method("update_stock") - pr_doc.run_method("make_gl_entries") From e2c3f7ab14c3043891f62cbf9f75ca99b235bbcd Mon Sep 17 00:00:00 2001 From: nabinhait Date: Tue, 22 Jul 2014 18:16:21 +0530 Subject: [PATCH 502/630] Added help in landed cost voucher --- .../landed_cost_voucher.js | 29 +++++++++++++++++++ 1 file changed, 29 insertions(+) diff --git a/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js b/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js index 207b12b910..6101074282 100644 --- a/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +++ b/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js @@ -36,6 +36,35 @@ erpnext.stock.LandedCostVoucher = erpnext.stock.StockController.extend({ }, + refresh: function() { + var help_content = ['
', + '', + '
', + '

', + __('Notes'), + ':

', + '
    ', + '
  • ', + __("Charges will be distributed proportionately based on item amount"), + '
  • ', + '
  • ', + __("Remove item if charges is not applicable to that item"), + '
  • ', + '
  • ', + __("Charges are updated in Purchase Receipt against each item"), + '
  • ', + '
  • ', + __("Item valuation rate is recalculated considering landed cost voucher amount"), + '
  • ', + '
  • ', + __("Stock Ledger Entries and GL Entries are reposted for the selected Purchase Receipts"), + '
  • ', + '
', + '
'].join("\n"); + + set_field_options("landed_cost_help", help_content); + }, + get_items_from_purchase_receipts: function() { var me = this; if(!this.frm.doc.landed_cost_purchase_receipts.length) { From 509aa52efc1a348b4ab01dd0ad0304ad6365b548 Mon Sep 17 00:00:00 2001 From: nabinhait Date: Tue, 22 Jul 2014 18:23:06 +0530 Subject: [PATCH 503/630] minor fix --- erpnext/stock/doctype/purchase_receipt/purchase_receipt.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py index 0166de5a40..4eb355351d 100644 --- a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +++ b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py @@ -340,7 +340,7 @@ class PurchaseReceipt(BuyingController): warehouse_with_no_account.append(d.warehouse) if warehouse_with_no_account: - msgprint(_("No accounting entries for the following warehouses") + ": \n" + + frappe.msgprint(_("No accounting entries for the following warehouses") + ": \n" + "\n".join(warehouse_with_no_account)) return process_gl_map(gl_entries) From 11594c79272a51cac697e177dee9e1285c7add88 Mon Sep 17 00:00:00 2001 From: nabinhait Date: Thu, 24 Jul 2014 10:39:23 +0530 Subject: [PATCH 504/630] purchase receipt gl entries --- .../purchase_invoice/purchase_invoice.py | 24 +++++++++---- .../purchase_receipt/purchase_receipt.py | 36 ++++++++++++++++++- 2 files changed, 53 insertions(+), 7 deletions(-) diff --git a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py index 3b6ad82cdc..27f2064bef 100644 --- a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +++ b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py @@ -316,16 +316,25 @@ class PurchaseInvoice(BuyingController): stock_item_and_auto_accounting_for_stock = False stock_items = self.get_stock_items() for item in self.get("entries"): - if auto_accounting_for_stock and item.item_code in stock_items: - if flt(item.valuation_rate): + if flt(item.base_amount): + gl_entries.append( + self.get_gl_dict({ + "account": item.expense_account, + "against": self.credit_to, + "debit": item.base_amount, + "remarks": self.remarks, + "cost_center": item.cost_center + }) + ) + + if auto_accounting_for_stock and item.item_code in stock_items and item.valuation_rate: # if auto inventory accounting enabled and stock item, # then do stock related gl entries # expense will be booked in sales invoice stock_item_and_auto_accounting_for_stock = True - valuation_amt = flt(item.base_amount + item.item_tax_amount, - self.precision("base_amount", item)) - + + gl_entries.append( self.get_gl_dict({ "account": item.expense_account, @@ -352,7 +361,10 @@ class PurchaseInvoice(BuyingController): # this will balance out valuation amount included in cost of goods sold expenses_included_in_valuation = \ self.get_company_default("expenses_included_in_valuation") - + + # Backward compatibility: + # Post expenses_included_in_valuation only if it is not booked in Purchase Receipt + for cost_center, amount in valuation_tax.items(): gl_entries.append( self.get_gl_dict({ diff --git a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py index 4eb355351d..1f02f361b8 100644 --- a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +++ b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py @@ -312,7 +312,7 @@ class PurchaseReceipt(BuyingController): "against": warehouse_account[d.warehouse], "cost_center": d.cost_center, "remarks": self.get("remarks") or "Accounting Entry for Stock", - "credit": flt(d.base_amount + d.item_tax_amount, self.precision("base_amount", d)) + "credit": flt(d.base_amount, self.precision("base_amount", d)) })) # Amount added through landed-cost-voucher @@ -338,6 +338,40 @@ class PurchaseReceipt(BuyingController): elif d.warehouse not in warehouse_with_no_account or \ d.rejected_warehouse not in warehouse_with_no_account: warehouse_with_no_account.append(d.warehouse) + + # Cost center-wise amount breakup for other charges included for valuation + valuation_tax = {} + for tax in self.get("other_charges"): + if tax.category in ("Valuation", "Valuation and Total") and flt(tax.tax_amount): + if not tax.cost_center: + frappe.throw(_("Cost Center is required in row {0} in Taxes table for type {1}").format(tax.idx, _(tax.category))) + valuation_tax.setdefault(tax.cost_center, 0) + valuation_tax[tax.cost_center] += \ + (tax.add_deduct_tax == "Add" and 1 or -1) * flt(tax.tax_amount) + + # Backward compatibility: + # If expenses_included_in_valuation account has been credited in against PI + # and charges added via Landed Cost Voucher, + # post valuation related charges on "Stock Received But Not Billed" + + pi_exists = frappe.db.sql("""select name from `tabPurchase Invoice Item` pi + where docstatus = 1 and purchase_receipt=%s + and exists(select name from `tabGL Entry` where voucher_type='Purchase Invoice' + and voucher_no=pi.parent and account=%s)""", (self.name, expenses_included_in_valuation)) + + if pi_exists: + expenses_included_in_valuation = stock_rbnb + + # Expense included in valuation + for cost_center, amount in valuation_tax.items(): + gl_entries.append( + self.get_gl_dict({ + "account": expenses_included_in_valuation, + "cost_center": cost_center, + "credit": amount, + "remarks": self.remarks or "Accounting Entry for Stock" + }) + ) if warehouse_with_no_account: frappe.msgprint(_("No accounting entries for the following warehouses") + ": \n" + From f807cda375c0a238c694a702524c9f0281c0a846 Mon Sep 17 00:00:00 2001 From: nabinhait Date: Thu, 24 Jul 2014 17:42:52 +0530 Subject: [PATCH 505/630] PR and PI gl entries fixes for landed cost --- .../purchase_invoice/purchase_invoice.py | 69 ++++++++++--------- .../purchase_invoice/test_purchase_invoice.py | 35 +++++++++- .../purchase_invoice/test_records.json | 2 + .../test_landed_cost_voucher.py | 5 +- .../purchase_receipt/purchase_receipt.py | 6 +- .../purchase_receipt/test_purchase_receipt.py | 4 +- .../purchase_receipt/test_records.json | 18 +++-- .../utilities/doctype/address/test_address.py | 3 + 8 files changed, 93 insertions(+), 49 deletions(-) diff --git a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py index 27f2064bef..e465e2c973 100644 --- a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +++ b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py @@ -273,6 +273,8 @@ class PurchaseInvoice(BuyingController): def make_gl_entries(self): auto_accounting_for_stock = \ cint(frappe.defaults.get_global_default("auto_accounting_for_stock")) + + stock_received_but_not_billed = self.get_company_default("stock_received_but_not_billed") gl_entries = [] @@ -313,7 +315,7 @@ class PurchaseInvoice(BuyingController): (tax.add_deduct_tax == "Add" and 1 or -1) * flt(tax.tax_amount) # item gl entries - stock_item_and_auto_accounting_for_stock = False + negative_expense_to_be_booked = 0.0 stock_items = self.get_stock_items() for item in self.get("entries"): if flt(item.base_amount): @@ -327,54 +329,53 @@ class PurchaseInvoice(BuyingController): }) ) - if auto_accounting_for_stock and item.item_code in stock_items and item.valuation_rate: - # if auto inventory accounting enabled and stock item, - # then do stock related gl entries - # expense will be booked in sales invoice - stock_item_and_auto_accounting_for_stock = True - + if auto_accounting_for_stock and item.item_code in stock_items and item.item_tax_amount: + # Post reverse entry for Stock-Received-But-Not-Billed if it is booked in Purchase Receipt + stock_rbnb_booked_in_pr = None + if item.purchase_receipt: + stock_rbnb_booked_in_pr = frappe.db.sql("""select name from `tabGL Entry` + where voucher_type='Purchase Receipt' and voucher_no=%s and account=%s""", + (item.purchase_receipt, stock_received_but_not_billed)) - - gl_entries.append( - self.get_gl_dict({ - "account": item.expense_account, - "against": self.credit_to, - "debit": valuation_amt, - "remarks": self.remarks or "Accounting Entry for Stock" - }) - ) + if stock_rbnb_booked_in_pr: + gl_entries.append( + self.get_gl_dict({ + "account": stock_received_but_not_billed, + "against": self.credit_to, + "debit": flt(item.item_tax_amount), + "remarks": self.remarks or "Accounting Entry for Stock" + }) + ) + + negative_expense_to_be_booked += flt(item.item_tax_amount) - elif flt(item.base_amount): - # if not a stock item or auto inventory accounting disabled, book the expense - gl_entries.append( - self.get_gl_dict({ - "account": item.expense_account, - "against": self.credit_to, - "debit": item.base_amount, - "remarks": self.remarks, - "cost_center": item.cost_center - }) - ) - if stock_item_and_auto_accounting_for_stock and valuation_tax: + if negative_expense_to_be_booked and valuation_tax: # credit valuation tax amount in "Expenses Included In Valuation" # this will balance out valuation amount included in cost of goods sold - expenses_included_in_valuation = \ - self.get_company_default("expenses_included_in_valuation") - - # Backward compatibility: - # Post expenses_included_in_valuation only if it is not booked in Purchase Receipt + expenses_included_in_valuation = self.get_company_default("expenses_included_in_valuation") + total_valuation_amount = sum(valuation_tax.values()) + amount_including_divisional_loss = negative_expense_to_be_booked + i = 1 for cost_center, amount in valuation_tax.items(): + if i == len(valuation_tax): + applicable_amount = amount_including_divisional_loss + else: + applicable_amount = negative_expense_to_be_booked * (amount / total_valuation_amount) + amount_including_divisional_loss -= applicable_amount + gl_entries.append( self.get_gl_dict({ "account": expenses_included_in_valuation, "cost_center": cost_center, "against": self.credit_to, - "credit": amount, + "credit": applicable_amount, "remarks": self.remarks or "Accounting Entry for Stock" }) ) + + i += 1 # writeoff account includes petty difference in the invoice amount # and the amount that is paid diff --git a/erpnext/accounts/doctype/purchase_invoice/test_purchase_invoice.py b/erpnext/accounts/doctype/purchase_invoice/test_purchase_invoice.py index ca73518bd9..5eb5f0103b 100644 --- a/erpnext/accounts/doctype/purchase_invoice/test_purchase_invoice.py +++ b/erpnext/accounts/doctype/purchase_invoice/test_purchase_invoice.py @@ -9,7 +9,8 @@ import frappe.model import json from frappe.utils import cint import frappe.defaults -from erpnext.stock.doctype.purchase_receipt.test_purchase_receipt import set_perpetual_inventory +from erpnext.stock.doctype.purchase_receipt.test_purchase_receipt import set_perpetual_inventory, \ + test_records as pr_test_records test_dependencies = ["Item", "Cost Center"] test_ignore = ["Serial No"] @@ -54,6 +55,38 @@ class TestPurchaseInvoice(unittest.TestCase): order by account asc""", pi.name, as_dict=1) self.assertTrue(gl_entries) + expected_values = sorted([ + ["_Test Supplier - _TC", 0, 720], + ["Stock Received But Not Billed - _TC", 500.0, 0], + ["_Test Account Shipping Charges - _TC", 100.0, 0], + ["_Test Account VAT - _TC", 120.0, 0], + ]) + + for i, gle in enumerate(gl_entries): + self.assertEquals(expected_values[i][0], gle.account) + self.assertEquals(expected_values[i][1], gle.debit) + self.assertEquals(expected_values[i][2], gle.credit) + + set_perpetual_inventory(0) + + def test_gl_entries_with_auto_accounting_for_stock_against_pr(self): + set_perpetual_inventory(1) + self.assertEqual(cint(frappe.defaults.get_global_default("auto_accounting_for_stock")), 1) + + pr = frappe.copy_doc(pr_test_records[0]) + pr.submit() + + pi = frappe.copy_doc(test_records[1]) + for d in pi.get("entries"): + d.purchase_receipt = pr.name + pi.insert() + pi.submit() + + gl_entries = frappe.db.sql("""select account, debit, credit + from `tabGL Entry` where voucher_type='Purchase Invoice' and voucher_no=%s + order by account asc""", pi.name, as_dict=1) + self.assertTrue(gl_entries) + expected_values = sorted([ ["_Test Supplier - _TC", 0, 720], ["Stock Received But Not Billed - _TC", 750.0, 0], diff --git a/erpnext/accounts/doctype/purchase_invoice/test_records.json b/erpnext/accounts/doctype/purchase_invoice/test_records.json index 48fb45d4d0..3ddbcc76e1 100644 --- a/erpnext/accounts/doctype/purchase_invoice/test_records.json +++ b/erpnext/accounts/doctype/purchase_invoice/test_records.json @@ -138,6 +138,7 @@ } ], "posting_date": "2013-02-03", + "supplier": "_Test Supplier", "supplier_name": "_Test Supplier" }, { @@ -201,6 +202,7 @@ } ], "posting_date": "2013-02-03", + "supplier": "_Test Supplier", "supplier_name": "_Test Supplier" } ] diff --git a/erpnext/stock/doctype/landed_cost_voucher/test_landed_cost_voucher.py b/erpnext/stock/doctype/landed_cost_voucher/test_landed_cost_voucher.py index 6abf2f5d53..ca16b4493b 100644 --- a/erpnext/stock/doctype/landed_cost_voucher/test_landed_cost_voucher.py +++ b/erpnext/stock/doctype/landed_cost_voucher/test_landed_cost_voucher.py @@ -11,7 +11,6 @@ from erpnext.stock.doctype.purchase_receipt.test_purchase_receipt \ class TestLandedCostVoucher(unittest.TestCase): def test_landed_cost_voucher(self): - frappe.db.set_default("cost_center", "Main - _TC") set_perpetual_inventory(1) pr = self.submit_pr() self.submit_landed_cost_voucher(pr) @@ -30,8 +29,8 @@ class TestLandedCostVoucher(unittest.TestCase): expected_values = { stock_in_hand_account: [400.0, 0.0], fixed_asset_account: [400.0, 0.0], - "Stock Received But Not Billed - _TC": [0.0, 750.0], - "Expenses Included In Valuation - _TC": [0.0, 50.0] + "Stock Received But Not Billed - _TC": [0.0, 500.0], + "Expenses Included In Valuation - _TC": [0.0, 300.0] } for gle in gl_entries: diff --git a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py index 1f02f361b8..cb24c8e211 100644 --- a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +++ b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py @@ -354,12 +354,12 @@ class PurchaseReceipt(BuyingController): # and charges added via Landed Cost Voucher, # post valuation related charges on "Stock Received But Not Billed" - pi_exists = frappe.db.sql("""select name from `tabPurchase Invoice Item` pi + stock_rbnb_booked_in_pi = frappe.db.sql("""select name from `tabPurchase Invoice Item` pi where docstatus = 1 and purchase_receipt=%s and exists(select name from `tabGL Entry` where voucher_type='Purchase Invoice' - and voucher_no=pi.parent and account=%s)""", (self.name, expenses_included_in_valuation)) + and voucher_no=pi.parent and account=%s)""", (self.name, stock_rbnb)) - if pi_exists: + if stock_rbnb_booked_in_pi: expenses_included_in_valuation = stock_rbnb # Expense included in valuation diff --git a/erpnext/stock/doctype/purchase_receipt/test_purchase_receipt.py b/erpnext/stock/doctype/purchase_receipt/test_purchase_receipt.py index 77de44d021..9b76a14381 100644 --- a/erpnext/stock/doctype/purchase_receipt/test_purchase_receipt.py +++ b/erpnext/stock/doctype/purchase_receipt/test_purchase_receipt.py @@ -55,7 +55,6 @@ class TestPurchaseReceipt(unittest.TestCase): set_perpetual_inventory() self.assertEqual(cint(frappe.defaults.get_global_default("auto_accounting_for_stock")), 1) - pr = frappe.copy_doc(test_records[0]) pr.insert() pr.submit() @@ -72,7 +71,8 @@ class TestPurchaseReceipt(unittest.TestCase): expected_values = { stock_in_hand_account: [375.0, 0.0], fixed_asset_account: [375.0, 0.0], - "Stock Received But Not Billed - _TC": [0.0, 750.0] + "Stock Received But Not Billed - _TC": [0.0, 500.0], + "Expenses Included In Valuation - _TC": [0.0, 250.0] } for gle in gl_entries: diff --git a/erpnext/stock/doctype/purchase_receipt/test_records.json b/erpnext/stock/doctype/purchase_receipt/test_records.json index 7dd4f7f739..4b9b3aecf2 100644 --- a/erpnext/stock/doctype/purchase_receipt/test_records.json +++ b/erpnext/stock/doctype/purchase_receipt/test_records.json @@ -19,7 +19,8 @@ "doctype": "Purchase Taxes and Charges", "parentfield": "other_charges", "rate": 100.0, - "tax_amount": 100.0 + "tax_amount": 100.0, + "cost_center": "Main - _TC" }, { "account_head": "_Test Account VAT - _TC", @@ -30,7 +31,8 @@ "doctype": "Purchase Taxes and Charges", "parentfield": "other_charges", "rate": 120.0, - "tax_amount": 120.0 + "tax_amount": 120.0, + "cost_center": "Main - _TC" }, { "account_head": "_Test Account Customs Duty - _TC", @@ -41,7 +43,8 @@ "doctype": "Purchase Taxes and Charges", "parentfield": "other_charges", "rate": 150.0, - "tax_amount": 150.0 + "tax_amount": 150.0, + "cost_center": "Main - _TC" } ], "posting_date": "2013-02-12", @@ -61,7 +64,8 @@ "rejected_qty": 0.0, "stock_uom": "Nos", "uom": "_Test UOM", - "warehouse": "_Test Warehouse - _TC" + "warehouse": "_Test Warehouse - _TC", + "cost_center": "Main - _TC" }, { "base_amount": 250.0, @@ -77,7 +81,8 @@ "rejected_qty": 0.0, "stock_uom": "Nos", "uom": "_Test UOM", - "warehouse": "_Test Warehouse 1 - _TC" + "warehouse": "_Test Warehouse 1 - _TC", + "cost_center": "Main - _TC" } ], "supplier": "_Test Supplier" @@ -109,7 +114,8 @@ "rejected_qty": 0.0, "stock_uom": "Nos", "uom": "_Test UOM", - "warehouse": "_Test Warehouse - _TC" + "warehouse": "_Test Warehouse - _TC", + "cost_center": "Main - _TC" } ], "supplier": "_Test Supplier", diff --git a/erpnext/utilities/doctype/address/test_address.py b/erpnext/utilities/doctype/address/test_address.py index 1e36a4438c..11f67b17e4 100644 --- a/erpnext/utilities/doctype/address/test_address.py +++ b/erpnext/utilities/doctype/address/test_address.py @@ -16,3 +16,6 @@ class TestAddress(unittest.TestCase): address = frappe.get_list("Address")[0].name display = get_address_display(frappe.get_doc("Address", address).as_dict()) self.assertTrue(display) + + +test_dependencies = ["Address Template"] From cfd1b10980be7fa37a5b665e748b755794c8447c Mon Sep 17 00:00:00 2001 From: nabinhait Date: Fri, 25 Jul 2014 12:02:36 +0530 Subject: [PATCH 506/630] Purchase receipt gl entries if there is warehouse without account --- .../sales_invoice/test_sales_invoice.py | 3 +- .../purchase_receipt/purchase_receipt.py | 58 ++++++++++++------- 2 files changed, 39 insertions(+), 22 deletions(-) diff --git a/erpnext/accounts/doctype/sales_invoice/test_sales_invoice.py b/erpnext/accounts/doctype/sales_invoice/test_sales_invoice.py index 1d22e0930a..ab361d83ad 100644 --- a/erpnext/accounts/doctype/sales_invoice/test_sales_invoice.py +++ b/erpnext/accounts/doctype/sales_invoice/test_sales_invoice.py @@ -502,7 +502,8 @@ class TestSalesInvoice(unittest.TestCase): "warehouse": "_Test Warehouse - _TC" }) - pos_setting.insert() + if not frappe.db.exists("POS Setting", "_Test POS Setting"): + pos_setting.insert() def test_si_gl_entry_with_aii_and_update_stock_with_warehouse_but_no_account(self): self.clear_stock_account_balance() diff --git a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py index cb24c8e211..206d407890 100644 --- a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +++ b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py @@ -292,11 +292,12 @@ class PurchaseReceipt(BuyingController): gl_entries = [] warehouse_with_no_account = [] + negative_expense_to_be_booked = 0.0 stock_items = self.get_stock_items() for d in self.get("purchase_receipt_details"): if d.item_code in stock_items and flt(d.valuation_rate): if warehouse_account.get(d.warehouse) and flt(d.qty) and flt(d.valuation_rate): - + # warehouse account gl_entries.append(self.get_gl_dict({ "account": warehouse_account[d.warehouse], @@ -315,6 +316,8 @@ class PurchaseReceipt(BuyingController): "credit": flt(d.base_amount, self.precision("base_amount", d)) })) + negative_expense_to_be_booked += flt(d.item_tax_amount) + # Amount added through landed-cost-voucher if flt(d.landed_cost_voucher_amount): gl_entries.append(self.get_gl_dict({ @@ -349,29 +352,42 @@ class PurchaseReceipt(BuyingController): valuation_tax[tax.cost_center] += \ (tax.add_deduct_tax == "Add" and 1 or -1) * flt(tax.tax_amount) - # Backward compatibility: - # If expenses_included_in_valuation account has been credited in against PI - # and charges added via Landed Cost Voucher, - # post valuation related charges on "Stock Received But Not Billed" + if negative_expense_to_be_booked and valuation_tax: + # Backward compatibility: + # If expenses_included_in_valuation account has been credited in against PI + # and charges added via Landed Cost Voucher, + # post valuation related charges on "Stock Received But Not Billed" - stock_rbnb_booked_in_pi = frappe.db.sql("""select name from `tabPurchase Invoice Item` pi - where docstatus = 1 and purchase_receipt=%s - and exists(select name from `tabGL Entry` where voucher_type='Purchase Invoice' - and voucher_no=pi.parent and account=%s)""", (self.name, stock_rbnb)) + stock_rbnb_booked_in_pi = frappe.db.sql("""select name from `tabPurchase Invoice Item` pi + where docstatus = 1 and purchase_receipt=%s + and exists(select name from `tabGL Entry` where voucher_type='Purchase Invoice' + and voucher_no=pi.parent and account=%s)""", (self.name, stock_rbnb)) - if stock_rbnb_booked_in_pi: - expenses_included_in_valuation = stock_rbnb + if stock_rbnb_booked_in_pi: + expenses_included_in_valuation = stock_rbnb - # Expense included in valuation - for cost_center, amount in valuation_tax.items(): - gl_entries.append( - self.get_gl_dict({ - "account": expenses_included_in_valuation, - "cost_center": cost_center, - "credit": amount, - "remarks": self.remarks or "Accounting Entry for Stock" - }) - ) + against_account = ", ".join([d.account for d in gl_entries if flt(d.debit) > 0]) + total_valuation_amount = sum(valuation_tax.values()) + amount_including_divisional_loss = negative_expense_to_be_booked + i = 1 + for cost_center, amount in valuation_tax.items(): + if i == len(valuation_tax): + applicable_amount = amount_including_divisional_loss + else: + applicable_amount = negative_expense_to_be_booked * (amount / total_valuation_amount) + amount_including_divisional_loss -= applicable_amount + + gl_entries.append( + self.get_gl_dict({ + "account": expenses_included_in_valuation, + "cost_center": cost_center, + "credit": applicable_amount, + "remarks": self.remarks or "Accounting Entry for Stock", + "against": against_account + }) + ) + + i += 1 if warehouse_with_no_account: frappe.msgprint(_("No accounting entries for the following warehouses") + ": \n" + From 98e7dcfe2c3707c9c5a190d529599b85096d51ae Mon Sep 17 00:00:00 2001 From: nabinhait Date: Tue, 29 Jul 2014 11:26:52 +0530 Subject: [PATCH 507/630] landed cost voucher minor fix --- .../stock/doctype/landed_cost_voucher/landed_cost_voucher.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js b/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js index 6101074282..042011a991 100644 --- a/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +++ b/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js @@ -24,7 +24,7 @@ erpnext.stock.LandedCostVoucher = erpnext.stock.StockController.extend({ return { filters:[ ['Account', 'group_or_ledger', '=', 'Ledger'], - ['Account', 'account_type', 'in', ['Tax', 'Chargeable']], + ['Account', 'account_type', 'in', ['Tax', 'Chargeable', 'Expense Account']], ['Account', 'company', '=', me.frm.doc.company] ] } From 8ca3189f075bdb176ecf02961b164c29bb1b60a6 Mon Sep 17 00:00:00 2001 From: nabinhait Date: Wed, 30 Jul 2014 14:24:24 +0530 Subject: [PATCH 508/630] pr and pi gl entries --- .../doctype/purchase_invoice/purchase_invoice.py | 12 ++++++------ .../doctype/purchase_receipt/purchase_receipt.py | 8 ++++---- 2 files changed, 10 insertions(+), 10 deletions(-) diff --git a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py index e465e2c973..68a21d9117 100644 --- a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +++ b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py @@ -275,7 +275,8 @@ class PurchaseInvoice(BuyingController): cint(frappe.defaults.get_global_default("auto_accounting_for_stock")) stock_received_but_not_billed = self.get_company_default("stock_received_but_not_billed") - + expenses_included_in_valuation = self.get_company_default("expenses_included_in_valuation") + gl_entries = [] # parent's gl entry @@ -331,13 +332,13 @@ class PurchaseInvoice(BuyingController): if auto_accounting_for_stock and item.item_code in stock_items and item.item_tax_amount: # Post reverse entry for Stock-Received-But-Not-Billed if it is booked in Purchase Receipt - stock_rbnb_booked_in_pr = None + negative_expense_booked_in_pi = None if item.purchase_receipt: - stock_rbnb_booked_in_pr = frappe.db.sql("""select name from `tabGL Entry` + negative_expense_booked_in_pi = frappe.db.sql("""select name from `tabGL Entry` where voucher_type='Purchase Receipt' and voucher_no=%s and account=%s""", - (item.purchase_receipt, stock_received_but_not_billed)) + (item.purchase_receipt, expenses_included_in_valuation)) - if stock_rbnb_booked_in_pr: + if not negative_expense_booked_in_pi: gl_entries.append( self.get_gl_dict({ "account": stock_received_but_not_billed, @@ -353,7 +354,6 @@ class PurchaseInvoice(BuyingController): if negative_expense_to_be_booked and valuation_tax: # credit valuation tax amount in "Expenses Included In Valuation" # this will balance out valuation amount included in cost of goods sold - expenses_included_in_valuation = self.get_company_default("expenses_included_in_valuation") total_valuation_amount = sum(valuation_tax.values()) amount_including_divisional_loss = negative_expense_to_be_booked diff --git a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py index 206d407890..12bb96de64 100644 --- a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +++ b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py @@ -37,7 +37,7 @@ class PurchaseReceipt(BuyingController): def onload(self): billed_qty = frappe.db.sql("""select sum(ifnull(qty, 0)) from `tabPurchase Invoice Item` - where purchase_receipt=%s""", self.name) + where purchase_receipt=%s and docstatus=1""", self.name) if billed_qty: total_qty = sum((item.qty for item in self.get("purchase_receipt_details"))) self.get("__onload").billing_complete = (billed_qty[0][0] == total_qty) @@ -358,12 +358,12 @@ class PurchaseReceipt(BuyingController): # and charges added via Landed Cost Voucher, # post valuation related charges on "Stock Received But Not Billed" - stock_rbnb_booked_in_pi = frappe.db.sql("""select name from `tabPurchase Invoice Item` pi + negative_expense_booked_in_pi = frappe.db.sql("""select name from `tabPurchase Invoice Item` pi where docstatus = 1 and purchase_receipt=%s and exists(select name from `tabGL Entry` where voucher_type='Purchase Invoice' - and voucher_no=pi.parent and account=%s)""", (self.name, stock_rbnb)) + and voucher_no=pi.parent and account=%s)""", (self.name, expenses_included_in_valuation)) - if stock_rbnb_booked_in_pi: + if negative_expense_booked_in_pi: expenses_included_in_valuation = stock_rbnb against_account = ", ".join([d.account for d in gl_entries if flt(d.debit) > 0]) From 9cbcf96aeb68db3c7d29a63b4d71acef2ccd5095 Mon Sep 17 00:00:00 2001 From: nabinhait Date: Wed, 30 Jul 2014 18:35:28 +0530 Subject: [PATCH 509/630] no copy property for landed cost voucher amount field --- .../doctype/purchase_receipt_item/purchase_receipt_item.json | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/erpnext/stock/doctype/purchase_receipt_item/purchase_receipt_item.json b/erpnext/stock/doctype/purchase_receipt_item/purchase_receipt_item.json index 3b45ca2756..549c572b57 100755 --- a/erpnext/stock/doctype/purchase_receipt_item/purchase_receipt_item.json +++ b/erpnext/stock/doctype/purchase_receipt_item/purchase_receipt_item.json @@ -506,6 +506,7 @@ "fieldname": "landed_cost_voucher_amount", "fieldtype": "Currency", "label": "Landed Cost Voucher Amount", + "no_copy": 1, "permlevel": 0, "read_only": 1 }, @@ -554,7 +555,7 @@ ], "idx": 1, "istable": 1, - "modified": "2014-07-24 05:56:12.997533", + "modified": "2014-07-30 18:13:18.337564", "modified_by": "Administrator", "module": "Stock", "name": "Purchase Receipt Item", From f3e1181ad96750008eab8c00cf57dbff8b36feb6 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Fri, 8 Aug 2014 12:45:46 +0530 Subject: [PATCH 510/630] Landed cost voucher fixes --- .../landed_cost_voucher.py | 55 +++++++++++-------- 1 file changed, 32 insertions(+), 23 deletions(-) diff --git a/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py b/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py index dd3fd9070c..7c2ae4fa04 100644 --- a/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +++ b/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py @@ -14,12 +14,12 @@ class LandedCostVoucher(Document): def get_items_from_purchase_receipts(self): self.set("landed_cost_items", []) for pr in self.get("landed_cost_purchase_receipts"): - pr_items = frappe.db.sql("""select pr_item.item_code, pr_item.description, + pr_items = frappe.db.sql("""select pr_item.item_code, pr_item.description, pr_item.qty, pr_item.rate, pr_item.amount, pr_item.name - from `tabPurchase Receipt Item` pr_item where parent = %s - and exists(select name from tabItem where name = pr_item.item_code and is_stock_item = 'Yes')""", + from `tabPurchase Receipt Item` pr_item where parent = %s + and exists(select name from tabItem where name = pr_item.item_code and is_stock_item = 'Yes')""", pr.purchase_receipt, as_dict=True) - + for d in pr_items: item = self.append("landed_cost_items") item.item_code = d.item_code @@ -29,11 +29,11 @@ class LandedCostVoucher(Document): item.amount = d.amount item.purchase_receipt = pr.purchase_receipt item.pr_item_row_id = d.name - + if self.get("landed_cost_taxes_and_charges"): self.set_applicable_charges_for_item() - - + + def validate(self): self.check_mandatory() self.validate_purchase_receipts() @@ -42,14 +42,14 @@ class LandedCostVoucher(Document): self.get_items_from_purchase_receipts() else: self.set_applicable_charges_for_item() - + def check_mandatory(self): if not self.get("landed_cost_purchase_receipts"): frappe.throw(_("Please enter Purchase Receipts")) - + if not self.get("landed_cost_taxes_and_charges"): frappe.throw(_("Please enter Taxes and Charges")) - + def validate_purchase_receipts(self): purchase_receipts = [] for d in self.get("landed_cost_purchase_receipts"): @@ -57,41 +57,50 @@ class LandedCostVoucher(Document): frappe.throw(_("Purchase Receipt must be submitted")) else: purchase_receipts.append(d.purchase_receipt) - + for item in self.get("landed_cost_items"): if not item.purchase_receipt: frappe.throw(_("Item must be added using 'Get Items from Purchase Receipts' button")) elif item.purchase_receipt not in purchase_receipts: frappe.throw(_("Item Row {0}: Purchase Receipt {1} does not exist in above 'Purchase Receipts' table") .format(item.idx, item.purchase_receipt)) - + def set_total_taxes_and_charges(self): self.total_taxes_and_charges = sum([flt(d.amount) for d in self.get("landed_cost_taxes_and_charges")]) - + def set_applicable_charges_for_item(self): total_item_cost = sum([flt(d.amount) for d in self.get("landed_cost_items")]) - + for item in self.get("landed_cost_items"): item.applicable_charges = flt(item.amount) * flt(self.total_taxes_and_charges) / flt(total_item_cost) - + def on_submit(self): self.update_landed_cost() - + def on_cancel(self): self.update_landed_cost() - + def update_landed_cost(self): purchase_receipts = list(set([d.purchase_receipt for d in self.get("landed_cost_items")])) - self.delete_sle_and_gle(purchase_receipts) for purchase_receipt in purchase_receipts: pr = frappe.get_doc("Purchase Receipt", purchase_receipt) + + # set landed cost voucher amount in pr item pr.set_landed_cost_voucher_amount() + + # set valuation amount in pr item pr.update_valuation_rate("purchase_receipt_details") + + # save will update landed_cost_voucher_amount and voucher_amount in PR, + # as those fields are ellowed to edit after submit pr.save() + + # update stock & gl entries for cancelled state of PR + pr.docstatus = 2 + pr.update_stock() + pr.make_gl_entries_on_cancel() + + # update stock & gl entries for submit state of PR + pr.docstatus = 1 pr.update_stock() pr.make_gl_entries() - - def delete_sle_and_gle(self, purchase_receipts): - for doctype in ["Stock Ledger Entry", "GL Entry"]: - frappe.db.sql("""delete from `tab%s` where voucher_type='Purchase Receipt' - and voucher_no in (%s)""" % (doctype, ', '.join(['%s']*len(purchase_receipts))), purchase_receipts) \ No newline at end of file From 2b776e8c3ae7a4645cf32cc27c71865527fab926 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Fri, 8 Aug 2014 13:16:33 +0530 Subject: [PATCH 511/630] Landed cost voucher minor fixes --- .../landed_cost_item/landed_cost_item.json | 18 ++++-- .../landed_cost_taxes_and_charges.json | 3 +- .../landed_cost_voucher.json | 3 +- .../landed_cost_voucher.py | 2 +- .../purchase_receipt/purchase_receipt.py | 64 +++++++++---------- .../purchase_receipt_item.json | 2 +- 6 files changed, 51 insertions(+), 41 deletions(-) diff --git a/erpnext/stock/doctype/landed_cost_item/landed_cost_item.json b/erpnext/stock/doctype/landed_cost_item/landed_cost_item.json index 3b77d0f18d..7b0ef917b4 100644 --- a/erpnext/stock/doctype/landed_cost_item/landed_cost_item.json +++ b/erpnext/stock/doctype/landed_cost_item/landed_cost_item.json @@ -32,8 +32,10 @@ "fieldtype": "Link", "hidden": 0, "label": "Purchase Receipt", + "no_copy": 1, "options": "Purchase Receipt", "permlevel": 0, + "print_hide": 1, "read_only": 1 }, { @@ -54,6 +56,7 @@ "fieldtype": "Currency", "in_list_view": 0, "label": "Rate", + "options": "Company:company:default_currency", "permlevel": 0, "read_only": 1 }, @@ -64,7 +67,7 @@ "label": "Amount", "oldfieldname": "amount", "oldfieldtype": "Currency", - "options": "currency", + "options": "Company:company:default_currency", "permlevel": 0, "read_only": 1, "reqd": 1 @@ -74,19 +77,24 @@ "fieldtype": "Currency", "in_list_view": 1, "label": "Applicable Charges", + "options": "Company:company:default_currency", "permlevel": 0, "read_only": 1 }, { - "fieldname": "pr_item_row_id", + "fieldname": "purchase_receipt_item", "fieldtype": "Data", - "label": "PR Item Row Id", - "permlevel": 0 + "hidden": 1, + "label": "Purchase Receipt Item", + "no_copy": 1, + "permlevel": 0, + "print_hide": 1, + "read_only": 1 } ], "idx": 1, "istable": 1, - "modified": "2014-07-15 18:01:26.152422", + "modified": "2014-08-08 13:11:29.438664", "modified_by": "Administrator", "module": "Stock", "name": "Landed Cost Item", diff --git a/erpnext/stock/doctype/landed_cost_taxes_and_charges/landed_cost_taxes_and_charges.json b/erpnext/stock/doctype/landed_cost_taxes_and_charges/landed_cost_taxes_and_charges.json index d077dbc31d..f183b331a2 100644 --- a/erpnext/stock/doctype/landed_cost_taxes_and_charges/landed_cost_taxes_and_charges.json +++ b/erpnext/stock/doctype/landed_cost_taxes_and_charges/landed_cost_taxes_and_charges.json @@ -34,12 +34,13 @@ "fieldtype": "Currency", "in_list_view": 1, "label": "Amount", + "options": "Company:company:default_currency", "permlevel": 0, "reqd": 1 } ], "istable": 1, - "modified": "2014-07-11 13:00:14.770284", + "modified": "2014-08-08 13:12:02.594698", "modified_by": "Administrator", "module": "Stock", "name": "Landed Cost Taxes and Charges", diff --git a/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.json b/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.json index 11425c27b7..f064198d8f 100644 --- a/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.json +++ b/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.json @@ -48,6 +48,7 @@ "fieldname": "total_taxes_and_charges", "fieldtype": "Currency", "label": "Total Taxes and Charges", + "options": "Company:company:default_currency", "permlevel": 0, "read_only": 1, "reqd": 1 @@ -71,7 +72,7 @@ } ], "is_submittable": 1, - "modified": "2014-07-11 15:34:51.306164", + "modified": "2014-08-08 13:11:55.764550", "modified_by": "Administrator", "module": "Stock", "name": "Landed Cost Voucher", diff --git a/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py b/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py index 7c2ae4fa04..e6bb68b13b 100644 --- a/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +++ b/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py @@ -28,7 +28,7 @@ class LandedCostVoucher(Document): item.rate = d.rate item.amount = d.amount item.purchase_receipt = pr.purchase_receipt - item.pr_item_row_id = d.name + item.purchase_receipt_item = d.name if self.get("landed_cost_taxes_and_charges"): self.set_applicable_charges_for_item() diff --git a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py index 12bb96de64..a7fa6bb88e 100644 --- a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +++ b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py @@ -69,14 +69,14 @@ class PurchaseReceipt(BuyingController): self.create_raw_materials_supplied("pr_raw_material_details") self.set_landed_cost_voucher_amount() self.update_valuation_rate("purchase_receipt_details") - + def set_landed_cost_voucher_amount(self): for d in self.get("purchase_receipt_details"): - lc_voucher_amount = frappe.db.sql("""select sum(ifnull(applicable_charges, 0)) - from `tabLanded Cost Item` - where docstatus = 1 and pr_item_row_id = %s""", d.name) + lc_voucher_amount = frappe.db.sql("""select sum(ifnull(applicable_charges, 0)) + from `tabLanded Cost Item` + where docstatus = 1 and purchase_receipt_item = %s""", d.name) d.landed_cost_voucher_amount = lc_voucher_amount[0][0] if lc_voucher_amount else 0.0 - + def validate_rejected_warehouse(self): for d in self.get("purchase_receipt_details"): if flt(d.rejected_qty) and not d.rejected_warehouse: @@ -285,26 +285,26 @@ class PurchaseReceipt(BuyingController): def get_gl_entries(self, warehouse_account=None): from erpnext.accounts.general_ledger import process_gl_map - + stock_rbnb = self.get_company_default("stock_received_but_not_billed") expenses_included_in_valuation = self.get_company_default("expenses_included_in_valuation") - default_cost_center = self.get_company_default("cost_center") - + gl_entries = [] warehouse_with_no_account = [] negative_expense_to_be_booked = 0.0 stock_items = self.get_stock_items() for d in self.get("purchase_receipt_details"): - if d.item_code in stock_items and flt(d.valuation_rate): - if warehouse_account.get(d.warehouse) and flt(d.qty) and flt(d.valuation_rate): - + if d.item_code in stock_items and flt(d.valuation_rate) and flt(d.qty): + if warehouse_account.get(d.warehouse): + # warehouse account gl_entries.append(self.get_gl_dict({ "account": warehouse_account[d.warehouse], "against": stock_rbnb, "cost_center": d.cost_center, - "remarks": self.get("remarks") or "Accounting Entry for Stock", - "debit": flt(d.valuation_rate) * flt(d.qty) * flt(d.conversion_factor) + "remarks": self.get("remarks") or _("Accounting Entry for Stock"), + "debit": flt(flt(d.valuation_rate) * flt(d.qty) * flt(d.conversion_factor), + self.precision("valuation_rate", d)) })) # stock received but not billed @@ -312,36 +312,36 @@ class PurchaseReceipt(BuyingController): "account": stock_rbnb, "against": warehouse_account[d.warehouse], "cost_center": d.cost_center, - "remarks": self.get("remarks") or "Accounting Entry for Stock", + "remarks": self.get("remarks") or _("Accounting Entry for Stock"), "credit": flt(d.base_amount, self.precision("base_amount", d)) })) - + negative_expense_to_be_booked += flt(d.item_tax_amount) - + # Amount added through landed-cost-voucher if flt(d.landed_cost_voucher_amount): gl_entries.append(self.get_gl_dict({ "account": expenses_included_in_valuation, "against": warehouse_account[d.warehouse], "cost_center": d.cost_center, - "remarks": self.get("remarks") or "Accounting Entry for Stock", + "remarks": self.get("remarks") or _("Accounting Entry for Stock"), "credit": flt(d.landed_cost_voucher_amount) })) - + # sub-contracting warehouse if flt(d.rm_supp_cost) and warehouse_account.get(self.supplier_warehouse): gl_entries.append(self.get_gl_dict({ "account": warehouse_account[self.supplier_warehouse], "against": warehouse_account[d.warehouse], "cost_center": d.cost_center, - "remarks": self.get("remarks") or "Accounting Entry for Stock", + "remarks": self.get("remarks") or _("Accounting Entry for Stock"), "credit": flt(d.rm_supp_cost) })) - + elif d.warehouse not in warehouse_with_no_account or \ d.rejected_warehouse not in warehouse_with_no_account: warehouse_with_no_account.append(d.warehouse) - + # Cost center-wise amount breakup for other charges included for valuation valuation_tax = {} for tax in self.get("other_charges"): @@ -351,21 +351,21 @@ class PurchaseReceipt(BuyingController): valuation_tax.setdefault(tax.cost_center, 0) valuation_tax[tax.cost_center] += \ (tax.add_deduct_tax == "Add" and 1 or -1) * flt(tax.tax_amount) - + if negative_expense_to_be_booked and valuation_tax: # Backward compatibility: - # If expenses_included_in_valuation account has been credited in against PI - # and charges added via Landed Cost Voucher, - # post valuation related charges on "Stock Received But Not Billed" + # If expenses_included_in_valuation account has been credited in against PI + # and charges added via Landed Cost Voucher, + # post valuation related charges on "Stock Received But Not Billed" negative_expense_booked_in_pi = frappe.db.sql("""select name from `tabPurchase Invoice Item` pi - where docstatus = 1 and purchase_receipt=%s - and exists(select name from `tabGL Entry` where voucher_type='Purchase Invoice' + where docstatus = 1 and purchase_receipt=%s + and exists(select name from `tabGL Entry` where voucher_type='Purchase Invoice' and voucher_no=pi.parent and account=%s)""", (self.name, expenses_included_in_valuation)) - + if negative_expense_booked_in_pi: expenses_included_in_valuation = stock_rbnb - + against_account = ", ".join([d.account for d in gl_entries if flt(d.debit) > 0]) total_valuation_amount = sum(valuation_tax.values()) amount_including_divisional_loss = negative_expense_to_be_booked @@ -376,17 +376,17 @@ class PurchaseReceipt(BuyingController): else: applicable_amount = negative_expense_to_be_booked * (amount / total_valuation_amount) amount_including_divisional_loss -= applicable_amount - + gl_entries.append( self.get_gl_dict({ "account": expenses_included_in_valuation, "cost_center": cost_center, "credit": applicable_amount, - "remarks": self.remarks or "Accounting Entry for Stock", + "remarks": self.remarks or _("Accounting Entry for Stock"), "against": against_account }) ) - + i += 1 if warehouse_with_no_account: diff --git a/erpnext/stock/doctype/purchase_receipt_item/purchase_receipt_item.json b/erpnext/stock/doctype/purchase_receipt_item/purchase_receipt_item.json index 549c572b57..e5ae5166f9 100755 --- a/erpnext/stock/doctype/purchase_receipt_item/purchase_receipt_item.json +++ b/erpnext/stock/doctype/purchase_receipt_item/purchase_receipt_item.json @@ -555,7 +555,7 @@ ], "idx": 1, "istable": 1, - "modified": "2014-07-30 18:13:18.337564", + "modified": "2014-08-08 13:15:06.362562", "modified_by": "Administrator", "module": "Stock", "name": "Purchase Receipt Item", From 4e6c52dd24f9fd1f2e6f25c115c371d85258d089 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Fri, 8 Aug 2014 17:02:37 +0530 Subject: [PATCH 512/630] Test case fixes --- .../doctype/purchase_invoice/test_purchase_invoice.py | 10 +++++----- 1 file changed, 5 insertions(+), 5 deletions(-) diff --git a/erpnext/accounts/doctype/purchase_invoice/test_purchase_invoice.py b/erpnext/accounts/doctype/purchase_invoice/test_purchase_invoice.py index 5eb5f0103b..bc97b91d30 100644 --- a/erpnext/accounts/doctype/purchase_invoice/test_purchase_invoice.py +++ b/erpnext/accounts/doctype/purchase_invoice/test_purchase_invoice.py @@ -57,7 +57,8 @@ class TestPurchaseInvoice(unittest.TestCase): expected_values = sorted([ ["_Test Supplier - _TC", 0, 720], - ["Stock Received But Not Billed - _TC", 500.0, 0], + ["Stock Received But Not Billed - _TC", 750.0, 0], + ["Expenses Included In Valuation - _TC", 0.0, 250.0], ["_Test Account Shipping Charges - _TC", 100.0, 0], ["_Test Account VAT - _TC", 120.0, 0], ]) @@ -68,11 +69,11 @@ class TestPurchaseInvoice(unittest.TestCase): self.assertEquals(expected_values[i][2], gle.credit) set_perpetual_inventory(0) - + def test_gl_entries_with_auto_accounting_for_stock_against_pr(self): set_perpetual_inventory(1) self.assertEqual(cint(frappe.defaults.get_global_default("auto_accounting_for_stock")), 1) - + pr = frappe.copy_doc(pr_test_records[0]) pr.submit() @@ -89,10 +90,9 @@ class TestPurchaseInvoice(unittest.TestCase): expected_values = sorted([ ["_Test Supplier - _TC", 0, 720], - ["Stock Received But Not Billed - _TC", 750.0, 0], + ["Stock Received But Not Billed - _TC", 500.0, 0], ["_Test Account Shipping Charges - _TC", 100.0, 0], ["_Test Account VAT - _TC", 120.0, 0], - ["Expenses Included In Valuation - _TC", 0, 250.0], ]) for i, gle in enumerate(gl_entries): From a97e700371f6583cb78f78edeb4fc53d0382acdc Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Mon, 11 Aug 2014 14:17:17 +0530 Subject: [PATCH 513/630] Add rejected serial nos in Purchase Receipt if auto-created based on series --- .../purchase_receipt_item.json | 4 ++- erpnext/stock/doctype/serial_no/serial_no.py | 27 +++++++++++++------ 2 files changed, 22 insertions(+), 9 deletions(-) diff --git a/erpnext/stock/doctype/purchase_receipt_item/purchase_receipt_item.json b/erpnext/stock/doctype/purchase_receipt_item/purchase_receipt_item.json index e5ae5166f9..0222e58da5 100755 --- a/erpnext/stock/doctype/purchase_receipt_item/purchase_receipt_item.json +++ b/erpnext/stock/doctype/purchase_receipt_item/purchase_receipt_item.json @@ -426,6 +426,7 @@ "fieldname": "rejected_serial_no", "fieldtype": "Text", "label": "Rejected Serial No", + "no_copy": 1, "permlevel": 0, "print_hide": 1, "read_only": 0 @@ -508,6 +509,7 @@ "label": "Landed Cost Voucher Amount", "no_copy": 1, "permlevel": 0, + "print_hide": 1, "read_only": 1 }, { @@ -555,7 +557,7 @@ ], "idx": 1, "istable": 1, - "modified": "2014-08-08 13:15:06.362562", + "modified": "2014-08-11 12:48:13.509109", "modified_by": "Administrator", "module": "Stock", "name": "Purchase Receipt Item", diff --git a/erpnext/stock/doctype/serial_no/serial_no.py b/erpnext/stock/doctype/serial_no/serial_no.py index fe4af21d78..b07eab74fb 100644 --- a/erpnext/stock/doctype/serial_no/serial_no.py +++ b/erpnext/stock/doctype/serial_no/serial_no.py @@ -295,19 +295,30 @@ def make_serial_no(serial_no, sle): return sr.name def update_serial_nos_after_submit(controller, parentfield): - stock_ledger_entries = frappe.db.sql("""select voucher_detail_no, serial_no + stock_ledger_entries = frappe.db.sql("""select voucher_detail_no, serial_no, actual_qty, warehouse from `tabStock Ledger Entry` where voucher_type=%s and voucher_no=%s""", (controller.doctype, controller.name), as_dict=True) if not stock_ledger_entries: return for d in controller.get(parentfield): - serial_no = None + update_rejected_serial_nos = True if (controller.doctype=="Purchase Receipt" and d.rejected_qty) else False + accepted_serial_nos_updated = False + warehouse = d.t_warehouse if controller.doctype == "Stock Entry" else d.warehouse + for sle in stock_ledger_entries: if sle.voucher_detail_no==d.name: - serial_no = sle.serial_no - break - - if d.serial_no != serial_no: - d.serial_no = serial_no - frappe.db.set_value(d.doctype, d.name, "serial_no", serial_no) + if not accepted_serial_nos_updated and d.qty and abs(sle.actual_qty)==d.qty \ + and sle.warehouse == warehouse and sle.serial_no != d.serial_no: + d.serial_no = sle.serial_no + frappe.db.set_value(d.doctype, d.name, "serial_no", sle.serial_no) + accepted_serial_nos_updated = True + if not update_rejected_serial_nos: + break + elif update_rejected_serial_nos and abs(sle.actual_qty)==d.rejected_qty \ + and sle.warehouse == d.rejected_warehouse and sle.serial_no != d.rejected_serial_no: + d.rejected_serial_no = sle.serial_no + frappe.db.set_value(d.doctype, d.name, "rejected_serial_no", sle.serial_no) + update_rejected_serial_nos = False + if accepted_serial_nos_updated: + break From 200e8d971ff1e32bebbd06ad85905a371754a5a2 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Mon, 11 Aug 2014 16:12:11 +0530 Subject: [PATCH 514/630] Landed Cost voucher test case for serialized items --- .../test_landed_cost_voucher.py | 54 ++++++++++++++----- 1 file changed, 40 insertions(+), 14 deletions(-) diff --git a/erpnext/stock/doctype/landed_cost_voucher/test_landed_cost_voucher.py b/erpnext/stock/doctype/landed_cost_voucher/test_landed_cost_voucher.py index ca16b4493b..ba8bee281d 100644 --- a/erpnext/stock/doctype/landed_cost_voucher/test_landed_cost_voucher.py +++ b/erpnext/stock/doctype/landed_cost_voucher/test_landed_cost_voucher.py @@ -12,19 +12,31 @@ from erpnext.stock.doctype.purchase_receipt.test_purchase_receipt \ class TestLandedCostVoucher(unittest.TestCase): def test_landed_cost_voucher(self): set_perpetual_inventory(1) - pr = self.submit_pr() + pr = frappe.copy_doc(pr_test_records[0]) + pr.submit() + + bin_details = frappe.db.get_value("Bin", {"warehouse": "_Test Warehouse - _TC", + "item_code": "_Test Item"}, ["actual_qty", "stock_value"], as_dict=1) + self.submit_landed_cost_voucher(pr) - + pr_lc_value = frappe.db.get_value("Purchase Receipt Item", {"parent": pr.name}, "landed_cost_voucher_amount") self.assertEquals(pr_lc_value, 25.0) - + + bin_details_after_lcv = frappe.db.get_value("Bin", {"warehouse": "_Test Warehouse - _TC", + "item_code": "_Test Item"}, ["actual_qty", "stock_value"], as_dict=1) + + self.assertEqual(bin_details.actual_qty, bin_details_after_lcv.actual_qty) + + self.assertEqual(bin_details_after_lcv.stock_value - bin_details.stock_value, 25.0) + gl_entries = get_gl_entries("Purchase Receipt", pr.name) self.assertTrue(gl_entries) stock_in_hand_account = pr.get("purchase_receipt_details")[0].warehouse fixed_asset_account = pr.get("purchase_receipt_details")[1].warehouse - + expected_values = { stock_in_hand_account: [400.0, 0.0], @@ -38,7 +50,27 @@ class TestLandedCostVoucher(unittest.TestCase): self.assertEquals(expected_values[gle.account][1], gle.credit) set_perpetual_inventory(0) - + + def test_landed_cost_voucher_for_serialized_item(self): + set_perpetual_inventory(1) + frappe.db.sql("delete from `tabSerial No` where name in ('SN001', 'SN002', 'SN003', 'SN004', 'SN005')") + + pr = frappe.copy_doc(pr_test_records[0]) + pr.purchase_receipt_details[0].item_code = "_Test Serialized Item" + pr.purchase_receipt_details[0].serial_no = "SN001\nSN002\nSN003\nSN004\nSN005" + pr.submit() + + self.submit_landed_cost_voucher(pr) + + serial_no = frappe.db.get_value("Serial No", "SN001", + ["status", "warehouse", "purchase_rate"], as_dict=1) + + self.assertEquals(serial_no.status, "Available") + self.assertEquals(serial_no.purchase_rate, 80.0) + self.assertEquals(serial_no.warehouse, "_Test Warehouse - _TC") + + set_perpetual_inventory(0) + def submit_landed_cost_voucher(self, pr): lcv = frappe.new_doc("Landed Cost Voucher") lcv.company = "_Test Company" @@ -53,15 +85,9 @@ class TestLandedCostVoucher(unittest.TestCase): "account": "_Test Account Insurance Charges - _TC", "amount": 50.0 }]) - + lcv.insert() lcv.submit() - - def submit_pr(self): - pr = frappe.copy_doc(pr_test_records[0]) - pr.submit() - return pr - - -test_records = frappe.get_test_records('Landed Cost Voucher') \ No newline at end of file + +test_records = frappe.get_test_records('Landed Cost Voucher') From 5c0db8d05e4465240112bba483d9a83d54531a01 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Mon, 11 Aug 2014 16:28:29 +0530 Subject: [PATCH 515/630] Landed Cost voucher test case for serialized items --- .../doctype/landed_cost_voucher/test_landed_cost_voucher.py | 4 +++- 1 file changed, 3 insertions(+), 1 deletion(-) diff --git a/erpnext/stock/doctype/landed_cost_voucher/test_landed_cost_voucher.py b/erpnext/stock/doctype/landed_cost_voucher/test_landed_cost_voucher.py index ba8bee281d..d84d63c913 100644 --- a/erpnext/stock/doctype/landed_cost_voucher/test_landed_cost_voucher.py +++ b/erpnext/stock/doctype/landed_cost_voucher/test_landed_cost_voucher.py @@ -60,13 +60,15 @@ class TestLandedCostVoucher(unittest.TestCase): pr.purchase_receipt_details[0].serial_no = "SN001\nSN002\nSN003\nSN004\nSN005" pr.submit() + serial_no_rate = frappe.db.get_value("Serial No", "SN001", "purchase_rate") + self.submit_landed_cost_voucher(pr) serial_no = frappe.db.get_value("Serial No", "SN001", ["status", "warehouse", "purchase_rate"], as_dict=1) self.assertEquals(serial_no.status, "Available") - self.assertEquals(serial_no.purchase_rate, 80.0) + self.assertEquals(serial_no.purchase_rate - serial_no_rate, 5.0) self.assertEquals(serial_no.warehouse, "_Test Warehouse - _TC") set_perpetual_inventory(0) From f957cbd8ef708428a3a8646efd2fb5ed371ebbac Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Mon, 11 Aug 2014 18:03:43 +0530 Subject: [PATCH 516/630] [test] Purchase Receipt - update rejected serial no --- .../purchase_receipt/test_purchase_receipt.py | 22 +++++++++++++++++++ .../stock/doctype/warehouse/test_records.json | 6 +++++ 2 files changed, 28 insertions(+) diff --git a/erpnext/stock/doctype/purchase_receipt/test_purchase_receipt.py b/erpnext/stock/doctype/purchase_receipt/test_purchase_receipt.py index 9b76a14381..51c85ce48b 100644 --- a/erpnext/stock/doctype/purchase_receipt/test_purchase_receipt.py +++ b/erpnext/stock/doctype/purchase_receipt/test_purchase_receipt.py @@ -118,6 +118,28 @@ class TestPurchaseReceipt(unittest.TestCase): self.assertFalse(frappe.db.get_value("Serial No", pr.get("purchase_receipt_details")[0].serial_no, "warehouse")) + def test_rejected_serial_no(self): + pr = frappe.copy_doc(test_records[0]) + pr.get("purchase_receipt_details")[0].item_code = "_Test Serialized Item With Series" + pr.get("purchase_receipt_details")[0].qty = 3 + pr.get("purchase_receipt_details")[0].rejected_qty = 2 + pr.get("purchase_receipt_details")[0].received_qty = 5 + pr.get("purchase_receipt_details")[0].rejected_warehouse = "_Test Rejected Warehouse - _TC" + pr.insert() + pr.submit() + + accepted_serial_nos = pr.get("purchase_receipt_details")[0].serial_no.split("\n") + self.assertEquals(len(accepted_serial_nos), 3) + for serial_no in accepted_serial_nos: + self.assertEquals(frappe.db.get_value("Serial No", serial_no, "warehouse"), + pr.get("purchase_receipt_details")[0].warehouse) + + rejected_serial_nos = pr.get("purchase_receipt_details")[0].rejected_serial_no.split("\n") + self.assertEquals(len(rejected_serial_nos), 2) + for serial_no in rejected_serial_nos: + self.assertEquals(frappe.db.get_value("Serial No", serial_no, "warehouse"), + pr.get("purchase_receipt_details")[0].rejected_warehouse) + def get_gl_entries(voucher_type, voucher_no): return frappe.db.sql("""select account, debit, credit from `tabGL Entry` where voucher_type=%s and voucher_no=%s diff --git a/erpnext/stock/doctype/warehouse/test_records.json b/erpnext/stock/doctype/warehouse/test_records.json index 72071f88ca..d5df1759d8 100644 --- a/erpnext/stock/doctype/warehouse/test_records.json +++ b/erpnext/stock/doctype/warehouse/test_records.json @@ -11,6 +11,12 @@ "doctype": "Warehouse", "warehouse_name": "_Test Warehouse 1" }, + { + "company": "_Test Company", + "create_account_under": "Stock Assets - _TC", + "doctype": "Warehouse", + "warehouse_name": "_Test Rejected Warehouse" + }, { "company": "_Test Company 1", "create_account_under": "Stock Assets - _TC1", From 67d249eea989148d008a062436a281b21142595c Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Tue, 12 Aug 2014 12:45:23 +0530 Subject: [PATCH 517/630] [logic] Email Digest - use transaction/posting date --- .../doctype/email_digest/email_digest.py | 53 +++++++++++-------- 1 file changed, 31 insertions(+), 22 deletions(-) diff --git a/erpnext/setup/doctype/email_digest/email_digest.py b/erpnext/setup/doctype/email_digest/email_digest.py index 8b17ca3c87..59a42cbbaf 100644 --- a/erpnext/setup/doctype/email_digest/email_digest.py +++ b/erpnext/setup/doctype/email_digest/email_digest.py @@ -247,35 +247,40 @@ class EmailDigest(Document): return self.get_new_count("Lead", self.meta.get_label("new_leads")) def get_new_enquiries(self): - return self.get_new_count("Opportunity", self.meta.get_label("new_enquiries"), docstatus=1) + return self.get_new_count("Opportunity", self.meta.get_label("new_enquiries"), docstatus=1, + date_field="transaction_date") def get_new_quotations(self): - return self.get_new_sum("Quotation", self.meta.get_label("new_quotations"), "grand_total") + return self.get_new_sum("Quotation", self.meta.get_label("new_quotations"), "grand_total", + date_field="transaction_date") def get_new_sales_orders(self): - return self.get_new_sum("Sales Order", self.meta.get_label("new_sales_orders"), "grand_total") + return self.get_new_sum("Sales Order", self.meta.get_label("new_sales_orders"), "grand_total", + date_field="transaction_date") def get_new_delivery_notes(self): - return self.get_new_sum("Delivery Note", self.meta.get_label("new_delivery_notes"), "grand_total") + return self.get_new_sum("Delivery Note", self.meta.get_label("new_delivery_notes"), "grand_total", + date_field="posting_date") def get_new_purchase_requests(self): - return self.get_new_count("Material Request", - self.meta.get_label("new_purchase_requests"), docstatus=1) + return self.get_new_count("Material Request", self.meta.get_label("new_purchase_requests"), docstatus=1, + date_field="transaction_date") def get_new_supplier_quotations(self): return self.get_new_sum("Supplier Quotation", self.meta.get_label("new_supplier_quotations"), - "grand_total") + "grand_total", date_field="transaction_date") def get_new_purchase_orders(self): return self.get_new_sum("Purchase Order", self.meta.get_label("new_purchase_orders"), - "grand_total") + "grand_total", date_field="transaction_date") def get_new_purchase_receipts(self): return self.get_new_sum("Purchase Receipt", self.meta.get_label("new_purchase_receipts"), - "grand_total") + "grand_total", date_field="posting_date") def get_new_stock_entries(self): - return self.get_new_sum("Stock Entry", self.meta.get_label("new_stock_entries"), "total_amount") + return self.get_new_sum("Stock Entry", self.meta.get_label("new_stock_entries"), "total_amount", + date_field="posting_date") def get_new_support_tickets(self): return self.get_new_count("Support Ticket", self.meta.get_label("new_support_tickets"), @@ -333,24 +338,28 @@ class EmailDigest(Document): else: return 0, "

To Do

" - def get_new_count(self, doctype, label, docstatus=0, filter_by_company=True): + def get_new_count(self, doctype, label, docstatus=0, filter_by_company=True, date_field="creation"): if filter_by_company: - company = """and company="%s" """ % self.company.replace('"', '\"') + company_condition = """and company="%s" """ % self.company.replace('"', '\"') else: - company = "" - count = frappe.db.sql("""select count(*) from `tab%s` - where docstatus=%s %s and - date(creation)>=%s and date(creation)<=%s""" % - (doctype, docstatus, company, "%s", "%s"), (self.from_date, self.to_date)) + company_condition = "" + + count = frappe.db.sql("""select count(*) from `tab{doctype}` + where ifnull(`docstatus`, 0)=%s {company_condition} and + date(`{date_field}`)>=%s and date({date_field})<=%s""".format(doctype=doctype, + company_condition=company_condition, date_field=date_field), + (docstatus, self.from_date, self.to_date)) + count = count and count[0][0] or 0 return count, self.get_html(label, None, count) - def get_new_sum(self, doctype, label, sum_field): - count_sum = frappe.db.sql("""select count(*), sum(ifnull(`%s`, 0)) - from `tab%s` where docstatus=1 and company = %s and - date(creation)>=%s and date(creation)<=%s""" % (sum_field, doctype, "%s", - "%s", "%s"), (self.company, self.from_date, self.to_date)) + def get_new_sum(self, doctype, label, sum_field, date_field="creation"): + count_sum = frappe.db.sql("""select count(*), sum(ifnull(`{sum_field}`, 0)) + from `tab{doctype}` where docstatus=1 and company = %s and + date(`{date_field}`)>=%s and date(`{date_field}`)<=%s""".format(sum_field=sum_field, + date_field=date_field, doctype=doctype), (self.company, self.from_date, self.to_date)) + count, total = count_sum and count_sum[0] or (0, 0) return count, self.get_html(label, self.currency, From f0075b9ce274715193addbf48fc207e76f6ac327 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Tue, 12 Aug 2014 15:20:39 +0530 Subject: [PATCH 518/630] [fix] Opportunity communication listing --- erpnext/selling/doctype/opportunity/opportunity.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/selling/doctype/opportunity/opportunity.js b/erpnext/selling/doctype/opportunity/opportunity.js index 6ff1abb895..af31d39515 100644 --- a/erpnext/selling/doctype/opportunity/opportunity.js +++ b/erpnext/selling/doctype/opportunity/opportunity.js @@ -28,7 +28,7 @@ erpnext.selling.Opportunity = frappe.ui.form.Controller.extend({ if(!this.frm.doc.__islocal) { cur_frm.communication_view = new frappe.views.CommunicationList({ - list: frappe.get_list("Communication", {"opportunity": this.frm.doc.name}), + list: frappe.get_list("Communication", {"parent": this.frm.doc.name, "parenttype": "Opportunity"}), parent: cur_frm.fields_dict.communication_html.wrapper, doc: this.frm.doc, recipients: this.frm.doc.contact_email From ab8bde0149a0bc1d8b75ad0da4638b1f9125ffe7 Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Tue, 12 Aug 2014 15:15:39 +0530 Subject: [PATCH 519/630] [ux] added folds, show actual / projected qty in pos --- erpnext/accounts/doctype/account/account.js | 10 +- .../journal_voucher/journal_voucher.json | 8 +- .../purchase_invoice/purchase_invoice.json | 7 +- erpnext/accounts/doctype/sales_invoice/pos.js | 26 +- .../purchase_order/purchase_order.json | 7 +- erpnext/controllers/status_updater.py | 1 + .../hr/doctype/job_applicant/job_applicant.js | 8 +- erpnext/public/build.json | 3 +- erpnext/public/css/erpnext.css | 9 +- erpnext/public/js/transaction.js | 5 +- erpnext/selling/doctype/lead/lead.js | 5 - erpnext/selling/doctype/lead/lead.json | 8 +- .../doctype/opportunity/opportunity.json | 7 +- .../selling/doctype/quotation/quotation.json | 8 +- .../doctype/sales_order/sales_order.json | 52 +- .../doctype/delivery_note/delivery_note.json | 7 +- .../material_request/material_request.json | 8 +- .../purchase_receipt/purchase_receipt.json | 7 +- .../doctype/stock_entry/stock_entry.json | 1113 +++++++++-------- .../doctype/support_ticket/support_ticket.js | 7 - .../support_ticket/support_ticket.json | 465 +++---- .../doctype/support_ticket/test_records.json | 6 + .../support_ticket/test_support_ticket.py | 10 + 23 files changed, 933 insertions(+), 854 deletions(-) create mode 100644 erpnext/support/doctype/support_ticket/test_records.json create mode 100644 erpnext/support/doctype/support_ticket/test_support_ticket.py diff --git a/erpnext/accounts/doctype/account/account.js b/erpnext/accounts/doctype/account/account.js index e185375389..aee2d3cf6a 100644 --- a/erpnext/accounts/doctype/account/account.js +++ b/erpnext/accounts/doctype/account/account.js @@ -60,17 +60,14 @@ cur_frm.cscript.account_type = function(doc, cdt, cdn) { } cur_frm.cscript.add_toolbar_buttons = function(doc) { - cur_frm.appframe.add_button(__('Chart of Accounts'), + cur_frm.add_custom_button(__('Chart of Accounts'), function() { frappe.set_route("Accounts Browser", "Account"); }, 'icon-sitemap') if (cstr(doc.group_or_ledger) == 'Group') { cur_frm.add_custom_button(__('Convert to Ledger'), function() { cur_frm.cscript.convert_to_ledger(); }, 'icon-retweet', 'btn-default'); } else if (cstr(doc.group_or_ledger) == 'Ledger') { - cur_frm.add_custom_button(__('Convert to Group'), - function() { cur_frm.cscript.convert_to_group(); }, 'icon-retweet', 'btn-default') - - cur_frm.appframe.add_button(__('View Ledger'), function() { + cur_frm.add_custom_button(__('View Ledger'), function() { frappe.route_options = { "account": doc.name, "from_date": sys_defaults.year_start_date, @@ -79,6 +76,9 @@ cur_frm.cscript.add_toolbar_buttons = function(doc) { }; frappe.set_route("query-report", "General Ledger"); }, "icon-table"); + + cur_frm.add_custom_button(__('Convert to Group'), + function() { cur_frm.cscript.convert_to_group(); }, 'icon-retweet', 'btn-default') } } diff --git a/erpnext/accounts/doctype/journal_voucher/journal_voucher.json b/erpnext/accounts/doctype/journal_voucher/journal_voucher.json index 187c59a3fc..6ba2d44c3c 100644 --- a/erpnext/accounts/doctype/journal_voucher/journal_voucher.json +++ b/erpnext/accounts/doctype/journal_voucher/journal_voucher.json @@ -149,6 +149,12 @@ "permlevel": 0, "read_only": 0 }, + { + "fieldname": "view_details", + "fieldtype": "Fold", + "label": "View Details", + "permlevel": 0 + }, { "fieldname": "reference", "fieldtype": "Section Break", @@ -440,7 +446,7 @@ "icon": "icon-file-text", "idx": 1, "is_submittable": 1, - "modified": "2014-07-31 05:05:03.294068", + "modified": "2014-08-11 07:29:48.343753", "modified_by": "Administrator", "module": "Accounts", "name": "Journal Voucher", diff --git a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.json b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.json index 3a3b1a9b92..9d85cdb96b 100755 --- a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.json +++ b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.json @@ -533,6 +533,11 @@ "read_only": 0, "report_hide": 0 }, + { + "fieldname": "fold", + "fieldtype": "Fold", + "permlevel": 0 + }, { "fieldname": "advances", "fieldtype": "Section Break", @@ -753,7 +758,7 @@ "icon": "icon-file-text", "idx": 1, "is_submittable": 1, - "modified": "2014-07-31 04:59:24.939856", + "modified": "2014-08-12 05:25:16.261614", "modified_by": "Administrator", "module": "Accounts", "name": "Purchase Invoice", diff --git a/erpnext/accounts/doctype/sales_invoice/pos.js b/erpnext/accounts/doctype/sales_invoice/pos.js index 843c32440e..8c6e3cdb82 100644 --- a/erpnext/accounts/doctype/sales_invoice/pos.js +++ b/erpnext/accounts/doctype/sales_invoice/pos.js @@ -21,9 +21,9 @@ erpnext.POS = Class.extend({
'+__("Item")+'QtyQtyRateRate
%(item_code)s%(item_name)s\ + \
\ \
\
\ + \ + \ +
' + +__("Stock: ")+'%(actual_qty)s%(projected_qty)s
\ +
\
\ \
\ @@ -405,6 +410,9 @@ erpnext.POS = Class.extend({ item_code: d.item_code, item_name: d.item_name===d.item_code ? "" : ("
" + d.item_name), qty: d.qty, + actual_qty: d.actual_qty, + projected_qty: d.projected_qty ? (" (" + d.projected_qty + ")") : "", rate: format_currency(d.rate, me.frm.doc.currency), amount: format_currency(d.amount, me.frm.doc.currency) } @@ -479,7 +487,11 @@ erpnext.POS = Class.extend({ }); me.refresh_delete_btn(); - this.barcode.$input.focus(); + if(me.frm.doc[this.party]) { + this.barcode.$input.focus(); + } else { + this.party_field.$input.focus(); + } }, increase_decrease_qty: function(tr, operation) { var item_code = tr.attr("id"); diff --git a/erpnext/buying/doctype/purchase_order/purchase_order.json b/erpnext/buying/doctype/purchase_order/purchase_order.json index f6ae167107..44bcacccc8 100644 --- a/erpnext/buying/doctype/purchase_order/purchase_order.json +++ b/erpnext/buying/doctype/purchase_order/purchase_order.json @@ -443,6 +443,11 @@ "print_hide": 0, "read_only": 1 }, + { + "fieldname": "fold", + "fieldtype": "Fold", + "permlevel": 0 + }, { "fieldname": "terms_section_break", "fieldtype": "Section Break", @@ -645,7 +650,7 @@ "icon": "icon-file-text", "idx": 1, "is_submittable": 1, - "modified": "2014-07-31 04:59:24.561351", + "modified": "2014-08-12 05:22:53.496614", "modified_by": "Administrator", "module": "Buying", "name": "Purchase Order", diff --git a/erpnext/controllers/status_updater.py b/erpnext/controllers/status_updater.py index 6a2dce00fc..1c5aaa014b 100644 --- a/erpnext/controllers/status_updater.py +++ b/erpnext/controllers/status_updater.py @@ -85,6 +85,7 @@ class StatusUpdater(Document): if update: frappe.db.set_value(self.doctype, self.name, "status", self.status) + self.add_comment("Label", self.status) def on_communication(self): if not self.get("communications"): return diff --git a/erpnext/hr/doctype/job_applicant/job_applicant.js b/erpnext/hr/doctype/job_applicant/job_applicant.js index 759b9d77ae..762bd966f3 100644 --- a/erpnext/hr/doctype/job_applicant/job_applicant.js +++ b/erpnext/hr/doctype/job_applicant/job_applicant.js @@ -4,12 +4,6 @@ // For license information, please see license.txt cur_frm.cscript = { - onload: function(doc, dt, dn) { - if(in_list(user_roles,'System Manager')) { - cur_frm.footer.help_area.innerHTML = '

'+__("Jobs Email Settings")+'
\ - '+__('Automatically extract Job Applicants from a mail box ')+'e.g. "jobs@example.com"

'; - } - }, refresh: function(doc) { cur_frm.cscript.make_listing(doc); }, @@ -21,4 +15,4 @@ cur_frm.cscript = { recipients: doc.email_id }) }, -} \ No newline at end of file +} diff --git a/erpnext/public/build.json b/erpnext/public/build.json index 14a631fc08..0998c53821 100644 --- a/erpnext/public/build.json +++ b/erpnext/public/build.json @@ -7,10 +7,9 @@ ], "js/erpnext.min.js": [ "public/js/conf.js", - "public/js/toolbar.js", "public/js/feature_setup.js", "public/js/utils.js", "public/js/queries.js", "public/js/utils/party.js" ] -} \ No newline at end of file +} diff --git a/erpnext/public/css/erpnext.css b/erpnext/public/css/erpnext.css index 3777f4c7b6..6d3f4750fe 100644 --- a/erpnext/public/css/erpnext.css +++ b/erpnext/public/css/erpnext.css @@ -14,8 +14,8 @@ /* toolbar */ .toolbar-splash { - width: 32px; - height: 32px; + width: 32px; + height: 32px; margin: -10px auto; } @@ -32,5 +32,6 @@ margin-left: -30px; margin-top: -10px; padding: 20px 10px; - font-family: Monospace; -} \ No newline at end of file + border-right: 1px solid #c7c7c7; + border-bottom: 1px solid #c7c7c7; +} diff --git a/erpnext/public/js/transaction.js b/erpnext/public/js/transaction.js index 915bbd9eb3..dd11fab6f9 100644 --- a/erpnext/public/js/transaction.js +++ b/erpnext/public/js/transaction.js @@ -57,8 +57,9 @@ erpnext.TransactionController = erpnext.stock.StockController.extend({ this.set_dynamic_labels(); // Show POS button only if it is enabled from features setup - if(cint(sys_defaults.fs_pos_view)===1 && this.frm.doctype!="Material Request") + if(cint(sys_defaults.fs_pos_view)===1 && this.frm.doctype!="Material Request") { this.make_pos_btn(); + } }, make_pos_btn: function() { @@ -77,6 +78,8 @@ erpnext.TransactionController = erpnext.stock.StockController.extend({ erpnext.open_as_pos = false; } + this.$pos_btn && this.$pos_btn.remove(); + this.$pos_btn = this.frm.appframe.add_primary_action(btn_label, function() { me.toggle_pos(); }, icon, "btn-default"); diff --git a/erpnext/selling/doctype/lead/lead.js b/erpnext/selling/doctype/lead/lead.js index 24fbbf0f4d..ca6d007641 100644 --- a/erpnext/selling/doctype/lead/lead.js +++ b/erpnext/selling/doctype/lead/lead.js @@ -20,11 +20,6 @@ erpnext.LeadController = frappe.ui.form.Controller.extend({ cur_frm.fields_dict.contact_by.get_query = function(doc, cdt, cdn) { return { query:"frappe.core.doctype.user.user.user_query" } } } - - if(in_list(user_roles,'System Manager')) { - cur_frm.footer.help_area.innerHTML = '

'+__('Sales Email Settings')+'
\ - '+__('Automatically extract Leads from a mail box e.g.')+' "sales@example.com"

'; - } }, refresh: function() { diff --git a/erpnext/selling/doctype/lead/lead.json b/erpnext/selling/doctype/lead/lead.json index 08efe5c71f..2d3d49c8f8 100644 --- a/erpnext/selling/doctype/lead/lead.json +++ b/erpnext/selling/doctype/lead/lead.json @@ -185,6 +185,12 @@ "oldfieldtype": "Table", "permlevel": 0 }, + { + "fieldname": "fold", + "fieldtype": "Fold", + "label": "fold", + "permlevel": 0 + }, { "fieldname": "contact_info", "fieldtype": "Section Break", @@ -362,7 +368,7 @@ ], "icon": "icon-user", "idx": 1, - "modified": "2014-05-27 03:49:12.570184", + "modified": "2014-08-12 05:22:18.801092", "modified_by": "Administrator", "module": "Selling", "name": "Lead", diff --git a/erpnext/selling/doctype/opportunity/opportunity.json b/erpnext/selling/doctype/opportunity/opportunity.json index dea15e060c..513fbc8bdb 100644 --- a/erpnext/selling/doctype/opportunity/opportunity.json +++ b/erpnext/selling/doctype/opportunity/opportunity.json @@ -154,6 +154,11 @@ "permlevel": 0, "read_only": 0 }, + { + "fieldname": "fold", + "fieldtype": "Fold", + "permlevel": 0 + }, { "depends_on": "eval:doc.lead || doc.customer", "fieldname": "contact_info", @@ -411,7 +416,7 @@ "icon": "icon-info-sign", "idx": 1, "is_submittable": 1, - "modified": "2014-07-30 03:37:31.687489", + "modified": "2014-08-12 05:21:51.282397", "modified_by": "Administrator", "module": "Selling", "name": "Opportunity", diff --git a/erpnext/selling/doctype/quotation/quotation.json b/erpnext/selling/doctype/quotation/quotation.json index de02584152..0904f25516 100644 --- a/erpnext/selling/doctype/quotation/quotation.json +++ b/erpnext/selling/doctype/quotation/quotation.json @@ -538,6 +538,12 @@ "read_only": 1, "width": "200px" }, + { + "fieldname": "fold", + "fieldtype": "Fold", + "label": "Fold", + "permlevel": 0 + }, { "fieldname": "terms_section_break", "fieldtype": "Section Break", @@ -827,7 +833,7 @@ "idx": 1, "is_submittable": 1, "max_attachments": 1, - "modified": "2014-07-31 06:34:26.339765", + "modified": "2014-08-12 05:04:36.157045", "modified_by": "Administrator", "module": "Selling", "name": "Quotation", diff --git a/erpnext/selling/doctype/sales_order/sales_order.json b/erpnext/selling/doctype/sales_order/sales_order.json index 7b07e7d6e4..f4df6a8993 100644 --- a/erpnext/selling/doctype/sales_order/sales_order.json +++ b/erpnext/selling/doctype/sales_order/sales_order.json @@ -315,28 +315,6 @@ "print_hide": 0, "reqd": 1 }, - { - "description": "Display all the individual items delivered with the main items", - "fieldname": "packing_list", - "fieldtype": "Section Break", - "hidden": 0, - "label": "Packing List", - "oldfieldtype": "Section Break", - "options": "icon-suitcase", - "permlevel": 0, - "print_hide": 1 - }, - { - "fieldname": "packing_details", - "fieldtype": "Table", - "label": "Packing Details", - "oldfieldname": "packing_details", - "oldfieldtype": "Table", - "options": "Packed Item", - "permlevel": 0, - "print_hide": 1, - "read_only": 1 - }, { "fieldname": "section_break_31", "fieldtype": "Section Break", @@ -556,6 +534,34 @@ "read_only": 1, "width": "200px" }, + { + "fieldname": "view_details", + "fieldtype": "Fold", + "label": "View Details", + "permlevel": 0 + }, + { + "description": "Display all the individual items delivered with the main items", + "fieldname": "packing_list", + "fieldtype": "Section Break", + "hidden": 0, + "label": "Packing List", + "oldfieldtype": "Section Break", + "options": "icon-suitcase", + "permlevel": 0, + "print_hide": 1 + }, + { + "fieldname": "packing_details", + "fieldtype": "Table", + "label": "Packing Details", + "oldfieldname": "packing_details", + "oldfieldtype": "Table", + "options": "Packed Item", + "permlevel": 0, + "print_hide": 1, + "read_only": 1 + }, { "fieldname": "terms_section_break", "fieldtype": "Section Break", @@ -889,7 +895,7 @@ "idx": 1, "is_submittable": 1, "issingle": 0, - "modified": "2014-07-31 06:34:14.727868", + "modified": "2014-08-11 07:28:11.362232", "modified_by": "Administrator", "module": "Selling", "name": "Sales Order", diff --git a/erpnext/stock/doctype/delivery_note/delivery_note.json b/erpnext/stock/doctype/delivery_note/delivery_note.json index 262ef48545..d9843b1c0b 100644 --- a/erpnext/stock/doctype/delivery_note/delivery_note.json +++ b/erpnext/stock/doctype/delivery_note/delivery_note.json @@ -572,6 +572,11 @@ "read_only": 1, "width": "150px" }, + { + "fieldname": "fold", + "fieldtype": "Fold", + "permlevel": 0 + }, { "fieldname": "terms_section_break", "fieldtype": "Section Break", @@ -1009,7 +1014,7 @@ "idx": 1, "in_create": 0, "is_submittable": 1, - "modified": "2014-07-31 06:34:59.028308", + "modified": "2014-08-12 05:23:55.104153", "modified_by": "Administrator", "module": "Stock", "name": "Delivery Note", diff --git a/erpnext/stock/doctype/material_request/material_request.json b/erpnext/stock/doctype/material_request/material_request.json index 0f066dab3b..b7d9c33b1a 100644 --- a/erpnext/stock/doctype/material_request/material_request.json +++ b/erpnext/stock/doctype/material_request/material_request.json @@ -89,6 +89,12 @@ "options": "Material Request Item", "permlevel": 0 }, + { + "fieldname": "view_details", + "fieldtype": "Fold", + "label": "View Details", + "permlevel": 0 + }, { "fieldname": "more_info", "fieldtype": "Section Break", @@ -230,7 +236,7 @@ "icon": "icon-ticket", "idx": 1, "is_submittable": 1, - "modified": "2014-06-23 07:55:49.393708", + "modified": "2014-08-11 07:11:55.802625", "modified_by": "Administrator", "module": "Stock", "name": "Material Request", diff --git a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.json b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.json index 7d823c21b0..54233ba117 100755 --- a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.json +++ b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.json @@ -430,6 +430,11 @@ "print_hide": 0, "read_only": 1 }, + { + "fieldname": "fold", + "fieldtype": "Fold", + "permlevel": 0 + }, { "fieldname": "terms_section_break", "fieldtype": "Section Break", @@ -762,7 +767,7 @@ "icon": "icon-truck", "idx": 1, "is_submittable": 1, - "modified": "2014-07-31 04:59:25.379024", + "modified": "2014-08-12 05:23:28.960161", "modified_by": "Administrator", "module": "Stock", "name": "Purchase Receipt", diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.json b/erpnext/stock/doctype/stock_entry/stock_entry.json index 1a5bd180f4..cd4c0f292e 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry.json +++ b/erpnext/stock/doctype/stock_entry/stock_entry.json @@ -1,646 +1,651 @@ { - "allow_attach": 0, - "allow_copy": 0, - "allow_import": 1, - "allow_rename": 0, - "autoname": "naming_series:", - "creation": "2013-04-09 11:43:55", - "docstatus": 0, - "doctype": "DocType", + "allow_attach": 0, + "allow_copy": 0, + "allow_import": 1, + "allow_rename": 0, + "autoname": "naming_series:", + "creation": "2013-04-09 11:43:55", + "docstatus": 0, + "doctype": "DocType", "fields": [ { - "fieldname": "col1", - "fieldtype": "Column Break", - "oldfieldtype": "Column Break", - "permlevel": 0, - "print_width": "50%", - "read_only": 0, + "fieldname": "col1", + "fieldtype": "Column Break", + "oldfieldtype": "Column Break", + "permlevel": 0, + "print_width": "50%", + "read_only": 0, "width": "50%" - }, + }, { - "allow_on_submit": 0, - "fieldname": "naming_series", - "fieldtype": "Select", - "hidden": 0, - "in_filter": 0, - "label": "Series", - "no_copy": 1, - "oldfieldname": "naming_series", - "oldfieldtype": "Select", - "options": "STE-", - "permlevel": 0, - "print_hide": 1, - "read_only": 0, - "report_hide": 0, - "reqd": 1, + "allow_on_submit": 0, + "fieldname": "naming_series", + "fieldtype": "Select", + "hidden": 0, + "in_filter": 0, + "label": "Series", + "no_copy": 1, + "oldfieldname": "naming_series", + "oldfieldtype": "Select", + "options": "STE-", + "permlevel": 0, + "print_hide": 1, + "read_only": 0, + "report_hide": 0, + "reqd": 1, "search_index": 0 - }, + }, { - "allow_on_submit": 0, - "default": "Material Issue", - "fieldname": "purpose", - "fieldtype": "Select", - "hidden": 0, - "in_filter": 1, - "in_list_view": 1, - "label": "Purpose", - "no_copy": 0, - "oldfieldname": "purpose", - "oldfieldtype": "Select", - "options": "Material Issue\nMaterial Receipt\nMaterial Transfer\nManufacture/Repack\nSubcontract\nSales Return\nPurchase Return", - "permlevel": 0, - "print_hide": 0, - "read_only": 0, - "report_hide": 0, - "reqd": 1, + "allow_on_submit": 0, + "default": "Material Issue", + "fieldname": "purpose", + "fieldtype": "Select", + "hidden": 0, + "in_filter": 1, + "in_list_view": 1, + "label": "Purpose", + "no_copy": 0, + "oldfieldname": "purpose", + "oldfieldtype": "Select", + "options": "Material Issue\nMaterial Receipt\nMaterial Transfer\nManufacture/Repack\nSubcontract\nSales Return\nPurchase Return", + "permlevel": 0, + "print_hide": 0, + "read_only": 0, + "report_hide": 0, + "reqd": 1, "search_index": 0 - }, + }, { - "allow_on_submit": 0, - "depends_on": "eval:doc.purpose==\"Sales Return\"", - "fieldname": "delivery_note_no", - "fieldtype": "Link", - "hidden": 0, - "in_filter": 0, - "label": "Delivery Note No", - "no_copy": 1, - "oldfieldname": "delivery_note_no", - "oldfieldtype": "Link", - "options": "Delivery Note", - "permlevel": 0, - "print_hide": 1, - "read_only": 0, - "report_hide": 0, - "reqd": 0, + "allow_on_submit": 0, + "depends_on": "eval:doc.purpose==\"Sales Return\"", + "fieldname": "delivery_note_no", + "fieldtype": "Link", + "hidden": 0, + "in_filter": 0, + "label": "Delivery Note No", + "no_copy": 1, + "oldfieldname": "delivery_note_no", + "oldfieldtype": "Link", + "options": "Delivery Note", + "permlevel": 0, + "print_hide": 1, + "read_only": 0, + "report_hide": 0, + "reqd": 0, "search_index": 1 - }, + }, { - "depends_on": "eval:doc.purpose==\"Sales Return\"", - "fieldname": "sales_invoice_no", - "fieldtype": "Link", - "hidden": 0, - "label": "Sales Invoice No", - "no_copy": 1, - "options": "Sales Invoice", - "permlevel": 0, - "print_hide": 1, + "depends_on": "eval:doc.purpose==\"Sales Return\"", + "fieldname": "sales_invoice_no", + "fieldtype": "Link", + "hidden": 0, + "label": "Sales Invoice No", + "no_copy": 1, + "options": "Sales Invoice", + "permlevel": 0, + "print_hide": 1, "read_only": 0 - }, + }, { - "allow_on_submit": 0, - "depends_on": "eval:doc.purpose==\"Purchase Return\"", - "fieldname": "purchase_receipt_no", - "fieldtype": "Link", - "hidden": 0, - "in_filter": 0, - "label": "Purchase Receipt No", - "no_copy": 1, - "oldfieldname": "purchase_receipt_no", - "oldfieldtype": "Link", - "options": "Purchase Receipt", - "permlevel": 0, - "print_hide": 1, - "read_only": 0, - "report_hide": 0, - "reqd": 0, + "allow_on_submit": 0, + "depends_on": "eval:doc.purpose==\"Purchase Return\"", + "fieldname": "purchase_receipt_no", + "fieldtype": "Link", + "hidden": 0, + "in_filter": 0, + "label": "Purchase Receipt No", + "no_copy": 1, + "oldfieldname": "purchase_receipt_no", + "oldfieldtype": "Link", + "options": "Purchase Receipt", + "permlevel": 0, + "print_hide": 1, + "read_only": 0, + "report_hide": 0, + "reqd": 0, "search_index": 1 - }, + }, { - "fieldname": "col2", - "fieldtype": "Column Break", - "oldfieldtype": "Column Break", - "permlevel": 0, - "print_width": "50%", - "read_only": 0, + "fieldname": "col2", + "fieldtype": "Column Break", + "oldfieldtype": "Column Break", + "permlevel": 0, + "print_width": "50%", + "read_only": 0, "width": "50%" - }, + }, { - "allow_on_submit": 0, - "default": "Today", - "fieldname": "posting_date", - "fieldtype": "Date", - "hidden": 0, - "in_filter": 1, - "in_list_view": 0, - "label": "Posting Date", - "no_copy": 1, - "oldfieldname": "posting_date", - "oldfieldtype": "Date", - "permlevel": 0, - "print_hide": 0, - "read_only": 0, - "report_hide": 0, - "reqd": 1, + "allow_on_submit": 0, + "default": "Today", + "fieldname": "posting_date", + "fieldtype": "Date", + "hidden": 0, + "in_filter": 1, + "in_list_view": 0, + "label": "Posting Date", + "no_copy": 1, + "oldfieldname": "posting_date", + "oldfieldtype": "Date", + "permlevel": 0, + "print_hide": 0, + "read_only": 0, + "report_hide": 0, + "reqd": 1, "search_index": 1 - }, + }, { - "allow_on_submit": 0, - "fieldname": "posting_time", - "fieldtype": "Time", - "hidden": 0, - "in_filter": 0, - "label": "Posting Time", - "no_copy": 1, - "oldfieldname": "posting_time", - "oldfieldtype": "Time", - "permlevel": 0, - "print_hide": 1, - "read_only": 0, - "report_hide": 0, - "reqd": 1, + "allow_on_submit": 0, + "fieldname": "posting_time", + "fieldtype": "Time", + "hidden": 0, + "in_filter": 0, + "label": "Posting Time", + "no_copy": 1, + "oldfieldname": "posting_time", + "oldfieldtype": "Time", + "permlevel": 0, + "print_hide": 1, + "read_only": 0, + "report_hide": 0, + "reqd": 1, "search_index": 0 - }, + }, { - "fieldname": "items_section", - "fieldtype": "Section Break", - "label": "Items", - "oldfieldtype": "Section Break", - "permlevel": 0, + "fieldname": "items_section", + "fieldtype": "Section Break", + "label": "Items", + "oldfieldtype": "Section Break", + "permlevel": 0, "read_only": 0 - }, + }, { - "allow_on_submit": 0, - "fieldname": "from_warehouse", - "fieldtype": "Link", - "hidden": 0, - "in_filter": 0, - "in_list_view": 1, - "label": "Default Source Warehouse", - "no_copy": 1, - "oldfieldname": "from_warehouse", - "oldfieldtype": "Link", - "options": "Warehouse", - "permlevel": 0, - "print_hide": 1, - "read_only": 0, - "report_hide": 0, - "reqd": 0, + "allow_on_submit": 0, + "fieldname": "from_warehouse", + "fieldtype": "Link", + "hidden": 0, + "in_filter": 0, + "in_list_view": 1, + "label": "Default Source Warehouse", + "no_copy": 1, + "oldfieldname": "from_warehouse", + "oldfieldtype": "Link", + "options": "Warehouse", + "permlevel": 0, + "print_hide": 1, + "read_only": 0, + "report_hide": 0, + "reqd": 0, "search_index": 0 - }, + }, { - "fieldname": "cb0", - "fieldtype": "Column Break", - "permlevel": 0, + "fieldname": "cb0", + "fieldtype": "Column Break", + "permlevel": 0, "read_only": 0 - }, + }, { - "allow_on_submit": 0, - "fieldname": "to_warehouse", - "fieldtype": "Link", - "hidden": 0, - "in_filter": 0, - "in_list_view": 1, - "label": "Default Target Warehouse", - "no_copy": 1, - "oldfieldname": "to_warehouse", - "oldfieldtype": "Link", - "options": "Warehouse", - "permlevel": 0, - "print_hide": 1, - "read_only": 0, - "report_hide": 0, - "reqd": 0, + "allow_on_submit": 0, + "fieldname": "to_warehouse", + "fieldtype": "Link", + "hidden": 0, + "in_filter": 0, + "in_list_view": 1, + "label": "Default Target Warehouse", + "no_copy": 1, + "oldfieldname": "to_warehouse", + "oldfieldtype": "Link", + "options": "Warehouse", + "permlevel": 0, + "print_hide": 1, + "read_only": 0, + "report_hide": 0, + "reqd": 0, "search_index": 0 - }, + }, { - "fieldname": "sb0", - "fieldtype": "Section Break", - "options": "Simple", - "permlevel": 0, + "fieldname": "sb0", + "fieldtype": "Section Break", + "options": "Simple", + "permlevel": 0, "read_only": 0 - }, + }, { - "allow_on_submit": 0, - "fieldname": "mtn_details", - "fieldtype": "Table", - "hidden": 0, - "in_filter": 0, - "label": "MTN Details", - "no_copy": 0, - "oldfieldname": "mtn_details", - "oldfieldtype": "Table", - "options": "Stock Entry Detail", - "permlevel": 0, - "print_hide": 0, - "read_only": 0, - "report_hide": 0, - "reqd": 0, + "allow_on_submit": 0, + "fieldname": "mtn_details", + "fieldtype": "Table", + "hidden": 0, + "in_filter": 0, + "label": "MTN Details", + "no_copy": 0, + "oldfieldname": "mtn_details", + "oldfieldtype": "Table", + "options": "Stock Entry Detail", + "permlevel": 0, + "print_hide": 0, + "read_only": 0, + "report_hide": 0, + "reqd": 0, "search_index": 0 - }, + }, { - "description": "Get valuation rate and available stock at source/target warehouse on mentioned posting date-time. If serialized item, please press this button after entering serial nos.", - "fieldname": "get_stock_and_rate", - "fieldtype": "Button", - "label": "Get Stock and Rate", - "oldfieldtype": "Button", - "options": "get_stock_and_rate", - "permlevel": 0, - "print_hide": 1, + "description": "Get valuation rate and available stock at source/target warehouse on mentioned posting date-time. If serialized item, please press this button after entering serial nos.", + "fieldname": "get_stock_and_rate", + "fieldtype": "Button", + "label": "Get Stock and Rate", + "oldfieldtype": "Button", + "options": "get_stock_and_rate", + "permlevel": 0, + "print_hide": 1, "read_only": 0 - }, + }, { - "depends_on": "eval:(doc.purpose!==\"Sales Return\" && doc.purpose!==\"Purchase Return\")", - "fieldname": "sb1", - "fieldtype": "Section Break", - "label": "From Bill of Materials", - "permlevel": 0, + "fieldname": "fold", + "fieldtype": "Fold", + "permlevel": 0 + }, + { + "depends_on": "eval:(doc.purpose!==\"Sales Return\" && doc.purpose!==\"Purchase Return\")", + "fieldname": "sb1", + "fieldtype": "Section Break", + "label": "From Bill of Materials", + "permlevel": 0, "read_only": 0 - }, + }, { - "allow_on_submit": 0, - "depends_on": "eval:inList([\"Material Transfer\", \"Manufacture/Repack\"], doc.purpose)", - "fieldname": "production_order", - "fieldtype": "Link", - "hidden": 0, - "in_filter": 1, - "label": "Production Order", - "no_copy": 0, - "oldfieldname": "production_order", - "oldfieldtype": "Link", - "options": "Production Order", - "permlevel": 0, - "print_hide": 1, - "read_only": 0, - "report_hide": 0, - "reqd": 0, + "allow_on_submit": 0, + "depends_on": "eval:inList([\"Material Transfer\", \"Manufacture/Repack\"], doc.purpose)", + "fieldname": "production_order", + "fieldtype": "Link", + "hidden": 0, + "in_filter": 1, + "label": "Production Order", + "no_copy": 0, + "oldfieldname": "production_order", + "oldfieldtype": "Link", + "options": "Production Order", + "permlevel": 0, + "print_hide": 1, + "read_only": 0, + "report_hide": 0, + "reqd": 0, "search_index": 1 - }, + }, { - "depends_on": "eval:!inList([\"Sales Return\", \"Purchase Return\"], doc.purpose)", - "fieldname": "bom_no", - "fieldtype": "Link", - "label": "BOM No", - "options": "BOM", - "permlevel": 0, + "depends_on": "eval:!inList([\"Sales Return\", \"Purchase Return\"], doc.purpose)", + "fieldname": "bom_no", + "fieldtype": "Link", + "label": "BOM No", + "options": "BOM", + "permlevel": 0, "read_only": 0 - }, + }, { - "allow_on_submit": 0, - "depends_on": "eval:!inList([\"Sales Return\", \"Purchase Return\"], doc.purpose)", - "description": "As per Stock UOM", - "fieldname": "fg_completed_qty", - "fieldtype": "Float", - "hidden": 0, - "in_filter": 0, - "label": "Manufacturing Quantity", - "no_copy": 0, - "oldfieldname": "fg_completed_qty", - "oldfieldtype": "Currency", - "permlevel": 0, - "print_hide": 1, - "read_only": 0, - "report_hide": 0, - "reqd": 0, + "allow_on_submit": 0, + "depends_on": "eval:!inList([\"Sales Return\", \"Purchase Return\"], doc.purpose)", + "description": "As per Stock UOM", + "fieldname": "fg_completed_qty", + "fieldtype": "Float", + "hidden": 0, + "in_filter": 0, + "label": "Manufacturing Quantity", + "no_copy": 0, + "oldfieldname": "fg_completed_qty", + "oldfieldtype": "Currency", + "permlevel": 0, + "print_hide": 1, + "read_only": 0, + "report_hide": 0, + "reqd": 0, "search_index": 0 - }, + }, { - "fieldname": "cb1", - "fieldtype": "Column Break", - "permlevel": 0, + "fieldname": "cb1", + "fieldtype": "Column Break", + "permlevel": 0, "read_only": 0 - }, + }, { - "default": "1", - "depends_on": "eval:!inList([\"Sales Return\", \"Purchase Return\"], doc.purpose)", - "description": "If checked, BOM for sub-assembly items will be considered for getting raw materials. Otherwise, all sub-assembly items will be treated as a raw material.", - "fieldname": "use_multi_level_bom", - "fieldtype": "Check", - "label": "Use Multi-Level BOM", - "permlevel": 0, - "print_hide": 1, + "default": "1", + "depends_on": "eval:!inList([\"Sales Return\", \"Purchase Return\"], doc.purpose)", + "description": "If checked, BOM for sub-assembly items will be considered for getting raw materials. Otherwise, all sub-assembly items will be treated as a raw material.", + "fieldname": "use_multi_level_bom", + "fieldtype": "Check", + "label": "Use Multi-Level BOM", + "permlevel": 0, + "print_hide": 1, "read_only": 0 - }, + }, { - "allow_on_submit": 0, - "depends_on": "eval:!inList([\"Sales Return\", \"Purchase Return\"], doc.purpose)", - "fieldname": "get_items", - "fieldtype": "Button", - "hidden": 0, - "in_filter": 0, - "label": "Get Items", - "no_copy": 0, - "oldfieldtype": "Button", - "permlevel": 0, - "print_hide": 1, - "read_only": 0, - "report_hide": 0, - "reqd": 0, + "allow_on_submit": 0, + "depends_on": "eval:!inList([\"Sales Return\", \"Purchase Return\"], doc.purpose)", + "fieldname": "get_items", + "fieldtype": "Button", + "hidden": 0, + "in_filter": 0, + "label": "Get Items", + "no_copy": 0, + "oldfieldtype": "Button", + "permlevel": 0, + "print_hide": 1, + "read_only": 0, + "report_hide": 0, + "reqd": 0, "search_index": 0 - }, + }, { - "depends_on": "eval:(doc.purpose==\"Sales Return\" || doc.purpose==\"Purchase Return\")", - "fieldname": "contact_section", - "fieldtype": "Section Break", - "label": "Contact Info", - "permlevel": 0, + "depends_on": "eval:(doc.purpose==\"Sales Return\" || doc.purpose==\"Purchase Return\")", + "fieldname": "contact_section", + "fieldtype": "Section Break", + "label": "Contact Info", + "permlevel": 0, "read_only": 0 - }, + }, { - "allow_on_submit": 0, - "depends_on": "eval:doc.purpose==\"Purchase Return\"", - "fieldname": "supplier", - "fieldtype": "Link", - "hidden": 0, - "in_filter": 0, - "label": "Supplier", - "no_copy": 1, - "oldfieldname": "supplier", - "oldfieldtype": "Link", - "options": "Supplier", - "permlevel": 0, - "print_hide": 1, - "read_only": 0, - "report_hide": 0, - "reqd": 0, + "allow_on_submit": 0, + "depends_on": "eval:doc.purpose==\"Purchase Return\"", + "fieldname": "supplier", + "fieldtype": "Link", + "hidden": 0, + "in_filter": 0, + "label": "Supplier", + "no_copy": 1, + "oldfieldname": "supplier", + "oldfieldtype": "Link", + "options": "Supplier", + "permlevel": 0, + "print_hide": 1, + "read_only": 0, + "report_hide": 0, + "reqd": 0, "search_index": 0 - }, + }, { - "allow_on_submit": 0, - "depends_on": "eval:doc.purpose==\"Purchase Return\"", - "fieldname": "supplier_name", - "fieldtype": "Data", - "hidden": 0, - "in_filter": 0, - "label": "Supplier Name", - "no_copy": 1, - "oldfieldname": "supplier_name", - "oldfieldtype": "Data", - "permlevel": 0, - "print_hide": 0, - "read_only": 1, - "report_hide": 0, - "reqd": 0, + "allow_on_submit": 0, + "depends_on": "eval:doc.purpose==\"Purchase Return\"", + "fieldname": "supplier_name", + "fieldtype": "Data", + "hidden": 0, + "in_filter": 0, + "label": "Supplier Name", + "no_copy": 1, + "oldfieldname": "supplier_name", + "oldfieldtype": "Data", + "permlevel": 0, + "print_hide": 0, + "read_only": 1, + "report_hide": 0, + "reqd": 0, "search_index": 0 - }, + }, { - "allow_on_submit": 0, - "depends_on": "eval:doc.purpose==\"Purchase Return\"", - "fieldname": "supplier_address", - "fieldtype": "Small Text", - "hidden": 0, - "in_filter": 0, - "label": "Supplier Address", - "no_copy": 1, - "oldfieldname": "supplier_address", - "oldfieldtype": "Small Text", - "permlevel": 0, - "print_hide": 0, - "read_only": 0, - "report_hide": 0, - "reqd": 0, + "allow_on_submit": 0, + "depends_on": "eval:doc.purpose==\"Purchase Return\"", + "fieldname": "supplier_address", + "fieldtype": "Small Text", + "hidden": 0, + "in_filter": 0, + "label": "Supplier Address", + "no_copy": 1, + "oldfieldname": "supplier_address", + "oldfieldtype": "Small Text", + "permlevel": 0, + "print_hide": 0, + "read_only": 0, + "report_hide": 0, + "reqd": 0, "search_index": 0 - }, + }, { - "allow_on_submit": 0, - "depends_on": "eval:doc.purpose==\"Sales Return\"", - "fieldname": "customer", - "fieldtype": "Link", - "hidden": 0, - "in_filter": 0, - "label": "Customer", - "no_copy": 1, - "oldfieldname": "customer", - "oldfieldtype": "Link", - "options": "Customer", - "permlevel": 0, - "print_hide": 1, - "read_only": 0, - "report_hide": 0, - "reqd": 0, + "allow_on_submit": 0, + "depends_on": "eval:doc.purpose==\"Sales Return\"", + "fieldname": "customer", + "fieldtype": "Link", + "hidden": 0, + "in_filter": 0, + "label": "Customer", + "no_copy": 1, + "oldfieldname": "customer", + "oldfieldtype": "Link", + "options": "Customer", + "permlevel": 0, + "print_hide": 1, + "read_only": 0, + "report_hide": 0, + "reqd": 0, "search_index": 0 - }, + }, { - "allow_on_submit": 0, - "depends_on": "eval:doc.purpose==\"Sales Return\"", - "fieldname": "customer_name", - "fieldtype": "Data", - "hidden": 0, - "in_filter": 0, - "label": "Customer Name", - "no_copy": 1, - "oldfieldname": "customer_name", - "oldfieldtype": "Data", - "permlevel": 0, - "print_hide": 0, - "read_only": 1, - "report_hide": 0, - "reqd": 0, + "allow_on_submit": 0, + "depends_on": "eval:doc.purpose==\"Sales Return\"", + "fieldname": "customer_name", + "fieldtype": "Data", + "hidden": 0, + "in_filter": 0, + "label": "Customer Name", + "no_copy": 1, + "oldfieldname": "customer_name", + "oldfieldtype": "Data", + "permlevel": 0, + "print_hide": 0, + "read_only": 1, + "report_hide": 0, + "reqd": 0, "search_index": 0 - }, + }, { - "allow_on_submit": 0, - "depends_on": "eval:doc.purpose==\"Sales Return\"", - "fieldname": "customer_address", - "fieldtype": "Small Text", - "hidden": 0, - "in_filter": 0, - "label": "Customer Address", - "no_copy": 1, - "oldfieldname": "customer_address", - "oldfieldtype": "Small Text", - "permlevel": 0, - "print_hide": 0, - "read_only": 0, - "report_hide": 0, - "reqd": 0, + "allow_on_submit": 0, + "depends_on": "eval:doc.purpose==\"Sales Return\"", + "fieldname": "customer_address", + "fieldtype": "Small Text", + "hidden": 0, + "in_filter": 0, + "label": "Customer Address", + "no_copy": 1, + "oldfieldname": "customer_address", + "oldfieldtype": "Small Text", + "permlevel": 0, + "print_hide": 0, + "read_only": 0, + "report_hide": 0, + "reqd": 0, "search_index": 0 - }, + }, { - "fieldname": "more_info", - "fieldtype": "Section Break", - "label": "More Info", - "oldfieldtype": "Section Break", - "permlevel": 0, + "fieldname": "more_info", + "fieldtype": "Section Break", + "label": "More Info", + "oldfieldtype": "Section Break", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "project_name", - "fieldtype": "Link", - "in_filter": 1, - "label": "Project Name", - "oldfieldname": "project_name", - "oldfieldtype": "Link", - "options": "Project", - "permlevel": 0, + "fieldname": "project_name", + "fieldtype": "Link", + "in_filter": 1, + "label": "Project Name", + "oldfieldname": "project_name", + "oldfieldtype": "Link", + "options": "Project", + "permlevel": 0, "read_only": 0 - }, + }, { - "allow_on_submit": 0, - "fieldname": "remarks", - "fieldtype": "Text", - "hidden": 0, - "in_filter": 0, - "label": "Remarks", - "no_copy": 1, - "oldfieldname": "remarks", - "oldfieldtype": "Text", - "permlevel": 0, - "print_hide": 1, - "read_only": 0, - "report_hide": 0, - "reqd": 0, + "allow_on_submit": 0, + "fieldname": "remarks", + "fieldtype": "Text", + "hidden": 0, + "in_filter": 0, + "label": "Remarks", + "no_copy": 1, + "oldfieldname": "remarks", + "oldfieldtype": "Text", + "permlevel": 0, + "print_hide": 1, + "read_only": 0, + "report_hide": 0, + "reqd": 0, "search_index": 0 - }, + }, { - "fieldname": "col5", - "fieldtype": "Column Break", - "permlevel": 0, - "print_width": "50%", - "read_only": 0, + "fieldname": "col5", + "fieldtype": "Column Break", + "permlevel": 0, + "print_width": "50%", + "read_only": 0, "width": "50%" - }, + }, { - "fieldname": "total_amount", - "fieldtype": "Currency", - "label": "Total Amount", - "options": "Company:company:default_currency", - "permlevel": 0, + "fieldname": "total_amount", + "fieldtype": "Currency", + "label": "Total Amount", + "options": "Company:company:default_currency", + "permlevel": 0, "read_only": 1 - }, + }, { - "fieldname": "fiscal_year", - "fieldtype": "Link", - "in_filter": 0, - "label": "Fiscal Year", - "options": "Fiscal Year", - "permlevel": 0, - "print_hide": 1, - "read_only": 0, + "fieldname": "fiscal_year", + "fieldtype": "Link", + "in_filter": 0, + "label": "Fiscal Year", + "options": "Fiscal Year", + "permlevel": 0, + "print_hide": 1, + "read_only": 0, "reqd": 1 - }, + }, { - "allow_on_submit": 0, - "fieldname": "company", - "fieldtype": "Link", - "hidden": 0, - "in_filter": 1, - "label": "Company", - "no_copy": 0, - "oldfieldname": "company", - "oldfieldtype": "Link", - "options": "Company", - "permlevel": 0, - "print_hide": 1, - "read_only": 0, - "report_hide": 0, - "reqd": 1, + "allow_on_submit": 0, + "fieldname": "company", + "fieldtype": "Link", + "hidden": 0, + "in_filter": 1, + "label": "Company", + "no_copy": 0, + "oldfieldname": "company", + "oldfieldtype": "Link", + "options": "Company", + "permlevel": 0, + "print_hide": 1, + "read_only": 0, + "report_hide": 0, + "reqd": 1, "search_index": 0 - }, + }, { - "allow_on_submit": 0, - "fieldname": "select_print_heading", - "fieldtype": "Link", - "hidden": 0, - "in_filter": 0, - "label": "Print Heading", - "no_copy": 0, - "oldfieldname": "select_print_heading", - "oldfieldtype": "Link", - "options": "Print Heading", - "permlevel": 0, - "print_hide": 0, - "read_only": 0, - "report_hide": 0, - "reqd": 0, + "allow_on_submit": 0, + "fieldname": "select_print_heading", + "fieldtype": "Link", + "hidden": 0, + "in_filter": 0, + "label": "Print Heading", + "no_copy": 0, + "oldfieldname": "select_print_heading", + "oldfieldtype": "Link", + "options": "Print Heading", + "permlevel": 0, + "print_hide": 0, + "read_only": 0, + "report_hide": 0, + "reqd": 0, "search_index": 0 - }, + }, { - "allow_on_submit": 0, - "fieldname": "amended_from", - "fieldtype": "Link", - "hidden": 0, - "ignore_user_permissions": 1, - "in_filter": 0, - "label": "Amended From", - "no_copy": 1, - "oldfieldname": "amended_from", - "oldfieldtype": "Link", - "options": "Stock Entry", - "permlevel": 0, - "print_hide": 1, - "read_only": 1, - "report_hide": 0, - "reqd": 0, + "allow_on_submit": 0, + "fieldname": "amended_from", + "fieldtype": "Link", + "hidden": 0, + "ignore_user_permissions": 1, + "in_filter": 0, + "label": "Amended From", + "no_copy": 1, + "oldfieldname": "amended_from", + "oldfieldtype": "Link", + "options": "Stock Entry", + "permlevel": 0, + "print_hide": 1, + "read_only": 1, + "report_hide": 0, + "reqd": 0, "search_index": 0 } - ], - "hide_heading": 0, - "hide_toolbar": 0, - "icon": "icon-file-text", - "idx": 1, - "in_create": 0, - "in_dialog": 0, - "is_submittable": 1, - "issingle": 0, - "max_attachments": 0, - "modified": "2014-07-24 08:52:33.496200", - "modified_by": "Administrator", - "module": "Stock", - "name": "Stock Entry", - "owner": "Administrator", + ], + "hide_heading": 0, + "hide_toolbar": 0, + "icon": "icon-file-text", + "idx": 1, + "in_create": 0, + "in_dialog": 0, + "is_submittable": 1, + "issingle": 0, + "max_attachments": 0, + "modified": "2014-08-12 05:24:41.892586", + "modified_by": "Administrator", + "module": "Stock", + "name": "Stock Entry", + "owner": "Administrator", "permissions": [ { - "amend": 1, - "apply_user_permissions": 1, - "cancel": 1, - "create": 1, - "delete": 1, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Material User", - "submit": 1, + "amend": 1, + "apply_user_permissions": 1, + "cancel": 1, + "create": 1, + "delete": 1, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Material User", + "submit": 1, "write": 1 - }, + }, { - "amend": 1, - "apply_user_permissions": 1, - "cancel": 1, - "create": 1, - "delete": 1, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Manufacturing User", - "submit": 1, + "amend": 1, + "apply_user_permissions": 1, + "cancel": 1, + "create": 1, + "delete": 1, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Manufacturing User", + "submit": 1, "write": 1 - }, + }, { - "amend": 1, - "cancel": 1, - "create": 1, - "delete": 1, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Manufacturing Manager", - "submit": 1, + "amend": 1, + "cancel": 1, + "create": 1, + "delete": 1, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Manufacturing Manager", + "submit": 1, "write": 1 - }, + }, { - "amend": 1, - "cancel": 1, - "create": 1, - "delete": 1, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Material Manager", - "submit": 1, + "amend": 1, + "cancel": 1, + "create": 1, + "delete": 1, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Material Manager", + "submit": 1, "write": 1 } - ], - "read_only": 0, - "read_only_onload": 0, - "search_fields": "from_warehouse, to_warehouse, purpose, remarks", - "sort_field": "modified", + ], + "read_only": 0, + "read_only_onload": 0, + "search_fields": "transfer_date, from_warehouse, to_warehouse, purpose, remarks", + "sort_field": "modified", "sort_order": "DESC" -} +} \ No newline at end of file diff --git a/erpnext/support/doctype/support_ticket/support_ticket.js b/erpnext/support/doctype/support_ticket/support_ticket.js index 919ae65555..d4531dc8b7 100644 --- a/erpnext/support/doctype/support_ticket/support_ticket.js +++ b/erpnext/support/doctype/support_ticket/support_ticket.js @@ -9,13 +9,6 @@ frappe.provide("erpnext.support"); cur_frm.add_fetch("customer", "customer_name", "customer_name") $.extend(cur_frm.cscript, { - onload: function(doc, dt, dn) { - if(in_list(user_roles,'System Manager')) { - cur_frm.footer.help_area.innerHTML = '

'+__("Support Email Settings")+'
\ - '+__("Integrate incoming support emails to Support Ticket")+'

'; - } - }, - refresh: function(doc) { erpnext.toggle_naming_series(); cur_frm.cscript.make_listing(doc); diff --git a/erpnext/support/doctype/support_ticket/support_ticket.json b/erpnext/support/doctype/support_ticket/support_ticket.json index ff7867e727..6dd54a2b65 100644 --- a/erpnext/support/doctype/support_ticket/support_ticket.json +++ b/erpnext/support/doctype/support_ticket/support_ticket.json @@ -1,290 +1,295 @@ { - "allow_attach": 1, - "autoname": "naming_series:", - "creation": "2013-02-01 10:36:25", - "docstatus": 0, - "doctype": "DocType", + "allow_attach": 1, + "autoname": "naming_series:", + "creation": "2013-02-01 10:36:25", + "docstatus": 0, + "doctype": "DocType", "fields": [ { - "fieldname": "subject_section", - "fieldtype": "Section Break", - "label": "Subject", - "options": "icon-flag", + "fieldname": "subject_section", + "fieldtype": "Section Break", + "label": "Subject", + "options": "icon-flag", "permlevel": 0 - }, + }, { - "fieldname": "naming_series", - "fieldtype": "Select", - "hidden": 0, - "label": "Series", - "no_copy": 1, - "options": "SUP-", - "permlevel": 0, - "print_hide": 1, - "reqd": 0, + "fieldname": "naming_series", + "fieldtype": "Select", + "hidden": 0, + "label": "Series", + "no_copy": 1, + "options": "SUP-", + "permlevel": 0, + "print_hide": 1, + "reqd": 0, "search_index": 0 - }, + }, { - "fieldname": "subject", - "fieldtype": "Data", - "in_filter": 1, - "in_list_view": 1, - "label": "Subject", - "permlevel": 0, - "report_hide": 0, - "reqd": 1, + "fieldname": "subject", + "fieldtype": "Data", + "in_filter": 1, + "in_list_view": 1, + "label": "Subject", + "permlevel": 0, + "report_hide": 0, + "reqd": 1, "search_index": 0 - }, + }, { - "fieldname": "cb00", - "fieldtype": "Column Break", + "fieldname": "cb00", + "fieldtype": "Column Break", "permlevel": 0 - }, + }, { - "default": "Open", - "fieldname": "status", - "fieldtype": "Select", - "in_filter": 0, - "in_list_view": 1, - "label": "Status", - "no_copy": 1, - "oldfieldname": "status", - "oldfieldtype": "Select", - "options": "Open\nReplied\nHold\nClosed", - "permlevel": 0, - "read_only": 0, - "reqd": 0, + "default": "Open", + "fieldname": "status", + "fieldtype": "Select", + "in_filter": 0, + "in_list_view": 1, + "label": "Status", + "no_copy": 1, + "oldfieldname": "status", + "oldfieldtype": "Select", + "options": "Open\nReplied\nHold\nClosed", + "permlevel": 0, + "read_only": 0, + "reqd": 0, "search_index": 1 - }, + }, { - "depends_on": "eval:doc.__islocal", - "fieldname": "raised_by", - "fieldtype": "Data", - "in_filter": 1, - "in_list_view": 1, - "label": "Raised By (Email)", - "oldfieldname": "raised_by", - "oldfieldtype": "Data", - "permlevel": 0, + "depends_on": "eval:doc.__islocal", + "fieldname": "raised_by", + "fieldtype": "Data", + "in_filter": 1, + "in_list_view": 1, + "label": "Raised By (Email)", + "oldfieldname": "raised_by", + "oldfieldtype": "Data", + "permlevel": 0, "reqd": 1 - }, + }, { - "fieldname": "sb00", - "fieldtype": "Section Break", - "label": "Messages", - "options": "icon-comments", + "fieldname": "sb00", + "fieldtype": "Section Break", + "label": "Messages", + "options": "icon-comments", "permlevel": 0 - }, + }, { - "depends_on": "eval:doc.__islocal", - "fieldname": "description", - "fieldtype": "Text", - "label": "Description", - "oldfieldname": "problem_description", - "oldfieldtype": "Text", - "permlevel": 0, + "depends_on": "eval:doc.__islocal", + "fieldname": "description", + "fieldtype": "Text", + "label": "Description", + "oldfieldname": "problem_description", + "oldfieldtype": "Text", + "permlevel": 0, "reqd": 0 - }, + }, { - "depends_on": "eval:!doc.__islocal", - "fieldname": "thread_html", - "fieldtype": "HTML", - "label": "Thread HTML", - "permlevel": 0, + "depends_on": "eval:!doc.__islocal", + "fieldname": "thread_html", + "fieldtype": "HTML", + "label": "Thread HTML", + "permlevel": 0, "read_only": 1 - }, + }, { - "fieldname": "additional_info", - "fieldtype": "Section Break", - "label": "Reference", - "options": "icon-pushpin", - "permlevel": 0, + "fieldname": "fold", + "fieldtype": "Fold", + "permlevel": 0 + }, + { + "fieldname": "additional_info", + "fieldtype": "Section Break", + "label": "Reference", + "options": "icon-pushpin", + "permlevel": 0, "read_only": 1 - }, + }, { - "depends_on": "eval:!doc.__islocal", - "fieldname": "column_break0", - "fieldtype": "Column Break", - "oldfieldtype": "Column Break", - "permlevel": 0, - "read_only": 1, + "depends_on": "eval:!doc.__islocal", + "fieldname": "column_break0", + "fieldtype": "Column Break", + "oldfieldtype": "Column Break", + "permlevel": 0, + "read_only": 1, "width": "50%" - }, + }, { - "fieldname": "lead", - "fieldtype": "Link", - "label": "Lead", - "options": "Lead", + "fieldname": "lead", + "fieldtype": "Link", + "label": "Lead", + "options": "Lead", "permlevel": 0 - }, + }, { - "fieldname": "contact", - "fieldtype": "Link", - "label": "Contact", - "options": "Contact", + "fieldname": "contact", + "fieldtype": "Link", + "label": "Contact", + "options": "Contact", "permlevel": 0 - }, + }, { - "fieldname": "customer", - "fieldtype": "Link", - "in_filter": 1, - "label": "Customer", - "oldfieldname": "customer", - "oldfieldtype": "Link", - "options": "Customer", - "permlevel": 0, - "print_hide": 1, - "read_only": 0, - "reqd": 0, + "fieldname": "customer", + "fieldtype": "Link", + "in_filter": 1, + "label": "Customer", + "oldfieldname": "customer", + "oldfieldtype": "Link", + "options": "Customer", + "permlevel": 0, + "print_hide": 1, + "read_only": 0, + "reqd": 0, "search_index": 1 - }, + }, { - "fieldname": "customer_name", - "fieldtype": "Data", - "in_filter": 1, - "label": "Customer Name", - "oldfieldname": "customer_name", - "oldfieldtype": "Data", - "permlevel": 0, - "read_only": 1, - "reqd": 0, + "fieldname": "customer_name", + "fieldtype": "Data", + "in_filter": 1, + "label": "Customer Name", + "oldfieldname": "customer_name", + "oldfieldtype": "Data", + "permlevel": 0, + "read_only": 1, + "reqd": 0, "search_index": 0 - }, + }, { - "default": "Today", - "fieldname": "opening_date", - "fieldtype": "Date", - "label": "Opening Date", - "no_copy": 1, - "oldfieldname": "opening_date", - "oldfieldtype": "Date", - "permlevel": 0, + "default": "Today", + "fieldname": "opening_date", + "fieldtype": "Date", + "label": "Opening Date", + "no_copy": 1, + "oldfieldname": "opening_date", + "oldfieldtype": "Date", + "permlevel": 0, "read_only": 1 - }, + }, { - "fieldname": "opening_time", - "fieldtype": "Time", - "label": "Opening Time", - "no_copy": 1, - "oldfieldname": "opening_time", - "oldfieldtype": "Time", - "permlevel": 0, + "fieldname": "opening_time", + "fieldtype": "Time", + "label": "Opening Time", + "no_copy": 1, + "oldfieldname": "opening_time", + "oldfieldtype": "Time", + "permlevel": 0, "read_only": 1 - }, + }, { - "fieldname": "company", - "fieldtype": "Link", - "label": "Company", - "options": "Company", - "permlevel": 0, - "print_hide": 1, + "fieldname": "company", + "fieldtype": "Link", + "label": "Company", + "options": "Company", + "permlevel": 0, + "print_hide": 1, "reqd": 0 - }, + }, { - "depends_on": "eval:!doc.__islocal", - "fieldname": "column_break1", - "fieldtype": "Column Break", - "oldfieldtype": "Column Break", - "permlevel": 0, + "depends_on": "eval:!doc.__islocal", + "fieldname": "column_break1", + "fieldtype": "Column Break", + "oldfieldtype": "Column Break", + "permlevel": 0, "read_only": 1 - }, + }, { - "fieldname": "first_responded_on", - "fieldtype": "Datetime", - "label": "First Responded On", + "fieldname": "first_responded_on", + "fieldtype": "Datetime", + "label": "First Responded On", "permlevel": 0 - }, + }, { - "depends_on": "eval:!doc.__islocal", - "fieldname": "resolution_date", - "fieldtype": "Datetime", - "in_filter": 0, - "label": "Resolution Date", - "no_copy": 1, - "oldfieldname": "resolution_date", - "oldfieldtype": "Date", - "permlevel": 0, - "read_only": 1, + "depends_on": "eval:!doc.__islocal", + "fieldname": "resolution_date", + "fieldtype": "Datetime", + "in_filter": 0, + "label": "Resolution Date", + "no_copy": 1, + "oldfieldname": "resolution_date", + "oldfieldtype": "Date", + "permlevel": 0, + "read_only": 1, "search_index": 0 - }, + }, { - "depends_on": "eval:!doc.__islocal", - "fieldname": "resolution_details", - "fieldtype": "Small Text", - "label": "Resolution Details", - "no_copy": 1, - "oldfieldname": "resolution_details", - "oldfieldtype": "Text", - "permlevel": 0, + "depends_on": "eval:!doc.__islocal", + "fieldname": "resolution_details", + "fieldtype": "Small Text", + "label": "Resolution Details", + "no_copy": 1, + "oldfieldname": "resolution_details", + "oldfieldtype": "Text", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "content_type", - "fieldtype": "Data", - "hidden": 1, - "label": "Content Type", + "fieldname": "content_type", + "fieldtype": "Data", + "hidden": 1, + "label": "Content Type", "permlevel": 0 - }, + }, { - "fieldname": "communications", - "fieldtype": "Table", - "hidden": 1, - "label": "Communications", - "options": "Communication", - "permlevel": 0, + "fieldname": "communications", + "fieldtype": "Table", + "hidden": 1, + "label": "Communications", + "options": "Communication", + "permlevel": 0, "print_hide": 1 } - ], - "icon": "icon-ticket", - "idx": 1, - "modified": "2014-06-03 10:49:47.781578", - "modified_by": "Administrator", - "module": "Support", - "name": "Support Ticket", - "owner": "Administrator", + ], + "icon": "icon-ticket", + "idx": 1, + "modified": "2014-08-12 05:25:45.420934", + "modified_by": "Administrator", + "module": "Support", + "name": "Support Ticket", + "owner": "Administrator", "permissions": [ { - "amend": 0, - "create": 1, - "delete": 0, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Guest", - "submit": 0, + "amend": 0, + "create": 1, + "delete": 0, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Guest", + "submit": 0, "write": 1 - }, + }, { - "amend": 0, - "apply_user_permissions": 1, - "create": 1, - "delete": 0, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Customer", - "submit": 0, + "amend": 0, + "apply_user_permissions": 1, + "create": 1, + "delete": 0, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Customer", + "submit": 0, "write": 1 - }, + }, { - "amend": 0, - "apply_user_permissions": 1, - "create": 1, - "delete": 1, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Support Team", - "submit": 0, + "amend": 0, + "apply_user_permissions": 1, + "create": 1, + "delete": 1, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Support Team", + "submit": 0, "write": 1 } - ], - "search_fields": "status,customer,subject,raised_by", + ], + "search_fields": "status,customer,subject,raised_by", "title_field": "subject" -} +} \ No newline at end of file diff --git a/erpnext/support/doctype/support_ticket/test_records.json b/erpnext/support/doctype/support_ticket/test_records.json new file mode 100644 index 0000000000..85bd3a2410 --- /dev/null +++ b/erpnext/support/doctype/support_ticket/test_records.json @@ -0,0 +1,6 @@ +[ + { + "doctype": "Support Ticket", + "name": "_Test Support Ticket 1" + } +] diff --git a/erpnext/support/doctype/support_ticket/test_support_ticket.py b/erpnext/support/doctype/support_ticket/test_support_ticket.py new file mode 100644 index 0000000000..b5ce34af4b --- /dev/null +++ b/erpnext/support/doctype/support_ticket/test_support_ticket.py @@ -0,0 +1,10 @@ +# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors and Contributors +# See license.txt + +import frappe +import unittest + +test_records = frappe.get_test_records('Support Ticket') + +class TestSupportTicket(unittest.TestCase): + pass From 0d0f5f6c25a9e76e23a333d96ec45e7171687240 Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Thu, 14 Aug 2014 11:43:27 +0530 Subject: [PATCH 520/630] [ux] fixes to timeline --- .../journal_voucher/journal_voucher.json | 68 +++++++++---------- .../doctype/sales_invoice/sales_invoice.json | 7 +- erpnext/home/page/activity/activity.js | 6 +- .../doctype/support_ticket/test_records.json | 4 +- 4 files changed, 46 insertions(+), 39 deletions(-) diff --git a/erpnext/accounts/doctype/journal_voucher/journal_voucher.json b/erpnext/accounts/doctype/journal_voucher/journal_voucher.json index 6ba2d44c3c..0351fd1da8 100644 --- a/erpnext/accounts/doctype/journal_voucher/journal_voucher.json +++ b/erpnext/accounts/doctype/journal_voucher/journal_voucher.json @@ -123,12 +123,6 @@ "permlevel": 0, "read_only": 1 }, - { - "fieldname": "column_break99", - "fieldtype": "Column Break", - "permlevel": 0, - "read_only": 0 - }, { "fieldname": "difference", "fieldtype": "Currency", @@ -150,16 +144,8 @@ "read_only": 0 }, { - "fieldname": "view_details", - "fieldtype": "Fold", - "label": "View Details", - "permlevel": 0 - }, - { - "fieldname": "reference", - "fieldtype": "Section Break", - "label": "Reference", - "options": "icon-pushpin", + "fieldname": "column_break99", + "fieldtype": "Column Break", "permlevel": 0, "read_only": 0 }, @@ -187,6 +173,31 @@ "permlevel": 0, "read_only": 0 }, + { + "fieldname": "user_remark", + "fieldtype": "Small Text", + "in_filter": 1, + "label": "User Remark", + "no_copy": 1, + "oldfieldname": "user_remark", + "oldfieldtype": "Small Text", + "permlevel": 0, + "read_only": 0 + }, + { + "fieldname": "view_details", + "fieldtype": "Fold", + "label": "View Details", + "permlevel": 0 + }, + { + "fieldname": "reference", + "fieldtype": "Section Break", + "label": "Reference", + "options": "icon-pushpin", + "permlevel": 0, + "read_only": 0 + }, { "fieldname": "clearance_date", "fieldtype": "Date", @@ -200,23 +211,6 @@ "read_only": 1, "search_index": 1 }, - { - "fieldname": "column_break98", - "fieldtype": "Column Break", - "permlevel": 0, - "read_only": 0 - }, - { - "fieldname": "user_remark", - "fieldtype": "Small Text", - "in_filter": 1, - "label": "User Remark", - "no_copy": 1, - "oldfieldname": "user_remark", - "oldfieldtype": "Small Text", - "permlevel": 0, - "read_only": 0 - }, { "description": "User Remark will be added to Auto Remark", "fieldname": "remark", @@ -230,6 +224,12 @@ "read_only": 1, "reqd": 0 }, + { + "fieldname": "column_break98", + "fieldtype": "Column Break", + "permlevel": 0, + "read_only": 0 + }, { "fieldname": "bill_no", "fieldtype": "Data", @@ -446,7 +446,7 @@ "icon": "icon-file-text", "idx": 1, "is_submittable": 1, - "modified": "2014-08-11 07:29:48.343753", + "modified": "2014-08-14 01:37:14.822939", "modified_by": "Administrator", "module": "Accounts", "name": "Journal Voucher", diff --git a/erpnext/accounts/doctype/sales_invoice/sales_invoice.json b/erpnext/accounts/doctype/sales_invoice/sales_invoice.json index a7827bc73f..ae6437a8ac 100644 --- a/erpnext/accounts/doctype/sales_invoice/sales_invoice.json +++ b/erpnext/accounts/doctype/sales_invoice/sales_invoice.json @@ -714,6 +714,11 @@ "print_hide": 1, "read_only": 0 }, + { + "fieldname": "fold", + "fieldtype": "Fold", + "permlevel": 0 + }, { "fieldname": "terms_section_break", "fieldtype": "Section Break", @@ -1188,7 +1193,7 @@ "icon": "icon-file-text", "idx": 1, "is_submittable": 1, - "modified": "2014-07-31 06:34:41.295337", + "modified": "2014-08-14 02:13:09.673510", "modified_by": "Administrator", "module": "Accounts", "name": "Sales Invoice", diff --git a/erpnext/home/page/activity/activity.js b/erpnext/home/page/activity/activity.js index 4562ca8e39..ac44b4d776 100644 --- a/erpnext/home/page/activity/activity.js +++ b/erpnext/home/page/activity/activity.js @@ -24,9 +24,9 @@ frappe.pages['activity'].onload = function(wrapper) { // Build Report Button if(frappe.boot.user.can_get_report.indexOf("Feed")!=-1) { - wrapper.appframe.add_primary_action(__('Build Report'), function() { + wrapper.appframe.add_button(__('Build Report'), function() { frappe.set_route('Report', "Feed"); - }, 'icon-th', true); + }, 'icon-th'); } } @@ -81,7 +81,7 @@ erpnext.ActivityFeed = Class.extend({ } else { pdate = dateutil.global_date_format(date); } - $(row).html(repl('
%(date)s
', {date: pdate})); + $(row).html(repl('
%(date)s
', {date: pdate})); } erpnext.last_feed_date = date; } diff --git a/erpnext/support/doctype/support_ticket/test_records.json b/erpnext/support/doctype/support_ticket/test_records.json index 85bd3a2410..30390b06d1 100644 --- a/erpnext/support/doctype/support_ticket/test_records.json +++ b/erpnext/support/doctype/support_ticket/test_records.json @@ -1,6 +1,8 @@ [ { "doctype": "Support Ticket", - "name": "_Test Support Ticket 1" + "name": "_Test Support Ticket 1", + "subject": "Test Support", + "raised_by": "test@example.com" } ] From c31a1eec5b123c7048079c53ec0bdc8a664c5999 Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Thu, 14 Aug 2014 11:47:31 +0530 Subject: [PATCH 521/630] [ux] fixes to timeline --- .../doctype/supplier_quotation/supplier_quotation.json | 7 ++++++- 1 file changed, 6 insertions(+), 1 deletion(-) diff --git a/erpnext/buying/doctype/supplier_quotation/supplier_quotation.json b/erpnext/buying/doctype/supplier_quotation/supplier_quotation.json index 235e4ebbc9..20aaf78d4f 100644 --- a/erpnext/buying/doctype/supplier_quotation/supplier_quotation.json +++ b/erpnext/buying/doctype/supplier_quotation/supplier_quotation.json @@ -433,6 +433,11 @@ "print_hide": 0, "read_only": 1 }, + { + "fieldname": "fold", + "fieldtype": "Fold", + "permlevel": 0 + }, { "fieldname": "terms_section_break", "fieldtype": "Section Break", @@ -571,7 +576,7 @@ "icon": "icon-shopping-cart", "idx": 1, "is_submittable": 1, - "modified": "2014-07-31 04:59:24.134759", + "modified": "2014-08-14 02:17:26.401532", "modified_by": "Administrator", "module": "Buying", "name": "Supplier Quotation", From e36809162733685ac4e617a79c779ecf32e5e828 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Wed, 13 Aug 2014 11:42:41 +0530 Subject: [PATCH 522/630] Fixes in Payment Reconciliation --- .../payment_reconciliation.py | 72 ++++++++----------- 1 file changed, 29 insertions(+), 43 deletions(-) diff --git a/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py b/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py index 2d844bb189..c114c52776 100644 --- a/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +++ b/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py @@ -18,29 +18,23 @@ class PaymentReconciliation(Document): def get_jv_entries(self): self.check_mandatory_to_fetch() dr_or_cr = "credit" if self.party_type == "Customer" else "debit" - if self.party_type=="Customer": - amount_query = "ifnull(t2.credit, 0) - ifnull(t2.debit, 0)" - else: - amount_query = "ifnull(t2.debit, 0) - ifnull(t2.credit, 0)" - - cond = self.check_condition(amount_query) + + cond = self.check_condition(dr_or_cr) bank_account_condition = "t2.against_account like %(bank_cash_account)s" \ if self.bank_cash_account else "1=1" jv_entries = frappe.db.sql(""" select - t1.name as voucher_no, t1.posting_date, t1.remark, t2.account, - t2.name as voucher_detail_no, {amount_query} as payment_amount, t2.is_advance + t1.name as voucher_no, t1.posting_date, t1.remark, t2.account, + t2.name as voucher_detail_no, {dr_or_cr} as payment_amount, t2.is_advance from `tabJournal Voucher` t1, `tabJournal Voucher Detail` t2 where t1.name = t2.parent and t1.docstatus = 1 and t2.docstatus = 1 - and t2.account = %(party_account)s and {amount_query} > 0 - and ifnull((select ifnull(sum(ifnull(credit, 0) - ifnull(debit, 0)), 0) from `tabJournal Voucher Detail` - where parent=t1.name and account=t2.account and docstatus=1 group by account), 0) > 0 - and ifnull(t2.against_voucher, '')='' and ifnull(t2.against_invoice, '')='' - and ifnull(t2.against_jv, '')='' {cond} + and t2.account = %(party_account)s and {dr_or_cr} > 0 + and ifnull(t2.against_voucher, '')='' and ifnull(t2.against_invoice, '')='' + and ifnull(t2.against_jv, '')='' {cond} and (CASE WHEN t1.voucher_type in ('Debit Note', 'Credit Note') THEN 1=1 @@ -50,7 +44,6 @@ class PaymentReconciliation(Document): "dr_or_cr": dr_or_cr, "cond": cond, "bank_account_condition": bank_account_condition, - "amount_query": amount_query }), { "party_account": self.party_account, "bank_cash_account": "%%%s%%" % self.bank_cash_account @@ -73,49 +66,42 @@ class PaymentReconciliation(Document): #Fetch JVs, Sales and Purchase Invoices for 'payment_reconciliation_invoices' to reconcile against non_reconciled_invoices = [] dr_or_cr = "debit" if self.party_type == "Customer" else "credit" - if self.party_type=="Customer": - amount_query = "ifnull(debit, 0) - ifnull(credit, 0)" - else: - amount_query = "ifnull(credit, 0) - ifnull(debit, 0)" - - cond = self.check_condition(amount_query) + cond = self.check_condition(dr_or_cr) invoice_list = frappe.db.sql(""" select - voucher_no, voucher_type, posting_date, - ifnull(sum({amount_query}), 0) as invoice_amount + voucher_no, voucher_type, posting_date, + ifnull(sum({dr_or_cr}), 0) as invoice_amount from `tabGL Entry` where - account = %s and {amount_query} > 0 {cond} + account = %s and {dr_or_cr} > 0 {cond} group by voucher_type, voucher_no """.format(**{ "cond": cond, - "amount_query": amount_query + "dr_or_cr": dr_or_cr }), (self.party_account), as_dict=True) for d in invoice_list: payment_amount = frappe.db.sql(""" select - ifnull(sum(ifnull({amount_query}, 0)), 0) + ifnull(sum(ifnull({0}, 0)), 0) from `tabGL Entry` where - account = %s and {amount_query} < 0 + account = %s and {0} > 0 and against_voucher_type = %s and ifnull(against_voucher, '') = %s - """.format(**{ - "cond": cond, - "amount_query": amount_query - }), (self.party_account, d.voucher_type, d.voucher_no)) - + """.format("credit" if self.party_type == "Customer" else "debit"), + (self.party_account, d.voucher_type, d.voucher_no)) + payment_amount = -1*payment_amount[0][0] if payment_amount else 0 if d.invoice_amount > payment_amount: non_reconciled_invoices.append({ - 'voucher_no': d.voucher_no, - 'voucher_type': d.voucher_type, - 'posting_date': d.posting_date, - 'invoice_amount': flt(d.invoice_amount), + 'voucher_no': d.voucher_no, + 'voucher_type': d.voucher_type, + 'posting_date': d.posting_date, + 'invoice_amount': flt(d.invoice_amount), 'outstanding_amount': d.invoice_amount - payment_amount}) self.add_invoice_entries(non_reconciled_invoices) @@ -123,7 +109,7 @@ class PaymentReconciliation(Document): def add_invoice_entries(self, non_reconciled_invoices): #Populate 'payment_reconciliation_invoices' with JVs and Invoices to reconcile against self.set('payment_reconciliation_invoices', []) - + for e in non_reconciled_invoices: ent = self.append('payment_reconciliation_invoices', {}) ent.invoice_type = e.get('voucher_type') @@ -166,14 +152,14 @@ class PaymentReconciliation(Document): def validate_invoice(self): if not self.get("payment_reconciliation_invoices"): frappe.throw(_("No records found in the Invoice table")) - + if not self.get("payment_reconciliation_payments"): frappe.throw(_("No records found in the Payment table")) - + unreconciled_invoices = frappe._dict() for d in self.get("payment_reconciliation_invoices"): unreconciled_invoices.setdefault(d.invoice_type, {}).setdefault(d.invoice_number, d.outstanding_amount) - + invoices_to_reconcile = [] for p in self.get("payment_reconciliation_payments"): if p.invoice_type and p.invoice_number: @@ -189,13 +175,13 @@ class PaymentReconciliation(Document): if not invoices_to_reconcile: frappe.throw(_("Please select Invoice Type and Invoice Number in atleast one row")) - def check_condition(self, amount_query): + def check_condition(self, dr_or_cr): cond = self.from_date and " and posting_date >= '" + self.from_date + "'" or "" cond += self.to_date and " and posting_date <= '" + self.to_date + "'" or "" if self.minimum_amount: - cond += " and {0} >= %s".format(amount_query) % self.minimum_amount + cond += " and {0} >= %s".format(dr_or_cr) % self.minimum_amount if self.maximum_amount: - cond += " and {0} <= %s".format(amount_query) % self.maximum_amount + cond += " and {0} <= %s".format(dr_or_cr) % self.maximum_amount - return cond \ No newline at end of file + return cond From 5145b1445b976a4647a612e0f9a5ec3427411de0 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Wed, 13 Aug 2014 16:29:05 +0530 Subject: [PATCH 523/630] Fixes in production planning tool --- .../production_planning_tool/production_planning_tool.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py b/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py index 6cee234420..14418a8b41 100644 --- a/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +++ b/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py @@ -122,7 +122,7 @@ class ProductionPlanningTool(Document): if self.fg_item: item_condition = ' and pi.item_code = "' + self.fg_item + '"' - packed_items = frappe.db.sql("""select distinct pi.parent, pi.item_code, pi.warehouse as reserved_warhouse, + packed_items = frappe.db.sql("""select distinct pi.parent, pi.item_code, pi.warehouse as warehouse, (((so_item.qty - ifnull(so_item.delivered_qty, 0)) * pi.qty) / so_item.qty) as pending_qty from `tabSales Order Item` so_item, `tabPacked Item` pi From 821aad52811850d9f2cfd01bbe0ba72c95eb54cf Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Wed, 13 Aug 2014 16:41:59 +0530 Subject: [PATCH 524/630] Sales/purchase return: fixes for qty validation --- erpnext/stock/doctype/stock_entry/stock_entry.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.py b/erpnext/stock/doctype/stock_entry/stock_entry.py index bdd760ba4a..cddfd9885f 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry.py +++ b/erpnext/stock/doctype/stock_entry/stock_entry.py @@ -327,7 +327,7 @@ class StockEntry(StockController): frappe.DoesNotExistError) # validate quantity <= ref item's qty - qty already returned - ref_item_qty = sum([flt(d.qty) for d in ref.doc.get({"item_code": item.item_code})]) + ref_item_qty = sum([flt(d.qty)*flt(d.conversion_factor) for d in ref.doc.get({"item_code": item.item_code})]) returnable_qty = ref_item_qty - flt(already_returned_item_qty.get(item.item_code)) if not returnable_qty: frappe.throw(_("Item {0} has already been returned").format(item.item_code), StockOverReturnError) From 54498452b68655189e90351c8376adc85d5c9840 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Thu, 14 Aug 2014 15:49:44 +0530 Subject: [PATCH 525/630] Stock entry minor fix --- erpnext/stock/doctype/stock_entry/stock_entry.py | 5 ++++- 1 file changed, 4 insertions(+), 1 deletion(-) diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.py b/erpnext/stock/doctype/stock_entry/stock_entry.py index cddfd9885f..fd673a3200 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry.py +++ b/erpnext/stock/doctype/stock_entry/stock_entry.py @@ -327,7 +327,10 @@ class StockEntry(StockController): frappe.DoesNotExistError) # validate quantity <= ref item's qty - qty already returned - ref_item_qty = sum([flt(d.qty)*flt(d.conversion_factor) for d in ref.doc.get({"item_code": item.item_code})]) + if self.purpose == "Purchase Return": + ref_item_qty = sum([flt(d.qty)*flt(d.conversion_factor) for d in ref.doc.get({"item_code": item.item_code})]) + elif self.purpose == "Sales Return": + ref_item_qty = sum([flt(d.qty) for d in ref.doc.get({"item_code": item.item_code})]) returnable_qty = ref_item_qty - flt(already_returned_item_qty.get(item.item_code)) if not returnable_qty: frappe.throw(_("Item {0} has already been returned").format(item.item_code), StockOverReturnError) From eb3943548150e0f650ac64fcfcfaa8a704cc6de8 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Thu, 14 Aug 2014 18:08:19 +0530 Subject: [PATCH 526/630] [hotfix] Allow on submit for Projected Qty --- erpnext/selling/doctype/sales_order_item/sales_order_item.json | 3 ++- .../doctype/material_request_item/material_request_item.json | 3 ++- 2 files changed, 4 insertions(+), 2 deletions(-) diff --git a/erpnext/selling/doctype/sales_order_item/sales_order_item.json b/erpnext/selling/doctype/sales_order_item/sales_order_item.json index d726a44b26..9afc6565aa 100644 --- a/erpnext/selling/doctype/sales_order_item/sales_order_item.json +++ b/erpnext/selling/doctype/sales_order_item/sales_order_item.json @@ -313,6 +313,7 @@ "permlevel": 0 }, { + "allow_on_submit": 1, "fieldname": "projected_qty", "fieldtype": "Float", "hidden": 0, @@ -433,7 +434,7 @@ ], "idx": 1, "istable": 1, - "modified": "2014-08-11 03:57:27.705699", + "modified": "2014-08-14 08:36:39.773447", "modified_by": "Administrator", "module": "Selling", "name": "Sales Order Item", diff --git a/erpnext/stock/doctype/material_request_item/material_request_item.json b/erpnext/stock/doctype/material_request_item/material_request_item.json index 56d4121868..8fc9df51b7 100644 --- a/erpnext/stock/doctype/material_request_item/material_request_item.json +++ b/erpnext/stock/doctype/material_request_item/material_request_item.json @@ -197,6 +197,7 @@ "width": "70px" }, { + "allow_on_submit": 1, "fieldname": "projected_qty", "fieldtype": "Float", "label": "Projected Qty", @@ -234,7 +235,7 @@ ], "idx": 1, "istable": 1, - "modified": "2014-08-07 07:12:47.994668", + "modified": "2014-08-14 08:37:28.991681", "modified_by": "Administrator", "module": "Stock", "name": "Material Request Item", From 5e27a759b7e1c96326a58c93d10e892ab3bc8b37 Mon Sep 17 00:00:00 2001 From: Dhaifallah Alwadani Date: Sat, 16 Aug 2014 18:11:48 +0100 Subject: [PATCH 527/630] Improve Arabic translation --- erpnext/translations/ar.csv | 24 ++++++++++++------------ 1 file changed, 12 insertions(+), 12 deletions(-) diff --git a/erpnext/translations/ar.csv b/erpnext/translations/ar.csv index 8893c96389..025a37dbfe 100644 --- a/erpnext/translations/ar.csv +++ b/erpnext/translations/ar.csv @@ -1,4 +1,4 @@ - (Half Day),(نصف يوم) + (Half Day),(نصف يوم) and year: ,والسنة: """ does not exists",""" لا يوجد" % Delivered,ألقيت٪ @@ -1121,7 +1121,7 @@ From Date must be before To Date,يجب أن تكون من تاريخ إلى ت From Date should be within the Fiscal Year. Assuming From Date = {0},من التسجيل ينبغي أن يكون ضمن السنة المالية. على افتراض من التسجيل = {0} From Delivery Note,من التسليم ملاحظة From Employee,من موظف -From Lead,من الرصاص +From Lead,من العميل المحتمل From Maintenance Schedule,من جدول الصيانة From Material Request,من المواد طلب From Opportunity,من الفرص @@ -1138,7 +1138,7 @@ From value must be less than to value in row {0},من القيمة يجب أن Frozen,تجميد Frozen Accounts Modifier,الحسابات المجمدة معدل Fulfilled,الوفاء -Full Name,بدر تام +Full Name,الاسم الكامل Full-time,بدوام كامل Fully Billed,وصفت تماما Fully Completed,يكتمل @@ -1848,7 +1848,7 @@ Note: System will not check over-delivery and over-booking for Item {0} as quant Note: There is not enough leave balance for Leave Type {0},ملاحظة : ليس هناك ما يكفي من التوازن إجازة ل إجازة نوع {0} Note: This Cost Center is a Group. Cannot make accounting entries against groups.,ملاحظة : هذا هو مركز التكلفة المجموعة . لا يمكن إجراء القيود المحاسبية ضد الجماعات . Note: {0},ملاحظة : {0} -Notes,تلاحظ +Notes,ملاحظات Notes:,الملاحظات : Nothing to request,شيء أن تطلب Notice (days),إشعار (أيام ) @@ -1936,7 +1936,7 @@ POP3 server e.g. (pop.gmail.com),خادم POP3 مثل (pop.gmail.com) POS Setting,POS إعداد POS Setting required to make POS Entry,إعداد POS المطلوبة لجعل دخول POS POS Setting {0} already created for user: {1} and company {2},إعداد POS {0} تم إنشاؤها مسبقا للمستخدم : {1} و شركة {2} -POS View,POS مشاهدة +POS View,عرض نقطة مبيعات PR Detail,PR التفاصيل Package Item Details,تفاصيل حزمة الإغلاق Package Items,حزمة البنود @@ -2143,7 +2143,7 @@ Please submit to update Leave Balance.,يرجى تقديم لتحديث اترك Plot,مؤامرة Plot By,مؤامرة بواسطة Point of Sale,نقطة بيع -Point-of-Sale Setting,نقطة من بيع إعداد +Point-of-Sale Setting,إعداد نقاط البيع Post Graduate,دكتوراة Postal,بريدي Postal Expenses,المصروفات البريدية @@ -2243,8 +2243,8 @@ Purchase Analytics,شراء تحليلات Purchase Common,شراء المشتركة Purchase Details,تفاصيل شراء Purchase Discounts,شراء خصومات -Purchase Invoice,شراء الفاتورة -Purchase Invoice Advance,فاتورة الشراء مقدما +Purchase Invoice,فاتورة شراء +Purchase Invoice Advance,مقدم فاتورة الشراء Purchase Invoice Advances,شراء السلف الفاتورة Purchase Invoice Item,شراء السلعة الفاتورة Purchase Invoice Trends,شراء اتجاهات الفاتورة @@ -2264,7 +2264,7 @@ Purchase Order number required for Item {0},عدد طلب شراء مطلوب ا Purchase Order {0} is 'Stopped',شراء بالدفع {0} ' توقف ' Purchase Order {0} is not submitted,طلب شراء {0} لم تقدم Purchase Orders given to Suppliers.,أوامر الشراء نظرا للموردين. -Purchase Receipt,شراء استلام +Purchase Receipt,ايصال شراء Purchase Receipt Item,شراء السلعة استلام Purchase Receipt Item Supplied,شراء السلعة استلام الموردة Purchase Receipt Item Supplieds,شراء السلعة استلام Supplieds @@ -2569,7 +2569,7 @@ Sales Order required for Item {0},ترتيب المبيعات المطلوبة Sales Order {0} is not submitted,ترتيب المبيعات {0} لم تقدم Sales Order {0} is not valid,ترتيب المبيعات {0} غير صالح Sales Order {0} is stopped,ترتيب المبيعات {0} توقفت -Sales Partner,مبيعات الشريك +Sales Partner,شريك مبيعات Sales Partner Name,مبيعات الشريك الاسم Sales Partner Target,مبيعات الشريك الهدف Sales Partners Commission,مبيعات اللجنة الشركاء @@ -2772,7 +2772,7 @@ Sports,الرياضة Sr,ريال Standard,معيار Standard Buying,شراء القياسية -Standard Reports,تقارير القياسية +Standard Reports,تقارير قياسية Standard Selling,البيع القياسية Standard contract terms for Sales or Purchase.,شروط العقد القياسية ل مبيعات أو شراء . Start,بداية @@ -2788,7 +2788,7 @@ Status of {0} {1} is now {2},حالة {0} {1} الآن {2} Status updated to {0},الحالة المحدثة إلى {0} Statutory info and other general information about your Supplier,معلومات قانونية ومعلومات عامة أخرى عن بريدا Stay Updated,تحديث البقاء -Stock,الأوراق المالية +Stock,المخزون Stock Adjustment,الأسهم التكيف Stock Adjustment Account,حساب تسوية الأوراق المالية Stock Ageing,الأسهم شيخوخة From 62aa8fa4e7c3ccf71770c80e4c55abc2e3684b23 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Mon, 18 Aug 2014 12:53:37 +0530 Subject: [PATCH 528/630] [minor] Removed 'PIN: ' from default Address Template --- .../utilities/doctype/address_template/address_template.json | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/erpnext/utilities/doctype/address_template/address_template.json b/erpnext/utilities/doctype/address_template/address_template.json index ba512fc698..78af51ddc7 100644 --- a/erpnext/utilities/doctype/address_template/address_template.json +++ b/erpnext/utilities/doctype/address_template/address_template.json @@ -24,7 +24,7 @@ "permlevel": 0 }, { - "default": "{{ address_line1 }}
{% if address_line2 %}{{ address_line2 }}
{% endif -%}\n{{ city }}
\n{% if state %}{{ state }}
{% endif -%}\n{% if pincode %}PIN: {{ pincode }}
{% endif -%}\n{{ country }}
\n{% if phone %}Phone: {{ phone }}
{% endif -%}\n{% if fax %}Fax: {{ fax }}
{% endif -%}\n{% if email_id %}Email: {{ email_id }}
{% endif -%}\n", + "default": "{{ address_line1 }}
{% if address_line2 %}{{ address_line2 }}
{% endif -%}\n{{ city }}
\n{% if state %}{{ state }}
{% endif -%}\n{% if pincode %}{{ pincode }}
{% endif -%}\n{{ country }}
\n{% if phone %}Phone: {{ phone }}
{% endif -%}\n{% if fax %}Fax: {{ fax }}
{% endif -%}\n{% if email_id %}Email: {{ email_id }}
{% endif -%}\n", "description": "

Default Template

\n

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

\n
{{ address_line1 }}<br>\n{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}\n{{ city }}<br>\n{% if state %}{{ state }}<br>{% endif -%}\n{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}\n{{ country }}<br>\n{% if phone %}Phone: {{ phone }}<br>{% endif -%}\n{% if fax %}Fax: {{ fax }}<br>{% endif -%}\n{% if email_id %}Email: {{ email_id }}<br>{% endif -%}\n
", "fieldname": "template", "fieldtype": "Code", @@ -33,7 +33,7 @@ } ], "icon": "icon-map-marker", - "modified": "2014-06-05 06:14:15.200689", + "modified": "2014-08-18 06:14:15.200689", "modified_by": "Administrator", "module": "Utilities", "name": "Address Template", From dcce0c86edd90b5e24d10a84e2b2da7d31ce01ef Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Mon, 18 Aug 2014 15:37:03 +0530 Subject: [PATCH 529/630] Minimum ordered qty validation --- erpnext/buying/doctype/purchase_order/purchase_order.py | 9 +++++++-- 1 file changed, 7 insertions(+), 2 deletions(-) diff --git a/erpnext/buying/doctype/purchase_order/purchase_order.py b/erpnext/buying/doctype/purchase_order/purchase_order.py index d9035f40c5..6c7c0c6d08 100644 --- a/erpnext/buying/doctype/purchase_order/purchase_order.py +++ b/erpnext/buying/doctype/purchase_order/purchase_order.py @@ -70,9 +70,14 @@ class PurchaseOrder(BuyingController): def validate_minimum_order_qty(self): itemwise_min_order_qty = frappe._dict(frappe.db.sql("select name, min_order_qty from tabItem")) + itemwise_qty = frappe._dict() for d in self.get("po_details"): - if flt(d.stock_qty) < flt(itemwise_min_order_qty.get(d.item_code)): - frappe.throw(_("Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).").format(d.idx)) + itemwise_qty.setdefault(d.item_code, 0) + itemwise_qty[d.item_code] += flt(d.stock_qty) + + for item_code, qty in itemwise_qty.items(): + if flt(qty) < flt(itemwise_min_order_qty.get(item_code)): + frappe.throw(_("Item #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).").format(item_code)) def get_schedule_dates(self): for d in self.get('po_details'): From 32a3a86a001556f1afc3383c8962dc99318a1795 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Mon, 18 Aug 2014 15:38:04 +0530 Subject: [PATCH 530/630] General ledger report: invalid account --- erpnext/accounts/report/general_ledger/general_ledger.py | 3 +++ 1 file changed, 3 insertions(+) diff --git a/erpnext/accounts/report/general_ledger/general_ledger.py b/erpnext/accounts/report/general_ledger/general_ledger.py index dd8052835e..fcacf7ce3d 100644 --- a/erpnext/accounts/report/general_ledger/general_ledger.py +++ b/erpnext/accounts/report/general_ledger/general_ledger.py @@ -20,6 +20,9 @@ def execute(filters=None): return columns, res def validate_filters(filters, account_details): + if filters.get("account") and not account_details.get(filters.account): + frappe.throw(_("Account {0} does not exists").format(filters.account)) + if filters.get("account") and filters.get("group_by_account") \ and account_details[filters.account].group_or_ledger == "Ledger": frappe.throw(_("Can not filter based on Account, if grouped by Account")) From 448c9b71c12871e5ee5c062678074b1bff7b63f1 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Mon, 18 Aug 2014 15:38:53 +0530 Subject: [PATCH 531/630] minot fix in material request --- .../material_request/material_request.py | 21 +++++++++++-------- 1 file changed, 12 insertions(+), 9 deletions(-) diff --git a/erpnext/stock/doctype/material_request/material_request.py b/erpnext/stock/doctype/material_request/material_request.py index 89121e322c..10b5114f40 100644 --- a/erpnext/stock/doctype/material_request/material_request.py +++ b/erpnext/stock/doctype/material_request/material_request.py @@ -287,15 +287,18 @@ def make_purchase_order_based_on_supplier(source_name, target_doc=None): def get_material_requests_based_on_supplier(supplier): supplier_items = [d[0] for d in frappe.db.get_values("Item", {"default_supplier": supplier})] - material_requests = frappe.db.sql_list("""select distinct mr.name - from `tabMaterial Request` mr, `tabMaterial Request Item` mr_item - where mr.name = mr_item.parent - and mr_item.item_code in (%s) - and mr.material_request_type = 'Purchase' - and ifnull(mr.per_ordered, 0) < 99.99 - and mr.docstatus = 1 - and mr.status != 'Stopped'""" % ', '.join(['%s']*len(supplier_items)), - tuple(supplier_items)) + if supplier_items: + material_requests = frappe.db.sql_list("""select distinct mr.name + from `tabMaterial Request` mr, `tabMaterial Request Item` mr_item + where mr.name = mr_item.parent + and mr_item.item_code in (%s) + and mr.material_request_type = 'Purchase' + and ifnull(mr.per_ordered, 0) < 99.99 + and mr.docstatus = 1 + and mr.status != 'Stopped'""" % ', '.join(['%s']*len(supplier_items)), + tuple(supplier_items)) + else: + material_requests = [] return material_requests, supplier_items @frappe.whitelist() From 6394f5b1a9c66a16ae91eec4b4d21aef0671a9b9 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Mon, 18 Aug 2014 15:39:32 +0530 Subject: [PATCH 532/630] minot fix in pro order --- .../manufacturing/doctype/production_order/production_order.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/manufacturing/doctype/production_order/production_order.py b/erpnext/manufacturing/doctype/production_order/production_order.py index 1486d2a684..99a248bf1b 100644 --- a/erpnext/manufacturing/doctype/production_order/production_order.py +++ b/erpnext/manufacturing/doctype/production_order/production_order.py @@ -47,7 +47,7 @@ class ProductionOrder(Document): self.validate_production_order_against_so() else: - frappe.throw(_("Sales Order {0} is not valid") % self.sales_order) + frappe.throw(_("Sales Order {0} is not valid").format(self.sales_order)) def validate_warehouse(self): from erpnext.stock.utils import validate_warehouse_company From c41a9480b89b9e1921b40b79c91a316dacdadd3d Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Mon, 18 Aug 2014 15:40:15 +0530 Subject: [PATCH 533/630] Credit limit fixes --- erpnext/accounts/doctype/account/account.py | 2 +- erpnext/controllers/selling_controller.py | 24 +++++++++++++++------ 2 files changed, 19 insertions(+), 7 deletions(-) diff --git a/erpnext/accounts/doctype/account/account.py b/erpnext/accounts/doctype/account/account.py index 2f60dca904..e067c70bf0 100644 --- a/erpnext/accounts/doctype/account/account.py +++ b/erpnext/accounts/doctype/account/account.py @@ -165,7 +165,7 @@ class Account(Document): # If outstanding greater than credit limit and not authorized person raise exception if credit_limit > 0 and flt(total_outstanding) > credit_limit \ and not self.get_authorized_user(): - throw(_("{0} Credit limit {0} crossed").format(_(credit_limit_from), credit_limit)) + throw(_("{0} Credit limit {1} crossed").format(_(credit_limit_from), credit_limit)) def validate_due_date(self, posting_date, due_date): credit_days = (self.credit_days or frappe.db.get_value("Company", self.company, "credit_days")) diff --git a/erpnext/controllers/selling_controller.py b/erpnext/controllers/selling_controller.py index dd58758546..e758dd1a70 100644 --- a/erpnext/controllers/selling_controller.py +++ b/erpnext/controllers/selling_controller.py @@ -151,7 +151,7 @@ class SellingController(StockController): cumulated_tax_fraction += tax.tax_fraction_for_current_item - if cumulated_tax_fraction and not self.discount_amount_applied: + if cumulated_tax_fraction and not self.discount_amount_applied and item.qty: item.base_amount = flt((item.amount * self.conversion_rate) / (1 + cumulated_tax_fraction), self.precision("base_amount", item)) @@ -308,14 +308,23 @@ class SellingController(StockController): customer_account = frappe.db.get_value("Account", {"company": self.company, "master_name": self.customer}, "name") if customer_account: - total_outstanding = frappe.db.sql("""select + invoice_outstanding = frappe.db.sql("""select sum(ifnull(debit, 0)) - sum(ifnull(credit, 0)) from `tabGL Entry` where account = %s""", customer_account) - total_outstanding = total_outstanding[0][0] if total_outstanding else 0 + invoice_outstanding = flt(invoice_outstanding[0][0]) if invoice_outstanding else 0 - outstanding_including_current = flt(total_outstanding) + flt(grand_total) - frappe.get_doc('Account', customer_account).run_method("check_credit_limit", - outstanding_including_current) + ordered_amount_to_be_billed = frappe.db.sql(""" + select sum(grand_total*(100 - ifnull(per_billed, 0))/100) + from `tabSales Order` + where customer=%s and docstatus = 1 + and ifnull(per_billed, 0) < 100 and status != 'Stopped'""", self.customer) + + ordered_amount_to_be_billed = flt(ordered_amount_to_be_billed[0][0]) \ + if ordered_amount_to_be_billed else 0.0 + + total_outstanding = invoice_outstanding + ordered_amount_to_be_billed + + frappe.get_doc('Account', customer_account).check_credit_limit(total_outstanding) def validate_max_discount(self): for d in self.get(self.fname): @@ -330,6 +339,9 @@ class SellingController(StockController): reserved_warehouse = "" reserved_qty_for_main_item = 0 + if not d.qty: + frappe.throw(_("Row {0}: Qty is mandatory").format(d.idx)) + if self.doctype == "Sales Order": if (frappe.db.get_value("Item", d.item_code, "is_stock_item") == 'Yes' or self.has_sales_bom(d.item_code)) and not d.warehouse: From e4c434ab6ff1067e3e981972cb4de6c2768c1502 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Mon, 18 Aug 2014 17:03:35 +0530 Subject: [PATCH 534/630] [fix] Leave Application Calendar --- .../hr/doctype/leave_application/leave_application.py | 9 +++++++-- 1 file changed, 7 insertions(+), 2 deletions(-) diff --git a/erpnext/hr/doctype/leave_application/leave_application.py b/erpnext/hr/doctype/leave_application/leave_application.py index 124e309c4c..3222a0c216 100755 --- a/erpnext/hr/doctype/leave_application/leave_application.py +++ b/erpnext/hr/doctype/leave_application/leave_application.py @@ -242,8 +242,13 @@ def is_lwp(leave_type): @frappe.whitelist() def get_events(start, end): events = [] - employee = frappe.db.get_default("employee", frappe.session.user) - company = frappe.db.get_default("company", frappe.session.user) + + employee = frappe.db.get_value("Employee", {"user_id": frappe.session.user}, ["name", "company"], + as_dict=True) + if not employee: + return events + + employee, company = employee.name, employee.company from frappe.widgets.reportview import build_match_conditions match_conditions = build_match_conditions("Leave Application") From 6ab831b3870e6a3808cbedacb0a038458b0fd123 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Mon, 18 Aug 2014 19:04:19 +0530 Subject: [PATCH 535/630] Allow Default Warehouse for Item, even if not a Stock Item --- erpnext/stock/doctype/item/item.json | 4 ++-- erpnext/stock/doctype/packed_item/packed_item.py | 4 +--- 2 files changed, 3 insertions(+), 5 deletions(-) diff --git a/erpnext/stock/doctype/item/item.json b/erpnext/stock/doctype/item/item.json index 88109bbf9c..45b423271a 100644 --- a/erpnext/stock/doctype/item/item.json +++ b/erpnext/stock/doctype/item/item.json @@ -175,7 +175,7 @@ "reqd": 1 }, { - "depends_on": "eval:doc.is_stock_item==\"Yes\"", + "depends_on": "", "description": "Mandatory if Stock Item is \"Yes\". Also the default warehouse where reserved quantity is set from Sales Order.", "fieldname": "default_warehouse", "fieldtype": "Link", @@ -825,7 +825,7 @@ "icon": "icon-tag", "idx": 1, "max_attachments": 1, - "modified": "2014-07-03 10:45:19.574737", + "modified": "2014-08-18 09:32:57.268763", "modified_by": "Administrator", "module": "Stock", "name": "Item", diff --git a/erpnext/stock/doctype/packed_item/packed_item.py b/erpnext/stock/doctype/packed_item/packed_item.py index f04625b349..9263907da1 100644 --- a/erpnext/stock/doctype/packed_item/packed_item.py +++ b/erpnext/stock/doctype/packed_item/packed_item.py @@ -67,12 +67,10 @@ def make_packing_list(obj, item_table_fieldname): packing_list_idx = 0 parent_items = [] for d in obj.get(item_table_fieldname): - warehouse = (item_table_fieldname == "sales_order_details") \ - and d.warehouse or d.warehouse if frappe.db.get_value("Sales BOM", {"new_item_code": d.item_code}): for i in get_sales_bom_items(d.item_code): update_packing_list_item(obj, i['item_code'], flt(i['qty'])*flt(d.qty), - warehouse, d, packing_list_idx) + d.warehouse, d, packing_list_idx) if [d.item_code, d.name] not in parent_items: parent_items.append([d.item_code, d.name]) From f72de95a38a05e63fded93e302d14df16e310d33 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Mon, 18 Aug 2014 19:51:47 +0530 Subject: [PATCH 536/630] [fix] SMS Center --- erpnext/selling/doctype/sms_center/sms_center.py | 6 ++---- 1 file changed, 2 insertions(+), 4 deletions(-) diff --git a/erpnext/selling/doctype/sms_center/sms_center.py b/erpnext/selling/doctype/sms_center/sms_center.py index 8c4cad3207..d53a20ec89 100644 --- a/erpnext/selling/doctype/sms_center/sms_center.py +++ b/erpnext/selling/doctype/sms_center/sms_center.py @@ -18,12 +18,10 @@ class SMSCenter(Document): where_clause = self.customer and " and customer = '%s'" % \ self.customer.replace("'", "\'") or " and ifnull(customer, '') != ''" if self.send_to == 'All Supplier Contact': - where_clause = self.supplier and \ - " and ifnull(is_supplier, 0) = 1 and supplier = '%s'" % \ + where_clause = self.supplier and " and supplier = '%s'" % \ self.supplier.replace("'", "\'") or " and ifnull(supplier, '') != ''" if self.send_to == 'All Sales Partner Contact': - where_clause = self.sales_partner and \ - " and ifnull(is_sales_partner, 0) = 1 and sales_partner = '%s'" % \ + where_clause = self.sales_partner and " and sales_partner = '%s'" % \ self.sales_partner.replace("'", "\'") or " and ifnull(sales_partner, '') != ''" if self.send_to in ['All Contact', 'All Customer Contact', 'All Supplier Contact', 'All Sales Partner Contact']: From 9c3535307fcc51222637049b50db682d4b0b2a24 Mon Sep 17 00:00:00 2001 From: Neil Trini Lasrado Date: Tue, 19 Aug 2014 10:41:34 +0530 Subject: [PATCH 537/630] [fix] frappe/erpnext#1510 --- .../accounts/doctype/purchase_invoice/purchase_invoice.json | 4 ++-- erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py | 3 +-- 2 files changed, 3 insertions(+), 4 deletions(-) diff --git a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.json b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.json index 9d85cdb96b..d3e99d5e07 100755 --- a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.json +++ b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.json @@ -117,7 +117,7 @@ "search_index": 1 }, { - "description": "If not applicable please enter: NA", + "description": "", "fieldname": "bill_no", "fieldtype": "Data", "in_filter": 1, @@ -758,7 +758,7 @@ "icon": "icon-file-text", "idx": 1, "is_submittable": 1, - "modified": "2014-08-12 05:25:16.261614", + "modified": "2014-08-19 10:36:33.177267", "modified_by": "Administrator", "module": "Accounts", "name": "Purchase Invoice", diff --git a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py index 68a21d9117..2c762f3a23 100644 --- a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +++ b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py @@ -89,8 +89,7 @@ class PurchaseInvoice(BuyingController): throw(_("Conversion rate cannot be 0 or 1")) def validate_bill_no(self): - if self.bill_no and self.bill_no.lower().strip() \ - not in ['na', 'not applicable', 'none']: + if self.bill_no: b_no = frappe.db.sql("""select bill_no, name, ifnull(is_opening,'') from `tabPurchase Invoice` where bill_no = %s and credit_to = %s and docstatus = 1 and name != %s""", (self.bill_no, self.credit_to, self.name)) From 78b63663254de23d6b0eac588ae1ab9629025832 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Tue, 19 Aug 2014 12:20:48 +0530 Subject: [PATCH 538/630] [fix] Error Reports --- erpnext/controllers/stock_controller.py | 22 +++++++++---------- .../doctype/customer_group/customer_group.js | 3 +-- 2 files changed, 11 insertions(+), 14 deletions(-) diff --git a/erpnext/controllers/stock_controller.py b/erpnext/controllers/stock_controller.py index a1d9a5b00d..2460a26de4 100644 --- a/erpnext/controllers/stock_controller.py +++ b/erpnext/controllers/stock_controller.py @@ -166,21 +166,19 @@ class StockController(AccountsController): def get_future_stock_vouchers(self): - future_stock_vouchers = [] - - if hasattr(self, "fname"): + condition = "" + item_list = [] + if getattr(self, "fname", None): item_list = [d.item_code for d in self.get(self.fname)] - condition = ''.join(['and item_code in (\'', '\', \''.join(item_list) ,'\')']) - else: - condition = "" + if item_list: + condition = "and item_code in ({})".format(", ".join(["%s"] * len(item_list))) - for d in frappe.db.sql("""select distinct sle.voucher_type, sle.voucher_no + future_stock_vouchers = frappe.db.sql("""select distinct sle.voucher_type, sle.voucher_no from `tabStock Ledger Entry` sle - where timestamp(sle.posting_date, sle.posting_time) >= timestamp(%s, %s) %s - order by timestamp(sle.posting_date, sle.posting_time) asc, name asc""" % - ('%s', '%s', condition), (self.posting_date, self.posting_time), - as_dict=True): - future_stock_vouchers.append([d.voucher_type, d.voucher_no]) + where timestamp(sle.posting_date, sle.posting_time) >= timestamp(%s, %s) {condition} + order by timestamp(sle.posting_date, sle.posting_time) asc, name asc""".format( + condition=condition), tuple([self.posting_date, self.posting_date] + item_list), + as_list=True) return future_stock_vouchers diff --git a/erpnext/setup/doctype/customer_group/customer_group.js b/erpnext/setup/doctype/customer_group/customer_group.js index 03c5c2bfdf..2e8cd7e6c4 100644 --- a/erpnext/setup/doctype/customer_group/customer_group.js +++ b/erpnext/setup/doctype/customer_group/customer_group.js @@ -19,8 +19,7 @@ cur_frm.cscript.set_root_readonly = function(doc) { //get query select Customer Group cur_frm.fields_dict['parent_customer_group'].get_query = function(doc,cdt,cdn) { - return{ - searchfield:['name', 'parent_customer_group'], + return { filters: { 'is_group': "Yes" } From 2026148dbe6d5e8e2c9701b7db0d1041be662307 Mon Sep 17 00:00:00 2001 From: Neil Trini Lasrado Date: Tue, 19 Aug 2014 12:22:45 +0530 Subject: [PATCH 539/630] [fix issue No #1510] --- erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py index 2c762f3a23..fdd669bc7c 100644 --- a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +++ b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py @@ -88,7 +88,7 @@ class PurchaseInvoice(BuyingController): if (self.currency == default_currency and flt(self.conversion_rate) != 1.00) or not self.conversion_rate or (self.currency != default_currency and flt(self.conversion_rate) == 1.00): throw(_("Conversion rate cannot be 0 or 1")) - def validate_bill_no(self): +''' def validate_bill_no(self): if self.bill_no: b_no = frappe.db.sql("""select bill_no, name, ifnull(is_opening,'') from `tabPurchase Invoice` where bill_no = %s and credit_to = %s and docstatus = 1 and name != %s""", @@ -103,7 +103,7 @@ class PurchaseInvoice(BuyingController): if not self.remarks: self.remarks = "No Remarks" - +''' def validate_credit_acc(self): if frappe.db.get_value("Account", self.credit_to, "report_type") != "Balance Sheet": frappe.throw(_("Account must be a balance sheet account")) From 67e14a48b83740776ca22473543eb49db7da6125 Mon Sep 17 00:00:00 2001 From: Neil Trini Lasrado Date: Tue, 19 Aug 2014 12:35:14 +0530 Subject: [PATCH 540/630] [fix issue No #1510] --- .../purchase_invoice/purchase_invoice.json | 4 ++-- .../purchase_invoice/purchase_invoice.py | 17 ----------------- 2 files changed, 2 insertions(+), 19 deletions(-) diff --git a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.json b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.json index d3e99d5e07..fb991ceba7 100755 --- a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.json +++ b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.json @@ -127,7 +127,7 @@ "permlevel": 0, "print_hide": 1, "read_only": 0, - "reqd": 1, + "reqd": 0, "search_index": 1 }, { @@ -758,7 +758,7 @@ "icon": "icon-file-text", "idx": 1, "is_submittable": 1, - "modified": "2014-08-19 10:36:33.177267", + "modified": "2014-08-19 12:01:12.133942", "modified_by": "Administrator", "module": "Accounts", "name": "Purchase Invoice", diff --git a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py index fdd669bc7c..6f4dad09ef 100644 --- a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +++ b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py @@ -47,7 +47,6 @@ class PurchaseInvoice(BuyingController): self.pr_required() self.check_active_purchase_items() self.check_conversion_rate() - self.validate_bill_no() self.validate_credit_acc() self.clear_unallocated_advances("Purchase Invoice Advance", "advance_allocation_details") self.check_for_acc_head_of_supplier() @@ -88,22 +87,6 @@ class PurchaseInvoice(BuyingController): if (self.currency == default_currency and flt(self.conversion_rate) != 1.00) or not self.conversion_rate or (self.currency != default_currency and flt(self.conversion_rate) == 1.00): throw(_("Conversion rate cannot be 0 or 1")) -''' def validate_bill_no(self): - if self.bill_no: - b_no = frappe.db.sql("""select bill_no, name, ifnull(is_opening,'') from `tabPurchase Invoice` - where bill_no = %s and credit_to = %s and docstatus = 1 and name != %s""", - (self.bill_no, self.credit_to, self.name)) - if b_no and cstr(b_no[0][2]) == cstr(self.is_opening): - throw(_("Bill No {0} already booked in Purchase Invoice {1}").format(cstr(b_no[0][0]), - cstr(b_no[0][1]))) - - if not self.remarks and self.bill_date: - self.remarks = (self.remarks or '') + "\n" \ - + _("Against Bill {0} dated {1}").format(self.bill_no, formatdate(self.bill_date)) - - if not self.remarks: - self.remarks = "No Remarks" -''' def validate_credit_acc(self): if frappe.db.get_value("Account", self.credit_to, "report_type") != "Balance Sheet": frappe.throw(_("Account must be a balance sheet account")) From 95b395505faa1be36ca73e70e7dfa77a4a62cd5d Mon Sep 17 00:00:00 2001 From: Neil Trini Lasrado Date: Tue, 19 Aug 2014 13:12:33 +0530 Subject: [PATCH 541/630] [new fix issue No #1510] --- .../accounts/doctype/purchase_invoice/purchase_invoice.py | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py index 6f4dad09ef..239b0125b4 100644 --- a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +++ b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py @@ -60,6 +60,14 @@ class PurchaseInvoice(BuyingController): self.update_valuation_rate("entries") self.validate_multiple_billing("Purchase Receipt", "pr_detail", "amount", "purchase_receipt_details") + self.create_remarks() + + def create_remarks(self): + if not self.remarks: + if self.bill_no and self.bill_date: + self.remarks = _("Against Bill {0} dated {1}").format(self.bill_no, formatdate(self.bill_date)) + else: + self.remarks = _("No Remarks") def set_missing_values(self, for_validate=False): if not self.credit_to: From 0a35effe49f8125ef250dfc877dea4201b47ad5b Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Tue, 19 Aug 2014 12:39:40 +0530 Subject: [PATCH 542/630] Precision issue in tax calculation --- .../purchase_invoice/purchase_invoice.py | 21 +++++++++---------- erpnext/controllers/accounts_controller.py | 2 +- erpnext/public/js/transaction.js | 2 +- 3 files changed, 12 insertions(+), 13 deletions(-) diff --git a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py index 68a21d9117..af7c85a83f 100644 --- a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +++ b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py @@ -273,10 +273,10 @@ class PurchaseInvoice(BuyingController): def make_gl_entries(self): auto_accounting_for_stock = \ cint(frappe.defaults.get_global_default("auto_accounting_for_stock")) - + stock_received_but_not_billed = self.get_company_default("stock_received_but_not_billed") expenses_included_in_valuation = self.get_company_default("expenses_included_in_valuation") - + gl_entries = [] # parent's gl entry @@ -329,32 +329,31 @@ class PurchaseInvoice(BuyingController): "cost_center": item.cost_center }) ) - + if auto_accounting_for_stock and item.item_code in stock_items and item.item_tax_amount: # Post reverse entry for Stock-Received-But-Not-Billed if it is booked in Purchase Receipt negative_expense_booked_in_pi = None if item.purchase_receipt: negative_expense_booked_in_pi = frappe.db.sql("""select name from `tabGL Entry` - where voucher_type='Purchase Receipt' and voucher_no=%s and account=%s""", + where voucher_type='Purchase Receipt' and voucher_no=%s and account=%s""", (item.purchase_receipt, expenses_included_in_valuation)) - + if not negative_expense_booked_in_pi: gl_entries.append( self.get_gl_dict({ "account": stock_received_but_not_billed, "against": self.credit_to, - "debit": flt(item.item_tax_amount), + "debit": flt(item.item_tax_amount, self.precision("item_tax_amount", item)), "remarks": self.remarks or "Accounting Entry for Stock" }) ) - - negative_expense_to_be_booked += flt(item.item_tax_amount) + negative_expense_to_be_booked += flt(item.item_tax_amount, self.precision("item_tax_amount", item)) if negative_expense_to_be_booked and valuation_tax: # credit valuation tax amount in "Expenses Included In Valuation" # this will balance out valuation amount included in cost of goods sold - + total_valuation_amount = sum(valuation_tax.values()) amount_including_divisional_loss = negative_expense_to_be_booked i = 1 @@ -364,7 +363,7 @@ class PurchaseInvoice(BuyingController): else: applicable_amount = negative_expense_to_be_booked * (amount / total_valuation_amount) amount_including_divisional_loss -= applicable_amount - + gl_entries.append( self.get_gl_dict({ "account": expenses_included_in_valuation, @@ -374,7 +373,7 @@ class PurchaseInvoice(BuyingController): "remarks": self.remarks or "Accounting Entry for Stock" }) ) - + i += 1 # writeoff account includes petty difference in the invoice amount diff --git a/erpnext/controllers/accounts_controller.py b/erpnext/controllers/accounts_controller.py index 3df62e7934..59a49afb22 100644 --- a/erpnext/controllers/accounts_controller.py +++ b/erpnext/controllers/accounts_controller.py @@ -209,7 +209,7 @@ class AccountsController(TransactionBase): def calculate_taxes(self): # maintain actual tax rate based on idx - actual_tax_dict = dict([[tax.idx, tax.rate] for tax in self.tax_doclist + actual_tax_dict = dict([[tax.idx, flt(tax.rate, self.precision("tax_amount", tax))] for tax in self.tax_doclist if tax.charge_type == "Actual"]) for n, item in enumerate(self.item_doclist): diff --git a/erpnext/public/js/transaction.js b/erpnext/public/js/transaction.js index dd11fab6f9..801ea57d21 100644 --- a/erpnext/public/js/transaction.js +++ b/erpnext/public/js/transaction.js @@ -647,7 +647,7 @@ erpnext.TransactionController = erpnext.stock.StockController.extend({ // maintain actual tax rate based on idx $.each(this.frm.tax_doclist, function(i, tax) { if (tax.charge_type == "Actual") { - actual_tax_dict[tax.idx] = flt(tax.rate); + actual_tax_dict[tax.idx] = flt(tax.rate, precision("tax_amount", tax)); } }); From cca6460e65ceac1001ceed2faf085c35392d297a Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Tue, 19 Aug 2014 16:05:54 +0530 Subject: [PATCH 543/630] [fix] Error Reports --- erpnext/accounts/doctype/pricing_rule/pricing_rule.py | 6 ++++-- .../production_planning_tool/production_planning_tool.py | 2 +- erpnext/stock/doctype/material_request/material_request.js | 2 +- 3 files changed, 6 insertions(+), 4 deletions(-) diff --git a/erpnext/accounts/doctype/pricing_rule/pricing_rule.py b/erpnext/accounts/doctype/pricing_rule/pricing_rule.py index 9a3b3121f4..076cccc179 100644 --- a/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +++ b/erpnext/accounts/doctype/pricing_rule/pricing_rule.py @@ -135,8 +135,10 @@ def get_pricing_rule_for_item(args): frappe.throw(_("Item Group not mentioned in item master for item {0}").format(args.item_code)) if args.customer and not (args.customer_group and args.territory): - args.customer_group, args.territory = frappe.db.get_value("Customer", args.customer, - ["customer_group", "territory"]) + customer = frappe.db.get_value("Customer", args.customer, ["customer_group", "territory"]) + if customer: + args.customer_group, args.territory = customer + elif args.supplier and not args.supplier_type: args.supplier_type = frappe.db.get_value("Supplier", args.supplier, "supplier_type") diff --git a/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py b/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py index 14418a8b41..0d55f8bb5e 100644 --- a/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +++ b/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py @@ -324,7 +324,7 @@ class ProductionPlanningTool(Document): total_qty = sum([flt(d[0]) for d in so_item_qty]) if total_qty > item_projected_qty.get(item, 0): # shortage - requested_qty = total_qty - item_projected_qty.get(item, 0) + requested_qty = total_qty - flt(item_projected_qty.get(item)) # consider minimum order qty requested_qty = requested_qty > flt(so_item_qty[0][3]) and \ requested_qty or flt(so_item_qty[0][3]) diff --git a/erpnext/stock/doctype/material_request/material_request.js b/erpnext/stock/doctype/material_request/material_request.js index e592f8df4d..3729b55c7e 100644 --- a/erpnext/stock/doctype/material_request/material_request.js +++ b/erpnext/stock/doctype/material_request/material_request.js @@ -96,7 +96,7 @@ erpnext.buying.MaterialRequestController = erpnext.buying.BuyingController.exten title: __("Get Items from BOM"), fields: [ {"fieldname":"bom", "fieldtype":"Link", "label":__("BOM"), - options:"BOM"}, + options:"BOM", reqd: 1}, {"fieldname":"fetch_exploded", "fieldtype":"Check", "label":__("Fetch exploded BOM (including sub-assemblies)"), "default":1}, {fieldname:"fetch", "label":__("Get Items from BOM"), "fieldtype":"Button"} From 237f3765e560b4e69f0d84f30125da6d30f8b122 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Tue, 19 Aug 2014 16:29:06 +0530 Subject: [PATCH 544/630] Bank reconciliation statement: show amounts which has cleared in the bank but not registered in the system --- .../bank_reconciliation_statement.py | 21 ++++++++++++++----- 1 file changed, 16 insertions(+), 5 deletions(-) diff --git a/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py b/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py index 119de09e41..2c0a6afb79 100644 --- a/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +++ b/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py @@ -15,25 +15,36 @@ def execute(filters=None): data = get_entries(filters) from erpnext.accounts.utils import get_balance_on - balance_as_per_company = get_balance_on(filters["account"], filters["report_date"]) + balance_as_per_system = get_balance_on(filters["account"], filters["report_date"]) total_debit, total_credit = 0,0 for d in data: total_debit += flt(d[2]) total_credit += flt(d[3]) - bank_bal = flt(balance_as_per_company) - flt(total_debit) + flt(total_credit) + amounts_not_reflected_in_system = frappe.db.sql("""select sum(ifnull(jvd.debit, 0) - ifnull(jvd.credit, 0)) + from `tabJournal Voucher Detail` jvd, `tabJournal Voucher` jv + where jvd.parent = jv.name and jv.docstatus=1 and jvd.account=%s + and jv.posting_date > %s and jv.clearance_date <= %s + """, (filters["account"], filters["report_date"], filters["report_date"])) + + amounts_not_reflected_in_system = flt(amounts_not_reflected_in_system[0][0]) \ + if amounts_not_reflected_in_system else 0.0 + + bank_bal = flt(balance_as_per_system) - flt(total_debit) + flt(total_credit) \ + + amounts_not_reflected_in_system data += [ - get_balance_row("Balance as per company books", balance_as_per_company), + get_balance_row("Balance as per system", balance_as_per_system), ["", "Amounts not reflected in bank", total_debit, total_credit, "", "", "", ""], + get_balance_row("Amounts not reflected in system", amounts_not_reflected_in_system), get_balance_row("Balance as per bank", bank_bal) ] return columns, data def get_columns(): - return ["Posting Date:Date:100", "Journal Voucher:Link/Journal Voucher:200", + return ["Posting Date:Date:100", "Journal Voucher:Link/Journal Voucher:220", "Debit:Currency:120", "Credit:Currency:120", "Against Account:Link/Account:200", "Reference::100", "Ref Date:Date:110", "Clearance Date:Date:110" ] @@ -55,4 +66,4 @@ def get_balance_row(label, amount): if amount > 0: return ["", label, amount, 0, "", "", "", ""] else: - return ["", label, 0, amount, "", "", "", ""] + return ["", label, 0, abs(amount), "", "", "", ""] From 432431f2e6d392d2684705d98cb2b26a18ad6656 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Tue, 19 Aug 2014 16:49:44 +0530 Subject: [PATCH 545/630] fix for translation --- .../bank_reconciliation_statement.py | 11 +++++++---- 1 file changed, 7 insertions(+), 4 deletions(-) diff --git a/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py b/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py index 2c0a6afb79..4fda0300b6 100644 --- a/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +++ b/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py @@ -4,6 +4,7 @@ from __future__ import unicode_literals import frappe from frappe.utils import flt +from frappe import _ def execute(filters=None): if not filters: filters = {} @@ -35,10 +36,12 @@ def execute(filters=None): + amounts_not_reflected_in_system data += [ - get_balance_row("Balance as per system", balance_as_per_system), - ["", "Amounts not reflected in bank", total_debit, total_credit, "", "", "", ""], - get_balance_row("Amounts not reflected in system", amounts_not_reflected_in_system), - get_balance_row("Balance as per bank", bank_bal) + get_balance_row(_("System Balance"), balance_as_per_system), + [""]*len(columns), + ["", _("Amounts not reflected in bank"), total_debit, total_credit, "", "", "", ""], + get_balance_row(_("Amounts not reflected in system"), amounts_not_reflected_in_system), + [""]*len(columns), + get_balance_row(_("Expected balance as per bank"), bank_bal) ] return columns, data From 35142cb206db616a12d1690c48fc303b4768a25c Mon Sep 17 00:00:00 2001 From: Tytus Date: Thu, 24 Jul 2014 18:19:57 +0200 Subject: [PATCH 546/630] Add Polish language to setup wizard. --- erpnext/setup/page/setup_wizard/setup_wizard.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/setup/page/setup_wizard/setup_wizard.js b/erpnext/setup/page/setup_wizard/setup_wizard.js index dc6d244bf6..04b917f150 100644 --- a/erpnext/setup/page/setup_wizard/setup_wizard.js +++ b/erpnext/setup/page/setup_wizard/setup_wizard.js @@ -61,7 +61,7 @@ frappe.pages['setup-wizard'].onload = function(wrapper) { fields: [ {"fieldname": "language", "label": __("Language"), "fieldtype": "Select", options: ["english", "العربية", "deutsch", "ελληνικά", "español", "français", "हिंदी", "hrvatski", - "italiano", "nederlands", "português brasileiro", "português", "српски", "தமிழ்", + "italiano", "nederlands", "polski", "português brasileiro", "português", "српски", "தமிழ்", "ไทย", "中国(简体)", "中國(繁體)"], reqd:1}, ], help: __("Welcome to ERPNext. Please select your language to begin the Setup Wizard."), From f546ab3130a6d78822975e6cf31a89fa5d79238c Mon Sep 17 00:00:00 2001 From: Tytus Date: Thu, 31 Jul 2014 15:33:17 +0200 Subject: [PATCH 547/630] Add csv file with initial translations. --- erpnext/translations/pl.csv | 3225 +++++++++++++++++++++++++++++++++++ 1 file changed, 3225 insertions(+) create mode 100644 erpnext/translations/pl.csv diff --git a/erpnext/translations/pl.csv b/erpnext/translations/pl.csv new file mode 100644 index 0000000000..f831b0fe38 --- /dev/null +++ b/erpnext/translations/pl.csv @@ -0,0 +1,3225 @@ +" (Half Day)"," (Pół dnia)" +" and year: ","i rok:" +""" does not exists",""" nie istnieje" +"% Delivered","% dostarczonych" +"% Amount Billed","% wartości rozliczonej" +"% Billed","% rozliczonych" +"% Completed","% zamkniętych" +"% Delivered","% dostarczonych" +"% Installed","% Zainstalowanych" +"% Received","% Otrzymanych" +"% of materials billed against this Purchase Order.","% materiałów rozliczonych w ramach zamówienia" +"% of materials billed against this Sales Order","% materiałów rozliczonych w ramach zlecenia sprzedaży" +"% of materials delivered against this Delivery Note","% materiałów dostarczonych w stosunku do dowodu dostawy" +"% of materials delivered against this Sales Order","% materiałów dostarczonych w ramach zlecenia sprzedaży" +"% of materials ordered against this Material Request","% materiałów zamówionych w stosunku do zapytania o materiały" +"% of materials received against this Purchase Order","% materiałów otrzymanych w ramach zamówienia" +"%(conversion_rate_label)s is mandatory. Maybe Currency Exchange record is not created for %(from_currency)s to %(to_currency)s","% ( conversion_rate_label )s jest obowiązkowa. Może rekord wymiany waluty nie jest stworzony dla wymiany %(from_currency )s na %(to_currency )s" +"'Actual Start Date' can not be greater than 'Actual End Date'", +"'Based On' and 'Group By' can not be same", +"'Days Since Last Order' must be greater than or equal to zero", +"'Entries' cannot be empty", +"'Expected Start Date' can not be greater than 'Expected End Date'", +"'From Date' is required","“Data od” jest wymagana" +"'From Date' must be after 'To Date'", +"'Has Serial No' can not be 'Yes' for non-stock item", +"'Notification Email Addresses' not specified for recurring invoice", +"'Profit and Loss' type account {0} not allowed in Opening Entry", +"'To Case No.' cannot be less than 'From Case No.'", +"'To Date' is required", +"'Update Stock' for Sales Invoice {0} must be set", +"* Will be calculated in the transaction.", +"1 Currency = [?] Fraction +For e.g. 1 USD = 100 Cent", +"1. To maintain the customer wise item code and to make them searchable based on their code use this option", +"Add / Edit", +"Add / Edit", +"Add / Edit", +"A Customer Group exists with same name please change the Customer name or rename the Customer Group", +"A Customer exists with same name", +"A Lead with this email id should exist", +"A Product or Service","Produkt lub usługa" +"A Supplier exists with same name", +"A symbol for this currency. For e.g. $", +"AMC Expiry Date", +"Abbr", +"Abbreviation cannot have more than 5 characters", +"About", +"Above Value", +"Absent","Nieobecny" +"Acceptance Criteria","Kryteria akceptacji" +"Accepted", +"Accepted + Rejected Qty must be equal to Received quantity for Item {0}", +"Accepted Quantity", +"Accepted Warehouse", +"Account","Konto" +"Account Balance","Bilans konta" +"Account Created: {0}", +"Account Details","Szczegóły konta" +"Account Head", +"Account Name","Nazwa konta" +"Account Type", +"Account for the warehouse (Perpetual Inventory) will be created under this Account.", +"Account head {0} created", +"Account must be a balance sheet account", +"Account with child nodes cannot be converted to ledger", +"Account with existing transaction can not be converted to group.", +"Account with existing transaction can not be deleted", +"Account with existing transaction cannot be converted to ledger", +"Account {0} cannot be a Group", +"Account {0} does not belong to Company {1}", +"Account {0} does not exist", +"Account {0} has been entered more than once for fiscal year {1}", +"Account {0} is frozen", +"Account {0} is inactive", +"Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item", +"Account: {0} can only be updated via \ + Stock Transactions", +"Accountant","Księgowy" +"Accounting","Księgowość" +"Accounting Entries can be made against leaf nodes, called", +"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.", +"Accounting journal entries.", +"Accounts","Księgowość" +"Accounts Browser", +"Accounts Frozen Upto", +"Accounts Payable", +"Accounts Receivable", +"Accounts Settings", +"Active","Aktywny" +"Active: Will extract emails from ", +"Activity","Aktywność" +"Activity Log","Dziennik aktywności" +"Activity Log:","Dziennik aktywności:" +"Activity Type","Rodzaj aktywności" +"Actual","Właściwy" +"Actual Budget", +"Actual Completion Date", +"Actual Date", +"Actual End Date", +"Actual Invoice Date", +"Actual Posting Date", +"Actual Qty", +"Actual Qty (at source/target)", +"Actual Qty After Transaction", +"Actual Qty: Quantity available in the warehouse.", +"Actual Quantity", +"Actual Start Date", +"Add","Dodaj" +"Add / Edit Taxes and Charges", +"Add Child", +"Add Serial No", +"Add Taxes", +"Add Taxes and Charges","Dodaj podatki i opłaty" +"Add or Deduct", +"Add rows to set annual budgets on Accounts.", +"Add to Cart", +"Add to calendar on this date", +"Add/Remove Recipients", +"Address","Adres" +"Address & Contact","Adres i kontakt" +"Address & Contacts","Adres i kontakty" +"Address Desc","Opis adresu" +"Address Details","Szczegóły adresu" +"Address HTML","Adres HTML" +"Address Line 1", +"Address Line 2", +"Address Title", +"Address Title is mandatory.", +"Address Type", +"Address master.", +"Administrative Expenses", +"Administrative Officer", +"Advance Amount", +"Advance amount", +"Advances", +"Advertisement","Reklama" +"Advertising","Reklamowanie" +"Aerospace", +"After Sale Installations", +"Against", +"Against Account", +"Against Bill {0} dated {1}", +"Against Docname", +"Against Doctype", +"Against Document Detail No", +"Against Document No", +"Against Entries", +"Against Expense Account", +"Against Income Account", +"Against Journal Voucher", +"Against Journal Voucher {0} does not have any unmatched {1} entry", +"Against Purchase Invoice", +"Against Sales Invoice", +"Against Sales Order", +"Against Voucher", +"Against Voucher Type", +"Ageing Based On", +"Ageing Date is mandatory for opening entry", +"Ageing date is mandatory for opening entry", +"Agent", +"Aging Date", +"Aging Date is mandatory for opening entry", +"Agriculture", +"Airline", +"All Addresses.","Wszystkie adresy" +"All Contact", +"All Contacts.","Wszystkie kontakty." +"All Customer Contact", +"All Customer Groups", +"All Day", +"All Employee (Active)", +"All Item Groups", +"All Lead (Open)", +"All Products or Services.","Wszystkie produkty i usługi." +"All Sales Partner Contact", +"All Sales Person", +"All Supplier Contact", +"All Supplier Types", +"All Territories", +"All export related fields like currency, conversion rate, export total, export grand total etc are available in Delivery Note, POS, Quotation, Sales Invoice, Sales Order etc.", +"All import related fields like currency, conversion rate, import total, import grand total etc are available in Purchase Receipt, Supplier Quotation, Purchase Invoice, Purchase Order etc.", +"All items have already been invoiced", +"All items have already been transferred for this Production Order.", +"All these items have already been invoiced", +"Allocate", +"Allocate Amount Automatically", +"Allocate leaves for a period.", +"Allocate leaves for the year.", +"Allocated Amount", +"Allocated Budget", +"Allocated amount", +"Allocated amount can not be negative", +"Allocated amount can not greater than unadusted amount", +"Allow Bill of Materials","Zezwól na zestawienie materiałowe" +"Allow Bill of Materials should be 'Yes'. Because one or many active BOMs present for this item", +"Allow Children", +"Allow Dropbox Access", +"Allow Google Drive Access", +"Allow Negative Balance", +"Allow Negative Stock", +"Allow Production Order", +"Allow User", +"Allow Users", +"Allow the following users to approve Leave Applications for block days.", +"Allow user to edit Price List Rate in transactions", +"Allowance Percent","Dopuszczalny procent" +"Allowance for over-delivery / over-billing crossed for Item {0}", +"Allowed Role to Edit Entries Before Frozen Date", +"Amended From", +"Amount","Wartość" +"Amount (Company Currency)", +"Amount <=", +"Amount >=", +"Amount to Bill", +"An Customer exists with same name", +"An Item Group exists with same name, please change the item name or rename the item group", +"An item exists with same name ({0}), please change the item group name or rename the item", +"Analyst", +"Annual","Roczny" +"Another Period Closing Entry {0} has been made after {1}", +"Another Salary Structure {0} is active for employee {0}. Please make its status 'Inactive' to proceed.", +"Any other comments, noteworthy effort that should go in the records.", +"Apparel & Accessories", +"Applicability", +"Applicable For", +"Applicable Holiday List", +"Applicable Territory", +"Applicable To (Designation)", +"Applicable To (Employee)", +"Applicable To (Role)", +"Applicable To (User)", +"Applicant Name", +"Applicant for a Job.", +"Application of Funds (Assets)", +"Applications for leave.", +"Applies to Company", +"Apply On", +"Appraisal", +"Appraisal Goal", +"Appraisal Goals", +"Appraisal Template", +"Appraisal Template Goal", +"Appraisal Template Title", +"Appraisal {0} created for Employee {1} in the given date range", +"Apprentice", +"Approval Status", +"Approval Status must be 'Approved' or 'Rejected'", +"Approved", +"Approver", +"Approving Role", +"Approving Role cannot be same as role the rule is Applicable To", +"Approving User", +"Approving User cannot be same as user the rule is Applicable To", +"Are you sure you want to STOP ", +"Are you sure you want to UNSTOP ", +"Arrear Amount", +"As Production Order can be made for this item, it must be a stock item.", +"As per Stock UOM", +"As there are existing stock transactions for this item, you can not change the values of 'Has Serial No', 'Is Stock Item' and 'Valuation Method'", +"Asset","Składnik aktywów" +"Assistant","Asystent" +"Associate", +"Atleast one warehouse is mandatory", +"Attach Image","Dołącz obrazek" +"Attach Letterhead", +"Attach Logo", +"Attach Your Picture", +"Attendance", +"Attendance Date", +"Attendance Details", +"Attendance From Date", +"Attendance From Date and Attendance To Date is mandatory", +"Attendance To Date", +"Attendance can not be marked for future dates", +"Attendance for employee {0} is already marked", +"Attendance record.", +"Authorization Control", +"Authorization Rule", +"Auto Accounting For Stock Settings", +"Auto Material Request", +"Auto-raise Material Request if quantity goes below re-order level in a warehouse","Automatycznie twórz Zamówienie Produktu jeśli ilość w magazynie spada poniżej poziomu dla ponownego zamówienia" +"Automatically compose message on submission of transactions.", +"Automatically extract Job Applicants from a mail box ", +"Automatically extract Leads from a mail box e.g.", +"Automatically updated via Stock Entry of type Manufacture/Repack", +"Automotive", +"Autoreply when a new mail is received", +"Available","Dostępny" +"Available Qty at Warehouse","Ilość dostępna w magazynie" +"Available Stock for Packing Items", +"Available in BOM, Delivery Note, Purchase Invoice, Production Order, Purchase Order, Purchase Receipt, Sales Invoice, Sales Order, Stock Entry, Timesheet", +"Average Age", +"Average Commission Rate", +"Average Discount", +"Awesome Products", +"Awesome Services", +"BOM Detail No", +"BOM Explosion Item", +"BOM Item", +"BOM No","Nr zestawienia materiałowego" +"BOM No. for a Finished Good Item", +"BOM Operation", +"BOM Operations", +"BOM Replace Tool", +"BOM number is required for manufactured Item {0} in row {1}", +"BOM number not allowed for non-manufactured Item {0} in row {1}", +"BOM recursion: {0} cannot be parent or child of {2}", +"BOM replaced", +"BOM {0} for Item {1} in row {2} is inactive or not submitted", +"BOM {0} is not active or not submitted", +"BOM {0} is not submitted or inactive BOM for Item {1}", +"Backup Manager", +"Backup Right Now", +"Backups will be uploaded to", +"Balance Qty", +"Balance Sheet", +"Balance Value", +"Balance for Account {0} must always be {1}", +"Balance must be", +"Balances of Accounts of type ""Bank"" or ""Cash""", +"Bank", +"Bank A/C No.", +"Bank Account","Konto bankowe" +"Bank Account No.","Nr konta bankowego" +"Bank Accounts","Konta bankowe" +"Bank Clearance Summary", +"Bank Draft", +"Bank Name","Nazwa banku" +"Bank Overdraft Account", +"Bank Reconciliation", +"Bank Reconciliation Detail", +"Bank Reconciliation Statement", +"Bank Voucher", +"Bank/Cash Balance", +"Banking", +"Barcode","Kod kreskowy" +"Barcode {0} already used in Item {1}", +"Based On","Bazujący na" +"Basic","Podstawowy" +"Basic Info","Informacje podstawowe" +"Basic Information", +"Basic Rate", +"Basic Rate (Company Currency)", +"Batch", +"Batch (lot) of an Item.","Batch (lot) produktu." +"Batch Finished Date","Data zakończenia lotu" +"Batch ID","Identyfikator lotu" +"Batch No","Nr lotu" +"Batch Started Date","Data rozpoczęcia lotu" +"Batch Time Logs for billing.", +"Batch-Wise Balance History", +"Batched for Billing", +"Better Prospects", +"Bill Date", +"Bill No", +"Bill No {0} already booked in Purchase Invoice {1}", +"Bill of Material","Zestawienie materiałowe" +"Bill of Material to be considered for manufacturing", +"Bill of Materials (BOM)","Zestawienie materiałowe (BOM)" +"Billable", +"Billed", +"Billed Amount", +"Billed Amt", +"Billing", +"Billing Address", +"Billing Address Name", +"Billing Status", +"Bills raised by Suppliers.", +"Bills raised to Customers.", +"Bin", +"Bio", +"Biotechnology", +"Birthday","Urodziny" +"Block Date", +"Block Days", +"Block leave applications by department.", +"Blog Post", +"Blog Subscriber", +"Blood Group", +"Both Warehouse must belong to same Company", +"Box", +"Branch", +"Brand","Marka" +"Brand Name","Nazwa marki" +"Brand master.", +"Brands","Marki" +"Breakdown", +"Broadcasting", +"Brokerage", +"Budget","Budżet" +"Budget Allocated", +"Budget Detail", +"Budget Details", +"Budget Distribution", +"Budget Distribution Detail", +"Budget Distribution Details", +"Budget Variance Report", +"Budget cannot be set for Group Cost Centers", +"Build Report", +"Built on", +"Bundle items at time of sale.", +"Business Development Manager", +"Buying","Zakupy" +"Buying & Selling","Zakupy i sprzedaż" +"Buying Amount", +"Buying Settings", +"C-Form", +"C-Form Applicable", +"C-Form Invoice Detail", +"C-Form No", +"C-Form records", +"Calculate Based On", +"Calculate Total Score", +"Calendar Events", +"Call", +"Calls", +"Campaign","Kampania" +"Campaign Name", +"Campaign Name is required", +"Campaign Naming By", +"Campaign-.####", +"Can be approved by {0}", +"Can not filter based on Account, if grouped by Account", +"Can not filter based on Voucher No, if grouped by Voucher", +"Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total'", +"Cancel Material Visit {0} before cancelling this Customer Issue", +"Cancel Material Visits {0} before cancelling this Maintenance Visit", +"Cancelled", +"Cancelling this Stock Reconciliation will nullify its effect.", +"Cannot Cancel Opportunity as Quotation Exists", +"Cannot approve leave as you are not authorized to approve leaves on Block Dates", +"Cannot cancel because Employee {0} is already approved for {1}", +"Cannot cancel because submitted Stock Entry {0} exists", +"Cannot carry forward {0}", +"Cannot change Year Start Date and Year End Date once the Fiscal Year is saved.", +"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.", +"Cannot convert Cost Center to ledger as it has child nodes", +"Cannot covert to Group because Master Type or Account Type is selected.", +"Cannot deactive or cancle BOM as it is linked with other BOMs", +"Cannot declare as lost, because Quotation has been made.", +"Cannot deduct when category is for 'Valuation' or 'Valuation and Total'", +"Cannot delete Serial No {0} in stock. First remove from stock, then delete.", +"Cannot directly set amount. For 'Actual' charge type, use the rate field", +"Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in 'Setup' > 'Global Defaults'", +"Cannot produce more Item {0} than Sales Order quantity {1}", +"Cannot refer row number greater than or equal to current row number for this Charge type", +"Cannot return more than {0} for Item {1}", +"Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row", +"Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for valuation. You can select only 'Total' option for previous row amount or previous row total", +"Cannot set as Lost as Sales Order is made.", +"Cannot set authorization on basis of Discount for {0}", +"Capacity", +"Capacity Units", +"Capital Account", +"Capital Equipments", +"Carry Forward", +"Carry Forwarded Leaves", +"Case No(s) already in use. Try from Case No {0}", +"Case No. cannot be 0", +"Cash","Gotówka" +"Cash In Hand", +"Cash Voucher", +"Cash or Bank Account is mandatory for making payment entry", +"Cash/Bank Account", +"Casual Leave", +"Cell Number", +"Change UOM for an Item.", +"Change the starting / current sequence number of an existing series.", +"Channel Partner", +"Charge of type 'Actual' in row {0} cannot be included in Item Rate", +"Chargeable", +"Charity and Donations", +"Chart Name", +"Chart of Accounts", +"Chart of Cost Centers", +"Check how the newsletter looks in an email by sending it to your email.", +"Check if recurring invoice, uncheck to stop recurring or put proper End Date", +"Check if you need automatic recurring invoices. After submitting any sales invoice, Recurring section will be visible.", +"Check if you want to send salary slip in mail to each employee while submitting salary slip", +"Check this if you want to force the user to select a series before saving. There will be no default if you check this.", +"Check this if you want to show in website", +"Check this to disallow fractions. (for Nos)", +"Check this to pull emails from your mailbox", +"Check to activate", +"Check to make Shipping Address", +"Check to make primary address", +"Chemical", +"Cheque", +"Cheque Date", +"Cheque Number", +"Child account exists for this account. You can not delete this account.", +"City","Miasto" +"City/Town","Miasto/Miejscowość" +"Claim Amount", +"Claims for company expense.", +"Class / Percentage", +"Classic","Klasyczny" +"Clear Table", +"Clearance Date", +"Clearance Date not mentioned", +"Clearance date cannot be before check date in row {0}", +"Click on 'Make Sales Invoice' button to create a new Sales Invoice.", +"Click on a link to get options to expand get options ", +"Client", +"Close Balance Sheet and book Profit or Loss.", +"Closed", +"Closing Account Head", +"Closing Account {0} must be of type 'Liability'", +"Closing Date", +"Closing Fiscal Year", +"Closing Qty", +"Closing Value", +"CoA Help", +"Code","Kod" +"Cold Calling", +"Color","Kolor" +"Comma separated list of email addresses", +"Comments","Komentarze" +"Commercial", +"Commission","Prowizja" +"Commission Rate", +"Commission Rate (%)", +"Commission on Sales", +"Commission rate cannot be greater than 100", +"Communication","Komunikacja" +"Communication HTML", +"Communication History","Historia komunikacji" +"Communication log.", +"Communications", +"Company","Firma" +"Company (not Customer or Supplier) master.", +"Company Abbreviation","Nazwa skrótowa firmy" +"Company Details","Szczegóły firmy" +"Company Email","Email do firmy" +"Company Email ID not found, hence mail not sent", +"Company Info","Informacje o firmie" +"Company Name","Nazwa firmy" +"Company Settings","Ustawienia firmy" +"Company is missing in warehouses {0}", +"Company is required", +"Company registration numbers for your reference. Example: VAT Registration Numbers etc.", +"Company registration numbers for your reference. Tax numbers etc.", +"Company, Month and Fiscal Year is mandatory", +"Compensatory Off", +"Complete", +"Complete Setup", +"Completed", +"Completed Production Orders", +"Completed Qty", +"Completion Date", +"Completion Status", +"Computer","Komputer" +"Computers","Komputery" +"Confirmation Date","Data potwierdzenia" +"Confirmed orders from Customers.", +"Consider Tax or Charge for", +"Considered as Opening Balance", +"Considered as an Opening Balance", +"Consultant","Konsultant" +"Consulting","Konsulting" +"Consumable", +"Consumable Cost", +"Consumable cost per hour", +"Consumed Qty", +"Consumer Products", +"Contact","Kontakt" +"Contact Control", +"Contact Desc", +"Contact Details", +"Contact Email", +"Contact HTML", +"Contact Info","Dane kontaktowe" +"Contact Mobile No", +"Contact Name","Nazwa kontaktu" +"Contact No.", +"Contact Person", +"Contact Type", +"Contact master.", +"Contacts","Kontakty" +"Content","Zawartość" +"Content Type", +"Contra Voucher", +"Contract","Kontrakt" +"Contract End Date", +"Contract End Date must be greater than Date of Joining", +"Contribution (%)", +"Contribution to Net Total", +"Conversion Factor", +"Conversion Factor is required", +"Conversion factor cannot be in fractions", +"Conversion factor for default Unit of Measure must be 1 in row {0}", +"Conversion rate cannot be 0 or 1", +"Convert into Recurring Invoice", +"Convert to Group", +"Convert to Ledger", +"Converted", +"Copy From Item Group", +"Cosmetics", +"Cost Center", +"Cost Center Details", +"Cost Center Name", +"Cost Center is mandatory for Item {0}", +"Cost Center is required for 'Profit and Loss' account {0}", +"Cost Center is required in row {0} in Taxes table for type {1}", +"Cost Center with existing transactions can not be converted to group", +"Cost Center with existing transactions can not be converted to ledger", +"Cost Center {0} does not belong to Company {1}", +"Cost of Goods Sold", +"Costing","Zestawienie kosztów" +"Country","Kraj" +"Country Name","Nazwa kraju" +"Country, Timezone and Currency", +"Create Bank Voucher for the total salary paid for the above selected criteria", +"Create Customer", +"Create Material Requests", +"Create New", +"Create Opportunity", +"Create Production Orders", +"Create Quotation", +"Create Receiver List", +"Create Salary Slip", +"Create Stock Ledger Entries when you submit a Sales Invoice", +"Create and manage daily, weekly and monthly email digests.", +"Create rules to restrict transactions based on values.", +"Created By", +"Creates salary slip for above mentioned criteria.", +"Creation Date","Data stworzenia" +"Creation Document No", +"Creation Document Type", +"Creation Time","Czas stworzenia" +"Credentials", +"Credit", +"Credit Amt", +"Credit Card", +"Credit Card Voucher", +"Credit Controller", +"Credit Days", +"Credit Limit", +"Credit Note", +"Credit To", +"Currency", +"Currency Exchange", +"Currency Name", +"Currency Settings", +"Currency and Price List","Waluta i cennik" +"Currency exchange rate master.", +"Current Address", +"Current Address Is", +"Current Assets", +"Current BOM", +"Current BOM and New BOM can not be same", +"Current Fiscal Year", +"Current Liabilities", +"Current Stock", +"Current Stock UOM", +"Current Value", +"Custom", +"Custom Autoreply Message", +"Custom Message", +"Customer","Klient" +"Customer (Receivable) Account", +"Customer / Item Name", +"Customer / Lead Address", +"Customer / Lead Name", +"Customer Account Head", +"Customer Acquisition and Loyalty", +"Customer Address","Adres klienta" +"Customer Addresses And Contacts", +"Customer Code", +"Customer Codes", +"Customer Details", +"Customer Feedback", +"Customer Group", +"Customer Group / Customer", +"Customer Group Name", +"Customer Intro", +"Customer Issue", +"Customer Issue against Serial No.", +"Customer Name","Nazwa klienta" +"Customer Naming By", +"Customer Service", +"Customer database.","Baza danych klientów." +"Customer is required", +"Customer master.", +"Customer required for 'Customerwise Discount'", +"Customer {0} does not belong to project {1}", +"Customer {0} does not exist", +"Customer's Item Code", +"Customer's Purchase Order Date", +"Customer's Purchase Order No", +"Customer's Purchase Order Number", +"Customer's Vendor", +"Customers Not Buying Since Long Time", +"Customerwise Discount", +"Customize", +"Customize the Notification", +"Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.", +"DN Detail", +"Daily", +"Daily Time Log Summary", +"Database Folder ID", +"Database of potential customers.","Baza danych potencjalnych klientów." +"Date","Data" +"Date Format","Format daty" +"Date Of Retirement", +"Date Of Retirement must be greater than Date of Joining", +"Date is repeated", +"Date of Birth", +"Date of Issue", +"Date of Joining", +"Date of Joining must be greater than Date of Birth", +"Date on which lorry started from supplier warehouse", +"Date on which lorry started from your warehouse", +"Dates", +"Days Since Last Order", +"Days for which Holidays are blocked for this department.", +"Dealer", +"Debit", +"Debit Amt", +"Debit Note", +"Debit To", +"Debit and Credit not equal for this voucher. Difference is {0}.", +"Deduct", +"Deduction", +"Deduction Type", +"Deduction1", +"Deductions", +"Default", +"Default Account", +"Default BOM", +"Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.", +"Default Bank Account", +"Default Buying Cost Center", +"Default Buying Price List", +"Default Cash Account", +"Default Company", +"Default Cost Center for tracking expense for this item.", +"Default Currency","Domyślna waluta" +"Default Customer Group", +"Default Expense Account", +"Default Income Account", +"Default Item Group", +"Default Price List", +"Default Purchase Account in which cost of the item will be debited.", +"Default Selling Cost Center", +"Default Settings", +"Default Source Warehouse","Domyślny źródłowy magazyn" +"Default Stock UOM", +"Default Supplier","Domyślny dostawca" +"Default Supplier Type", +"Default Target Warehouse","Domyślny magazyn docelowy" +"Default Territory", +"Default Unit of Measure","Domyślna jednostka miary" +"Default Unit of Measure can not be changed directly because you have already made some transaction(s) with another UOM. To change default UOM, use 'UOM Replace Utility' tool under Stock module.", +"Default Valuation Method", +"Default Warehouse","Domyślny magazyn" +"Default Warehouse is mandatory for stock Item.", +"Default settings for accounting transactions.", +"Default settings for buying transactions.", +"Default settings for selling transactions.", +"Default settings for stock transactions.", +"Defense", +"Define Budget for this Cost Center. To set budget action, see Company Master","Setup" +"Delete","Usuń" +"Delete {0} {1}?", +"Delivered", +"Delivered Items To Be Billed", +"Delivered Qty", +"Delivered Serial No {0} cannot be deleted", +"Delivery Date","Data dostawy" +"Delivery Details","Szczegóły dostawy" +"Delivery Document No","Nr dokumentu dostawy" +"Delivery Document Type","Typ dokumentu dostawy" +"Delivery Note","Dowód dostawy" +"Delivery Note Item", +"Delivery Note Items", +"Delivery Note Message", +"Delivery Note No","Nr dowodu dostawy" +"Delivery Note Required", +"Delivery Note Trends", +"Delivery Note {0} is not submitted", +"Delivery Note {0} must not be submitted", +"Delivery Notes {0} must be cancelled before cancelling this Sales Order", +"Delivery Status","Status dostawy" +"Delivery Time","Czas dostawy" +"Delivery To","Dostawa do" +"Department", +"Department Stores", +"Depends on LWP", +"Depreciation", +"Description","Opis" +"Description HTML","Opis HTML" +"Designation", +"Designer", +"Detailed Breakup of the totals", +"Details", +"Difference (Dr - Cr)", +"Difference Account", +"Difference Account must be a 'Liability' type account, since this Stock Reconciliation is an Opening Entry", +"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.", +"Direct Expenses", +"Direct Income", +"Disable", +"Disable Rounded Total", +"Disabled","Nieaktywny" +"Discount %","Rabat %" +"Discount %","Rabat %" +"Discount (%)","Rabat (%)" +"Discount Amount","Wartość rabatu" +"Discount Fields will be available in Purchase Order, Purchase Receipt, Purchase Invoice", +"Discount Percentage","Procent rabatu" +"Discount must be less than 100", +"Discount(%)","Rabat (%)" +"Dispatch", +"Display all the individual items delivered with the main items", +"Distribute transport overhead across items.", +"Distribution", +"Distribution Id", +"Distribution Name", +"Distributor","Dystrybutor" +"Divorced", +"Do Not Contact", +"Do not show any symbol like $ etc next to currencies.", +"Do really want to unstop production order: ", +"Do you really want to STOP ", +"Do you really want to STOP this Material Request?", +"Do you really want to Submit all Salary Slip for month {0} and year {1}", +"Do you really want to UNSTOP ", +"Do you really want to UNSTOP this Material Request?", +"Do you really want to stop production order: ", +"Doc Name", +"Doc Type", +"Document Description", +"Document Type", +"Documents","Dokumenty" +"Domain","Domena" +"Don't send Employee Birthday Reminders", +"Download Materials Required", +"Download Reconcilation Data", +"Download Template", +"Download a report containing all raw materials with their latest inventory status", +"Download the Template, fill appropriate data and attach the modified file.", +"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", +"Draft","Szkic" +"Dropbox", +"Dropbox Access Allowed", +"Dropbox Access Key", +"Dropbox Access Secret", +"Due Date", +"Due Date cannot be after {0}", +"Due Date cannot be before Posting Date", +"Duplicate Entry. Please check Authorization Rule {0}", +"Duplicate Serial No entered for Item {0}", +"Duplicate entry", +"Duplicate row {0} with same {1}", +"Duties and Taxes", +"ERPNext Setup", +"Earliest", +"Earnest Money", +"Earning", +"Earning & Deduction", +"Earning Type", +"Earning1", +"Edit","Edytuj" +"Education", +"Educational Qualification", +"Educational Qualification Details", +"Eg. smsgateway.com/api/send_sms.cgi", +"Either debit or credit amount is required for {0}", +"Either target qty or target amount is mandatory", +"Either target qty or target amount is mandatory.", +"Electrical", +"Electricity Cost","Koszt energii elekrycznej" +"Electricity cost per hour","Koszt energii elektrycznej na godzinę" +"Electronics", +"Email", +"Email Digest", +"Email Digest Settings", +"Email Digest: ", +"Email Id", +"Email Id where a job applicant will email e.g. ""jobs@example.com""", +"Email Notifications", +"Email Sent?", +"Email id must be unique, already exists for {0}", +"Email ids separated by commas.", +"Email settings to extract Leads from sales email id e.g. ""sales@example.com""", +"Emergency Contact", +"Emergency Contact Details", +"Emergency Phone", +"Employee","Pracownik" +"Employee Birthday","Data urodzenia pracownika" +"Employee Details", +"Employee Education","Wykształcenie pracownika" +"Employee External Work History", +"Employee Information", +"Employee Internal Work History", +"Employee Internal Work Historys", +"Employee Leave Approver", +"Employee Leave Balance", +"Employee Name", +"Employee Number", +"Employee Records to be created by", +"Employee Settings", +"Employee Type", +"Employee designation (e.g. CEO, Director etc.).", +"Employee master.", +"Employee record is created using selected field. ", +"Employee records.", +"Employee relieved on {0} must be set as 'Left'", +"Employee {0} has already applied for {1} between {2} and {3}", +"Employee {0} is not active or does not exist", +"Employee {0} was on leave on {1}. Cannot mark attendance.", +"Employees Email Id", +"Employment Details", +"Employment Type", +"Enable / disable currencies.", +"Enabled","Włączony" +"Encashment Date", +"End Date", +"End Date can not be less than Start Date", +"End date of current invoice's period", +"End of Life","Zakończenie okresu eksploatacji" +"Energy","Energia" +"Engineer","Inżynier" +"Enter Verification Code", +"Enter campaign name if the source of lead is campaign.", +"Enter department to which this Contact belongs", +"Enter designation of this Contact", +"Enter email id separated by commas, invoice will be mailed automatically on particular date", +"Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.", +"Enter name of campaign if source of enquiry is campaign", +"Enter static url parameters here (Eg. sender=ERPNext, username=ERPNext, password=1234 etc.)", +"Enter the company name under which Account Head will be created for this Supplier", +"Enter url parameter for message", +"Enter url parameter for receiver nos", +"Entertainment & Leisure", +"Entertainment Expenses", +"Entries", +"Entries against", +"Entries are not allowed against this Fiscal Year if the year is closed.", +"Entries before {0} are frozen", +"Equity", +"Error: {0} > {1}", +"Estimated Material Cost", +"Everyone can read", +"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.", +"Exchange Rate", +"Excise Page Number", +"Excise Voucher", +"Execution", +"Executive Search", +"Exemption Limit", +"Exhibition", +"Existing Customer", +"Exit","Wyjście" +"Exit Interview Details", +"Expected","Przewidywany" +"Expected Completion Date can not be less than Project Start Date", +"Expected Date cannot be before Material Request Date", +"Expected Delivery Date", +"Expected Delivery Date cannot be before Purchase Order Date", +"Expected Delivery Date cannot be before Sales Order Date", +"Expected End Date", +"Expected Start Date", +"Expense", +"Expense Account", +"Expense Account is mandatory", +"Expense Claim", +"Expense Claim Approved", +"Expense Claim Approved Message", +"Expense Claim Detail", +"Expense Claim Details", +"Expense Claim Rejected", +"Expense Claim Rejected Message", +"Expense Claim Type", +"Expense Claim has been approved.", +"Expense Claim has been rejected.", +"Expense Claim is pending approval. Only the Expense Approver can update status.", +"Expense Date", +"Expense Details", +"Expense Head", +"Expense account is mandatory for item {0}", +"Expense or Difference account is mandatory for Item {0} as it impacts overall stock value", +"Expenses","Wydatki" +"Expenses Booked", +"Expenses Included In Valuation", +"Expenses booked for the digest period", +"Expiry Date","Data ważności" +"Exports", +"External", +"Extract Emails", +"FCFS Rate", +"Failed: ", +"Family Background", +"Fax","Faks" +"Features Setup", +"Feed", +"Feed Type", +"Feedback", +"Female", +"Fetch exploded BOM (including sub-assemblies)", +"Field available in Delivery Note, Quotation, Sales Invoice, Sales Order", +"Files Folder ID", +"Fill the form and save it", +"Filter based on customer", +"Filter based on item", +"Financial / accounting year.", +"Financial Analytics", +"Financial Services", +"Financial Year End Date", +"Financial Year Start Date", +"Finished Goods", +"First Name", +"First Responded On", +"Fiscal Year","Rok obrotowy" +"Fixed Asset", +"Fixed Assets", +"Follow via Email", +"Following table will show values if items are sub - contracted. These values will be fetched from the master of ""Bill of Materials"" of sub - contracted items.", +"Food","Żywność" +"Food, Beverage & Tobacco", +"For Company","Dla firmy" +"For Employee","Dla pracownika" +"For Employee Name", +"For Price List", +"For Production", +"For Reference Only.","Wyłącznie w celach informacyjnych." +"For Sales Invoice", +"For Server Side Print Formats", +"For Supplier","Dla dostawcy" +"For Warehouse","Dla magazynu" +"For Warehouse is required before Submit", +"For e.g. 2012, 2012-13", +"For reference", +"For reference only.", +"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes", +"Fraction", +"Fraction Units", +"Freeze Stock Entries", +"Freeze Stocks Older Than [Days]", +"Freight and Forwarding Charges", +"Friday","Piątek" +"From","Od" +"From Bill of Materials","Z zestawienia materiałowego" +"From Company", +"From Currency", +"From Currency and To Currency cannot be same", +"From Customer", +"From Customer Issue", +"From Date", +"From Date must be before To Date", +"From Delivery Note", +"From Employee", +"From Lead", +"From Maintenance Schedule", +"From Material Request", +"From Opportunity", +"From Package No.", +"From Purchase Order", +"From Purchase Receipt", +"From Quotation", +"From Sales Order", +"From Supplier Quotation", +"From Time", +"From Value", +"From and To dates required", +"From value must be less than to value in row {0}", +"Frozen", +"Frozen Accounts Modifier", +"Fulfilled", +"Full Name", +"Full-time", +"Fully Completed", +"Furniture and Fixture", +"Further accounts can be made under Groups but entries can be made against Ledger", +"Further accounts can be made under Groups, but entries can be made against Ledger", +"Further nodes can be only created under 'Group' type nodes", +"GL Entry", +"Gantt Chart", +"Gantt chart of all tasks.", +"Gender", +"General", +"General Ledger", +"Generate Description HTML","Generuj opis HTML" +"Generate Material Requests (MRP) and Production Orders.", +"Generate Salary Slips", +"Generate Schedule", +"Generates HTML to include selected image in the description","Generuje HTML zawierający wybrany obrazek w opisie" +"Get Advances Paid", +"Get Advances Received", +"Get Against Entries", +"Get Current Stock","Pobierz aktualny stan magazynowy" +"Get Items","Pobierz produkty" +"Get Items From Sales Orders", +"Get Items from BOM","Weź produkty z zestawienia materiałowego" +"Get Last Purchase Rate", +"Get Outstanding Invoices", +"Get Relevant Entries", +"Get Sales Orders", +"Get Specification Details","Pobierz szczegóły specyfikacji" +"Get Stock and Rate","Pobierz stan magazynowy i stawkę" +"Get Template", +"Get Terms and Conditions", +"Get Weekly Off Dates", +"Get valuation rate and available stock at source/target warehouse on mentioned posting date-time. If serialized item, please press this button after entering serial nos.", +"Global Defaults", +"Global POS Setting {0} already created for company {1}", +"Global Settings", +"Go to the appropriate group (usually Application of Funds > Current Assets > Bank Accounts and create a new Account Ledger (by clicking on Add Child) of type ""Bank""", +"Go to the appropriate group (usually Source of Funds > Current Liabilities > Taxes and Duties and create a new Account Ledger (by clicking on Add Child) of type ""Tax"" and do mention the Tax rate.", +"Goal", +"Goals", +"Goods received from Suppliers.","Produkty otrzymane od dostawców." +"Google Drive", +"Google Drive Access Allowed", +"Government", +"Graduate", +"Grand Total", +"Grand Total (Company Currency)", +"Grid """, +"Grocery", +"Gross Margin %", +"Gross Margin Value", +"Gross Pay", +"Gross Pay + Arrear Amount +Encashment Amount - Total Deduction", +"Gross Profit", +"Gross Profit (%)", +"Gross Weight", +"Gross Weight UOM", +"Group","Grupa" +"Group by Account", +"Group by Voucher", +"Group or Ledger", +"Groups","Grupy" +"HR Manager", +"HR Settings", +"HTML / Banner that will show on the top of product list.", +"Half Day", +"Half Yearly", +"Half-yearly", +"Happy Birthday!", +"Hardware", +"Has Batch No","Posada numer lotu (batch'u)" +"Has Child Node", +"Has Serial No","Posiada numer seryjny" +"Head of Marketing and Sales", +"Header","Nagłówek" +"Health Care","Opieka zdrowotna" +"Health Concerns", +"Health Details", +"Held On", +"Help HTML", +"Help: To link to another record in the system, use ""#Form/Note/[Note Name]"" as the Link URL. (don't use ""http://"")", +"Here you can maintain family details like name and occupation of parent, spouse and children", +"Here you can maintain height, weight, allergies, medical concerns etc", +"Hide Currency Symbol", +"High","Wysoki" +"History In Company", +"Hold", +"Holiday", +"Holiday List", +"Holiday List Name", +"Holiday master.", +"Holidays", +"Home", +"Host", +"Host, Email and Password required if emails are to be pulled", +"Hour","Godzina" +"Hour Rate","Stawka godzinowa" +"Hour Rate Labour", +"Hours","Godziny" +"How frequently?","Jak często?" +"How should this currency be formatted? If not set, will use system defaults", +"Human Resources","Kadry" +"Identification of the package for the delivery (for print)", +"If Income or Expense", +"If Monthly Budget Exceeded", +"If Sale BOM is defined, the actual BOM of the Pack is displayed as table. Available in Delivery Note and Sales Order", +"If Supplier Part Number exists for given Item, it gets stored here", +"If Yearly Budget Exceeded", +"If checked, BOM for sub-assembly items will be considered for getting raw materials. Otherwise, all sub-assembly items will be treated as a raw material.", +"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day", +"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount", +"If different than customer address", +"If disable, 'Rounded Total' field will not be visible in any transaction", +"If enabled, the system will post accounting entries for inventory automatically.", +"If more than one package of the same type (for print)", +"If no change in either Quantity or Valuation Rate, leave the cell blank.", +"If not applicable please enter: NA", +"If not checked, the list will have to be added to each Department where it has to be applied.", +"If specified, send the newsletter using this email address", +"If the account is frozen, entries are allowed to restricted users.", +"If this Account represents a Customer, Supplier or Employee, set it here.", +"If you follow Quality Inspection. Enables Item QA Required and QA No in Purchase Receipt", +"If you have Sales Team and Sale Partners (Channel Partners) they can be tagged and maintain their contribution in the sales activity", +"If you have created a standard template in Purchase Taxes and Charges Master, select one and click on the button below.", +"If you have created a standard template in Sales Taxes and Charges Master, select one and click on the button below.", +"If you have long print formats, this feature can be used to split the page to be printed on multiple pages with all headers and footers on each page", +"If you involve in manufacturing activity. Enables Item 'Is Manufactured'", +"Ignore", +"Ignored: ", +"Image","Obrazek" +"Image View", +"Implementation Partner", +"Import Attendance", +"Import Failed!", +"Import Log", +"Import Successful!", +"Imports", +"In Hours", +"In Process", +"In Qty", +"In Value", +"In Words","Słownie" +"In Words (Company Currency)", +"In Words (Export) will be visible once you save the Delivery Note.", +"In Words will be visible once you save the Delivery Note.", +"In Words will be visible once you save the Purchase Invoice.", +"In Words will be visible once you save the Purchase Order.", +"In Words will be visible once you save the Purchase Receipt.", +"In Words will be visible once you save the Quotation.", +"In Words will be visible once you save the Sales Invoice.", +"In Words will be visible once you save the Sales Order.", +"Incentives", +"Include Reconciled Entries", +"Include holidays in Total no. of Working Days", +"Income", +"Income / Expense", +"Income Account", +"Income Booked", +"Income Tax", +"Income Year to Date", +"Income booked for the digest period", +"Incoming", +"Incoming Rate", +"Incoming quality inspection.", +"Incorrect or Inactive BOM {0} for Item {1} at row {2}", +"Indicates that the package is a part of this delivery", +"Indirect Expenses", +"Indirect Income", +"Individual", +"Industry", +"Industry Type", +"Inspected By","Skontrolowane przez" +"Inspection Criteria","Kryteria kontrolne" +"Inspection Required","Wymagana kontrola" +"Inspection Type","Typ kontroli" +"Installation Date", +"Installation Note", +"Installation Note Item", +"Installation Note {0} has already been submitted", +"Installation Status", +"Installation Time", +"Installation date cannot be before delivery date for Item {0}", +"Installation record for a Serial No.", +"Installed Qty", +"Instructions","Instrukcje" +"Integrate incoming support emails to Support Ticket", +"Interested", +"Intern", +"Internal", +"Internet Publishing", +"Introduction", +"Invalid Barcode or Serial No", +"Invalid Mail Server. Please rectify and try again.", +"Invalid Master Name", +"Invalid User Name or Support Password. Please rectify and try again.", +"Invalid quantity specified for item {0}. Quantity should be greater than 0.", +"Inventory","Inwentarz" +"Inventory & Support", +"Investment Banking", +"Investments", +"Invoice Date", +"Invoice Details", +"Invoice No", +"Invoice Period From Date", +"Invoice Period From and Invoice Period To dates mandatory for recurring invoice", +"Invoice Period To Date", +"Invoiced Amount (Exculsive Tax)", +"Is Active","Jest aktywny" +"Is Advance", +"Is Cancelled", +"Is Carry Forward", +"Is Default","Jest domyślny" +"Is Encash", +"Is Fixed Asset Item","Jest stałą pozycją aktywów" +"Is LWP", +"Is Opening", +"Is Opening Entry", +"Is POS", +"Is Primary Contact", +"Is Purchase Item","Jest produktem kupowalnym" +"Is Sales Item","Jest produktem sprzedawalnym" +"Is Service Item","Jest usługą" +"Is Stock Item","Jest produktem w magazynie" +"Is Sub Contracted Item","Produkcja jest zlecona innemu podmiotowi" +"Is Subcontracted", +"Is this Tax included in Basic Rate?", +"Issue", +"Issue Date", +"Issue Details", +"Issued Items Against Production Order", +"It can also be used to create opening stock entries and to fix stock value.", +"Item","Produkt" +"Item Advanced", +"Item Barcode","Kod kreskowy produktu" +"Item Batch Nos", +"Item Code","Kod produktu" +"Item Code and Warehouse should already exist.", +"Item Code cannot be changed for Serial No.", +"Item Code is mandatory because Item is not automatically numbered", +"Item Code required at Row No {0}", +"Item Customer Detail", +"Item Description","Opis produktu" +"Item Desription","Opis produktu" +"Item Details","Szczegóły produktu" +"Item Group","Grupa produktów" +"Item Group Name", +"Item Group Tree","Drzewo grup produktów" +"Item Groups in Details", +"Item Image (if not slideshow)", +"Item Name","Nazwa produktu" +"Item Naming By", +"Item Price","Cena produktu" +"Item Prices","Ceny produktu" +"Item Quality Inspection Parameter", +"Item Reorder", +"Item Serial No","Nr seryjny produktu" +"Item Serial Nos", +"Item Shortage Report", +"Item Supplier","Dostawca produktu" +"Item Supplier Details","Szczegóły dostawcy produktu" +"Item Tax","Podatek dla produktu" +"Item Tax Amount","Wysokość podatku dla produktu" +"Item Tax Rate","Stawka podatku dla produktu" +"Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable", +"Item Tax1", +"Item To Manufacture","Produkt do wyprodukowania" +"Item UOM","Jednostka miary produktu" +"Item Website Specification", +"Item Website Specifications", +"Item Wise Tax Detail", +"Item Wise Tax Detail ", +"Item is required", +"Item is updated", +"Item master.", +"Item must be a purchase item, as it is present in one or many Active BOMs", +"Item or Warehouse for row {0} does not match Material Request", +"Item table can not be blank", +"Item to be manufactured or repacked","Produkt, który ma zostać wyprodukowany lub przepakowany" +"Item valuation updated", +"Item will be saved by this name in the data base.","Produkt zostanie zapisany pod tą nazwą w bazie danych." +"Item {0} appears multiple times in Price List {1}", +"Item {0} does not exist", +"Item {0} does not exist in the system or has expired", +"Item {0} does not exist in {1} {2}", +"Item {0} has already been returned", +"Item {0} has been entered multiple times against same operation", +"Item {0} has been entered multiple times with same description or date", +"Item {0} has been entered multiple times with same description or date or warehouse", +"Item {0} has been entered twice", +"Item {0} has reached its end of life on {1}", +"Item {0} ignored since it is not a stock item", +"Item {0} is cancelled", +"Item {0} is not Purchase Item", +"Item {0} is not a serialized Item", +"Item {0} is not a stock Item", +"Item {0} is not active or end of life has been reached", +"Item {0} is not setup for Serial Nos. Check Item master", +"Item {0} is not setup for Serial Nos. Column must be blank", +"Item {0} must be Sales Item", +"Item {0} must be Sales or Service Item in {1}", +"Item {0} must be Service Item", +"Item {0} must be a Purchase Item", +"Item {0} must be a Sales Item", +"Item {0} must be a Service Item.", +"Item {0} must be a Sub-contracted Item", +"Item {0} must be a stock Item", +"Item {0} must be manufactured or sub-contracted", +"Item {0} not found", +"Item {0} with Serial No {1} is already installed", +"Item {0} with same description entered twice", +"Item, Warranty, AMC (Annual Maintenance Contract) details will be automatically fetched when Serial Number is selected.", +"Item-wise Price List Rate", +"Item-wise Purchase History", +"Item-wise Purchase Register", +"Item-wise Sales History", +"Item-wise Sales Register", +"Item: {0} managed batch-wise, can not be reconciled using \ + Stock Reconciliation, instead use Stock Entry", +"Item: {0} not found in the system", +"Items","Produkty" +"Items To Be Requested", +"Items required", +"Items to be requested which are ""Out of Stock"" considering all warehouses based on projected qty and minimum order qty", +"Items which do not exist in Item master can also be entered on customer's request", +"Itemwise Discount", +"Itemwise Recommended Reorder Level", +"Job Applicant", +"Job Opening", +"Job Profile", +"Job Title", +"Job profile, qualifications required etc.", +"Jobs Email Settings", +"Journal Entries", +"Journal Entry", +"Journal Voucher", +"Journal Voucher Detail", +"Journal Voucher Detail No", +"Journal Voucher {0} does not have account {1} or already matched", +"Journal Vouchers {0} are un-linked", +"Keep a track of communication related to this enquiry which will help for future reference.", +"Keep it web friendly 900px (w) by 100px (h)", +"Key Performance Area", +"Key Responsibility Area", +"Kg", +"LR Date", +"LR No","Nr ciężarówki" +"Label", +"Landed Cost Item", +"Landed Cost Items", +"Landed Cost Purchase Receipt", +"Landed Cost Purchase Receipts", +"Landed Cost Wizard", +"Landed Cost updated successfully", +"Language", +"Last Name", +"Last Purchase Rate", +"Latest", +"Lead", +"Lead Details", +"Lead Id", +"Lead Name", +"Lead Owner", +"Lead Source", +"Lead Status", +"Lead Time Date","Termin realizacji" +"Lead Time Days","Czas realizacji (dni)" +"Lead Time days is number of days by which this item is expected in your warehouse. This days is fetched in Material Request when you select this item.", +"Lead Type", +"Lead must be set if Opportunity is made from Lead", +"Leave Allocation", +"Leave Allocation Tool", +"Leave Application", +"Leave Approver", +"Leave Approvers", +"Leave Balance Before Application", +"Leave Block List", +"Leave Block List Allow", +"Leave Block List Allowed", +"Leave Block List Date", +"Leave Block List Dates", +"Leave Block List Name", +"Leave Blocked", +"Leave Control Panel", +"Leave Encashed?", +"Leave Encashment Amount", +"Leave Type", +"Leave Type Name", +"Leave Without Pay", +"Leave application has been approved.", +"Leave application has been rejected.", +"Leave approver must be one of {0}", +"Leave blank if considered for all branches", +"Leave blank if considered for all departments", +"Leave blank if considered for all designations", +"Leave blank if considered for all employee types", +"Leave can be approved by users with Role, ""Leave Approver""", +"Leave of type {0} cannot be longer than {1}", +"Leaves Allocated Successfully for {0}", +"Leaves for type {0} already allocated for Employee {1} for Fiscal Year {0}", +"Leaves must be allocated in multiples of 0.5", +"Ledger", +"Ledgers", +"Left", +"Legal", +"Legal Expenses", +"Letter Head", +"Letter Heads for print templates.", +"Level", +"Lft", +"Liability", +"List a few of your customers. They could be organizations or individuals.", +"List a few of your suppliers. They could be organizations or individuals.", +"List items that form the package.", +"List this Item in multiple groups on the website.", +"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 your tax heads (e.g. VAT, Excise; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.", +"Loading...", +"Loans (Liabilities)", +"Loans and Advances (Assets)", +"Local", +"Login with your new User ID", +"Logo", +"Logo and Letter Heads", +"Lost", +"Lost Reason", +"Low", +"Lower Income", +"MTN Details", +"Main","Główny" +"Main Reports","Raporty główne" +"Maintain Same Rate Throughout Sales Cycle", +"Maintain same rate throughout purchase cycle", +"Maintenance", +"Maintenance Date", +"Maintenance Details", +"Maintenance Schedule", +"Maintenance Schedule Detail", +"Maintenance Schedule Item", +"Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule'", +"Maintenance Schedule {0} exists against {0}", +"Maintenance Schedule {0} must be cancelled before cancelling this Sales Order", +"Maintenance Schedules", +"Maintenance Status", +"Maintenance Time", +"Maintenance Type", +"Maintenance Visit", +"Maintenance Visit Purpose", +"Maintenance Visit {0} must be cancelled before cancelling this Sales Order", +"Maintenance start date can not be before delivery date for Serial No {0}", +"Major/Optional Subjects", +"Make ","Stwórz" +"Make Accounting Entry For Every Stock Movement", +"Make Bank Voucher", +"Make Credit Note", +"Make Debit Note", +"Make Delivery", +"Make Difference Entry", +"Make Excise Invoice", +"Make Installation Note", +"Make Invoice", +"Make Maint. Schedule", +"Make Maint. Visit", +"Make Maintenance Visit", +"Make Packing Slip", +"Make Payment Entry", +"Make Purchase Invoice", +"Make Purchase Order", +"Make Purchase Receipt", +"Make Salary Slip", +"Make Salary Structure", +"Make Sales Invoice", +"Make Sales Order", +"Make Supplier Quotation", +"Male", +"Manage Customer Group Tree.", +"Manage Sales Person Tree.", +"Manage Territory Tree.", +"Manage cost of operations","Zarządzaj kosztami działań" +"Management", +"Manager", +"Mandatory if Stock Item is ""Yes"". Also the default warehouse where reserved quantity is set from Sales Order.","Wymagane jeśli jest produktem w magazynie. Również z domyślnego magazynu rezerwowana jest wymagana ilość przy Zleceniu Sprzedaży." +"Manufacture against Sales Order", +"Manufacture/Repack","Produkcja/Przepakowanie" +"Manufactured Qty", +"Manufactured quantity will be updated in this warehouse", +"Manufactured quantity {0} cannot be greater than planned quanitity {1} in Production Order {2}", +"Manufacturer","Producent" +"Manufacturer Part Number","Numer katalogowy producenta" +"Manufacturing","Produkcja" +"Manufacturing Quantity","Ilość produkcji" +"Manufacturing Quantity is mandatory", +"Margin", +"Marital Status", +"Market Segment", +"Marketing", +"Marketing Expenses", +"Married", +"Mass Mailing", +"Master Name", +"Master Name is mandatory if account type is Warehouse", +"Master Type", +"Masters", +"Match non-linked Invoices and Payments.", +"Material Issue","Wydanie materiałów" +"Material Receipt","Przyjęcie materiałów" +"Material Request","Zamówienie produktu" +"Material Request Detail No", +"Material Request For Warehouse", +"Material Request Item", +"Material Request Items", +"Material Request No", +"Material Request Type","Typ zamówienia produktu" +"Material Request of maximum {0} can be made for Item {1} against Sales Order {2}", +"Material Request used to make this Stock Entry", +"Material Request {0} is cancelled or stopped", +"Material Requests for which Supplier Quotations are not created", +"Material Requests {0} created", +"Material Requirement", +"Material Transfer","Transfer materiałów" +"Materials","Materiały" +"Materials Required (Exploded)", +"Max 5 characters", +"Max Days Leave Allowed", +"Max Discount (%)","Maksymalny rabat (%)" +"Max Qty","Maks. Ilość" +"Maximum allowed credit is {0} days after posting date", +"Maximum {0} rows allowed", +"Maxiumm discount for Item {0} is {1}%", +"Medical","Medyczny" +"Medium", +"Merging is only possible if following properties are same in both records. Group or Ledger, Root Type, Company", +"Message","Wiadomość" +"Message Parameter", +"Message Sent","Wiadomość wysłana" +"Message updated", +"Messages","Wiadomości" +"Messages greater than 160 characters will be split into multiple messages", +"Middle Income", +"Milestone", +"Milestone Date", +"Milestones", +"Milestones will be added as Events in the Calendar", +"Min Order Qty","Min. wartość zamówienia" +"Min Qty","Min. ilość" +"Min Qty can not be greater than Max Qty", +"Minimum Order Qty","Minimalna wartość zamówienia" +"Minute","Minuta" +"Misc Details", +"Miscellaneous Expenses", +"Miscelleneous", +"Mobile No","Nr tel. Komórkowego" +"Mobile No.","Nr tel. Komórkowego" +"Mode of Payment", +"Modern","Nowoczesny" +"Modified Amount", +"Monday","Poniedziałek" +"Month","Miesiąc" +"Monthly","Miesięcznie" +"Monthly Attendance Sheet", +"Monthly Earning & Deduction", +"Monthly Salary Register", +"Monthly salary statement.", +"More Details", +"More Info","Więcej informacji" +"Motion Picture & Video", +"Moving Average", +"Moving Average Rate", +"Mr","Pan" +"Ms","Pani" +"Multiple Item prices.", +"Multiple Price Rule exists with same criteria, please resolve \ + conflict by assigning priority. Price Rules: {0}", +"Music","Muzyka" +"Must be Whole Number","Musi być liczbą całkowitą" +"Name","Imię" +"Name and Description","Nazwa i opis" +"Name and Employee ID", +"Name of new Account. Note: Please don't create accounts for Customers and Suppliers, they are created automatically from the Customer and Supplier master", +"Name of person or organization that this address belongs to.", +"Name of the Budget Distribution", +"Naming Series", +"Negative Quantity is not allowed", +"Negative Stock Error ({6}) for Item {0} in Warehouse {1} on {2} {3} in {4} {5}", +"Negative Valuation Rate is not allowed", +"Negative balance in Batch {0} for Item {1} at Warehouse {2} on {3} {4}", +"Net Pay", +"Net Pay (in words) will be visible once you save the Salary Slip.", +"Net Total","Łączna wartość netto" +"Net Total (Company Currency)","Łączna wartość netto (waluta firmy)" +"Net Weight","Waga netto" +"Net Weight UOM","Jednostka miary wagi netto" +"Net Weight of each Item","Waga netto każdego produktu" +"Net pay cannot be negative", +"Never","Nigdy" +"New ","Nowy" +"New Account","Nowe konto" +"New Account Name","Nowa nazwa konta" +"New BOM","Nowe zestawienie materiałowe" +"New Communications", +"New Company","Nowa firma" +"New Cost Center", +"New Cost Center Name", +"New Delivery Notes", +"New Enquiries", +"New Leads", +"New Leave Application", +"New Leaves Allocated", +"New Leaves Allocated (In Days)", +"New Material Requests", +"New Projects","Nowe projekty" +"New Purchase Orders", +"New Purchase Receipts", +"New Quotations", +"New Sales Orders", +"New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt", +"New Stock Entries", +"New Stock UOM", +"New Stock UOM is required", +"New Stock UOM must be different from current stock UOM", +"New Supplier Quotations", +"New Support Tickets", +"New UOM must NOT be of type Whole Number", +"New Workplace", +"Newsletter", +"Newsletter Content", +"Newsletter Status", +"Newsletter has already been sent", +"Newsletters is not allowed for Trial users", +"Newsletters to contacts, leads.", +"Newspaper Publishers", +"Next","Następny" +"Next Contact By", +"Next Contact Date", +"Next Date", +"Next email will be sent on:", +"No","Nie" +"No Customer Accounts found.", +"No Customer or Supplier Accounts found", +"No Expense Approvers. Please assign 'Expense Approver' Role to atleast one user", +"No Item with Barcode {0}", +"No Item with Serial No {0}", +"No Items to pack", +"No Leave Approvers. Please assign 'Leave Approver' Role to atleast one user", +"No Permission", +"No Production Orders created", +"No Supplier Accounts found. Supplier Accounts are identified based on 'Master Type' value in account record.", +"No accounting entries for the following warehouses", +"No addresses created", +"No contacts created", +"No default BOM exists for Item {0}", +"No description given", +"No employee found", +"No employee found!", +"No of Requested SMS", +"No of Sent SMS", +"No of Visits", +"No permission", +"No record found", +"No salary slip found for month: ", +"Non Profit", +"Nos", +"Not Active", +"Not Applicable", +"Not Available","Niedostępny" +"Not Billed", +"Not Delivered", +"Not Set", +"Not allowed to update entries older than {0}", +"Not authorized to edit frozen Account {0}", +"Not authroized since {0} exceeds limits", +"Not permitted", +"Note", +"Note User", +"Note: Backups and files are not deleted from Dropbox, you will have to delete them manually.", +"Note: Backups and files are not deleted from Google Drive, you will have to delete them manually.", +"Note: Due Date exceeds the allowed credit days by {0} day(s)", +"Note: Email will not be sent to disabled users", +"Note: Item {0} entered multiple times", +"Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified", +"Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0", +"Note: There is not enough leave balance for Leave Type {0}", +"Note: This Cost Center is a Group. Cannot make accounting entries against groups.", +"Note: {0}", +"Notes","Notatki" +"Notes:","Notatki:" +"Nothing to request", +"Notice (days)", +"Notification Control", +"Notification Email Address", +"Notify by Email on creation of automatic Material Request", +"Number Format", +"Offer Date", +"Office","Biuro" +"Office Equipments", +"Office Maintenance Expenses", +"Office Rent", +"Old Parent", +"On Net Total", +"On Previous Row Amount", +"On Previous Row Total", +"Online Auctions", +"Only Leave Applications with status 'Approved' can be submitted", +"Only Serial Nos with status ""Available"" can be delivered.","Tylko numery seryjne o statusie “Dostępny” mogą zostać dostarczone." +"Only leaf nodes are allowed in transaction", +"Only the selected Leave Approver can submit this Leave Application", +"Open","Otwarty" +"Open Production Orders", +"Open Tickets", +"Open source ERP built for the web", +"Opening (Cr)", +"Opening (Dr)", +"Opening Date", +"Opening Entry", +"Opening Qty", +"Opening Time", +"Opening Value", +"Opening for a Job.", +"Operating Cost", +"Operation Description", +"Operation No", +"Operation Time (mins)", +"Operation {0} is repeated in Operations Table", +"Operation {0} not present in Operations Table", +"Operations","Działania" +"Opportunity","Szansa" +"Opportunity Date","Data szansy" +"Opportunity From","Szansa od" +"Opportunity Item", +"Opportunity Items", +"Opportunity Lost", +"Opportunity Type","Typ szansy" +"Optional. This setting will be used to filter in various transactions.", +"Order Type","Typ zamówienia" +"Order Type must be one of {1}", +"Ordered", +"Ordered Items To Be Billed", +"Ordered Items To Be Delivered", +"Ordered Qty", +"Ordered Qty: Quantity ordered for purchase, but not received.", +"Ordered Quantity", +"Orders released for production.","Zamówienia zwolnione do produkcji." +"Organization Name","Nazwa organizacji" +"Organization Profile", +"Organization branch master.", +"Organization unit (department) master.", +"Original Amount", +"Other","Inne" +"Other Details", +"Others","Inni" +"Out Qty", +"Out Value", +"Out of AMC", +"Out of Warranty", +"Outgoing", +"Outstanding Amount", +"Outstanding for {0} cannot be less than zero ({1})", +"Overhead", +"Overheads","Koszty ogólne" +"Overlapping conditions found between:", +"Overview", +"Owned", +"Owner","Właściciel" +"PL or BS", +"PO Date", +"PO No", +"POP3 Mail Server", +"POP3 Mail Settings", +"POP3 mail server (e.g. pop.gmail.com)", +"POP3 server e.g. (pop.gmail.com)", +"POS Setting", +"POS Setting required to make POS Entry", +"POS Setting {0} already created for user: {1} and company {2}", +"POS View", +"PR Detail", +"PR Posting Date", +"Package Item Details", +"Package Items", +"Package Weight Details", +"Packed Item", +"Packed quantity must equal quantity for Item {0} in row {1}", +"Packing Details", +"Packing List", +"Packing Slip", +"Packing Slip Item", +"Packing Slip Items", +"Packing Slip(s) cancelled", +"Page Break", +"Page Name", +"Paid Amount", +"Paid amount + Write Off Amount can not be greater than Grand Total", +"Pair","Para" +"Parameter","Parametr" +"Parent Account", +"Parent Cost Center", +"Parent Customer Group", +"Parent Detail docname", +"Parent Item", +"Parent Item Group", +"Parent Item {0} must be not Stock Item and must be a Sales Item", +"Parent Party Type", +"Parent Sales Person", +"Parent Territory", +"Parent Website Page", +"Parent Website Route", +"Parent account can not be a ledger", +"Parent account does not exist", +"Parenttype", +"Part-time", +"Partially Completed", +"Partly Billed", +"Partly Delivered", +"Partner Target Detail", +"Partner Type", +"Partner's Website", +"Party Type", +"Party Type Name", +"Passive", +"Passport Number", +"Password", +"Pay To / Recd From", +"Payable", +"Payables", +"Payables Group", +"Payment Days", +"Payment Due Date", +"Payment Period Based On Invoice Date", +"Payment Type", +"Payment of salary for the month {0} and year {1}", +"Payment to Invoice Matching Tool", +"Payment to Invoice Matching Tool Detail", +"Payments","Płatności" +"Payments Made", +"Payments Received", +"Payments made during the digest period", +"Payments received during the digest period", +"Payroll Settings", +"Pending", +"Pending Amount", +"Pending Items {0} updated", +"Pending Review", +"Pending SO Items For Purchase Request", +"Pension Funds", +"Percent Complete", +"Percentage Allocation", +"Percentage Allocation should be equal to 100%", +"Percentage variation in quantity to be allowed while receiving or delivering this item.","Procentowa wariacja w ilości dopuszczalna przy otrzymywaniu lub dostarczaniu tego produktu." +"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.", +"Performance appraisal.", +"Period","Okres" +"Period Closing Voucher", +"Periodicity", +"Permanent Address", +"Permanent Address Is", +"Permission","Pozwolenie" +"Personal", +"Personal Details", +"Personal Email", +"Pharmaceutical", +"Pharmaceuticals", +"Phone","Telefon" +"Phone No","Nr telefonu" +"Piecework", +"Pincode","Kod PIN" +"Place of Issue", +"Plan for maintenance visits.", +"Planned Qty","Planowana ilość" +"Planned Qty: Quantity, for which, Production Order has been raised, but is pending to be manufactured.", +"Planned Quantity","Planowana ilość" +"Planning","Planowanie" +"Plant","Zakład" +"Plant and Machinery", +"Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.", +"Please add expense voucher details", +"Please check 'Is Advance' against Account {0} if this is an advance entry.", +"Please click on 'Generate Schedule'", +"Please click on 'Generate Schedule' to fetch Serial No added for Item {0}", +"Please click on 'Generate Schedule' to get schedule", +"Please create Customer from Lead {0}", +"Please create Salary Structure for employee {0}", +"Please create new account from Chart of Accounts.", +"Please do NOT create Account (Ledgers) for Customers and Suppliers. They are created directly from the Customer / Supplier masters.", +"Please enter 'Expected Delivery Date'", +"Please enter 'Is Subcontracted' as Yes or No", +"Please enter 'Repeat on Day of Month' field value", +"Please enter Account Receivable/Payable group in company master", +"Please enter Approving Role or Approving User", +"Please enter BOM for Item {0} at row {1}", +"Please enter Company", +"Please enter Cost Center", +"Please enter Delivery Note No or Sales Invoice No to proceed", +"Please enter Employee Id of this sales parson", +"Please enter Expense Account", +"Please enter Item Code to get batch no", +"Please enter Item Code.", +"Please enter Item first", +"Please enter Maintaince Details first", +"Please enter Master Name once the account is created.", +"Please enter Planned Qty for Item {0} at row {1}", +"Please enter Production Item first", +"Please enter Purchase Receipt No to proceed", +"Please enter Reference date", +"Please enter Warehouse for which Material Request will be raised", +"Please enter Write Off Account", +"Please enter atleast 1 invoice in the table", +"Please enter company first", +"Please enter company name first", +"Please enter default Unit of Measure", +"Please enter default currency in Company Master", +"Please enter email address", +"Please enter item details", +"Please enter message before sending", +"Please enter parent account group for warehouse account", +"Please enter parent cost center", +"Please enter quantity for Item {0}", +"Please enter relieving date.", +"Please enter sales order in the above table", +"Please enter valid Company Email", +"Please enter valid Email Id", +"Please enter valid Personal Email", +"Please enter valid mobile nos", +"Please install dropbox python module", +"Please mention no of visits required", +"Please pull items from Delivery Note", +"Please save the Newsletter before sending", +"Please save the document before generating maintenance schedule", +"Please select Account first", +"Please select Bank Account", +"Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year", +"Please select Category first", +"Please select Charge Type first", +"Please select Fiscal Year", +"Please select Group or Ledger value", +"Please select Incharge Person's name", +"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Sales BOM", +"Please select Price List", +"Please select Start Date and End Date for Item {0}", +"Please select a csv file", +"Please select a valid csv file with data", +"Please select a value for {0} quotation_to {1}", +"Please select an ""Image"" first", +"Please select charge type first", +"Please select company first.", +"Please select item code", +"Please select month and year", +"Please select prefix first", +"Please select the document type first", +"Please select weekly off day", +"Please select {0}", +"Please select {0} first", +"Please set Dropbox access keys in your site config", +"Please set Google Drive access keys in {0}", +"Please set default Cash or Bank account in Mode of Payment {0}", +"Please set default value {0} in Company {0}", +"Please set {0}", +"Please setup Employee Naming System in Human Resource > HR Settings", +"Please setup numbering series for Attendance via Setup > Numbering Series", +"Please setup your chart of accounts before you start Accounting Entries", +"Please specify", +"Please specify Company", +"Please specify Company to proceed", +"Please specify Default Currency in Company Master and Global Defaults", +"Please specify a", +"Please specify a valid 'From Case No.'", +"Please specify a valid Row ID for {0} in row {1}", +"Please specify either Quantity or Valuation Rate or both", +"Please submit to update Leave Balance.", +"Plot", +"Plot By", +"Point of Sale", +"Point-of-Sale Setting", +"Post Graduate", +"Postal", +"Postal Expenses", +"Posting Date","Data publikacji" +"Posting Time","Czas publikacji" +"Posting timestamp must be after {0}", +"Potential opportunities for selling.","Potencjalne okazje na sprzedaż." +"Preferred Billing Address", +"Preferred Shipping Address", +"Prefix", +"Present", +"Prevdoc DocType", +"Prevdoc Doctype", +"Preview", +"Previous","Wstecz" +"Previous Work Experience", +"Price","Cena" +"Price / Discount","Cena / Rabat" +"Price List","Cennik" +"Price List Currency","Waluta cennika" +"Price List Currency not selected", +"Price List Exchange Rate", +"Price List Name","Nazwa cennika" +"Price List Rate", +"Price List Rate (Company Currency)", +"Price List master.", +"Price List must be applicable for Buying or Selling", +"Price List not selected", +"Price List {0} is disabled", +"Price or Discount", +"Pricing Rule", +"Pricing Rule For Discount", +"Pricing Rule For Price", +"Print Format Style", +"Print Heading","Nagłówek do druku" +"Print Without Amount","Drukuj bez wartości" +"Print and Stationary", +"Printing and Branding", +"Priority","Priorytet" +"Private Equity", +"Privilege Leave", +"Probation", +"Process Payroll", +"Produced", +"Produced Quantity", +"Product Enquiry", +"Production","Produkcja" +"Production Order","Zamówinie produkcji" +"Production Order status is {0}", +"Production Order {0} must be cancelled before cancelling this Sales Order", +"Production Order {0} must be submitted", +"Production Orders", +"Production Orders in Progress", +"Production Plan Item", +"Production Plan Items", +"Production Plan Sales Order", +"Production Plan Sales Orders", +"Production Planning Tool", +"Products","Produkty" +"Products will be sorted by weight-age in default searches. More the weight-age, higher the product will appear in the list.", +"Profit and Loss", +"Project","Projekt" +"Project Costing", +"Project Details", +"Project Manager", +"Project Milestone", +"Project Milestones", +"Project Name","Nazwa projektu" +"Project Start Date", +"Project Type", +"Project Value", +"Project activity / task.", +"Project master.", +"Project will get saved and will be searchable with project name given", +"Project wise Stock Tracking", +"Project-wise data is not available for Quotation", +"Projected", +"Projected Qty","Prognozowana ilość" +"Projects","Projekty" +"Projects & System", +"Prompt for Email on Submission of", +"Proposal Writing", +"Provide email id registered in company", +"Public", +"Publishing", +"Pull sales orders (pending to deliver) based on the above criteria", +"Purchase","Zakup" +"Purchase / Manufacture Details", +"Purchase Analytics", +"Purchase Common", +"Purchase Details","Szczegóły zakupu" +"Purchase Discounts", +"Purchase In Transit", +"Purchase Invoice", +"Purchase Invoice Advance", +"Purchase Invoice Advances", +"Purchase Invoice Item", +"Purchase Invoice Trends", +"Purchase Invoice {0} is already submitted", +"Purchase Order","Zamówienie" +"Purchase Order Date","Data zamówienia" +"Purchase Order Item", +"Purchase Order Item No", +"Purchase Order Item Supplied", +"Purchase Order Items", +"Purchase Order Items Supplied", +"Purchase Order Items To Be Billed", +"Purchase Order Items To Be Received", +"Purchase Order Message", +"Purchase Order Required", +"Purchase Order Trends", +"Purchase Order number required for Item {0}", +"Purchase Order {0} is 'Stopped'", +"Purchase Order {0} is not submitted", +"Purchase Orders given to Suppliers.", +"Purchase Receipt","Dowód zakupu" +"Purchase Receipt Item", +"Purchase Receipt Item Supplied", +"Purchase Receipt Item Supplieds", +"Purchase Receipt Items", +"Purchase Receipt Message", +"Purchase Receipt No","Nr dowodu zakupu" +"Purchase Receipt Required", +"Purchase Receipt Trends", +"Purchase Receipt number required for Item {0}", +"Purchase Receipt {0} is not submitted", +"Purchase Register", +"Purchase Return","Zwrot zakupu" +"Purchase Returned", +"Purchase Taxes and Charges", +"Purchase Taxes and Charges Master", +"Purchse Order number required for Item {0}", +"Purpose","Cel" +"Purpose must be one of {0}", +"QA Inspection","Inspecja kontroli jakości" +"Qty","Ilość" +"Qty Consumed Per Unit", +"Qty To Manufacture", +"Qty as per Stock UOM", +"Qty to Deliver", +"Qty to Order", +"Qty to Receive", +"Qty to Transfer", +"Qualification", +"Quality","Jakość" +"Quality Inspection","Kontrola jakości" +"Quality Inspection Parameters","Parametry kontroli jakości" +"Quality Inspection Reading","Odczyt kontroli jakości" +"Quality Inspection Readings","Odczyty kontroli jakości" +"Quality Inspection required for Item {0}", +"Quality Management", +"Quantity","Ilość" +"Quantity Requested for Purchase", +"Quantity and Rate", +"Quantity and Warehouse","Ilość i magazyn" +"Quantity cannot be a fraction in row {0}", +"Quantity for Item {0} must be less than {1}", +"Quantity in row {0} ({1}) must be same as manufactured quantity {2}", +"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" +"Quantity required for Item {0} in row {1}", +"Quarter","Kwartał" +"Quarterly","Kwartalnie" +"Quick Help","Szybka pomoc" +"Quotation","Wycena" +"Quotation Date","Data wyceny" +"Quotation Item","Przedmiot wyceny" +"Quotation Items","Przedmioty wyceny" +"Quotation Lost Reason", +"Quotation Message", +"Quotation To","Wycena dla" +"Quotation Trends", +"Quotation {0} is cancelled", +"Quotation {0} not of type {1}", +"Quotations received from Suppliers.", +"Quotes to Leads or Customers.", +"Raise Material Request when stock reaches re-order level", +"Raised By", +"Raised By (Email)", +"Random","Losowy" +"Range","Przedział" +"Rate","Stawka" +"Rate ","Stawka " +"Rate (%)","Stawka (%)" +"Rate (Company Currency)", +"Rate Of Materials Based On", +"Rate and Amount", +"Rate at which Customer Currency is converted to customer's base currency", +"Rate at which Price list currency is converted to company's base currency", +"Rate at which Price list currency is converted to customer's base currency", +"Rate at which customer's currency is converted to company's base currency", +"Rate at which supplier's currency is converted to company's base currency", +"Rate at which this tax is applied", +"Raw Material","Surowiec" +"Raw Material Item Code", +"Raw Materials Supplied","Dostarczone surowce" +"Raw Materials Supplied Cost","Koszt dostarczonych surowców" +"Raw material cannot be same as main Item", +"Re-Order Level","Poziom dla ponownego zamówienia" +"Re-Order Qty","Ilość ponownego zamówienia" +"Re-order","Ponowne zamówienie" +"Re-order Level","Poziom dla ponownego zamówienia" +"Re-order Qty","Ilość ponownego zamówienia" +"Read", +"Reading 1","Odczyt 1" +"Reading 10","Odczyt 10" +"Reading 2","Odczyt 2" +"Reading 3","Odczyt 3" +"Reading 4","Odczyt 4" +"Reading 5","Odczyt 5" +"Reading 6","Odczyt 6" +"Reading 7","Odczyt 7" +"Reading 8","Odczyt 8" +"Reading 9","Odczyt 9" +"Real Estate", +"Reason", +"Reason for Leaving", +"Reason for Resignation", +"Reason for losing", +"Recd Quantity", +"Receivable", +"Receivable / Payable account will be identified based on the field Master Type", +"Receivables", +"Receivables / Payables", +"Receivables Group", +"Received Date", +"Received Items To Be Billed", +"Received Qty", +"Received and Accepted", +"Receiver List", +"Receiver List is empty. Please create Receiver List", +"Receiver Parameter", +"Recipients", +"Reconcile", +"Reconciliation Data", +"Reconciliation HTML", +"Reconciliation JSON", +"Record item movement.","Zapisz ruch produktu." +"Recurring Id", +"Recurring Invoice", +"Recurring Type", +"Reduce Deduction for Leave Without Pay (LWP)", +"Reduce Earning for Leave Without Pay (LWP)", +"Ref Code", +"Ref SQ", +"Reference", +"Reference #{0} dated {1}", +"Reference Date", +"Reference Name", +"Reference No & Reference Date is required for {0}", +"Reference No is mandatory if you entered Reference Date", +"Reference Number", +"Reference Row #", +"Refresh","Odśwież" +"Registration Details", +"Registration Info", +"Rejected", +"Rejected Quantity", +"Rejected Serial No", +"Rejected Warehouse", +"Rejected Warehouse is mandatory against regected item", +"Relation", +"Relieving Date", +"Relieving Date must be greater than Date of Joining", +"Remark", +"Remarks","Uwagi" +"Rename","Zmień nazwę" +"Rename Log", +"Rename Tool", +"Rent Cost", +"Rent per hour", +"Rented", +"Repeat on Day of Month", +"Replace", +"Replace Item / BOM in all BOMs", +"Replied", +"Report Date","Data raportu" +"Report Type","Typ raportu" +"Report Type is mandatory","Typ raportu jest wymagany" +"Reports to", +"Reqd By Date", +"Request Type", +"Request for Information", +"Request for purchase.", +"Requested", +"Requested For", +"Requested Items To Be Ordered", +"Requested Items To Be Transferred", +"Requested Qty", +"Requested Qty: Quantity requested for purchase, but not ordered.", +"Requests for items.","Zamówienia produktów." +"Required By", +"Required Date", +"Required Qty","Wymagana ilość" +"Required only for sample item.", +"Required raw materials issued to the supplier for producing a sub - contracted item.", +"Research","Badania" +"Research & Development","Badania i rozwój" +"Researcher", +"Reseller", +"Reserved","Zarezerwowany" +"Reserved Qty","Zarezerwowana ilość" +"Reserved Qty: Quantity ordered for sale, but not delivered.", +"Reserved Quantity","Zarezerwowana ilość" +"Reserved Warehouse", +"Reserved Warehouse in Sales Order / Finished Goods Warehouse", +"Reserved Warehouse is missing in Sales Order", +"Reserved Warehouse required for stock Item {0} in row {1}", +"Reserved warehouse required for stock item {0}", +"Reserves and Surplus", +"Reset Filters", +"Resignation Letter Date", +"Resolution", +"Resolution Date", +"Resolution Details", +"Resolved By", +"Rest Of The World", +"Retail", +"Retail & Wholesale", +"Retailer", +"Review Date", +"Rgt", +"Role Allowed to edit frozen stock", +"Role that is allowed to submit transactions that exceed credit limits set.", +"Root Type", +"Root Type is mandatory", +"Root account can not be deleted", +"Root cannot be edited.", +"Root cannot have a parent cost center", +"Rounded Off", +"Rounded Total", +"Rounded Total (Company Currency)", +"Row # ","Rząd #" +"Row # {0}: ","Rząd # {0}:" +"Row {0}: Account does not match with \ + Purchase Invoice Credit To account", +"Row {0}: Account does not match with \ + Sales Invoice Debit To account", +"Row {0}: Credit entry can not be linked with a Purchase Invoice", +"Row {0}: Debit entry can not be linked with a Sales Invoice", +"Row {0}: To set {1} periodicity, difference between from and to date \ + must be greater than or equal to {2}", +"Row {0}:Start Date must be before End Date", +"Rules for adding shipping costs.", +"Rules for applying pricing and discount.", +"Rules to calculate shipping amount for a sale", +"S.O. No.", +"SMS Center", +"SMS Control", +"SMS Gateway URL", +"SMS Log", +"SMS Parameter", +"SMS Sender Name", +"SMS Settings", +"SO Date", +"SO Pending Qty", +"SO Qty", +"Salary","Pensja" +"Salary Information", +"Salary Manager", +"Salary Mode", +"Salary Slip", +"Salary Slip Deduction", +"Salary Slip Earning", +"Salary Slip of employee {0} already created for this month", +"Salary Structure", +"Salary Structure Deduction", +"Salary Structure Earning", +"Salary Structure Earnings", +"Salary breakup based on Earning and Deduction.", +"Salary components.", +"Salary template master.", +"Sales","Sprzedaż" +"Sales Analytics","Analityka sprzedaży" +"Sales BOM", +"Sales BOM Help", +"Sales BOM Item", +"Sales BOM Items", +"Sales Browser", +"Sales Details","Szczegóły sprzedaży" +"Sales Discounts", +"Sales Email Settings", +"Sales Expenses", +"Sales Extras", +"Sales Funnel", +"Sales Invoice", +"Sales Invoice Advance", +"Sales Invoice Item", +"Sales Invoice Items", +"Sales Invoice Message", +"Sales Invoice No","Nr faktury sprzedażowej" +"Sales Invoice Trends", +"Sales Invoice {0} has already been submitted", +"Sales Invoice {0} must be cancelled before cancelling this Sales Order", +"Sales Order","Zlecenie sprzedaży" +"Sales Order Date", +"Sales Order Item", +"Sales Order Items", +"Sales Order Message", +"Sales Order No", +"Sales Order Required", +"Sales Order Trends", +"Sales Order required for Item {0}", +"Sales Order {0} is not submitted", +"Sales Order {0} is not valid", +"Sales Order {0} is stopped", +"Sales Partner", +"Sales Partner Name", +"Sales Partner Target", +"Sales Partners Commission", +"Sales Person", +"Sales Person Name", +"Sales Person Target Variance Item Group-Wise", +"Sales Person Targets", +"Sales Person-wise Transaction Summary", +"Sales Register", +"Sales Return","Zwrot sprzedaży" +"Sales Returned", +"Sales Taxes and Charges", +"Sales Taxes and Charges Master", +"Sales Team", +"Sales Team Details", +"Sales Team1", +"Sales and Purchase", +"Sales campaigns.", +"Salutation", +"Sample Size","Wielkość próby" +"Sanctioned Amount", +"Saturday", +"Schedule", +"Schedule Date", +"Schedule Details", +"Scheduled", +"Scheduled Date", +"Scheduled to send to {0}", +"Scheduled to send to {0} recipients", +"Scheduler Failed Events", +"School/University", +"Score (0-5)", +"Score Earned", +"Score must be less than or equal to 5", +"Scrap %", +"Seasonality for setting budgets.", +"Secretary", +"Secured Loans", +"Securities & Commodity Exchanges", +"Securities and Deposits", +"See ""Rate Of Materials Based On"" in Costing Section", +"Select ""Yes"" for sub - contracting items", +"Select ""Yes"" if this item is used for some internal purpose in your company.","Wybierz “Tak” jeśli produkt jest używany w celach wewnętrznych w firmie." +"Select ""Yes"" if this item represents some work like training, designing, consulting etc.","Wybierz “Tak” jeśli produkt to jakaś forma usługi/pracy, np. szkolenie, doradztwo" +"Select ""Yes"" if you are maintaining stock of this item in your Inventory.","Wybierz “Tak” jeśli produkt jest przechowywany w magazynie." +"Select ""Yes"" if you supply raw materials to your supplier to manufacture this item.","Wybierz “Tak” jeśli dostarczasz sutowce swojemu dostawcy w celu wyprodukowania tego produktu." +"Select Budget Distribution to unevenly distribute targets across months.", +"Select Budget Distribution, if you want to track based on seasonality.", +"Select DocType", +"Select Items", +"Select Purchase Receipts", +"Select Sales Orders", +"Select Sales Orders from which you want to create Production Orders.", +"Select Time Logs and Submit to create a new Sales Invoice.", +"Select Transaction", +"Select Your Language", +"Select account head of the bank where cheque was deposited.", +"Select company name first.", +"Select template from which you want to get the Goals", +"Select the Employee for whom you are creating the Appraisal.", +"Select the period when the invoice will be generated automatically", +"Select the relevant company name if you have multiple companies", +"Select the relevant company name if you have multiple companies.", +"Select who you want to send this newsletter to", +"Select your home country and check the timezone and currency.", +"Selecting ""Yes"" will allow this item to appear in Purchase Order , Purchase Receipt.","Wybranie “Tak” pozwoli na dostępność tego produktu w Zamówieniach i Potwierdzeniach Odbioru" +"Selecting ""Yes"" will allow this item to figure in Sales Order, Delivery Note", +"Selecting ""Yes"" will allow you to create Bill of Material showing raw material and operational costs incurred to manufacture this item.", +"Selecting ""Yes"" will allow you to make a Production Order for this item.", +"Selecting ""Yes"" will give a unique identity to each entity of this item which can be viewed in the Serial No master.", +"Selling","Sprzedaż" +"Selling Settings", +"Send","Wyślij" +"Send Autoreply", +"Send Email", +"Send From", +"Send Notifications To", +"Send Now", +"Send SMS", +"Send To", +"Send To Type", +"Send mass SMS to your contacts", +"Send to this list", +"Sender Name", +"Sent On", +"Separate production order will be created for each finished good item.", +"Serial No","Nr seryjny" +"Serial No / Batch", +"Serial No Details","Szczegóły numeru seryjnego" +"Serial No Service Contract Expiry", +"Serial No Status", +"Serial No Warranty Expiry", +"Serial No is mandatory for Item {0}", +"Serial No {0} created", +"Serial No {0} does not belong to Delivery Note {1}", +"Serial No {0} does not belong to Item {1}", +"Serial No {0} does not belong to Warehouse {1}", +"Serial No {0} does not exist", +"Serial No {0} has already been received", +"Serial No {0} is under maintenance contract upto {1}", +"Serial No {0} is under warranty upto {1}", +"Serial No {0} not in stock", +"Serial No {0} quantity {1} cannot be a fraction", +"Serial No {0} status must be 'Available' to Deliver", +"Serial Nos Required for Serialized Item {0}", +"Serial Number Series", +"Serial number {0} entered more than once", +"Serialized Item {0} cannot be updated \ + using Stock Reconciliation", +"Series","Seria" +"Series List for this Transaction", +"Series Updated", +"Series Updated Successfully", +"Series is mandatory", +"Series {0} already used in {1}", +"Service","Usługa" +"Service Address", +"Services","Usługi" +"Set","Zbiór" +"Set Default Values like Company, Currency, Current Fiscal Year, etc.", +"Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.", +"Set as Default", +"Set as Lost", +"Set prefix for numbering series on your transactions", +"Set targets Item Group-wise for this Sales Person.", +"Setting Account Type helps in selecting this Account in transactions.", +"Setting up...", +"Settings", +"Settings for HR Module", +"Settings to extract Job Applicants from a mailbox e.g. ""jobs@example.com""", +"Setup","Ustawienia" +"Setup Already Complete!!", +"Setup Complete", +"Setup Series", +"Setup Wizard", +"Setup incoming server for jobs email id. (e.g. jobs@example.com)", +"Setup incoming server for sales email id. (e.g. sales@example.com)", +"Setup incoming server for support email id. (e.g. support@example.com)", +"Share","Podziel się" +"Share With","Podziel się z" +"Shareholders Funds", +"Shipments to customers.","Dostawy do klientów." +"Shipping","Dostawa" +"Shipping Account", +"Shipping Address","Adres dostawy" +"Shipping Amount", +"Shipping Rule", +"Shipping Rule Condition", +"Shipping Rule Conditions", +"Shipping Rule Label", +"Shop","Sklep" +"Shopping Cart","Koszyk" +"Short biography for website and other publications.", +"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.", +"Show / Hide features like Serial Nos, POS etc.", +"Show In Website","Pokaż na stronie internetowej" +"Show a slideshow at the top of the page", +"Show in Website", +"Show this slideshow at the top of the page", +"Sick Leave", +"Signature","Podpis" +"Signature to be appended at the end of every email", +"Single","Pojedynczy" +"Single unit of an Item.","Jednostka produktu." +"Sit tight while your system is being setup. This may take a few moments.", +"Slideshow", +"Soap & Detergent", +"Software","Oprogramowanie" +"Software Developer","Programista" +"Sorry, Serial Nos cannot be merged", +"Sorry, companies cannot be merged", +"Source","Źródło" +"Source File", +"Source Warehouse","Magazyn źródłowy" +"Source and target warehouse cannot be same for row {0}", +"Source of Funds (Liabilities)", +"Source warehouse is mandatory for row {0}", +"Spartan", +"Special Characters except ""-"" and ""/"" not allowed in naming series", +"Specification Details","Szczegóły specyfikacji" +"Specifications", +"Specify a list of Territories, for which, this Price List is valid","Lista terytoriów, na których cennik jest obowiązujący" +"Specify a list of Territories, for which, this Shipping Rule is valid", +"Specify a list of Territories, for which, this Taxes Master is valid", +"Specify the operations, operating cost and give a unique Operation no to your operations.", +"Split Delivery Note into packages.", +"Sports", +"Standard", +"Standard Buying", +"Standard Rate", +"Standard Reports","Raporty standardowe" +"Standard Selling", +"Standard contract terms for Sales or Purchase.", +"Start", +"Start Date", +"Start date of current invoice's period", +"Start date should be less than end date for Item {0}", +"State","Stan" +"Static Parameters", +"Status", +"Status must be one of {0}", +"Status of {0} {1} is now {2}", +"Status updated to {0}", +"Statutory info and other general information about your Supplier", +"Stay Updated", +"Stock","Magazyn" +"Stock Adjustment", +"Stock Adjustment Account", +"Stock Ageing", +"Stock Analytics","Analityka magazynu" +"Stock Assets", +"Stock Balance", +"Stock Entries already created for Production Order ", +"Stock Entry","Dokument magazynowy" +"Stock Entry Detail","Szczególy wpisu magazynowego" +"Stock Expenses", +"Stock Frozen Upto", +"Stock Ledger", +"Stock Ledger Entry", +"Stock Ledger entries balances updated", +"Stock Level", +"Stock Liabilities", +"Stock Projected Qty", +"Stock Queue (FIFO)", +"Stock Received But Not Billed", +"Stock Reconcilation Data", +"Stock Reconcilation Template", +"Stock Reconciliation", +"Stock Reconciliation can be used to update the stock on a particular date, usually as per physical inventory.", +"Stock Settings", +"Stock UOM", +"Stock UOM Replace Utility", +"Stock UOM updatd for Item {0}", +"Stock Uom", +"Stock Value", +"Stock Value Difference", +"Stock balances updated", +"Stock cannot be updated against Delivery Note {0}", +"Stock entries exist against warehouse {0} cannot re-assign or modify 'Master Name'", +"Stop", +"Stop Birthday Reminders", +"Stop Material Request", +"Stop users from making Leave Applications on following days.", +"Stop!", +"Stopped", +"Stopped order cannot be cancelled. Unstop to cancel.", +"Stores", +"Stub", +"Sub Assemblies", +"Sub-currency. For e.g. ""Cent""", +"Subcontract","Zlecenie" +"Subject","Temat" +"Submit Salary Slip", +"Submit all salary slips for the above selected criteria", +"Submit this Production Order for further processing.", +"Submitted", +"Subsidiary", +"Successful: ", +"Successfully allocated", +"Suggestions","Sugestie" +"Sunday","Niedziela" +"Supplier","Dostawca" +"Supplier (Payable) Account", +"Supplier (vendor) name as entered in supplier master", +"Supplier Account", +"Supplier Account Head", +"Supplier Address","Adres dostawcy" +"Supplier Addresses and Contacts", +"Supplier Details","Szczegóły dostawcy" +"Supplier Intro", +"Supplier Invoice Date", +"Supplier Invoice No", +"Supplier Name","Nazwa dostawcy" +"Supplier Naming By", +"Supplier Part Number","Numer katalogowy dostawcy" +"Supplier Quotation", +"Supplier Quotation Item", +"Supplier Reference", +"Supplier Type","Typ dostawcy" +"Supplier Type / Supplier", +"Supplier Type master.", +"Supplier Warehouse","Magazyn dostawcy" +"Supplier Warehouse mandatory for sub-contracted Purchase Receipt", +"Supplier database.", +"Supplier master.", +"Supplier warehouse where you have issued raw materials for sub - contracting", +"Supplier-Wise Sales Analytics", +"Support","Wsparcie" +"Support Analtyics", +"Support Analytics", +"Support Email", +"Support Email Settings", +"Support Password", +"Support Ticket", +"Support queries from customers.", +"Symbol", +"Sync Support Mails", +"Sync with Dropbox", +"Sync with Google Drive", +"System", +"System Settings", +"System User (login) ID. If set, it will become default for all HR forms.", +"Target Amount", +"Target Detail", +"Target Details", +"Target Details1", +"Target Distribution", +"Target On", +"Target Qty", +"Target Warehouse", +"Target warehouse in row {0} must be same as Production Order", +"Target warehouse is mandatory for row {0}", +"Task", +"Task Details", +"Tasks", +"Tax","Podatek" +"Tax Amount After Discount Amount", +"Tax Assets", +"Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items", +"Tax Rate","Stawka podatku" +"Tax and other salary deductions.", +"Tax detail table fetched from item master as a string and stored in this field. +Used for Taxes and Charges", +"Tax template for buying transactions.", +"Tax template for selling transactions.", +"Taxable", +"Taxes and Charges","Podatki i opłaty" +"Taxes and Charges Added", +"Taxes and Charges Added (Company Currency)", +"Taxes and Charges Calculation", +"Taxes and Charges Deducted", +"Taxes and Charges Deducted (Company Currency)", +"Taxes and Charges Total", +"Taxes and Charges Total (Company Currency)", +"Technology","Technologia" +"Telecommunications", +"Telephone Expenses", +"Television","Telewizja" +"Template for performance appraisals.", +"Template of terms or contract.", +"Temporary Accounts (Assets)", +"Temporary Accounts (Liabilities)", +"Temporary Assets", +"Temporary Liabilities", +"Term Details","Szczegóły warunków" +"Terms","Warunki" +"Terms and Conditions","Regulamin" +"Terms and Conditions Content","Zawartość regulaminu" +"Terms and Conditions Details","Szczegóły regulaminu" +"Terms and Conditions Template", +"Terms and Conditions1", +"Terretory","Terytorium" +"Territory","Terytorium" +"Territory / Customer", +"Territory Manager", +"Territory Name", +"Territory Target Variance Item Group-Wise", +"Territory Targets", +"Test", +"Test Email Id", +"Test the Newsletter", +"The BOM which will be replaced", +"The First User: You", +"The Item that represents the Package. This Item must have ""Is Stock Item"" as ""No"" and ""Is Sales Item"" as ""Yes""", +"The Organization", +"The account head under Liability, in which Profit/Loss will be booked", +"The date on which next invoice will be generated. It is generated on submit. +", +"The date on which recurring invoice will be stop", +"The day of the month on which auto invoice will be generated e.g. 05, 28 etc ", +"The day(s) on which you are applying for leave are holiday. You need not apply for leave.", +"The first Leave Approver in the list will be set as the default Leave Approver", +"The first user will become the System Manager (you can change that later).", +"The gross weight of the package. Usually net weight + packaging material weight. (for print)", +"The name of your company for which you are setting up this system.", +"The net weight of this package. (calculated automatically as sum of net weight of items)", +"The new BOM after replacement", +"The rate at which Bill Currency is converted into company's base currency", +"The unique id for tracking all recurring invoices. It is generated on submit.", +"There are more holidays than working days this month.", +"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""", +"There is not enough leave balance for Leave Type {0}", +"There is nothing to edit.", +"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.", +"There were errors.", +"This Currency is disabled. Enable to use in transactions", +"This Leave Application is pending approval. Only the Leave Apporver can update status.", +"This Time Log Batch has been billed.", +"This Time Log Batch has been cancelled.", +"This Time Log conflicts with {0}", +"This is a root account and cannot be edited.", +"This is a root customer group and cannot be edited.", +"This is a root item group and cannot be edited.", +"This is a root sales person and cannot be edited.", +"This is a root territory and cannot be edited.", +"This is an example website auto-generated from ERPNext", +"This is the number of the last created transaction with this prefix", +"This will be used for setting rule in HR module", +"Thread HTML", +"Thursday","Czwartek" +"Time Log", +"Time Log Batch", +"Time Log Batch Detail", +"Time Log Batch Details", +"Time Log Batch {0} must be 'Submitted'", +"Time Log for tasks.", +"Time Log {0} must be 'Submitted'", +"Time Zone", +"Time Zones", +"Time and Budget", +"Time at which items were delivered from warehouse", +"Time at which materials were received", +"Title", +"Titles for print templates e.g. Proforma Invoice.", +"To","Do" +"To Currency", +"To Date", +"To Date should be same as From Date for Half Day leave", +"To Discuss", +"To Do List", +"To Package No.", +"To Produce", +"To Time", +"To Value", +"To Warehouse","Do magazynu" +"To add child nodes, explore tree and click on the node under which you want to add more nodes.", +"To assign this issue, use the ""Assign"" button in the sidebar.", +"To create a Bank Account:", +"To create a Tax Account:", +"To create an Account Head under a different company, select the company and save customer.", +"To date cannot be before from date", +"To enable Point of Sale features", +"To enable Point of Sale view", +"To get Item Group in details table", +"To include tax in row {0} in Item rate, taxes in rows {1} must also be included", +"To merge, following properties must be same for both items", +"To report an issue, go to ", +"To set this Fiscal Year as Default, click on 'Set as Default'", +"To track any installation or commissioning related work after sales", +"To track brand name in the following documents Delivery Note, Opportunity, Material Request, Item, Purchase Order, Purchase Voucher, Purchaser Receipt, Quotation, Sales Invoice, Sales BOM, Sales Order, Serial No", +"To track item in sales and purchase documents based on their serial nos. This is can also used to track warranty details of the product.", +"To track items in sales and purchase documents with batch nos
Preferred Industry: Chemicals etc", +"To track items using barcode. You will be able to enter items in Delivery Note and Sales Invoice by scanning barcode of item.", +"Tools","Narzędzia" +"Total", +"Total Advance", +"Total Allocated Amount", +"Total Allocated Amount can not be greater than unmatched amount", +"Total Amount","Wartość całkowita" +"Total Amount To Pay", +"Total Amount in Words", +"Total Billing This Year: ", +"Total Claimed Amount", +"Total Commission", +"Total Cost","Koszt całkowity" +"Total Credit", +"Total Debit", +"Total Debit must be equal to Total Credit. The difference is {0}", +"Total Deduction", +"Total Earning", +"Total Experience", +"Total Hours", +"Total Hours (Expected)", +"Total Invoiced Amount", +"Total Leave Days", +"Total Leaves Allocated", +"Total Message(s)", +"Total Operating Cost","Całkowity koszt operacyjny" +"Total Points", +"Total Raw Material Cost","Całkowity koszt surowców" +"Total Sanctioned Amount", +"Total Score (Out of 5)", +"Total Tax (Company Currency)", +"Total Taxes and Charges", +"Total Taxes and Charges (Company Currency)", +"Total Words", +"Total Working Days In The Month", +"Total allocated percentage for sales team should be 100", +"Total amount of invoices received from suppliers during the digest period", +"Total amount of invoices sent to the customer during the digest period", +"Total cannot be zero", +"Total in words", +"Total points for all goals should be 100. It is {0}", +"Total weightage assigned should be 100%. It is {0}", +"Totals","Sumy całkowite" +"Track Leads by Industry Type.", +"Track this Delivery Note against any Project", +"Track this Sales Order against any Project", +"Transaction", +"Transaction Date","Data transakcji" +"Transaction not allowed against stopped Production Order {0}", +"Transfer", +"Transfer Material", +"Transfer Raw Materials", +"Transferred Qty", +"Transportation", +"Transporter Info","Informacje dotyczące przewoźnika" +"Transporter Name","Nazwa przewoźnika" +"Transporter lorry number","Nr ciężarówki przewoźnika" +"Travel","Podróż" +"Travel Expenses", +"Tree Type", +"Tree of Item Groups.", +"Tree of finanial Cost Centers.", +"Tree of finanial accounts.", +"Trial Balance", +"Tuesday","Wtorek" +"Type","Typ" +"Type of document to rename.", +"Type of leaves like casual, sick etc.", +"Types of Expense Claim.", +"Types of activities for Time Sheets", +"Types of employment (permanent, contract, intern etc.).", +"UOM Conversion Detail","Szczegóły konwersji JM" +"UOM Conversion Details","Współczynnik konwersji JM" +"UOM Conversion Factor", +"UOM Conversion factor is required in row {0}", +"UOM Name","Nazwa Jednostki Miary" +"UOM coversion factor required for UOM {0} in Item {1}", +"Under AMC", +"Under Graduate", +"Under Warranty", +"Unit","Jednostka" +"Unit of Measure","Jednostka miary" +"Unit of Measure {0} has been entered more than once in Conversion Factor Table", +"Unit of measurement of this item (e.g. Kg, Unit, No, Pair).","Jednostka miary tego produktu (np. Kg, jednostka, numer, para)." +"Units/Hour","Jednostka/godzinę" +"Units/Shifts", +"Unmatched Amount", +"Unpaid", +"Unscheduled", +"Unsecured Loans", +"Unstop", +"Unstop Material Request", +"Unstop Purchase Order", +"Unsubscribed", +"Update", +"Update Clearance Date", +"Update Cost", +"Update Finished Goods", +"Update Landed Cost", +"Update Series", +"Update Series Number", +"Update Stock", +"Update allocated amount in the above table and then click ""Allocate"" button", +"Update bank payment dates with journals.", +"Update clearance date of Journal Entries marked as 'Bank Vouchers'", +"Updated", +"Updated Birthday Reminders", +"Upload Attendance", +"Upload Backups to Dropbox", +"Upload Backups to Google Drive", +"Upload HTML", +"Upload a .csv file with two columns: the old name and the new name. Max 500 rows.", +"Upload attendance from a .csv file", +"Upload stock balance via csv.", +"Upload your letter head and logo - you can edit them later.", +"Upper Income", +"Urgent", +"Use Multi-Level BOM","Używaj wielopoziomowych zestawień materiałowych" +"Use SSL", +"User","Użytkownik" +"User ID", +"User ID not set for Employee {0}", +"User Name", +"User Name or Support Password missing. Please enter and try again.", +"User Remark", +"User Remark will be added to Auto Remark", +"User Remarks is mandatory", +"User Specific", +"User must always select", +"User {0} is already assigned to Employee {1}", +"User {0} is disabled", +"Username", +"Users with this role are allowed to create / modify accounting entry before frozen date", +"Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts", +"Utilities", +"Utility Expenses", +"Valid For Territories", +"Valid From", +"Valid Upto", +"Valid for Territories", +"Validate", +"Valuation", +"Valuation Method","Metoda wyceny" +"Valuation Rate", +"Valuation Rate required for Item {0}", +"Valuation and Total", +"Value", +"Value or Qty", +"Vehicle Dispatch Date", +"Vehicle No","Nr rejestracyjny pojazdu" +"Venture Capital", +"Verified By","Zweryfikowane przez" +"View Ledger", +"View Now", +"Visit report for maintenance call.", +"Voucher #", +"Voucher Detail No", +"Voucher ID", +"Voucher No", +"Voucher No is not valid", +"Voucher Type", +"Voucher Type and Date", +"Walk In", +"Warehouse","Magazyn" +"Warehouse Contact Info","Dane kontaktowe dla magazynu" +"Warehouse Detail","Szczegóły magazynu" +"Warehouse Name","Nazwa magazynu" +"Warehouse and Reference", +"Warehouse can not be deleted as stock ledger entry exists for this warehouse.", +"Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt", +"Warehouse cannot be changed for Serial No.", +"Warehouse is mandatory for stock Item {0} in row {1}", +"Warehouse is missing in Purchase Order", +"Warehouse not found in the system", +"Warehouse required for stock Item {0}", +"Warehouse required in POS Setting", +"Warehouse where you are maintaining stock of rejected items", +"Warehouse {0} can not be deleted as quantity exists for Item {1}", +"Warehouse {0} does not belong to company {1}", +"Warehouse {0} does not exist", +"Warehouse-Wise Stock Balance", +"Warehouse-wise Item Reorder", +"Warehouses","Magazyny" +"Warehouses.","Magazyny." +"Warn", +"Warning: Leave application contains following block dates", +"Warning: Material Requested Qty is less than Minimum Order Qty", +"Warning: Sales Order {0} already exists against same Purchase Order number", +"Warning: System will not check overbilling since amount for Item {0} in {1} is zero", +"Warranty / AMC Details", +"Warranty / AMC Status", +"Warranty Expiry Date","Data upływu gwarancji" +"Warranty Period (Days)","Okres gwarancji (dni)" +"Warranty Period (in days)","Okres gwarancji (w dniach)" +"We buy this Item", +"We sell this Item", +"Website","Strona internetowa" +"Website Description", +"Website Item Group", +"Website Item Groups", +"Website Settings", +"Website Warehouse", +"Wednesday","Środa" +"Weekly","Tygodniowo" +"Weekly Off", +"Weight UOM", +"Weight is mentioned,\nPlease mention ""Weight UOM"" too", +"Weightage", +"Weightage (%)", +"Welcome","Witamy" +"Welcome to ERPNext. Over the next few minutes we will help you setup your ERPNext account. Try and fill in as much information as you have even if it takes a bit longer. It will save you a lot of time later. Good Luck!", +"Welcome to ERPNext. Please select your language to begin the Setup Wizard.", +"What does it do?", +"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.", +"When submitted, the system creates difference entries to set the given stock and valuation on this date.", +"Where items are stored.","Gdzie produkty są przechowywane." +"Where manufacturing operations are carried out.","Gdzie prowadzona jest działalność produkcyjna." +"Widowed", +"Will be calculated automatically when you enter the details", +"Will be updated after Sales Invoice is Submitted.", +"Will be updated when batched.", +"Will be updated when billed.", +"Wire Transfer","Przelew" +"With Operations","Wraz z działaniami" +"With period closing entry", +"Work Details", +"Work Done", +"Work In Progress", +"Work-in-Progress Warehouse","Magazyn dla produkcji" +"Work-in-Progress Warehouse is required before Submit", +"Working", +"Workstation","Stacja robocza" +"Workstation Name","Nazwa stacji roboczej" +"Write Off Account", +"Write Off Amount", +"Write Off Amount <=", +"Write Off Based On", +"Write Off Cost Center", +"Write Off Outstanding Amount", +"Write Off Voucher", +"Wrong Template: Unable to find head row.", +"Year","Rok" +"Year Closed", +"Year End Date", +"Year Name", +"Year Start Date", +"Year Start Date and Year End Date are already set in Fiscal Year {0}", +"Year Start Date and Year End Date are not within Fiscal Year.", +"Year Start Date should not be greater than Year End Date", +"Year of Passing", +"Yearly","Rocznie" +"Yes","Tak" +"You are not authorized to add or update entries before {0}", +"You are not authorized to set Frozen value", +"You are the Expense Approver for this record. Please Update the 'Status' and Save", +"You are the Leave Approver for this record. Please Update the 'Status' and Save", +"You can enter any date manually", +"You can enter the minimum quantity of this item to be ordered.","Można wpisać minimalna ilość tego produktu, którą zamierza się zamawiać." +"You can not assign itself as parent account", +"You can not change rate if BOM mentioned agianst any item", +"You can not enter both Delivery Note No and Sales Invoice No. Please enter any one.", +"You can not enter current voucher in 'Against Journal Voucher' column", +"You can set Default Bank Account in Company master", +"You can start by selecting backup frequency and granting access for sync", +"You can submit this Stock Reconciliation.", +"You can update either Quantity or Valuation Rate or both.", +"You cannot credit and debit same account at the same time", +"You have entered duplicate items. Please rectify and try again.", +"You may need to update: {0}", +"You must Save the form before proceeding", +"You must allocate amount before reconcile", +"Your Customer's TAX registration numbers (if applicable) or any general information", +"Your Customers", +"Your Login Id", +"Your Products or Services", +"Your Suppliers", +"Your email address", +"Your financial year begins on", +"Your financial year ends on", +"Your sales person who will contact the customer in future", +"Your sales person will get a reminder on this date to contact the customer", +"Your setup is complete. Refreshing...", +"Your support email id - must be a valid email - this is where your emails will come!", +"[Select]", +"`Freeze Stocks Older Than` should be smaller than %d days.", +"and", +"are not allowed.", +"assigned by", +"e.g. ""Build tools for builders""", +"e.g. ""MC""", +"e.g. ""My Company LLC""", +"e.g. 5", +"e.g. Bank, Cash, Credit Card", +"e.g. Kg, Unit, Nos, m", +"e.g. VAT", +"eg. Cheque Number", +"example: Next Day Shipping", +"lft", +"old_parent", +"rgt", +"website page link", +"{0} '{1}' not in Fiscal Year {2}", +"{0} Credit limit {0} crossed", +"{0} Serial Numbers required for Item {0}. Only {0} provided.", +"{0} budget for Account {1} against Cost Center {2} will exceed by {3}", +"{0} created", +"{0} does not belong to Company {1}", +"{0} entered twice in Item Tax", +"{0} is an invalid email address in 'Notification Email Address'", +"{0} is mandatory", +"{0} is mandatory for Item {1}", +"{0} is not a stock Item", +"{0} is not a valid Batch Number for Item {1}", +"{0} is not a valid Leave Approver", +"{0} is not a valid email id", +"{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.", +"{0} is required", +"{0} must be a Purchased or Sub-Contracted Item in row {1}", +"{0} must be less than or equal to {1}", +"{0} must have role 'Leave Approver'", +"{0} valid serial nos for Item {1}", +"{0} {1} against Bill {2} dated {3}", +"{0} {1} against Invoice {2}", +"{0} {1} has already been submitted", +"{0} {1} has been modified. Please Refresh", +"{0} {1} has been modified. Please refresh", +"{0} {1} has been modified. Please refresh.", +"{0} {1} is not submitted", +"{0} {1} must be submitted", +"{0} {1} not in any Fiscal Year", +"{0} {1} status is 'Stopped'", +"{0} {1} status is Stopped", +"{0} {1} status is Unstopped", From 74bc2baa1ddb9fbb52b93b884dacc439c7dd21d1 Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Mon, 18 Aug 2014 17:50:56 +0530 Subject: [PATCH 548/630] remove website route, wip --- .../setup/doctype/item_group/item_group.py | 28 ++++++++----------- .../doctype/sales_partner/sales_partner.py | 14 +++------- erpnext/stock/doctype/item/item.py | 19 ++++--------- 3 files changed, 21 insertions(+), 40 deletions(-) diff --git a/erpnext/setup/doctype/item_group/item_group.py b/erpnext/setup/doctype/item_group/item_group.py index c6f49a1546..40126e04c7 100644 --- a/erpnext/setup/doctype/item_group/item_group.py +++ b/erpnext/setup/doctype/item_group/item_group.py @@ -9,22 +9,16 @@ from frappe.website.website_generator import WebsiteGenerator from frappe.website.render import clear_cache from frappe.website.doctype.website_slideshow.website_slideshow import get_slideshow -condition_field = "show_in_website" -template = "templates/generators/item_group.html" class ItemGroup(NestedSet, WebsiteGenerator): nsm_parent_field = 'parent_item_group' + condition_field = "show_in_website" + template = "templates/generators/item_group.html" + parent_website_route_field = "parent_item_group" def autoname(self): self.name = self.item_group_name - def validate(self): - WebsiteGenerator.validate(self) - if not self.parent_website_route: - if frappe.db.get_value("Item Group", self.parent_item_group, "show_in_website"): - self.parent_website_route = frappe.get_website_route("Item Group", - self.parent_item_group) - def on_update(self): NestedSet.on_update(self) WebsiteGenerator.on_update(self) @@ -60,14 +54,16 @@ def get_product_list_for_group(product_group=None, start=0, limit=10): child_groups = ", ".join(['"' + i[0] + '"' for i in get_child_groups(product_group)]) # base query - query = """select t1.name, t1.item_name, t1.page_name, t1.website_image, t1.item_group, - t1.web_long_description as website_description, t2.name as route - from `tabItem` t1, `tabWebsite Route` t2 - where t1.show_in_website = 1 and (item_group in (%s) - or t1.name in (select parent from `tabWebsite Item Group` where item_group in (%s))) - and t1.name = t2.docname and t2.ref_doctype='Item' """ % (child_groups, child_groups) + query = """select name, item_name, page_name, website_image, item_group, + web_long_description as website_description, + concat(parent_website_route, "/", page_name) as route + from `tabItem` + where show_in_website = 1 + and (item_group in (%s) + or name in (select parent from `tabWebsite Item Group` where item_group in (%s))) + """ % (child_groups, child_groups) - query += """order by t1.weightage desc, t1.modified desc limit %s, %s""" % (start, limit) + query += """order by weightage desc, modified desc limit %s, %s""" % (start, limit) data = frappe.db.sql(query, {"product_group": product_group}, as_dict=1) diff --git a/erpnext/setup/doctype/sales_partner/sales_partner.py b/erpnext/setup/doctype/sales_partner/sales_partner.py index 0209df3302..9031af5524 100644 --- a/erpnext/setup/doctype/sales_partner/sales_partner.py +++ b/erpnext/setup/doctype/sales_partner/sales_partner.py @@ -6,14 +6,15 @@ import frappe from frappe.utils import cstr, filter_strip_join from frappe.website.website_generator import WebsiteGenerator -condition_field = "show_in_website" -template = "templates/generators/sales_partner.html" - class SalesPartner(WebsiteGenerator): + page_title_field = "partner_name" + condition_field = "show_in_website" + template = "templates/generators/sales_partner.html" def autoname(self): self.name = self.partner_name def validate(self): + self.parent_website_route = "partners" super(SalesPartner, self).validate() if self.partner_website and not self.partner_website.startswith("http"): self.partner_website = "http://" + self.partner_website @@ -27,9 +28,6 @@ class SalesPartner(WebsiteGenerator): else: return '' - def get_page_title(self): - return self.partner_name - def get_context(self, context): address = frappe.db.get_value("Address", {"sales_partner": self.name, "is_primary_address": 1}, @@ -46,7 +44,3 @@ class SalesPartner(WebsiteGenerator): }) return context - - def get_parent_website_route(self): - parent_website_sitemap = super(SalesPartner, self).get_parent_website_route() - return parent_website_sitemap or "partners" diff --git a/erpnext/stock/doctype/item/item.py b/erpnext/stock/doctype/item/item.py index 21ed0571de..c158014797 100644 --- a/erpnext/stock/doctype/item/item.py +++ b/erpnext/stock/doctype/item/item.py @@ -12,10 +12,12 @@ from frappe.website.doctype.website_slideshow.website_slideshow import get_slide class WarehouseNotSet(frappe.ValidationError): pass -condition_field = "show_in_website" -template = "templates/generators/item.html" - class Item(WebsiteGenerator): + page_title_field = "item_name" + condition_field = "show_in_website" + template = "templates/generators/item.html" + parent_website_route_field = "item_group" + def onload(self): super(Item, self).onload() self.get("__onload").sle_exists = self.check_if_sle_exists() @@ -49,9 +51,6 @@ class Item(WebsiteGenerator): self.cant_change() self.validate_item_type_for_reorder() - if not self.parent_website_route: - self.parent_website_route = frappe.get_website_route("Item Group", self.item_group) - if not self.get("__islocal"): self.old_item_group = frappe.db.get_value(self.doctype, self.name, "item_group") self.old_website_item_groups = frappe.db.sql_list("""select item_group from `tabWebsite Item Group` @@ -216,14 +215,6 @@ class Item(WebsiteGenerator): item_description=%s, modified=NOW() where item_code=%s""", (self.item_name, self.description, self.name)) - def get_page_title(self): - if self.name==self.item_name: - page_name_from = self.name - else: - page_name_from = self.name + " - " + self.item_name - - return page_name_from - def get_tax_rate(self, tax_type): return { "tax_rate": frappe.db.get_value("Account", tax_type, "tax_rate") } From cb067aa579072c96e16475851979ca2ba47969a3 Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Tue, 19 Aug 2014 16:20:04 +0530 Subject: [PATCH 549/630] [route] refactor, wip --- erpnext/controllers/status_updater.py | 8 +- .../doctype/sales_order/sales_order_list.html | 2 +- .../setup/doctype/item_group/item_group.json | 11 +- .../setup/doctype/item_group/item_group.py | 2 +- .../doctype/sales_partner/sales_partner.json | 6 +- .../page/setup_wizard/default_website.py | 2 +- erpnext/stock/doctype/item/item.json | 1452 ++++++++--------- 7 files changed, 744 insertions(+), 739 deletions(-) diff --git a/erpnext/controllers/status_updater.py b/erpnext/controllers/status_updater.py index 1c5aaa014b..2e865b4372 100644 --- a/erpnext/controllers/status_updater.py +++ b/erpnext/controllers/status_updater.py @@ -65,9 +65,11 @@ class StatusUpdater(Document): self.validate_qty() def set_status(self, update=False): - if self.get("__islocal"): + if self.is_new(): return + _status = self.status + if self.doctype in status_map: sl = status_map[self.doctype][:] sl.reverse() @@ -83,9 +85,11 @@ class StatusUpdater(Document): self.status = s[0] break + if self.status != _status: + self.add_comment("Label", self.status) + if update: frappe.db.set_value(self.doctype, self.name, "status", self.status) - self.add_comment("Label", self.status) def on_communication(self): if not self.get("communications"): return diff --git a/erpnext/selling/doctype/sales_order/sales_order_list.html b/erpnext/selling/doctype/sales_order/sales_order_list.html index 4079b2a6e7..75eddcacfa 100644 --- a/erpnext/selling/doctype/sales_order/sales_order_list.html +++ b/erpnext/selling/doctype/sales_order/sales_order_list.html @@ -18,7 +18,7 @@ - {%= doc.get_formatted("delivery_date")%} + {%= doc.get_formatted("delivery_date") || "Pending" %}
{% } %} {% } %} {% if(doc.per_delivered == 100 && doc.status!=="Stopped") { %} diff --git a/erpnext/setup/doctype/item_group/item_group.json b/erpnext/setup/doctype/item_group/item_group.json index 66e39674f2..fff066cef7 100644 --- a/erpnext/setup/doctype/item_group/item_group.json +++ b/erpnext/setup/doctype/item_group/item_group.json @@ -83,10 +83,11 @@ { "depends_on": "show_in_website", "fieldname": "parent_website_route", - "fieldtype": "Link", - "label": "Parent Website Page", - "options": "Website Route", - "permlevel": 0 + "fieldtype": "Read Only", + "label": "Parent Website Route", + "options": "", + "permlevel": 0, + "read_only": 1 }, { "depends_on": "show_in_website", @@ -163,7 +164,7 @@ "in_create": 1, "issingle": 0, "max_attachments": 3, - "modified": "2014-06-10 05:37:03.763185", + "modified": "2014-08-19 06:42:03.262273", "modified_by": "Administrator", "module": "Setup", "name": "Item Group", diff --git a/erpnext/setup/doctype/item_group/item_group.py b/erpnext/setup/doctype/item_group/item_group.py index 40126e04c7..944dfb1a78 100644 --- a/erpnext/setup/doctype/item_group/item_group.py +++ b/erpnext/setup/doctype/item_group/item_group.py @@ -103,6 +103,6 @@ def invalidate_cache_for(doc, item_group=None): item_group = doc.name for i in get_parent_item_groups(item_group): - route = frappe.db.get_value("Website Route", {"ref_doctype":"Item Group", "docname": i.name}) + route = doc.get_route() if route: clear_cache(route) diff --git a/erpnext/setup/doctype/sales_partner/sales_partner.json b/erpnext/setup/doctype/sales_partner/sales_partner.json index ef91814fe5..2d4c0ac982 100644 --- a/erpnext/setup/doctype/sales_partner/sales_partner.json +++ b/erpnext/setup/doctype/sales_partner/sales_partner.json @@ -190,16 +190,16 @@ { "default": "partners", "fieldname": "parent_website_route", - "fieldtype": "Link", + "fieldtype": "Read Only", "label": "Parent Website Route", - "options": "Website Route", + "options": "", "permlevel": 0 } ], "icon": "icon-user", "idx": 1, "in_create": 0, - "modified": "2014-06-27 09:21:33.687012", + "modified": "2014-08-19 06:42:33.103060", "modified_by": "Administrator", "module": "Setup", "name": "Sales Partner", diff --git a/erpnext/setup/page/setup_wizard/default_website.py b/erpnext/setup/page/setup_wizard/default_website.py index d69a1a6d7a..d2e2e5529e 100644 --- a/erpnext/setup/page/setup_wizard/default_website.py +++ b/erpnext/setup/page/setup_wizard/default_website.py @@ -59,7 +59,7 @@ class website_maker(object): website_settings.append("top_bar_items", { "doctype": "Top Bar Item", "label": _("Products"), - "url": frappe.db.get_value("Website Route", {"ref_doctype":"Item Group"}) + "url": "products" }) website_settings.save() diff --git a/erpnext/stock/doctype/item/item.json b/erpnext/stock/doctype/item/item.json index 45b423271a..06648b6cc8 100644 --- a/erpnext/stock/doctype/item/item.json +++ b/erpnext/stock/doctype/item/item.json @@ -1,906 +1,906 @@ { - "allow_attach": 1, - "allow_import": 1, - "allow_rename": 1, - "autoname": "field:item_code", - "creation": "2013-05-03 10:45:46", - "default_print_format": "Standard", - "description": "A Product or a Service that is bought, sold or kept in stock.", - "docstatus": 0, - "doctype": "DocType", - "document_type": "Master", + "allow_attach": 1, + "allow_import": 1, + "allow_rename": 1, + "autoname": "field:item_code", + "creation": "2013-05-03 10:45:46", + "default_print_format": "Standard", + "description": "A Product or a Service that is bought, sold or kept in stock.", + "docstatus": 0, + "doctype": "DocType", + "document_type": "Master", "fields": [ { - "fieldname": "name_and_description_section", - "fieldtype": "Section Break", - "label": "Name and Description", - "no_copy": 0, - "oldfieldtype": "Section Break", - "options": "icon-flag", - "permlevel": 0, + "fieldname": "name_and_description_section", + "fieldtype": "Section Break", + "label": "Name and Description", + "no_copy": 0, + "oldfieldtype": "Section Break", + "options": "icon-flag", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "naming_series", - "fieldtype": "Select", - "label": "Series", - "options": "ITEM-", - "permlevel": 0, + "fieldname": "naming_series", + "fieldtype": "Select", + "label": "Series", + "options": "ITEM-", + "permlevel": 0, "read_only": 0 - }, + }, { - "description": "Item will be saved by this name in the data base.", - "fieldname": "item_code", - "fieldtype": "Data", - "in_filter": 0, - "label": "Item Code", - "no_copy": 1, - "oldfieldname": "item_code", - "oldfieldtype": "Data", - "permlevel": 0, - "read_only": 0, - "reqd": 0, + "description": "Item will be saved by this name in the data base.", + "fieldname": "item_code", + "fieldtype": "Data", + "in_filter": 0, + "label": "Item Code", + "no_copy": 1, + "oldfieldname": "item_code", + "oldfieldtype": "Data", + "permlevel": 0, + "read_only": 0, + "reqd": 0, "search_index": 0 - }, + }, { - "fieldname": "item_name", - "fieldtype": "Data", - "in_filter": 1, - "in_list_view": 1, - "label": "Item Name", - "oldfieldname": "item_name", - "oldfieldtype": "Data", - "permlevel": 0, - "read_only": 0, - "reqd": 1, + "fieldname": "item_name", + "fieldtype": "Data", + "in_filter": 1, + "in_list_view": 1, + "label": "Item Name", + "oldfieldname": "item_name", + "oldfieldtype": "Data", + "permlevel": 0, + "read_only": 0, + "reqd": 1, "search_index": 1 - }, + }, { - "description": "Add / Edit", - "fieldname": "item_group", - "fieldtype": "Link", - "in_filter": 1, - "label": "Item Group", - "oldfieldname": "item_group", - "oldfieldtype": "Link", - "options": "Item Group", - "permlevel": 0, - "read_only": 0, + "description": "Add / Edit", + "fieldname": "item_group", + "fieldtype": "Link", + "in_filter": 1, + "label": "Item Group", + "oldfieldname": "item_group", + "oldfieldtype": "Link", + "options": "Item Group", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "description": "Unit of measurement of this item (e.g. Kg, Unit, No, Pair).", - "fieldname": "stock_uom", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Default Unit of Measure", - "oldfieldname": "stock_uom", - "oldfieldtype": "Link", - "options": "UOM", - "permlevel": 0, - "read_only": 0, + "description": "Unit of measurement of this item (e.g. Kg, Unit, No, Pair).", + "fieldname": "stock_uom", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Default Unit of Measure", + "oldfieldname": "stock_uom", + "oldfieldtype": "Link", + "options": "UOM", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "fieldname": "brand", - "fieldtype": "Link", - "hidden": 0, - "label": "Brand", - "oldfieldname": "brand", - "oldfieldtype": "Link", - "options": "Brand", - "permlevel": 0, - "print_hide": 1, - "read_only": 0, + "fieldname": "brand", + "fieldtype": "Link", + "hidden": 0, + "label": "Brand", + "oldfieldname": "brand", + "oldfieldtype": "Link", + "options": "Brand", + "permlevel": 0, + "print_hide": 1, + "read_only": 0, "reqd": 0 - }, + }, { - "fieldname": "barcode", - "fieldtype": "Data", - "label": "Barcode", - "permlevel": 0, + "fieldname": "barcode", + "fieldtype": "Data", + "label": "Barcode", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "column_break0", - "fieldtype": "Column Break", - "permlevel": 0, + "fieldname": "column_break0", + "fieldtype": "Column Break", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "image", - "fieldtype": "Attach", - "label": "Image", - "options": "", - "permlevel": 0, + "fieldname": "image", + "fieldtype": "Attach", + "label": "Image", + "options": "", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "image_view", - "fieldtype": "Image", - "in_list_view": 1, - "label": "Image View", - "options": "image", - "permlevel": 0, + "fieldname": "image_view", + "fieldtype": "Image", + "in_list_view": 1, + "label": "Image View", + "options": "image", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "description", - "fieldtype": "Small Text", - "in_filter": 0, - "in_list_view": 1, - "label": "Description", - "oldfieldname": "description", - "oldfieldtype": "Text", - "permlevel": 0, - "read_only": 0, - "reqd": 1, + "fieldname": "description", + "fieldtype": "Small Text", + "in_filter": 0, + "in_list_view": 1, + "label": "Description", + "oldfieldname": "description", + "oldfieldtype": "Text", + "permlevel": 0, + "read_only": 0, + "reqd": 1, "search_index": 0 - }, + }, { - "fieldname": "description_html", - "fieldtype": "Small Text", - "label": "Description HTML", - "permlevel": 0, + "fieldname": "description_html", + "fieldtype": "Small Text", + "label": "Description HTML", + "permlevel": 0, "read_only": 0 - }, + }, { - "description": "Generates HTML to include selected image in the description", - "fieldname": "add_image", - "fieldtype": "Button", - "label": "Generate Description HTML", - "permlevel": 0, + "description": "Generates HTML to include selected image in the description", + "fieldname": "add_image", + "fieldtype": "Button", + "label": "Generate Description HTML", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "inventory", - "fieldtype": "Section Break", - "label": "Inventory", - "oldfieldtype": "Section Break", - "options": "icon-truck", - "permlevel": 0, + "fieldname": "inventory", + "fieldtype": "Section Break", + "label": "Inventory", + "oldfieldtype": "Section Break", + "options": "icon-truck", + "permlevel": 0, "read_only": 0 - }, + }, { - "default": "Yes", - "description": "Select \"Yes\" if you are maintaining stock of this item in your Inventory.", - "fieldname": "is_stock_item", - "fieldtype": "Select", - "label": "Is Stock Item", - "oldfieldname": "is_stock_item", - "oldfieldtype": "Select", - "options": "Yes\nNo", - "permlevel": 0, - "read_only": 0, + "default": "Yes", + "description": "Select \"Yes\" if you are maintaining stock of this item in your Inventory.", + "fieldname": "is_stock_item", + "fieldtype": "Select", + "label": "Is Stock Item", + "oldfieldname": "is_stock_item", + "oldfieldtype": "Select", + "options": "Yes\nNo", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "depends_on": "", - "description": "Mandatory if Stock Item is \"Yes\". Also the default warehouse where reserved quantity is set from Sales Order.", - "fieldname": "default_warehouse", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Default Warehouse", - "oldfieldname": "default_warehouse", - "oldfieldtype": "Link", - "options": "Warehouse", - "permlevel": 0, + "depends_on": "", + "description": "Mandatory if Stock Item is \"Yes\". Also the default warehouse where reserved quantity is set from Sales Order.", + "fieldname": "default_warehouse", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Default Warehouse", + "oldfieldname": "default_warehouse", + "oldfieldtype": "Link", + "options": "Warehouse", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "eval:doc.is_stock_item==\"Yes\"", - "description": "Percentage variation in quantity to be allowed while receiving or delivering this item.", - "fieldname": "tolerance", - "fieldtype": "Float", - "label": "Allowance Percent", - "oldfieldname": "tolerance", - "oldfieldtype": "Currency", - "permlevel": 0, + "depends_on": "eval:doc.is_stock_item==\"Yes\"", + "description": "Percentage variation in quantity to be allowed while receiving or delivering this item.", + "fieldname": "tolerance", + "fieldtype": "Float", + "label": "Allowance Percent", + "oldfieldname": "tolerance", + "oldfieldtype": "Currency", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "eval:doc.is_stock_item==\"Yes\"", - "fieldname": "valuation_method", - "fieldtype": "Select", - "label": "Valuation Method", - "options": "\nFIFO\nMoving Average", - "permlevel": 0, + "depends_on": "eval:doc.is_stock_item==\"Yes\"", + "fieldname": "valuation_method", + "fieldtype": "Select", + "label": "Valuation Method", + "options": "\nFIFO\nMoving Average", + "permlevel": 0, "read_only": 0 - }, + }, { - "default": "0.00", - "depends_on": "eval:doc.is_stock_item==\"Yes\"", - "description": "You can enter the minimum quantity of this item to be ordered.", - "fieldname": "min_order_qty", - "fieldtype": "Float", - "hidden": 0, - "label": "Minimum Order Qty", - "oldfieldname": "min_order_qty", - "oldfieldtype": "Currency", - "permlevel": 0, + "default": "0.00", + "depends_on": "eval:doc.is_stock_item==\"Yes\"", + "description": "You can enter the minimum quantity of this item to be ordered.", + "fieldname": "min_order_qty", + "fieldtype": "Float", + "hidden": 0, + "label": "Minimum Order Qty", + "oldfieldname": "min_order_qty", + "oldfieldtype": "Currency", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "eval:doc.is_stock_item==\"Yes\"", - "fieldname": "column_break1", - "fieldtype": "Column Break", - "oldfieldtype": "Column Break", - "permlevel": 0, - "read_only": 0, + "depends_on": "eval:doc.is_stock_item==\"Yes\"", + "fieldname": "column_break1", + "fieldtype": "Column Break", + "oldfieldtype": "Column Break", + "permlevel": 0, + "read_only": 0, "width": "50%" - }, + }, { - "default": "No", - "depends_on": "eval:doc.is_stock_item==\"Yes\"", - "description": "Select \"Yes\" if this item is used for some internal purpose in your company.", - "fieldname": "is_asset_item", - "fieldtype": "Select", - "label": "Is Fixed Asset Item", - "oldfieldname": "is_asset_item", - "oldfieldtype": "Select", - "options": "Yes\nNo", - "permlevel": 0, - "read_only": 0, + "default": "No", + "depends_on": "eval:doc.is_stock_item==\"Yes\"", + "description": "Select \"Yes\" if this item is used for some internal purpose in your company.", + "fieldname": "is_asset_item", + "fieldtype": "Select", + "label": "Is Fixed Asset Item", + "oldfieldname": "is_asset_item", + "oldfieldtype": "Select", + "options": "Yes\nNo", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "default": "No", - "depends_on": "eval:doc.is_stock_item==\"Yes\"", - "fieldname": "has_batch_no", - "fieldtype": "Select", - "label": "Has Batch No", - "oldfieldname": "has_batch_no", - "oldfieldtype": "Select", - "options": "Yes\nNo", - "permlevel": 0, - "read_only": 0, + "default": "No", + "depends_on": "eval:doc.is_stock_item==\"Yes\"", + "fieldname": "has_batch_no", + "fieldtype": "Select", + "label": "Has Batch No", + "oldfieldname": "has_batch_no", + "oldfieldtype": "Select", + "options": "Yes\nNo", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "default": "No", - "depends_on": "eval:doc.is_stock_item==\"Yes\"", - "description": "Selecting \"Yes\" will give a unique identity to each entity of this item which can be viewed in the Serial No master.", - "fieldname": "has_serial_no", - "fieldtype": "Select", - "in_filter": 1, - "label": "Has Serial No", - "oldfieldname": "has_serial_no", - "oldfieldtype": "Select", - "options": "Yes\nNo", - "permlevel": 0, - "read_only": 0, + "default": "No", + "depends_on": "eval:doc.is_stock_item==\"Yes\"", + "description": "Selecting \"Yes\" will give a unique identity to each entity of this item which can be viewed in the Serial No master.", + "fieldname": "has_serial_no", + "fieldtype": "Select", + "in_filter": 1, + "label": "Has Serial No", + "oldfieldname": "has_serial_no", + "oldfieldtype": "Select", + "options": "Yes\nNo", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "depends_on": "eval: doc.has_serial_no===\"Yes\"", - "description": "Example: ABCD.#####\nIf series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.", - "fieldname": "serial_no_series", - "fieldtype": "Data", - "label": "Serial Number Series", - "no_copy": 1, + "depends_on": "eval: doc.has_serial_no===\"Yes\"", + "description": "Example: ABCD.#####\nIf series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.", + "fieldname": "serial_no_series", + "fieldtype": "Data", + "label": "Serial Number Series", + "no_copy": 1, "permlevel": 0 - }, + }, { - "depends_on": "eval:doc.is_stock_item==\"Yes\"", - "fieldname": "warranty_period", - "fieldtype": "Data", - "label": "Warranty Period (in days)", - "oldfieldname": "warranty_period", - "oldfieldtype": "Data", - "permlevel": 0, + "depends_on": "eval:doc.is_stock_item==\"Yes\"", + "fieldname": "warranty_period", + "fieldtype": "Data", + "label": "Warranty Period (in days)", + "oldfieldname": "warranty_period", + "oldfieldtype": "Data", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "eval:doc.is_stock_item==\"Yes\"", - "fieldname": "end_of_life", - "fieldtype": "Date", - "label": "End of Life", - "oldfieldname": "end_of_life", - "oldfieldtype": "Date", - "permlevel": 0, + "depends_on": "eval:doc.is_stock_item==\"Yes\"", + "fieldname": "end_of_life", + "fieldtype": "Date", + "label": "End of Life", + "oldfieldname": "end_of_life", + "oldfieldtype": "Date", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "eval:doc.is_stock_item==\"Yes\"", - "description": "Net Weight of each Item", - "fieldname": "net_weight", - "fieldtype": "Float", - "label": "Net Weight", - "permlevel": 0, + "depends_on": "eval:doc.is_stock_item==\"Yes\"", + "description": "Net Weight of each Item", + "fieldname": "net_weight", + "fieldtype": "Float", + "label": "Net Weight", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "eval:doc.is_stock_item==\"Yes\"", - "fieldname": "weight_uom", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Weight UOM", - "options": "UOM", - "permlevel": 0, + "depends_on": "eval:doc.is_stock_item==\"Yes\"", + "fieldname": "weight_uom", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Weight UOM", + "options": "UOM", + "permlevel": 0, "read_only": 0 - }, + }, { - "description": "Auto-raise Material Request if quantity goes below re-order level in a warehouse", - "fieldname": "reorder_section", - "fieldtype": "Section Break", - "label": "Re-order", - "options": "icon-rss", - "permlevel": 0, + "description": "Auto-raise Material Request if quantity goes below re-order level in a warehouse", + "fieldname": "reorder_section", + "fieldtype": "Section Break", + "label": "Re-order", + "options": "icon-rss", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "eval:doc.is_stock_item==\"Yes\"", - "fieldname": "re_order_level", - "fieldtype": "Float", - "label": "Re-Order Level", - "oldfieldname": "re_order_level", - "oldfieldtype": "Currency", - "permlevel": 0, + "depends_on": "eval:doc.is_stock_item==\"Yes\"", + "fieldname": "re_order_level", + "fieldtype": "Float", + "label": "Re-Order Level", + "oldfieldname": "re_order_level", + "oldfieldtype": "Currency", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "eval:doc.is_stock_item==\"Yes\"", - "fieldname": "re_order_qty", - "fieldtype": "Float", - "label": "Re-Order Qty", - "permlevel": 0, + "depends_on": "eval:doc.is_stock_item==\"Yes\"", + "fieldname": "re_order_qty", + "fieldtype": "Float", + "label": "Re-Order Qty", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "section_break_31", - "fieldtype": "Section Break", - "permlevel": 0, + "fieldname": "section_break_31", + "fieldtype": "Section Break", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "item_reorder", - "fieldtype": "Table", - "label": "Warehouse-wise Item Reorder", - "options": "Item Reorder", - "permlevel": 0, + "fieldname": "item_reorder", + "fieldtype": "Table", + "label": "Warehouse-wise Item Reorder", + "options": "Item Reorder", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "purchase_details", - "fieldtype": "Section Break", - "label": "Purchase Details", - "oldfieldtype": "Section Break", - "options": "icon-shopping-cart", - "permlevel": 0, + "fieldname": "purchase_details", + "fieldtype": "Section Break", + "label": "Purchase Details", + "oldfieldtype": "Section Break", + "options": "icon-shopping-cart", + "permlevel": 0, "read_only": 0 - }, + }, { - "default": "Yes", - "description": "Selecting \"Yes\" will allow this item to appear in Purchase Order , Purchase Receipt.", - "fieldname": "is_purchase_item", - "fieldtype": "Select", - "label": "Is Purchase Item", - "oldfieldname": "is_purchase_item", - "oldfieldtype": "Select", - "options": "Yes\nNo", - "permlevel": 0, - "read_only": 0, + "default": "Yes", + "description": "Selecting \"Yes\" will allow this item to appear in Purchase Order , Purchase Receipt.", + "fieldname": "is_purchase_item", + "fieldtype": "Select", + "label": "Is Purchase Item", + "oldfieldname": "is_purchase_item", + "oldfieldtype": "Select", + "options": "Yes\nNo", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "fieldname": "default_supplier", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Default Supplier", - "options": "Supplier", + "fieldname": "default_supplier", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Default Supplier", + "options": "Supplier", "permlevel": 0 - }, + }, { - "depends_on": "eval:doc.is_purchase_item==\"Yes\"", - "description": "Lead Time days is number of days by which this item is expected in your warehouse. This days is fetched in Material Request when you select this item.", - "fieldname": "lead_time_days", - "fieldtype": "Int", - "label": "Lead Time Days", - "no_copy": 1, - "oldfieldname": "lead_time_days", - "oldfieldtype": "Int", - "permlevel": 0, + "depends_on": "eval:doc.is_purchase_item==\"Yes\"", + "description": "Lead Time days is number of days by which this item is expected in your warehouse. This days is fetched in Material Request when you select this item.", + "fieldname": "lead_time_days", + "fieldtype": "Int", + "label": "Lead Time Days", + "no_copy": 1, + "oldfieldname": "lead_time_days", + "oldfieldtype": "Int", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "eval:doc.is_purchase_item==\"Yes\"", - "description": "Default Purchase Account in which cost of the item will be debited.", - "fieldname": "expense_account", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Default Expense Account", - "oldfieldname": "purchase_account", - "oldfieldtype": "Link", - "options": "Account", - "permlevel": 0, + "depends_on": "eval:doc.is_purchase_item==\"Yes\"", + "description": "Default Purchase Account in which cost of the item will be debited.", + "fieldname": "expense_account", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Default Expense Account", + "oldfieldname": "purchase_account", + "oldfieldtype": "Link", + "options": "Account", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "eval:doc.is_purchase_item==\"Yes\"", - "description": "", - "fieldname": "buying_cost_center", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Default Buying Cost Center", - "oldfieldname": "cost_center", - "oldfieldtype": "Link", - "options": "Cost Center", - "permlevel": 0, + "depends_on": "eval:doc.is_purchase_item==\"Yes\"", + "description": "", + "fieldname": "buying_cost_center", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Default Buying Cost Center", + "oldfieldname": "cost_center", + "oldfieldtype": "Link", + "options": "Cost Center", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "eval:doc.is_purchase_item==\"Yes\"", - "fieldname": "last_purchase_rate", - "fieldtype": "Float", - "label": "Last Purchase Rate", - "no_copy": 1, - "oldfieldname": "last_purchase_rate", - "oldfieldtype": "Currency", - "permlevel": 0, + "depends_on": "eval:doc.is_purchase_item==\"Yes\"", + "fieldname": "last_purchase_rate", + "fieldtype": "Float", + "label": "Last Purchase Rate", + "no_copy": 1, + "oldfieldname": "last_purchase_rate", + "oldfieldtype": "Currency", + "permlevel": 0, "read_only": 1 - }, + }, { - "depends_on": "eval:doc.is_purchase_item==\"Yes\"", - "fieldname": "column_break2", - "fieldtype": "Column Break", - "oldfieldtype": "Column Break", - "permlevel": 0, - "read_only": 0, + "depends_on": "eval:doc.is_purchase_item==\"Yes\"", + "fieldname": "column_break2", + "fieldtype": "Column Break", + "oldfieldtype": "Column Break", + "permlevel": 0, + "read_only": 0, "width": "50%" - }, + }, { - "depends_on": "eval:doc.is_purchase_item==\"Yes\"", - "fieldname": "uom_conversion_details", - "fieldtype": "Table", - "label": "UOM Conversion Details", - "no_copy": 1, - "oldfieldname": "uom_conversion_details", - "oldfieldtype": "Table", - "options": "UOM Conversion Detail", - "permlevel": 0, + "depends_on": "eval:doc.is_purchase_item==\"Yes\"", + "fieldname": "uom_conversion_details", + "fieldtype": "Table", + "label": "UOM Conversion Details", + "no_copy": 1, + "oldfieldname": "uom_conversion_details", + "oldfieldtype": "Table", + "options": "UOM Conversion Detail", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "eval:doc.is_purchase_item==\"Yes\"", - "fieldname": "manufacturer", - "fieldtype": "Data", - "label": "Manufacturer", - "permlevel": 0, + "depends_on": "eval:doc.is_purchase_item==\"Yes\"", + "fieldname": "manufacturer", + "fieldtype": "Data", + "label": "Manufacturer", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "eval:doc.is_purchase_item==\"Yes\"", - "fieldname": "manufacturer_part_no", - "fieldtype": "Data", - "label": "Manufacturer Part Number", - "permlevel": 0, + "depends_on": "eval:doc.is_purchase_item==\"Yes\"", + "fieldname": "manufacturer_part_no", + "fieldtype": "Data", + "label": "Manufacturer Part Number", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "eval:doc.is_purchase_item==\"Yes\"", - "fieldname": "item_supplier_details", - "fieldtype": "Table", - "label": "Item Supplier Details", - "options": "Item Supplier", - "permlevel": 0, + "depends_on": "eval:doc.is_purchase_item==\"Yes\"", + "fieldname": "item_supplier_details", + "fieldtype": "Table", + "label": "Item Supplier Details", + "options": "Item Supplier", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "sales_details", - "fieldtype": "Section Break", - "label": "Sales Details", - "oldfieldtype": "Section Break", - "options": "icon-tag", - "permlevel": 0, + "fieldname": "sales_details", + "fieldtype": "Section Break", + "label": "Sales Details", + "oldfieldtype": "Section Break", + "options": "icon-tag", + "permlevel": 0, "read_only": 0 - }, + }, { - "default": "Yes", - "description": "Selecting \"Yes\" will allow this item to figure in Sales Order, Delivery Note", - "fieldname": "is_sales_item", - "fieldtype": "Select", - "in_filter": 1, - "label": "Is Sales Item", - "oldfieldname": "is_sales_item", - "oldfieldtype": "Select", - "options": "Yes\nNo", - "permlevel": 0, - "read_only": 0, + "default": "Yes", + "description": "Selecting \"Yes\" will allow this item to figure in Sales Order, Delivery Note", + "fieldname": "is_sales_item", + "fieldtype": "Select", + "in_filter": 1, + "label": "Is Sales Item", + "oldfieldname": "is_sales_item", + "oldfieldtype": "Select", + "options": "Yes\nNo", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "default": "No", - "depends_on": "eval:doc.is_sales_item==\"Yes\"", - "description": "Select \"Yes\" if this item represents some work like training, designing, consulting etc.", - "fieldname": "is_service_item", - "fieldtype": "Select", - "in_filter": 1, - "label": "Is Service Item", - "oldfieldname": "is_service_item", - "oldfieldtype": "Select", - "options": "Yes\nNo", - "permlevel": 0, - "read_only": 0, + "default": "No", + "depends_on": "eval:doc.is_sales_item==\"Yes\"", + "description": "Select \"Yes\" if this item represents some work like training, designing, consulting etc.", + "fieldname": "is_service_item", + "fieldtype": "Select", + "in_filter": 1, + "label": "Is Service Item", + "oldfieldname": "is_service_item", + "oldfieldtype": "Select", + "options": "Yes\nNo", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "depends_on": "eval:doc.is_sales_item==\"Yes\"", - "fieldname": "max_discount", - "fieldtype": "Float", - "label": "Max Discount (%)", - "oldfieldname": "max_discount", - "oldfieldtype": "Currency", - "permlevel": 0, + "depends_on": "eval:doc.is_sales_item==\"Yes\"", + "fieldname": "max_discount", + "fieldtype": "Float", + "label": "Max Discount (%)", + "oldfieldname": "max_discount", + "oldfieldtype": "Currency", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "eval:doc.is_sales_item==\"Yes\"", - "fieldname": "income_account", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Default Income Account", - "options": "Account", - "permlevel": 0, + "depends_on": "eval:doc.is_sales_item==\"Yes\"", + "fieldname": "income_account", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Default Income Account", + "options": "Account", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "eval:doc.is_sales_item==\"Yes\"", - "fieldname": "selling_cost_center", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Default Selling Cost Center", - "options": "Cost Center", - "permlevel": 0, + "depends_on": "eval:doc.is_sales_item==\"Yes\"", + "fieldname": "selling_cost_center", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Default Selling Cost Center", + "options": "Cost Center", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "eval:doc.is_sales_item==\"Yes\"", - "fieldname": "column_break3", - "fieldtype": "Column Break", - "oldfieldtype": "Column Break", - "permlevel": 0, - "read_only": 0, + "depends_on": "eval:doc.is_sales_item==\"Yes\"", + "fieldname": "column_break3", + "fieldtype": "Column Break", + "oldfieldtype": "Column Break", + "permlevel": 0, + "read_only": 0, "width": "50%" - }, + }, { - "depends_on": "eval:doc.is_sales_item==\"Yes\"", - "description": "For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes", - "fieldname": "item_customer_details", - "fieldtype": "Table", - "label": "Customer Codes", - "options": "Item Customer Detail", - "permlevel": 0, + "depends_on": "eval:doc.is_sales_item==\"Yes\"", + "description": "For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes", + "fieldname": "item_customer_details", + "fieldtype": "Table", + "label": "Customer Codes", + "options": "Item Customer Detail", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "item_tax_section_break", - "fieldtype": "Section Break", - "label": "Item Tax", - "oldfieldtype": "Section Break", - "options": "icon-money", - "permlevel": 0, + "fieldname": "item_tax_section_break", + "fieldtype": "Section Break", + "label": "Item Tax", + "oldfieldtype": "Section Break", + "options": "icon-money", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "item_tax", - "fieldtype": "Table", - "label": "Item Tax1", - "oldfieldname": "item_tax", - "oldfieldtype": "Table", - "options": "Item Tax", - "permlevel": 0, + "fieldname": "item_tax", + "fieldtype": "Table", + "label": "Item Tax1", + "oldfieldname": "item_tax", + "oldfieldtype": "Table", + "options": "Item Tax", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "inspection_criteria", - "fieldtype": "Section Break", - "label": "Inspection Criteria", - "oldfieldtype": "Section Break", - "options": "icon-search", - "permlevel": 0, + "fieldname": "inspection_criteria", + "fieldtype": "Section Break", + "label": "Inspection Criteria", + "oldfieldtype": "Section Break", + "options": "icon-search", + "permlevel": 0, "read_only": 0 - }, + }, { - "default": "No", - "fieldname": "inspection_required", - "fieldtype": "Select", - "label": "Inspection Required", - "no_copy": 0, - "oldfieldname": "inspection_required", - "oldfieldtype": "Select", - "options": "\nYes\nNo", - "permlevel": 0, - "read_only": 0, + "default": "No", + "fieldname": "inspection_required", + "fieldtype": "Select", + "label": "Inspection Required", + "no_copy": 0, + "oldfieldname": "inspection_required", + "oldfieldtype": "Select", + "options": "\nYes\nNo", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "depends_on": "eval:doc.inspection_required==\"Yes\"", - "description": "Quality Inspection Parameters", - "fieldname": "item_specification_details", - "fieldtype": "Table", - "label": "Item Quality Inspection Parameter", - "oldfieldname": "item_specification_details", - "oldfieldtype": "Table", - "options": "Item Quality Inspection Parameter", - "permlevel": 0, + "depends_on": "eval:doc.inspection_required==\"Yes\"", + "description": "Quality Inspection Parameters", + "fieldname": "item_specification_details", + "fieldtype": "Table", + "label": "Item Quality Inspection Parameter", + "oldfieldname": "item_specification_details", + "oldfieldtype": "Table", + "options": "Item Quality Inspection Parameter", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "manufacturing", - "fieldtype": "Section Break", - "label": "Manufacturing", - "oldfieldtype": "Section Break", - "options": "icon-cogs", - "permlevel": 0, + "fieldname": "manufacturing", + "fieldtype": "Section Break", + "label": "Manufacturing", + "oldfieldtype": "Section Break", + "options": "icon-cogs", + "permlevel": 0, "read_only": 0 - }, + }, { - "default": "No", - "description": "Selecting \"Yes\" will allow you to create Bill of Material showing raw material and operational costs incurred to manufacture this item.", - "fieldname": "is_manufactured_item", - "fieldtype": "Select", - "label": "Allow Bill of Materials", - "oldfieldname": "is_manufactured_item", - "oldfieldtype": "Select", - "options": "Yes\nNo", - "permlevel": 0, - "read_only": 0, + "default": "No", + "description": "Selecting \"Yes\" will allow you to create Bill of Material showing raw material and operational costs incurred to manufacture this item.", + "fieldname": "is_manufactured_item", + "fieldtype": "Select", + "label": "Allow Bill of Materials", + "oldfieldname": "is_manufactured_item", + "oldfieldtype": "Select", + "options": "Yes\nNo", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "depends_on": "eval:doc.is_manufactured_item==\"Yes\"", - "fieldname": "default_bom", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Default BOM", - "no_copy": 1, - "oldfieldname": "default_bom", - "oldfieldtype": "Link", - "options": "BOM", - "permlevel": 0, + "depends_on": "eval:doc.is_manufactured_item==\"Yes\"", + "fieldname": "default_bom", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Default BOM", + "no_copy": 1, + "oldfieldname": "default_bom", + "oldfieldtype": "Link", + "options": "BOM", + "permlevel": 0, "read_only": 1 - }, + }, { - "default": "No", - "depends_on": "eval:doc.is_manufactured_item==\"Yes\"", - "description": "Selecting \"Yes\" will allow you to make a Production Order for this item.", - "fieldname": "is_pro_applicable", - "fieldtype": "Select", - "label": "Allow Production Order", - "oldfieldname": "is_pro_applicable", - "oldfieldtype": "Select", - "options": "Yes\nNo", - "permlevel": 0, - "read_only": 0, + "default": "No", + "depends_on": "eval:doc.is_manufactured_item==\"Yes\"", + "description": "Selecting \"Yes\" will allow you to make a Production Order for this item.", + "fieldname": "is_pro_applicable", + "fieldtype": "Select", + "label": "Allow Production Order", + "oldfieldname": "is_pro_applicable", + "oldfieldtype": "Select", + "options": "Yes\nNo", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "default": "No", - "description": "Select \"Yes\" if you supply raw materials to your supplier to manufacture this item.", - "fieldname": "is_sub_contracted_item", - "fieldtype": "Select", - "label": "Is Sub Contracted Item", - "oldfieldname": "is_sub_contracted_item", - "oldfieldtype": "Select", - "options": "Yes\nNo", - "permlevel": 0, - "read_only": 0, + "default": "No", + "description": "Select \"Yes\" if you supply raw materials to your supplier to manufacture this item.", + "fieldname": "is_sub_contracted_item", + "fieldtype": "Select", + "label": "Is Sub Contracted Item", + "oldfieldname": "is_sub_contracted_item", + "oldfieldtype": "Select", + "options": "Yes\nNo", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "fieldname": "customer_code", - "fieldtype": "Data", - "hidden": 1, - "in_filter": 1, - "label": "Customer Code", - "no_copy": 1, - "permlevel": 0, - "print_hide": 1, + "fieldname": "customer_code", + "fieldtype": "Data", + "hidden": 1, + "in_filter": 1, + "label": "Customer Code", + "no_copy": 1, + "permlevel": 0, + "print_hide": 1, "read_only": 0 - }, + }, { - "fieldname": "website_section", - "fieldtype": "Section Break", - "label": "Website", - "options": "icon-globe", - "permlevel": 0, + "fieldname": "website_section", + "fieldtype": "Section Break", + "label": "Website", + "options": "icon-globe", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "show_in_website", - "fieldtype": "Check", - "label": "Show in Website", - "permlevel": 0, + "fieldname": "show_in_website", + "fieldtype": "Check", + "label": "Show in Website", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "show_in_website", - "description": "website page link", - "fieldname": "page_name", - "fieldtype": "Data", - "label": "Page Name", - "no_copy": 1, - "permlevel": 0, + "depends_on": "show_in_website", + "description": "website page link", + "fieldname": "page_name", + "fieldtype": "Data", + "label": "Page Name", + "no_copy": 1, + "permlevel": 0, "read_only": 1 - }, + }, { - "depends_on": "show_in_website", - "description": "Products will be sorted by weight-age in default searches. More the weight-age, higher the product will appear in the list.", - "fieldname": "weightage", - "fieldtype": "Int", - "label": "Weightage", - "permlevel": 0, - "read_only": 0, + "depends_on": "show_in_website", + "description": "Products will be sorted by weight-age in default searches. More the weight-age, higher the product will appear in the list.", + "fieldname": "weightage", + "fieldtype": "Int", + "label": "Weightage", + "permlevel": 0, + "read_only": 0, "search_index": 1 - }, + }, { - "depends_on": "show_in_website", - "description": "Show a slideshow at the top of the page", - "fieldname": "slideshow", - "fieldtype": "Link", - "label": "Slideshow", - "options": "Website Slideshow", - "permlevel": 0, + "depends_on": "show_in_website", + "description": "Show a slideshow at the top of the page", + "fieldname": "slideshow", + "fieldtype": "Link", + "label": "Slideshow", + "options": "Website Slideshow", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "show_in_website", - "description": "Item Image (if not slideshow)", - "fieldname": "website_image", - "fieldtype": "Select", - "label": "Image", - "options": "attach_files:", - "permlevel": 0, + "depends_on": "show_in_website", + "description": "Item Image (if not slideshow)", + "fieldname": "website_image", + "fieldtype": "Select", + "label": "Image", + "options": "attach_files:", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "cb72", - "fieldtype": "Column Break", - "permlevel": 0, + "fieldname": "cb72", + "fieldtype": "Column Break", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "show_in_website", - "description": "Show \"In Stock\" or \"Not in Stock\" based on stock available in this warehouse.", - "fieldname": "website_warehouse", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Website Warehouse", - "options": "Warehouse", - "permlevel": 0, + "depends_on": "show_in_website", + "description": "Show \"In Stock\" or \"Not in Stock\" based on stock available in this warehouse.", + "fieldname": "website_warehouse", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Website Warehouse", + "options": "Warehouse", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "show_in_website", - "description": "List this Item in multiple groups on the website.", - "fieldname": "website_item_groups", - "fieldtype": "Table", - "label": "Website Item Groups", - "options": "Website Item Group", - "permlevel": 0, + "depends_on": "show_in_website", + "description": "List this Item in multiple groups on the website.", + "fieldname": "website_item_groups", + "fieldtype": "Table", + "label": "Website Item Groups", + "options": "Website Item Group", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "show_in_website", - "fieldname": "sb72", - "fieldtype": "Section Break", - "permlevel": 0, + "depends_on": "show_in_website", + "fieldname": "sb72", + "fieldtype": "Section Break", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "show_in_website", - "fieldname": "copy_from_item_group", - "fieldtype": "Button", - "label": "Copy From Item Group", - "permlevel": 0, + "depends_on": "show_in_website", + "fieldname": "copy_from_item_group", + "fieldtype": "Button", + "label": "Copy From Item Group", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "show_in_website", - "fieldname": "item_website_specifications", - "fieldtype": "Table", - "label": "Item Website Specifications", - "options": "Item Website Specification", - "permlevel": 0, + "depends_on": "show_in_website", + "fieldname": "item_website_specifications", + "fieldtype": "Table", + "label": "Item Website Specifications", + "options": "Item Website Specification", + "permlevel": 0, "read_only": 0 - }, + }, { - "depends_on": "show_in_website", - "fieldname": "web_long_description", - "fieldtype": "Text Editor", - "label": "Website Description", - "permlevel": 0, + "depends_on": "show_in_website", + "fieldname": "web_long_description", + "fieldtype": "Text Editor", + "label": "Website Description", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "parent_website_route", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Parent Website Route", - "no_copy": 1, - "options": "Website Route", + "fieldname": "parent_website_route", + "fieldtype": "Read Only", + "ignore_user_permissions": 1, + "label": "Parent Website Route", + "no_copy": 1, + "options": "", "permlevel": 0 } - ], - "icon": "icon-tag", - "idx": 1, - "max_attachments": 1, - "modified": "2014-08-18 09:32:57.268763", - "modified_by": "Administrator", - "module": "Stock", - "name": "Item", - "owner": "Administrator", + ], + "icon": "icon-tag", + "idx": 1, + "max_attachments": 1, + "modified": "2014-08-19 06:41:28.565607", + "modified_by": "Administrator", + "module": "Stock", + "name": "Item", + "owner": "Administrator", "permissions": [ { - "create": 1, - "delete": 1, - "email": 1, - "import": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Material Master Manager", - "submit": 0, + "create": 1, + "delete": 1, + "email": 1, + "import": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Material Master Manager", + "submit": 0, "write": 1 - }, + }, { - "amend": 0, - "create": 0, - "delete": 0, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Material Manager", - "submit": 0, + "amend": 0, + "create": 0, + "delete": 0, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Material Manager", + "submit": 0, "write": 0 - }, + }, { - "amend": 0, - "apply_user_permissions": 1, - "create": 0, - "delete": 0, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Material User", - "submit": 0, + "amend": 0, + "apply_user_permissions": 1, + "create": 0, + "delete": 0, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Material User", + "submit": 0, "write": 0 - }, + }, { - "apply_user_permissions": 1, - "permlevel": 0, - "read": 1, + "apply_user_permissions": 1, + "permlevel": 0, + "read": 1, "role": "Sales User" - }, + }, { - "apply_user_permissions": 1, - "permlevel": 0, - "read": 1, + "apply_user_permissions": 1, + "permlevel": 0, + "read": 1, "role": "Purchase User" - }, + }, { - "apply_user_permissions": 1, - "permlevel": 0, - "read": 1, + "apply_user_permissions": 1, + "permlevel": 0, + "read": 1, "role": "Maintenance User" - }, + }, { - "apply_user_permissions": 1, - "permlevel": 0, - "read": 1, + "apply_user_permissions": 1, + "permlevel": 0, + "read": 1, "role": "Accounts User" - }, + }, { - "apply_user_permissions": 1, - "permlevel": 0, - "read": 1, + "apply_user_permissions": 1, + "permlevel": 0, + "read": 1, "role": "Manufacturing User" } - ], + ], "search_fields": "item_name,description,item_group,customer_code" -} \ No newline at end of file +} From ebd30beee485767a25e6c071e96c9d46b614b28e Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Wed, 20 Aug 2014 11:43:18 +0530 Subject: [PATCH 550/630] [route] redesigned --- erpnext/templates/pages/product_search.py | 19 ++++++++++++------- 1 file changed, 12 insertions(+), 7 deletions(-) diff --git a/erpnext/templates/pages/product_search.py b/erpnext/templates/pages/product_search.py index 8464b2561e..93773bd6d9 100644 --- a/erpnext/templates/pages/product_search.py +++ b/erpnext/templates/pages/product_search.py @@ -12,23 +12,28 @@ no_sitemap = 1 @frappe.whitelist(allow_guest=True) def get_product_list(search=None, start=0, limit=10): # base query - query = """select t1.name, t1.item_name, t1.page_name, t1.website_image, t1.item_group, - t1.web_long_description as website_description, t2.name as route - from `tabItem` t1, `tabWebsite Route` t2 where t1.show_in_website = 1 - and t1.name = t2.docname and t2.ref_doctype = 'Item'""" + query = """select name, item_name, page_name, website_image, item_group, + web_long_description as website_description, parent_website_route + from `tabItem` where show_in_website = 1""" # search term condition if search: - query += """and (t1.web_long_description like %(search)s or t1.description like %(search)s or - t1.item_name like %(search)s or t1.name like %(search)s)""" + query += """and web_long_description like %(search)s + or description like %(search)s + or item_name like %(search)s + or name like %(search)s)""" search = "%" + cstr(search) + "%" # order by - query += """order by t1.weightage desc, t1.modified desc limit %s, %s""" % (start, limit) + query += """order by weightage desc, modified desc limit %s, %s""" % (start, limit) data = frappe.db.sql(query, { "search": search, }, as_dict=1) + for d in data: + d.route = ((d.parent_website_route + "/") if d.parent_website_route else "") \ + + d.page_name + return [get_item_for_list_in_html(r) for r in data] From 84e5a4a2c2228bbe2718df61a5f002f5995b9a38 Mon Sep 17 00:00:00 2001 From: Neil Trini Lasrado Date: Wed, 20 Aug 2014 13:44:56 +0530 Subject: [PATCH 551/630] [fix-remarks-changed-issue#110] --- erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py index 239b0125b4..79f433c470 100644 --- a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +++ b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py @@ -65,7 +65,7 @@ class PurchaseInvoice(BuyingController): def create_remarks(self): if not self.remarks: if self.bill_no and self.bill_date: - self.remarks = _("Against Bill {0} dated {1}").format(self.bill_no, formatdate(self.bill_date)) + self.remarks = _("Against Supplier Invoice {0} dated {1}").format(self.bill_no, formatdate(self.bill_date)) else: self.remarks = _("No Remarks") From df5ab4e2287c80f0510f530cf1a9ff0f4e691ac0 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Thu, 21 Aug 2014 11:32:39 +0530 Subject: [PATCH 552/630] Minor fix in maintenance schedule --- .../doctype/maintenance_schedule/maintenance_schedule.py | 3 +++ 1 file changed, 3 insertions(+) diff --git a/erpnext/support/doctype/maintenance_schedule/maintenance_schedule.py b/erpnext/support/doctype/maintenance_schedule/maintenance_schedule.py index f276b56b03..4b06fe07fd 100644 --- a/erpnext/support/doctype/maintenance_schedule/maintenance_schedule.py +++ b/erpnext/support/doctype/maintenance_schedule/maintenance_schedule.py @@ -194,6 +194,9 @@ class MaintenanceSchedule(TransactionBase): sr_details = frappe.db.get_value("Serial No", serial_no, ["warranty_expiry_date", "amc_expiry_date", "status", "delivery_date"], as_dict=1) + if not sr_details: + frappe.throw(_("Serial No {0} not found").format(serial_no)) + if sr_details.warranty_expiry_date and sr_details.warranty_expiry_date>=amc_start_date: throw(_("Serial No {0} is under warranty upto {1}").format(serial_no, sr_details.warranty_expiry_date)) From f71011aff094edab4426623d423cb501e4a4a19e Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Thu, 21 Aug 2014 11:34:31 +0530 Subject: [PATCH 553/630] Project query fixed --- erpnext/controllers/queries.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/controllers/queries.py b/erpnext/controllers/queries.py index 4a30eed652..d555532419 100644 --- a/erpnext/controllers/queries.py +++ b/erpnext/controllers/queries.py @@ -200,7 +200,7 @@ def bom(doctype, txt, searchfield, start, page_len, filters): def get_project_name(doctype, txt, searchfield, start, page_len, filters): cond = '' - if filters['customer']: + if filters.get('customer'): cond = '(`tabProject`.customer = "' + filters['customer'] + '" or ifnull(`tabProject`.customer,"")="") and' return frappe.db.sql("""select `tabProject`.name from `tabProject` From 4417529952976afc274f990f7107553742dc248d Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Thu, 21 Aug 2014 16:24:49 +0530 Subject: [PATCH 554/630] Packing list visibility issue --- erpnext/public/js/feature_setup.js | 11 +- .../features_setup/features_setup.json | 339 +++++++++--------- 2 files changed, 171 insertions(+), 179 deletions(-) diff --git a/erpnext/public/js/feature_setup.js b/erpnext/public/js/feature_setup.js index a45b602da1..5abf2d9294 100644 --- a/erpnext/public/js/feature_setup.js +++ b/erpnext/public/js/feature_setup.js @@ -26,10 +26,6 @@ pscript.feature_dict = { 'Stock Entry': {'fields':['project_name']}, 'Timesheet': {'timesheet_details':['project_name']} }, - 'fs_packing_details': { - //'Delivery Note': {'fields':['packing_details','print_packing_slip','packing_checked_by','packed_by','pack_size','shipping_mark'],'delivery_note_details':['no_of_packs','pack_gross_wt','pack_nett_wt','pack_no','pack_unit']}, - //'Sales Order': {'fields':['packing_details']} - }, 'fs_discounts': { 'Delivery Note': {'delivery_note_details':['discount_percentage']}, 'Quotation': {'quotation_details':['discount_percentage']}, @@ -152,10 +148,10 @@ pscript.feature_dict = { 'Address': {'fields':['sales_partner']}, 'Contact': {'fields':['sales_partner']}, 'Customer': {'fields':['sales_team']}, - 'Delivery Note': {'fields':['sales_team','packing_list']}, + 'Delivery Note': {'fields':['sales_team']}, 'Item': {'fields':['item_customer_details']}, - 'Sales Invoice': {'fields':['sales_team', 'packing_list']}, - 'Sales Order': {'fields':['sales_team','packing_list']} + 'Sales Invoice': {'fields':['sales_team']}, + 'Sales Order': {'fields':['sales_team']} }, 'fs_more_info': { "Customer Issue": {"fields": ["more_info"]}, @@ -190,7 +186,6 @@ $(document).bind('form_refresh', function() { for(var sys_feat in sys_defaults) { if(sys_defaults[sys_feat]=='0' && (sys_feat in pscript.feature_dict)) { //"Features to hide" exists - if(cur_frm.doc.doctype in pscript.feature_dict[sys_feat]) { for(var fort in pscript.feature_dict[sys_feat][cur_frm.doc.doctype]) { if(fort=='fields') { diff --git a/erpnext/setup/doctype/features_setup/features_setup.json b/erpnext/setup/doctype/features_setup/features_setup.json index fee7c17826..3dd2b4e413 100644 --- a/erpnext/setup/doctype/features_setup/features_setup.json +++ b/erpnext/setup/doctype/features_setup/features_setup.json @@ -1,241 +1,238 @@ { - "creation": "2012-12-20 12:50:49.000000", - "docstatus": 0, - "doctype": "DocType", + "creation": "2012-12-20 12:50:49", + "docstatus": 0, + "doctype": "DocType", "fields": [ { - "fieldname": "materials", - "fieldtype": "Section Break", - "label": "Materials", + "fieldname": "materials", + "fieldtype": "Section Break", + "label": "Materials", "permlevel": 0 - }, + }, { - "description": "To track item in sales and purchase documents based on their serial nos. This is can also used to track warranty details of the product.", - "fieldname": "fs_item_serial_nos", - "fieldtype": "Check", - "label": "Item Serial Nos", + "description": "To track item in sales and purchase documents based on their serial nos. This is can also used to track warranty details of the product.", + "fieldname": "fs_item_serial_nos", + "fieldtype": "Check", + "in_list_view": 1, + "label": "Item Serial Nos", "permlevel": 0 - }, + }, { - "description": "To track items in sales and purchase documents with batch nos
Preferred Industry: Chemicals etc", - "fieldname": "fs_item_batch_nos", - "fieldtype": "Check", - "label": "Item Batch Nos", + "description": "To track items in sales and purchase documents with batch nos
Preferred Industry: Chemicals etc", + "fieldname": "fs_item_batch_nos", + "fieldtype": "Check", + "in_list_view": 1, + "label": "Item Batch Nos", "permlevel": 0 - }, + }, { - "description": "To track brand name in the following documents Delivery Note, Opportunity, Material Request, Item, Purchase Order, Purchase Voucher, Purchaser Receipt, Quotation, Sales Invoice, Sales BOM, Sales Order, Serial No", - "fieldname": "fs_brands", - "fieldtype": "Check", - "label": "Brands", + "description": "To track brand name in the following documents Delivery Note, Opportunity, Material Request, Item, Purchase Order, Purchase Voucher, Purchaser Receipt, Quotation, Sales Invoice, Sales BOM, Sales Order, Serial No", + "fieldname": "fs_brands", + "fieldtype": "Check", + "in_list_view": 1, + "label": "Brands", "permlevel": 0 - }, + }, { - "description": "To track items using barcode. You will be able to enter items in Delivery Note and Sales Invoice by scanning barcode of item.", - "fieldname": "fs_item_barcode", - "fieldtype": "Check", - "label": "Item Barcode", + "description": "To track items using barcode. You will be able to enter items in Delivery Note and Sales Invoice by scanning barcode of item.", + "fieldname": "fs_item_barcode", + "fieldtype": "Check", + "in_list_view": 1, + "label": "Item Barcode", "permlevel": 0 - }, + }, { - "fieldname": "column_break0", - "fieldtype": "Column Break", + "fieldname": "column_break0", + "fieldtype": "Column Break", "permlevel": 0 - }, + }, { - "description": "1. To maintain the customer wise item code and to make them searchable based on their code use this option", - "fieldname": "fs_item_advanced", - "fieldtype": "Check", - "label": "Item Advanced", + "description": "1. To maintain the customer wise item code and to make them searchable based on their code use this option", + "fieldname": "fs_item_advanced", + "fieldtype": "Check", + "label": "Item Advanced", "permlevel": 0 - }, + }, { - "description": "If Sale BOM is defined, the actual BOM of the Pack is displayed as table. Available in Delivery Note and Sales Order", - "fieldname": "fs_packing_details", - "fieldtype": "Check", - "label": "Packing Details", + "description": "To get Item Group in details table", + "fieldname": "fs_item_group_in_details", + "fieldtype": "Check", + "label": "Item Groups in Details", "permlevel": 0 - }, + }, { - "description": "To get Item Group in details table", - "fieldname": "fs_item_group_in_details", - "fieldtype": "Check", - "label": "Item Groups in Details", + "fieldname": "sales_and_purchase", + "fieldtype": "Section Break", + "label": "Sales and Purchase", "permlevel": 0 - }, + }, { - "fieldname": "sales_and_purchase", - "fieldtype": "Section Break", - "label": "Sales and Purchase", + "description": "All export related fields like currency, conversion rate, export total, export grand total etc are available in Delivery Note, POS, Quotation, Sales Invoice, Sales Order etc.", + "fieldname": "fs_exports", + "fieldtype": "Check", + "label": "Exports", "permlevel": 0 - }, + }, { - "description": "All export related fields like currency, conversion rate, export total, export grand total etc are available in Delivery Note, POS, Quotation, Sales Invoice, Sales Order etc.", - "fieldname": "fs_exports", - "fieldtype": "Check", - "label": "Exports", + "description": "All import related fields like currency, conversion rate, import total, import grand total etc are available in Purchase Receipt, Supplier Quotation, Purchase Invoice, Purchase Order etc.", + "fieldname": "fs_imports", + "fieldtype": "Check", + "label": "Imports", "permlevel": 0 - }, + }, { - "description": "All import related fields like currency, conversion rate, import total, import grand total etc are available in Purchase Receipt, Supplier Quotation, Purchase Invoice, Purchase Order etc.", - "fieldname": "fs_imports", - "fieldtype": "Check", - "label": "Imports", + "fieldname": "column_break1", + "fieldtype": "Column Break", "permlevel": 0 - }, + }, { - "fieldname": "column_break1", - "fieldtype": "Column Break", + "description": "Field available in Delivery Note, Quotation, Sales Invoice, Sales Order", + "fieldname": "fs_discounts", + "fieldtype": "Check", + "label": "Sales Discounts", "permlevel": 0 - }, + }, { - "description": "Field available in Delivery Note, Quotation, Sales Invoice, Sales Order", - "fieldname": "fs_discounts", - "fieldtype": "Check", - "label": "Sales Discounts", + "description": "Discount Fields will be available in Purchase Order, Purchase Receipt, Purchase Invoice", + "fieldname": "fs_purchase_discounts", + "fieldtype": "Check", + "label": "Purchase Discounts", "permlevel": 0 - }, + }, { - "description": "Discount Fields will be available in Purchase Order, Purchase Receipt, Purchase Invoice", - "fieldname": "fs_purchase_discounts", - "fieldtype": "Check", - "label": "Purchase Discounts", + "description": "To track any installation or commissioning related work after sales", + "fieldname": "fs_after_sales_installations", + "fieldtype": "Check", + "label": "After Sale Installations", "permlevel": 0 - }, + }, { - "description": "To track any installation or commissioning related work after sales", - "fieldname": "fs_after_sales_installations", - "fieldtype": "Check", - "label": "After Sale Installations", + "description": "Available in BOM, Delivery Note, Purchase Invoice, Production Order, Purchase Order, Purchase Receipt, Sales Invoice, Sales Order, Stock Entry, Timesheet", + "fieldname": "fs_projects", + "fieldtype": "Check", + "label": "Projects", "permlevel": 0 - }, + }, { - "description": "Available in BOM, Delivery Note, Purchase Invoice, Production Order, Purchase Order, Purchase Receipt, Sales Invoice, Sales Order, Stock Entry, Timesheet", - "fieldname": "fs_projects", - "fieldtype": "Check", - "label": "Projects", + "description": "If you have Sales Team and Sale Partners (Channel Partners) they can be tagged and maintain their contribution in the sales activity", + "fieldname": "fs_sales_extras", + "fieldtype": "Check", + "label": "Sales Extras", "permlevel": 0 - }, + }, { - "description": "If you have Sales Team and Sale Partners (Channel Partners) they can be tagged and maintain their contribution in the sales activity", - "fieldname": "fs_sales_extras", - "fieldtype": "Check", - "label": "Sales Extras", + "fieldname": "accounts", + "fieldtype": "Section Break", + "label": "Accounts", "permlevel": 0 - }, + }, { - "fieldname": "accounts", - "fieldtype": "Section Break", - "label": "Accounts", + "description": "Check if you need automatic recurring invoices. After submitting any sales invoice, Recurring section will be visible.", + "fieldname": "fs_recurring_invoice", + "fieldtype": "Check", + "label": "Recurring Invoice", "permlevel": 0 - }, + }, { - "description": "Check if you need automatic recurring invoices. After submitting any sales invoice, Recurring section will be visible.", - "fieldname": "fs_recurring_invoice", - "fieldtype": "Check", - "label": "Recurring Invoice", + "fieldname": "column_break2", + "fieldtype": "Column Break", "permlevel": 0 - }, + }, { - "fieldname": "column_break2", - "fieldtype": "Column Break", + "description": "To enable Point of Sale features", + "fieldname": "fs_pos", + "fieldtype": "Check", + "label": "Point of Sale", "permlevel": 0 - }, + }, { - "description": "To enable Point of Sale features", - "fieldname": "fs_pos", - "fieldtype": "Check", - "label": "Point of Sale", + "description": "To enable Point of Sale view", + "fieldname": "fs_pos_view", + "fieldtype": "Check", + "label": "POS View", "permlevel": 0 - }, + }, { - "description": "To enable Point of Sale view", - "fieldname": "fs_pos_view", - "fieldtype": "Check", - "label": "POS View", + "fieldname": "production", + "fieldtype": "Section Break", + "label": "Manufacturing", "permlevel": 0 - }, + }, { - "fieldname": "production", - "fieldtype": "Section Break", - "label": "Manufacturing", + "description": "If you involve in manufacturing activity. Enables Item 'Is Manufactured'", + "fieldname": "fs_manufacturing", + "fieldtype": "Check", + "label": "Manufacturing", "permlevel": 0 - }, + }, { - "description": "If you involve in manufacturing activity. Enables Item 'Is Manufactured'", - "fieldname": "fs_manufacturing", - "fieldtype": "Check", - "label": "Manufacturing", + "fieldname": "column_break3", + "fieldtype": "Column Break", "permlevel": 0 - }, + }, { - "fieldname": "column_break3", - "fieldtype": "Column Break", + "description": "If you follow Quality Inspection. Enables Item QA Required and QA No in Purchase Receipt", + "fieldname": "fs_quality", + "fieldtype": "Check", + "label": "Quality", "permlevel": 0 - }, + }, { - "description": "If you follow Quality Inspection. Enables Item QA Required and QA No in Purchase Receipt", - "fieldname": "fs_quality", - "fieldtype": "Check", - "label": "Quality", + "fieldname": "miscelleneous", + "fieldtype": "Section Break", + "label": "Miscelleneous", "permlevel": 0 - }, + }, { - "fieldname": "miscelleneous", - "fieldtype": "Section Break", - "label": "Miscelleneous", + "description": "If you have long print formats, this feature can be used to split the page to be printed on multiple pages with all headers and footers on each page", + "fieldname": "fs_page_break", + "fieldtype": "Check", + "label": "Page Break", "permlevel": 0 - }, + }, { - "description": "If you have long print formats, this feature can be used to split the page to be printed on multiple pages with all headers and footers on each page", - "fieldname": "fs_page_break", - "fieldtype": "Check", - "label": "Page Break", + "fieldname": "column_break4", + "fieldtype": "Column Break", "permlevel": 0 - }, + }, { - "fieldname": "column_break4", - "fieldtype": "Column Break", - "permlevel": 0 - }, - { - "fieldname": "fs_more_info", - "fieldtype": "Check", - "label": "More Info", + "fieldname": "fs_more_info", + "fieldtype": "Check", + "label": "More Info", "permlevel": 0 } - ], - "icon": "icon-glass", - "idx": 1, - "issingle": 1, - "modified": "2013-12-24 11:40:19.000000", - "modified_by": "Administrator", - "module": "Setup", - "name": "Features Setup", - "name_case": "Title Case", - "owner": "Administrator", + ], + "icon": "icon-glass", + "idx": 1, + "issingle": 1, + "modified": "2014-08-21 16:24:18.503070", + "modified_by": "Administrator", + "module": "Setup", + "name": "Features Setup", + "name_case": "Title Case", + "owner": "Administrator", "permissions": [ { - "create": 1, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 0, - "role": "System Manager", - "submit": 0, + "create": 1, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 0, + "role": "System Manager", + "submit": 0, "write": 1 - }, + }, { - "create": 1, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 0, - "role": "Administrator", - "submit": 0, + "create": 1, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 0, + "role": "Administrator", + "submit": 0, "write": 1 } ] -} +} \ No newline at end of file From cabf9c5bee3b632e8bc62f30cb4555eeddaeed79 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Thu, 21 Aug 2014 16:34:38 +0530 Subject: [PATCH 555/630] Minor fix in status updater --- erpnext/controllers/status_updater.py | 3 +-- 1 file changed, 1 insertion(+), 2 deletions(-) diff --git a/erpnext/controllers/status_updater.py b/erpnext/controllers/status_updater.py index 2e865b4372..1188be5ad1 100644 --- a/erpnext/controllers/status_updater.py +++ b/erpnext/controllers/status_updater.py @@ -68,9 +68,8 @@ class StatusUpdater(Document): if self.is_new(): return - _status = self.status - if self.doctype in status_map: + _status = self.status sl = status_map[self.doctype][:] sl.reverse() for s in sl: From 8058832a488325a5784280cc5f2916823640057a Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Thu, 21 Aug 2014 18:06:35 +0530 Subject: [PATCH 556/630] Fixex in payment reconciliation --- .../doctype/payment_reconciliation/payment_reconciliation.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py b/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py index c114c52776..a5a56aee0a 100644 --- a/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +++ b/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py @@ -94,7 +94,7 @@ class PaymentReconciliation(Document): """.format("credit" if self.party_type == "Customer" else "debit"), (self.party_account, d.voucher_type, d.voucher_no)) - payment_amount = -1*payment_amount[0][0] if payment_amount else 0 + payment_amount = payment_amount[0][0] if payment_amount else 0 if d.invoice_amount > payment_amount: non_reconciled_invoices.append({ From 16aba71da0a77407221b315de7b5757fdac2fe94 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Thu, 21 Aug 2014 19:02:02 +0530 Subject: [PATCH 557/630] Escaped item group value in pricing rule condition --- erpnext/accounts/doctype/pricing_rule/pricing_rule.py | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/erpnext/accounts/doctype/pricing_rule/pricing_rule.py b/erpnext/accounts/doctype/pricing_rule/pricing_rule.py index 076cccc179..94ad6f1357 100644 --- a/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +++ b/erpnext/accounts/doctype/pricing_rule/pricing_rule.py @@ -169,8 +169,8 @@ def get_pricing_rules(args): if parent_groups: if allow_blank: parent_groups.append('') - condition = " ifnull("+field+", '') in ('" + "', '".join(parent_groups)+"')" - + condition = " ifnull("+field+", '') in ('" + \ + "', '".join([d.replace("'", "\\'").replace('"', '\\"') for d in parent_groups])+"')" return condition @@ -201,7 +201,7 @@ def get_pricing_rules(args): and ifnull({transaction_type}, 0) = 1 {conditions} order by priority desc, name desc""".format( item_group_condition=item_group_condition, - transaction_type=args.transaction_type, conditions=conditions), args, as_dict=1) + transaction_type=args.transaction_type, conditions=conditions), args, as_dict=1, debug=1) def filter_pricing_rules(args, pricing_rules): # filter for qty From 79f91109cd339635b971c1f02f70624cd514b2ef Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Thu, 21 Aug 2014 19:21:25 +0530 Subject: [PATCH 558/630] Update pricing_rule.py --- erpnext/accounts/doctype/pricing_rule/pricing_rule.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/accounts/doctype/pricing_rule/pricing_rule.py b/erpnext/accounts/doctype/pricing_rule/pricing_rule.py index 94ad6f1357..0c090ca0ea 100644 --- a/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +++ b/erpnext/accounts/doctype/pricing_rule/pricing_rule.py @@ -201,7 +201,7 @@ def get_pricing_rules(args): and ifnull({transaction_type}, 0) = 1 {conditions} order by priority desc, name desc""".format( item_group_condition=item_group_condition, - transaction_type=args.transaction_type, conditions=conditions), args, as_dict=1, debug=1) + transaction_type=args.transaction_type, conditions=conditions), args, as_dict=1) def filter_pricing_rules(args, pricing_rules): # filter for qty From f4ad37d20868ce21b11e7d10aa91269667a66c9d Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Fri, 22 Aug 2014 12:42:57 +0530 Subject: [PATCH 559/630] Reset receiver list always on create receiver list button --- erpnext/selling/doctype/sms_center/sms_center.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/selling/doctype/sms_center/sms_center.py b/erpnext/selling/doctype/sms_center/sms_center.py index d53a20ec89..fd3aec5264 100644 --- a/erpnext/selling/doctype/sms_center/sms_center.py +++ b/erpnext/selling/doctype/sms_center/sms_center.py @@ -51,7 +51,7 @@ class SMSCenter(Document): for d in rec: rec_list += d[0] + ' - ' + d[1] + '\n' - self.receiver_list = rec_list + self.receiver_list = rec_list def get_receiver_nos(self): receiver_nos = [] From 00fc600e8ba27d6b26c2e689b23f00214a458420 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Fri, 22 Aug 2014 14:06:22 +0530 Subject: [PATCH 560/630] PP Tool: Raise material request based on projected qty in selected warehouse --- .../production_planning_tool/production_planning_tool.py | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py b/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py index 0d55f8bb5e..a15e3649a1 100644 --- a/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +++ b/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py @@ -354,8 +354,8 @@ class ProductionPlanningTool(Document): def get_projected_qty(self): items = self.item_dict.keys() item_projected_qty = frappe.db.sql("""select item_code, sum(projected_qty) - from `tabBin` where item_code in (%s) group by item_code""" % - (", ".join(["%s"]*len(items)),), tuple(items)) + from `tabBin` where item_code in (%s) and warehouse=%s group by item_code""" % + (", ".join(["%s"]*len(items)), '%s'), tuple(items + [self.purchase_request_for_warehouse])) return dict(item_projected_qty) From 40e3d0c7803e7512d14dd5c1dbe8f2a54dc9c8f2 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Fri, 22 Aug 2014 14:37:55 +0530 Subject: [PATCH 561/630] General ledger: debit/credit value rounding upto 3 decimals --- .../accounts/report/general_ledger/general_ledger.py | 10 +++++----- 1 file changed, 5 insertions(+), 5 deletions(-) diff --git a/erpnext/accounts/report/general_ledger/general_ledger.py b/erpnext/accounts/report/general_ledger/general_ledger.py index fcacf7ce3d..d1ea4421a5 100644 --- a/erpnext/accounts/report/general_ledger/general_ledger.py +++ b/erpnext/accounts/report/general_ledger/general_ledger.py @@ -136,17 +136,17 @@ def get_accountwise_gle(filters, gl_entries, gle_map): opening, total_debit, total_credit = 0, 0, 0 for gle in gl_entries: - amount = flt(gle.debit) - flt(gle.credit) + amount = flt(gle.debit, 3) - flt(gle.credit, 3) if filters.get("account") and (gle.posting_date Date: Fri, 22 Aug 2014 16:20:07 +0530 Subject: [PATCH 562/630] Required raw materials qty in PP tool --- .../production_planning_tool/production_planning_tool.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py b/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py index a15e3649a1..945c77e535 100644 --- a/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +++ b/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py @@ -276,7 +276,7 @@ class ProductionPlanningTool(Document): item_list.append([item, flt(item_details.qty) * so_qty[1], item_details.description, item_details.stock_uom, item_details.min_order_qty, so_qty[0]]) - self.make_items_dict(item_list) + self.make_items_dict(item_list) def make_items_dict(self, item_list): for i in item_list: From a592a914b83302ac5ea22ee5707066997c55fdfd Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Fri, 22 Aug 2014 16:25:04 +0530 Subject: [PATCH 563/630] PP Tool: get query for sales order --- .../production_planning_tool.js | 10 ++++++++++ 1 file changed, 10 insertions(+) diff --git a/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js b/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js index d57f639f7f..e2192157c8 100644 --- a/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +++ b/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js @@ -31,6 +31,16 @@ cur_frm.cscript.download_materials_required = function(doc, cdt, cdn) { }); } + +cur_frm.fields_dict['pp_so_details'].grid.get_field('sales_order').get_query = function(doc) { + var args = { "docstatus": 1 }; + if(doc.customer) { + args["customer"] = doc.customer; + } + + return { filters: args } +} + cur_frm.fields_dict['pp_details'].grid.get_field('item_code').get_query = function(doc) { return erpnext.queries.item({ 'is_pro_applicable': 'Yes' From e8dd4160d4ee1a1fdc66b0b370d6933634ee6d9f Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Fri, 22 Aug 2014 15:21:27 +0530 Subject: [PATCH 564/630] [cleanup] remove allow_attach --- erpnext/accounts/doctype/c_form/c_form.json | 279 ++-- .../purchase_invoice/purchase_invoice.json | 1375 ++++++++--------- .../doctype/sales_invoice/sales_invoice.json | 3 +- .../purchase_order/purchase_order.json | 3 +- .../supplier_quotation.json | 3 +- erpnext/hr/doctype/employee/employee.json | 3 +- .../doctype/job_applicant/job_applicant.json | 3 +- .../leave_application/leave_application.json | 3 +- .../upload_attendance/upload_attendance.json | 3 +- erpnext/manufacturing/doctype/bom/bom.json | 3 +- erpnext/projects/doctype/project/project.json | 3 +- erpnext/projects/doctype/task/task.json | 3 +- .../projects/doctype/time_log/time_log.json | 3 +- erpnext/public/js/conf.js | 2 + .../selling/doctype/quotation/quotation.json | 3 +- .../doctype/sales_order/sales_order.json | 3 +- .../doctype/sms_center/sms_center.json | 3 +- .../setup/doctype/item_group/item_group.json | 3 +- erpnext/stock/doctype/batch/batch.json | 3 +- .../doctype/delivery_note/delivery_note.json | 3 +- erpnext/stock/doctype/item/item.json | 3 +- .../material_request/material_request.json | 3 +- .../stock/doctype/price_list/price_list.json | 3 +- .../purchase_receipt/purchase_receipt.json | 3 +- .../stock/doctype/serial_no/serial_no.json | 3 +- .../doctype/stock_entry/stock_entry.json | 3 +- .../stock_reconciliation.json | 3 +- .../support_ticket/support_ticket.json | 3 +- .../doctype/rename_tool/rename_tool.json | 3 +- 29 files changed, 854 insertions(+), 880 deletions(-) diff --git a/erpnext/accounts/doctype/c_form/c_form.json b/erpnext/accounts/doctype/c_form/c_form.json index 8782a114cc..ca0ac3a7f7 100644 --- a/erpnext/accounts/doctype/c_form/c_form.json +++ b/erpnext/accounts/doctype/c_form/c_form.json @@ -1,182 +1,181 @@ { - "allow_attach": 1, - "autoname": "naming_series:", - "creation": "2013-03-07 11:55:06", - "docstatus": 0, - "doctype": "DocType", + "autoname": "naming_series:", + "creation": "2013-03-07 11:55:06", + "docstatus": 0, + "doctype": "DocType", "fields": [ { - "fieldname": "column_break0", - "fieldtype": "Column Break", - "permlevel": 0, - "print_width": "50%", - "read_only": 0, + "fieldname": "column_break0", + "fieldtype": "Column Break", + "permlevel": 0, + "print_width": "50%", + "read_only": 0, "width": "50%" - }, + }, { - "fieldname": "naming_series", - "fieldtype": "Select", - "label": "Series", - "options": "C-FORM-", - "permlevel": 0, - "read_only": 0, + "fieldname": "naming_series", + "fieldtype": "Select", + "label": "Series", + "options": "C-FORM-", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "fieldname": "c_form_no", - "fieldtype": "Data", - "in_list_view": 1, - "label": "C-Form No", - "permlevel": 0, - "read_only": 0, + "fieldname": "c_form_no", + "fieldtype": "Data", + "in_list_view": 1, + "label": "C-Form No", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "fieldname": "received_date", - "fieldtype": "Date", - "in_list_view": 1, - "label": "Received Date", - "permlevel": 0, - "read_only": 0, + "fieldname": "received_date", + "fieldtype": "Date", + "in_list_view": 1, + "label": "Received Date", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "fieldname": "customer", - "fieldtype": "Link", - "in_list_view": 1, - "label": "Customer", - "options": "Customer", - "permlevel": 0, - "read_only": 0, + "fieldname": "customer", + "fieldtype": "Link", + "in_list_view": 1, + "label": "Customer", + "options": "Customer", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "fieldname": "column_break1", - "fieldtype": "Column Break", - "permlevel": 0, - "print_width": "50%", - "read_only": 0, + "fieldname": "column_break1", + "fieldtype": "Column Break", + "permlevel": 0, + "print_width": "50%", + "read_only": 0, "width": "50%" - }, + }, { - "fieldname": "company", - "fieldtype": "Link", - "label": "Company", - "options": "Company", - "permlevel": 0, + "fieldname": "company", + "fieldtype": "Link", + "label": "Company", + "options": "Company", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "fiscal_year", - "fieldtype": "Link", - "label": "Fiscal Year", - "options": "Fiscal Year", - "permlevel": 0, - "read_only": 0, + "fieldname": "fiscal_year", + "fieldtype": "Link", + "label": "Fiscal Year", + "options": "Fiscal Year", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "fieldname": "quarter", - "fieldtype": "Select", - "label": "Quarter", - "options": "\nI\nII\nIII\nIV", - "permlevel": 0, + "fieldname": "quarter", + "fieldtype": "Select", + "label": "Quarter", + "options": "\nI\nII\nIII\nIV", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "total_amount", - "fieldtype": "Currency", - "label": "Total Amount", - "options": "Company:company:default_currency", - "permlevel": 0, - "read_only": 0, + "fieldname": "total_amount", + "fieldtype": "Currency", + "label": "Total Amount", + "options": "Company:company:default_currency", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "fieldname": "state", - "fieldtype": "Data", - "label": "State", - "permlevel": 0, - "read_only": 0, + "fieldname": "state", + "fieldtype": "Data", + "label": "State", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "fieldname": "section_break0", - "fieldtype": "Section Break", - "permlevel": 0, + "fieldname": "section_break0", + "fieldtype": "Section Break", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "invoice_details", - "fieldtype": "Table", - "label": "Invoice Details", - "options": "C-Form Invoice Detail", - "permlevel": 0, + "fieldname": "invoice_details", + "fieldtype": "Table", + "label": "Invoice Details", + "options": "C-Form Invoice Detail", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "total_invoiced_amount", - "fieldtype": "Currency", - "label": "Total Invoiced Amount", - "options": "Company:company:default_currency", - "permlevel": 0, - "print_hide": 0, + "fieldname": "total_invoiced_amount", + "fieldtype": "Currency", + "label": "Total Invoiced Amount", + "options": "Company:company:default_currency", + "permlevel": 0, + "print_hide": 0, "read_only": 1 - }, + }, { - "fieldname": "amended_from", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Amended From", - "no_copy": 1, - "options": "C-Form", - "permlevel": 0, - "print_hide": 1, + "fieldname": "amended_from", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Amended From", + "no_copy": 1, + "options": "C-Form", + "permlevel": 0, + "print_hide": 1, "read_only": 1 } - ], - "icon": "icon-file-text", - "idx": 1, - "is_submittable": 1, - "max_attachments": 3, - "modified": "2014-05-27 03:49:08.272135", - "modified_by": "Administrator", - "module": "Accounts", - "name": "C-Form", - "owner": "Administrator", + ], + "icon": "icon-file-text", + "idx": 1, + "is_submittable": 1, + "max_attachments": 3, + "modified": "2014-05-27 03:49:08.272135", + "modified_by": "Administrator", + "module": "Accounts", + "name": "C-Form", + "owner": "Administrator", "permissions": [ { - "apply_user_permissions": 1, - "create": 1, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Accounts User", - "submit": 0, + "apply_user_permissions": 1, + "create": 1, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Accounts User", + "submit": 0, "write": 1 - }, + }, { - "create": 1, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Accounts Manager", - "submit": 0, + "create": 1, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Accounts Manager", + "submit": 0, "write": 1 - }, + }, { - "amend": 0, - "cancel": 0, - "create": 0, - "permlevel": 1, - "read": 1, - "report": 1, - "role": "All", + "amend": 0, + "cancel": 0, + "create": 0, + "permlevel": 1, + "read": 1, + "report": 1, + "role": "All", "submit": 0 } ] -} \ No newline at end of file +} diff --git a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.json b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.json index fb991ceba7..489bc4648a 100755 --- a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.json +++ b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.json @@ -1,852 +1,851 @@ { - "allow_attach": 1, - "allow_import": 1, - "autoname": "naming_series:", - "creation": "2013-05-21 16:16:39", - "docstatus": 0, - "doctype": "DocType", + "allow_import": 1, + "autoname": "naming_series:", + "creation": "2013-05-21 16:16:39", + "docstatus": 0, + "doctype": "DocType", "fields": [ { - "fieldname": "supplier_section", - "fieldtype": "Section Break", - "label": "Supplier", - "options": "icon-user", + "fieldname": "supplier_section", + "fieldtype": "Section Break", + "label": "Supplier", + "options": "icon-user", "permlevel": 0 - }, + }, { - "fieldname": "column_break0", - "fieldtype": "Column Break", - "oldfieldtype": "Column Break", - "permlevel": 0, - "read_only": 0, + "fieldname": "column_break0", + "fieldtype": "Column Break", + "oldfieldtype": "Column Break", + "permlevel": 0, + "read_only": 0, "width": "50%" - }, + }, { - "fieldname": "naming_series", - "fieldtype": "Select", - "label": "Series", - "no_copy": 1, - "oldfieldname": "naming_series", - "oldfieldtype": "Select", - "options": "PINV-", - "permlevel": 0, - "print_hide": 1, - "read_only": 0, - "report_hide": 0, + "fieldname": "naming_series", + "fieldtype": "Select", + "label": "Series", + "no_copy": 1, + "oldfieldname": "naming_series", + "oldfieldtype": "Select", + "options": "PINV-", + "permlevel": 0, + "print_hide": 1, + "read_only": 0, + "report_hide": 0, "reqd": 1 - }, + }, { - "fieldname": "supplier", - "fieldtype": "Link", - "hidden": 0, - "label": "Supplier", - "oldfieldname": "supplier", - "oldfieldtype": "Link", - "options": "Supplier", - "permlevel": 0, - "print_hide": 1, + "fieldname": "supplier", + "fieldtype": "Link", + "hidden": 0, + "label": "Supplier", + "oldfieldname": "supplier", + "oldfieldtype": "Link", + "options": "Supplier", + "permlevel": 0, + "print_hide": 1, "read_only": 0 - }, + }, { - "depends_on": "supplier", - "fieldname": "supplier_name", - "fieldtype": "Data", - "hidden": 0, - "in_list_view": 1, - "label": "Name", - "oldfieldname": "supplier_name", - "oldfieldtype": "Data", - "permlevel": 0, + "depends_on": "supplier", + "fieldname": "supplier_name", + "fieldtype": "Data", + "hidden": 0, + "in_list_view": 1, + "label": "Name", + "oldfieldname": "supplier_name", + "oldfieldtype": "Data", + "permlevel": 0, "read_only": 1 - }, + }, { - "fieldname": "address_display", - "fieldtype": "Small Text", - "hidden": 1, - "label": "Address", - "permlevel": 0, + "fieldname": "address_display", + "fieldtype": "Small Text", + "hidden": 1, + "label": "Address", + "permlevel": 0, "read_only": 1 - }, + }, { - "fieldname": "contact_display", - "fieldtype": "Small Text", - "hidden": 1, - "label": "Contact", - "permlevel": 0, + "fieldname": "contact_display", + "fieldtype": "Small Text", + "hidden": 1, + "label": "Contact", + "permlevel": 0, "read_only": 1 - }, + }, { - "fieldname": "contact_mobile", - "fieldtype": "Small Text", - "hidden": 1, - "label": "Mobile No", - "permlevel": 0, + "fieldname": "contact_mobile", + "fieldtype": "Small Text", + "hidden": 1, + "label": "Mobile No", + "permlevel": 0, "read_only": 1 - }, + }, { - "fieldname": "contact_email", - "fieldtype": "Small Text", - "hidden": 1, - "label": "Contact Email", - "permlevel": 0, - "print_hide": 1, + "fieldname": "contact_email", + "fieldtype": "Small Text", + "hidden": 1, + "label": "Contact Email", + "permlevel": 0, + "print_hide": 1, "read_only": 1 - }, + }, { - "fieldname": "column_break1", - "fieldtype": "Column Break", - "oldfieldtype": "Column Break", - "permlevel": 0, - "read_only": 0, - "reqd": 0, + "fieldname": "column_break1", + "fieldtype": "Column Break", + "oldfieldtype": "Column Break", + "permlevel": 0, + "read_only": 0, + "reqd": 0, "width": "50%" - }, + }, { - "default": "Today", - "fieldname": "posting_date", - "fieldtype": "Date", - "in_filter": 1, - "label": "Date", - "no_copy": 0, - "oldfieldname": "posting_date", - "oldfieldtype": "Date", - "permlevel": 0, - "print_hide": 1, - "read_only": 0, - "reqd": 1, + "default": "Today", + "fieldname": "posting_date", + "fieldtype": "Date", + "in_filter": 1, + "label": "Date", + "no_copy": 0, + "oldfieldname": "posting_date", + "oldfieldtype": "Date", + "permlevel": 0, + "print_hide": 1, + "read_only": 0, + "reqd": 1, "search_index": 1 - }, + }, { - "description": "", - "fieldname": "bill_no", - "fieldtype": "Data", - "in_filter": 1, - "label": "Supplier Invoice No", - "oldfieldname": "bill_no", - "oldfieldtype": "Data", - "permlevel": 0, - "print_hide": 1, - "read_only": 0, - "reqd": 0, + "description": "", + "fieldname": "bill_no", + "fieldtype": "Data", + "in_filter": 1, + "label": "Supplier Invoice No", + "oldfieldname": "bill_no", + "oldfieldtype": "Data", + "permlevel": 0, + "print_hide": 1, + "read_only": 0, + "reqd": 0, "search_index": 1 - }, + }, { - "fieldname": "bill_date", - "fieldtype": "Date", - "in_filter": 1, - "label": "Supplier Invoice Date", - "oldfieldname": "bill_date", - "oldfieldtype": "Date", - "permlevel": 0, - "print_hide": 1, - "read_only": 0, - "reqd": 0, + "fieldname": "bill_date", + "fieldtype": "Date", + "in_filter": 1, + "label": "Supplier Invoice Date", + "oldfieldname": "bill_date", + "oldfieldtype": "Date", + "permlevel": 0, + "print_hide": 1, + "read_only": 0, + "reqd": 0, "search_index": 1 - }, + }, { - "fieldname": "amended_from", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Amended From", - "no_copy": 1, - "oldfieldname": "amended_from", - "oldfieldtype": "Link", - "options": "Purchase Invoice", - "permlevel": 0, - "print_hide": 1, + "fieldname": "amended_from", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Amended From", + "no_copy": 1, + "oldfieldname": "amended_from", + "oldfieldtype": "Link", + "options": "Purchase Invoice", + "permlevel": 0, + "print_hide": 1, "read_only": 1 - }, + }, { - "fieldname": "company", - "fieldtype": "Link", - "in_filter": 1, - "label": "Company", - "oldfieldname": "company", - "oldfieldtype": "Link", - "options": "Company", - "permlevel": 0, - "print_hide": 1, - "read_only": 0, + "fieldname": "company", + "fieldtype": "Link", + "in_filter": 1, + "label": "Company", + "oldfieldname": "company", + "oldfieldtype": "Link", + "options": "Company", + "permlevel": 0, + "print_hide": 1, + "read_only": 0, "search_index": 1 - }, + }, { - "fieldname": "currency_price_list", - "fieldtype": "Section Break", - "label": "Currency and Price List", - "options": "icon-tag", - "permlevel": 0, + "fieldname": "currency_price_list", + "fieldtype": "Section Break", + "label": "Currency and Price List", + "options": "icon-tag", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "currency", - "fieldtype": "Link", - "label": "Currency", - "oldfieldname": "currency", - "oldfieldtype": "Select", - "options": "Currency", - "permlevel": 0, - "print_hide": 1, + "fieldname": "currency", + "fieldtype": "Link", + "label": "Currency", + "oldfieldname": "currency", + "oldfieldtype": "Select", + "options": "Currency", + "permlevel": 0, + "print_hide": 1, "read_only": 0 - }, + }, { - "description": "The rate at which Bill Currency is converted into company's base currency", - "fieldname": "conversion_rate", - "fieldtype": "Float", - "label": "Exchange Rate", - "oldfieldname": "conversion_rate", - "oldfieldtype": "Currency", - "permlevel": 0, - "print_hide": 1, + "description": "The rate at which Bill Currency is converted into company's base currency", + "fieldname": "conversion_rate", + "fieldtype": "Float", + "label": "Exchange Rate", + "oldfieldname": "conversion_rate", + "oldfieldtype": "Currency", + "permlevel": 0, + "print_hide": 1, "read_only": 0 - }, + }, { - "fieldname": "column_break2", - "fieldtype": "Column Break", - "permlevel": 0, + "fieldname": "column_break2", + "fieldtype": "Column Break", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "buying_price_list", - "fieldtype": "Link", - "label": "Price List", - "options": "Price List", - "permlevel": 0, - "print_hide": 1, + "fieldname": "buying_price_list", + "fieldtype": "Link", + "label": "Price List", + "options": "Price List", + "permlevel": 0, + "print_hide": 1, "read_only": 0 - }, + }, { - "fieldname": "price_list_currency", - "fieldtype": "Link", - "label": "Price List Currency", - "options": "Currency", - "permlevel": 0, - "print_hide": 1, + "fieldname": "price_list_currency", + "fieldtype": "Link", + "label": "Price List Currency", + "options": "Currency", + "permlevel": 0, + "print_hide": 1, "read_only": 1 - }, + }, { - "fieldname": "plc_conversion_rate", - "fieldtype": "Float", - "label": "Price List Exchange Rate", - "permlevel": 0, - "print_hide": 1, + "fieldname": "plc_conversion_rate", + "fieldtype": "Float", + "label": "Price List Exchange Rate", + "permlevel": 0, + "print_hide": 1, "read_only": 0 - }, + }, { - "fieldname": "ignore_pricing_rule", - "fieldtype": "Check", - "label": "Ignore Pricing Rule", - "no_copy": 1, - "permlevel": 1, + "fieldname": "ignore_pricing_rule", + "fieldtype": "Check", + "label": "Ignore Pricing Rule", + "no_copy": 1, + "permlevel": 1, "print_hide": 1 - }, + }, { - "fieldname": "items", - "fieldtype": "Section Break", - "label": "Items", - "oldfieldtype": "Section Break", - "options": "icon-shopping-cart", - "permlevel": 0, + "fieldname": "items", + "fieldtype": "Section Break", + "label": "Items", + "oldfieldtype": "Section Break", + "options": "icon-shopping-cart", + "permlevel": 0, "read_only": 0 - }, + }, { - "allow_on_submit": 1, - "fieldname": "entries", - "fieldtype": "Table", - "label": "Entries", - "oldfieldname": "entries", - "oldfieldtype": "Table", - "options": "Purchase Invoice Item", - "permlevel": 0, + "allow_on_submit": 1, + "fieldname": "entries", + "fieldtype": "Table", + "label": "Entries", + "oldfieldname": "entries", + "oldfieldtype": "Table", + "options": "Purchase Invoice Item", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "section_break_26", - "fieldtype": "Section Break", + "fieldname": "section_break_26", + "fieldtype": "Section Break", "permlevel": 0 - }, + }, { - "description": "Will be calculated automatically when you enter the details", - "fieldname": "net_total", - "fieldtype": "Currency", - "label": "Net Total (Company Currency)", - "oldfieldname": "net_total", - "oldfieldtype": "Currency", - "options": "Company:company:default_currency", - "permlevel": 0, - "print_hide": 1, + "description": "Will be calculated automatically when you enter the details", + "fieldname": "net_total", + "fieldtype": "Currency", + "label": "Net Total (Company Currency)", + "oldfieldname": "net_total", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", + "permlevel": 0, + "print_hide": 1, "read_only": 1 - }, + }, { - "fieldname": "column_break_28", - "fieldtype": "Column Break", + "fieldname": "column_break_28", + "fieldtype": "Column Break", "permlevel": 0 - }, + }, { - "fieldname": "net_total_import", - "fieldtype": "Currency", - "label": "Net Total", - "oldfieldname": "net_total_import", - "oldfieldtype": "Currency", - "options": "currency", - "permlevel": 0, - "print_hide": 0, + "fieldname": "net_total_import", + "fieldtype": "Currency", + "label": "Net Total", + "oldfieldname": "net_total_import", + "oldfieldtype": "Currency", + "options": "currency", + "permlevel": 0, + "print_hide": 0, "read_only": 1 - }, + }, { - "fieldname": "taxes", - "fieldtype": "Section Break", - "label": "Taxes and Charges", - "oldfieldtype": "Section Break", - "options": "icon-money", - "permlevel": 0, + "fieldname": "taxes", + "fieldtype": "Section Break", + "label": "Taxes and Charges", + "oldfieldtype": "Section Break", + "options": "icon-money", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "taxes_and_charges", - "fieldtype": "Link", - "label": "Taxes and Charges", - "oldfieldname": "purchase_other_charges", - "oldfieldtype": "Link", - "options": "Purchase Taxes and Charges Master", - "permlevel": 0, - "print_hide": 1, + "fieldname": "taxes_and_charges", + "fieldtype": "Link", + "label": "Taxes and Charges", + "oldfieldname": "purchase_other_charges", + "oldfieldtype": "Link", + "options": "Purchase Taxes and Charges Master", + "permlevel": 0, + "print_hide": 1, "read_only": 0 - }, + }, { - "fieldname": "other_charges", - "fieldtype": "Table", - "label": "Purchase Taxes and Charges", - "oldfieldname": "purchase_tax_details", - "oldfieldtype": "Table", - "options": "Purchase Taxes and Charges", - "permlevel": 0, + "fieldname": "other_charges", + "fieldtype": "Table", + "label": "Purchase Taxes and Charges", + "oldfieldname": "purchase_tax_details", + "oldfieldtype": "Table", + "options": "Purchase Taxes and Charges", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "other_charges_calculation", - "fieldtype": "HTML", - "label": "Taxes and Charges Calculation", - "oldfieldtype": "HTML", - "permlevel": 0, - "print_hide": 1, + "fieldname": "other_charges_calculation", + "fieldtype": "HTML", + "label": "Taxes and Charges Calculation", + "oldfieldtype": "HTML", + "permlevel": 0, + "print_hide": 1, "read_only": 0 - }, + }, { - "fieldname": "totals", - "fieldtype": "Section Break", - "label": "Totals", - "oldfieldtype": "Section Break", - "options": "icon-money", - "permlevel": 0, + "fieldname": "totals", + "fieldtype": "Section Break", + "label": "Totals", + "oldfieldtype": "Section Break", + "options": "icon-money", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "other_charges_added", - "fieldtype": "Currency", - "label": "Taxes and Charges Added (Company Currency)", - "oldfieldname": "other_charges_added", - "oldfieldtype": "Currency", - "options": "Company:company:default_currency", - "permlevel": 0, - "print_hide": 1, + "fieldname": "other_charges_added", + "fieldtype": "Currency", + "label": "Taxes and Charges Added (Company Currency)", + "oldfieldname": "other_charges_added", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", + "permlevel": 0, + "print_hide": 1, "read_only": 1 - }, + }, { - "fieldname": "other_charges_deducted", - "fieldtype": "Currency", - "label": "Taxes and Charges Deducted (Company Currency)", - "oldfieldname": "other_charges_deducted", - "oldfieldtype": "Currency", - "options": "Company:company:default_currency", - "permlevel": 0, - "print_hide": 1, + "fieldname": "other_charges_deducted", + "fieldtype": "Currency", + "label": "Taxes and Charges Deducted (Company Currency)", + "oldfieldname": "other_charges_deducted", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", + "permlevel": 0, + "print_hide": 1, "read_only": 1 - }, + }, { - "fieldname": "grand_total", - "fieldtype": "Currency", - "label": "Grand Total (Company Currency)", - "oldfieldname": "grand_total", - "oldfieldtype": "Currency", - "options": "Company:company:default_currency", - "permlevel": 0, - "print_hide": 1, + "fieldname": "grand_total", + "fieldtype": "Currency", + "label": "Grand Total (Company Currency)", + "oldfieldname": "grand_total", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", + "permlevel": 0, + "print_hide": 1, "read_only": 1 - }, + }, { - "description": "In Words will be visible once you save the Purchase Invoice.", - "fieldname": "in_words", - "fieldtype": "Data", - "label": "In Words (Company Currency)", - "oldfieldname": "in_words", - "oldfieldtype": "Data", - "permlevel": 0, - "print_hide": 1, + "description": "In Words will be visible once you save the Purchase Invoice.", + "fieldname": "in_words", + "fieldtype": "Data", + "label": "In Words (Company Currency)", + "oldfieldname": "in_words", + "oldfieldtype": "Data", + "permlevel": 0, + "print_hide": 1, "read_only": 1 - }, + }, { - "fieldname": "column_break8", - "fieldtype": "Column Break", - "oldfieldtype": "Column Break", - "permlevel": 0, - "print_hide": 1, - "read_only": 0, + "fieldname": "column_break8", + "fieldtype": "Column Break", + "oldfieldtype": "Column Break", + "permlevel": 0, + "print_hide": 1, + "read_only": 0, "width": "50%" - }, + }, { - "fieldname": "other_charges_added_import", - "fieldtype": "Currency", - "label": "Taxes and Charges Added", - "oldfieldname": "other_charges_added_import", - "oldfieldtype": "Currency", - "options": "currency", - "permlevel": 0, - "print_hide": 1, + "fieldname": "other_charges_added_import", + "fieldtype": "Currency", + "label": "Taxes and Charges Added", + "oldfieldname": "other_charges_added_import", + "oldfieldtype": "Currency", + "options": "currency", + "permlevel": 0, + "print_hide": 1, "read_only": 1 - }, + }, { - "fieldname": "other_charges_deducted_import", - "fieldtype": "Currency", - "label": "Taxes and Charges Deducted", - "oldfieldname": "other_charges_deducted_import", - "oldfieldtype": "Currency", - "options": "currency", - "permlevel": 0, - "print_hide": 1, + "fieldname": "other_charges_deducted_import", + "fieldtype": "Currency", + "label": "Taxes and Charges Deducted", + "oldfieldname": "other_charges_deducted_import", + "oldfieldtype": "Currency", + "options": "currency", + "permlevel": 0, + "print_hide": 1, "read_only": 1 - }, + }, { - "fieldname": "grand_total_import", - "fieldtype": "Currency", - "in_list_view": 1, - "label": "Grand Total", - "oldfieldname": "grand_total_import", - "oldfieldtype": "Currency", - "options": "currency", - "permlevel": 0, - "print_hide": 0, + "fieldname": "grand_total_import", + "fieldtype": "Currency", + "in_list_view": 1, + "label": "Grand Total", + "oldfieldname": "grand_total_import", + "oldfieldtype": "Currency", + "options": "currency", + "permlevel": 0, + "print_hide": 0, "read_only": 1 - }, + }, { - "fieldname": "in_words_import", - "fieldtype": "Data", - "label": "In Words", - "oldfieldname": "in_words_import", - "oldfieldtype": "Data", - "permlevel": 0, - "print_hide": 0, + "fieldname": "in_words_import", + "fieldtype": "Data", + "label": "In Words", + "oldfieldname": "in_words_import", + "oldfieldtype": "Data", + "permlevel": 0, + "print_hide": 0, "read_only": 1 - }, + }, { - "fieldname": "total_amount_to_pay", - "fieldtype": "Currency", - "hidden": 0, - "label": "Total Amount To Pay", - "no_copy": 1, - "oldfieldname": "total_amount_to_pay", - "oldfieldtype": "Currency", - "options": "Company:company:default_currency", - "permlevel": 0, - "print_hide": 1, + "fieldname": "total_amount_to_pay", + "fieldtype": "Currency", + "hidden": 0, + "label": "Total Amount To Pay", + "no_copy": 1, + "oldfieldname": "total_amount_to_pay", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", + "permlevel": 0, + "print_hide": 1, "read_only": 1 - }, + }, { - "fieldname": "total_advance", - "fieldtype": "Currency", - "label": "Total Advance", - "no_copy": 1, - "oldfieldname": "total_advance", - "oldfieldtype": "Currency", - "options": "Company:company:default_currency", - "permlevel": 0, - "print_hide": 1, + "fieldname": "total_advance", + "fieldtype": "Currency", + "label": "Total Advance", + "no_copy": 1, + "oldfieldname": "total_advance", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", + "permlevel": 0, + "print_hide": 1, "read_only": 1 - }, + }, { - "fieldname": "total_tax", - "fieldtype": "Currency", - "label": "Total Tax (Company Currency)", - "oldfieldname": "total_tax", - "oldfieldtype": "Currency", - "options": "Company:company:default_currency", - "permlevel": 0, - "print_hide": 1, + "fieldname": "total_tax", + "fieldtype": "Currency", + "label": "Total Tax (Company Currency)", + "oldfieldname": "total_tax", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", + "permlevel": 0, + "print_hide": 1, "read_only": 1 - }, + }, { - "fieldname": "outstanding_amount", - "fieldtype": "Currency", - "in_filter": 1, - "in_list_view": 1, - "label": "Outstanding Amount", - "no_copy": 1, - "oldfieldname": "outstanding_amount", - "oldfieldtype": "Currency", - "options": "Company:company:default_currency", - "permlevel": 0, - "print_hide": 1, - "read_only": 1, + "fieldname": "outstanding_amount", + "fieldtype": "Currency", + "in_filter": 1, + "in_list_view": 1, + "label": "Outstanding Amount", + "no_copy": 1, + "oldfieldname": "outstanding_amount", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", + "permlevel": 0, + "print_hide": 1, + "read_only": 1, "search_index": 1 - }, + }, { - "fieldname": "write_off_amount", - "fieldtype": "Currency", - "label": "Write Off Amount", - "no_copy": 1, - "options": "Company:company:default_currency", - "permlevel": 0, - "print_hide": 1, + "fieldname": "write_off_amount", + "fieldtype": "Currency", + "label": "Write Off Amount", + "no_copy": 1, + "options": "Company:company:default_currency", + "permlevel": 0, + "print_hide": 1, "read_only": 0 - }, + }, { - "depends_on": "eval:flt(doc.write_off_amount)!=0", - "fieldname": "write_off_account", - "fieldtype": "Link", - "label": "Write Off Account", - "no_copy": 1, - "options": "Account", - "permlevel": 0, - "print_hide": 1, + "depends_on": "eval:flt(doc.write_off_amount)!=0", + "fieldname": "write_off_account", + "fieldtype": "Link", + "label": "Write Off Account", + "no_copy": 1, + "options": "Account", + "permlevel": 0, + "print_hide": 1, "read_only": 0 - }, + }, { - "depends_on": "eval:flt(doc.write_off_amount)!=0", - "fieldname": "write_off_cost_center", - "fieldtype": "Link", - "label": "Write Off Cost Center", - "no_copy": 1, - "options": "Cost Center", - "permlevel": 0, - "print_hide": 1, + "depends_on": "eval:flt(doc.write_off_amount)!=0", + "fieldname": "write_off_cost_center", + "fieldtype": "Link", + "label": "Write Off Cost Center", + "no_copy": 1, + "options": "Cost Center", + "permlevel": 0, + "print_hide": 1, "read_only": 0 - }, + }, { - "fieldname": "against_expense_account", - "fieldtype": "Small Text", - "hidden": 1, - "label": "Against Expense Account", - "no_copy": 1, - "oldfieldname": "against_expense_account", - "oldfieldtype": "Small Text", - "permlevel": 0, - "print_hide": 1, - "read_only": 0, + "fieldname": "against_expense_account", + "fieldtype": "Small Text", + "hidden": 1, + "label": "Against Expense Account", + "no_copy": 1, + "oldfieldname": "against_expense_account", + "oldfieldtype": "Small Text", + "permlevel": 0, + "print_hide": 1, + "read_only": 0, "report_hide": 0 - }, + }, { - "fieldname": "fold", - "fieldtype": "Fold", + "fieldname": "fold", + "fieldtype": "Fold", "permlevel": 0 - }, + }, { - "fieldname": "advances", - "fieldtype": "Section Break", - "label": "Advances", - "oldfieldtype": "Section Break", - "options": "icon-money", - "permlevel": 0, - "print_hide": 1, + "fieldname": "advances", + "fieldtype": "Section Break", + "label": "Advances", + "oldfieldtype": "Section Break", + "options": "icon-money", + "permlevel": 0, + "print_hide": 1, "read_only": 0 - }, + }, { - "fieldname": "get_advances_paid", - "fieldtype": "Button", - "label": "Get Advances Paid", - "oldfieldtype": "Button", - "options": "get_advances", - "permlevel": 0, - "print_hide": 1, + "fieldname": "get_advances_paid", + "fieldtype": "Button", + "label": "Get Advances Paid", + "oldfieldtype": "Button", + "options": "get_advances", + "permlevel": 0, + "print_hide": 1, "read_only": 0 - }, + }, { - "fieldname": "advance_allocation_details", - "fieldtype": "Table", - "label": "Purchase Invoice Advances", - "no_copy": 1, - "oldfieldname": "advance_allocation_details", - "oldfieldtype": "Table", - "options": "Purchase Invoice Advance", - "permlevel": 0, - "print_hide": 1, + "fieldname": "advance_allocation_details", + "fieldtype": "Table", + "label": "Purchase Invoice Advances", + "no_copy": 1, + "oldfieldname": "advance_allocation_details", + "oldfieldtype": "Table", + "options": "Purchase Invoice Advance", + "permlevel": 0, + "print_hide": 1, "read_only": 0 - }, + }, { - "fieldname": "terms_section_break", - "fieldtype": "Section Break", - "label": "Terms and Conditions", - "options": "icon-legal", + "fieldname": "terms_section_break", + "fieldtype": "Section Break", + "label": "Terms and Conditions", + "options": "icon-legal", "permlevel": 0 - }, + }, { - "fieldname": "tc_name", - "fieldtype": "Link", - "label": "Terms", - "options": "Terms and Conditions", - "permlevel": 0, + "fieldname": "tc_name", + "fieldtype": "Link", + "label": "Terms", + "options": "Terms and Conditions", + "permlevel": 0, "print_hide": 1 - }, + }, { - "fieldname": "terms", - "fieldtype": "Text Editor", - "label": "Terms and Conditions1", + "fieldname": "terms", + "fieldtype": "Text Editor", + "label": "Terms and Conditions1", "permlevel": 0 - }, + }, { - "depends_on": "supplier", - "fieldname": "contact_section", - "fieldtype": "Section Break", - "label": "Contact Info", - "options": "icon-bullhorn", - "permlevel": 0, + "depends_on": "supplier", + "fieldname": "contact_section", + "fieldtype": "Section Break", + "label": "Contact Info", + "options": "icon-bullhorn", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "supplier_address", - "fieldtype": "Link", - "label": "Supplier Address", - "options": "Address", - "permlevel": 0, - "print_hide": 1, + "fieldname": "supplier_address", + "fieldtype": "Link", + "label": "Supplier Address", + "options": "Address", + "permlevel": 0, + "print_hide": 1, "read_only": 0 - }, + }, { - "fieldname": "col_break23", - "fieldtype": "Column Break", - "permlevel": 0, - "read_only": 0, + "fieldname": "col_break23", + "fieldtype": "Column Break", + "permlevel": 0, + "read_only": 0, "width": "50%" - }, + }, { - "fieldname": "contact_person", - "fieldtype": "Link", - "label": "Contact Person", - "options": "Contact", - "permlevel": 0, - "print_hide": 1, + "fieldname": "contact_person", + "fieldtype": "Link", + "label": "Contact Person", + "options": "Contact", + "permlevel": 0, + "print_hide": 1, "read_only": 0 - }, + }, { - "fieldname": "more_info", - "fieldtype": "Section Break", - "label": "More Info", - "oldfieldtype": "Section Break", - "options": "icon-file-text", - "permlevel": 0, - "print_hide": 1, + "fieldname": "more_info", + "fieldtype": "Section Break", + "label": "More Info", + "oldfieldtype": "Section Break", + "options": "icon-file-text", + "permlevel": 0, + "print_hide": 1, "read_only": 0 - }, + }, { - "description": "Supplier (Payable) Account", - "fieldname": "credit_to", - "fieldtype": "Link", - "in_filter": 1, - "label": "Credit To", - "oldfieldname": "credit_to", - "oldfieldtype": "Link", - "options": "Account", - "permlevel": 0, - "print_hide": 1, - "read_only": 0, - "reqd": 1, + "description": "Supplier (Payable) Account", + "fieldname": "credit_to", + "fieldtype": "Link", + "in_filter": 1, + "label": "Credit To", + "oldfieldname": "credit_to", + "oldfieldtype": "Link", + "options": "Account", + "permlevel": 0, + "print_hide": 1, + "read_only": 0, + "reqd": 1, "search_index": 1 - }, + }, { - "default": "No", - "description": "Considered as Opening Balance", - "fieldname": "is_opening", - "fieldtype": "Select", - "in_filter": 1, - "label": "Is Opening", - "oldfieldname": "is_opening", - "oldfieldtype": "Select", - "options": "No\nYes", - "permlevel": 0, - "print_hide": 1, - "read_only": 0, + "default": "No", + "description": "Considered as Opening Balance", + "fieldname": "is_opening", + "fieldtype": "Select", + "in_filter": 1, + "label": "Is Opening", + "oldfieldname": "is_opening", + "oldfieldtype": "Select", + "options": "No\nYes", + "permlevel": 0, + "print_hide": 1, + "read_only": 0, "search_index": 1 - }, + }, { - "description": "Actual Invoice Date", - "fieldname": "aging_date", - "fieldtype": "Date", - "label": "Aging Date", - "oldfieldname": "aging_date", - "oldfieldtype": "Date", - "permlevel": 0, - "print_hide": 1, - "read_only": 0, + "description": "Actual Invoice Date", + "fieldname": "aging_date", + "fieldtype": "Date", + "label": "Aging Date", + "oldfieldname": "aging_date", + "oldfieldtype": "Date", + "permlevel": 0, + "print_hide": 1, + "read_only": 0, "search_index": 0 - }, + }, { - "allow_on_submit": 1, - "fieldname": "select_print_heading", - "fieldtype": "Link", - "label": "Print Heading", - "no_copy": 1, - "oldfieldname": "select_print_heading", - "oldfieldtype": "Link", - "options": "Print Heading", - "permlevel": 0, - "print_hide": 1, - "read_only": 0, + "allow_on_submit": 1, + "fieldname": "select_print_heading", + "fieldtype": "Link", + "label": "Print Heading", + "no_copy": 1, + "oldfieldname": "select_print_heading", + "oldfieldtype": "Link", + "options": "Print Heading", + "permlevel": 0, + "print_hide": 1, + "read_only": 0, "report_hide": 1 - }, + }, { - "fieldname": "due_date", - "fieldtype": "Date", - "in_filter": 1, - "label": "Due Date", - "no_copy": 0, - "oldfieldname": "due_date", - "oldfieldtype": "Date", - "permlevel": 0, - "print_hide": 1, - "read_only": 0, + "fieldname": "due_date", + "fieldtype": "Date", + "in_filter": 1, + "label": "Due Date", + "no_copy": 0, + "oldfieldname": "due_date", + "oldfieldtype": "Date", + "permlevel": 0, + "print_hide": 1, + "read_only": 0, "search_index": 1 - }, + }, { - "fieldname": "mode_of_payment", - "fieldtype": "Link", - "label": "Mode of Payment", - "oldfieldname": "mode_of_payment", - "oldfieldtype": "Select", - "options": "Mode of Payment", - "permlevel": 0, + "fieldname": "mode_of_payment", + "fieldtype": "Link", + "label": "Mode of Payment", + "oldfieldname": "mode_of_payment", + "oldfieldtype": "Select", + "options": "Mode of Payment", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "column_break_63", - "fieldtype": "Column Break", - "permlevel": 0, + "fieldname": "column_break_63", + "fieldtype": "Column Break", + "permlevel": 0, "read_only": 0 - }, + }, { - "allow_on_submit": 1, - "fieldname": "letter_head", - "fieldtype": "Link", - "label": "Letter Head", - "options": "Letter Head", - "permlevel": 0, + "allow_on_submit": 1, + "fieldname": "letter_head", + "fieldtype": "Link", + "label": "Letter Head", + "options": "Letter Head", + "permlevel": 0, "print_hide": 1 - }, + }, { - "fieldname": "fiscal_year", - "fieldtype": "Link", - "in_filter": 1, - "label": "Fiscal Year", - "oldfieldname": "fiscal_year", - "oldfieldtype": "Select", - "options": "Fiscal Year", - "permlevel": 0, - "print_hide": 1, - "read_only": 0, + "fieldname": "fiscal_year", + "fieldtype": "Link", + "in_filter": 1, + "label": "Fiscal Year", + "oldfieldname": "fiscal_year", + "oldfieldtype": "Select", + "options": "Fiscal Year", + "permlevel": 0, + "print_hide": 1, + "read_only": 0, "search_index": 1 - }, + }, { - "fieldname": "remarks", - "fieldtype": "Small Text", - "label": "Remarks", - "no_copy": 1, - "oldfieldname": "remarks", - "oldfieldtype": "Text", - "permlevel": 0, - "print_hide": 1, - "read_only": 0, + "fieldname": "remarks", + "fieldtype": "Small Text", + "label": "Remarks", + "no_copy": 1, + "oldfieldname": "remarks", + "oldfieldtype": "Text", + "permlevel": 0, + "print_hide": 1, + "read_only": 0, "reqd": 0 } - ], - "icon": "icon-file-text", - "idx": 1, - "is_submittable": 1, - "modified": "2014-08-19 12:01:12.133942", - "modified_by": "Administrator", - "module": "Accounts", - "name": "Purchase Invoice", - "owner": "Administrator", + ], + "icon": "icon-file-text", + "idx": 1, + "is_submittable": 1, + "modified": "2014-08-19 12:01:12.133942", + "modified_by": "Administrator", + "module": "Accounts", + "name": "Purchase Invoice", + "owner": "Administrator", "permissions": [ { - "amend": 1, - "apply_user_permissions": 1, - "cancel": 1, - "create": 1, - "delete": 0, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Accounts User", - "submit": 1, + "amend": 1, + "apply_user_permissions": 1, + "cancel": 1, + "create": 1, + "delete": 0, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Accounts User", + "submit": 1, "write": 1 - }, + }, { - "amend": 0, - "apply_user_permissions": 1, - "cancel": 0, - "create": 0, - "delete": 0, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Purchase User", - "submit": 0, + "amend": 0, + "apply_user_permissions": 1, + "cancel": 0, + "create": 0, + "delete": 0, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Purchase User", + "submit": 0, "write": 0 - }, + }, { - "amend": 0, - "apply_user_permissions": 1, - "cancel": 0, - "create": 0, - "delete": 0, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Supplier", - "submit": 0, + "amend": 0, + "apply_user_permissions": 1, + "cancel": 0, + "create": 0, + "delete": 0, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Supplier", + "submit": 0, "write": 0 - }, + }, { - "amend": 1, - "cancel": 1, - "create": 1, - "delete": 1, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Accounts Manager", - "submit": 1, + "amend": 1, + "cancel": 1, + "create": 1, + "delete": 1, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Accounts Manager", + "submit": 1, "write": 1 - }, + }, { - "amend": 0, - "apply_user_permissions": 1, - "cancel": 0, - "create": 0, - "delete": 0, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Auditor", - "submit": 0, + "amend": 0, + "apply_user_permissions": 1, + "cancel": 0, + "create": 0, + "delete": 0, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Auditor", + "submit": 0, "write": 0 - }, + }, { - "permlevel": 1, - "read": 1, - "role": "Accounts Manager", + "permlevel": 1, + "read": 1, + "role": "Accounts Manager", "write": 1 } - ], - "read_only_onload": 1, - "search_fields": "posting_date, credit_to, fiscal_year, bill_no, grand_total, outstanding_amount", - "sort_field": "modified", + ], + "read_only_onload": 1, + "search_fields": "posting_date, credit_to, fiscal_year, bill_no, grand_total, outstanding_amount", + "sort_field": "modified", "sort_order": "DESC" -} \ No newline at end of file +} diff --git a/erpnext/accounts/doctype/sales_invoice/sales_invoice.json b/erpnext/accounts/doctype/sales_invoice/sales_invoice.json index ae6437a8ac..ff256dc777 100644 --- a/erpnext/accounts/doctype/sales_invoice/sales_invoice.json +++ b/erpnext/accounts/doctype/sales_invoice/sales_invoice.json @@ -1,6 +1,5 @@ { - "allow_attach": 1, - "allow_import": 1, + "allow_import": 1, "autoname": "naming_series:", "creation": "2013-05-24 19:29:05", "default_print_format": "Standard", diff --git a/erpnext/buying/doctype/purchase_order/purchase_order.json b/erpnext/buying/doctype/purchase_order/purchase_order.json index 44bcacccc8..647823cab6 100644 --- a/erpnext/buying/doctype/purchase_order/purchase_order.json +++ b/erpnext/buying/doctype/purchase_order/purchase_order.json @@ -1,6 +1,5 @@ { - "allow_attach": 1, - "allow_import": 1, + "allow_import": 1, "autoname": "naming_series:", "creation": "2013-05-21 16:16:39", "docstatus": 0, diff --git a/erpnext/buying/doctype/supplier_quotation/supplier_quotation.json b/erpnext/buying/doctype/supplier_quotation/supplier_quotation.json index 20aaf78d4f..3177650f4b 100644 --- a/erpnext/buying/doctype/supplier_quotation/supplier_quotation.json +++ b/erpnext/buying/doctype/supplier_quotation/supplier_quotation.json @@ -1,6 +1,5 @@ { - "allow_attach": 1, - "allow_import": 1, + "allow_import": 1, "autoname": "naming_series:", "creation": "2013-05-21 16:16:45", "docstatus": 0, diff --git a/erpnext/hr/doctype/employee/employee.json b/erpnext/hr/doctype/employee/employee.json index 3d1115a28c..254e76344d 100644 --- a/erpnext/hr/doctype/employee/employee.json +++ b/erpnext/hr/doctype/employee/employee.json @@ -1,6 +1,5 @@ { - "allow_attach": 1, - "allow_import": 1, + "allow_import": 1, "allow_rename": 1, "autoname": "naming_series:", "creation": "2013-03-07 09:04:18", diff --git a/erpnext/hr/doctype/job_applicant/job_applicant.json b/erpnext/hr/doctype/job_applicant/job_applicant.json index 21eb7f74aa..188c88b2e3 100644 --- a/erpnext/hr/doctype/job_applicant/job_applicant.json +++ b/erpnext/hr/doctype/job_applicant/job_applicant.json @@ -1,6 +1,5 @@ { - "allow_attach": 1, - "autoname": "field:applicant_name", + "autoname": "field:applicant_name", "creation": "2013-01-29 19:25:37", "description": "Applicant for a Job", "docstatus": 0, diff --git a/erpnext/hr/doctype/leave_application/leave_application.json b/erpnext/hr/doctype/leave_application/leave_application.json index 68005d7b81..959f30d4e3 100644 --- a/erpnext/hr/doctype/leave_application/leave_application.json +++ b/erpnext/hr/doctype/leave_application/leave_application.json @@ -1,6 +1,5 @@ { - "allow_attach": 1, - "autoname": "LAP/.#####", + "autoname": "LAP/.#####", "creation": "2013-02-20 11:18:11", "description": "Apply / Approve Leaves", "docstatus": 0, diff --git a/erpnext/hr/doctype/upload_attendance/upload_attendance.json b/erpnext/hr/doctype/upload_attendance/upload_attendance.json index 5037b3e693..6aa286160f 100644 --- a/erpnext/hr/doctype/upload_attendance/upload_attendance.json +++ b/erpnext/hr/doctype/upload_attendance/upload_attendance.json @@ -1,6 +1,5 @@ { - "allow_attach": 0, - "creation": "2013-01-25 11:34:53.000000", + "creation": "2013-01-25 11:34:53.000000", "docstatus": 0, "doctype": "DocType", "fields": [ diff --git a/erpnext/manufacturing/doctype/bom/bom.json b/erpnext/manufacturing/doctype/bom/bom.json index 3b0d5fc6d9..7015c3fbc3 100644 --- a/erpnext/manufacturing/doctype/bom/bom.json +++ b/erpnext/manufacturing/doctype/bom/bom.json @@ -1,6 +1,5 @@ { - "allow_attach": 0, - "allow_copy": 0, + "allow_copy": 0, "allow_import": 1, "allow_rename": 0, "creation": "2013-01-22 15:11:38", diff --git a/erpnext/projects/doctype/project/project.json b/erpnext/projects/doctype/project/project.json index b20914cdc1..c7c459c5bc 100644 --- a/erpnext/projects/doctype/project/project.json +++ b/erpnext/projects/doctype/project/project.json @@ -1,6 +1,5 @@ { - "allow_attach": 1, - "allow_import": 1, + "allow_import": 1, "allow_rename": 1, "autoname": "field:project_name", "creation": "2013-03-07 11:55:07", diff --git a/erpnext/projects/doctype/task/task.json b/erpnext/projects/doctype/task/task.json index 83b6f80f4c..1830a82bd7 100644 --- a/erpnext/projects/doctype/task/task.json +++ b/erpnext/projects/doctype/task/task.json @@ -1,6 +1,5 @@ { - "allow_attach": 1, - "allow_import": 1, + "allow_import": 1, "autoname": "TASK.#####", "creation": "2013-01-29 19:25:50", "docstatus": 0, diff --git a/erpnext/projects/doctype/time_log/time_log.json b/erpnext/projects/doctype/time_log/time_log.json index 157be0cdd4..ee34da04f5 100644 --- a/erpnext/projects/doctype/time_log/time_log.json +++ b/erpnext/projects/doctype/time_log/time_log.json @@ -1,6 +1,5 @@ { - "allow_attach": 1, - "allow_import": 1, + "allow_import": 1, "autoname": "naming_series:", "creation": "2013-04-03 16:38:41", "description": "Log of Activities performed by users against Tasks that can be used for tracking time, billing.", diff --git a/erpnext/public/js/conf.js b/erpnext/public/js/conf.js index 176e13a091..e9c790db10 100644 --- a/erpnext/public/js/conf.js +++ b/erpnext/public/js/conf.js @@ -15,4 +15,6 @@ $(document).bind('toolbar_setup', function() { "text-overflow": "ellipsis", "white-space": "nowrap" }); + + $('[data-link="docs"]').attr("href", "https://erpnext.com/user-guide") }); diff --git a/erpnext/selling/doctype/quotation/quotation.json b/erpnext/selling/doctype/quotation/quotation.json index 0904f25516..7972eab384 100644 --- a/erpnext/selling/doctype/quotation/quotation.json +++ b/erpnext/selling/doctype/quotation/quotation.json @@ -1,6 +1,5 @@ { - "allow_attach": 1, - "allow_import": 1, + "allow_import": 1, "autoname": "naming_series:", "creation": "2013-05-24 19:29:08", "docstatus": 0, diff --git a/erpnext/selling/doctype/sales_order/sales_order.json b/erpnext/selling/doctype/sales_order/sales_order.json index f4df6a8993..fb7e360940 100644 --- a/erpnext/selling/doctype/sales_order/sales_order.json +++ b/erpnext/selling/doctype/sales_order/sales_order.json @@ -1,6 +1,5 @@ { - "allow_attach": 1, - "allow_import": 1, + "allow_import": 1, "autoname": "naming_series:", "creation": "2013-06-18 12:39:59", "docstatus": 0, diff --git a/erpnext/selling/doctype/sms_center/sms_center.json b/erpnext/selling/doctype/sms_center/sms_center.json index b6eb11c23a..c259e97f0a 100644 --- a/erpnext/selling/doctype/sms_center/sms_center.json +++ b/erpnext/selling/doctype/sms_center/sms_center.json @@ -1,6 +1,5 @@ { - "allow_attach": 0, - "allow_copy": 1, + "allow_copy": 1, "creation": "2013-01-10 16:34:22", "docstatus": 0, "doctype": "DocType", diff --git a/erpnext/setup/doctype/item_group/item_group.json b/erpnext/setup/doctype/item_group/item_group.json index fff066cef7..45176aa1c1 100644 --- a/erpnext/setup/doctype/item_group/item_group.json +++ b/erpnext/setup/doctype/item_group/item_group.json @@ -1,6 +1,5 @@ { - "allow_attach": 1, - "allow_import": 1, + "allow_import": 1, "allow_rename": 1, "autoname": "field:item_group_name", "creation": "2013-03-28 10:35:29", diff --git a/erpnext/stock/doctype/batch/batch.json b/erpnext/stock/doctype/batch/batch.json index df9c8c5d47..5edf29242a 100644 --- a/erpnext/stock/doctype/batch/batch.json +++ b/erpnext/stock/doctype/batch/batch.json @@ -1,6 +1,5 @@ { - "allow_attach": 1, - "allow_import": 1, + "allow_import": 1, "autoname": "field:batch_id", "creation": "2013-03-05 14:50:38.000000", "docstatus": 0, diff --git a/erpnext/stock/doctype/delivery_note/delivery_note.json b/erpnext/stock/doctype/delivery_note/delivery_note.json index d9843b1c0b..3be5f5d80f 100644 --- a/erpnext/stock/doctype/delivery_note/delivery_note.json +++ b/erpnext/stock/doctype/delivery_note/delivery_note.json @@ -1,6 +1,5 @@ { - "allow_attach": 1, - "autoname": "naming_series:", + "autoname": "naming_series:", "creation": "2013-05-24 19:29:09", "docstatus": 0, "doctype": "DocType", diff --git a/erpnext/stock/doctype/item/item.json b/erpnext/stock/doctype/item/item.json index 06648b6cc8..db39f7badb 100644 --- a/erpnext/stock/doctype/item/item.json +++ b/erpnext/stock/doctype/item/item.json @@ -1,6 +1,5 @@ { - "allow_attach": 1, - "allow_import": 1, + "allow_import": 1, "allow_rename": 1, "autoname": "field:item_code", "creation": "2013-05-03 10:45:46", diff --git a/erpnext/stock/doctype/material_request/material_request.json b/erpnext/stock/doctype/material_request/material_request.json index b7d9c33b1a..c60181f03c 100644 --- a/erpnext/stock/doctype/material_request/material_request.json +++ b/erpnext/stock/doctype/material_request/material_request.json @@ -1,6 +1,5 @@ { - "allow_attach": 1, - "allow_import": 1, + "allow_import": 1, "autoname": "naming_series:", "creation": "2013-03-07 14:48:38", "docstatus": 0, diff --git a/erpnext/stock/doctype/price_list/price_list.json b/erpnext/stock/doctype/price_list/price_list.json index 56b2f326a2..574bb67ffb 100644 --- a/erpnext/stock/doctype/price_list/price_list.json +++ b/erpnext/stock/doctype/price_list/price_list.json @@ -1,6 +1,5 @@ { - "allow_attach": 0, - "allow_copy": 0, + "allow_copy": 0, "allow_email": 1, "allow_import": 1, "allow_print": 1, diff --git a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.json b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.json index 54233ba117..96b708d6c5 100755 --- a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.json +++ b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.json @@ -1,6 +1,5 @@ { - "allow_attach": 1, - "autoname": "naming_series:", + "autoname": "naming_series:", "creation": "2013-05-21 16:16:39", "docstatus": 0, "doctype": "DocType", diff --git a/erpnext/stock/doctype/serial_no/serial_no.json b/erpnext/stock/doctype/serial_no/serial_no.json index 8de04f03b4..c8a9f03502 100644 --- a/erpnext/stock/doctype/serial_no/serial_no.json +++ b/erpnext/stock/doctype/serial_no/serial_no.json @@ -1,6 +1,5 @@ { - "allow_attach": 1, - "allow_import": 1, + "allow_import": 1, "allow_rename": 1, "autoname": "field:serial_no", "creation": "2013-05-16 10:59:15", diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.json b/erpnext/stock/doctype/stock_entry/stock_entry.json index cd4c0f292e..9edb815fd5 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry.json +++ b/erpnext/stock/doctype/stock_entry/stock_entry.json @@ -1,6 +1,5 @@ { - "allow_attach": 0, - "allow_copy": 0, + "allow_copy": 0, "allow_import": 1, "allow_rename": 0, "autoname": "naming_series:", diff --git a/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.json b/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.json index d561d0091c..daba967a58 100644 --- a/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.json +++ b/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.json @@ -1,6 +1,5 @@ { - "allow_attach": 0, - "allow_copy": 1, + "allow_copy": 1, "autoname": "SR/.######", "creation": "2013-03-28 10:35:31", "description": "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.", diff --git a/erpnext/support/doctype/support_ticket/support_ticket.json b/erpnext/support/doctype/support_ticket/support_ticket.json index 6dd54a2b65..91bc884db8 100644 --- a/erpnext/support/doctype/support_ticket/support_ticket.json +++ b/erpnext/support/doctype/support_ticket/support_ticket.json @@ -1,6 +1,5 @@ { - "allow_attach": 1, - "autoname": "naming_series:", + "autoname": "naming_series:", "creation": "2013-02-01 10:36:25", "docstatus": 0, "doctype": "DocType", diff --git a/erpnext/utilities/doctype/rename_tool/rename_tool.json b/erpnext/utilities/doctype/rename_tool/rename_tool.json index a7384ec59c..113832aef6 100644 --- a/erpnext/utilities/doctype/rename_tool/rename_tool.json +++ b/erpnext/utilities/doctype/rename_tool/rename_tool.json @@ -1,6 +1,5 @@ { - "allow_attach": 0, - "allow_email": 1, + "allow_email": 1, "allow_print": 1, "creation": "2012-12-03 10:25:59.000000", "docstatus": 0, From 7a6ab910809cd6e0e2e6066ddb1e55c13963f4de Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Mon, 25 Aug 2014 13:01:45 +0530 Subject: [PATCH 565/630] remove set_title_left --- erpnext/utilities/doctype/address/address_list.js | 5 ----- erpnext/utilities/doctype/contact/contact_list.js | 5 ----- erpnext/utilities/doctype/note/note_list.js | 3 --- 3 files changed, 13 deletions(-) delete mode 100644 erpnext/utilities/doctype/address/address_list.js delete mode 100644 erpnext/utilities/doctype/contact/contact_list.js diff --git a/erpnext/utilities/doctype/address/address_list.js b/erpnext/utilities/doctype/address/address_list.js deleted file mode 100644 index 5eee8cf6f6..0000000000 --- a/erpnext/utilities/doctype/address/address_list.js +++ /dev/null @@ -1,5 +0,0 @@ -frappe.listview_settings['Address'] = { - set_title_left: function() { - frappe.set_route("Module", "Selling"); - } -} diff --git a/erpnext/utilities/doctype/contact/contact_list.js b/erpnext/utilities/doctype/contact/contact_list.js deleted file mode 100644 index 5eee8cf6f6..0000000000 --- a/erpnext/utilities/doctype/contact/contact_list.js +++ /dev/null @@ -1,5 +0,0 @@ -frappe.listview_settings['Address'] = { - set_title_left: function() { - frappe.set_route("Module", "Selling"); - } -} diff --git a/erpnext/utilities/doctype/note/note_list.js b/erpnext/utilities/doctype/note/note_list.js index a713aca842..161ebad4fe 100644 --- a/erpnext/utilities/doctype/note/note_list.js +++ b/erpnext/utilities/doctype/note/note_list.js @@ -1,6 +1,3 @@ frappe.listview_settings['Note'] = { add_fields: ["title", "public"], - set_title_left: function() { - frappe.set_route(); - } } From caba531e89ef2019c93207b9a6e56f9960177ac2 Mon Sep 17 00:00:00 2001 From: Neil Trini Lasrado Date: Wed, 20 Aug 2014 17:20:29 +0530 Subject: [PATCH 566/630] [fix] issue#980 --- .../setup/doctype/item_group/item_group.json | 33 +++++++++++++++++-- erpnext/stock/get_item_details.py | 20 +++++++---- 2 files changed, 44 insertions(+), 9 deletions(-) diff --git a/erpnext/setup/doctype/item_group/item_group.json b/erpnext/setup/doctype/item_group/item_group.json index fff066cef7..1a18710133 100644 --- a/erpnext/setup/doctype/item_group/item_group.json +++ b/erpnext/setup/doctype/item_group/item_group.json @@ -22,9 +22,10 @@ "search_index": 0 }, { - "fieldname": "cb0", - "fieldtype": "Column Break", + "fieldname": "gs", + "fieldtype": "Section Break", "in_list_view": 0, + "label": "General Settings", "permlevel": 0 }, { @@ -56,6 +57,32 @@ "reqd": 1, "search_index": 0 }, + { + "fieldname": "column_break_5", + "fieldtype": "Column Break", + "permlevel": 0 + }, + { + "fieldname": "default_income_account", + "fieldtype": "Link", + "label": "Default Income Account", + "options": "Account", + "permlevel": 0 + }, + { + "fieldname": "default_expense_account", + "fieldtype": "Link", + "label": "Default Expense Account", + "options": "Account", + "permlevel": 0 + }, + { + "fieldname": "default_cost_center", + "fieldtype": "Link", + "label": "Default Cost Center", + "options": "Cost Center", + "permlevel": 0 + }, { "fieldname": "sb9", "fieldtype": "Section Break", @@ -164,7 +191,7 @@ "in_create": 1, "issingle": 0, "max_attachments": 3, - "modified": "2014-08-19 06:42:03.262273", + "modified": "2014-08-20 17:48:34.489750", "modified_by": "Administrator", "module": "Setup", "name": "Item Group", diff --git a/erpnext/stock/get_item_details.py b/erpnext/stock/get_item_details.py index 82b396fb39..efb793deea 100644 --- a/erpnext/stock/get_item_details.py +++ b/erpnext/stock/get_item_details.py @@ -35,6 +35,7 @@ def get_item_details(args): item_doc = frappe.get_doc("Item", args.item_code) item = item_doc + validate_item_details(args, item) out = get_basic_details(args, item_doc) @@ -135,16 +136,22 @@ def get_basic_details(args, item_doc): if len(user_default_warehouse_list)==1 else "" out = frappe._dict({ + "item_code": item.name, "item_name": item.item_name, "description": item.description_html or item.description, "warehouse": user_default_warehouse or args.warehouse or item.default_warehouse, - "income_account": item.income_account or args.income_account \ - or frappe.db.get_value("Company", args.company, "default_income_account"), - "expense_account": item.expense_account or args.expense_account \ - or frappe.db.get_value("Company", args.company, "default_expense_account"), - "cost_center": item.selling_cost_center \ - if args.transaction_type == "selling" else item.buying_cost_center, + "income_account": (item.income_account + or args.income_account + or frappe.db.get_value("Item Group", item.item_group, "default_income_account") + or frappe.db.get_value("Company", args.company, "default_income_account")), + "expense_account": (item.expense_account + or args.expense_account + or frappe.db.get_value("Item Group", item.item_group, "default_expense_account") + or frappe.db.get_value("Company", args.company, "default_expense_account")), + "cost_center": ((item.selling_cost_center if args.transaction_type == "selling" else item.buying_cost_center) + or frappe.db.get_value("Item Group", item.item_group, "default_cost_center") + or frappe.db.get_value("Company", args.company, "cost_center")), "batch_no": None, "item_tax_rate": json.dumps(dict(([d.tax_type, d.tax_rate] for d in item_doc.get("item_tax")))), @@ -174,6 +181,7 @@ def get_price_list_rate(args, item_doc, out): validate_price_list(args) validate_conversion_rate(args, meta) + price_list_rate = frappe.db.get_value("Item Price", {"price_list": args.price_list, "item_code": args.item_code}, "price_list_rate") From 06927a20b29fb9f88c590e1cff7294e84e019a80 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Mon, 25 Aug 2014 14:08:54 +0530 Subject: [PATCH 567/630] Update repost_stock.py --- erpnext/utilities/repost_stock.py | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/erpnext/utilities/repost_stock.py b/erpnext/utilities/repost_stock.py index 159825a495..1e1d5d95e5 100644 --- a/erpnext/utilities/repost_stock.py +++ b/erpnext/utilities/repost_stock.py @@ -77,7 +77,7 @@ def get_reserved_qty(item_code, warehouse): (select qty as dnpi_qty, qty as so_item_qty, ifnull(delivered_qty, 0) as so_item_delivered_qty, parent, name from `tabSales Order Item` so_item - where item_code = %s and reserved_warehouse = %s + where item_code = %s and warehouse = %s and exists(select * from `tabSales Order` so where so.name = so_item.parent and so.docstatus = 1 and so.status != 'Stopped')) @@ -208,4 +208,4 @@ def reset_serial_no_status_and_warehouse(serial_nos=None): pass frappe.db.sql("""update `tabSerial No` set warehouse='' where status in ('Delivered', 'Purchase Returned')""") - \ No newline at end of file + From 52f04da5f55037aa5012e7793ac290150a98bdd6 Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Mon, 25 Aug 2014 15:17:20 +0530 Subject: [PATCH 568/630] [style] default website --- erpnext/patches.txt | 1 + erpnext/patches/v4_2/default_website_style.py | 9 +++++++++ erpnext/setup/page/setup_wizard/default_website.py | 5 +++-- erpnext/setup/page/setup_wizard/sample_home_page.css | 2 +- 4 files changed, 14 insertions(+), 3 deletions(-) create mode 100644 erpnext/patches/v4_2/default_website_style.py diff --git a/erpnext/patches.txt b/erpnext/patches.txt index 1799e6b410..3e3a2493d1 100644 --- a/erpnext/patches.txt +++ b/erpnext/patches.txt @@ -77,3 +77,4 @@ erpnext.patches.v4_2.fix_account_master_type erpnext.patches.v4_2.update_project_milestones erpnext.patches.v4_2.add_currency_turkish_lira #2014-08-08 execute:frappe.delete_doc("DocType", "Landed Cost Wizard") +erpnext.patches.v4_2.default_website_style diff --git a/erpnext/patches/v4_2/default_website_style.py b/erpnext/patches/v4_2/default_website_style.py new file mode 100644 index 0000000000..5fbbd48c5b --- /dev/null +++ b/erpnext/patches/v4_2/default_website_style.py @@ -0,0 +1,9 @@ +import frappe +from frappe.templates.pages.style_settings import default_properties + +def execute(): + style_settings = frappe.get_doc("Style Settings", "Style Settings") + if not style_settings.apply_style: + style_settings.update(default_properties) + style_settings.apply_style = 1 + style_settings.save() diff --git a/erpnext/setup/page/setup_wizard/default_website.py b/erpnext/setup/page/setup_wizard/default_website.py index d2e2e5529e..9bbdab08d2 100644 --- a/erpnext/setup/page/setup_wizard/default_website.py +++ b/erpnext/setup/page/setup_wizard/default_website.py @@ -6,6 +6,7 @@ import frappe from frappe import _ from frappe.utils import nowdate +from frappe.templates.pages.style_settings import default_properties class website_maker(object): def __init__(self, company, tagline, user): @@ -35,8 +36,8 @@ class website_maker(object): def make_style_settings(self): style_settings = frappe.get_doc("Style Settings", "Style Settings") - style_settings.top_bar_background = "F2F2F2" - style_settings.font_size = "15px" + style_settings.update(default_properties) + style_settings.apply_style = 1 style_settings.save() def make_website_settings(self): diff --git a/erpnext/setup/page/setup_wizard/sample_home_page.css b/erpnext/setup/page/setup_wizard/sample_home_page.css index 888d2f5cdc..723bcb9203 100644 --- a/erpnext/setup/page/setup_wizard/sample_home_page.css +++ b/erpnext/setup/page/setup_wizard/sample_home_page.css @@ -22,7 +22,7 @@ } .slide { - padding: 60px 40px; + padding: 30px 40px; max-width: 800px; margin: auto; } From e0ffe7a575e66066ab16df5a613db6f70473d6c7 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Mon, 25 Aug 2014 18:38:08 +0530 Subject: [PATCH 569/630] [hotfix] Product Search --- erpnext/templates/pages/product_search.py | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/erpnext/templates/pages/product_search.py b/erpnext/templates/pages/product_search.py index 93773bd6d9..064170299d 100644 --- a/erpnext/templates/pages/product_search.py +++ b/erpnext/templates/pages/product_search.py @@ -18,14 +18,14 @@ def get_product_list(search=None, start=0, limit=10): # search term condition if search: - query += """and web_long_description like %(search)s + query += """ and (web_long_description like %(search)s or description like %(search)s or item_name like %(search)s or name like %(search)s)""" search = "%" + cstr(search) + "%" # order by - query += """order by weightage desc, modified desc limit %s, %s""" % (start, limit) + query += """ order by weightage desc, modified desc limit %s, %s""" % (start, limit) data = frappe.db.sql(query, { "search": search, From 9d1e8b61fe2989f0126399d3953c196a3f9116f4 Mon Sep 17 00:00:00 2001 From: Neil Trini Lasrado Date: Mon, 25 Aug 2014 16:37:13 +0530 Subject: [PATCH 570/630] [Fix] Issue #980 final --- erpnext/accounts/doctype/cost_center/test_records.json | 7 +++++++ erpnext/setup/doctype/item_group/test_records.json | 3 ++- erpnext/stock/doctype/item/test_item.py | 2 +- erpnext/stock/doctype/item/test_records.json | 1 - 4 files changed, 10 insertions(+), 3 deletions(-) diff --git a/erpnext/accounts/doctype/cost_center/test_records.json b/erpnext/accounts/doctype/cost_center/test_records.json index 9e3e011fe2..7ffc687a9c 100644 --- a/erpnext/accounts/doctype/cost_center/test_records.json +++ b/erpnext/accounts/doctype/cost_center/test_records.json @@ -15,5 +15,12 @@ "doctype": "Cost Center", "group_or_ledger": "Ledger", "parent_cost_center": "_Test Company - _TC" + }, + { + "company": "_Test Company", + "cost_center_name": "_Test Cost Center 2", + "doctype": "Cost Center", + "group_or_ledger": "Ledger", + "parent_cost_center": "_Test Company - _TC" } ] \ No newline at end of file diff --git a/erpnext/setup/doctype/item_group/test_records.json b/erpnext/setup/doctype/item_group/test_records.json index d85fa2266b..60336f0c08 100644 --- a/erpnext/setup/doctype/item_group/test_records.json +++ b/erpnext/setup/doctype/item_group/test_records.json @@ -3,7 +3,8 @@ "doctype": "Item Group", "is_group": "No", "item_group_name": "_Test Item Group", - "parent_item_group": "All Item Groups" + "parent_item_group": "All Item Groups", + "default_cost_center": "_Test Cost Center 2 - _TC" }, { "doctype": "Item Group", diff --git a/erpnext/stock/doctype/item/test_item.py b/erpnext/stock/doctype/item/test_item.py index 7ab93ebf4c..56150cabac 100644 --- a/erpnext/stock/doctype/item/test_item.py +++ b/erpnext/stock/doctype/item/test_item.py @@ -27,7 +27,7 @@ class TestItem(unittest.TestCase): "warehouse": "_Test Warehouse - _TC", "income_account": "Sales - _TC", "expense_account": "_Test Account Cost for Goods Sold - _TC", - "cost_center": "_Test Cost Center - _TC", + "cost_center": "_Test Cost Center 2 - _TC", "qty": 1.0, "price_list_rate": 100.0, "base_price_list_rate": 0.0, diff --git a/erpnext/stock/doctype/item/test_records.json b/erpnext/stock/doctype/item/test_records.json index 761d4f2707..a256149571 100644 --- a/erpnext/stock/doctype/item/test_records.json +++ b/erpnext/stock/doctype/item/test_records.json @@ -28,7 +28,6 @@ "warehouse_reorder_qty": 20 } ], - "selling_cost_center": "_Test Cost Center - _TC", "stock_uom": "_Test UOM", "show_in_website": 1, "website_warehouse": "_Test Warehouse - _TC" From c14766748635c2b700da0bed127eae06170334c4 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Tue, 26 Aug 2014 14:25:53 +0530 Subject: [PATCH 571/630] [hotfix] Supplier read permission for Purchase User --- erpnext/buying/doctype/supplier/supplier.json | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/erpnext/buying/doctype/supplier/supplier.json b/erpnext/buying/doctype/supplier/supplier.json index 6a34e7d35f..ceaeebc13f 100644 --- a/erpnext/buying/doctype/supplier/supplier.json +++ b/erpnext/buying/doctype/supplier/supplier.json @@ -186,7 +186,7 @@ ], "icon": "icon-user", "idx": 1, - "modified": "2014-08-07 06:57:15.274795", + "modified": "2014-08-26 04:55:32.004458", "modified_by": "Administrator", "module": "Buying", "name": "Supplier", @@ -201,7 +201,7 @@ "print": 1, "read": 1, "report": 1, - "role": "Purchase Manager", + "role": "Purchase User", "submit": 0, "write": 0 }, From e3f2323e141e178dfebe6e8ba3ac25365bcd131b Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Tue, 26 Aug 2014 16:20:38 +0530 Subject: [PATCH 572/630] minor fix in sales invoice test records --- erpnext/accounts/doctype/sales_invoice/test_records.json | 5 +++++ 1 file changed, 5 insertions(+) diff --git a/erpnext/accounts/doctype/sales_invoice/test_records.json b/erpnext/accounts/doctype/sales_invoice/test_records.json index eb86672ccd..76c70cc416 100644 --- a/erpnext/accounts/doctype/sales_invoice/test_records.json +++ b/erpnext/accounts/doctype/sales_invoice/test_records.json @@ -17,6 +17,7 @@ "description": "138-CMS Shoe", "doctype": "Sales Invoice Item", "income_account": "Sales - _TC", + "expense_account": "_Test Account Cost for Goods Sold - _TC", "item_name": "138-CMS Shoe", "parentfield": "entries", "qty": 1.0, @@ -137,6 +138,7 @@ "cost_center": "_Test Cost Center - _TC", "doctype": "Sales Invoice Item", "income_account": "Sales - _TC", + "expense_account": "_Test Account Cost for Goods Sold - _TC", "item_code": "_Test Item Home Desktop 100", "item_name": "_Test Item Home Desktop 100", "item_tax_rate": "{\"_Test Account Excise Duty - _TC\": 10}", @@ -150,6 +152,7 @@ "cost_center": "_Test Cost Center - _TC", "doctype": "Sales Invoice Item", "income_account": "Sales - _TC", + "expense_account": "_Test Account Cost for Goods Sold - _TC", "item_code": "_Test Item Home Desktop 200", "item_name": "_Test Item Home Desktop 200", "parentfield": "entries", @@ -261,6 +264,7 @@ "cost_center": "_Test Cost Center - _TC", "doctype": "Sales Invoice Item", "income_account": "Sales - _TC", + "expense_account": "_Test Account Cost for Goods Sold - _TC", "item_code": "_Test Item Home Desktop 100", "item_name": "_Test Item Home Desktop 100", "item_tax_rate": "{\"_Test Account Excise Duty - _TC\": 10}", @@ -273,6 +277,7 @@ "cost_center": "_Test Cost Center - _TC", "doctype": "Sales Invoice Item", "income_account": "Sales - _TC", + "expense_account": "_Test Account Cost for Goods Sold - _TC", "item_code": "_Test Item Home Desktop 200", "item_name": "_Test Item Home Desktop 200", "parentfield": "entries", From 43f087c99da1a89373d1fe2310c76669bdf999ca Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Tue, 26 Aug 2014 14:25:53 +0530 Subject: [PATCH 573/630] [hotfix] Supplier read permission for Purchase User [Fix] Issue #448 [Fix] Issue #448 2 --- .../doctype/cost_center/cost_center.json | 4 +- .../purchase_invoice_item.json | 58 +++++++++---------- .../purchase_common/purchase_common.js | 2 +- erpnext/projects/doctype/project/project.json | 12 +++- erpnext/projects/doctype/project/project.py | 4 ++ erpnext/public/js/transaction.js | 3 +- erpnext/selling/sales_common.js | 18 ++++++ .../purchase_receipt_item.json | 22 +++---- erpnext/stock/get_item_details.py | 4 +- 9 files changed, 80 insertions(+), 47 deletions(-) diff --git a/erpnext/accounts/doctype/cost_center/cost_center.json b/erpnext/accounts/doctype/cost_center/cost_center.json index 36cb6ae7e9..e65f74bdb9 100644 --- a/erpnext/accounts/doctype/cost_center/cost_center.json +++ b/erpnext/accounts/doctype/cost_center/cost_center.json @@ -144,8 +144,8 @@ ], "icon": "icon-money", "idx": 1, - "in_create": 1, - "modified": "2014-05-27 03:49:08.910126", + "in_create": 0, + "modified": "2014-08-26 12:16:11.163750", "modified_by": "Administrator", "module": "Accounts", "name": "Cost Center", diff --git a/erpnext/accounts/doctype/purchase_invoice_item/purchase_invoice_item.json b/erpnext/accounts/doctype/purchase_invoice_item/purchase_invoice_item.json index 22757430bf..d26dec0a92 100755 --- a/erpnext/accounts/doctype/purchase_invoice_item/purchase_invoice_item.json +++ b/erpnext/accounts/doctype/purchase_invoice_item/purchase_invoice_item.json @@ -227,6 +227,17 @@ "fieldtype": "Column Break", "permlevel": 0 }, + { + "fieldname": "project_name", + "fieldtype": "Link", + "in_filter": 1, + "in_list_view": 0, + "label": "Project Name", + "options": "Project", + "permlevel": 0, + "print_hide": 1, + "read_only": 0 + }, { "default": ":Company", "fieldname": "cost_center", @@ -249,17 +260,6 @@ "label": "Reference", "permlevel": 0 }, - { - "fieldname": "project_name", - "fieldtype": "Link", - "in_filter": 1, - "in_list_view": 0, - "label": "Project Name", - "options": "Project", - "permlevel": 0, - "print_hide": 1, - "read_only": 0 - }, { "fieldname": "brand", "fieldtype": "Data", @@ -317,23 +317,6 @@ "search_index": 0, "width": "150px" }, - { - "allow_on_submit": 1, - "fieldname": "page_break", - "fieldtype": "Check", - "in_list_view": 0, - "label": "Page Break", - "no_copy": 1, - "permlevel": 0, - "print_hide": 1, - "read_only": 0, - "report_hide": 1 - }, - { - "fieldname": "col_break6", - "fieldtype": "Column Break", - "permlevel": 0 - }, { "fieldname": "purchase_order", "fieldtype": "Link", @@ -349,6 +332,11 @@ "read_only": 1, "search_index": 1 }, + { + "fieldname": "col_break6", + "fieldtype": "Column Break", + "permlevel": 0 + }, { "fieldname": "po_detail", "fieldtype": "Data", @@ -379,6 +367,18 @@ "read_only": 1, "search_index": 1 }, + { + "allow_on_submit": 1, + "fieldname": "page_break", + "fieldtype": "Check", + "in_list_view": 0, + "label": "Page Break", + "no_copy": 1, + "permlevel": 0, + "print_hide": 1, + "read_only": 0, + "report_hide": 1 + }, { "fieldname": "pr_detail", "fieldtype": "Data", @@ -421,7 +421,7 @@ ], "idx": 1, "istable": 1, - "modified": "2014-07-24 05:50:20.570629", + "modified": "2014-08-26 12:34:42.790959", "modified_by": "Administrator", "module": "Accounts", "name": "Purchase Invoice Item", diff --git a/erpnext/buying/doctype/purchase_common/purchase_common.js b/erpnext/buying/doctype/purchase_common/purchase_common.js index 3c63508991..c2e76e2ab7 100644 --- a/erpnext/buying/doctype/purchase_common/purchase_common.js +++ b/erpnext/buying/doctype/purchase_common/purchase_common.js @@ -385,6 +385,6 @@ erpnext.buying.BuyingController = erpnext.TransactionController.extend({ }); } }); - +cur_frm.add_fetch('project_name', 'cost_center', 'cost_center'); var tname = cur_frm.cscript.tname; var fname = cur_frm.cscript.fname; diff --git a/erpnext/projects/doctype/project/project.json b/erpnext/projects/doctype/project/project.json index c7c459c5bc..f7a5754fb0 100644 --- a/erpnext/projects/doctype/project/project.json +++ b/erpnext/projects/doctype/project/project.json @@ -1,5 +1,6 @@ { - "allow_import": 1, + "allow_attach": 1, + "allow_import": 1, "allow_rename": 1, "autoname": "field:project_name", "creation": "2013-03-07 11:55:07", @@ -207,6 +208,13 @@ "permlevel": 0, "search_index": 0 }, + { + "fieldname": "cost_center", + "fieldtype": "Link", + "label": "Default Cost Center", + "options": "Cost Center", + "permlevel": 0 + }, { "fieldname": "column_break0", "fieldtype": "Column Break", @@ -265,7 +273,7 @@ "icon": "icon-puzzle-piece", "idx": 1, "max_attachments": 4, - "modified": "2014-08-04 03:22:11.416219", + "modified": "2014-08-26 14:59:27.052172", "modified_by": "Administrator", "module": "Projects", "name": "Project", diff --git a/erpnext/projects/doctype/project/project.py b/erpnext/projects/doctype/project/project.py index 547e12aebc..88e6e122fe 100644 --- a/erpnext/projects/doctype/project/project.py +++ b/erpnext/projects/doctype/project/project.py @@ -67,3 +67,7 @@ class Project(Document): def on_trash(self): delete_events(self.doctype, self.name) + +@frappe.whitelist() +def get_cost_center_name(project_name): + return frappe.db.get_value("Project", project_name, "cost_center") \ No newline at end of file diff --git a/erpnext/public/js/transaction.js b/erpnext/public/js/transaction.js index 801ea57d21..4c0b341d48 100644 --- a/erpnext/public/js/transaction.js +++ b/erpnext/public/js/transaction.js @@ -151,7 +151,8 @@ erpnext.TransactionController = erpnext.stock.StockController.extend({ transaction_date: me.frm.doc.transaction_date, ignore_pricing_rule: me.frm.doc.ignore_pricing_rule, doctype: item.doctype, - name: item.name + name: item.name, + project_name: item.project_name || me.frm.doc.project_name } }, callback: function(r) { diff --git a/erpnext/selling/sales_common.js b/erpnext/selling/sales_common.js index 20f1028d9a..8bb05c694f 100644 --- a/erpnext/selling/sales_common.js +++ b/erpnext/selling/sales_common.js @@ -585,3 +585,21 @@ erpnext.selling.SellingController = erpnext.TransactionController.extend({ }); } }); + +frappe.ui.form.on(cur_frm.doctype,"project_name", function(frm) { + frappe.call({ + + method:'erpnext.projects.doctype.project.project.get_cost_center_name' , + args: { + project_name: frm.doc.project_name + }, + callback: function(r, rt) { + if(!r.exe) { + $.each(frm.doc[cur_frm.cscript.fname], function(i, row) { + frappe.model.set_value(row.doctype, row.name, "cost_center", r.message); + msgprint(__("Cost Center For Item with Item Code '"+row.item_name+"' has been Changed to "+ r.message)); + }) + } + } + }) +}) diff --git a/erpnext/stock/doctype/purchase_receipt_item/purchase_receipt_item.json b/erpnext/stock/doctype/purchase_receipt_item/purchase_receipt_item.json index 0222e58da5..69c27556ce 100755 --- a/erpnext/stock/doctype/purchase_receipt_item/purchase_receipt_item.json +++ b/erpnext/stock/doctype/purchase_receipt_item/purchase_receipt_item.json @@ -300,16 +300,6 @@ "read_only": 0, "width": "100px" }, - { - "default": ":Company", - "depends_on": "eval:cint(sys_defaults.auto_accounting_for_stock)", - "fieldname": "cost_center", - "fieldtype": "Link", - "label": "Cost Center", - "options": "Cost Center", - "permlevel": 0, - "print_hide": 1 - }, { "fieldname": "project_name", "fieldtype": "Link", @@ -320,6 +310,16 @@ "print_hide": 1, "read_only": 0 }, + { + "default": ":Company", + "depends_on": "eval:cint(sys_defaults.auto_accounting_for_stock)", + "fieldname": "cost_center", + "fieldtype": "Link", + "label": "Cost Center", + "options": "Cost Center", + "permlevel": 0, + "print_hide": 1 + }, { "fieldname": "qa_no", "fieldtype": "Link", @@ -557,7 +557,7 @@ ], "idx": 1, "istable": 1, - "modified": "2014-08-11 12:48:13.509109", + "modified": "2014-08-26 12:38:04.065982", "modified_by": "Administrator", "module": "Stock", "name": "Purchase Receipt Item", diff --git a/erpnext/stock/get_item_details.py b/erpnext/stock/get_item_details.py index efb793deea..fffb52e835 100644 --- a/erpnext/stock/get_item_details.py +++ b/erpnext/stock/get_item_details.py @@ -29,6 +29,7 @@ def get_item_details(args): "is_subcontracted": "Yes" / "No", "transaction_type": "selling", "ignore_pricing_rule": 0/1 + "project_name": "", } """ args = process_args(args) @@ -149,7 +150,8 @@ def get_basic_details(args, item_doc): or args.expense_account or frappe.db.get_value("Item Group", item.item_group, "default_expense_account") or frappe.db.get_value("Company", args.company, "default_expense_account")), - "cost_center": ((item.selling_cost_center if args.transaction_type == "selling" else item.buying_cost_center) + "cost_center": (frappe.db.get_value("Project", args.project_name, "cost_center") + or (item.selling_cost_center if args.transaction_type == "selling" else item.buying_cost_center) or frappe.db.get_value("Item Group", item.item_group, "default_cost_center") or frappe.db.get_value("Company", args.company, "cost_center")), "batch_no": None, From 3b1733bc044942689baa3ef456c485a205272fb9 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Tue, 26 Aug 2014 16:20:38 +0530 Subject: [PATCH 574/630] minor fix in sales invoice test records --- erpnext/accounts/doctype/sales_invoice/test_records.json | 5 +++++ 1 file changed, 5 insertions(+) diff --git a/erpnext/accounts/doctype/sales_invoice/test_records.json b/erpnext/accounts/doctype/sales_invoice/test_records.json index eb86672ccd..76c70cc416 100644 --- a/erpnext/accounts/doctype/sales_invoice/test_records.json +++ b/erpnext/accounts/doctype/sales_invoice/test_records.json @@ -17,6 +17,7 @@ "description": "138-CMS Shoe", "doctype": "Sales Invoice Item", "income_account": "Sales - _TC", + "expense_account": "_Test Account Cost for Goods Sold - _TC", "item_name": "138-CMS Shoe", "parentfield": "entries", "qty": 1.0, @@ -137,6 +138,7 @@ "cost_center": "_Test Cost Center - _TC", "doctype": "Sales Invoice Item", "income_account": "Sales - _TC", + "expense_account": "_Test Account Cost for Goods Sold - _TC", "item_code": "_Test Item Home Desktop 100", "item_name": "_Test Item Home Desktop 100", "item_tax_rate": "{\"_Test Account Excise Duty - _TC\": 10}", @@ -150,6 +152,7 @@ "cost_center": "_Test Cost Center - _TC", "doctype": "Sales Invoice Item", "income_account": "Sales - _TC", + "expense_account": "_Test Account Cost for Goods Sold - _TC", "item_code": "_Test Item Home Desktop 200", "item_name": "_Test Item Home Desktop 200", "parentfield": "entries", @@ -261,6 +264,7 @@ "cost_center": "_Test Cost Center - _TC", "doctype": "Sales Invoice Item", "income_account": "Sales - _TC", + "expense_account": "_Test Account Cost for Goods Sold - _TC", "item_code": "_Test Item Home Desktop 100", "item_name": "_Test Item Home Desktop 100", "item_tax_rate": "{\"_Test Account Excise Duty - _TC\": 10}", @@ -273,6 +277,7 @@ "cost_center": "_Test Cost Center - _TC", "doctype": "Sales Invoice Item", "income_account": "Sales - _TC", + "expense_account": "_Test Account Cost for Goods Sold - _TC", "item_code": "_Test Item Home Desktop 200", "item_name": "_Test Item Home Desktop 200", "parentfield": "entries", From ad24069cdc10e0232d94d704c4b7cbf04b8a3529 Mon Sep 17 00:00:00 2001 From: Neil Trini Lasrado Date: Tue, 26 Aug 2014 16:27:59 +0530 Subject: [PATCH 575/630] [fix] issue 448 final --- erpnext/public/js/transaction.js | 1 + 1 file changed, 1 insertion(+) diff --git a/erpnext/public/js/transaction.js b/erpnext/public/js/transaction.js index 4c0b341d48..d5209c1874 100644 --- a/erpnext/public/js/transaction.js +++ b/erpnext/public/js/transaction.js @@ -155,6 +155,7 @@ erpnext.TransactionController = erpnext.stock.StockController.extend({ project_name: item.project_name || me.frm.doc.project_name } }, + callback: function(r) { if(!r.exc) { me.frm.script_manager.trigger("price_list_rate", cdt, cdn); From 46256cddd7591a0ce31ca9db1a3530745aa0de3f Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Wed, 27 Aug 2014 12:23:52 +0530 Subject: [PATCH 576/630] Enqueue Newsletter sending in Longjob Queue --- erpnext/support/doctype/newsletter/newsletter.py | 4 +++- erpnext/tasks.py | 3 ++- 2 files changed, 5 insertions(+), 2 deletions(-) diff --git a/erpnext/support/doctype/newsletter/newsletter.py b/erpnext/support/doctype/newsletter/newsletter.py index 57063bbc6a..15bf0dac99 100644 --- a/erpnext/support/doctype/newsletter/newsletter.py +++ b/erpnext/support/doctype/newsletter/newsletter.py @@ -33,7 +33,9 @@ class Newsletter(Document): if getattr(frappe.local, "is_ajax", False): # to avoid request timed out! self.validate_send() - erpnext.tasks.send_newsletter.delay(frappe.local.site, self.name) + + # hack! event="bulk_long" to queue in longjob queue + erpnext.tasks.send_newsletter.delay(frappe.local.site, self.name, event="bulk_long") else: self.send_bulk() diff --git a/erpnext/tasks.py b/erpnext/tasks.py index da2ab03ccc..d564a35e29 100644 --- a/erpnext/tasks.py +++ b/erpnext/tasks.py @@ -6,7 +6,8 @@ import frappe from frappe.celery_app import celery_task, task_logger @celery_task() -def send_newsletter(site, newsletter): +def send_newsletter(site, newsletter, event): + # hack! pass event="bulk_long" to queue in longjob queue try: frappe.connect(site=site) doc = frappe.get_doc("Newsletter", newsletter) From d6d71e8078a3c50a39dc2071ebc7b62bc030fa25 Mon Sep 17 00:00:00 2001 From: Neil Trini Lasrado Date: Wed, 27 Aug 2014 18:48:57 +0530 Subject: [PATCH 577/630] [fix] issue 448 final 1 --- erpnext/selling/sales_common.js | 11 ++++------- 1 file changed, 4 insertions(+), 7 deletions(-) diff --git a/erpnext/selling/sales_common.js b/erpnext/selling/sales_common.js index 8bb05c694f..66e935ab6f 100644 --- a/erpnext/selling/sales_common.js +++ b/erpnext/selling/sales_common.js @@ -588,16 +588,13 @@ erpnext.selling.SellingController = erpnext.TransactionController.extend({ frappe.ui.form.on(cur_frm.doctype,"project_name", function(frm) { frappe.call({ - method:'erpnext.projects.doctype.project.project.get_cost_center_name' , - args: { - project_name: frm.doc.project_name - }, + args: { project_name: frm.doc.project_name }, callback: function(r, rt) { - if(!r.exe) { - $.each(frm.doc[cur_frm.cscript.fname], function(i, row) { + if(!r.exc) { + $.each(frm.doc[cur_frm.cscript.fname] || [], function(i, row) { frappe.model.set_value(row.doctype, row.name, "cost_center", r.message); - msgprint(__("Cost Center For Item with Item Code '"+row.item_name+"' has been Changed to "+ r.message)); + msgprint(__("Cost Center For Item with Item Code '"+row.item_name+"' has been Changed to "+ r.message)); }) } } From 913c51b1f8be94b99c64b17b327a30edf90fb279 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Wed, 27 Aug 2014 22:09:03 +0530 Subject: [PATCH 578/630] [fix] get future vouchers query --- erpnext/controllers/stock_controller.py | 14 ++++++++------ 1 file changed, 8 insertions(+), 6 deletions(-) diff --git a/erpnext/controllers/stock_controller.py b/erpnext/controllers/stock_controller.py index 2460a26de4..1a11308349 100644 --- a/erpnext/controllers/stock_controller.py +++ b/erpnext/controllers/stock_controller.py @@ -324,19 +324,21 @@ def compare_existing_and_expected_gle(existing_gle, expected_gle): def get_future_stock_vouchers(posting_date, posting_time, warehouse_account=None, for_items=None): future_stock_vouchers = [] + values = [] condition = "" if for_items: - condition = ''.join([' and item_code in (\'', '\', \''.join(for_items) ,'\')']) + condition += " and item_code in ({})".format(", ".join(["%s"] * len(for_items))) + values += for_items if warehouse_account: - condition += ''.join([' and warehouse in (\'', '\', \''.join(warehouse_account.keys()) ,'\')']) + condition += " and warehouse in ({})".format(", ".join(["%s"] * len(warehouse_account.keys()))) + values += warehouse_account.keys() for d in frappe.db.sql("""select distinct sle.voucher_type, sle.voucher_no from `tabStock Ledger Entry` sle - where timestamp(sle.posting_date, sle.posting_time) >= timestamp(%s, %s) %s - order by timestamp(sle.posting_date, sle.posting_time) asc, name asc""" % - ('%s', '%s', condition), (posting_date, posting_time), - as_dict=True): + where timestamp(sle.posting_date, sle.posting_time) >= timestamp(%s, %s) {condition} + order by timestamp(sle.posting_date, sle.posting_time) asc, name asc""".format(condition=condition), + tuple([posting_date, posting_time] + values), as_dict=True): future_stock_vouchers.append([d.voucher_type, d.voucher_no]) return future_stock_vouchers From 37cb544839ac332900f9ecd662e1f3d36cabe634 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Thu, 28 Aug 2014 11:27:18 +0530 Subject: [PATCH 579/630] [fix] default quotation list filter --- erpnext/selling/doctype/quotation/quotation_list.js | 3 +-- 1 file changed, 1 insertion(+), 2 deletions(-) diff --git a/erpnext/selling/doctype/quotation/quotation_list.js b/erpnext/selling/doctype/quotation/quotation_list.js index 91b65eeb9f..bbc264d033 100644 --- a/erpnext/selling/doctype/quotation/quotation_list.js +++ b/erpnext/selling/doctype/quotation/quotation_list.js @@ -1,5 +1,4 @@ frappe.listview_settings['Quotation'] = { add_fields: ["customer_name", "quotation_to", "grand_total", "status", - "company", "currency", "order_type", "lead", "customer"], - filters: [["status", "=", "Submitted"]] + "company", "currency", "order_type", "lead", "customer"] }; From 83ca3e55634967ac3e714e9b6545ede8d0b886d8 Mon Sep 17 00:00:00 2001 From: Neil Trini Lasrado Date: Thu, 28 Aug 2014 14:48:16 +0530 Subject: [PATCH 580/630] [Cosmetics] Print Templates Layout Improved --- .../cheque_printing_format/cheque_printing_format.json | 5 +++-- .../payment_receipt_voucher/payment_receipt_voucher.json | 4 ++-- 2 files changed, 5 insertions(+), 4 deletions(-) diff --git a/erpnext/accounts/print_format/cheque_printing_format/cheque_printing_format.json b/erpnext/accounts/print_format/cheque_printing_format/cheque_printing_format.json index 4bafe8530a..617b7d6a76 100755 --- a/erpnext/accounts/print_format/cheque_printing_format/cheque_printing_format.json +++ b/erpnext/accounts/print_format/cheque_printing_format/cheque_printing_format.json @@ -3,12 +3,13 @@ "doc_type": "Journal Voucher", "docstatus": 0, "doctype": "Print Format", - "html": "
\n\n\t{% if letter_head and not no_letterhead %}{{ letter_head }}{%- endif -%}\n\t

{{ _(\"Payment Advice\") }}

\n\t
\n\t
\n\t
{{ doc.pay_to_recd_from }}
\n\t
\n\t
\n\t
\n\t
{{ doc.name }}
\n\t
\n\t
\n\t
\n\t
{{ frappe.utils.formatdate(doc.voucher_date) }}
\n\t
\n\t
\n\t
\n\t
{{ doc.cheque_no }}
\n\t
\n\t
\n\t
\n\t
{{ frappe.utils.formatdate(doc.cheque_date) }}
\n\t
\n\t
\n\t
\n\t
{{ frappe.utils.formatdate(doc.voucher_date) }}
\n\t
\n\t
\n\t

{{ _(\"This amount is in full / part settlement of the listed bills\") }}:

\n\t
\n\t
\n\t
\n\t
{{ \n\t \tfrappe.format_value(doc.total_amount, doc.meta.get_field(\"total_amount\"), doc) }}
\n\t
\n\t
\n\t
\n\t
{{ doc.remark }}
\n\t
\n\n\t
\n\t\tPrepared By
\n\t
\n\t\tAuthorised Signatory
\n\t
\n\t\tReceived Payment as Above
\n\t
\n\t\t_____________
\n\t
\n\t\tA/C Payee
\n\t
\n\t\t_____________
\n\t
\n\t\t{{ frappe.utils.formatdate(doc.cheque_date) }}
\n\t
\n\t\t{{ doc.pay_to_recd_from }}
\n\t
\n\t\t{{ doc.total_amount_in_words }}
\n\t
\n\t\t{{ doc.total_amount }}
\n
", + "html": "
\n\n\t{% if letter_head and not no_letterhead %}{{ letter_head }}{%- endif -%}\n\t

{{ _(\"Payment Advice\") }}


\n\t
\n\t
\n\t
{{ doc.pay_to_recd_from }}
\n\t
\n\t
\n\t
\n\t
{{ doc.name }}
\n\t
\n\t
\n\t
\n\t
{{ frappe.utils.formatdate(doc.voucher_date) }}
\n\t
\n\t
\n\t
\n\t
{{ doc.cheque_no }}
\n\t
\n\t
\n\t
\n\t
{{ frappe.utils.formatdate(doc.cheque_date) }}
\n\t
\n\t
\n\t

{{ _(\"This amount is in full / part settlement of the listed bills\") }}:

\n\t
\n\t
\n
\n
\n
\n
\n\t
\n\t
\n\t
{{ doc.remark }}
\n\t
\n\t
\n\t
\n\t\tPrepared By
\n\t
\n\t\tAuthorised Signatory
\n\t
\n\t\tReceived Payment as Above
\n\t
\n\t\t_____________
\n\t
\n\t\tA/C Payee
\n\t
\n\t\t_____________
\n\t
\n\t\t{{ frappe.utils.formatdate(doc.cheque_date) }}
\n\t
\n\t\t{{ doc.pay_to_recd_from }}
\n\t
\n\t\t{{ doc.total_amount_in_words }}
\n\t
\n\t\t{{ doc.total_amount }}
\n
", "idx": 1, - "modified": "2014-07-21 08:53:57.749885", + "modified": "2014-08-28 14:41:51.888412", "modified_by": "Administrator", "module": "Accounts", "name": "Cheque Printing Format", "owner": "Administrator", + "print_format_type": "Server", "standard": "Yes" } \ No newline at end of file diff --git a/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.json b/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.json index 9a9398df8d..f44da544a8 100755 --- a/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.json +++ b/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.json @@ -3,9 +3,9 @@ "doc_type": "Journal Voucher", "docstatus": 0, "doctype": "Print Format", - "html": "

{{ doc.select_print_heading or _(\"Payment Receipt Note\") }}

\n
\n
\n
\n
{{ doc.name }}
\n
\n
\n
\n
{{ frappe.utils.formatdate(doc.voucher_date) }}
\n
\n
\n
\n
{{ doc.remark }}
\n
\n
\n
\n
{{ doc.pay_to_recd_from }}
\n
\n
\n
\n
{{ doc.total_amount }}
{{ doc.total_amount_in_words }}
\n
\n
\n

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

", + "html": "

{{ doc.select_print_heading or _(\"Payment Receipt Note\") }}

\n
\n
\n
\n
{{ doc.name }}
\n
\n
\n
\n
{{ frappe.utils.formatdate(doc.voucher_date) }}
\n
\n
\n
\n
{{ doc.pay_to_recd_from }}
\n
\n
\n
\n
\n
\n
\n
\n
\n
\n
{{ doc.remark }}
\n
\n
\n

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

", "idx": 1, - "modified": "2014-07-21 08:53:17.393966", + "modified": "2014-08-28 14:42:51.882718", "modified_by": "Administrator", "module": "Accounts", "name": "Payment Receipt Voucher", From f680626f535e415eb6b0af1589e9feca340e1ee0 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Wed, 27 Aug 2014 14:53:54 +0530 Subject: [PATCH 581/630] [minor] send translations in response --- erpnext/setup/page/setup_wizard/setup_wizard.py | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/erpnext/setup/page/setup_wizard/setup_wizard.py b/erpnext/setup/page/setup_wizard/setup_wizard.py index 343cba56c4..1151b1ac8d 100644 --- a/erpnext/setup/page/setup_wizard/setup_wizard.py +++ b/erpnext/setup/page/setup_wizard/setup_wizard.py @@ -7,7 +7,7 @@ import frappe, json from frappe.utils import cstr, flt, getdate from frappe import _ from frappe.utils.file_manager import save_file -from frappe.translate import set_default_language, get_dict, get_lang_dict +from frappe.translate import set_default_language, get_dict, get_lang_dict, send_translations from frappe.country_info import get_country_info from frappe.utils.nestedset import get_root_of from default_website import website_maker @@ -423,7 +423,7 @@ def load_messages(language): frappe.local.lang = lang m = get_dict("page", "setup-wizard") m.update(get_dict("boot")) - frappe.local.response["__messages"] = m + send_translations(m) return lang From bb370f3b6ac5176240fe5661919027eba85cdf76 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Wed, 27 Aug 2014 16:57:13 +0530 Subject: [PATCH 582/630] HR - Leave Approver and Expense Approver fields changed to Link Fields, better default permissions --- erpnext/hr/doctype/employee/employee.js | 21 +- erpnext/hr/doctype/employee/employee.json | 13 +- erpnext/hr/doctype/employee/employee.py | 10 - .../employee_leave_approver.json | 7 +- .../hr/doctype/expense_claim/expense_claim.js | 14 +- .../doctype/expense_claim/expense_claim.json | 9 +- .../expense_claim/test_expense_claim.py | 10 + .../doctype/expense_claim/test_records.json | 1 + .../leave_application/leave_application.js | 19 +- .../leave_application/leave_application.json | 459 +++++++++--------- .../leave_application/leave_application.py | 3 +- .../test_leave_application.py | 2 + .../leave_application/test_records.json | 1 + .../hr/doctype/salary_slip/salary_slip.json | 4 +- erpnext/hr/utils.py | 18 - 15 files changed, 285 insertions(+), 306 deletions(-) create mode 100644 erpnext/hr/doctype/expense_claim/test_expense_claim.py create mode 100644 erpnext/hr/doctype/expense_claim/test_records.json create mode 100644 erpnext/hr/doctype/leave_application/test_records.json diff --git a/erpnext/hr/doctype/employee/employee.js b/erpnext/hr/doctype/employee/employee.js index 0934bc592e..b068bdea6f 100644 --- a/erpnext/hr/doctype/employee/employee.js +++ b/erpnext/hr/doctype/employee/employee.js @@ -11,8 +11,12 @@ erpnext.hr.EmployeeController = frappe.ui.form.Controller.extend({ }, onload: function() { - this.setup_leave_approver_select(); if(this.frm.doc.__islocal) this.frm.set_value("employee_name", ""); + this.frm.set_query("leave_approver", "employee_leave_approvers", function() { + return { + filters: [["UserRole", "role", "=", "Leave Approver"]] + } + }); }, refresh: function() { @@ -25,21 +29,6 @@ erpnext.hr.EmployeeController = frappe.ui.form.Controller.extend({ } }, - setup_leave_approver_select: function() { - var me = this; - return this.frm.call({ - method: "erpnext.hr.utils.get_leave_approver_list", - callback: function(r) { - var df = frappe.meta.get_docfield("Employee Leave Approver", "leave_approver", - me.frm.doc.name); - df.options = $.map(r.message, function(user) { - return {value: user, label: frappe.user_info(user).fullname}; - }); - me.frm.fields_dict.employee_leave_approvers.refresh(); - } - }); - }, - date_of_birth: function() { return cur_frm.call({ method: "get_retirement_date", diff --git a/erpnext/hr/doctype/employee/employee.json b/erpnext/hr/doctype/employee/employee.json index 254e76344d..7be1c40afa 100644 --- a/erpnext/hr/doctype/employee/employee.json +++ b/erpnext/hr/doctype/employee/employee.json @@ -1,5 +1,5 @@ { - "allow_import": 1, + "allow_import": 1, "allow_rename": 1, "autoname": "naming_series:", "creation": "2013-03-07 09:04:18", @@ -172,6 +172,7 @@ { "fieldname": "employment_type", "fieldtype": "Link", + "ignore_user_permissions": 1, "in_filter": 1, "in_list_view": 1, "label": "Employment Type", @@ -185,6 +186,7 @@ "description": "Applicable Holiday List", "fieldname": "holiday_list", "fieldtype": "Link", + "ignore_user_permissions": 1, "label": "Holiday List", "oldfieldname": "holiday_list", "oldfieldtype": "Link", @@ -672,7 +674,7 @@ ], "icon": "icon-user", "idx": 1, - "modified": "2014-05-27 07:34:49.337586", + "modified": "2014-08-27 05:55:00.514660", "modified_by": "Administrator", "module": "HR", "name": "Employee", @@ -704,6 +706,7 @@ "report": 1, "role": "HR User", "submit": 0, + "user_permission_doctypes": "[\"Branch\",\"Company\",\"Department\",\"Designation\"]", "write": 1 }, { @@ -719,12 +722,6 @@ "set_user_permissions": 1, "submit": 0, "write": 1 - }, - { - "apply_user_permissions": 1, - "permlevel": 0, - "read": 1, - "role": "Leave Approver" } ], "search_fields": "employee_name", diff --git a/erpnext/hr/doctype/employee/employee.py b/erpnext/hr/doctype/employee/employee.py index 01ab91db27..5d4beaf75d 100644 --- a/erpnext/hr/doctype/employee/employee.py +++ b/erpnext/hr/doctype/employee/employee.py @@ -50,21 +50,11 @@ class Employee(Document): self.update_user_permissions() self.update_dob_event() - self.update_leave_approver_user_permissions() def update_user_permissions(self): frappe.permissions.add_user_permission("Employee", self.name, self.user_id) frappe.permissions.set_user_permission_if_allowed("Company", self.company, self.user_id) - def update_leave_approver_user_permissions(self): - """add employee user permission for leave approver""" - employee_leave_approvers = [d.leave_approver for d in self.get("employee_leave_approvers")] - if self.reports_to and self.reports_to not in employee_leave_approvers: - employee_leave_approvers.append(frappe.db.get_value("Employee", self.reports_to, "user_id")) - - for user in employee_leave_approvers: - frappe.permissions.add_user_permission("Employee", self.name, user) - def update_user(self): # add employee role if missing user = frappe.get_doc("User", self.user_id) diff --git a/erpnext/hr/doctype/employee_leave_approver/employee_leave_approver.json b/erpnext/hr/doctype/employee_leave_approver/employee_leave_approver.json index 0302bc95fa..76335fb971 100644 --- a/erpnext/hr/doctype/employee_leave_approver/employee_leave_approver.json +++ b/erpnext/hr/doctype/employee_leave_approver/employee_leave_approver.json @@ -8,10 +8,11 @@ "fields": [ { "fieldname": "leave_approver", - "fieldtype": "Select", + "fieldtype": "Link", + "ignore_user_permissions": 1, "in_list_view": 1, "label": "Leave Approver", - "options": "[Select]", + "options": "User", "permlevel": 0, "print_hide": 1, "reqd": 1, @@ -20,7 +21,7 @@ ], "idx": 1, "istable": 1, - "modified": "2014-05-15 19:32:14.134420", + "modified": "2014-08-27 06:21:36.887205", "modified_by": "Administrator", "module": "HR", "name": "Employee Leave Approver", diff --git a/erpnext/hr/doctype/expense_claim/expense_claim.js b/erpnext/hr/doctype/expense_claim/expense_claim.js index 4ef2efc722..70984458f7 100644 --- a/erpnext/hr/doctype/expense_claim/expense_claim.js +++ b/erpnext/hr/doctype/expense_claim/expense_claim.js @@ -57,14 +57,12 @@ cur_frm.cscript.onload = function(doc,cdt,cdn) { return{ query: "erpnext.controllers.queries.employee_query" } - } - var exp_approver = doc.exp_approver; - return cur_frm.call({ - method: "erpnext.hr.utils.get_expense_approver_list", - callback: function(r) { - cur_frm.set_df_property("exp_approver", "options", r.message); - if(exp_approver) cur_frm.set_value("exp_approver", exp_approver); - } + }; + + cur_frm.set_query("exp_approver", function() { + return { + filters: [["UserRole", "role", "=", "Expense Approver"]] + }; }); } diff --git a/erpnext/hr/doctype/expense_claim/expense_claim.json b/erpnext/hr/doctype/expense_claim/expense_claim.json index c13710af3f..15ef03ed17 100644 --- a/erpnext/hr/doctype/expense_claim/expense_claim.json +++ b/erpnext/hr/doctype/expense_claim/expense_claim.json @@ -20,11 +20,13 @@ "search_index": 1 }, { + "description": "A user with \"Expense Approver\" role", "fieldname": "exp_approver", - "fieldtype": "Select", + "fieldtype": "Link", "label": "Approver", "oldfieldname": "exp_approver", "oldfieldtype": "Select", + "options": "User", "permlevel": 0, "width": "160px" }, @@ -188,7 +190,7 @@ "icon": "icon-money", "idx": 1, "is_submittable": 1, - "modified": "2014-06-23 07:55:48.580747", + "modified": "2014-08-27 07:08:48.454580", "modified_by": "Administrator", "module": "HR", "name": "Expense Claim", @@ -204,6 +206,7 @@ "read": 1, "report": 1, "role": "Employee", + "user_permission_doctypes": "[\"Company\",\"Employee\",\"Expense Claim\",\"Fiscal Year\"]", "write": 1 }, { @@ -219,6 +222,7 @@ "report": 1, "role": "Expense Approver", "submit": 1, + "user_permission_doctypes": "[\"Expense Claim\",\"User\"]", "write": 1 }, { @@ -234,6 +238,7 @@ "report": 1, "role": "HR User", "submit": 1, + "user_permission_doctypes": "[\"Company\",\"Expense Claim\",\"Fiscal Year\"]", "write": 1 } ], diff --git a/erpnext/hr/doctype/expense_claim/test_expense_claim.py b/erpnext/hr/doctype/expense_claim/test_expense_claim.py new file mode 100644 index 0000000000..5a55cbfa4e --- /dev/null +++ b/erpnext/hr/doctype/expense_claim/test_expense_claim.py @@ -0,0 +1,10 @@ +# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors and Contributors +# See license.txt + +import frappe +import unittest + +test_records = frappe.get_test_records('Expense Claim') + +class TestExpenseClaim(unittest.TestCase): + pass diff --git a/erpnext/hr/doctype/expense_claim/test_records.json b/erpnext/hr/doctype/expense_claim/test_records.json new file mode 100644 index 0000000000..fe51488c70 --- /dev/null +++ b/erpnext/hr/doctype/expense_claim/test_records.json @@ -0,0 +1 @@ +[] diff --git a/erpnext/hr/doctype/leave_application/leave_application.js b/erpnext/hr/doctype/leave_application/leave_application.js index acb91c6bbf..0d8b37e9a4 100755 --- a/erpnext/hr/doctype/leave_application/leave_application.js +++ b/erpnext/hr/doctype/leave_application/leave_application.js @@ -11,20 +11,13 @@ cur_frm.cscript.onload = function(doc, dt, dn) { cur_frm.cscript.calculate_total_days(doc, dt, dn); } - var leave_approver = doc.leave_approver; - return cur_frm.call({ - method: "erpnext.hr.utils.get_leave_approver_list", - callback: function(r) { - cur_frm.set_df_property("leave_approver", "options", $.map(r.message, - function(user) { - return {value: user, label: frappe.user_info(user).fullname}; - })); - - if(leave_approver) cur_frm.set_value("leave_approver", leave_approver); - - cur_frm.cscript.get_leave_balance(cur_frm.doc); - } + cur_frm.set_query("leave_approver", function() { + return { + filters: [["UserRole", "role", "=", "Leave Approver"]] + }; }); + + cur_frm.cscript.get_leave_balance(cur_frm.doc); } cur_frm.cscript.refresh = function(doc, dt, dn) { diff --git a/erpnext/hr/doctype/leave_application/leave_application.json b/erpnext/hr/doctype/leave_application/leave_application.json index 959f30d4e3..9818150029 100644 --- a/erpnext/hr/doctype/leave_application/leave_application.json +++ b/erpnext/hr/doctype/leave_application/leave_application.json @@ -1,285 +1,294 @@ { - "autoname": "LAP/.#####", - "creation": "2013-02-20 11:18:11", - "description": "Apply / Approve Leaves", - "docstatus": 0, - "doctype": "DocType", - "document_type": "Transaction", + "autoname": "LAP/.#####", + "creation": "2013-02-20 11:18:11", + "description": "Apply / Approve Leaves", + "docstatus": 0, + "doctype": "DocType", + "document_type": "Transaction", "fields": [ { - "default": "Open", - "fieldname": "status", - "fieldtype": "Select", - "in_list_view": 1, - "label": "Status", - "no_copy": 1, - "options": "Open\nApproved\nRejected", + "default": "Open", + "fieldname": "status", + "fieldtype": "Select", + "in_list_view": 1, + "label": "Status", + "no_copy": 1, + "options": "Open\nApproved\nRejected", "permlevel": 1 - }, + }, { - "description": "Leave can be approved by users with Role, \"Leave Approver\"", - "fieldname": "leave_approver", - "fieldtype": "Select", - "label": "Leave Approver", - "options": "[Select]", + "description": "Leave can be approved by users with Role, \"Leave Approver\"", + "fieldname": "leave_approver", + "fieldtype": "Link", + "label": "Leave Approver", + "options": "User", "permlevel": 0 - }, + }, { - "fieldname": "leave_type", - "fieldtype": "Link", - "in_filter": 1, - "in_list_view": 1, - "label": "Leave Type", - "options": "Leave Type", - "permlevel": 0, - "reqd": 1, + "fieldname": "leave_type", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "in_filter": 1, + "in_list_view": 1, + "label": "Leave Type", + "options": "Leave Type", + "permlevel": 0, + "reqd": 1, "search_index": 1 - }, + }, { - "fieldname": "from_date", - "fieldtype": "Date", - "in_list_view": 1, - "label": "From Date", - "permlevel": 0, - "reqd": 1, + "fieldname": "from_date", + "fieldtype": "Date", + "in_list_view": 1, + "label": "From Date", + "permlevel": 0, + "reqd": 1, "search_index": 1 - }, + }, { - "fieldname": "to_date", - "fieldtype": "Date", - "in_list_view": 0, - "label": "To Date", - "permlevel": 0, - "reqd": 1, + "fieldname": "to_date", + "fieldtype": "Date", + "in_list_view": 0, + "label": "To Date", + "permlevel": 0, + "reqd": 1, "search_index": 1 - }, + }, { - "fieldname": "half_day", - "fieldtype": "Check", - "label": "Half Day", + "fieldname": "half_day", + "fieldtype": "Check", + "label": "Half Day", "permlevel": 0 - }, + }, { - "fieldname": "column_break1", - "fieldtype": "Column Break", - "permlevel": 0, - "print_width": "50%", + "fieldname": "column_break1", + "fieldtype": "Column Break", + "permlevel": 0, + "print_width": "50%", "width": "50%" - }, + }, { - "fieldname": "description", - "fieldtype": "Small Text", - "label": "Reason", + "fieldname": "description", + "fieldtype": "Small Text", + "label": "Reason", "permlevel": 0 - }, + }, { - "fieldname": "employee", - "fieldtype": "Link", - "in_filter": 1, - "label": "Employee", - "options": "Employee", - "permlevel": 0, - "reqd": 1, + "fieldname": "employee", + "fieldtype": "Link", + "in_filter": 1, + "label": "Employee", + "options": "Employee", + "permlevel": 0, + "reqd": 1, "search_index": 1 - }, + }, { - "fieldname": "employee_name", - "fieldtype": "Data", - "in_filter": 1, - "in_list_view": 1, - "label": "Employee Name", - "permlevel": 0, - "read_only": 1, + "fieldname": "employee_name", + "fieldtype": "Data", + "in_filter": 1, + "in_list_view": 1, + "label": "Employee Name", + "permlevel": 0, + "read_only": 1, "search_index": 0 - }, + }, { - "fieldname": "leave_balance", - "fieldtype": "Float", - "label": "Leave Balance Before Application", - "no_copy": 1, - "permlevel": 0, + "fieldname": "leave_balance", + "fieldtype": "Float", + "label": "Leave Balance Before Application", + "no_copy": 1, + "permlevel": 0, "read_only": 1 - }, + }, { - "fieldname": "total_leave_days", - "fieldtype": "Float", - "label": "Total Leave Days", - "no_copy": 1, - "permlevel": 0, + "fieldname": "total_leave_days", + "fieldtype": "Float", + "label": "Total Leave Days", + "no_copy": 1, + "permlevel": 0, "read_only": 1 - }, + }, { - "fieldname": "sb10", - "fieldtype": "Section Break", - "label": "More Info", + "fieldname": "sb10", + "fieldtype": "Section Break", + "label": "More Info", "permlevel": 0 - }, + }, { - "allow_on_submit": 1, - "default": "1", - "fieldname": "follow_via_email", - "fieldtype": "Check", - "label": "Follow via Email", - "permlevel": 0, + "allow_on_submit": 1, + "default": "1", + "fieldname": "follow_via_email", + "fieldtype": "Check", + "label": "Follow via Email", + "permlevel": 0, "print_hide": 1 - }, + }, { - "default": "Today", - "fieldname": "posting_date", - "fieldtype": "Date", - "label": "Posting Date", - "no_copy": 1, - "permlevel": 0, + "default": "Today", + "fieldname": "posting_date", + "fieldtype": "Date", + "label": "Posting Date", + "no_copy": 1, + "permlevel": 0, "reqd": 1 - }, + }, { - "fieldname": "fiscal_year", - "fieldtype": "Link", - "in_filter": 1, - "label": "Fiscal Year", - "options": "Fiscal Year", - "permlevel": 0, - "read_only": 0, - "reqd": 1, + "fieldname": "fiscal_year", + "fieldtype": "Link", + "in_filter": 1, + "label": "Fiscal Year", + "options": "Fiscal Year", + "permlevel": 0, + "read_only": 0, + "reqd": 1, "search_index": 0 - }, + }, { - "fieldname": "column_break_17", - "fieldtype": "Column Break", + "fieldname": "column_break_17", + "fieldtype": "Column Break", "permlevel": 0 - }, + }, { - "fieldname": "company", - "fieldtype": "Link", - "label": "Company", - "options": "Company", - "permlevel": 0, + "fieldname": "company", + "fieldtype": "Link", + "label": "Company", + "options": "Company", + "permlevel": 0, "reqd": 1 - }, + }, { - "fieldname": "letter_head", - "fieldtype": "Link", - "label": "Letter Head", - "options": "Letter Head", - "permlevel": 0, - "print_hide": 1, + "fieldname": "letter_head", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Letter Head", + "options": "Letter Head", + "permlevel": 0, + "print_hide": 1, "read_only": 0 - }, + }, { - "fieldname": "amended_from", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Amended From", - "no_copy": 1, - "options": "Leave Application", - "permlevel": 0, - "print_hide": 1, + "fieldname": "amended_from", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Amended From", + "no_copy": 1, + "options": "Leave Application", + "permlevel": 0, + "print_hide": 1, "read_only": 1 } - ], - "icon": "icon-calendar", - "idx": 1, - "is_submittable": 1, - "max_attachments": 3, - "modified": "2014-06-06 05:06:44.594229", - "modified_by": "Administrator", - "module": "HR", - "name": "Leave Application", - "owner": "Administrator", + ], + "icon": "icon-calendar", + "idx": 1, + "is_submittable": 1, + "max_attachments": 3, + "modified": "2014-08-28 03:32:38.865202", + "modified_by": "Administrator", + "module": "HR", + "name": "Leave Application", + "owner": "Administrator", "permissions": [ { - "apply_user_permissions": 1, - "create": 1, - "delete": 0, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Employee", + "apply_user_permissions": 1, + "create": 1, + "delete": 0, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Employee", + "user_permission_doctypes": "[\"Company\",\"Employee\",\"Fiscal Year\",\"Leave Application\"]", "write": 1 - }, + }, { - "amend": 1, - "cancel": 1, - "create": 1, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "HR Manager", - "set_user_permissions": 1, - "submit": 1, + "amend": 1, + "cancel": 1, + "create": 1, + "delete": 1, + "email": 1, + "export": 1, + "import": 0, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "HR Manager", + "set_user_permissions": 1, + "submit": 1, "write": 1 - }, + }, { - "amend": 0, - "cancel": 0, - "create": 0, - "delete": 0, - "permlevel": 1, - "read": 1, - "role": "All", + "amend": 0, + "cancel": 0, + "create": 0, + "delete": 0, + "permlevel": 1, + "read": 1, + "role": "All", "submit": 0 - }, + }, { - "amend": 1, - "apply_user_permissions": 1, - "cancel": 1, - "create": 1, - "delete": 1, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "HR User", - "set_user_permissions": 1, - "submit": 1, + "amend": 1, + "apply_user_permissions": 1, + "cancel": 1, + "create": 1, + "delete": 1, + "email": 1, + "export": 0, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "HR User", + "set_user_permissions": 1, + "submit": 1, + "user_permission_doctypes": "[\"Company\"]", "write": 1 - }, + }, { - "amend": 1, - "apply_user_permissions": 1, - "cancel": 0, - "create": 0, - "delete": 0, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Leave Approver", - "submit": 1, + "amend": 1, + "apply_user_permissions": 1, + "cancel": 0, + "create": 0, + "delete": 0, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Leave Approver", + "submit": 1, + "user_permission_doctypes": "[\"Company\",\"User\"]", "write": 1 - }, + }, { - "amend": 0, - "cancel": 0, - "create": 0, - "delete": 0, - "permlevel": 1, - "read": 1, - "report": 1, - "role": "HR User", - "submit": 0, + "amend": 0, + "cancel": 0, + "create": 0, + "delete": 0, + "permlevel": 1, + "read": 1, + "report": 1, + "role": "HR User", + "submit": 0, "write": 1 - }, + }, { - "amend": 0, - "cancel": 0, - "create": 0, - "delete": 0, - "permlevel": 1, - "read": 1, - "report": 1, - "role": "Leave Approver", - "submit": 0, + "amend": 0, + "cancel": 0, + "create": 0, + "delete": 0, + "permlevel": 1, + "read": 1, + "report": 1, + "role": "Leave Approver", + "submit": 0, "write": 1 } - ], - "search_fields": "employee,employee_name,leave_type,from_date,to_date,total_leave_days,fiscal_year", - "sort_field": "modified", + ], + "search_fields": "employee,employee_name,leave_type,from_date,to_date,total_leave_days,fiscal_year", + "sort_field": "modified", "sort_order": "DESC" -} +} \ No newline at end of file diff --git a/erpnext/hr/doctype/leave_application/leave_application.py b/erpnext/hr/doctype/leave_application/leave_application.py index 3222a0c216..32c4443261 100755 --- a/erpnext/hr/doctype/leave_application/leave_application.py +++ b/erpnext/hr/doctype/leave_application/leave_application.py @@ -155,8 +155,7 @@ class LeaveApplication(Document): def validate_leave_approver(self): employee = frappe.get_doc("Employee", self.employee) - leave_approvers = [l.leave_approver for l in - employee.get("employee_leave_approvers")] + leave_approvers = [l.leave_approver for l in employee.get("employee_leave_approvers")] if len(leave_approvers) and self.leave_approver not in leave_approvers: frappe.throw(_("Leave approver must be one of {0}").format(comma_or(leave_approvers)), InvalidLeaveApproverError) diff --git a/erpnext/hr/doctype/leave_application/test_leave_application.py b/erpnext/hr/doctype/leave_application/test_leave_application.py index f5476407bd..7ad28dec16 100644 --- a/erpnext/hr/doctype/leave_application/test_leave_application.py +++ b/erpnext/hr/doctype/leave_application/test_leave_application.py @@ -91,6 +91,7 @@ class TestLeaveApplication(unittest.TestCase): from frappe.utils.user import add_role add_role("test1@example.com", "HR User") + add_role("test1@example.com", "Leave Approver") clear_user_permissions_for_doctype("Employee") frappe.db.set_value("Department", "_Test Department", @@ -157,6 +158,7 @@ class TestLeaveApplication(unittest.TestCase): from frappe.utils.user import add_role add_role("test@example.com", "Employee") + add_role("test1@example.com", "HR User") add_role("test1@example.com", "Leave Approver") add_role("test2@example.com", "Leave Approver") diff --git a/erpnext/hr/doctype/leave_application/test_records.json b/erpnext/hr/doctype/leave_application/test_records.json new file mode 100644 index 0000000000..fe51488c70 --- /dev/null +++ b/erpnext/hr/doctype/leave_application/test_records.json @@ -0,0 +1 @@ +[] diff --git a/erpnext/hr/doctype/salary_slip/salary_slip.json b/erpnext/hr/doctype/salary_slip/salary_slip.json index 88a7ef2ae9..b288c50cec 100644 --- a/erpnext/hr/doctype/salary_slip/salary_slip.json +++ b/erpnext/hr/doctype/salary_slip/salary_slip.json @@ -74,6 +74,7 @@ { "fieldname": "letter_head", "fieldtype": "Link", + "ignore_user_permissions": 1, "label": "Letter Head", "options": "Letter Head", "permlevel": 0, @@ -335,7 +336,7 @@ "icon": "icon-file-text", "idx": 1, "is_submittable": 1, - "modified": "2014-07-21 07:58:08.033784", + "modified": "2014-08-27 06:38:10.006224", "modified_by": "Administrator", "module": "HR", "name": "Salary Slip", @@ -353,6 +354,7 @@ "report": 1, "role": "HR User", "submit": 1, + "user_permission_doctypes": "[\"Branch\",\"Company\",\"Department\",\"Designation\",\"Fiscal Year\",\"Salary Slip\"]", "write": 1 }, { diff --git a/erpnext/hr/utils.py b/erpnext/hr/utils.py index 857f936e9e..5d165c3ee4 100644 --- a/erpnext/hr/utils.py +++ b/erpnext/hr/utils.py @@ -5,24 +5,6 @@ from __future__ import unicode_literals import frappe from frappe import _ -@frappe.whitelist() -def get_leave_approver_list(): - roles = [r[0] for r in frappe.db.sql("""select distinct parent from `tabUserRole` - where role='Leave Approver'""")] - if not roles: - frappe.msgprint(_("No Leave Approvers. Please assign 'Leave Approver' Role to atleast one user")) - - return roles - - -@frappe.whitelist() -def get_expense_approver_list(): - roles = [r[0] for r in frappe.db.sql("""select distinct parent from `tabUserRole` - where role='Expense Approver'""")] - if not roles: - frappe.msgprint(_("No Expense Approvers. Please assign 'Expense Approver' Role to atleast one user")) - return roles - def set_employee_name(doc): if doc.employee and not doc.employee_name: doc.employee_name = frappe.db.get_value("Employee", doc.employee, "employee_name") From 818bacae491b591d167657e14f70384c29c8f863 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Thu, 28 Aug 2014 11:45:12 +0530 Subject: [PATCH 583/630] Minor fix in maintenance schedule --- .../maintenance_schedule.json | 15 ++++++++++++--- .../test_maintenance_schedule.py | 10 ++++++++++ .../maintenance_schedule/test_records.json | 6 ++++++ 3 files changed, 28 insertions(+), 3 deletions(-) create mode 100644 erpnext/support/doctype/maintenance_schedule/test_maintenance_schedule.py create mode 100644 erpnext/support/doctype/maintenance_schedule/test_records.json diff --git a/erpnext/support/doctype/maintenance_schedule/maintenance_schedule.json b/erpnext/support/doctype/maintenance_schedule/maintenance_schedule.json index 7035f43215..56344b19df 100644 --- a/erpnext/support/doctype/maintenance_schedule/maintenance_schedule.json +++ b/erpnext/support/doctype/maintenance_schedule/maintenance_schedule.json @@ -1,6 +1,6 @@ { "autoname": "MS.#####", - "creation": "2013-01-10 16:34:30.000000", + "creation": "2013-01-10 16:34:30", "docstatus": 0, "doctype": "DocType", "fields": [ @@ -213,12 +213,21 @@ "permlevel": 0, "reqd": 1, "search_index": 0 + }, + { + "fieldname": "amended_from", + "fieldtype": "Link", + "label": "Amended From", + "no_copy": 1, + "options": "Maintenance Schedule", + "print_hide": 1, + "read_only": 1 } ], "icon": "icon-calendar", "idx": 1, "is_submittable": 1, - "modified": "2014-01-20 17:48:56.000000", + "modified": "2014-08-28 11:39:17.152817", "modified_by": "Administrator", "module": "Support", "name": "Maintenance Schedule", @@ -239,5 +248,5 @@ "write": 1 } ], - "search_fields": "status,customer,customer_name, sales_order_no" + "search_fields": "status,customer,customer_name" } \ No newline at end of file diff --git a/erpnext/support/doctype/maintenance_schedule/test_maintenance_schedule.py b/erpnext/support/doctype/maintenance_schedule/test_maintenance_schedule.py new file mode 100644 index 0000000000..c2c6e013ec --- /dev/null +++ b/erpnext/support/doctype/maintenance_schedule/test_maintenance_schedule.py @@ -0,0 +1,10 @@ +# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors and Contributors +# See license.txt + +import frappe +import unittest + +test_records = frappe.get_test_records('Maintenance Schedule') + +class TestMaintenanceSchedule(unittest.TestCase): + pass diff --git a/erpnext/support/doctype/maintenance_schedule/test_records.json b/erpnext/support/doctype/maintenance_schedule/test_records.json new file mode 100644 index 0000000000..8c2a0595b8 --- /dev/null +++ b/erpnext/support/doctype/maintenance_schedule/test_records.json @@ -0,0 +1,6 @@ +[ + { + "doctype": "Maintenance Schedule", + "name": "_Test Maintenance Schedule 1" + } +] From 14b8af2e6537a02ad97e4c653830f98e9a4c1732 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Thu, 28 Aug 2014 12:42:28 +0530 Subject: [PATCH 584/630] Rounding issue fixed for bom quantity --- erpnext/controllers/buying_controller.py | 5 ++-- erpnext/manufacturing/doctype/bom/bom.py | 24 +++++++++++-------- .../production_planning_tool.py | 15 ++++++------ 3 files changed, 25 insertions(+), 19 deletions(-) diff --git a/erpnext/controllers/buying_controller.py b/erpnext/controllers/buying_controller.py index 8bc0c9d576..5f418c4df2 100644 --- a/erpnext/controllers/buying_controller.py +++ b/erpnext/controllers/buying_controller.py @@ -197,7 +197,7 @@ class BuyingController(StockController): landed_cost_voucher_amount = flt(item.landed_cost_voucher_amount) \ if self.doctype == "Purchase Receipt" else 0.0 - + item.valuation_rate = ((item.base_amount + item.item_tax_amount + rm_supp_cost + landed_cost_voucher_amount) / qty_in_stock_uom) else: @@ -289,7 +289,8 @@ class BuyingController(StockController): self.append(raw_material_table, d) def get_items_from_default_bom(self, item_code): - bom_items = frappe.db.sql("""select t2.item_code, t2.qty_consumed_per_unit, + bom_items = frappe.db.sql("""select t2.item_code, + ifnull(t2.qty, 0) / ifnull(t1.quantity, 1) as qty_consumed_per_unit, t2.rate, t2.stock_uom, t2.name, t2.description from `tabBOM` t1, `tabBOM Item` t2 where t2.parent = t1.name and t1.item = %s and t1.is_default = 1 diff --git a/erpnext/manufacturing/doctype/bom/bom.py b/erpnext/manufacturing/doctype/bom/bom.py index ffcbbd9920..5fa2cc7564 100644 --- a/erpnext/manufacturing/doctype/bom/bom.py +++ b/erpnext/manufacturing/doctype/bom/bom.py @@ -288,8 +288,8 @@ class BOM(Document): for d in self.get('bom_materials'): if d.bom_no: d.rate = self.get_bom_unitcost(d.bom_no) - d.amount = flt(d.rate) * flt(d.qty) - d.qty_consumed_per_unit = flt(d.qty) / flt(self.quantity) + d.amount = flt(d.rate, self.precision("rate", d)) * flt(d.qty, self.precision("qty", d)) + d.qty_consumed_per_unit = flt(d.qty, self.precision("qty", d)) / flt(self.quantity, self.precision("quantity")) total_rm_cost += d.amount self.raw_material_cost = total_rm_cost @@ -322,17 +322,19 @@ class BOM(Document): def get_child_exploded_items(self, bom_no, qty): """ Add all items from Flat BOM of child BOM""" - - child_fb_items = frappe.db.sql("""select item_code, description, stock_uom, qty, rate, - qty_consumed_per_unit from `tabBOM Explosion Item` - where parent = %s and docstatus = 1""", bom_no, as_dict = 1) + # Did not use qty_consumed_per_unit in the query, as it leads to rounding loss + child_fb_items = frappe.db.sql("""select bom_item.item_code, bom_item.description, + bom_item.stock_uom, bom_item.qty, bom_item.rate, + ifnull(bom_item.qty, 0 ) / ifnull(bom.quantity, 1) as qty_consumed_per_unit + from `tabBOM Explosion Item` bom_item, tabBOM bom + where bom_item.parent = bom.name and bom.name = %s and bom.docstatus = 1""", bom_no, as_dict = 1) for d in child_fb_items: self.add_to_cur_exploded_items(frappe._dict({ 'item_code' : d['item_code'], 'description' : d['description'], 'stock_uom' : d['stock_uom'], - 'qty' : flt(d['qty_consumed_per_unit'])*qty, + 'qty' : d['qty_consumed_per_unit']*qty, 'rate' : flt(d['rate']), })) @@ -362,19 +364,21 @@ class BOM(Document): def get_bom_items_as_dict(bom, qty=1, fetch_exploded=1): item_dict = {} + # Did not use qty_consumed_per_unit in the query, as it leads to rounding loss query = """select bom_item.item_code, item.item_name, - ifnull(sum(bom_item.qty_consumed_per_unit),0) * %(qty)s as qty, + sum(ifnull(bom_item.qty, 0)/ifnull(bom.quantity, 1)) * %(qty)s as qty, item.description, item.stock_uom, item.default_warehouse, item.expense_account as expense_account, item.buying_cost_center as cost_center from - `tab%(table)s` bom_item, `tabItem` item + `tab%(table)s` bom_item, `tabBOM` bom, `tabItem` item where - bom_item.docstatus < 2 + bom_item.parent = bom.name + and bom_item.docstatus < 2 and bom_item.parent = "%(bom)s" and item.name = bom_item.item_code %(conditions)s diff --git a/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py b/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py index 945c77e535..547ca8b4ac 100644 --- a/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +++ b/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py @@ -250,23 +250,24 @@ class ProductionPlanningTool(Document): bom_wise_item_details = {} if self.use_multi_level_bom: # get all raw materials with sub assembly childs + # Did not use qty_consumed_per_unit in the query, as it leads to rounding loss for d in frappe.db.sql("""select fb.item_code, - ifnull(sum(fb.qty_consumed_per_unit), 0) as qty, + ifnull(sum(ifnull(fb.qty, 0)/ifnull(bom.quantity, 1)), 0) as qty, fb.description, fb.stock_uom, it.min_order_qty - from `tabBOM Explosion Item` fb,`tabItem` it - where it.name = fb.item_code and ifnull(it.is_pro_applicable, 'No') = 'No' + from `tabBOM Explosion Item` fb, `tabBOM` bom, `tabItem` it + where bom.name = fb.parent and it.name = fb.item_code and ifnull(it.is_pro_applicable, 'No') = 'No' and ifnull(it.is_sub_contracted_item, 'No') = 'No' - and fb.docstatus<2 and fb.parent=%s + and fb.docstatus<2 and bom.name=%s group by item_code, stock_uom""", bom, as_dict=1): bom_wise_item_details.setdefault(d.item_code, d) else: # Get all raw materials considering SA items as raw materials, # so no childs of SA items for d in frappe.db.sql("""select bom_item.item_code, - ifnull(sum(bom_item.qty_consumed_per_unit), 0) as qty, + ifnull(sum(ifnull(bom_item.qty, 0)/ifnull(bom.quantity, 1)), 0) as qty, bom_item.description, bom_item.stock_uom, item.min_order_qty - from `tabBOM Item` bom_item, tabItem item - where bom_item.parent = %s and bom_item.docstatus < 2 + from `tabBOM Item` bom_item, `tabBOM` bom, tabItem item + where bom.name = bom_item.parent and bom.name = %s and bom_item.docstatus < 2 and bom_item.item_code = item.name group by item_code""", bom, as_dict=1): bom_wise_item_details.setdefault(d.item_code, d) From 0514e07ef4c792f67cc082bf90a3e1d70bcef0bb Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Fri, 29 Aug 2014 11:50:52 +0530 Subject: [PATCH 585/630] minor fix --- .../maintenance_schedule/test_maintenance_schedule.py | 10 ---------- .../doctype/maintenance_schedule/test_records.json | 6 ------ 2 files changed, 16 deletions(-) delete mode 100644 erpnext/support/doctype/maintenance_schedule/test_maintenance_schedule.py delete mode 100644 erpnext/support/doctype/maintenance_schedule/test_records.json diff --git a/erpnext/support/doctype/maintenance_schedule/test_maintenance_schedule.py b/erpnext/support/doctype/maintenance_schedule/test_maintenance_schedule.py deleted file mode 100644 index c2c6e013ec..0000000000 --- a/erpnext/support/doctype/maintenance_schedule/test_maintenance_schedule.py +++ /dev/null @@ -1,10 +0,0 @@ -# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors and Contributors -# See license.txt - -import frappe -import unittest - -test_records = frappe.get_test_records('Maintenance Schedule') - -class TestMaintenanceSchedule(unittest.TestCase): - pass diff --git a/erpnext/support/doctype/maintenance_schedule/test_records.json b/erpnext/support/doctype/maintenance_schedule/test_records.json deleted file mode 100644 index 8c2a0595b8..0000000000 --- a/erpnext/support/doctype/maintenance_schedule/test_records.json +++ /dev/null @@ -1,6 +0,0 @@ -[ - { - "doctype": "Maintenance Schedule", - "name": "_Test Maintenance Schedule 1" - } -] From 014346acbabf478431da220d71d6126d0bd874c0 Mon Sep 17 00:00:00 2001 From: Neil Trini Lasrado Date: Wed, 27 Aug 2014 16:35:59 +0530 Subject: [PATCH 586/630] [print-template] Credit Note --- .../accounts/print_format/credit_note/__init__.py | 0 .../print_format/credit_note/credit_note.json | 15 +++++++++++++++ 2 files changed, 15 insertions(+) create mode 100644 erpnext/accounts/print_format/credit_note/__init__.py create mode 100644 erpnext/accounts/print_format/credit_note/credit_note.json diff --git a/erpnext/accounts/print_format/credit_note/__init__.py b/erpnext/accounts/print_format/credit_note/__init__.py new file mode 100644 index 0000000000..e69de29bb2 diff --git a/erpnext/accounts/print_format/credit_note/credit_note.json b/erpnext/accounts/print_format/credit_note/credit_note.json new file mode 100644 index 0000000000..0b231a3d2a --- /dev/null +++ b/erpnext/accounts/print_format/credit_note/credit_note.json @@ -0,0 +1,15 @@ +{ + "creation": "2014-08-27 14:39:00.593377", + "disabled": 0, + "doc_type": "Journal Voucher", + "docstatus": 0, + "doctype": "Print Format", + "html": "
\n\n\t{% if letter_head and not no_letterhead %}{{ letter_head }}{%- endif -%}\n\t

{{ _(\"Credit Note\") }}

\n
\n\t
\n\t
\n\t
{{ doc.pay_to_recd_from }}
\n\t
\n\t
\n\t
\n\t
{{ doc.name }}
\n\t
\n\t
\n\t
\n\t
{{ frappe.utils.formatdate(doc.voucher_date) }}
\n\t
\n\t
\n\t
\n\t
{{ doc.cheque_no }}
\n\t
\n\t
\n\t
\n\t
{{ frappe.utils.formatdate(doc.cheque_date) }}
\n\t
\n\t
\n\t
\n\t
{{ frappe.utils.formatdate(doc.voucher_date) }}
\n\t
\n\t
\n\t

{{ _(\"This amount is in full / part settlement of the listed bills\") }}:

\n\t
\n\t
\n\t
\n\t
{{ \n\t \tfrappe.format_value(doc.total_amount, doc.meta.get_field(\"total_amount\"), doc) }}
\n\t
\n\t
\n\t
\n\t
{{ doc.remark }}
\n\t
\n\n\t
\n\t\tPrepared By
\n\t
\n\t\tAuthorised Signatory
\n\t
\n\t\tReceived Payment as Above
\n\t
\n\t\t_____________
\n\t
\n\t\tA/C Payee
\n\t
\n\t\t_____________
\n\t
\n\t\t{{ frappe.utils.formatdate(doc.cheque_date) }}
\n\t
\n\t\t{{ doc.pay_to_recd_from }}
\n\t
\n\t\t{{ doc.total_amount_in_words }}
\n\t
\n\t\t{{ doc.total_amount }}
\n
", + "modified": "2014-08-27 14:49:40.088410", + "modified_by": "Administrator", + "module": "Accounts", + "name": "Credit Note", + "owner": "Administrator", + "print_format_type": "Server", + "standard": "Yes" +} \ No newline at end of file From 7a435bb4f18a629f7c95973bda4b3675efc5b54d Mon Sep 17 00:00:00 2001 From: Neil Trini Lasrado Date: Wed, 27 Aug 2014 18:10:23 +0530 Subject: [PATCH 587/630] [print-template] Credit Note Issue #31 1 --- .../print_format/credit_note/credit_note.json | 38 ++++++++++++++++++- 1 file changed, 37 insertions(+), 1 deletion(-) diff --git a/erpnext/accounts/print_format/credit_note/credit_note.json b/erpnext/accounts/print_format/credit_note/credit_note.json index 0b231a3d2a..bbb04635f2 100644 --- a/erpnext/accounts/print_format/credit_note/credit_note.json +++ b/erpnext/accounts/print_format/credit_note/credit_note.json @@ -4,7 +4,43 @@ "doc_type": "Journal Voucher", "docstatus": 0, "doctype": "Print Format", - "html": "
\n\n\t{% if letter_head and not no_letterhead %}{{ letter_head }}{%- endif -%}\n\t

{{ _(\"Credit Note\") }}

\n
\n\t
\n\t
\n\t
{{ doc.pay_to_recd_from }}
\n\t
\n\t
\n\t
\n\t
{{ doc.name }}
\n\t
\n\t
\n\t
\n\t
{{ frappe.utils.formatdate(doc.voucher_date) }}
\n\t
\n\t
\n\t
\n\t
{{ doc.cheque_no }}
\n\t
\n\t
\n\t
\n\t
{{ frappe.utils.formatdate(doc.cheque_date) }}
\n\t
\n\t
\n\t
\n\t
{{ frappe.utils.formatdate(doc.voucher_date) }}
\n\t
\n\t
\n\t

{{ _(\"This amount is in full / part settlement of the listed bills\") }}:

\n\t
\n\t
\n\t
\n\t
{{ \n\t \tfrappe.format_value(doc.total_amount, doc.meta.get_field(\"total_amount\"), doc) }}
\n\t
\n\t
\n\t
\n\t
{{ doc.remark }}
\n\t
\n\n\t
\n\t\tPrepared By
\n\t
\n\t\tAuthorised Signatory
\n\t
\n\t\tReceived Payment as Above
\n\t
\n\t\t_____________
\n\t
\n\t\tA/C Payee
\n\t
\n\t\t_____________
\n\t
\n\t\t{{ frappe.utils.formatdate(doc.cheque_date) }}
\n\t
\n\t\t{{ doc.pay_to_recd_from }}
\n\t
\n\t\t{{ doc.total_amount_in_words }}
\n\t
\n\t\t{{ doc.total_amount }}
\n
", + "html": "

{{ doc.select_print_heading or _("Credit Note") }}

+
+
+
+
{{ doc.name }}
+
+
+
+
{{ frappe.utils.formatdate(doc.voucher_date) }}
+
+
+
+
{{ _("Credit Note ") }}
+
+
+
+
{{ doc.pay_to_recd_from }}
+
+
+ +
+
+
+
+
+
+
+
{{ doc.remark }}
+
+
+
+

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

", "modified": "2014-08-27 14:49:40.088410", "modified_by": "Administrator", "module": "Accounts", From 9f0ea97d8540e640e47d13054748a367d5f74d31 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Wed, 27 Aug 2014 22:09:03 +0530 Subject: [PATCH 588/630] [fix] get future vouchers query [print-template] Credit Note Issue #31 2 --- .../print_format/credit_note/credit_note.json | 46 +++---------------- 1 file changed, 7 insertions(+), 39 deletions(-) diff --git a/erpnext/accounts/print_format/credit_note/credit_note.json b/erpnext/accounts/print_format/credit_note/credit_note.json index bbb04635f2..4b32cc8f5c 100644 --- a/erpnext/accounts/print_format/credit_note/credit_note.json +++ b/erpnext/accounts/print_format/credit_note/credit_note.json @@ -1,51 +1,19 @@ { - "creation": "2014-08-27 14:39:00.593377", + "creation": "2014-08-28 11:11:39.796473", "disabled": 0, "doc_type": "Journal Voucher", "docstatus": 0, "doctype": "Print Format", - "html": "

{{ doc.select_print_heading or _("Credit Note") }}

-
-
-
-
{{ doc.name }}
-
-
-
-
{{ frappe.utils.formatdate(doc.voucher_date) }}
-
-
-
-
{{ _("Credit Note ") }}
-
-
-
-
{{ doc.pay_to_recd_from }}
-
-
- -
-
-
-
-
-
-
-
{{ doc.remark }}
-
-
-
-

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

", - "modified": "2014-08-27 14:49:40.088410", + "html": "

{{ doc.select_print_heading or _(\"Credit Note\") }}

\n
\n
\n
\n
{{ doc.name }}
\n
\n
\n
\n
{{ frappe.utils.formatdate(doc.voucher_date) }}
\n
\n
\n
\n
{{ _(\"Credit Note \") }}
\n
\n
\n
\n
{{ doc.pay_to_recd_from }}
\n
\n
\n
\n
\n
\n
\n
\n
\n
\n
{{ doc.remark }}
\n
\n
\n
\n

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

\n", + "idx": 2, + "modified": "2014-08-28 11:15:38.677618", "modified_by": "Administrator", "module": "Accounts", "name": "Credit Note", "owner": "Administrator", + "parent": "Journal Voucher", + "parentfield": "__print_formats", + "parenttype": "DocType", "print_format_type": "Server", "standard": "Yes" } \ No newline at end of file From 4e16e9ed897fd1b39317314d48ba7485e69fcf92 Mon Sep 17 00:00:00 2001 From: Neil Trini Lasrado Date: Fri, 29 Aug 2014 13:20:58 +0530 Subject: [PATCH 589/630] Refactored Credit Note Print Format --- erpnext/accounts/doctype/journal_voucher/journal_voucher.py | 2 +- erpnext/accounts/print_format/credit_note/credit_note.json | 4 ++-- 2 files changed, 3 insertions(+), 3 deletions(-) diff --git a/erpnext/accounts/doctype/journal_voucher/journal_voucher.py b/erpnext/accounts/doctype/journal_voucher/journal_voucher.py index cb2ebace26..03bedc708d 100644 --- a/erpnext/accounts/doctype/journal_voucher/journal_voucher.py +++ b/erpnext/accounts/doctype/journal_voucher/journal_voucher.py @@ -203,7 +203,7 @@ class JournalVoucher(AccountsController): if account_type in ['Bank', 'Cash']: company_currency = get_company_currency(self.company) amt = flt(d.debit) and d.debit or d.credit - self.total_amount = company_currency + ' ' + cstr(amt) + self.total_amount = fmt_money(amt, currency=company_currency) from frappe.utils import money_in_words self.total_amount_in_words = money_in_words(amt, company_currency) diff --git a/erpnext/accounts/print_format/credit_note/credit_note.json b/erpnext/accounts/print_format/credit_note/credit_note.json index 4b32cc8f5c..31507b480d 100644 --- a/erpnext/accounts/print_format/credit_note/credit_note.json +++ b/erpnext/accounts/print_format/credit_note/credit_note.json @@ -4,9 +4,9 @@ "doc_type": "Journal Voucher", "docstatus": 0, "doctype": "Print Format", - "html": "

{{ doc.select_print_heading or _(\"Credit Note\") }}

\n
\n
\n
\n
{{ doc.name }}
\n
\n
\n
\n
{{ frappe.utils.formatdate(doc.voucher_date) }}
\n
\n
\n
\n
{{ _(\"Credit Note \") }}
\n
\n
\n
\n
{{ doc.pay_to_recd_from }}
\n
\n
\n
\n
\n
\n
\n
\n
\n
\n
{{ doc.remark }}
\n
\n
\n
\n

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

\n", + "html": "{%- from \"templates/print_formats/standard_macros.html\" import add_header -%}\n\n
\n {%- if not doc.get(\"print_heading\") and not doc.get(\"select_print_heading\") \n and doc.set(\"select_print_heading\", _(\"Credit Note\")) -%}{%- endif -%}\n {{ add_header(0, 1, doc, letter_head, no_letterhead) }}\n\n {%- for label, value in (\n (_(\"Credit To\"), doc.pay_to_recd_from),\n (_(\"Date\"), frappe.utils.formatdate(doc.voucher_date)),\n (_(\"Amount\"), \"\" + doc.total_amount + \"
\" + (doc.total_amount_in_words or \"\") + \"
\"),\n (_(\"Remarks\"), doc.remark)\n ) -%}\n\n
\n
\n
{{ value }}
\n
\n\n {%- endfor -%}\n\n
\n
\n

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

\n
\n\n\n", "idx": 2, - "modified": "2014-08-28 11:15:38.677618", + "modified": "2014-08-29 13:20:15.789533", "modified_by": "Administrator", "module": "Accounts", "name": "Credit Note", From 12b98027ee9771d8868562a1e0a73ab41718c645 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Fri, 29 Aug 2014 16:11:11 +0530 Subject: [PATCH 590/630] [fix] Maintenance Scheduler periodicity validation --- .../doctype/maintenance_schedule/maintenance_schedule.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/support/doctype/maintenance_schedule/maintenance_schedule.py b/erpnext/support/doctype/maintenance_schedule/maintenance_schedule.py index 4b06fe07fd..a739651529 100644 --- a/erpnext/support/doctype/maintenance_schedule/maintenance_schedule.py +++ b/erpnext/support/doctype/maintenance_schedule/maintenance_schedule.py @@ -134,7 +134,7 @@ class MaintenanceSchedule(TransactionBase): def validate_dates_with_periodicity(self): for d in self.get("item_maintenance_detail"): - if d.start_date and d.end_date and d.periodicity: + if d.start_date and d.end_date and d.periodicity and d.periodicity!="Random": date_diff = (getdate(d.end_date) - getdate(d.start_date)).days + 1 days_in_period = { "Weekly": 7, From 40a8ae290743ce61882e204486bd63980f923486 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Fri, 29 Aug 2014 16:28:31 +0530 Subject: [PATCH 591/630] [fix] get incoming rate --- erpnext/stock/utils.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/stock/utils.py b/erpnext/stock/utils.py index 100d338fd6..7264f360b9 100644 --- a/erpnext/stock/utils.py +++ b/erpnext/stock/utils.py @@ -67,7 +67,7 @@ def get_incoming_rate(args): from erpnext.stock.stock_ledger import get_previous_sle in_rate = 0 - if args.get("serial_no"): + if (args.get("serial_no") or "").strip(): in_rate = get_avg_purchase_rate(args.get("serial_no")) else: valuation_method = get_valuation_method(args.get("item_code")) From f65817d4c26072a01095e02f01514046f9a1854a Mon Sep 17 00:00:00 2001 From: Neil Trini Lasrado Date: Fri, 29 Aug 2014 16:31:57 +0530 Subject: [PATCH 592/630] [cosmetics] payment receipt Print format 1 --- .../payment_receipt_voucher/payment_receipt_voucher.json | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.json b/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.json index f44da544a8..2944b4b986 100755 --- a/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.json +++ b/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.json @@ -3,9 +3,9 @@ "doc_type": "Journal Voucher", "docstatus": 0, "doctype": "Print Format", - "html": "

{{ doc.select_print_heading or _(\"Payment Receipt Note\") }}

\n
\n
\n
\n
{{ doc.name }}
\n
\n
\n
\n
{{ frappe.utils.formatdate(doc.voucher_date) }}
\n
\n
\n
\n
{{ doc.pay_to_recd_from }}
\n
\n
\n
\n
\n
\n
\n
\n
\n
\n
{{ doc.remark }}
\n
\n
\n

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

", + "html": "{%- from \"templates/print_formats/standard_macros.html\" import add_header -%}\n
\n {%- if not doc.get(\"print_heading\") and not doc.get(\"select_print_heading\") \n and doc.set(\"select_print_heading\", _(\"Payment Receipt Note\")) -%}{%- endif -%}\n {{ add_header(0, 1, doc, letter_head, no_letterhead) }}\n\n {%- for label, value in (\n (_(\"Received On\"), frappe.utils.formatdate(doc.voucher_date)),\n (_(\"Received From\"), doc.pay_to_recd_from),\n (_(\"Amount\"), \"\" + doc.total_amount + \"
\" + (doc.total_amount_in_words or \"\") + \"
\"),\n (_(\"Remarks\"), doc.remark)\n ) -%}\n
\n
\n
{{ value }}
\n
\n\n {%- endfor -%}\n\n
\n
\n

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

\n
\n\n", "idx": 1, - "modified": "2014-08-28 14:42:51.882718", + "modified": "2014-08-29 15:55:34.248384", "modified_by": "Administrator", "module": "Accounts", "name": "Payment Receipt Voucher", From d43752fc4fea706506b6f75f75067518066e652c Mon Sep 17 00:00:00 2001 From: Neil Trini Lasrado Date: Fri, 29 Aug 2014 16:43:48 +0530 Subject: [PATCH 593/630] [cosmetics] Cheque Print format 1 --- .../cheque_printing_format/cheque_printing_format.json | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/erpnext/accounts/print_format/cheque_printing_format/cheque_printing_format.json b/erpnext/accounts/print_format/cheque_printing_format/cheque_printing_format.json index 617b7d6a76..dc07b279b8 100755 --- a/erpnext/accounts/print_format/cheque_printing_format/cheque_printing_format.json +++ b/erpnext/accounts/print_format/cheque_printing_format/cheque_printing_format.json @@ -3,9 +3,9 @@ "doc_type": "Journal Voucher", "docstatus": 0, "doctype": "Print Format", - "html": "
\n\n\t{% if letter_head and not no_letterhead %}{{ letter_head }}{%- endif -%}\n\t

{{ _(\"Payment Advice\") }}


\n\t
\n\t
\n\t
{{ doc.pay_to_recd_from }}
\n\t
\n\t
\n\t
\n\t
{{ doc.name }}
\n\t
\n\t
\n\t
\n\t
{{ frappe.utils.formatdate(doc.voucher_date) }}
\n\t
\n\t
\n\t
\n\t
{{ doc.cheque_no }}
\n\t
\n\t
\n\t
\n\t
{{ frappe.utils.formatdate(doc.cheque_date) }}
\n\t
\n\t
\n\t

{{ _(\"This amount is in full / part settlement of the listed bills\") }}:

\n\t
\n\t
\n
\n
\n
\n
\n\t
\n\t
\n\t
{{ doc.remark }}
\n\t
\n\t
\n\t
\n\t\tPrepared By
\n\t
\n\t\tAuthorised Signatory
\n\t
\n\t\tReceived Payment as Above
\n\t
\n\t\t_____________
\n\t
\n\t\tA/C Payee
\n\t
\n\t\t_____________
\n\t
\n\t\t{{ frappe.utils.formatdate(doc.cheque_date) }}
\n\t
\n\t\t{{ doc.pay_to_recd_from }}
\n\t
\n\t\t{{ doc.total_amount_in_words }}
\n\t
\n\t\t{{ doc.total_amount }}
\n
", + "html": "
\n\n\t{%- from \"templates/print_formats/standard_macros.html\" import add_header -%}\n
\n {%- if not doc.get(\"print_heading\") and not doc.get(\"select_print_heading\") \n and doc.set(\"select_print_heading\", _(\"Payment Advice\")) -%}{%- endif -%}\n {{ add_header(0, 1, doc, letter_head, no_letterhead) }}\n\t
\n\t
\n\t
{{ frappe.utils.formatdate(doc.voucher_date) }}
\n\t
\n\t
\n\t
\n\t
{{ doc.cheque_no }}
\n\t
\n\t
\n\t
\n\t
{{ frappe.utils.formatdate(doc.cheque_date) }}
\n\t
\n\t
\n\t

{{ _(\"This amount is in full / part settlement of the listed bills\") }}:

\n\t
\n\t
\n
\n
\n
\n
\n\t
\n\t
\n\t
{{ doc.remark }}
\n\t
\n\t
\n\t
\n\t\tPrepared By
\n\t
\n\t\tAuthorised Signatory
\n\t
\n\t\tReceived Payment as Above
\n\t
\n\t\t_____________
\n\t
\n\t\tA/C Payee
\n\t
\n\t\t_____________
\n\t
\n\t\t{{ frappe.utils.formatdate(doc.cheque_date) }}
\n\t
\n\t\t{{ doc.pay_to_recd_from }}
\n\t
\n\t\t{{ doc.total_amount_in_words }}
\n\t
\n\t\t{{ doc.total_amount }}
\n
", "idx": 1, - "modified": "2014-08-28 14:41:51.888412", + "modified": "2014-08-29 16:41:49.896932", "modified_by": "Administrator", "module": "Accounts", "name": "Cheque Printing Format", From 8331ec7482ab98e8475f77aa22437f1184cf72c9 Mon Sep 17 00:00:00 2001 From: Neil Trini Lasrado Date: Fri, 29 Aug 2014 20:27:45 +0530 Subject: [PATCH 594/630] [cosmetics] Cheque Print format 2 --- .../cheque_printing_format/cheque_printing_format.json | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/erpnext/accounts/print_format/cheque_printing_format/cheque_printing_format.json b/erpnext/accounts/print_format/cheque_printing_format/cheque_printing_format.json index dc07b279b8..47fe013365 100755 --- a/erpnext/accounts/print_format/cheque_printing_format/cheque_printing_format.json +++ b/erpnext/accounts/print_format/cheque_printing_format/cheque_printing_format.json @@ -3,9 +3,9 @@ "doc_type": "Journal Voucher", "docstatus": 0, "doctype": "Print Format", - "html": "
\n\n\t{%- from \"templates/print_formats/standard_macros.html\" import add_header -%}\n
\n {%- if not doc.get(\"print_heading\") and not doc.get(\"select_print_heading\") \n and doc.set(\"select_print_heading\", _(\"Payment Advice\")) -%}{%- endif -%}\n {{ add_header(0, 1, doc, letter_head, no_letterhead) }}\n\t
\n\t
\n\t
{{ frappe.utils.formatdate(doc.voucher_date) }}
\n\t
\n\t
\n\t
\n\t
{{ doc.cheque_no }}
\n\t
\n\t
\n\t
\n\t
{{ frappe.utils.formatdate(doc.cheque_date) }}
\n\t
\n\t
\n\t

{{ _(\"This amount is in full / part settlement of the listed bills\") }}:

\n\t
\n\t
\n
\n
\n
\n
\n\t
\n\t
\n\t
{{ doc.remark }}
\n\t
\n\t
\n\t
\n\t\tPrepared By
\n\t
\n\t\tAuthorised Signatory
\n\t
\n\t\tReceived Payment as Above
\n\t
\n\t\t_____________
\n\t
\n\t\tA/C Payee
\n\t
\n\t\t_____________
\n\t
\n\t\t{{ frappe.utils.formatdate(doc.cheque_date) }}
\n\t
\n\t\t{{ doc.pay_to_recd_from }}
\n\t
\n\t\t{{ doc.total_amount_in_words }}
\n\t
\n\t\t{{ doc.total_amount }}
\n
", + "html": "
\n\n\t{%- from \"templates/print_formats/standard_macros.html\" import add_header -%}\n
\n {%- if not doc.get(\"print_heading\") and not doc.get(\"select_print_heading\") \n and doc.set(\"select_print_heading\", _(\"Payment Advice\")) -%}{%- endif -%}\n {{ add_header(0, 1, doc, letter_head, no_letterhead) }}\n\n{%- for label, value in (\n (_(\"Voucher Date\"), frappe.utils.formatdate(doc.voucher_date)),\n (_(\"Reference / Cheque No.\"), doc.cheque_no),\n (_(\"Reference / Cheque Date\"), frappe.utils.formatdate(doc.cheque_date))\n ) -%}\n
\n
\n
{{ value }}
\n
\n{%- endfor -%}\n\t
\n\t

{{ _(\"This amount is in full / part settlement of the listed bills\") }}:

\n{%- for label, value in (\n (_(\"Amount\"), \"\" + doc.total_amount + \"
\" + (doc.total_amount_in_words or \"\") + \"
\"),\n (_(\"References\"), doc.remark)\n ) -%}\n
\n
\n
{{ value }}
\n
\n {%- endfor -%}\n
\n\t
\n\t\tPrepared By
\n\t
\n\t\tAuthorised Signatory
\n\t
\n\t\tReceived Payment as Above
\n\t
\n\t\t_____________
\n\t
\n\t\tA/C Payee
\n\t
\n\t\t_____________
\n\t
\n\t\t{{ frappe.utils.formatdate(doc.cheque_date) }}
\n\t
\n\t\t{{ doc.pay_to_recd_from }}
\n\t
\n\t\t{{ doc.total_amount_in_words }}
\n\t
\n\t\t{{ doc.total_amount }}
\n
", "idx": 1, - "modified": "2014-08-29 16:41:49.896932", + "modified": "2014-08-29 19:54:01.082535", "modified_by": "Administrator", "module": "Accounts", "name": "Cheque Printing Format", From 98eacdb7859703092a9306a11de365c0f1eb5378 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Mon, 1 Sep 2014 10:23:47 +0530 Subject: [PATCH 595/630] [patch] Set company's country --- erpnext/patches.txt | 1 + erpnext/patches/v4_2/set_company_country.py | 15 +++++++++++++++ 2 files changed, 16 insertions(+) create mode 100644 erpnext/patches/v4_2/set_company_country.py diff --git a/erpnext/patches.txt b/erpnext/patches.txt index 3e3a2493d1..d744fee784 100644 --- a/erpnext/patches.txt +++ b/erpnext/patches.txt @@ -78,3 +78,4 @@ erpnext.patches.v4_2.update_project_milestones erpnext.patches.v4_2.add_currency_turkish_lira #2014-08-08 execute:frappe.delete_doc("DocType", "Landed Cost Wizard") erpnext.patches.v4_2.default_website_style +erpnext.patches.v4_2.set_company_country diff --git a/erpnext/patches/v4_2/set_company_country.py b/erpnext/patches/v4_2/set_company_country.py new file mode 100644 index 0000000000..6992f02202 --- /dev/null +++ b/erpnext/patches/v4_2/set_company_country.py @@ -0,0 +1,15 @@ +# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors +# License: GNU General Public License v3. See license.txt + +from __future__ import unicode_literals +import frappe + +def execute(): + country = frappe.db.get_single_value("Global Defaults", "country") + if not country: + print "Country not specified in Global Defaults" + return + + for company in frappe.db.sql_list("""select name from `tabCompany` + where ifnull(country, '')=''"""): + frappe.db.set_value("Company", company, "country", country) From 24989b90bad3f7b98c85fb5e1a184709194b1282 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Mon, 1 Sep 2014 12:37:52 +0530 Subject: [PATCH 596/630] Hide Rate, Amount in Item Grid template based on permlevel --- erpnext/templates/form_grid/item_grid.html | 23 +++++++++++++++------- 1 file changed, 16 insertions(+), 7 deletions(-) diff --git a/erpnext/templates/form_grid/item_grid.html b/erpnext/templates/form_grid/item_grid.html index c2e5d56e9d..715d4dc165 100644 --- a/erpnext/templates/form_grid/item_grid.html +++ b/erpnext/templates/form_grid/item_grid.html @@ -72,17 +72,26 @@
- {%= doc.get_formatted("rate") %} - {% if(doc.discount_percentage) { %} -
- {%= -1 * doc.discount_percentage %}% - {% }%} + {% if (frappe.perm.is_visible("rate", doc, frm.perm)) { %} + {%= __("hidden") %} + {% } else { %} + {%= doc.get_formatted("rate") %} + {% if(doc.discount_percentage) { %} +
+ {%= -1 * doc.discount_percentage %}% + {% }%} + {% } %}
- {%= doc.get_formatted("amount") %} + {% if (frappe.perm.is_visible("amount", doc, frm.perm)) { %} + {%= __("hidden") %} + {% } else { %} + {%= doc.get_formatted("amount") %} + {% } %} + {% if(in_list(["Sales Order Item", "Purchase Order Item"], doc.doctype) && frm.doc.docstatus===1 && doc.amount) { var completed = From e8331d40f3ba1f7d31f7f0cd03b03d1c4b761af9 Mon Sep 17 00:00:00 2001 From: ankitjavalkarwork Date: Mon, 25 Aug 2014 18:00:12 +0530 Subject: [PATCH 597/630] Commonify Recurring Sales Order/Invoice --- .../doctype/sales_invoice/sales_invoice.js | 14 +- .../doctype/sales_invoice/sales_invoice.json | 23 +- .../doctype/sales_invoice/sales_invoice.py | 252 +++++++++--------- .../sales_invoice/test_sales_invoice.py | 36 +-- erpnext/controllers/accounts_controller.py | 51 ++++ erpnext/controllers/recurring_document.py | 121 +++++++++ .../doctype/sales_order/sales_order.json | 131 ++++++++- .../doctype/sales_order/sales_order.py | 8 + .../emails/recurring_invoice_failed.html | 14 +- 9 files changed, 479 insertions(+), 171 deletions(-) create mode 100644 erpnext/controllers/recurring_document.py diff --git a/erpnext/accounts/doctype/sales_invoice/sales_invoice.js b/erpnext/accounts/doctype/sales_invoice/sales_invoice.js index 76092ed30d..5228b0e383 100644 --- a/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +++ b/erpnext/accounts/doctype/sales_invoice/sales_invoice.js @@ -228,7 +228,7 @@ cur_frm.cscript.hide_fields = function(doc) { par_flds = ['project_name', 'due_date', 'is_opening', 'source', 'total_advance', 'gross_profit', 'gross_profit_percent', 'get_advances_received', 'advance_adjustment_details', 'sales_partner', 'commission_rate', - 'total_commission', 'advances', 'invoice_period_from_date', 'invoice_period_to_date']; + 'total_commission', 'advances', 'period_from', 'period_to']; item_flds_normal = ['sales_order', 'delivery_note'] @@ -414,18 +414,18 @@ cur_frm.cscript.convert_into_recurring_invoice = function(doc, dt, dn) { refresh_many(["notification_email_address", "repeat_on_day_of_month"]); } -cur_frm.cscript.invoice_period_from_date = function(doc, dt, dn) { - // set invoice_period_to_date - if(doc.invoice_period_from_date) { +cur_frm.cscript.period_from = function(doc, dt, dn) { + // set period_to + if(doc.period_from) { var recurring_type_map = {'Monthly': 1, 'Quarterly': 3, 'Half-yearly': 6, 'Yearly': 12}; var months = recurring_type_map[doc.recurring_type]; if(months) { - var to_date = frappe.datetime.add_months(doc.invoice_period_from_date, + var to_date = frappe.datetime.add_months(doc.period_from, months); - doc.invoice_period_to_date = frappe.datetime.add_days(to_date, -1); - refresh_field('invoice_period_to_date'); + doc.period_to = frappe.datetime.add_days(to_date, -1); + refresh_field('period_to'); } } } diff --git a/erpnext/accounts/doctype/sales_invoice/sales_invoice.json b/erpnext/accounts/doctype/sales_invoice/sales_invoice.json index ff256dc777..7cab4c24f0 100644 --- a/erpnext/accounts/doctype/sales_invoice/sales_invoice.json +++ b/erpnext/accounts/doctype/sales_invoice/sales_invoice.json @@ -1,5 +1,6 @@ { - "allow_import": 1, + "allow_attach": 1, + "allow_import": 1, "autoname": "naming_series:", "creation": "2013-05-24 19:29:05", "default_print_format": "Standard", @@ -172,7 +173,7 @@ "allow_on_submit": 1, "depends_on": "", "description": "Start date of current invoice's period", - "fieldname": "invoice_period_from_date", + "fieldname": "period_from", "fieldtype": "Date", "label": "Invoice Period From", "no_copy": 1, @@ -184,7 +185,7 @@ "allow_on_submit": 1, "depends_on": "", "description": "End date of current invoice's period", - "fieldname": "invoice_period_to_date", + "fieldname": "period_to", "fieldtype": "Date", "label": "Invoice Period To", "no_copy": 1, @@ -1087,7 +1088,7 @@ "allow_on_submit": 1, "depends_on": "eval:doc.docstatus<2", "description": "Check if recurring invoice, uncheck to stop recurring or put proper End Date", - "fieldname": "convert_into_recurring_invoice", + "fieldname": "convert_into_recurring", "fieldtype": "Check", "label": "Convert into Recurring Invoice", "no_copy": 1, @@ -1097,7 +1098,7 @@ }, { "allow_on_submit": 1, - "depends_on": "eval:doc.convert_into_recurring_invoice==1", + "depends_on": "eval:doc.convert_into_recurring==1", "description": "Select the period when the invoice will be generated automatically", "fieldname": "recurring_type", "fieldtype": "Select", @@ -1110,7 +1111,7 @@ }, { "allow_on_submit": 1, - "depends_on": "eval:doc.convert_into_recurring_invoice==1", + "depends_on": "eval:doc.convert_into_recurring==1", "description": "The day of the month on which auto invoice will be generated e.g. 05, 28 etc ", "fieldname": "repeat_on_day_of_month", "fieldtype": "Int", @@ -1121,7 +1122,7 @@ "read_only": 0 }, { - "depends_on": "eval:doc.convert_into_recurring_invoice==1", + "depends_on": "eval:doc.convert_into_recurring==1", "description": "The date on which next invoice will be generated. It is generated on submit.\n", "fieldname": "next_date", "fieldtype": "Date", @@ -1133,7 +1134,7 @@ }, { "allow_on_submit": 1, - "depends_on": "eval:doc.convert_into_recurring_invoice==1", + "depends_on": "eval:doc.convert_into_recurring==1", "description": "The date on which recurring invoice will be stop", "fieldname": "end_date", "fieldtype": "Date", @@ -1153,7 +1154,7 @@ "width": "50%" }, { - "depends_on": "eval:doc.convert_into_recurring_invoice==1", + "depends_on": "eval:doc.convert_into_recurring==1", "description": "The unique id for tracking all recurring invoices.\u00a0It is generated on submit.", "fieldname": "recurring_id", "fieldtype": "Data", @@ -1165,7 +1166,7 @@ }, { "allow_on_submit": 1, - "depends_on": "eval:doc.convert_into_recurring_invoice==1", + "depends_on": "eval:doc.convert_into_recurring==1", "description": "Enter email id separated by commas, invoice will be mailed automatically on particular date", "fieldname": "notification_email_address", "fieldtype": "Small Text", @@ -1192,7 +1193,7 @@ "icon": "icon-file-text", "idx": 1, "is_submittable": 1, - "modified": "2014-08-14 02:13:09.673510", + "modified": "2014-08-25 17:41:35.367233", "modified_by": "Administrator", "module": "Accounts", "name": "Sales Invoice", diff --git a/erpnext/accounts/doctype/sales_invoice/sales_invoice.py b/erpnext/accounts/doctype/sales_invoice/sales_invoice.py index 481ae098b3..69a7def900 100644 --- a/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +++ b/erpnext/accounts/doctype/sales_invoice/sales_invoice.py @@ -75,7 +75,7 @@ class SalesInvoice(SellingController): self.set_against_income_account() self.validate_c_form() self.validate_time_logs_are_submitted() - self.validate_recurring_invoice() + self.validate_recurring_document() self.validate_multiple_billing("Delivery Note", "dn_detail", "amount", "delivery_note_details") @@ -103,7 +103,7 @@ class SalesInvoice(SellingController): self.update_c_form() self.update_time_log_batch(self.name) - self.convert_to_recurring() + self.convert_to_recurring("RECINV.#####", self.transaction_date) def before_cancel(self): self.update_time_log_batch(None) @@ -144,8 +144,8 @@ class SalesInvoice(SellingController): }) def on_update_after_submit(self): - self.validate_recurring_invoice() - self.convert_to_recurring() + self.validate_recurring_document() + self.convert_to_recurring("RECINV.#####", self.transaction_date) def get_portal_page(self): return "invoice" if self.docstatus==1 else None @@ -592,157 +592,157 @@ class SalesInvoice(SellingController): grand_total = %s where invoice_no = %s and parent = %s""", (self.name, self.amended_from, self.c_form_no)) - def validate_recurring_invoice(self): - if self.convert_into_recurring_invoice: - self.validate_notification_email_id() +# def validate_recurring_invoice(self): +# if self.convert_into_recurring_invoice: +# self.validate_notification_email_id() - if not self.recurring_type: - msgprint(_("Please select {0}").format(self.meta.get_label("recurring_type")), - raise_exception=1) +# if not self.recurring_type: +# msgprint(_("Please select {0}").format(self.meta.get_label("recurring_type")), +# raise_exception=1) - elif not (self.invoice_period_from_date and \ - self.invoice_period_to_date): - throw(_("Invoice Period From and Invoice Period To dates mandatory for recurring invoice")) +# elif not (self.period_from and \ +# self.period_to): +# throw(_("Invoice Period From and Invoice Period To dates mandatory for recurring invoice")) - def convert_to_recurring(self): - if self.convert_into_recurring_invoice: - if not self.recurring_id: - frappe.db.set(self, "recurring_id", - make_autoname("RECINV/.#####")) +# def convert_to_recurring(self): +# if self.convert_into_recurring_invoice: +# if not self.recurring_id: +# frappe.db.set(self, "recurring_id", +# make_autoname("RECINV/.#####")) - self.set_next_date() +# self.set_next_date() - elif self.recurring_id: - frappe.db.sql("""update `tabSales Invoice` - set convert_into_recurring_invoice = 0 - where recurring_id = %s""", (self.recurring_id,)) +# elif self.recurring_id: +# frappe.db.sql("""update `tabSales Invoice` +# set convert_into_recurring_invoice = 0 +# where recurring_id = %s""", (self.recurring_id,)) - def validate_notification_email_id(self): - if self.notification_email_address: - email_list = filter(None, [cstr(email).strip() for email in - self.notification_email_address.replace("\n", "").split(",")]) +# def validate_notification_email_id(self): +# if self.notification_email_address: +# email_list = filter(None, [cstr(email).strip() for email in +# self.notification_email_address.replace("\n", "").split(",")]) - from frappe.utils import validate_email_add - for email in email_list: - if not validate_email_add(email): - throw(_("{0} is an invalid email address in 'Notification Email Address'").format(email)) +# from frappe.utils import validate_email_add +# for email in email_list: +# if not validate_email_add(email): +# throw(_("{0} is an invalid email address in 'Notification Email Address'").format(email)) - else: - throw(_("'Notification Email Addresses' not specified for recurring invoice")) +# else: +# throw(_("'Notification Email Addresses' not specified for recurring invoice")) - def set_next_date(self): - """ Set next date on which auto invoice will be created""" - if not self.repeat_on_day_of_month: - msgprint(_("Please enter 'Repeat on Day of Month' field value"), raise_exception=1) +# def set_next_date(self): +# """ Set next date on which auto invoice will be created""" +# if not self.repeat_on_day_of_month: +# msgprint(_("Please enter 'Repeat on Day of Month' field value"), raise_exception=1) - next_date = get_next_date(self.posting_date, - month_map[self.recurring_type], cint(self.repeat_on_day_of_month)) +# next_date = get_next_date(self.posting_date, +# month_map[self.recurring_type], cint(self.repeat_on_day_of_month)) - frappe.db.set(self, 'next_date', next_date) +# frappe.db.set(self, 'next_date', next_date) -def get_next_date(dt, mcount, day=None): - dt = getdate(dt) +# def get_next_date(dt, mcount, day=None): +# dt = getdate(dt) - from dateutil.relativedelta import relativedelta - dt += relativedelta(months=mcount, day=day) +# from dateutil.relativedelta import relativedelta +# dt += relativedelta(months=mcount, day=day) - return dt +# return dt -def manage_recurring_invoices(next_date=None, commit=True): - """ - Create recurring invoices on specific date by copying the original one - and notify the concerned people - """ - next_date = next_date or nowdate() - recurring_invoices = frappe.db.sql("""select name, recurring_id - from `tabSales Invoice` where ifnull(convert_into_recurring_invoice, 0)=1 - and docstatus=1 and next_date=%s - and next_date <= ifnull(end_date, '2199-12-31')""", next_date) +# def manage_recurring_invoices(next_date=None, commit=True): +# """ +# Create recurring invoices on specific date by copying the original one +# and notify the concerned people +# """ +# next_date = next_date or nowdate() +# recurring_invoices = frappe.db.sql("""select name, recurring_id +# from `tabSales Invoice` where ifnull(convert_into_recurring_invoice, 0)=1 +# and docstatus=1 and next_date=%s +# and next_date <= ifnull(end_date, '2199-12-31')""", next_date) - exception_list = [] - for ref_invoice, recurring_id in recurring_invoices: - if not frappe.db.sql("""select name from `tabSales Invoice` - where posting_date=%s and recurring_id=%s and docstatus=1""", - (next_date, recurring_id)): - try: - ref_wrapper = frappe.get_doc('Sales Invoice', ref_invoice) - new_invoice_wrapper = make_new_invoice(ref_wrapper, next_date) - send_notification(new_invoice_wrapper) - if commit: - frappe.db.commit() - except: - if commit: - frappe.db.rollback() +# exception_list = [] +# for ref_invoice, recurring_id in recurring_invoices: +# if not frappe.db.sql("""select name from `tabSales Invoice` +# where posting_date=%s and recurring_id=%s and docstatus=1""", +# (next_date, recurring_id)): +# try: +# ref_wrapper = frappe.get_doc('Sales Invoice', ref_invoice) +# new_invoice_wrapper = make_new_invoice(ref_wrapper, next_date) +# send_notification(new_invoice_wrapper) +# if commit: +# frappe.db.commit() +# except: +# if commit: +# frappe.db.rollback() - frappe.db.begin() - frappe.db.sql("update `tabSales Invoice` set \ - convert_into_recurring_invoice = 0 where name = %s", ref_invoice) - notify_errors(ref_invoice, ref_wrapper.customer, ref_wrapper.owner) - frappe.db.commit() +# frappe.db.begin() +# frappe.db.sql("update `tabSales Invoice` set \ +# convert_into_recurring_invoice = 0 where name = %s", ref_invoice) +# notify_errors(ref_invoice, ref_wrapper.customer, ref_wrapper.owner) +# frappe.db.commit() - exception_list.append(frappe.get_traceback()) - finally: - if commit: - frappe.db.begin() +# exception_list.append(frappe.get_traceback()) +# finally: +# if commit: +# frappe.db.begin() - if exception_list: - exception_message = "\n\n".join([cstr(d) for d in exception_list]) - frappe.throw(exception_message) +# if exception_list: +# exception_message = "\n\n".join([cstr(d) for d in exception_list]) +# frappe.throw(exception_message) -def make_new_invoice(ref_wrapper, posting_date): - from erpnext.accounts.utils import get_fiscal_year - new_invoice = frappe.copy_doc(ref_wrapper) +# def make_new_invoice(ref_wrapper, posting_date): +# from erpnext.accounts.utils import get_fiscal_year +# new_invoice = frappe.copy_doc(ref_wrapper) - mcount = month_map[ref_wrapper.recurring_type] +# mcount = month_map[ref_wrapper.recurring_type] - invoice_period_from_date = get_next_date(ref_wrapper.invoice_period_from_date, mcount) +# period_from = get_next_date(ref_wrapper.period_from, mcount) - # get last day of the month to maintain period if the from date is first day of its own month - # and to date is the last day of its own month - if (cstr(get_first_day(ref_wrapper.invoice_period_from_date)) == \ - cstr(ref_wrapper.invoice_period_from_date)) and \ - (cstr(get_last_day(ref_wrapper.invoice_period_to_date)) == \ - cstr(ref_wrapper.invoice_period_to_date)): - invoice_period_to_date = get_last_day(get_next_date(ref_wrapper.invoice_period_to_date, - mcount)) - else: - invoice_period_to_date = get_next_date(ref_wrapper.invoice_period_to_date, mcount) +# # get last day of the month to maintain period if the from date is first day of its own month +# # and to date is the last day of its own month +# if (cstr(get_first_day(ref_wrapper.period_from)) == \ +# cstr(ref_wrapper.period_from)) and \ +# (cstr(get_last_day(ref_wrapper.period_to)) == \ +# cstr(ref_wrapper.period_to)): +# period_to = get_last_day(get_next_date(ref_wrapper.period_to, +# mcount)) +# else: +# period_to = get_next_date(ref_wrapper.period_to, mcount) - new_invoice.update({ - "posting_date": posting_date, - "aging_date": posting_date, - "due_date": add_days(posting_date, cint(date_diff(ref_wrapper.due_date, - ref_wrapper.posting_date))), - "invoice_period_from_date": invoice_period_from_date, - "invoice_period_to_date": invoice_period_to_date, - "fiscal_year": get_fiscal_year(posting_date)[0], - "owner": ref_wrapper.owner, - }) +# new_invoice.update({ +# "posting_date": posting_date, +# "aging_date": posting_date, +# "due_date": add_days(posting_date, cint(date_diff(ref_wrapper.due_date, +# ref_wrapper.posting_date))), +# "period_from": period_from, +# "period_to": period_to, +# "fiscal_year": get_fiscal_year(posting_date)[0], +# "owner": ref_wrapper.owner, +# }) - new_invoice.submit() +# new_invoice.submit() - return new_invoice +# return new_invoice -def send_notification(new_rv): - """Notify concerned persons about recurring invoice generation""" - frappe.sendmail(new_rv.notification_email_address, - subject="New Invoice : " + new_rv.name, - message = _("Please find attached Sales Invoice #{0}").format(new_rv.name), - attachments = [{ - "fname": new_rv.name + ".pdf", - "fcontent": frappe.get_print_format(new_rv.doctype, new_rv.name, as_pdf=True) - }]) +# def send_notification(new_rv): +# """Notify concerned persons about recurring invoice generation""" +# frappe.sendmail(new_rv.notification_email_address, +# subject="New Invoice : " + new_rv.name, +# message = _("Please find attached Sales Invoice #{0}").format(new_rv.name), +# attachments = [{ +# "fname": new_rv.name + ".pdf", +# "fcontent": frappe.get_print_format(new_rv.doctype, new_rv.name, as_pdf=True) +# }]) -def notify_errors(inv, customer, owner): - from frappe.utils.user import get_system_managers - recipients=get_system_managers(only_name=True) +# def notify_errors(inv, customer, owner): +# from frappe.utils.user import get_system_managers +# recipients=get_system_managers(only_name=True) - frappe.sendmail(recipients + [frappe.db.get_value("User", owner, "email")], - subject="[Urgent] Error while creating recurring invoice for %s" % inv, - message = frappe.get_template("templates/emails/recurring_invoice_failed.html").render({ - "name": inv, - "customer": customer - })) +# frappe.sendmail(recipients + [frappe.db.get_value("User", owner, "email")], +# subject="[Urgent] Error while creating recurring invoice for %s" % inv, +# message = frappe.get_template("templates/emails/recurring_invoice_failed.html").render({ +# "name": inv, +# "customer": customer +# })) assign_task_to_owner(inv, "Recurring Invoice Failed", recipients) diff --git a/erpnext/accounts/doctype/sales_invoice/test_sales_invoice.py b/erpnext/accounts/doctype/sales_invoice/test_sales_invoice.py index ab361d83ad..44bd451ed8 100644 --- a/erpnext/accounts/doctype/sales_invoice/test_sales_invoice.py +++ b/erpnext/accounts/doctype/sales_invoice/test_sales_invoice.py @@ -677,8 +677,8 @@ class TestSalesInvoice(unittest.TestCase): "posting_date": today, "due_date": None, "fiscal_year": get_fiscal_year(today)[0], - "invoice_period_from_date": get_first_day(today), - "invoice_period_to_date": get_last_day(today) + "period_from": get_first_day(today), + "period_to": get_last_day(today) }) # monthly @@ -690,8 +690,8 @@ class TestSalesInvoice(unittest.TestCase): # monthly without a first and last day period si2 = frappe.copy_doc(base_si) si2.update({ - "invoice_period_from_date": today, - "invoice_period_to_date": add_to_date(today, days=30) + "period_from": today, + "period_to": add_to_date(today, days=30) }) si2.insert() si2.submit() @@ -701,8 +701,8 @@ class TestSalesInvoice(unittest.TestCase): si3 = frappe.copy_doc(base_si) si3.update({ "recurring_type": "Quarterly", - "invoice_period_from_date": get_first_day(today), - "invoice_period_to_date": get_last_day(add_to_date(today, months=3)) + "period_from": get_first_day(today), + "period_to": get_last_day(add_to_date(today, months=3)) }) si3.insert() si3.submit() @@ -712,8 +712,8 @@ class TestSalesInvoice(unittest.TestCase): si4 = frappe.copy_doc(base_si) si4.update({ "recurring_type": "Quarterly", - "invoice_period_from_date": today, - "invoice_period_to_date": add_to_date(today, months=3) + "period_from": today, + "period_to": add_to_date(today, months=3) }) si4.insert() si4.submit() @@ -723,8 +723,8 @@ class TestSalesInvoice(unittest.TestCase): si5 = frappe.copy_doc(base_si) si5.update({ "recurring_type": "Yearly", - "invoice_period_from_date": get_first_day(today), - "invoice_period_to_date": get_last_day(add_to_date(today, years=1)) + "period_from": get_first_day(today), + "period_to": get_last_day(add_to_date(today, years=1)) }) si5.insert() si5.submit() @@ -734,8 +734,8 @@ class TestSalesInvoice(unittest.TestCase): si6 = frappe.copy_doc(base_si) si6.update({ "recurring_type": "Yearly", - "invoice_period_from_date": today, - "invoice_period_to_date": add_to_date(today, years=1) + "period_from": today, + "period_to": add_to_date(today, years=1) }) si6.insert() si6.submit() @@ -784,16 +784,16 @@ class TestSalesInvoice(unittest.TestCase): self.assertEquals(new_si.posting_date, unicode(next_date)) - self.assertEquals(new_si.invoice_period_from_date, - unicode(add_months(base_si.invoice_period_from_date, no_of_months))) + self.assertEquals(new_si.period_from, + unicode(add_months(base_si.period_from, no_of_months))) if first_and_last_day: - self.assertEquals(new_si.invoice_period_to_date, - unicode(get_last_day(add_months(base_si.invoice_period_to_date, + self.assertEquals(new_si.period_to, + unicode(get_last_day(add_months(base_si.period_to, no_of_months)))) else: - self.assertEquals(new_si.invoice_period_to_date, - unicode(add_months(base_si.invoice_period_to_date, no_of_months))) + self.assertEquals(new_si.period_to, + unicode(add_months(base_si.period_to, no_of_months))) return new_si diff --git a/erpnext/controllers/accounts_controller.py b/erpnext/controllers/accounts_controller.py index 59a49afb22..9aa93ac8a0 100644 --- a/erpnext/controllers/accounts_controller.py +++ b/erpnext/controllers/accounts_controller.py @@ -444,6 +444,57 @@ class AccountsController(TransactionBase): if total_outstanding: frappe.get_doc('Account', account).check_credit_limit(total_outstanding) + def validate_recurring_document(self): + if self.convert_into_recurring: + self.validate_notification_email_id() + + if not self.recurring_type: + msgprint(_("Please select {0}").format(self.meta.get_label("recurring_type")), + raise_exception=1) + + elif not (self.period_from and self.period_to): + throw(_("Period From and Period To dates mandatory for recurring %s") % self.doctype) + + def convert_to_recurring(self, autoname, posting_date): + if self.convert_into_recurring: + if not self.recurring_id: + frappe.db.set(self, "recurring_id", + make_autoname(autoname)) + + self.set_next_date(posting_date) + + elif self.recurring_id: + frappe.db.sql("""update `tab%s` \ + set convert_into_recurring = 0 \ + where recurring_id = %s""", % (self.doctype, '%s'), (self.recurring_id)) + + def validate_notification_email_id(self): + if self.notification_email_address: + email_list = filter(None, [cstr(email).strip() for email in + self.notification_email_address.replace("\n", "").split(",")]) + + from frappe.utils import validate_email_add + for email in email_list: + if not validate_email_add(email): + throw(_("{0} is an invalid email address in 'Notification \ + Email Address'").format(email)) + + else: + frappe.throw(_("'Notification Email Addresses' not specified for recurring %s") \ + % self.doctype) + + def set_next_date(self, posting_date): + """ Set next date on which recurring document will be created""" + from erpnext.controllers.recurring_document import get_next_date + + if not self.repeat_on_day_of_month: + msgprint(_("Please enter 'Repeat on Day of Month' field value"), raise_exception=1) + + next_date = get_next_date(posting_date, month_map[self.recurring_type], + cint(self.repeat_on_day_of_month)) + + frappe.db.set(self, 'next_date', next_date) + @frappe.whitelist() def get_tax_rate(account_head): diff --git a/erpnext/controllers/recurring_document.py b/erpnext/controllers/recurring_document.py new file mode 100644 index 0000000000..ad32371b86 --- /dev/null +++ b/erpnext/controllers/recurring_document.py @@ -0,0 +1,121 @@ +from __future__ import unicode_literals +import frappe +import frappe.utils +import frappe.defaults + +from frappe.utils import add_days, cint, cstr, date_diff, flt, getdate, nowdate, \ + get_first_day, get_last_day, comma_and +from frappe.model.naming import make_autoname + +from frappe import _, msgprint, throw +from erpnext.accounts.party import get_party_account, get_due_date, get_party_details +from frappe.model.mapper import get_mapped_doc + +def manage_recurring_documents(doctype, next_date=None, commit=True): + """ + Create recurring documents on specific date by copying the original one + and notify the concerned people + """ + next_date = next_date or nowdate() + recurring_documents = frappe.db.sql("""select name, recurring_id + from `tab%s` where ifnull(convert_into_recurring, 0)=1 + and docstatus=1 and next_date=%s + and next_date <= ifnull(end_date, '2199-12-31')""", % (doctype, '%s'), (next_date)) + + exception_list = [] + for ref_document, recurring_id in recurring_documents: + if not frappe.db.sql("""select name from `tab%s` + where transaction_date=%s and recurring_id=%s and docstatus=1""", + % (doctype, '%s', '%s'), (next_date, recurring_id)): + try: + ref_wrapper = frappe.get_doc(doctype, ref_document) + new_document_wrapper = make_new_document(ref_wrapper, next_date) + send_notification(new_document_wrapper) + if commit: + frappe.db.commit() + except: + if commit: + frappe.db.rollback() + + frappe.db.begin() + frappe.db.sql("update `tab%s` \ + set convert_into_recurring = 0 where name = %s", % (doctype, '%s'), + (ref_document)) + notify_errors(ref_document, doctype, ref_wrapper.customer, ref_wrapper.owner) + frappe.db.commit() + + exception_list.append(frappe.get_traceback()) + finally: + if commit: + frappe.db.begin() + + if exception_list: + exception_message = "\n\n".join([cstr(d) for d in exception_list]) + frappe.throw(exception_message) + +def make_new_document(ref_wrapper, posting_date): + from erpnext.accounts.utils import get_fiscal_year + new_document = frappe.copy_doc(ref_wrapper) + + mcount = month_map[ref_wrapper.recurring_type] + + period_from = get_next_date(ref_wrapper.period_from, mcount) + + # get last day of the month to maintain period if the from date is first day of its own month + # and to date is the last day of its own month + if (cstr(get_first_day(ref_wrapper.period_from)) == \ + cstr(ref_wrapper.period_from)) and \ + (cstr(get_last_day(ref_wrapper.period_to)) == \ + cstr(ref_wrapper.period_to)): + period_to = get_last_day(get_next_date(ref_wrapper.period_to, + mcount)) + else: + period_to = get_next_date(ref_wrapper.period_to, mcount) + + new_document.update({ + "transaction_date": posting_date, + "period_from": period_from, + "period_to": period_to, + "fiscal_year": get_fiscal_year(posting_date)[0], + "owner": ref_wrapper.owner, + }) + + if ref_wrapper.doctype == "Sales Order": + new_document.update({ + "delivery_date": get_next_date(ref_wrapper.delivery_date, mcount, + cint(ref_wrapper.repeat_on_day_of_month)) + }) + + new_document.submit() + + return new_document + +def get_next_date(dt, mcount, day=None): + dt = getdate(dt) + + from dateutil.relativedelta import relativedelta + dt += relativedelta(months=mcount, day=day) + + return dt + +def send_notification(new_rv): + """Notify concerned persons about recurring document generation""" + frappe.sendmail(new_rv.notification_email_address, + subject= _("New {0}: #{1}").format(new_rv.doctype, new_rv.name), + message = _("Please find attached {0} #{1}").format(new_rv.doctype, new_rv.name), + attachments = [{ + "fname": new_rv.name + ".pdf", + "fcontent": frappe.get_print_format(new_rv.doctype, new_rv.name, as_pdf=True) + }]) + +def notify_errors(doc, doctype, customer, owner): + from frappe.utils.user import get_system_managers + recipients = get_system_managers(only_name=True) + + frappe.sendmail(recipients + [frappe.db.get_value("User", owner, "email")], + subject="[Urgent] Error while creating recurring %s for %s" % (doctype, doc), + message = frappe.get_template("templates/emails/recurring_sales_invoice_failed.html").render({ + "type": doctype, + "name": doc, + "customer": customer + })) \ No newline at end of file diff --git a/erpnext/selling/doctype/sales_order/sales_order.json b/erpnext/selling/doctype/sales_order/sales_order.json index fb7e360940..e418ee91db 100644 --- a/erpnext/selling/doctype/sales_order/sales_order.json +++ b/erpnext/selling/doctype/sales_order/sales_order.json @@ -1,5 +1,6 @@ { - "allow_import": 1, + "allow_attach": 1, + "allow_import": 1, "autoname": "naming_series:", "creation": "2013-06-18 12:39:59", "docstatus": 0, @@ -169,6 +170,24 @@ "search_index": 1, "width": "160px" }, + { + "allow_on_submit": 1, + "description": "Start date of current order's period", + "fieldname": "period_from", + "fieldtype": "Date", + "label": "Order Period From", + "no_copy": 1, + "permlevel": 0 + }, + { + "allow_on_submit": 1, + "description": "End date of current order's period", + "fieldname": "period_to", + "fieldtype": "Date", + "label": "Order Period To", + "no_copy": 1, + "permlevel": 0 + }, { "description": "Customer's Purchase Order Number", "fieldname": "po_no", @@ -888,13 +907,121 @@ "options": "Sales Team", "permlevel": 0, "print_hide": 1 + }, + { + "fieldname": "recurring_order", + "fieldtype": "Section Break", + "label": "Recurring Order", + "options": "icon-time", + "permlevel": 0 + }, + { + "fieldname": "column_break82", + "fieldtype": "Column Break", + "label": "Column Break", + "permlevel": 0 + }, + { + "allow_on_submit": 1, + "depends_on": "eval:doc.docstatus<2", + "description": "Check if recurring order, uncheck to stop recurring or put proper End Date", + "fieldname": "convert_into_recurring", + "fieldtype": "Check", + "label": "Convert into Recurring Order", + "no_copy": 1, + "permlevel": 0, + "print_hide": 1 + }, + { + "allow_on_submit": 1, + "depends_on": "eval:doc.convert_into_recurring==1", + "description": "Select the period when the invoice will be generated automatically", + "fieldname": "recurring_type", + "fieldtype": "Select", + "label": "Recurring Type", + "no_copy": 1, + "options": "\nMonthly\nQuarterly\nHalf-yearly\nYearly", + "permlevel": 0, + "print_hide": 1 + }, + { + "allow_on_submit": 1, + "depends_on": "eval:doc.convert_into_recurring==1", + "description": "The day of the month on which auto order will be generated e.g. 05, 28 etc ", + "fieldname": "repeat_on_day_of_month", + "fieldtype": "Int", + "label": "Repeat on Day of Month", + "no_copy": 1, + "permlevel": 0, + "print_hide": 1 + }, + { + "depends_on": "eval:doc.convert_into_recurring==1", + "description": "The date on which next invoice will be generated. It is generated on submit.", + "fieldname": "next_date", + "fieldtype": "Date", + "label": "Next Date", + "no_copy": 1, + "permlevel": 0, + "print_hide": 1, + "read_only": 1 + }, + { + "allow_on_submit": 1, + "depends_on": "eval:doc.convert_into_recurring==1", + "description": "The date on which recurring order will be stop", + "fieldname": "end_date", + "fieldtype": "Date", + "label": "End Date", + "no_copy": 1, + "permlevel": 0, + "print_hide": 1 + }, + { + "fieldname": "column_break83", + "fieldtype": "Column Break", + "label": "Column Break", + "permlevel": 0, + "print_hide": 1 + }, + { + "depends_on": "eval:doc.convert_into_recurring==1", + "fieldname": "recurring_id", + "fieldtype": "Data", + "label": "Recurring Id", + "no_copy": 1, + "permlevel": 0, + "print_hide": 1, + "read_only": 1 + }, + { + "allow_on_submit": 1, + "depends_on": "eval:doc.convert_into_recurring==1", + "description": "Enter email id separated by commas, order will be mailed automatically on particular date", + "fieldname": "notification_email_address", + "fieldtype": "Small Text", + "ignore_user_permissions": 0, + "label": "Notification Email Address", + "no_copy": 1, + "permlevel": 0, + "print_hide": 1 + }, + { + "fieldname": "against_income_account", + "fieldtype": "Small Text", + "hidden": 1, + "label": "Against Income Account", + "no_copy": 1, + "permlevel": 0, + "print_hide": 1, + "report_hide": 1 } ], "icon": "icon-file-text", "idx": 1, "is_submittable": 1, "issingle": 0, - "modified": "2014-08-11 07:28:11.362232", + "modified": "2014-08-25 17:41:39.456399", "modified_by": "Administrator", "module": "Selling", "name": "Sales Order", diff --git a/erpnext/selling/doctype/sales_order/sales_order.py b/erpnext/selling/doctype/sales_order/sales_order.py index 37b26fdb48..37aca0a8ba 100644 --- a/erpnext/selling/doctype/sales_order/sales_order.py +++ b/erpnext/selling/doctype/sales_order/sales_order.py @@ -120,6 +120,8 @@ class SalesOrder(SellingController): if not self.billing_status: self.billing_status = 'Not Billed' if not self.delivery_status: self.delivery_status = 'Not Delivered' + self.validate_recurring_document() + def validate_warehouse(self): from erpnext.stock.utils import validate_warehouse_company @@ -161,6 +163,8 @@ class SalesOrder(SellingController): self.update_prevdoc_status('submit') frappe.db.set(self, 'status', 'Submitted') + + self.convert_to_recurring("SO/REC/.#####", self.transaction_date) def on_cancel(self): # Cannot cancel stopped SO @@ -249,6 +253,10 @@ class SalesOrder(SellingController): def get_portal_page(self): return "order" if self.docstatus==1 else None + def on_update_after_submit(self): + self.validate_recurring_document() + self.convert_to_recurring("SO/REC/.#####", self.transaction_date) + @frappe.whitelist() def make_material_request(source_name, target_doc=None): diff --git a/erpnext/templates/emails/recurring_invoice_failed.html b/erpnext/templates/emails/recurring_invoice_failed.html index 39690d8a85..a216e286a5 100644 --- a/erpnext/templates/emails/recurring_invoice_failed.html +++ b/erpnext/templates/emails/recurring_invoice_failed.html @@ -1,12 +1,12 @@ -

Recurring Invoice Failed

+

Recurring {{ type }} Failed

-

An error occured while creating recurring invoice {{ name }} for {{ customer }}.

-

This could be because of some invalid email ids in the invoice.

+

An error occured while creating recurring {{ type }} {{ name }} for {{ customer }}.

+

This could be because of some invalid email ids in the {{ type }}.

To stop sending repetitive error notifications from the system, we have unchecked -"Convert into Recurring" field in the invoice {{ name }}.

-

Please correct the invoice and make the invoice recurring again.

+"Convert into Recurring" field in the {{ type }} {{ name }}.

+

Please correct the {{ type }} and make the {{ type }} recurring again.


-

It is necessary to take this action today itself for the above mentioned recurring invoice +

It is necessary to take this action today itself for the above mentioned recurring {{ type }} to be generated. If delayed, you will have to manually change the "Repeat on Day of Month" field -of this invoice for generating the recurring invoice.

+of this {{ type }} for generating the recurring {{ type }}.

[This email is autogenerated]

From ac085e0f59d1f335af12f79393e1373c53a5950a Mon Sep 17 00:00:00 2001 From: ankitjavalkarwork Date: Tue, 26 Aug 2014 10:40:23 +0530 Subject: [PATCH 598/630] Add manage_recurring_documents and path to hooks, fix minor issues --- .../doctype/sales_invoice/sales_invoice.py | 170 +----------------- erpnext/controllers/accounts_controller.py | 6 +- erpnext/controllers/recurring_document.py | 16 +- erpnext/hooks.py | 2 +- 4 files changed, 21 insertions(+), 173 deletions(-) diff --git a/erpnext/accounts/doctype/sales_invoice/sales_invoice.py b/erpnext/accounts/doctype/sales_invoice/sales_invoice.py index 69a7def900..fc72562565 100644 --- a/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +++ b/erpnext/accounts/doctype/sales_invoice/sales_invoice.py @@ -103,7 +103,7 @@ class SalesInvoice(SellingController): self.update_c_form() self.update_time_log_batch(self.name) - self.convert_to_recurring("RECINV.#####", self.transaction_date) + self.convert_to_recurring("RECINV.#####", self.posting_date) def before_cancel(self): self.update_time_log_batch(None) @@ -145,7 +145,7 @@ class SalesInvoice(SellingController): def on_update_after_submit(self): self.validate_recurring_document() - self.convert_to_recurring("RECINV.#####", self.transaction_date) + self.convert_to_recurring("RECINV.#####", self.posting_date) def get_portal_page(self): return "invoice" if self.docstatus==1 else None @@ -592,172 +592,6 @@ class SalesInvoice(SellingController): grand_total = %s where invoice_no = %s and parent = %s""", (self.name, self.amended_from, self.c_form_no)) -# def validate_recurring_invoice(self): -# if self.convert_into_recurring_invoice: -# self.validate_notification_email_id() - -# if not self.recurring_type: -# msgprint(_("Please select {0}").format(self.meta.get_label("recurring_type")), -# raise_exception=1) - -# elif not (self.period_from and \ -# self.period_to): -# throw(_("Invoice Period From and Invoice Period To dates mandatory for recurring invoice")) - -# def convert_to_recurring(self): -# if self.convert_into_recurring_invoice: -# if not self.recurring_id: -# frappe.db.set(self, "recurring_id", -# make_autoname("RECINV/.#####")) - -# self.set_next_date() - -# elif self.recurring_id: -# frappe.db.sql("""update `tabSales Invoice` -# set convert_into_recurring_invoice = 0 -# where recurring_id = %s""", (self.recurring_id,)) - -# def validate_notification_email_id(self): -# if self.notification_email_address: -# email_list = filter(None, [cstr(email).strip() for email in -# self.notification_email_address.replace("\n", "").split(",")]) - -# from frappe.utils import validate_email_add -# for email in email_list: -# if not validate_email_add(email): -# throw(_("{0} is an invalid email address in 'Notification Email Address'").format(email)) - -# else: -# throw(_("'Notification Email Addresses' not specified for recurring invoice")) - -# def set_next_date(self): -# """ Set next date on which auto invoice will be created""" -# if not self.repeat_on_day_of_month: -# msgprint(_("Please enter 'Repeat on Day of Month' field value"), raise_exception=1) - -# next_date = get_next_date(self.posting_date, -# month_map[self.recurring_type], cint(self.repeat_on_day_of_month)) - -# frappe.db.set(self, 'next_date', next_date) - -# def get_next_date(dt, mcount, day=None): -# dt = getdate(dt) - -# from dateutil.relativedelta import relativedelta -# dt += relativedelta(months=mcount, day=day) - -# return dt - -# def manage_recurring_invoices(next_date=None, commit=True): -# """ -# Create recurring invoices on specific date by copying the original one -# and notify the concerned people -# """ -# next_date = next_date or nowdate() -# recurring_invoices = frappe.db.sql("""select name, recurring_id -# from `tabSales Invoice` where ifnull(convert_into_recurring_invoice, 0)=1 -# and docstatus=1 and next_date=%s -# and next_date <= ifnull(end_date, '2199-12-31')""", next_date) - -# exception_list = [] -# for ref_invoice, recurring_id in recurring_invoices: -# if not frappe.db.sql("""select name from `tabSales Invoice` -# where posting_date=%s and recurring_id=%s and docstatus=1""", -# (next_date, recurring_id)): -# try: -# ref_wrapper = frappe.get_doc('Sales Invoice', ref_invoice) -# new_invoice_wrapper = make_new_invoice(ref_wrapper, next_date) -# send_notification(new_invoice_wrapper) -# if commit: -# frappe.db.commit() -# except: -# if commit: -# frappe.db.rollback() - -# frappe.db.begin() -# frappe.db.sql("update `tabSales Invoice` set \ -# convert_into_recurring_invoice = 0 where name = %s", ref_invoice) -# notify_errors(ref_invoice, ref_wrapper.customer, ref_wrapper.owner) -# frappe.db.commit() - -# exception_list.append(frappe.get_traceback()) -# finally: -# if commit: -# frappe.db.begin() - -# if exception_list: -# exception_message = "\n\n".join([cstr(d) for d in exception_list]) -# frappe.throw(exception_message) - -# def make_new_invoice(ref_wrapper, posting_date): -# from erpnext.accounts.utils import get_fiscal_year -# new_invoice = frappe.copy_doc(ref_wrapper) - -# mcount = month_map[ref_wrapper.recurring_type] - -# period_from = get_next_date(ref_wrapper.period_from, mcount) - -# # get last day of the month to maintain period if the from date is first day of its own month -# # and to date is the last day of its own month -# if (cstr(get_first_day(ref_wrapper.period_from)) == \ -# cstr(ref_wrapper.period_from)) and \ -# (cstr(get_last_day(ref_wrapper.period_to)) == \ -# cstr(ref_wrapper.period_to)): -# period_to = get_last_day(get_next_date(ref_wrapper.period_to, -# mcount)) -# else: -# period_to = get_next_date(ref_wrapper.period_to, mcount) - -# new_invoice.update({ -# "posting_date": posting_date, -# "aging_date": posting_date, -# "due_date": add_days(posting_date, cint(date_diff(ref_wrapper.due_date, -# ref_wrapper.posting_date))), -# "period_from": period_from, -# "period_to": period_to, -# "fiscal_year": get_fiscal_year(posting_date)[0], -# "owner": ref_wrapper.owner, -# }) - -# new_invoice.submit() - -# return new_invoice - -# def send_notification(new_rv): -# """Notify concerned persons about recurring invoice generation""" -# frappe.sendmail(new_rv.notification_email_address, -# subject="New Invoice : " + new_rv.name, -# message = _("Please find attached Sales Invoice #{0}").format(new_rv.name), -# attachments = [{ -# "fname": new_rv.name + ".pdf", -# "fcontent": frappe.get_print_format(new_rv.doctype, new_rv.name, as_pdf=True) -# }]) - -# def notify_errors(inv, customer, owner): -# from frappe.utils.user import get_system_managers -# recipients=get_system_managers(only_name=True) - -# frappe.sendmail(recipients + [frappe.db.get_value("User", owner, "email")], -# subject="[Urgent] Error while creating recurring invoice for %s" % inv, -# message = frappe.get_template("templates/emails/recurring_invoice_failed.html").render({ -# "name": inv, -# "customer": customer -# })) - - assign_task_to_owner(inv, "Recurring Invoice Failed", recipients) - -def assign_task_to_owner(inv, msg, users): - for d in users: - from frappe.widgets.form import assign_to - args = { - 'assign_to' : d, - 'doctype' : 'Sales Invoice', - 'name' : inv, - 'description' : msg, - 'priority' : 'High' - } - assign_to.add(args) - @frappe.whitelist() def get_bank_cash_account(mode_of_payment): val = frappe.db.get_value("Mode of Payment", mode_of_payment, "default_account") diff --git a/erpnext/controllers/accounts_controller.py b/erpnext/controllers/accounts_controller.py index 9aa93ac8a0..d9705c25ec 100644 --- a/erpnext/controllers/accounts_controller.py +++ b/erpnext/controllers/accounts_controller.py @@ -464,9 +464,9 @@ class AccountsController(TransactionBase): self.set_next_date(posting_date) elif self.recurring_id: - frappe.db.sql("""update `tab%s` \ - set convert_into_recurring = 0 \ - where recurring_id = %s""", % (self.doctype, '%s'), (self.recurring_id)) + frappe.db.sql("""update `tab%s` + set convert_into_recurring = 0 + where recurring_id = %s""" % (self.doctype, '%s'), (self.recurring_id)) def validate_notification_email_id(self): if self.notification_email_address: diff --git a/erpnext/controllers/recurring_document.py b/erpnext/controllers/recurring_document.py index ad32371b86..24e3845205 100644 --- a/erpnext/controllers/recurring_document.py +++ b/erpnext/controllers/recurring_document.py @@ -118,4 +118,18 @@ def notify_errors(doc, doctype, customer, owner): "type": doctype, "name": doc, "customer": customer - })) \ No newline at end of file + })) + + assign_task_to_owner(doc, doctype, "Recurring Invoice Failed", recipients) + +def assign_task_to_owner(doc, doctype, msg, users): + for d in users: + from frappe.widgets.form import assign_to + args = { + 'assign_to' : d, + 'doctype' : doctype, + 'name' : doc, + 'description' : msg, + 'priority' : 'High' + } + assign_to.add(args) \ No newline at end of file diff --git a/erpnext/hooks.py b/erpnext/hooks.py index df15916f7a..5466f2a0d8 100644 --- a/erpnext/hooks.py +++ b/erpnext/hooks.py @@ -64,7 +64,7 @@ scheduler_events = { "erpnext.selling.doctype.lead.get_leads.get_leads" ], "daily": [ - "erpnext.accounts.doctype.sales_invoice.sales_invoice.manage_recurring_invoices", + "erpnext.controllers.recurring_document.manage_recurring_documents" "erpnext.stock.utils.reorder_item", "erpnext.setup.doctype.email_digest.email_digest.send", "erpnext.support.doctype.support_ticket.support_ticket.auto_close_tickets" From e60822b094bb5cd369f17a2da7e63a082b2df572 Mon Sep 17 00:00:00 2001 From: ankitjavalkarwork Date: Tue, 26 Aug 2014 14:29:06 +0530 Subject: [PATCH 599/630] Add tests for Recurring Document, Sales Inv, Sales Order, fix minor errors --- .../sales_invoice/test_sales_invoice.py | 233 +++++++++--------- erpnext/controllers/accounts_controller.py | 38 +-- erpnext/controllers/recurring_document.py | 23 +- erpnext/controllers/tests/__init__.py | 1 + .../tests/test_recurring_document.py | 165 +++++++++++++ .../doctype/sales_order/test_sales_order.py | 5 + 6 files changed, 326 insertions(+), 139 deletions(-) create mode 100644 erpnext/controllers/tests/__init__.py create mode 100644 erpnext/controllers/tests/test_recurring_document.py diff --git a/erpnext/accounts/doctype/sales_invoice/test_sales_invoice.py b/erpnext/accounts/doctype/sales_invoice/test_sales_invoice.py index 44bd451ed8..c84d172129 100644 --- a/erpnext/accounts/doctype/sales_invoice/test_sales_invoice.py +++ b/erpnext/accounts/doctype/sales_invoice/test_sales_invoice.py @@ -665,143 +665,148 @@ class TestSalesInvoice(unittest.TestCase): where against_invoice=%s""", si.name)) def test_recurring_invoice(self): - from frappe.utils import get_first_day, get_last_day, add_to_date, nowdate, getdate - from erpnext.accounts.utils import get_fiscal_year - today = nowdate() - base_si = frappe.copy_doc(test_records[0]) - base_si.update({ - "convert_into_recurring_invoice": 1, - "recurring_type": "Monthly", - "notification_email_address": "test@example.com, test1@example.com, test2@example.com", - "repeat_on_day_of_month": getdate(today).day, - "posting_date": today, - "due_date": None, - "fiscal_year": get_fiscal_year(today)[0], - "period_from": get_first_day(today), - "period_to": get_last_day(today) - }) + from erpnext.controllers.tests.test_recurring_document import test_recurring_document - # monthly - si1 = frappe.copy_doc(base_si) - si1.insert() - si1.submit() - self._test_recurring_invoice(si1, True) + test_recurring_document(self, test_records) - # monthly without a first and last day period - si2 = frappe.copy_doc(base_si) - si2.update({ - "period_from": today, - "period_to": add_to_date(today, days=30) - }) - si2.insert() - si2.submit() - self._test_recurring_invoice(si2, False) + # def test_recurring_invoice(self): + # from frappe.utils import get_first_day, get_last_day, add_to_date, nowdate, getdate + # from erpnext.accounts.utils import get_fiscal_year + # today = nowdate() + # base_si = frappe.copy_doc(test_records[0]) + # base_si.update({ + # "convert_into_recurring_invoice": 1, + # "recurring_type": "Monthly", + # "notification_email_address": "test@example.com, test1@example.com, test2@example.com", + # "repeat_on_day_of_month": getdate(today).day, + # "posting_date": today, + # "due_date": None, + # "fiscal_year": get_fiscal_year(today)[0], + # "period_from": get_first_day(today), + # "period_to": get_last_day(today) + # }) - # quarterly - si3 = frappe.copy_doc(base_si) - si3.update({ - "recurring_type": "Quarterly", - "period_from": get_first_day(today), - "period_to": get_last_day(add_to_date(today, months=3)) - }) - si3.insert() - si3.submit() - self._test_recurring_invoice(si3, True) + # # monthly + # si1 = frappe.copy_doc(base_si) + # si1.insert() + # si1.submit() + # self._test_recurring_invoice(si1, True) - # quarterly without a first and last day period - si4 = frappe.copy_doc(base_si) - si4.update({ - "recurring_type": "Quarterly", - "period_from": today, - "period_to": add_to_date(today, months=3) - }) - si4.insert() - si4.submit() - self._test_recurring_invoice(si4, False) + # # monthly without a first and last day period + # si2 = frappe.copy_doc(base_si) + # si2.update({ + # "period_from": today, + # "period_to": add_to_date(today, days=30) + # }) + # si2.insert() + # si2.submit() + # self._test_recurring_invoice(si2, False) - # yearly - si5 = frappe.copy_doc(base_si) - si5.update({ - "recurring_type": "Yearly", - "period_from": get_first_day(today), - "period_to": get_last_day(add_to_date(today, years=1)) - }) - si5.insert() - si5.submit() - self._test_recurring_invoice(si5, True) + # # quarterly + # si3 = frappe.copy_doc(base_si) + # si3.update({ + # "recurring_type": "Quarterly", + # "period_from": get_first_day(today), + # "period_to": get_last_day(add_to_date(today, months=3)) + # }) + # si3.insert() + # si3.submit() + # self._test_recurring_invoice(si3, True) - # yearly without a first and last day period - si6 = frappe.copy_doc(base_si) - si6.update({ - "recurring_type": "Yearly", - "period_from": today, - "period_to": add_to_date(today, years=1) - }) - si6.insert() - si6.submit() - self._test_recurring_invoice(si6, False) + # # quarterly without a first and last day period + # si4 = frappe.copy_doc(base_si) + # si4.update({ + # "recurring_type": "Quarterly", + # "period_from": today, + # "period_to": add_to_date(today, months=3) + # }) + # si4.insert() + # si4.submit() + # self._test_recurring_invoice(si4, False) - # change posting date but keep recuring day to be today - si7 = frappe.copy_doc(base_si) - si7.update({ - "posting_date": add_to_date(today, days=-1) - }) - si7.insert() - si7.submit() + # # yearly + # si5 = frappe.copy_doc(base_si) + # si5.update({ + # "recurring_type": "Yearly", + # "period_from": get_first_day(today), + # "period_to": get_last_day(add_to_date(today, years=1)) + # }) + # si5.insert() + # si5.submit() + # self._test_recurring_invoice(si5, True) - # setting so that _test function works - si7.posting_date = today - self._test_recurring_invoice(si7, True) + # # yearly without a first and last day period + # si6 = frappe.copy_doc(base_si) + # si6.update({ + # "recurring_type": "Yearly", + # "period_from": today, + # "period_to": add_to_date(today, years=1) + # }) + # si6.insert() + # si6.submit() + # self._test_recurring_invoice(si6, False) - def _test_recurring_invoice(self, base_si, first_and_last_day): - from frappe.utils import add_months, get_last_day - from erpnext.accounts.doctype.sales_invoice.sales_invoice \ - import manage_recurring_invoices, get_next_date + # # change posting date but keep recuring day to be today + # si7 = frappe.copy_doc(base_si) + # si7.update({ + # "posting_date": add_to_date(today, days=-1) + # }) + # si7.insert() + # si7.submit() - no_of_months = ({"Monthly": 1, "Quarterly": 3, "Yearly": 12})[base_si.recurring_type] + # # setting so that _test function works + # si7.posting_date = today + # self._test_recurring_invoice(si7, True) - def _test(i): - self.assertEquals(i+1, frappe.db.sql("""select count(*) from `tabSales Invoice` - where recurring_id=%s and docstatus=1""", base_si.recurring_id)[0][0]) + # def _test_recurring_invoice(self, base_si, first_and_last_day): + # from frappe.utils import add_months, get_last_day + # from erpnext.accounts.doctype.sales_invoice.sales_invoice \ + # import manage_recurring_invoices, get_next_date - next_date = get_next_date(base_si.posting_date, no_of_months, - base_si.repeat_on_day_of_month) + # no_of_months = ({"Monthly": 1, "Quarterly": 3, "Yearly": 12})[base_si.recurring_type] - manage_recurring_invoices(next_date=next_date, commit=False) + # def _test(i): + # self.assertEquals(i+1, frappe.db.sql("""select count(*) from `tabSales Invoice` + # where recurring_id=%s and docstatus=1""", base_si.recurring_id)[0][0]) - recurred_invoices = frappe.db.sql("""select name from `tabSales Invoice` - where recurring_id=%s and docstatus=1 order by name desc""", - base_si.recurring_id) + # next_date = get_next_date(base_si.posting_date, no_of_months, + # base_si.repeat_on_day_of_month) - self.assertEquals(i+2, len(recurred_invoices)) + # manage_recurring_invoices(next_date=next_date, commit=False) - new_si = frappe.get_doc("Sales Invoice", recurred_invoices[0][0]) + # recurred_invoices = frappe.db.sql("""select name from `tabSales Invoice` + # where recurring_id=%s and docstatus=1 order by name desc""", + # base_si.recurring_id) - for fieldname in ["convert_into_recurring_invoice", "recurring_type", - "repeat_on_day_of_month", "notification_email_address"]: - self.assertEquals(base_si.get(fieldname), - new_si.get(fieldname)) + # self.assertEquals(i+2, len(recurred_invoices)) - self.assertEquals(new_si.posting_date, unicode(next_date)) + # new_si = frappe.get_doc("Sales Invoice", recurred_invoices[0][0]) - self.assertEquals(new_si.period_from, - unicode(add_months(base_si.period_from, no_of_months))) + # for fieldname in ["convert_into_recurring_invoice", "recurring_type", + # "repeat_on_day_of_month", "notification_email_address"]: + # self.assertEquals(base_si.get(fieldname), + # new_si.get(fieldname)) - if first_and_last_day: - self.assertEquals(new_si.period_to, - unicode(get_last_day(add_months(base_si.period_to, - no_of_months)))) - else: - self.assertEquals(new_si.period_to, - unicode(add_months(base_si.period_to, no_of_months))) + # self.assertEquals(new_si.posting_date, unicode(next_date)) + + # self.assertEquals(new_si.period_from, + # unicode(add_months(base_si.period_from, no_of_months))) + + # if first_and_last_day: + # self.assertEquals(new_si.period_to, + # unicode(get_last_day(add_months(base_si.period_to, + # no_of_months)))) + # else: + # self.assertEquals(new_si.period_to, + # unicode(add_months(base_si.period_to, no_of_months))) - return new_si + # return new_si - # if yearly, test 1 repetition, else test 5 repetitions - count = 1 if (no_of_months == 12) else 5 - for i in xrange(count): - base_si = _test(i) + # # if yearly, test 1 repetition, else test 5 repetitions + # count = 1 if (no_of_months == 12) else 5 + # for i in xrange(count): + # base_si = _test(i) def clear_stock_account_balance(self): frappe.db.sql("delete from `tabStock Ledger Entry`") diff --git a/erpnext/controllers/accounts_controller.py b/erpnext/controllers/accounts_controller.py index d9705c25ec..4a23673630 100644 --- a/erpnext/controllers/accounts_controller.py +++ b/erpnext/controllers/accounts_controller.py @@ -4,7 +4,9 @@ from __future__ import unicode_literals import frappe from frappe import _, throw -from frappe.utils import flt, cint, today +from frappe.utils import add_days, cint, cstr, today, date_diff, flt, getdate, nowdate, \ + get_first_day, get_last_day +from frappe.model.naming import make_autoname from erpnext.setup.utils import get_company_currency, get_exchange_rate from erpnext.accounts.utils import get_fiscal_year, validate_fiscal_year from erpnext.utilities.transaction_base import TransactionBase @@ -428,22 +430,6 @@ class AccountsController(TransactionBase): return stock_items - @property - def company_abbr(self): - if not hasattr(self, "_abbr"): - self._abbr = frappe.db.get_value("Company", self.company, "abbr") - - return self._abbr - - def check_credit_limit(self, account): - total_outstanding = frappe.db.sql(""" - select sum(ifnull(debit, 0)) - sum(ifnull(credit, 0)) - from `tabGL Entry` where account = %s""", account) - - total_outstanding = total_outstanding[0][0] if total_outstanding else 0 - if total_outstanding: - frappe.get_doc('Account', account).check_credit_limit(total_outstanding) - def validate_recurring_document(self): if self.convert_into_recurring: self.validate_notification_email_id() @@ -468,6 +454,22 @@ class AccountsController(TransactionBase): set convert_into_recurring = 0 where recurring_id = %s""" % (self.doctype, '%s'), (self.recurring_id)) + @property + def company_abbr(self): + if not hasattr(self, "_abbr"): + self._abbr = frappe.db.get_value("Company", self.company, "abbr") + + return self._abbr + + def check_credit_limit(self, account): + total_outstanding = frappe.db.sql(""" + select sum(ifnull(debit, 0)) - sum(ifnull(credit, 0)) + from `tabGL Entry` where account = %s""", account) + + total_outstanding = total_outstanding[0][0] if total_outstanding else 0 + if total_outstanding: + frappe.get_doc('Account', account).check_credit_limit(total_outstanding) + def validate_notification_email_id(self): if self.notification_email_address: email_list = filter(None, [cstr(email).strip() for email in @@ -487,6 +489,8 @@ class AccountsController(TransactionBase): """ Set next date on which recurring document will be created""" from erpnext.controllers.recurring_document import get_next_date + month_map = {'Monthly': 1, 'Quarterly': 3, 'Half-yearly': 6, 'Yearly': 12} + if not self.repeat_on_day_of_month: msgprint(_("Please enter 'Repeat on Day of Month' field value"), raise_exception=1) diff --git a/erpnext/controllers/recurring_document.py b/erpnext/controllers/recurring_document.py index 24e3845205..d3c7809614 100644 --- a/erpnext/controllers/recurring_document.py +++ b/erpnext/controllers/recurring_document.py @@ -11,25 +11,33 @@ from frappe import _, msgprint, throw from erpnext.accounts.party import get_party_account, get_due_date, get_party_details from frappe.model.mapper import get_mapped_doc +month_map = {'Monthly': 1, 'Quarterly': 3, 'Half-yearly': 6, 'Yearly': 12} + def manage_recurring_documents(doctype, next_date=None, commit=True): """ Create recurring documents on specific date by copying the original one and notify the concerned people """ next_date = next_date or nowdate() + + if doctype == "Sales Order": + date_field = "transaction_date" + elif doctype == "Sales Invoice": + date_field = "posting_date" + recurring_documents = frappe.db.sql("""select name, recurring_id from `tab%s` where ifnull(convert_into_recurring, 0)=1 and docstatus=1 and next_date=%s - and next_date <= ifnull(end_date, '2199-12-31')""", % (doctype, '%s'), (next_date)) + and next_date <= ifnull(end_date, '2199-12-31')""" % (doctype, '%s'), (next_date)) exception_list = [] for ref_document, recurring_id in recurring_documents: if not frappe.db.sql("""select name from `tab%s` - where transaction_date=%s and recurring_id=%s and docstatus=1""", - % (doctype, '%s', '%s'), (next_date, recurring_id)): + where %s=%s and recurring_id=%s and docstatus=1""" + % (doctype, date_field, '%s', '%s'), (next_date, recurring_id)): try: ref_wrapper = frappe.get_doc(doctype, ref_document) - new_document_wrapper = make_new_document(ref_wrapper, next_date) + new_document_wrapper = make_new_document(ref_wrapper, date_field, next_date) send_notification(new_document_wrapper) if commit: frappe.db.commit() @@ -39,7 +47,7 @@ def manage_recurring_documents(doctype, next_date=None, commit=True): frappe.db.begin() frappe.db.sql("update `tab%s` \ - set convert_into_recurring = 0 where name = %s", % (doctype, '%s'), + set convert_into_recurring = 0 where name = %s" % (doctype, '%s'), (ref_document)) notify_errors(ref_document, doctype, ref_wrapper.customer, ref_wrapper.owner) frappe.db.commit() @@ -53,10 +61,9 @@ def manage_recurring_documents(doctype, next_date=None, commit=True): exception_message = "\n\n".join([cstr(d) for d in exception_list]) frappe.throw(exception_message) -def make_new_document(ref_wrapper, posting_date): +def make_new_document(ref_wrapper, date_field, posting_date): from erpnext.accounts.utils import get_fiscal_year new_document = frappe.copy_doc(ref_wrapper) - mcount = month_map[ref_wrapper.recurring_type] period_from = get_next_date(ref_wrapper.period_from, mcount) @@ -73,7 +80,7 @@ def make_new_document(ref_wrapper, posting_date): period_to = get_next_date(ref_wrapper.period_to, mcount) new_document.update({ - "transaction_date": posting_date, + date_field: posting_date, "period_from": period_from, "period_to": period_to, "fiscal_year": get_fiscal_year(posting_date)[0], diff --git a/erpnext/controllers/tests/__init__.py b/erpnext/controllers/tests/__init__.py new file mode 100644 index 0000000000..60bec4fbec --- /dev/null +++ b/erpnext/controllers/tests/__init__.py @@ -0,0 +1 @@ +from erpnext.__version__ import __version__ diff --git a/erpnext/controllers/tests/test_recurring_document.py b/erpnext/controllers/tests/test_recurring_document.py new file mode 100644 index 0000000000..d31f6324bb --- /dev/null +++ b/erpnext/controllers/tests/test_recurring_document.py @@ -0,0 +1,165 @@ +# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors +# License: GNU General Public License v3. See license.txt + +import frappe +import unittest, json, copy +from frappe.utils import flt +import frappe.permissions +from erpnext.accounts.utils import get_stock_and_account_difference +from erpnext.stock.doctype.purchase_receipt.test_purchase_receipt import set_perpetual_inventory +from erpnext.projects.doctype.time_log_batch.test_time_log_batch import * + +def test_recurring_document(obj, test_records): + from frappe.utils import get_first_day, get_last_day, add_to_date, nowdate, getdate, add_days + from erpnext.accounts.utils import get_fiscal_year + today = nowdate() + base_doc = frappe.copy_doc(test_records[0]) + + base_doc.update({ + "convert_into_recurring": 1, + "recurring_type": "Monthly", + "notification_email_address": "test@example.com, test1@example.com, test2@example.com", + "repeat_on_day_of_month": getdate(today).day, + "due_date": None, + "fiscal_year": get_fiscal_year(today)[0], + "period_from": get_first_day(today), + "period_to": get_last_day(today) + }) + + if base_doc.doctype == "Sales Order": + base_doc.update({ + "transaction_date": today, + "delivery_date": add_days(today, 15) + }) + elif base_doc.doctype == "Sales Invoice": + base_doc.update({ + "posting_date": today + }) + + if base_doc.doctype == "Sales Order": + date_field = "transaction_date" + elif base_doc.doctype == "Sales Invoice": + date_field = "posting_date" + + # monthly + doc1 = frappe.copy_doc(base_doc) + doc1.insert() + doc1.submit() + _test_recurring_document(obj, doc1, date_field, True) + + # monthly without a first and last day period + doc2 = frappe.copy_doc(base_doc) + doc2.update({ + "period_from": today, + "period_to": add_to_date(today, days=30) + }) + doc2.insert() + doc2.submit() + _test_recurring_document(obj, doc2, date_field, False) + + # quarterly + doc3 = frappe.copy_doc(base_doc) + doc3.update({ + "recurring_type": "Quarterly", + "period_from": get_first_day(today), + "period_to": get_last_day(add_to_date(today, months=3)) + }) + doc3.insert() + doc3.submit() + _test_recurring_document(obj, doc3, date_field, True) + + # quarterly without a first and last day period + doc4 = frappe.copy_doc(base_doc) + doc4.update({ + "recurring_type": "Quarterly", + "period_from": today, + "period_to": add_to_date(today, months=3) + }) + doc4.insert() + doc4.submit() + _test_recurring_document(obj, doc4, date_field, False) + + # yearly + doc5 = frappe.copy_doc(base_doc) + doc5.update({ + "recurring_type": "Yearly", + "period_from": get_first_day(today), + "period_to": get_last_day(add_to_date(today, years=1)) + }) + doc5.insert() + doc5.submit() + _test_recurring_document(obj, doc5, date_field, True) + + # yearly without a first and last day period + doc6 = frappe.copy_doc(base_doc) + doc6.update({ + "recurring_type": "Yearly", + "period_from": today, + "period_to": add_to_date(today, years=1) + }) + doc6.insert() + doc6.submit() + _test_recurring_document(obj, doc6, date_field, False) + + # change date field but keep recurring day to be today + doc7 = frappe.copy_doc(base_doc) + doc7.update({ + date_field: add_to_date(today, days=-1) + }) + doc7.insert() + doc7.submit() + + # setting so that _test function works + doc7.set(date_field, today) + _test_recurring_document(obj, doc7, date_field, True) + +def _test_recurring_document(obj, base_doc, date_field, first_and_last_day): + from frappe.utils import add_months, get_last_day + from erpnext.controllers.recurring_document import manage_recurring_documents, \ + get_next_date + + no_of_months = ({"Monthly": 1, "Quarterly": 3, "Yearly": 12})[base_doc.recurring_type] + + def _test(i): + obj.assertEquals(i+1, frappe.db.sql("""select count(*) from `tab%s` + where recurring_id=%s and docstatus=1""" % (base_doc.doctype, '%s'), + (base_doc.recurring_id))[0][0]) + + next_date = get_next_date(base_doc.get(date_field), no_of_months, + base_doc.repeat_on_day_of_month) + + manage_recurring_documents(base_doc.doctype, next_date=next_date, commit=False) + + recurred_documents = frappe.db.sql("""select name from `tab%s` + where recurring_id=%s and docstatus=1 order by name desc""" + % (base_doc.doctype, '%s'), (base_doc.recurring_id)) + + obj.assertEquals(i+2, len(recurred_documents)) + + new_doc = frappe.get_doc(base_doc.doctype, recurred_documents[0][0]) + + for fieldname in ["convert_into_recurring", "recurring_type", + "repeat_on_day_of_month", "notification_email_address"]: + obj.assertEquals(base_doc.get(fieldname), + new_doc.get(fieldname)) + + obj.assertEquals(new_doc.get(date_field), unicode(next_date)) + + obj.assertEquals(new_doc.period_from, + unicode(add_months(base_doc.period_from, no_of_months))) + + if first_and_last_day: + obj.assertEquals(new_doc.period_to, + unicode(get_last_day(add_months(base_doc.period_to, + no_of_months)))) + else: + obj.assertEquals(new_doc.period_to, + unicode(add_months(base_doc.period_to, no_of_months))) + + + return new_doc + + # if yearly, test 1 repetition, else test 5 repetitions + count = 1 if (no_of_months == 12) else 5 + for i in xrange(count): + base_doc = _test(i) \ No newline at end of file diff --git a/erpnext/selling/doctype/sales_order/test_sales_order.py b/erpnext/selling/doctype/sales_order/test_sales_order.py index 128c5774d9..c55b7b383f 100644 --- a/erpnext/selling/doctype/sales_order/test_sales_order.py +++ b/erpnext/selling/doctype/sales_order/test_sales_order.py @@ -331,6 +331,11 @@ class TestSalesOrder(unittest.TestCase): self.assertRaises(frappe.CancelledLinkError, delivery_note.submit) + def test_recurring_order(self): + from erpnext.controllers.tests.test_recurring_document import test_recurring_document + + test_recurring_document(self, test_records) + test_dependencies = ["Sales BOM", "Currency Exchange"] test_records = frappe.get_test_records('Sales Order') From 28a975dd322cd7c0ca1d3405c0860e990bcfc6b0 Mon Sep 17 00:00:00 2001 From: ankitjavalkarwork Date: Tue, 26 Aug 2014 15:04:56 +0530 Subject: [PATCH 600/630] Add patch for field name change in SI, rename email template --- .../sales_invoice/test_sales_invoice.py | 139 ------------------ erpnext/patches.txt | 4 + .../update_sales_order_invoice_field_name.py | 6 + ...ed.html => recurring_document_failed.html} | 0 4 files changed, 10 insertions(+), 139 deletions(-) create mode 100644 erpnext/patches/v4_2/update_sales_order_invoice_field_name.py rename erpnext/templates/emails/{recurring_invoice_failed.html => recurring_document_failed.html} (100%) diff --git a/erpnext/accounts/doctype/sales_invoice/test_sales_invoice.py b/erpnext/accounts/doctype/sales_invoice/test_sales_invoice.py index c84d172129..8231650167 100644 --- a/erpnext/accounts/doctype/sales_invoice/test_sales_invoice.py +++ b/erpnext/accounts/doctype/sales_invoice/test_sales_invoice.py @@ -669,145 +669,6 @@ class TestSalesInvoice(unittest.TestCase): test_recurring_document(self, test_records) - # def test_recurring_invoice(self): - # from frappe.utils import get_first_day, get_last_day, add_to_date, nowdate, getdate - # from erpnext.accounts.utils import get_fiscal_year - # today = nowdate() - # base_si = frappe.copy_doc(test_records[0]) - # base_si.update({ - # "convert_into_recurring_invoice": 1, - # "recurring_type": "Monthly", - # "notification_email_address": "test@example.com, test1@example.com, test2@example.com", - # "repeat_on_day_of_month": getdate(today).day, - # "posting_date": today, - # "due_date": None, - # "fiscal_year": get_fiscal_year(today)[0], - # "period_from": get_first_day(today), - # "period_to": get_last_day(today) - # }) - - # # monthly - # si1 = frappe.copy_doc(base_si) - # si1.insert() - # si1.submit() - # self._test_recurring_invoice(si1, True) - - # # monthly without a first and last day period - # si2 = frappe.copy_doc(base_si) - # si2.update({ - # "period_from": today, - # "period_to": add_to_date(today, days=30) - # }) - # si2.insert() - # si2.submit() - # self._test_recurring_invoice(si2, False) - - # # quarterly - # si3 = frappe.copy_doc(base_si) - # si3.update({ - # "recurring_type": "Quarterly", - # "period_from": get_first_day(today), - # "period_to": get_last_day(add_to_date(today, months=3)) - # }) - # si3.insert() - # si3.submit() - # self._test_recurring_invoice(si3, True) - - # # quarterly without a first and last day period - # si4 = frappe.copy_doc(base_si) - # si4.update({ - # "recurring_type": "Quarterly", - # "period_from": today, - # "period_to": add_to_date(today, months=3) - # }) - # si4.insert() - # si4.submit() - # self._test_recurring_invoice(si4, False) - - # # yearly - # si5 = frappe.copy_doc(base_si) - # si5.update({ - # "recurring_type": "Yearly", - # "period_from": get_first_day(today), - # "period_to": get_last_day(add_to_date(today, years=1)) - # }) - # si5.insert() - # si5.submit() - # self._test_recurring_invoice(si5, True) - - # # yearly without a first and last day period - # si6 = frappe.copy_doc(base_si) - # si6.update({ - # "recurring_type": "Yearly", - # "period_from": today, - # "period_to": add_to_date(today, years=1) - # }) - # si6.insert() - # si6.submit() - # self._test_recurring_invoice(si6, False) - - # # change posting date but keep recuring day to be today - # si7 = frappe.copy_doc(base_si) - # si7.update({ - # "posting_date": add_to_date(today, days=-1) - # }) - # si7.insert() - # si7.submit() - - # # setting so that _test function works - # si7.posting_date = today - # self._test_recurring_invoice(si7, True) - - # def _test_recurring_invoice(self, base_si, first_and_last_day): - # from frappe.utils import add_months, get_last_day - # from erpnext.accounts.doctype.sales_invoice.sales_invoice \ - # import manage_recurring_invoices, get_next_date - - # no_of_months = ({"Monthly": 1, "Quarterly": 3, "Yearly": 12})[base_si.recurring_type] - - # def _test(i): - # self.assertEquals(i+1, frappe.db.sql("""select count(*) from `tabSales Invoice` - # where recurring_id=%s and docstatus=1""", base_si.recurring_id)[0][0]) - - # next_date = get_next_date(base_si.posting_date, no_of_months, - # base_si.repeat_on_day_of_month) - - # manage_recurring_invoices(next_date=next_date, commit=False) - - # recurred_invoices = frappe.db.sql("""select name from `tabSales Invoice` - # where recurring_id=%s and docstatus=1 order by name desc""", - # base_si.recurring_id) - - # self.assertEquals(i+2, len(recurred_invoices)) - - # new_si = frappe.get_doc("Sales Invoice", recurred_invoices[0][0]) - - # for fieldname in ["convert_into_recurring_invoice", "recurring_type", - # "repeat_on_day_of_month", "notification_email_address"]: - # self.assertEquals(base_si.get(fieldname), - # new_si.get(fieldname)) - - # self.assertEquals(new_si.posting_date, unicode(next_date)) - - # self.assertEquals(new_si.period_from, - # unicode(add_months(base_si.period_from, no_of_months))) - - # if first_and_last_day: - # self.assertEquals(new_si.period_to, - # unicode(get_last_day(add_months(base_si.period_to, - # no_of_months)))) - # else: - # self.assertEquals(new_si.period_to, - # unicode(add_months(base_si.period_to, no_of_months))) - - - # return new_si - - # # if yearly, test 1 repetition, else test 5 repetitions - # count = 1 if (no_of_months == 12) else 5 - # for i in xrange(count): - # base_si = _test(i) - def clear_stock_account_balance(self): frappe.db.sql("delete from `tabStock Ledger Entry`") frappe.db.sql("delete from tabBin") diff --git a/erpnext/patches.txt b/erpnext/patches.txt index d744fee784..cde43f347e 100644 --- a/erpnext/patches.txt +++ b/erpnext/patches.txt @@ -78,4 +78,8 @@ erpnext.patches.v4_2.update_project_milestones erpnext.patches.v4_2.add_currency_turkish_lira #2014-08-08 execute:frappe.delete_doc("DocType", "Landed Cost Wizard") erpnext.patches.v4_2.default_website_style +<<<<<<< HEAD erpnext.patches.v4_2.set_company_country +======= +erpnext.patches.v4_2.update_sales_order_invoice_field_name +>>>>>>> Add patch for field name change in SI, rename email template diff --git a/erpnext/patches/v4_2/update_sales_order_invoice_field_name.py b/erpnext/patches/v4_2/update_sales_order_invoice_field_name.py new file mode 100644 index 0000000000..1ae3eb0764 --- /dev/null +++ b/erpnext/patches/v4_2/update_sales_order_invoice_field_name.py @@ -0,0 +1,6 @@ +import frappe + +def execute(): + frappe.reload_doc('selling', 'doctype', 'sales_order') + frappe.db.sql("""update `tabSales Invoice` set period_from = order_period_from, + period_to = order_period_to, convert_into_recurring = convert_into_recurring_order""") diff --git a/erpnext/templates/emails/recurring_invoice_failed.html b/erpnext/templates/emails/recurring_document_failed.html similarity index 100% rename from erpnext/templates/emails/recurring_invoice_failed.html rename to erpnext/templates/emails/recurring_document_failed.html From aaac7c17b8e210d6cb4fbf8054f6db1520adcc05 Mon Sep 17 00:00:00 2001 From: ankitjavalkarwork Date: Wed, 27 Aug 2014 19:10:10 +0530 Subject: [PATCH 601/630] Fix minor errors, fix patch, call in hooks, move from account_controller to recurring_document --- .../doctype/sales_invoice/sales_invoice.js | 18 ++-- .../doctype/sales_invoice/sales_invoice.json | 26 +++--- .../doctype/sales_invoice/sales_invoice.py | 10 +-- erpnext/controllers/accounts_controller.py | 54 ------------ erpnext/controllers/recurring_document.py | 87 +++++++++++++++---- .../tests/test_recurring_document.py | 40 ++++----- erpnext/hooks.py | 2 +- .../update_sales_order_invoice_field_name.py | 6 +- .../doctype/sales_order/sales_order.js | 31 +++++++ .../doctype/sales_order/sales_order.json | 26 +++--- .../doctype/sales_order/sales_order.py | 10 ++- 11 files changed, 172 insertions(+), 138 deletions(-) diff --git a/erpnext/accounts/doctype/sales_invoice/sales_invoice.js b/erpnext/accounts/doctype/sales_invoice/sales_invoice.js index 5228b0e383..73832cec65 100644 --- a/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +++ b/erpnext/accounts/doctype/sales_invoice/sales_invoice.js @@ -228,7 +228,7 @@ cur_frm.cscript.hide_fields = function(doc) { par_flds = ['project_name', 'due_date', 'is_opening', 'source', 'total_advance', 'gross_profit', 'gross_profit_percent', 'get_advances_received', 'advance_adjustment_details', 'sales_partner', 'commission_rate', - 'total_commission', 'advances', 'period_from', 'period_to']; + 'total_commission', 'advances', 'from_date', 'to_date']; item_flds_normal = ['sales_order', 'delivery_note'] @@ -399,9 +399,9 @@ cur_frm.cscript.on_submit = function(doc, cdt, cdn) { }) } -cur_frm.cscript.convert_into_recurring_invoice = function(doc, dt, dn) { +cur_frm.cscript.is_recurring = function(doc, dt, dn) { // set default values for recurring invoices - if(doc.convert_into_recurring_invoice) { + if(doc.is_recurring) { var owner_email = doc.owner=="Administrator" ? frappe.user_info("Administrator").email : doc.owner; @@ -414,18 +414,18 @@ cur_frm.cscript.convert_into_recurring_invoice = function(doc, dt, dn) { refresh_many(["notification_email_address", "repeat_on_day_of_month"]); } -cur_frm.cscript.period_from = function(doc, dt, dn) { - // set period_to - if(doc.period_from) { +cur_frm.cscript.from_date = function(doc, dt, dn) { + // set to_date + if(doc.from_date) { var recurring_type_map = {'Monthly': 1, 'Quarterly': 3, 'Half-yearly': 6, 'Yearly': 12}; var months = recurring_type_map[doc.recurring_type]; if(months) { - var to_date = frappe.datetime.add_months(doc.period_from, + var to_date = frappe.datetime.add_months(doc.from_date, months); - doc.period_to = frappe.datetime.add_days(to_date, -1); - refresh_field('period_to'); + doc.to_date = frappe.datetime.add_days(to_date, -1); + refresh_field('to_date'); } } } diff --git a/erpnext/accounts/doctype/sales_invoice/sales_invoice.json b/erpnext/accounts/doctype/sales_invoice/sales_invoice.json index 7cab4c24f0..c26583b737 100644 --- a/erpnext/accounts/doctype/sales_invoice/sales_invoice.json +++ b/erpnext/accounts/doctype/sales_invoice/sales_invoice.json @@ -173,9 +173,9 @@ "allow_on_submit": 1, "depends_on": "", "description": "Start date of current invoice's period", - "fieldname": "period_from", + "fieldname": "from_date", "fieldtype": "Date", - "label": "Invoice Period From", + "label": "From", "no_copy": 1, "permlevel": 0, "print_hide": 0, @@ -185,9 +185,9 @@ "allow_on_submit": 1, "depends_on": "", "description": "End date of current invoice's period", - "fieldname": "period_to", + "fieldname": "to_date", "fieldtype": "Date", - "label": "Invoice Period To", + "label": "To", "no_copy": 1, "permlevel": 0, "print_hide": 0, @@ -1088,9 +1088,9 @@ "allow_on_submit": 1, "depends_on": "eval:doc.docstatus<2", "description": "Check if recurring invoice, uncheck to stop recurring or put proper End Date", - "fieldname": "convert_into_recurring", + "fieldname": "is_recurring", "fieldtype": "Check", - "label": "Convert into Recurring Invoice", + "label": "Is Recurring", "no_copy": 1, "permlevel": 0, "print_hide": 1, @@ -1098,7 +1098,7 @@ }, { "allow_on_submit": 1, - "depends_on": "eval:doc.convert_into_recurring==1", + "depends_on": "eval:doc.is_recurring==1", "description": "Select the period when the invoice will be generated automatically", "fieldname": "recurring_type", "fieldtype": "Select", @@ -1111,7 +1111,7 @@ }, { "allow_on_submit": 1, - "depends_on": "eval:doc.convert_into_recurring==1", + "depends_on": "eval:doc.is_recurring==1", "description": "The day of the month on which auto invoice will be generated e.g. 05, 28 etc ", "fieldname": "repeat_on_day_of_month", "fieldtype": "Int", @@ -1122,7 +1122,7 @@ "read_only": 0 }, { - "depends_on": "eval:doc.convert_into_recurring==1", + "depends_on": "eval:doc.is_recurring==1", "description": "The date on which next invoice will be generated. It is generated on submit.\n", "fieldname": "next_date", "fieldtype": "Date", @@ -1134,7 +1134,7 @@ }, { "allow_on_submit": 1, - "depends_on": "eval:doc.convert_into_recurring==1", + "depends_on": "eval:doc.is_recurring==1", "description": "The date on which recurring invoice will be stop", "fieldname": "end_date", "fieldtype": "Date", @@ -1154,7 +1154,7 @@ "width": "50%" }, { - "depends_on": "eval:doc.convert_into_recurring==1", + "depends_on": "eval:doc.is_recurring==1", "description": "The unique id for tracking all recurring invoices.\u00a0It is generated on submit.", "fieldname": "recurring_id", "fieldtype": "Data", @@ -1166,7 +1166,7 @@ }, { "allow_on_submit": 1, - "depends_on": "eval:doc.convert_into_recurring==1", + "depends_on": "eval:doc.is_recurring==1", "description": "Enter email id separated by commas, invoice will be mailed automatically on particular date", "fieldname": "notification_email_address", "fieldtype": "Small Text", @@ -1193,7 +1193,7 @@ "icon": "icon-file-text", "idx": 1, "is_submittable": 1, - "modified": "2014-08-25 17:41:35.367233", + "modified": "2014-08-28 11:21:00.726344", "modified_by": "Administrator", "module": "Accounts", "name": "Sales Invoice", diff --git a/erpnext/accounts/doctype/sales_invoice/sales_invoice.py b/erpnext/accounts/doctype/sales_invoice/sales_invoice.py index fc72562565..a20d906b8c 100644 --- a/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +++ b/erpnext/accounts/doctype/sales_invoice/sales_invoice.py @@ -14,7 +14,7 @@ from erpnext.accounts.party import get_party_account, get_due_date from erpnext.controllers.stock_controller import update_gl_entries_after from frappe.model.mapper import get_mapped_doc -month_map = {'Monthly': 1, 'Quarterly': 3, 'Half-yearly': 6, 'Yearly': 12} +from erpnext.controllers.recurring_document import * from erpnext.controllers.selling_controller import SellingController @@ -75,7 +75,7 @@ class SalesInvoice(SellingController): self.set_against_income_account() self.validate_c_form() self.validate_time_logs_are_submitted() - self.validate_recurring_document() + validate_recurring_document(self) self.validate_multiple_billing("Delivery Note", "dn_detail", "amount", "delivery_note_details") @@ -103,7 +103,7 @@ class SalesInvoice(SellingController): self.update_c_form() self.update_time_log_batch(self.name) - self.convert_to_recurring("RECINV.#####", self.posting_date) + convert_to_recurring(self, "RECINV.#####", self.posting_date) def before_cancel(self): self.update_time_log_batch(None) @@ -144,8 +144,8 @@ class SalesInvoice(SellingController): }) def on_update_after_submit(self): - self.validate_recurring_document() - self.convert_to_recurring("RECINV.#####", self.posting_date) + validate_recurring_document(self) + convert_to_recurring(self, "RECINV.#####", self.posting_date) def get_portal_page(self): return "invoice" if self.docstatus==1 else None diff --git a/erpnext/controllers/accounts_controller.py b/erpnext/controllers/accounts_controller.py index 4a23673630..4af9f5ed8a 100644 --- a/erpnext/controllers/accounts_controller.py +++ b/erpnext/controllers/accounts_controller.py @@ -430,30 +430,6 @@ class AccountsController(TransactionBase): return stock_items - def validate_recurring_document(self): - if self.convert_into_recurring: - self.validate_notification_email_id() - - if not self.recurring_type: - msgprint(_("Please select {0}").format(self.meta.get_label("recurring_type")), - raise_exception=1) - - elif not (self.period_from and self.period_to): - throw(_("Period From and Period To dates mandatory for recurring %s") % self.doctype) - - def convert_to_recurring(self, autoname, posting_date): - if self.convert_into_recurring: - if not self.recurring_id: - frappe.db.set(self, "recurring_id", - make_autoname(autoname)) - - self.set_next_date(posting_date) - - elif self.recurring_id: - frappe.db.sql("""update `tab%s` - set convert_into_recurring = 0 - where recurring_id = %s""" % (self.doctype, '%s'), (self.recurring_id)) - @property def company_abbr(self): if not hasattr(self, "_abbr"): @@ -470,36 +446,6 @@ class AccountsController(TransactionBase): if total_outstanding: frappe.get_doc('Account', account).check_credit_limit(total_outstanding) - def validate_notification_email_id(self): - if self.notification_email_address: - email_list = filter(None, [cstr(email).strip() for email in - self.notification_email_address.replace("\n", "").split(",")]) - - from frappe.utils import validate_email_add - for email in email_list: - if not validate_email_add(email): - throw(_("{0} is an invalid email address in 'Notification \ - Email Address'").format(email)) - - else: - frappe.throw(_("'Notification Email Addresses' not specified for recurring %s") \ - % self.doctype) - - def set_next_date(self, posting_date): - """ Set next date on which recurring document will be created""" - from erpnext.controllers.recurring_document import get_next_date - - month_map = {'Monthly': 1, 'Quarterly': 3, 'Half-yearly': 6, 'Yearly': 12} - - if not self.repeat_on_day_of_month: - msgprint(_("Please enter 'Repeat on Day of Month' field value"), raise_exception=1) - - next_date = get_next_date(posting_date, month_map[self.recurring_type], - cint(self.repeat_on_day_of_month)) - - frappe.db.set(self, 'next_date', next_date) - - @frappe.whitelist() def get_tax_rate(account_head): return frappe.db.get_value("Account", account_head, "tax_rate") diff --git a/erpnext/controllers/recurring_document.py b/erpnext/controllers/recurring_document.py index d3c7809614..d9326792f3 100644 --- a/erpnext/controllers/recurring_document.py +++ b/erpnext/controllers/recurring_document.py @@ -13,6 +13,10 @@ from frappe.model.mapper import get_mapped_doc month_map = {'Monthly': 1, 'Quarterly': 3, 'Half-yearly': 6, 'Yearly': 12} +def create_recurring_documents(): + manage_recurring_documents("Sales Order") + manage_recurring_documents("Sales Invoice") + def manage_recurring_documents(doctype, next_date=None, commit=True): """ Create recurring documents on specific date by copying the original one @@ -26,9 +30,9 @@ def manage_recurring_documents(doctype, next_date=None, commit=True): date_field = "posting_date" recurring_documents = frappe.db.sql("""select name, recurring_id - from `tab%s` where ifnull(convert_into_recurring, 0)=1 - and docstatus=1 and next_date=%s - and next_date <= ifnull(end_date, '2199-12-31')""" % (doctype, '%s'), (next_date)) + from `tab{}` where ifnull(is_recurring, 0)=1 + and docstatus=1 and next_date='{}' + and next_date <= ifnull(end_date, '2199-12-31')""".format(doctype, next_date)) exception_list = [] for ref_document, recurring_id in recurring_documents: @@ -47,7 +51,7 @@ def manage_recurring_documents(doctype, next_date=None, commit=True): frappe.db.begin() frappe.db.sql("update `tab%s` \ - set convert_into_recurring = 0 where name = %s" % (doctype, '%s'), + set is_recurring = 0 where name = %s" % (doctype, '%s'), (ref_document)) notify_errors(ref_document, doctype, ref_wrapper.customer, ref_wrapper.owner) frappe.db.commit() @@ -66,23 +70,23 @@ def make_new_document(ref_wrapper, date_field, posting_date): new_document = frappe.copy_doc(ref_wrapper) mcount = month_map[ref_wrapper.recurring_type] - period_from = get_next_date(ref_wrapper.period_from, mcount) + from_date = get_next_date(ref_wrapper.from_date, mcount) # get last day of the month to maintain period if the from date is first day of its own month # and to date is the last day of its own month - if (cstr(get_first_day(ref_wrapper.period_from)) == \ - cstr(ref_wrapper.period_from)) and \ - (cstr(get_last_day(ref_wrapper.period_to)) == \ - cstr(ref_wrapper.period_to)): - period_to = get_last_day(get_next_date(ref_wrapper.period_to, + if (cstr(get_first_day(ref_wrapper.from_date)) == \ + cstr(ref_wrapper.from_date)) and \ + (cstr(get_last_day(ref_wrapper.to_date)) == \ + cstr(ref_wrapper.to_date)): + to_date = get_last_day(get_next_date(ref_wrapper.to_date, mcount)) else: - period_to = get_next_date(ref_wrapper.period_to, mcount) + to_date = get_next_date(ref_wrapper.to_date, mcount) new_document.update({ date_field: posting_date, - "period_from": period_from, - "period_to": period_to, + "from_date": from_date, + "to_date": to_date, "fiscal_year": get_fiscal_year(posting_date)[0], "owner": ref_wrapper.owner, }) @@ -112,7 +116,7 @@ def send_notification(new_rv): message = _("Please find attached {0} #{1}").format(new_rv.doctype, new_rv.name), attachments = [{ "fname": new_rv.name + ".pdf", - "fcontent": frappe.get_print_format(new_rv.doctype, new_rv.name, as_pdf=True) + "fcontent": frappe.get_print_format(new_rv.doctype, new_rv.name, as_pdf=True).encode('utf-8') }]) def notify_errors(doc, doctype, customer, owner): @@ -121,7 +125,7 @@ def notify_errors(doc, doctype, customer, owner): frappe.sendmail(recipients + [frappe.db.get_value("User", owner, "email")], subject="[Urgent] Error while creating recurring %s for %s" % (doctype, doc), - message = frappe.get_template("templates/emails/recurring_sales_invoice_failed.html").render({ + message = frappe.get_template("templates/emails/recurring_document_failed.html").render({ "type": doctype, "name": doc, "customer": customer @@ -139,4 +143,55 @@ def assign_task_to_owner(doc, doctype, msg, users): 'description' : msg, 'priority' : 'High' } - assign_to.add(args) \ No newline at end of file + assign_to.add(args) + +def validate_recurring_document(doc): + if doc.is_recurring: + validate_notification_email_id(doc) + + if not doc.recurring_type: + msgprint(_("Please select {0}").format(doc.meta.get_label("recurring_type")), + raise_exception=1) + + elif not (doc.from_date and doc.to_date): + throw(_("Period From and Period To dates mandatory for recurring %s") % doc.doctype) + +def convert_to_recurring(doc, autoname, posting_date): + if doc.is_recurring: + if not doc.recurring_id: + frappe.db.set(doc, "recurring_id", + make_autoname(autoname)) + + set_next_date(doc, posting_date) + + elif doc.recurring_id: + frappe.db.sql("""update `tab%s` + set is_recurring = 0 + where recurring_id = %s""" % (doc.doctype, '%s'), (doc.recurring_id)) + +def validate_notification_email_id(doc): + if doc.notification_email_address: + email_list = filter(None, [cstr(email).strip() for email in + doc.notification_email_address.replace("\n", "").split(",")]) + + from frappe.utils import validate_email_add + for email in email_list: + if not validate_email_add(email): + throw(_("{0} is an invalid email address in 'Notification \ + Email Address'").format(email)) + + else: + frappe.throw(_("'Notification Email Addresses' not specified for recurring %s") \ + % doc.doctype) + +def set_next_date(doc, posting_date): + """ Set next date on which recurring document will be created""" + from erpnext.controllers.recurring_document import get_next_date + + if not doc.repeat_on_day_of_month: + msgprint(_("Please enter 'Repeat on Day of Month' field value"), raise_exception=1) + + next_date = get_next_date(posting_date, month_map[doc.recurring_type], + cint(doc.repeat_on_day_of_month)) + + frappe.db.set(doc, 'next_date', next_date) \ No newline at end of file diff --git a/erpnext/controllers/tests/test_recurring_document.py b/erpnext/controllers/tests/test_recurring_document.py index d31f6324bb..5332ae0541 100644 --- a/erpnext/controllers/tests/test_recurring_document.py +++ b/erpnext/controllers/tests/test_recurring_document.py @@ -16,14 +16,14 @@ def test_recurring_document(obj, test_records): base_doc = frappe.copy_doc(test_records[0]) base_doc.update({ - "convert_into_recurring": 1, + "is_recurring": 1, "recurring_type": "Monthly", "notification_email_address": "test@example.com, test1@example.com, test2@example.com", "repeat_on_day_of_month": getdate(today).day, "due_date": None, "fiscal_year": get_fiscal_year(today)[0], - "period_from": get_first_day(today), - "period_to": get_last_day(today) + "from_date": get_first_day(today), + "to_date": get_last_day(today) }) if base_doc.doctype == "Sales Order": @@ -50,8 +50,8 @@ def test_recurring_document(obj, test_records): # monthly without a first and last day period doc2 = frappe.copy_doc(base_doc) doc2.update({ - "period_from": today, - "period_to": add_to_date(today, days=30) + "from_date": today, + "to_date": add_to_date(today, days=30) }) doc2.insert() doc2.submit() @@ -61,8 +61,8 @@ def test_recurring_document(obj, test_records): doc3 = frappe.copy_doc(base_doc) doc3.update({ "recurring_type": "Quarterly", - "period_from": get_first_day(today), - "period_to": get_last_day(add_to_date(today, months=3)) + "from_date": get_first_day(today), + "to_date": get_last_day(add_to_date(today, months=3)) }) doc3.insert() doc3.submit() @@ -72,8 +72,8 @@ def test_recurring_document(obj, test_records): doc4 = frappe.copy_doc(base_doc) doc4.update({ "recurring_type": "Quarterly", - "period_from": today, - "period_to": add_to_date(today, months=3) + "from_date": today, + "to_date": add_to_date(today, months=3) }) doc4.insert() doc4.submit() @@ -83,8 +83,8 @@ def test_recurring_document(obj, test_records): doc5 = frappe.copy_doc(base_doc) doc5.update({ "recurring_type": "Yearly", - "period_from": get_first_day(today), - "period_to": get_last_day(add_to_date(today, years=1)) + "from_date": get_first_day(today), + "to_date": get_last_day(add_to_date(today, years=1)) }) doc5.insert() doc5.submit() @@ -94,8 +94,8 @@ def test_recurring_document(obj, test_records): doc6 = frappe.copy_doc(base_doc) doc6.update({ "recurring_type": "Yearly", - "period_from": today, - "period_to": add_to_date(today, years=1) + "from_date": today, + "to_date": add_to_date(today, years=1) }) doc6.insert() doc6.submit() @@ -138,23 +138,23 @@ def _test_recurring_document(obj, base_doc, date_field, first_and_last_day): new_doc = frappe.get_doc(base_doc.doctype, recurred_documents[0][0]) - for fieldname in ["convert_into_recurring", "recurring_type", + for fieldname in ["is_recurring", "recurring_type", "repeat_on_day_of_month", "notification_email_address"]: obj.assertEquals(base_doc.get(fieldname), new_doc.get(fieldname)) obj.assertEquals(new_doc.get(date_field), unicode(next_date)) - obj.assertEquals(new_doc.period_from, - unicode(add_months(base_doc.period_from, no_of_months))) + obj.assertEquals(new_doc.from_date, + unicode(add_months(base_doc.from_date, no_of_months))) if first_and_last_day: - obj.assertEquals(new_doc.period_to, - unicode(get_last_day(add_months(base_doc.period_to, + obj.assertEquals(new_doc.to_date, + unicode(get_last_day(add_months(base_doc.to_date, no_of_months)))) else: - obj.assertEquals(new_doc.period_to, - unicode(add_months(base_doc.period_to, no_of_months))) + obj.assertEquals(new_doc.to_date, + unicode(add_months(base_doc.to_date, no_of_months))) return new_doc diff --git a/erpnext/hooks.py b/erpnext/hooks.py index 5466f2a0d8..b9e8451f18 100644 --- a/erpnext/hooks.py +++ b/erpnext/hooks.py @@ -64,7 +64,7 @@ scheduler_events = { "erpnext.selling.doctype.lead.get_leads.get_leads" ], "daily": [ - "erpnext.controllers.recurring_document.manage_recurring_documents" + "erpnext.controllers.recurring_document.create_recurring_documents" "erpnext.stock.utils.reorder_item", "erpnext.setup.doctype.email_digest.email_digest.send", "erpnext.support.doctype.support_ticket.support_ticket.auto_close_tickets" diff --git a/erpnext/patches/v4_2/update_sales_order_invoice_field_name.py b/erpnext/patches/v4_2/update_sales_order_invoice_field_name.py index 1ae3eb0764..a8303a0aae 100644 --- a/erpnext/patches/v4_2/update_sales_order_invoice_field_name.py +++ b/erpnext/patches/v4_2/update_sales_order_invoice_field_name.py @@ -1,6 +1,6 @@ import frappe def execute(): - frappe.reload_doc('selling', 'doctype', 'sales_order') - frappe.db.sql("""update `tabSales Invoice` set period_from = order_period_from, - period_to = order_period_to, convert_into_recurring = convert_into_recurring_order""") + frappe.reload_doc('accounts', 'doctype', 'sales_invoice') + frappe.db.sql("""update `tabSales Invoice` set from_date = invoice_period_from_date, + to_date = invoice_period_to_date, is_recurring = convert_into_recurring_invoice""") diff --git a/erpnext/selling/doctype/sales_order/sales_order.js b/erpnext/selling/doctype/sales_order/sales_order.js index 628e43e1df..4797230ad0 100644 --- a/erpnext/selling/doctype/sales_order/sales_order.js +++ b/erpnext/selling/doctype/sales_order/sales_order.js @@ -195,6 +195,37 @@ cur_frm.cscript.on_submit = function(doc, cdt, cdn) { } }; +cur_frm.cscript.is_recurring = function(doc, dt, dn) { + // set default values for recurring orders + if(doc.is_recurring) { + var owner_email = doc.owner=="Administrator" + ? frappe.user_info("Administrator").email + : doc.owner; + + doc.notification_email_address = $.map([cstr(owner_email), + cstr(doc.contact_email)], function(v) { return v || null; }).join(", "); + doc.repeat_on_day_of_month = frappe.datetime.str_to_obj(doc.posting_date).getDate(); + } + + refresh_many(["notification_email_address", "repeat_on_day_of_month"]); +} + +cur_frm.cscript.from_date = function(doc, dt, dn) { + // set to_date + if(doc.from_date) { + var recurring_type_map = {'Monthly': 1, 'Quarterly': 3, 'Half-yearly': 6, + 'Yearly': 12}; + + var months = recurring_type_map[doc.recurring_type]; + if(months) { + var to_date = frappe.datetime.add_months(doc.from_date, + months); + doc.to_date = frappe.datetime.add_days(to_date, -1); + refresh_field('to_date'); + } + } +} + cur_frm.cscript.send_sms = function() { frappe.require("assets/erpnext/js/sms_manager.js"); var sms_man = new SMSManager(cur_frm.doc); diff --git a/erpnext/selling/doctype/sales_order/sales_order.json b/erpnext/selling/doctype/sales_order/sales_order.json index e418ee91db..a4b00ff8b6 100644 --- a/erpnext/selling/doctype/sales_order/sales_order.json +++ b/erpnext/selling/doctype/sales_order/sales_order.json @@ -173,18 +173,18 @@ { "allow_on_submit": 1, "description": "Start date of current order's period", - "fieldname": "period_from", + "fieldname": "from_date", "fieldtype": "Date", - "label": "Order Period From", + "label": "From", "no_copy": 1, "permlevel": 0 }, { "allow_on_submit": 1, "description": "End date of current order's period", - "fieldname": "period_to", + "fieldname": "to_date", "fieldtype": "Date", - "label": "Order Period To", + "label": "To", "no_copy": 1, "permlevel": 0 }, @@ -925,16 +925,16 @@ "allow_on_submit": 1, "depends_on": "eval:doc.docstatus<2", "description": "Check if recurring order, uncheck to stop recurring or put proper End Date", - "fieldname": "convert_into_recurring", + "fieldname": "is_recurring", "fieldtype": "Check", - "label": "Convert into Recurring Order", + "label": "Is Recurring", "no_copy": 1, "permlevel": 0, "print_hide": 1 }, { "allow_on_submit": 1, - "depends_on": "eval:doc.convert_into_recurring==1", + "depends_on": "eval:doc.is_recurring==1", "description": "Select the period when the invoice will be generated automatically", "fieldname": "recurring_type", "fieldtype": "Select", @@ -946,7 +946,7 @@ }, { "allow_on_submit": 1, - "depends_on": "eval:doc.convert_into_recurring==1", + "depends_on": "eval:doc.is_recurring==1", "description": "The day of the month on which auto order will be generated e.g. 05, 28 etc ", "fieldname": "repeat_on_day_of_month", "fieldtype": "Int", @@ -956,7 +956,7 @@ "print_hide": 1 }, { - "depends_on": "eval:doc.convert_into_recurring==1", + "depends_on": "eval:doc.is_recurring==1", "description": "The date on which next invoice will be generated. It is generated on submit.", "fieldname": "next_date", "fieldtype": "Date", @@ -968,7 +968,7 @@ }, { "allow_on_submit": 1, - "depends_on": "eval:doc.convert_into_recurring==1", + "depends_on": "eval:doc.is_recurring==1", "description": "The date on which recurring order will be stop", "fieldname": "end_date", "fieldtype": "Date", @@ -985,7 +985,7 @@ "print_hide": 1 }, { - "depends_on": "eval:doc.convert_into_recurring==1", + "depends_on": "eval:doc.is_recurring==1", "fieldname": "recurring_id", "fieldtype": "Data", "label": "Recurring Id", @@ -996,7 +996,7 @@ }, { "allow_on_submit": 1, - "depends_on": "eval:doc.convert_into_recurring==1", + "depends_on": "eval:doc.is_recurring==1", "description": "Enter email id separated by commas, order will be mailed automatically on particular date", "fieldname": "notification_email_address", "fieldtype": "Small Text", @@ -1021,7 +1021,7 @@ "idx": 1, "is_submittable": 1, "issingle": 0, - "modified": "2014-08-25 17:41:39.456399", + "modified": "2014-08-28 11:22:10.959416", "modified_by": "Administrator", "module": "Selling", "name": "Sales Order", diff --git a/erpnext/selling/doctype/sales_order/sales_order.py b/erpnext/selling/doctype/sales_order/sales_order.py index 37aca0a8ba..ff14f9d0c1 100644 --- a/erpnext/selling/doctype/sales_order/sales_order.py +++ b/erpnext/selling/doctype/sales_order/sales_order.py @@ -10,6 +10,8 @@ from frappe.utils import cstr, flt, getdate, comma_and from frappe import _ from frappe.model.mapper import get_mapped_doc +from erpnext.controllers.recurring_document import convert_to_recurring, validate_recurring_document + from erpnext.controllers.selling_controller import SellingController form_grid_templates = { @@ -120,7 +122,7 @@ class SalesOrder(SellingController): if not self.billing_status: self.billing_status = 'Not Billed' if not self.delivery_status: self.delivery_status = 'Not Delivered' - self.validate_recurring_document() + validate_recurring_document(self) def validate_warehouse(self): from erpnext.stock.utils import validate_warehouse_company @@ -164,7 +166,7 @@ class SalesOrder(SellingController): self.update_prevdoc_status('submit') frappe.db.set(self, 'status', 'Submitted') - self.convert_to_recurring("SO/REC/.#####", self.transaction_date) + convert_to_recurring(self, "SO/REC/.#####", self.transaction_date) def on_cancel(self): # Cannot cancel stopped SO @@ -254,8 +256,8 @@ class SalesOrder(SellingController): return "order" if self.docstatus==1 else None def on_update_after_submit(self): - self.validate_recurring_document() - self.convert_to_recurring("SO/REC/.#####", self.transaction_date) + validate_recurring_document(self) + convert_to_recurring(self, "SO/REC/.#####", self.transaction_date) @frappe.whitelist() From 737d8e4d9fa61aadc815071d5b6100dd0c881563 Mon Sep 17 00:00:00 2001 From: ankitjavalkarwork Date: Mon, 1 Sep 2014 16:18:44 +0530 Subject: [PATCH 602/630] fix minor issue and set default value send as pdf --- erpnext/controllers/recurring_document.py | 10 ++++++---- erpnext/controllers/tests/test_recurring_document.py | 7 ++++--- 2 files changed, 10 insertions(+), 7 deletions(-) diff --git a/erpnext/controllers/recurring_document.py b/erpnext/controllers/recurring_document.py index d9326792f3..729c6f7f9c 100644 --- a/erpnext/controllers/recurring_document.py +++ b/erpnext/controllers/recurring_document.py @@ -111,12 +111,13 @@ def get_next_date(dt, mcount, day=None): def send_notification(new_rv): """Notify concerned persons about recurring document generation""" + frappe.sendmail(new_rv.notification_email_address, subject= _("New {0}: #{1}").format(new_rv.doctype, new_rv.name), message = _("Please find attached {0} #{1}").format(new_rv.doctype, new_rv.name), attachments = [{ "fname": new_rv.name + ".pdf", - "fcontent": frappe.get_print_format(new_rv.doctype, new_rv.name, as_pdf=True).encode('utf-8') + "fcontent": frappe.get_print_format(new_rv.doctype, new_rv.name, as_pdf=True) }]) def notify_errors(doc, doctype, customer, owner): @@ -186,12 +187,13 @@ def validate_notification_email_id(doc): def set_next_date(doc, posting_date): """ Set next date on which recurring document will be created""" - from erpnext.controllers.recurring_document import get_next_date - + if not doc.repeat_on_day_of_month: msgprint(_("Please enter 'Repeat on Day of Month' field value"), raise_exception=1) next_date = get_next_date(posting_date, month_map[doc.recurring_type], cint(doc.repeat_on_day_of_month)) - frappe.db.set(doc, 'next_date', next_date) \ No newline at end of file + frappe.db.set(doc, 'next_date', next_date) + + msgprint(_("Next Recurring {0} will be created on {1}").format(doc.doctype, next_date)) diff --git a/erpnext/controllers/tests/test_recurring_document.py b/erpnext/controllers/tests/test_recurring_document.py index 5332ae0541..0e7cb1bc5e 100644 --- a/erpnext/controllers/tests/test_recurring_document.py +++ b/erpnext/controllers/tests/test_recurring_document.py @@ -12,6 +12,7 @@ from erpnext.projects.doctype.time_log_batch.test_time_log_batch import * def test_recurring_document(obj, test_records): from frappe.utils import get_first_day, get_last_day, add_to_date, nowdate, getdate, add_days from erpnext.accounts.utils import get_fiscal_year + frappe.db.set_value("Print Settings", "Print Settings", "send_print_as_pdf", 1) today = nowdate() base_doc = frappe.copy_doc(test_records[0]) @@ -104,13 +105,13 @@ def test_recurring_document(obj, test_records): # change date field but keep recurring day to be today doc7 = frappe.copy_doc(base_doc) doc7.update({ - date_field: add_to_date(today, days=-1) + date_field: today, }) doc7.insert() doc7.submit() # setting so that _test function works - doc7.set(date_field, today) + # doc7.set(date_field, today) _test_recurring_document(obj, doc7, date_field, True) def _test_recurring_document(obj, base_doc, date_field, first_and_last_day): @@ -162,4 +163,4 @@ def _test_recurring_document(obj, base_doc, date_field, first_and_last_day): # if yearly, test 1 repetition, else test 5 repetitions count = 1 if (no_of_months == 12) else 5 for i in xrange(count): - base_doc = _test(i) \ No newline at end of file + base_doc = _test(i) From f395b7ce1163bdffeedbd4a52794eba4b73d191f Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Mon, 1 Sep 2014 17:26:00 +0530 Subject: [PATCH 603/630] [hotfix] item grid rate visibility booboo --- erpnext/templates/form_grid/item_grid.html | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/erpnext/templates/form_grid/item_grid.html b/erpnext/templates/form_grid/item_grid.html index 715d4dc165..21903c03d0 100644 --- a/erpnext/templates/form_grid/item_grid.html +++ b/erpnext/templates/form_grid/item_grid.html @@ -72,7 +72,7 @@
- {% if (frappe.perm.is_visible("rate", doc, frm.perm)) { %} + {% if (!frappe.perm.is_visible("rate", doc, frm.perm)) { %} {%= __("hidden") %} {% } else { %} {%= doc.get_formatted("rate") %} @@ -86,7 +86,7 @@
- {% if (frappe.perm.is_visible("amount", doc, frm.perm)) { %} + {% if (!frappe.perm.is_visible("amount", doc, frm.perm)) { %} {%= __("hidden") %} {% } else { %} {%= doc.get_formatted("amount") %} From 12ce3eefca455e165b1c563e06c901ae506605c6 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Mon, 1 Sep 2014 18:14:44 +0530 Subject: [PATCH 604/630] landed cost voucher added in module page --- erpnext/config/stock.py | 4 ++-- .../doctype/landed_cost_voucher/landed_cost_voucher.json | 3 ++- erpnext/stock/doctype/landed_cost_voucher/test_records.json | 6 ++++++ 3 files changed, 10 insertions(+), 3 deletions(-) create mode 100644 erpnext/stock/doctype/landed_cost_voucher/test_records.json diff --git a/erpnext/config/stock.py b/erpnext/config/stock.py index afee0f5e2d..bfb4b7fd94 100644 --- a/erpnext/config/stock.py +++ b/erpnext/config/stock.py @@ -74,8 +74,8 @@ def get_data(): }, { "type": "doctype", - "name": "Landed Cost Wizard", - "description": _("Distribute transport overhead across items."), + "name": "Landed Cost Voucher", + "description": _("Update additional costs to calculate landed cost of items"), }, { "type": "doctype", diff --git a/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.json b/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.json index f064198d8f..682a16bfd1 100644 --- a/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.json +++ b/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.json @@ -71,8 +71,9 @@ "read_only": 1 } ], + "icon": "icon-usd", "is_submittable": 1, - "modified": "2014-08-08 13:11:55.764550", + "modified": "2014-09-01 12:05:46.834513", "modified_by": "Administrator", "module": "Stock", "name": "Landed Cost Voucher", diff --git a/erpnext/stock/doctype/landed_cost_voucher/test_records.json b/erpnext/stock/doctype/landed_cost_voucher/test_records.json new file mode 100644 index 0000000000..4fc0017939 --- /dev/null +++ b/erpnext/stock/doctype/landed_cost_voucher/test_records.json @@ -0,0 +1,6 @@ +[ + { + "doctype": "Landed Cost Voucher", + "name": "_Test Landed Cost Voucher 1" + } +] From 9e563e7b47308bdda15c2461c0b3bf107bdd9a5d Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Mon, 1 Sep 2014 18:15:29 +0530 Subject: [PATCH 605/630] Stock reconciliation when valuation rate column is blank --- .../stock_reconciliation/stock_reconciliation.py | 15 +++++++-------- 1 file changed, 7 insertions(+), 8 deletions(-) diff --git a/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py b/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py index 8b32211177..40a980debb 100644 --- a/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +++ b/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py @@ -74,7 +74,7 @@ class StockReconciliation(StockController): self.validation_messages.append(_get_msg(row_num, _("Warehouse not found in the system"))) # if both not specified - if row[2] == "" and row[3] == "": + if row[2] in ["", None] and row[3] in ["", None]: self.validation_messages.append(_get_msg(row_num, _("Please specify either Quantity or Valuation Rate or both"))) @@ -149,13 +149,13 @@ class StockReconciliation(StockController): }) # check valuation rate mandatory - if row.qty != "" and not row.valuation_rate and \ + if row.qty not in ["", None] and not row.valuation_rate and \ flt(previous_sle.get("qty_after_transaction")) <= 0: frappe.throw(_("Valuation Rate required for Item {0}").format(row.item_code)) change_in_qty = row.qty not in ["", None] and \ (flt(row.qty) - flt(previous_sle.get("qty_after_transaction"))) - + change_in_rate = row.valuation_rate not in ["", None] and \ (flt(row.valuation_rate) - flt(previous_sle.get("valuation_rate"))) @@ -171,7 +171,7 @@ class StockReconciliation(StockController): if previous_valuation_rate == 0: return flt(valuation_rate) else: - if valuation_rate == "": + if valuation_rate in ["", None]: valuation_rate = previous_valuation_rate return (qty * valuation_rate - previous_qty * previous_valuation_rate) \ / flt(qty - previous_qty) @@ -179,8 +179,7 @@ class StockReconciliation(StockController): if change_in_qty: # if change in qty, irrespective of change in rate incoming_rate = _get_incoming_rate(flt(row.qty), flt(row.valuation_rate), - flt(previous_sle.get("qty_after_transaction")), - flt(previous_sle.get("valuation_rate"))) + flt(previous_sle.get("qty_after_transaction")), flt(previous_sle.get("valuation_rate"))) row["voucher_detail_no"] = "Row: " + cstr(row.row_num) + "/Actual Entry" self.insert_entries({"actual_qty": change_in_qty, "incoming_rate": incoming_rate}, row) @@ -211,7 +210,7 @@ class StockReconciliation(StockController): def _insert_entries(): if previous_stock_queue != [[row.qty, row.valuation_rate]]: # make entry as per attachment - if row.qty: + if flt(row.qty): row["voucher_detail_no"] = "Row: " + cstr(row.row_num) + "/Actual Entry" self.insert_entries({"actual_qty": row.qty, "incoming_rate": flt(row.valuation_rate)}, row) @@ -225,7 +224,7 @@ class StockReconciliation(StockController): if change_in_qty: - if row.valuation_rate == "": + if row.valuation_rate in ["", None]: # dont want change in valuation if previous_stock_qty > 0: # set valuation_rate as previous valuation_rate From 7f3f2a0f0a122960ac135092011c874f57f811c7 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Mon, 1 Sep 2014 18:16:05 +0530 Subject: [PATCH 606/630] Fixes in repost_stock utility --- erpnext/utilities/repost_stock.py | 12 ++++++------ 1 file changed, 6 insertions(+), 6 deletions(-) diff --git a/erpnext/utilities/repost_stock.py b/erpnext/utilities/repost_stock.py index 1e1d5d95e5..4c145487d8 100644 --- a/erpnext/utilities/repost_stock.py +++ b/erpnext/utilities/repost_stock.py @@ -22,7 +22,7 @@ def repost(allow_negative_stock=False): (select item_code, warehouse from tabBin union select item_code, warehouse from `tabStock Ledger Entry`) a"""): - repost_stock(d[0], d[1], allow_negative_stock) + repost_stock(d[0], d[1]) if allow_negative_stock: frappe.db.set_default("allow_negative_stock", @@ -33,7 +33,7 @@ def repost_stock(item_code, warehouse): repost_actual_qty(item_code, warehouse) if item_code and warehouse: - update_bin(item_code, warehouse, { + update_bin_qty(item_code, warehouse, { "reserved_qty": get_reserved_qty(item_code, warehouse), "indented_qty": get_indented_qty(item_code, warehouse), "ordered_qty": get_ordered_qty(item_code, warehouse), @@ -116,7 +116,7 @@ def get_planned_qty(item_code, warehouse): return flt(planned_qty[0][0]) if planned_qty else 0 -def update_bin(item_code, warehouse, qty_dict=None): +def update_bin_qty(item_code, warehouse, qty_dict=None): from erpnext.stock.utils import get_bin bin = get_bin(item_code, warehouse) mismatch = False @@ -201,11 +201,11 @@ def reset_serial_no_status_and_warehouse(serial_nos=None): last_sle = sr.get_last_sle() if flt(last_sle.actual_qty) > 0: sr.warehouse = last_sle.warehouse - + sr.via_stock_ledger = True sr.save() except: pass - + frappe.db.sql("""update `tabSerial No` set warehouse='' where status in ('Delivered', 'Purchase Returned')""") - + From 144f06e3819916c3ab62f23e460fac72e91f45d5 Mon Sep 17 00:00:00 2001 From: Pratik Vyas Date: Mon, 1 Sep 2014 18:31:11 +0530 Subject: [PATCH 607/630] Update patches.txt --- erpnext/patches.txt | 3 --- 1 file changed, 3 deletions(-) diff --git a/erpnext/patches.txt b/erpnext/patches.txt index cde43f347e..9146336fd5 100644 --- a/erpnext/patches.txt +++ b/erpnext/patches.txt @@ -78,8 +78,5 @@ erpnext.patches.v4_2.update_project_milestones erpnext.patches.v4_2.add_currency_turkish_lira #2014-08-08 execute:frappe.delete_doc("DocType", "Landed Cost Wizard") erpnext.patches.v4_2.default_website_style -<<<<<<< HEAD erpnext.patches.v4_2.set_company_country -======= erpnext.patches.v4_2.update_sales_order_invoice_field_name ->>>>>>> Add patch for field name change in SI, rename email template From 3f4885e3423c82a745fee4f4d87d6992f962b22f Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Tue, 2 Sep 2014 19:59:20 +0530 Subject: [PATCH 608/630] repost stock reconciliation --- .../v4_2/repost_stock_reconciliation.py | 31 +++++++++++++++++++ 1 file changed, 31 insertions(+) create mode 100644 erpnext/patches/v4_2/repost_stock_reconciliation.py diff --git a/erpnext/patches/v4_2/repost_stock_reconciliation.py b/erpnext/patches/v4_2/repost_stock_reconciliation.py new file mode 100644 index 0000000000..eb4de53a01 --- /dev/null +++ b/erpnext/patches/v4_2/repost_stock_reconciliation.py @@ -0,0 +1,31 @@ +# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors +# License: GNU General Public License v3. See license.txt + +from __future__ import unicode_literals +import frappe +import json + +def execute(): + existing_allow_negative_stock = frappe.db.get_default("allow_negative_stock") + frappe.db.set_default("allow_negative_stock", 1) + + head_row = ["Item Code", "Warehouse", "Quantity", "Valuation Rate"] + stock_reco_to_be_reposted = [] + for d in frappe.db.sql("""select name, reconciliation_json from `tabStock Reconciliation` + where docstatus=1 and creation > '2014-03-01'""", as_dict=1): + data = json.loads(d.reconciliation_json) + for row in data[data.index(head_row)+1:]: + if row[3] in ["", None]: + stock_reco_to_be_reposted.append(d.name) + break + + for dn in stock_reco_to_be_reposted: + reco = frappe.get_doc("Stock Reconciliation", dn) + reco.docstatus = 2 + reco.on_cancel() + + reco.docstatus = 1 + reco.validate() + reco.on_submit() + + frappe.db.set_default("allow_negative_stock", existing_allow_negative_stock) From 96bdc5834ce7f983ffac3c60645e1a41325299ad Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Tue, 2 Sep 2014 20:00:20 +0530 Subject: [PATCH 609/630] Get valuation rate in manufacturing/repack entry --- .../stock/doctype/stock_entry/stock_entry.py | 17 ++++++++++------ erpnext/stock/doctype/warehouse/warehouse.py | 20 +++++++++---------- 2 files changed, 21 insertions(+), 16 deletions(-) diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.py b/erpnext/stock/doctype/stock_entry/stock_entry.py index fd673a3200..e4bab8eaf2 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry.py +++ b/erpnext/stock/doctype/stock_entry/stock_entry.py @@ -206,7 +206,7 @@ class StockEntry(StockController): def set_total_amount(self): self.total_amount = sum([flt(item.amount) for item in self.get("mtn_details")]) - def get_stock_and_rate(self): + def get_stock_and_rate(self, force=False): """get stock and incoming rate on posting date""" raw_material_cost = 0.0 @@ -237,7 +237,7 @@ class StockEntry(StockController): # get incoming rate if not d.bom_no: - if not flt(d.incoming_rate) or d.s_warehouse or self.purpose == "Sales Return": + if not flt(d.incoming_rate) or d.s_warehouse or self.purpose == "Sales Return" or force: incoming_rate = flt(self.get_incoming_rate(args), self.precision("incoming_rate", d)) if incoming_rate > 0: d.incoming_rate = incoming_rate @@ -247,13 +247,18 @@ class StockEntry(StockController): # set incoming rate for fg item if self.purpose == "Manufacture/Repack": + number_of_fg_items = len([t.t_warehouse for t in self.get("mtn_details")]) + for d in self.get("mtn_details"): - if d.bom_no: - if not flt(d.incoming_rate): - bom = frappe.db.get_value("BOM", d.bom_no, ["operating_cost", "quantity"], as_dict=1) - operation_cost_per_unit = flt(bom.operating_cost) / flt(bom.quantity) + if d.bom_no or (d.t_warehouse and number_of_fg_items == 1): + if not flt(d.incoming_rate) or force: + operation_cost_per_unit = 0 + if d.bom_no: + bom = frappe.db.get_value("BOM", d.bom_no, ["operating_cost", "quantity"], as_dict=1) + operation_cost_per_unit = flt(bom.operating_cost) / flt(bom.quantity) d.incoming_rate = operation_cost_per_unit + (raw_material_cost / flt(d.transfer_qty)) d.amount = flt(d.transfer_qty) * flt(d.incoming_rate) + break def get_incoming_rate(self, args): incoming_rate = 0 diff --git a/erpnext/stock/doctype/warehouse/warehouse.py b/erpnext/stock/doctype/warehouse/warehouse.py index 0095bbb4e5..f50c184ad2 100644 --- a/erpnext/stock/doctype/warehouse/warehouse.py +++ b/erpnext/stock/doctype/warehouse/warehouse.py @@ -22,16 +22,16 @@ class Warehouse(Document): self.update_parent_account() def update_parent_account(self): - + if not getattr(self, "__islocal", None) \ and (self.create_account_under != frappe.db.get_value("Warehouse", self.name, "create_account_under")): - + self.validate_parent_account() - - warehouse_account = frappe.db.get_value("Account", - {"account_type": "Warehouse", "company": self.company, "master_name": self.name}, + + warehouse_account = frappe.db.get_value("Account", + {"account_type": "Warehouse", "company": self.company, "master_name": self.name}, ["name", "parent_account"]) - + if warehouse_account and warehouse_account[1] != self.create_account_under: acc_doc = frappe.get_doc("Account", warehouse_account[0]) acc_doc.parent_account = self.create_account_under @@ -64,19 +64,19 @@ class Warehouse(Document): def validate_parent_account(self): if not self.company: frappe.throw(_("Warehouse {0}: Company is mandatory").format(self.name)) - + if not self.create_account_under: parent_account = frappe.db.get_value("Account", {"account_name": "Stock Assets", "company": self.company}) - + if parent_account: self.create_account_under = parent_account else: - frappe.throw(_("Please enter parent account group for warehouse account")) + frappe.throw(_("Please enter parent account group for warehouse {0}").format(self.name)) elif frappe.db.get_value("Account", self.create_account_under, "company") != self.company: frappe.throw(_("Warehouse {0}: Parent account {1} does not bolong to the company {2}") .format(self.name, self.create_account_under, self.company)) - + def on_trash(self): # delete bin From a84f3663dd11aeb3d13a1fda438bae67688d4946 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Tue, 2 Sep 2014 23:10:49 +0530 Subject: [PATCH 610/630] removed test records for landed cost voucher --- erpnext/stock/doctype/landed_cost_voucher/test_records.json | 6 ------ 1 file changed, 6 deletions(-) delete mode 100644 erpnext/stock/doctype/landed_cost_voucher/test_records.json diff --git a/erpnext/stock/doctype/landed_cost_voucher/test_records.json b/erpnext/stock/doctype/landed_cost_voucher/test_records.json deleted file mode 100644 index 4fc0017939..0000000000 --- a/erpnext/stock/doctype/landed_cost_voucher/test_records.json +++ /dev/null @@ -1,6 +0,0 @@ -[ - { - "doctype": "Landed Cost Voucher", - "name": "_Test Landed Cost Voucher 1" - } -] From 3f4c3086df1ece912e51764a5552e173f99846a0 Mon Sep 17 00:00:00 2001 From: Pratik Vyas Date: Wed, 3 Sep 2014 10:35:13 +0530 Subject: [PATCH 611/630] Remove frappe version pinning in requirements.txt --- requirements.txt | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/requirements.txt b/requirements.txt index 79275cbc2c..0e81b1581d 100644 --- a/requirements.txt +++ b/requirements.txt @@ -1,2 +1,2 @@ -frappe==4.1.0 +frappe unidecode From 247e9ffc960f159b2f018afd4ff1f8ae36607c57 Mon Sep 17 00:00:00 2001 From: nathando Date: Wed, 3 Sep 2014 15:03:31 +0800 Subject: [PATCH 612/630] get_item_list does not [item qty=0] - By using `if not d.qty:` it totally limits the chance of creating an empty Delivery Note - Should be changed to `if d.qty is None` Use case for empty DN: - Open a Delivery Note and tight to a specific Sales Order first without knowing the real qty at this point. - Using barcode scanner to receive Sales Order to this DN (multiple times). --- erpnext/controllers/selling_controller.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/controllers/selling_controller.py b/erpnext/controllers/selling_controller.py index e758dd1a70..86d883784b 100644 --- a/erpnext/controllers/selling_controller.py +++ b/erpnext/controllers/selling_controller.py @@ -339,7 +339,7 @@ class SellingController(StockController): reserved_warehouse = "" reserved_qty_for_main_item = 0 - if not d.qty: + if d.qty is None: frappe.throw(_("Row {0}: Qty is mandatory").format(d.idx)) if self.doctype == "Sales Order": From 3d911eba6c27af771220a0ccbf1b2c289276ab10 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Wed, 3 Sep 2014 17:33:33 +0530 Subject: [PATCH 613/630] [minor] id.csv --- erpnext/translations/id.csv | 28 ++++++++++++++-------------- 1 file changed, 14 insertions(+), 14 deletions(-) diff --git a/erpnext/translations/id.csv b/erpnext/translations/id.csv index 0f7bb076a5..777bc2831b 100644 --- a/erpnext/translations/id.csv +++ b/erpnext/translations/id.csv @@ -29,7 +29,7 @@ 'Update Stock' for Sales Invoice {0} must be set,'Update Stock' untuk Sales Invoice {0} harus diatur * Will be calculated in the transaction.,* Akan dihitung dalam transaksi. "1 Currency = [?] Fraction -For e.g. 1 USD = 100 Cent","1 Currency = [?] Fraksi +For e.g. 1 USD = 100 Cent","1 Currency = [?] Fraksi Untuk misalnya 1 USD = 100 Cent" 1. To maintain the customer wise item code and to make them searchable based on their code use this option,1.5. Untuk menjaga pelanggan bijaksana kode barang dan membuat mereka dicari berdasarkan penggunaan kode mereka pilihan ini "Add / Edit"," Add / Edit " @@ -46,17 +46,17 @@ For e.g. 1 USD = 100 Cent","1 Currency = [?] Fraksi {% if phone %}Phone: {{ phone }}<br>{% endif -%} {% if fax %}Fax: {{ fax }}<br>{% endif -%} {% if email_id %}Email: {{ email_id }}<br>{% endif -%} -","

default Template -

Menggunakan Jinja template dan semua bidang Address ( termasuk Custom Fields jika ada) akan tersedia -

  {{}} address_line1 
- {% jika% address_line2} {{}} address_line2
{ endif% -%} - {{kota}}
- {% jika negara%} {{negara}}
{% endif -%} - {% jika pincode%} PIN: {{}} pincode
{% endif -%} - {{negara}}
- {% jika telepon%} Telepon: {{ponsel}} {
endif% -%} - {% jika faks%} Fax: {{}} fax
{% endif -%} - {% jika email_id%} Email: {{}} email_id
; {% endif -%} +
","

default Template +

Menggunakan Jinja template dan semua bidang Address ( termasuk Custom Fields jika ada) akan tersedia +

  {{}} address_line1 
+ {% jika% address_line2} {{}} address_line2
{ endif% -%} + {{kota}}
+ {% jika negara%} {{negara}}
{% endif -%} + {% jika pincode%} PIN: {{}} pincode
{% endif -%} + {{negara}}
+ {% jika telepon%} Telepon: {{ponsel}} {
endif% -%} + {% jika faks%} Fax: {{}} fax
{% endif -%} + {% jika email_id%} Email: {{}} email_id
; {% endif -%} " A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Sebuah Kelompok Pelanggan ada dengan nama yang sama, silakan mengubah nama Nasabah atau mengubah nama Grup Pelanggan" A Customer exists with same name,Nasabah ada dengan nama yang sama @@ -924,7 +924,7 @@ Electrical,Listrik Electricity Cost,Biaya Listrik Electricity cost per hour,Biaya listrik per jam Electronics,Elektronik -Email,siska_chute34@yahoo.com +Email, Email Digest,Email Digest Email Digest Settings,Email Digest Pengaturan Email Digest: , @@ -995,7 +995,7 @@ Estimated Material Cost,Perkiraan Biaya Material "Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Bahkan jika ada beberapa Aturan Harga dengan prioritas tertinggi, kemudian mengikuti prioritas internal diterapkan:" Everyone can read,Setiap orang dapat membaca "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.",". Contoh: 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.",". Contoh: ABCD # # # # # Jika seri diatur Serial dan ada tidak disebutkan dalam transaksi, nomor seri maka otomatis akan dibuat berdasarkan seri ini. Jika Anda selalu ingin secara eksplisit menyebutkan Serial Nos untuk item ini. biarkan kosong ini." Exchange Rate,Nilai Tukar Excise Duty 10,Cukai Tugas 10 From d91c4d3e00f4233e3e6d0f712b3fd4509de96d51 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Wed, 3 Sep 2014 21:39:05 +0530 Subject: [PATCH 614/630] [translations] German translations from a user --- erpnext/translations/de.csv | 3438 ++++++++++++++++++----------------- 1 file changed, 1803 insertions(+), 1635 deletions(-) diff --git a/erpnext/translations/de.csv b/erpnext/translations/de.csv index 2ffa94d3ca..e85003979b 100644 --- a/erpnext/translations/de.csv +++ b/erpnext/translations/de.csv @@ -1,19 +1,22 @@ (Half Day),(Halber Tag) and year: ,und Jahr: """ does not exists",""" Existiert nicht" -% Delivered,% Lieferung -% Amount Billed,% Rechnungsbetrag -% Billed,% Billed -% Completed,% Abgeschlossen +% Delivered,% geliefert +% Amount Billed,% Betrag in Rechnung gestellt +% Billed,% in Rechnung gestellt +% Completed,% abgeschlossen % Delivered,Geliefert % -% Installed,% Installierte -% Received,% Erhaltene -% of materials billed against this Purchase Order.,% Der Materialien gegen diese Bestellung in Rechnung gestellt. -% of materials billed against this Sales Order,% Der Materialien gegen diesen Kundenauftrag abgerechnet -% of materials delivered against this Delivery Note,% Der Materialien gegen diese Lieferschein -% of materials delivered against this Sales Order,% Der Materialien gegen diesen Kundenauftrag geliefert -% of materials ordered against this Material Request,% Der bestellten Materialien gegen diesen Werkstoff anfordern -% of materials received against this Purchase Order,% Der Materialien erhalten gegen diese Bestellung +% Installed,% installiert +% Milestones Achieved, +% Milestones Completed, +% Received,% erhalten +% Tasks Completed, +% of materials billed against this Purchase Order.,% der für diese Bestellung in Rechnung gestellten Materialien. +% of materials billed against this Sales Order,% der für diesen Kundenauftrag in Rechnung gestellten Materialien +% of materials delivered against this Delivery Note,% der für diesen Lieferschein gelieferten Materialien +% of materials delivered against this Sales Order,% der für diesen Kundenauftrag gelieferten Materialien +% of materials ordered against this Material Request,% der für diese Materialanfrage bestellten Materialien +% of materials received against this Purchase Order,% der für diese Bestellung erhaltenen Materialeien 'Actual Start Date' can not be greater than 'Actual End Date',"' Ist- Startdatum ""nicht größer als "" Actual End Date "" sein" 'Based On' and 'Group By' can not be same,""" Based On "" und "" Group By "" nicht gleich sein" 'Days Since Last Order' must be greater than or equal to zero,""" Tage seit dem letzten Auftrag "" muss größer als oder gleich Null sein" @@ -22,16 +25,20 @@ 'From Date' is required,""" Von-Datum "" ist erforderlich," 'From Date' must be after 'To Date',"""Von Datum "" muss nach 'To Date "" sein" 'Has Serial No' can not be 'Yes' for non-stock item,""" Hat Seriennummer "" kann nicht sein ""Ja"" für Nicht- Lagerware" -'Notification Email Addresses' not specified for recurring invoice,"'Benachrichtigung per E-Mail -Adressen ""nicht für wiederkehrende Rechnung angegebenen" +'Notification Email Addresses' not specified for recurring %s, 'Profit and Loss' type account {0} not allowed in Opening Entry,""" Gewinn und Verlust "" Typ Account {0} nicht in Öffnungs Eintrag erlaubt" -'To Case No.' cannot be less than 'From Case No.','To Fall Nr.' kann nicht kleiner sein als "Von Fall Nr. ' +'To Case No.' cannot be less than 'From Case No.','Bis Fall Nr.' kann nicht kleiner als 'Von Fall Nr.' sein 'To Date' is required,"'To Date "" ist erforderlich," 'Update Stock' for Sales Invoice {0} must be set,'Update Auf ' für Sales Invoice {0} muss eingestellt werden -* Will be calculated in the transaction.,* Wird in der Transaktion berechnet werden. +* Will be calculated in the transaction.,* Wird in der Transaktion berechnet. +"**Budget Distribution** helps you distribute your budget across months if you have seasonality in your business. + +To distribute a budget using this distribution, set this **Budget Distribution** in the **Cost Center**", +**Currency** Master,**Währung** Stamm +**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,**Geschäftsjahr** steht für ein Geschäftsjahr. Alle Buchungen und anderen großen Transaktionen werden mit dem **Geschäftsjahr** verglichen. "1 Currency = [?] Fraction -For e.g. 1 USD = 100 Cent","1 Währungs = [?] Fraction - Für zB 1 USD = 100 Cent" -1. To maintain the customer wise item code and to make them searchable based on their code use this option,Ein. Um den Kunden kluge Artikel Code zu pflegen und um sie durchsuchbar basierend auf ihren Code um diese Option +For e.g. 1 USD = 100 Cent", +1. To maintain the customer wise item code and to make them searchable based on their code use this option,"1. Um den kundenspezifischen Artikelcode zu erhalten und ihn auffindbar zu machen, verwenden Sie diese Option" "
Add / Edit"," Hinzufügen / Bearbeiten " "Add / Edit"," Hinzufügen / Bearbeiten " "Add / Edit"," Hinzufügen / Bearbeiten " @@ -46,41 +53,35 @@ For e.g. 1 USD = 100 Cent","1 Währungs = [?] Fraction {% if phone %}Phone: {{ phone }}<br>{% endif -%} {% if fax %}Fax: {{ fax }}<br>{% endif -%} {% if email_id %}Email: {{ email_id }}<br>{% endif -%} -
","

Standardvorlage -

Verwendet Jinja Templating und alle Felder der Adresse ( einschließlich Custom Fields falls vorhanden) zur Verfügung stehen - {{

  address_line1}} 
- {% wenn address_line2%} {{}} address_line2
{ endif% -%} - {{city}}
- {% wenn staatliche%} {{Zustand}} {% endif
-%} - {%%}, wenn PIN-Code PIN: {{PIN-Code}} {% endif
-%} - {{Land}}
- {%%}, wenn das Telefon Tel.: {{Telefon}} {
endif% -%} - {%%}, wenn Fax Fax: {{Fax}} {% endif
-%} - {% wenn email_id%} E-Mail: {{}} email_id
, {% endif -%} - " +
", A Customer Group exists with same name please change the Customer name or rename the Customer Group,Mit dem gleichen Namen eine Kundengruppe existiert ändern Sie bitte die Kundenname oder benennen Sie die Kundengruppe -A Customer exists with same name,Ein Kunde gibt mit dem gleichen Namen -A Lead with this email id should exist,Ein Lead mit dieser E-Mail-ID sollte vorhanden sein +A Customer exists with same name,Ein Kunde mit diesem Namen existiert bereits +A Lead with this email id should exist,Es sollte ein Lead mit dieser E-Mail-ID vorhanden sein A Product or Service,Ein Produkt oder Dienstleistung -A Supplier exists with same name,Ein Lieferant existiert mit dem gleichen Namen -A symbol for this currency. For e.g. $,Ein Symbol für diese Währung. Für z.B. $ -AMC Expiry Date,AMC Ablaufdatum +"A Product or a Service that is bought, sold or kept in stock.","Ein Produkt oder eine Dienstleistung, die gekauft, verkauft oder auf Lager gehalten wird." +A Supplier exists with same name,Es ist bereits ein Lieferant mit diesem Namen vorhanden +A condition for a Shipping Rule,Eine Bedingung für eine Versandregel +A logical Warehouse against which stock entries are made.,"Eine logisches Warenlager, für das Bestandseinträge gemacht werden." +A symbol for this currency. For e.g. $,Ein Symbol für diese Währung. Zum Beispiel: $ +A third party distributor / dealer / commission agent / affiliate / reseller who sells the companies products for a commission.,"Ein dritter Vertriebspartner/Händler/Kommissionär/Tochterunternehmer/ Fachhändler, der die Produkte es Unternehmens auf Provision vertreibt." +"A user with ""Expense Approver"" role", +AMC Expiry Date,AMC Verfalldatum Abbr,Abk. Abbreviation cannot have more than 5 characters,Abkürzung kann nicht mehr als 5 Zeichen -Above Value,Vor Wert +Above Value,Über Wert Absent,Abwesend -Acceptance Criteria,Akzeptanzkriterien +Acceptance Criteria,Akzeptanzkriterium Accepted,Akzeptiert Accepted + Rejected Qty must be equal to Received quantity for Item {0},Akzeptierte + Abgelehnt Menge muss für den Posten gleich Received Menge {0} -Accepted Quantity,Akzeptiert Menge -Accepted Warehouse,Akzeptiert Warehouse +Accepted Quantity,Akzeptierte Menge +Accepted Warehouse,Akzeptiertes Warenlager Account,Konto Account Balance,Kontostand Account Created: {0},Konto Erstellt: {0} -Account Details,Kontodetails -Account Head,Konto Leiter -Account Name,Account Name -Account Type,Kontotyp +Account Details,Kontendaten +Account Head,Kontenführer +Account Name,Kontenname +Account Type,Kontenart "Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Kontostand bereits im Kredit, Sie dürfen nicht eingestellt ""Balance Must Be"" als ""Debit""" "Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Kontostand bereits in Lastschrift, sind Sie nicht berechtigt, festgelegt als ""Kredit"" ""Balance Must Be '" Account for the warehouse (Perpetual Inventory) will be created under this Account.,Konto für das Lager ( Perpetual Inventory) wird unter diesem Konto erstellt werden. @@ -94,6 +95,7 @@ Account {0} cannot be a Group,Konto {0} kann nicht eine Gruppe sein Account {0} does not belong to Company {1},Konto {0} ist nicht auf Unternehmen gehören {1} Account {0} does not belong to company: {1},Konto {0} ist nicht auf Unternehmen gehören: {1} Account {0} does not exist,Konto {0} existiert nicht +Account {0} does not exists, Account {0} has been entered more than once for fiscal year {1},Konto {0} hat mehr als einmal für das Geschäftsjahr eingegeben {1} Account {0} is frozen,Konto {0} ist eingefroren Account {0} is inactive,Konto {0} ist inaktiv @@ -104,244 +106,259 @@ Account {0}: Parent account {1} does not belong to company: {2},Konto {0}: Elter Account {0}: Parent account {1} does not exist,Konto {0}: Eltern-Konto {1} existiert nicht Account {0}: You can not assign itself as parent account,Konto {0}: Sie können sich nicht als Hauptkonto zuweisen "Account: {0} can only be updated via \ - Stock Transactions","Konto: \ - Auf Transaktionen {0} kann nur über aktualisiert werden" + Stock Transactions", Accountant,Buchhalter Accounting,Buchhaltung "Accounting Entries can be made against leaf nodes, called","Accounting Einträge können gegen Blattknoten gemacht werden , die so genannte" -"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","Buchhaltungseingaben bis zu diesem Zeitpunkt eingefroren, kann niemand / nicht ändern Eintrag außer Rolle unten angegebenen." -Accounting journal entries.,Accounting Journaleinträge. +Accounting Entry for Stock, +"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","Bis zu diesem Zeitpunkt eingefrorener Buchhaltungseintrag, niemand außer der unten genannten Position kann den Eintrag bearbeiten/ändern." +Accounting journal entries.,Buchhaltungsjournaleinträge Accounts,Konten Accounts Browser,Konten Browser -Accounts Frozen Upto,Konten Bis gefroren -Accounts Payable,Kreditorenbuchhaltung -Accounts Receivable,Debitorenbuchhaltung -Accounts Settings,Konten-Einstellungen +Accounts Frozen Upto,Eingefrorene Konten bis +Accounts Manager, +Accounts Payable,Kreditoren +Accounts Receivable,Forderungen +Accounts Settings,Kontoeinstellungen +Accounts User, Active,Aktiv Active: Will extract emails from ,Aktiv: Werden E-Mails extrahieren Activity,Aktivität -Activity Log,Activity Log +Activity Log,Aktivitätsprotokoll Activity Log:,Activity Log: -Activity Type,Art der Tätigkeit +Activity Type,Aktivitätstyp Actual,Tatsächlich -Actual Budget,Tatsächliche Budget -Actual Completion Date,Tatsächliche Datum der Fertigstellung -Actual Date,Aktuelles Datum -Actual End Date,Actual End Datum -Actual Invoice Date,Tag der Rechnungslegung -Actual Posting Date,Tatsächliche Buchungsdatum -Actual Qty,Tatsächliche Menge -Actual Qty (at source/target),Tatsächliche Menge (an der Quelle / Ziel) -Actual Qty After Transaction,Tatsächliche Menge Nach Transaction +Actual Budget,Tatsächliches Budget +Actual Completion Date,Tatsächliches Abschlussdatum +Actual Date,Tatsächliches Datum +Actual End Date,Tatsächliches Enddatum +Actual Invoice Date,Tatsächliches Rechnungsdatum +Actual Posting Date,Tatsächliches Buchungsdatum +Actual Qty,Tatsächliche Anzahl +Actual Qty (at source/target),Tatsächliche Anzahl (an Ursprung/Ziel) +Actual Qty After Transaction,Tatsächliche Anzahl nach Transaktion Actual Qty: Quantity available in the warehouse.,Tatsächliche Menge: Menge verfügbar im Lager. -Actual Quantity,Tatsächliche Menge -Actual Start Date,Tatsächliche Startdatum +Actual Quantity,Istmenge +Actual Start Date,Tatsächliches Startdatum Add,Hinzufügen -Add / Edit Taxes and Charges,Hinzufügen / Bearbeiten Steuern und Abgaben +Add / Edit Taxes and Charges,Hinzufügen/Bearbeiten von Steuern und Abgaben Add Child,Kinder hinzufügen Add Serial No,In Seriennummer Add Taxes,Steuern hinzufügen -Add Taxes and Charges,In Steuern und Abgaben -Add or Deduct,Hinzufügen oder abziehen -Add rows to set annual budgets on Accounts.,Fügen Sie Zeilen hinzu jährlichen Budgets für Konten festgelegt. +Add or Deduct,Hinzuaddieren oder abziehen +Add rows to set annual budgets on Accounts.,Zeilen zum Festlegen der Jahresbudgets in Konten hinzufügen. Add to Cart,In den Warenkorb Add to calendar on this date,In den an diesem Tag Kalender -Add/Remove Recipients,Hinzufügen / Entfernen von Empfängern +Add/Remove Recipients,Empfänger hinzufügen/entfernen Address,Adresse -Address & Contact,Adresse & Kontakt -Address & Contacts,Adresse und Kontakte -Address Desc,Adresse Desc -Address Details,Adressdaten +Address & Contact,Adresse & Kontakt +Address & Contacts,Adresse & Kontakt +Address Desc,Adresszusatz +Address Details,Adressdetails Address HTML,Adresse HTML -Address Line 1,Address Line 1 -Address Line 2,Address Line 2 +Address Line 1,Adresszeile 1 +Address Line 2,Adresszeile 2 Address Template,Adressvorlage -Address Title,Anrede +Address Title,Adresse Titel Address Title is mandatory.,Titel Adresse ist verpflichtend. -Address Type,Adresse Typ +Address Type,Adresstyp Address master.,Adresse Master. Administrative Expenses,Verwaltungskosten Administrative Officer,Administrative Officer -Advance Amount,Voraus Betrag -Advance amount,Vorschuss in Höhe -Advances,Advances +Administrator, +Advance Amount,Vorausbetrag +Advance amount,Vorausbetrag +Advances,Vorschüsse Advertisement,Anzeige Advertising,Werbung Aerospace,Luft-und Raumfahrt -After Sale Installations,After Sale Installationen +After Sale Installations,Installationen nach Verkauf Against,Gegen -Against Account,Vor Konto -Against Bill {0} dated {1},Gegen Bill {0} vom {1} -Against Docname,Vor DocName -Against Doctype,Vor Doctype -Against Document Detail No,Vor Document Detailaufnahme +Against Account,Gegen Konto +Against Docname,Gegen Dokumentennamen +Against Doctype,Gegen Dokumententyp +Against Document Detail No,Gegen Dokumentendetail Nr. Against Document No,Gegen Dokument Nr. -Against Expense Account,Vor Expense Konto -Against Income Account,Vor Income Konto -Against Journal Voucher,Vor Journal Gutschein +Against Expense Account,Gegen Aufwandskonto +Against Income Account,Gegen Einkommenskonto +Against Journal Voucher,Gegen Journalgutschein Against Journal Voucher {0} does not have any unmatched {1} entry,Vor Blatt Gutschein {0} keine unerreichte {1} Eintrag haben -Against Purchase Invoice,Vor Kaufrechnung -Against Sales Invoice,Vor Sales Invoice +Against Purchase Invoice,Gegen Einkaufsrechnung +Against Sales Invoice,Gegen Verkaufsrechnung Against Sales Order,Vor Sales Order +Against Supplier Invoice {0} dated {1}, Against Voucher,Gegen Gutschein -Against Voucher Type,Gegen Gutschein Type +Against Voucher Type,Gegen Gutscheintyp Ageing Based On,"Altern, basiert auf" Ageing Date is mandatory for opening entry,Alternde Datum ist obligatorisch für die Öffnung der Eintrag Ageing date is mandatory for opening entry,Alternde Datum ist obligatorisch für die Öffnung der Eintrag Agent,Agent -Aging Date,Aging Datum +"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"". + +For Example: If you are selling Laptops and Backpacks separately and have a special price if the customer buys both, then the Laptop + Backpack will be a new Sales BOM Item. + +Note: BOM = Bill of Materials", +Aging Date,Fälligkeitsdatum Aging Date is mandatory for opening entry,Aging Datum ist obligatorisch für die Öffnung der Eintrag Agriculture,Landwirtschaft Airline,Fluggesellschaft -All Addresses.,Alle Adressen. -All Contact,Alle Kontakt -All Contacts.,Alle Kontakte. -All Customer Contact,All Customer Contact +All, +All Addresses.,Alle Adressen +All Contact,Alle Kontakte +All Contacts.,Alle Kontakte +All Customer Contact,Alle Kundenkontakte All Customer Groups,Alle Kundengruppen -All Day,All Day -All Employee (Active),Alle Mitarbeiter (Active) +All Day,Ganzer Tag +All Employee (Active),Alle Mitarbeiter (Aktiv) All Item Groups,Alle Artikelgruppen -All Lead (Open),Alle Lead (Open) +All Lead (Open),Alle Leads (offen) All Products or Services.,Alle Produkte oder Dienstleistungen. -All Sales Partner Contact,Alle Vertriebspartner Kontakt -All Sales Person,Alle Sales Person -All Supplier Contact,Alle Lieferanten Kontakt +All Sales Partner Contact,Alle Vertriebspartnerkontakte +All Sales Person,Alle Vertriebsmitarbeiter +All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,"Alle Verkaufsvorgänge können für mehrere ** Vertriebsmitarbeiter** markiert werden, so dass Sie Ziele festlegen und überwachen können." +All Supplier Contact,Alle Lieferantenkontakte All Supplier Types,Alle Lieferant Typen All Territories,Alle Staaten "All export related fields like currency, conversion rate, export total, export grand total etc are available in Delivery Note, POS, Quotation, Sales Invoice, Sales Order etc.","Alle Export verwandten Bereichen wie Währung , Conversion-Rate , Export insgesamt , Export Gesamtsumme etc sind in Lieferschein , POS, Angebot, Verkaufsrechnung , Auftrags usw." "All import related fields like currency, conversion rate, import total, import grand total etc are available in Purchase Receipt, Supplier Quotation, Purchase Invoice, Purchase Order etc.","Alle Import verwandten Bereichen wie Währung , Conversion-Rate , Import insgesamt , Import Gesamtsumme etc sind in Kaufbeleg , Lieferant Angebot, Einkaufsrechnung , Bestellung usw." All items have already been invoiced,Alle Einzelteile sind bereits abgerechnet All these items have already been invoiced,Alle diese Elemente sind bereits in Rechnung gestellt -Allocate,Zuweisen +Allocate,Zuordnung Allocate leaves for a period.,Ordnen Blätter für einen Zeitraum . -Allocate leaves for the year.,Weisen Blätter für das Jahr. -Allocated Amount,Zugeteilten Betrag -Allocated Budget,Zugeteilten Budget -Allocated amount,Zugeteilten Betrag +Allocate leaves for the year.,Jahresurlaube zuordnen. +Allocated Amount,Zugewiesener Betrag +Allocated Budget,Zugewiesenes Budget +Allocated amount,Zugewiesener Betrag Allocated amount can not be negative,Geschätzter Betrag kann nicht negativ sein Allocated amount can not greater than unadusted amount,Geschätzter Betrag kann nicht größer als unadusted Menge -Allow Bill of Materials,Lassen Bill of Materials +Allow Bill of Materials,Stückliste zulassen Allow Bill of Materials should be 'Yes'. Because one or many active BOMs present for this item,"Lassen Bill of Materials sollte ""Ja"" . Da eine oder mehrere zu diesem Artikel vorhanden aktiv Stücklisten" Allow Children,Lassen Sie Kinder -Allow Dropbox Access,Erlauben Dropbox-Zugang -Allow Google Drive Access,Erlauben Sie Google Drive Zugang -Allow Negative Balance,Lassen Negative Bilanz -Allow Negative Stock,Lassen Negative Lager -Allow Production Order,Lassen Fertigungsauftrag +Allow Dropbox Access,Dropbox-Zugang zulassen +Allow Google Drive Access,Google Drive-Zugang zulassen +Allow Negative Balance,Negativen Saldo zulassen +Allow Negative Stock,Negatives Inventar zulassen +Allow Production Order,Fertigungsauftrag zulassen Allow User,Benutzer zulassen -Allow Users,Ermöglichen -Allow the following users to approve Leave Applications for block days.,Lassen Sie die folgenden Benutzer zu verlassen Anwendungen für Block Tage genehmigen. -Allow user to edit Price List Rate in transactions,Benutzer zulassen Preis List in Transaktionen bearbeiten -Allowance Percent,Allowance Prozent +Allow Users,Benutzer zulassen +Allow the following users to approve Leave Applications for block days.,"Zulassen, dass die folgenden Benutzer Urlaubsanträge für Blöcke von Tagen genehmigen können." +Allow user to edit Price List Rate in transactions,"Benutzer erlauben, die Preislistenrate in Transaktionen zu bearbeiten" +Allowance Percent,Zulassen Prozent Allowance for over-{0} crossed for Item {1},Wertberichtigungen für Über {0} drücken für Artikel {1} Allowance for over-{0} crossed for Item {1}.,Wertberichtigungen für Über {0} drücken für Artikel {1}. Allowed Role to Edit Entries Before Frozen Date,"Erlaubt Rolle , um Einträge bearbeiten Bevor Gefrorene Datum" -Amended From,Geändert von -Amount,Menge -Amount (Company Currency),Betrag (Gesellschaft Währung) +Amended From,Geändert am +Amount,Betrag +Amount (Company Currency),Betrag (Unternehmenswährung) Amount Paid,Betrag Amount to Bill,Belaufen sich auf Bill +Amounts not reflected in bank, +Amounts not reflected in system, An Customer exists with same name,Ein Kunde mit dem gleichen Namen existiert "An Item Group exists with same name, please change the item name or rename the item group","Mit dem gleichen Namen eine Artikelgruppe existiert, ändern Sie bitte die Artikel -Namen oder die Artikelgruppe umbenennen" "An item exists with same name ({0}), please change the item group name or rename the item","Ein Element mit dem gleichen Namen existiert ({0} ), ändern Sie bitte das Einzelgruppennamen oder den Artikel umzubenennen" Analyst,Analytiker Annual,jährlich Another Period Closing Entry {0} has been made after {1},Eine weitere Periode Schluss Eintrag {0} wurde nach gemacht worden {1} -Another Salary Structure {0} is active for employee {0}. Please make its status 'Inactive' to proceed.,"Eine andere Gehaltsstruktur {0} ist für Mitarbeiter aktiv {0}. Bitte stellen Sie ihren Status ""inaktiv"" , um fortzufahren." -"Any other comments, noteworthy effort that should go in the records.","Weitere Kommentare, bemerkenswerte Anstrengungen, die in den Aufzeichnungen gehen sollte." +Another Salary Structure {0} is active for employee {1}. Please make its status 'Inactive' to proceed., +"Any other comments, noteworthy effort that should go in the records.",Alle weiteren Kommentare sind bemerkenswert und sollten aufgezeichnet werden. Apparel & Accessories,Kleidung & Accessoires Applicability,Anwendbarkeit +Applicable Charges, Applicable For,Anwendbar -Applicable Holiday List,Anwendbar Ferienwohnung Liste +Applicable Holiday List,Geltende Urlaubsliste Applicable Territory,Anwendbar Territory -Applicable To (Designation),Für (Bezeichnung) -Applicable To (Employee),Für (Employee) -Applicable To (Role),Anwendbar (Rolle) +Applicable To (Designation),Geltend für (Bestimmung) +Applicable To (Employee),Geltend für (Mitarbeiter) +Applicable To (Role),Anwendbar auf (Rolle) Applicable To (User),Anwendbar auf (User) -Applicant Name,Name des Antragstellers -Applicant for a Job.,Antragsteller für einen Job. +Applicant Name,Bewerbername +Applicant for a Job,Bewerber für einen Job +Applicant for a Job.,Bewerber für einen Job. Application of Funds (Assets),Mittelverwendung (Aktiva) -Applications for leave.,Bei Anträgen auf Urlaub. +Applications for leave.,Urlaubsanträge Applies to Company,Gilt für Unternehmen +Apply / Approve Leaves,Beurlaubungen anwenden/genehmigen Apply On,Bewerben auf Appraisal,Bewertung -Appraisal Goal,Bewertung Goal -Appraisal Goals,Bewertung Details -Appraisal Template,Bewertung Template -Appraisal Template Goal,Bewertung Template Goal -Appraisal Template Title,Bewertung Template Titel +Appraisal Goal,Bewertungsziel +Appraisal Goals,Bewertungsziele +Appraisal Template,Bewertungsvorlage +Appraisal Template Goal,Bewertungsvorlage Ziel +Appraisal Template Title,Bewertungsvorlage Titel Appraisal {0} created for Employee {1} in the given date range,Bewertung {0} für Mitarbeiter erstellt {1} in der angegebenen Datumsbereich Apprentice,Lehrling Approval Status,Genehmigungsstatus Approval Status must be 'Approved' or 'Rejected',"Genehmigungsstatus muss ""Genehmigt"" oder "" Abgelehnt """ Approved,Genehmigt -Approver,Approver -Approving Role,Genehmigung Rolle +Approver,Genehmigender +Approving Role,Genehmigende Rolle Approving Role cannot be same as role the rule is Applicable To,Genehmigen Rolle kann nicht dieselbe sein wie die Rolle der Regel ist anwendbar auf Approving User,Genehmigen Benutzer Approving User cannot be same as user the rule is Applicable To,Genehmigen Benutzer kann nicht dieselbe sein wie Benutzer die Regel ist anwendbar auf Are you sure you want to STOP , Are you sure you want to UNSTOP , -Arrear Amount,Nachträglich Betrag +Arrear Amount,Ausstehender Betrag "As Production Order can be made for this item, it must be a stock item.","Als Fertigungsauftrag kann für diesen Artikel gemacht werden , es muss ein Lager Titel ." -As per Stock UOM,Wie pro Lagerbestand UOM +As per Stock UOM,Wie pro Bestand ME "As there are existing stock transactions for this item, you can not change the values of 'Has Serial No', 'Is Stock Item' and 'Valuation Method'","Da gibt es bestehende Aktientransaktionen zu diesem Artikel , können Sie die Werte von "" Hat Serien Nein ' nicht ändern , Ist Auf Artikel "" und "" Bewertungsmethode """ Asset,Vermögenswert Assistant,Assistent Associate,Mitarbeiterin Atleast one of the Selling or Buying must be selected,Mindestens eines der Verkauf oder Kauf ausgewählt werden muss -Atleast one warehouse is mandatory,Mindestens eines Lagers ist obligatorisch +Atleast one warehouse is mandatory,Mindestens ein Warenlager ist obligatorisch Attach Image,Bild anhängen Attach Letterhead,Bringen Brief Attach Logo,Bringen Logo Attach Your Picture,Bringen Sie Ihr Bild Attendance,Teilnahme -Attendance Date,Teilnahme seit -Attendance Details,Teilnahme Einzelheiten -Attendance From Date,Teilnahme ab-Datum +Attendance Date,Teilnahmedatum +Attendance Details,Teilnahmedetails +Attendance From Date,Teilnahme ab Datum Attendance From Date and Attendance To Date is mandatory,Die Teilnahme von Datum bis Datum und Teilnahme ist obligatorisch -Attendance To Date,Teilnahme To Date +Attendance To Date,Teilnahme bis Datum Attendance can not be marked for future dates,Die Teilnahme kann nicht für zukünftige Termine markiert werden Attendance for employee {0} is already marked,Die Teilnahme für Mitarbeiter {0} bereits markiert ist -Attendance record.,Zuschauerrekord. -Authorization Control,Authorization Control +Attendance record.,Anwesenheitsnachweis +Auditor, +Authorization Control,Berechtigungskontrolle Authorization Rule,Autorisierungsregel Auto Accounting For Stock Settings,Auto Accounting for Stock -Einstellungen -Auto Material Request,Auto Werkstoff anfordern -Auto-raise Material Request if quantity goes below re-order level in a warehouse,"Auto-Raise Werkstoff anfordern, wenn Quantität geht unten re-order-Ebene in einer Lagerhalle" +Auto Material Request,Automatische Materialanforderung +Auto-raise Material Request if quantity goes below re-order level in a warehouse,"Automatische Erstellung einer Materialanforderung, wenn die Menge in einem Warenlager unter der Grenze für Neubestellungen liegt" Automatically compose message on submission of transactions.,Automatisch komponieren Nachricht auf Vorlage von Transaktionen. -Automatically extract Job Applicants from a mail box , -Automatically extract Leads from a mail box e.g.,Extrahieren Sie automatisch Leads aus einer Mail-Box z. B. -Automatically updated via Stock Entry of type Manufacture/Repack,Automatisch über Lager Eintrag vom Typ Manufacture / Repack aktualisiert +Automatically updated via Stock Entry of type Manufacture/Repack,Automatisch über Lagerbuchung vom Typ Herstellung/Umpacken aktualisiert Automotive,Automotive -Autoreply when a new mail is received,Autoreply wenn eine neue E-Mail empfangen +Autoreply when a new mail is received,"Autoreply, wenn eine neue E-Mail eingegangen ist" Available,verfügbar -Available Qty at Warehouse,Verfügbare Menge bei Warehouse -Available Stock for Packing Items,Lagerbestand für Packstücke -"Available in BOM, Delivery Note, Purchase Invoice, Production Order, Purchase Order, Purchase Receipt, Sales Invoice, Sales Order, Stock Entry, Timesheet","Erhältlich in Stückliste , Lieferschein, Rechnung, dem Fertigungsauftrag , Bestellung, Kaufbeleg , Verkaufsrechnung , Auftrags , Stock Erfassung, Zeiterfassung" +Available Qty at Warehouse,Verfügbare Menge auf Lager +Available Stock for Packing Items,Verfügbarer Bestand für Verpackungsartikel +"Available in BOM, Delivery Note, Purchase Invoice, Production Order, Purchase Order, Purchase Receipt, Sales Invoice, Sales Order, Stock Entry, Timesheet","Erhältlich in Stückliste, Lieferschein, Rechnung, Fertigungsauftrag, Bestellung, Kaufbeleg, Verkaufsrechnung, Auftrag, Lagerbeleg, Zeiterfassung" Average Age,Durchschnittsalter Average Commission Rate,Durchschnittliche Kommission bewerten -Average Discount,Durchschnittliche Discount +Average Discount,Durchschnittlicher Rabatt Awesome Products,ehrfürchtig Produkte Awesome Services,ehrfürchtig Dienstleistungen -BOM Detail No,BOM Detailaufnahme -BOM Explosion Item,Stücklistenauflösung Artikel +BOM Detail No,Stückliste Detailnr. +BOM Explosion Item,Position der Stücklistenauflösung BOM Item,Stücklistenposition -BOM No,BOM Nein -BOM No. for a Finished Good Item,BOM-Nr für Finished Gute Artikel -BOM Operation,BOM Betrieb -BOM Operations,BOM Operationen -BOM Replace Tool,BOM Replace Tool +BOM No,Stücklistennr. +BOM No. for a Finished Good Item,Stücklistennr. für einen fertigen Artikel +BOM Operation,Stücklistenvorgang +BOM Operations,Stücklistenvorgänge +BOM Replace Tool,Stücklisten-Ersetzungstool BOM number is required for manufactured Item {0} in row {1},Stücklistennummer wird für hergestellte Artikel erforderlich {0} in Zeile {1} BOM number not allowed for non-manufactured Item {0} in row {1},Stücklistennummer für Nicht- gefertigte Artikel darf {0} in Zeile {1} BOM recursion: {0} cannot be parent or child of {2},BOM Rekursion : {0} kann nicht Elternteil oder Kind von {2} -BOM replaced,BOM ersetzt +BOM replaced,Stückliste ersetzt BOM {0} for Item {1} in row {2} is inactive or not submitted,Stückliste {0} für Artikel {1} in Zeile {2} ist inaktiv oder nicht vorgelegt BOM {0} is not active or not submitted,Stückliste {0} ist nicht aktiv oder nicht eingereicht BOM {0} is not submitted or inactive BOM for Item {1},Stückliste {0} nicht vorgelegt oder inaktiv Stückliste für Artikel {1} Backup Manager,Backup Manager -Backup Right Now,Sichern Right Now -Backups will be uploaded to,"Backups werden, die hochgeladen werden" +Backup Right Now,Sofort Backup erstellen +Backups will be uploaded to,Backups werden hierhin hochgeladen Balance Qty,Bilanz Menge Balance Sheet,Bilanz Balance Value,Bilanzwert @@ -350,95 +367,98 @@ Balance must be,"Gleichgewicht sein muss," "Balances of Accounts of type ""Bank"" or ""Cash""","Guthaben von Konten vom Typ "" Bank"" oder "" Cash""" Bank,Bank Bank / Cash Account,Bank / Geldkonto -Bank A/C No.,Bank A / C Nr. +Bank A/C No.,Bankkonto-Nr. Bank Account,Bankkonto -Bank Account No.,Bank Konto-Nr +Bank Account No.,Bankkonto-Nr. Bank Accounts,Bankkonten -Bank Clearance Summary,Bank-Ausverkauf Zusammenfassung +Bank Clearance Summary,Zusammenfassung Bankgenehmigung Bank Draft,Bank Draft Bank Name,Name der Bank Bank Overdraft Account,Kontokorrentkredit Konto Bank Reconciliation,Kontenabstimmung -Bank Reconciliation Detail,Kontenabstimmung Details -Bank Reconciliation Statement,Kontenabstimmung Statement +Bank Reconciliation Detail,Kontenabstimmungsdetail +Bank Reconciliation Statement,Kontenabstimmungsauszug Bank Voucher,Bankgutschein -Bank/Cash Balance,Banken / Cash Balance +Bank/Cash Balance,Bank-/Bargeldsaldo Banking,Bankwesen Barcode,Strichcode Barcode {0} already used in Item {1},Barcode {0} bereits im Artikel verwendet {1} -Based On,Basierend auf +Based On,Beruht auf Basic,Grund- -Basic Info,Basic Info -Basic Information,Grundlegende Informationen -Basic Rate,Basic Rate -Basic Rate (Company Currency),Basic Rate (Gesellschaft Währung) +Basic Info,Grundlegende Info +Basic Information,Grundinformationen +Basic Rate,Basisrate +Basic Rate (Company Currency),Basisrate (Unternehmenswährung) Batch,Stapel -Batch (lot) of an Item.,Batch (Los) eines Item. -Batch Finished Date,Batch Beendet Datum -Batch ID,Batch ID -Batch No,Batch No -Batch Started Date,Batch gestartet Datum -Batch Time Logs for billing.,Batch Zeit Logs für die Abrechnung. -Batch-Wise Balance History,Batch-Wise Gleichgewicht History -Batched for Billing,Batch für Billing -Better Prospects,Bessere Aussichten -Bill Date,Bill Datum -Bill No,Bill No -Bill No {0} already booked in Purchase Invoice {1},Bill Nein {0} bereits in Einkaufsrechnung gebucht {1} +Batch (lot) of an Item.,Stapel (Charge) eines Artikels. +Batch Finished Date,Enddatum des Stapels +Batch ID,Stapel-ID +Batch No,Stapelnr. +Batch Started Date,Anfangsdatum Stapel +Batch Time Logs for Billing.,Stapel-Zeitprotokolle für Abrechnung. +Batch Time Logs for billing.,Stapel-Zeitprotokolle für Abrechnung. +Batch-Wise Balance History,Stapelweiser Kontostand +Batched for Billing,Für Abrechnung gebündelt +Better Prospects,Bessere zukünftige Kunden +Bill Date,Rechnungsdatum +Bill No,Rechnungsnr. Bill of Material,Bill of Material -Bill of Material to be considered for manufacturing,"Bill of Material, um für die Fertigung berücksichtigt werden" -Bill of Materials (BOM),Bill of Materials (BOM) -Billable,Billable -Billed,Angekündigt +Bill of Material to be considered for manufacturing,"Stückliste, die für die Herstellung berücksichtigt werden soll" +Bill of Materials (BOM),Stückliste (SL) +Billable,Abrechenbar +Billed,Abgerechnet Billed Amount,Rechnungsbetrag -Billed Amt,Billed Amt -Billing,Billing +Billed Amt,Rechnungsbetrag +Billing,Abrechnung +Billing (Sales Invoice), Billing Address,Rechnungsadresse -Billing Address Name,Rechnungsadresse Name -Billing Status,Billing-Status -Bills raised by Suppliers.,Bills erhöht durch den Lieferanten. -Bills raised to Customers.,"Bills angehoben, um Kunden." -Bin,Kasten +Billing Address Name,Name der Rechnungsadresse +Billing Status,Abrechnungsstatus +Bills raised by Suppliers.,Rechnungen von Lieferanten. +Bills raised to Customers.,Rechnungen an Kunden. +Bin,Lagerfach Bio,Bio Biotechnology,Biotechnologie Birthday,Geburtstag -Block Date,Blockieren Datum -Block Days,Block Tage -Block leave applications by department.,Block verlassen Anwendungen nach Abteilung. -Blog Post,Blog Post -Blog Subscriber,Blog Subscriber +Block Date,Datum sperren +Block Days,Tage sperren +Block Holidays on important days.,Urlaub an wichtigen Tagen sperren. +Block leave applications by department.,Urlaubsanträge pro Abteilung sperren. +Blog Post,Blog-Post +Blog Subscriber,Blog-Abonnent Blood Group,Blutgruppe Both Warehouse must belong to same Company,Beide Lager müssen an derselben Gesellschaft gehören Box,Box -Branch,Zweig +Branch,Filiale Brand,Marke Brand Name,Markenname -Brand master.,Marke Meister. -Brands,Marken -Breakdown,Zusammenbruch +Brand master.,Markenstamm +Brands,Markenartikel +Breakdown,Aufschlüsselung Broadcasting,Rundfunk Brokerage,Maklergeschäft Budget,Budget -Budget Allocated,Budget -Budget Detail,Budget Detailansicht -Budget Details,Budget Einzelheiten -Budget Distribution,Budget Verteilung -Budget Distribution Detail,Budget Verteilung Detailansicht -Budget Distribution Details,Budget Ausschüttungsinformationen -Budget Variance Report,Budget Variance melden +Budget Allocated,Zugewiesenes Budget +Budget Detail,Budgetdetail +Budget Details,Budgetdetails +Budget Distribution,Budgetverteilung +Budget Distribution Detail,Budgetverteilung Details +Budget Distribution Details,Budgetverteilung Details +Budget Variance Report,Budget Abweichungsbericht Budget cannot be set for Group Cost Centers,Budget kann nicht für die Konzernkostenstelleneingerichtet werden Build Report,Bauen Bericht -Bundle items at time of sale.,Bundle Artikel zum Zeitpunkt des Verkaufs. +Bundle items at time of sale.,Artikel zum Zeitpunkt des Verkaufs zusammenfassen. Business Development Manager,Business Development Manager -Buying,Kauf +Buyer of Goods and Services.,Käufer von Waren und Dienstleistungen. +Buying,Einkauf Buying & Selling,Kaufen und Verkaufen -Buying Amount,Einkaufsführer Betrag -Buying Settings,Einkaufsführer Einstellungen +Buying Amount,Kaufbetrag +Buying Settings,Kaufeinstellungen "Buying must be checked, if Applicable For is selected as {0}","Kaufen Sie muss überprüft werden, wenn Anwendbar ist als ausgewählt {0}" -C-Form,C-Form -C-Form Applicable,"C-Form," -C-Form Invoice Detail,C-Form Rechnungsdetails -C-Form No,C-Form nicht +C-Form,C-Formular +C-Form Applicable,C-Formular Anwendbar +C-Form Invoice Detail,C-Formular Rechnungsdetails +C-Form No,C-Formular Nr. C-Form records,C- Form- Aufzeichnungen CENVAT Capital Goods,CENVAT Investitionsgüter CENVAT Edu Cess,CENVAT Edu Cess @@ -446,10 +466,10 @@ CENVAT SHE Cess,CENVAT SHE Cess CENVAT Service Tax,CENVAT Service Steuer CENVAT Service Tax Cess 1,CENVAT Service Steuer Cess 1 CENVAT Service Tax Cess 2,CENVAT Service Steuer Cess 2 -Calculate Based On,Berechnen Basierend auf -Calculate Total Score,Berechnen Gesamtpunktzahl -Calendar Events,Kalendereintrag -Call,Rufen +Calculate Based On,Berechnet auf Grundlage von +Calculate Total Score,Gesamtwertung berechnen +Calendar Events,Kalenderereignisse +Call,Anruf Calls,Anrufe Campaign,Kampagne Campaign Name,Kampagnenname @@ -462,7 +482,7 @@ Can be approved by {0},Kann von {0} genehmigt werden Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"Kann Zeile beziehen sich nur , wenn die Ladung ist ' On Zurück Reihe Betrag ""oder"" Zurück Reihe Total'" Cancel Material Visit {0} before cancelling this Customer Issue,Abbrechen Werkstoff Besuchen Sie {0} vor Streichung dieses Kunden Ausgabe Cancel Material Visits {0} before cancelling this Maintenance Visit,Abbrechen Werkstoff Besuche {0} vor Streichung dieses Wartungsbesuch -Cancelled,Abgesagt +Cancelled,Abgebrochen Cancelling this Stock Reconciliation will nullify its effect.,Annullierung dieses Lizenz Versöhnung wird ihre Wirkung zunichte machen . Cannot Cancel Opportunity as Quotation Exists,Kann nicht Abbrechen Gelegenheit als Zitat vorhanden ist Cannot approve leave as you are not authorized to approve leaves on Block Dates,"Kann nicht genehmigen Urlaub , wie Sie sind nicht berechtigt, auf Block- Blätter Termine genehmigen" @@ -487,116 +507,121 @@ Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' Cannot set as Lost as Sales Order is made.,Kann nicht als Passwort gesetzt als Sales Order erfolgt. Cannot set authorization on basis of Discount for {0},Kann Genehmigung nicht festgelegt auf der Basis der Rabatt für {0} Capacity,Kapazität -Capacity Units,Capacity Units +Capacity Units,Kapazitätseinheiten Capital Account,Kapitalkonto Capital Equipments,Hauptstadt -Ausrüstungen -Carry Forward,Vortragen -Carry Forwarded Leaves,Carry Weitergeleitete Leaves +Carry Forward,Übertragen +Carry Forwarded Leaves,Übertragene Urlaubsgenehmigungen Case No(s) already in use. Try from Case No {0},"Fall Nr. (n) bereits im Einsatz. Versuchen Sie, von Fall Nr. {0}" Case No. cannot be 0,Fall Nr. kann nicht 0 sein Cash,Bargeld Cash In Hand,Bargeld in der Hand -Cash Voucher,Cash Gutschein +Cash Voucher,Kassenbeleg Cash or Bank Account is mandatory for making payment entry,Barzahlung oder Bankkonto ist für die Zahlung Eintrag -Cash/Bank Account,Cash / Bank Account +Cash/Bank Account,Kassen-/Bankkonto Casual Leave,Lässige Leave -Cell Number,Cell Number -Change UOM for an Item.,Ändern UOM für ein Item. -Change the starting / current sequence number of an existing series.,Ändern Sie den Start / aktuelle Sequenznummer eines bestehenden Serie. -Channel Partner,Channel Partner +Cell Number,Mobiltelefonnummer +Change Abbreviation, +Change UOM for an Item.,ME für einen Artikel ändern. +Change the starting / current sequence number of an existing series.,Startnummer/aktuelle laufende Nummer einer bestehenden Serie ändern. +Channel Partner,Vertriebspartner Charge of type 'Actual' in row {0} cannot be included in Item Rate,Verantwortlicher für Typ ' Actual ' in Zeile {0} kann nicht in Artikel bewerten aufgenommen werden Chargeable,Gebührenpflichtig +Charges are updated in Purchase Receipt against each item, +Charges will be distributed proportionately based on item amount, Charity and Donations,Charity und Spenden Chart Name,Diagrammname Chart of Accounts,Kontenplan -Chart of Cost Centers,Abbildung von Kostenstellen -Check how the newsletter looks in an email by sending it to your email.,"Prüfen Sie, wie der Newsletter in einer E-Mail aussieht, indem es an deine E-Mail." -"Check if recurring invoice, uncheck to stop recurring or put proper End Date","Prüfen Sie, ob wiederkehrende Rechnung, deaktivieren zu stoppen wiederkehrende oder legen richtigen Enddatum" -"Check if you need automatic recurring invoices. After submitting any sales invoice, Recurring section will be visible.","Überprüfen Sie, ob Sie die automatische wiederkehrende Rechnungen benötigen. Nach dem Absenden eine Rechnung über den Verkauf wird Recurring Abschnitt sichtbar sein." -Check if you want to send salary slip in mail to each employee while submitting salary slip,"Überprüfen Sie, ob Sie Gehaltsabrechnung in Mail an jeden Mitarbeiter wollen, während Einreichung Gehaltsabrechnung" -Check this if you want to force the user to select a series before saving. There will be no default if you check this.,"Aktivieren Sie diese Option, wenn Sie den Benutzer zwingen, eine Reihe vor dem Speichern auswählen möchten. Es wird kein Standard sein, wenn Sie dies zu überprüfen." -Check this if you want to show in website,"Aktivieren Sie diese Option, wenn Sie in der Website zeigen wollen" -Check this to disallow fractions. (for Nos),Aktivieren Sie diese verbieten Fraktionen. (Für Nos) -Check this to pull emails from your mailbox,"Aktivieren Sie diese Option, um E-Mails aus Ihrer Mailbox ziehen" -Check to activate,Überprüfen Sie aktivieren -Check to make Shipping Address,"Überprüfen Sie, Liefer-Adresse machen" -Check to make primary address,Überprüfen primäre Adresse machen +Chart of Cost Centers,Tabelle der Kostenstellen +Check how the newsletter looks in an email by sending it to your email.,"Prüfen Sie, wie der Newsletter in einer E-Mail aussieht, indem Sie ihn an Ihre E-Mail senden." +"Check if recurring invoice, uncheck to stop recurring or put proper End Date","Aktivieren, wenn dies eine wiederkehrende Rechnung ist, deaktivieren, damit es keine wiederkehrende Rechnung mehr ist oder ein gültiges Enddatum angeben." +"Check if recurring order, uncheck to stop recurring or put proper End Date", +"Check if you need automatic recurring invoices. After submitting any sales invoice, Recurring section will be visible.","Aktivieren, wenn Sie automatisch wiederkehrende Rechnungen benötigen. Nach dem Absenden einer Verkaufsrechnung, wird der Bereich für wiederkehrende Rechnungen angezeigt." +Check if you want to send salary slip in mail to each employee while submitting salary slip,"Aktivieren, wenn Sie die Gehaltsabrechnung per Post an jeden Mitarbeiter senden möchten." +Check this if you want to force the user to select a series before saving. There will be no default if you check this.,"Aktivieren, wenn Sie den Benutzer zwingen möchten, vor dem Speichern eine Serie auszuwählen. Wenn Sie dies aktivieren, gibt es keine Standardeinstellung." +Check this if you want to show in website,"Aktivieren, wenn Sie den Inhalt auf der Website anzeigen möchten." +Check this to disallow fractions. (for Nos),"Aktivieren, um keine Brüche zuzulassen. (für Nr.)" +Check this to pull emails from your mailbox,"Aktivieren, um E-Mails aus Ihrem Postfach zu ziehen" +Check to activate,"Aktivieren, um zu aktivieren" +Check to make Shipping Address,"Aktivieren, um Lieferadresse anzugeben" +Check to make primary address,"Aktivieren, um primäre Adresse anzugeben" Chemical,Chemikalie Cheque,Scheck -Cheque Date,Scheck Datum -Cheque Number,Scheck-Nummer +Cheque Date,Scheckdatum +Cheque Number,Schecknummer Child account exists for this account. You can not delete this account.,Kinder Konto existiert für dieses Konto. Sie können dieses Konto nicht löschen . -City,City -City/Town,Stadt / Ort -Claim Amount,Schadenhöhe -Claims for company expense.,Ansprüche für Unternehmen Kosten. -Class / Percentage,Klasse / Anteil -Classic,Klassische +City,Stadt +City/Town,Stadt/Ort +Claim Amount,Betrag einfordern +Claims for company expense.,Ansprüche auf Firmenkosten. +Class / Percentage,Klasse/Anteil +Classic,Klassisch +Classification of Customers by region,Klassifizierung der Kunden nach Region Clear Table,Tabelle löschen -Clearance Date,Clearance Datum +Clearance Date,Löschdatum Clearance Date not mentioned,Räumungsdatumnicht genannt Clearance date cannot be before check date in row {0},Räumungsdatum kann nicht vor dem Check- in Datum Zeile {0} -Click on 'Make Sales Invoice' button to create a new Sales Invoice.,"Klicken Sie auf "Als Sales Invoice", um einen neuen Sales Invoice erstellen." +Click on 'Make Sales Invoice' button to create a new Sales Invoice.,"Klicken Sie auf 'Verkaufsrechnung erstellen', um eine neue Verkaufsrechnung zu erstellen." Click on a link to get options to expand get options , -Client,Auftraggeber +Client,Kunde Close Balance Sheet and book Profit or Loss.,Schließen Bilanz und Gewinn-und -Verlust- Buch . Closed,Geschlossen Closing (Cr),Closing (Cr) Closing (Dr),Closing (Dr) -Closing Account Head,Konto schließen Leiter +Closing Account Head,Abschluss Kontenführer Closing Account {0} must be of type 'Liability',"Schluss Konto {0} muss vom Typ ""Haftung"" sein" -Closing Date,Einsendeschluss -Closing Fiscal Year,Schließen Geschäftsjahr +Closing Date,Abschlussdatum +Closing Fiscal Year,Abschluss des Geschäftsjahres Closing Qty,Schließen Menge Closing Value,Schlusswerte -CoA Help,CoA Hilfe +CoA Help,CoA-Hilfe Code,Code -Cold Calling,Cold Calling +Cold Calling,Kaltakquise Color,Farbe Column Break,Spaltenumbruch -Comma separated list of email addresses,Durch Komma getrennte Liste von E-Mail-Adressen +Comma separated list of email addresses,Durch Kommas getrennte Liste von E-Mail-Adressen Comment,Kommentar Comments,Kommentare Commercial,Handels- Commission,Provision -Commission Rate,Kommission bewerten -Commission Rate (%),Kommission Rate (%) +Commission Rate,Provisionssatz +Commission Rate (%),Provisionsrate (%) Commission on Sales,Provision auf den Umsatz Commission rate cannot be greater than 100,Provisionsrate nicht größer als 100 sein Communication,Kommunikation -Communication HTML,Communication HTML -Communication History,Communication History -Communication log.,Communication log. +Communication HTML,Kommunikation HTML +Communication History,Kommunikationshistorie +Communication log.,Kommunikationsprotokoll Communications,Kommunikation -Company,Firma +Company,Unternehmen Company (not Customer or Supplier) master.,Company ( nicht der Kunde oder Lieferant ) Master. Company Abbreviation,Firmen Abkürzung -Company Details,Unternehmensprofil +Company Details,Firmendetails Company Email,Firma E-Mail "Company Email ID not found, hence mail not sent","Firma E-Mail -ID nicht gefunden , daher Mail nicht gesendet" -Company Info,Firmeninfo -Company Name,Firmenname -Company Settings,Gesellschaft Einstellungen +Company Info,Unternehmensinformationen +Company Name,Unternehmensname +Company Settings,Unternehmenseinstellungen Company is missing in warehouses {0},"Unternehmen, die in Lagerhäusern fehlt {0}" Company is required,"Gesellschaft ist verpflichtet," -Company registration numbers for your reference. Example: VAT Registration Numbers etc.,Handelsregisternummer für Ihre Referenz. Beispiel: Umsatzsteuer-Identifikationsnummern usw. -Company registration numbers for your reference. Tax numbers etc.,Handelsregisternummer für Ihre Referenz. MwSt.-Nummern etc. +Company registration numbers for your reference. Example: VAT Registration Numbers etc.,Firmenregistrierungsnummern für Ihre Referenz. Beispiel: Umsatzsteuer-Identifikationsnummern usw. +Company registration numbers for your reference. Tax numbers etc.,Firmenregistrierungsnummern für Ihre Referenz. Steuernummern usw. "Company, Month and Fiscal Year is mandatory","Unternehmen , Monat und Geschäftsjahr ist obligatorisch" Compensatory Off,Ausgleichs Off -Complete,Vervollständigen +Complete,Abschließen Complete Setup,Vollständige Setup -Completed,Fertiggestellt +Completed,Abgeschlossen Completed Production Orders,Abgeschlossene Fertigungsaufträge Completed Qty,Abgeschlossene Menge -Completion Date,Datum der Fertigstellung -Completion Status,Completion Status +Completion Date,Abschlussdatum +Completion Status,Fertigstellungsstatus Computer,Computer Computers,Computer Confirmation Date,Bestätigung Datum -Confirmed orders from Customers.,Bestätigte Bestellungen von Kunden. -Consider Tax or Charge for,Betrachten Sie Steuern oder Gebühren für die -Considered as Opening Balance,Er gilt als Eröffnungsbilanz -Considered as an Opening Balance,Er gilt als einer Eröffnungsbilanz +Confirmed orders from Customers.,Bestätigte Aufträge von Kunden. +Consider Tax or Charge for,Steuern oder Gebühren berücksichtigen für +Considered as Opening Balance,Gilt als Anfangsbestand +Considered as an Opening Balance,Gilt als ein Anfangsbestand Consultant,Berater Consulting,Beratung Consumable,Verbrauchsgut @@ -605,239 +630,244 @@ Consumable cost per hour,Verbrauchskosten pro Stunde Consumed Qty,Verbrauchte Menge Consumer Products,Consumer Products Contact,Kontakt -Contact Control,Kontakt Kontrolle -Contact Desc,Kontakt Desc -Contact Details,Kontakt Details -Contact Email,Kontakt per E-Mail +Contact Control,Kontaktsteuerung +Contact Desc,Kontakt-Beschr. +Contact Details,Kontaktinformationen +Contact Email,Kontakt E-Mail Contact HTML,Kontakt HTML -Contact Info,Kontakt Info -Contact Mobile No,Kontakt Mobile Kein -Contact Name,Kontakt Name +Contact Info,Kontaktinformation +Contact Mobile No,Kontakt Mobiltelefon +Contact Name,Ansprechpartner Contact No.,Kontakt Nr. -Contact Person,Ansprechpartner -Contact Type,Kontakt Typ +Contact Person,Kontaktperson +Contact Type,Kontakttyp Contact master.,Kontakt Master. Contacts,Impressum Content,Inhalt -Content Type,Content Type -Contra Voucher,Contra Gutschein +Content Type,Inhaltstyp +Contra Voucher,Gegen Gutschein Contract,Vertrag -Contract End Date,Contract End Date +Contract End Date,Vertragsende Contract End Date must be greater than Date of Joining,Vertragsende muss größer sein als Datum für Füge sein -Contribution (%),Anteil (%) -Contribution to Net Total,Beitrag zum Net Total +Contribution (%),Beitrag (%) +Contribution to Net Total,Beitrag zum Gesamtnetto Conversion Factor,Umrechnungsfaktor Conversion Factor is required,Umrechnungsfaktor erforderlich Conversion factor cannot be in fractions,Umrechnungsfaktor kann nicht in den Fraktionen sein Conversion factor for default Unit of Measure must be 1 in row {0},Umrechnungsfaktor für Standard- Maßeinheit muss in Zeile 1 {0} Conversion rate cannot be 0 or 1,Die Conversion-Rate kann nicht 0 oder 1 sein -Convert into Recurring Invoice,Konvertieren in Wiederkehrende Rechnung Convert to Group,Konvertieren in Gruppe Convert to Ledger,Convert to Ledger -Converted,Umgerechnet -Copy From Item Group,Kopieren von Artikel-Gruppe +Converted,Konvertiert +Copy From Item Group,Kopie von Artikelgruppe Cosmetics,Kosmetika -Cost Center,Kostenstellenrechnung -Cost Center Details,Kosten Center Details -Cost Center Name,Kosten Center Name +Cost Center,Kostenstelle +Cost Center Details,Kostenstellendetails +Cost Center For Item with Item Code ', +Cost Center Name,Kostenstellenname Cost Center is required for 'Profit and Loss' account {0},Kostenstelle wird für ' Gewinn-und Verlustrechnung des erforderlichen {0} Cost Center is required in row {0} in Taxes table for type {1},Kostenstelle wird in der Zeile erforderlich {0} in Tabelle Steuern für Typ {1} Cost Center with existing transactions can not be converted to group,Kostenstelle mit bestehenden Geschäfte nicht zu Gruppe umgewandelt werden Cost Center with existing transactions can not be converted to ledger,Kostenstelle mit bestehenden Geschäfte nicht zu Buch umgewandelt werden Cost Center {0} does not belong to Company {1},Kostenstellen {0} ist nicht gehören Unternehmen {1} Cost of Goods Sold,Herstellungskosten der verkauften -Costing,Kalkulation +Costing,Kosten Country,Land -Country Name,Land Name +Country Name,Ländername Country wise default Address Templates,Land weise Standardadressvorlagen "Country, Timezone and Currency","Land , Zeitzone und Währung" -Create Bank Voucher for the total salary paid for the above selected criteria,Erstellen Bankgutschein für die Lohnsumme für die oben ausgewählten Kriterien gezahlt +Cr, +Create Bank Voucher for the total salary paid for the above selected criteria,Bankgutschein für das Gesamtgehalt nach den oben ausgewählten Kriterien erstellen Create Customer,Neues Kunden -Create Material Requests,Material anlegen Requests +Create Material Requests,Materialanfragen erstellen Create New,Neu erstellen Create Opportunity,erstellen Sie Gelegenheit -Create Production Orders,Erstellen Fertigungsaufträge +Create Production Orders,Fertigungsaufträge erstellen Create Quotation,Angebot erstellen -Create Receiver List,Erstellen Receiver Liste -Create Salary Slip,Erstellen Gehaltsabrechnung -Create Stock Ledger Entries when you submit a Sales Invoice,"Neues Lager Ledger Einträge, wenn Sie einen Sales Invoice vorlegen" +Create Receiver List,Empfängerliste erstellen +Create Salary Slip,Gehaltsabrechnung erstellen +Create Stock Ledger Entries when you submit a Sales Invoice,"Lagerbucheinträge erstellen, wenn Sie eine Verkaufsrechnung einreichen" +Create and Send Newsletters,Newsletter erstellen und senden "Create and manage daily, weekly and monthly email digests.","Erstellen und Verwalten von täglichen, wöchentlichen und monatlichen E-Mail verdaut ." Create rules to restrict transactions based on values.,"Erstellen Sie Regeln , um Transaktionen auf Basis von Werten zu beschränken." Created By,Erstellt von -Creates salary slip for above mentioned criteria.,Erstellt Gehaltsabrechnung für die oben genannten Kriterien. +Creates salary slip for above mentioned criteria.,Erstellt Gehaltsabrechnung für oben genannte Kriterien. Creation Date,Erstellungsdatum Creation Document No,Creation Dokument Nr. Creation Document Type,Creation Dokumenttyp Creation Time,Erstellungszeit -Credentials,Referenzen -Credit,Kredit -Credit Amt,Kredit-Amt +Credentials,Anmeldeinformationen +Credit,Guthaben +Credit Amt,Guthabenbetrag Credit Card,Kreditkarte -Credit Card Voucher,Credit Card Gutschein -Credit Controller,Credit Controller -Credit Days,Kredit-Tage +Credit Card Voucher,Kreditkarten-Gutschein +Credit Controller,Kredit-Controller +Credit Days,Kredittage Credit Limit,Kreditlimit -Credit Note,Gutschrift -Credit To,Kredite an +Credit Note,Gutschriftsanzeige +Credit To,Gutschreiben an +Cross Listing of Item in multiple groups,Kreuzweise Auflistung der Artikel in mehreren Gruppen Currency,Währung Currency Exchange,Geldwechsel -Currency Name,Währung Name -Currency Settings,Währung Einstellungen -Currency and Price List,Währungs-und Preisliste +Currency Name,Währungsname +Currency Settings,Währungseinstellungen +Currency and Price List,Währungs- und Preisliste Currency exchange rate master.,Wechselkurs Master. Current Address,Aktuelle Adresse Current Address Is,Aktuelle Adresse Current Assets,Umlaufvermögen -Current BOM,Aktuelle Stückliste +Current BOM,Aktuelle SL Current BOM and New BOM can not be same,Aktuelle Stückliste und New BOM kann nicht gleich sein -Current Fiscal Year,Laufenden Geschäftsjahr +Current Fiscal Year,Laufendes Geschäftsjahr Current Liabilities,Kurzfristige Verbindlichkeiten -Current Stock,Aktuelle Stock -Current Stock UOM,Aktuelle Stock UOM +Current Stock,Aktueller Lagerbestand +Current Stock UOM,Aktueller Lagerbestand ME Current Value,Aktueller Wert -Custom,Brauch -Custom Autoreply Message,Benutzerdefinierte Autoreply Nachricht -Custom Message,Custom Message +Custom,Benutzerdefiniert +Custom Autoreply Message,Benutzerdefinierte Autoreply-Nachricht +Custom Message,Benutzerdefinierte Nachricht Customer,Kunde -Customer (Receivable) Account,Kunde (Forderungen) Konto -Customer / Item Name,Kunde / Item Name +Customer (Receivable) Account,Kunde (Debitoren) Konto +Customer / Item Name,Kunde/Artikelname Customer / Lead Address,Kunden / Lead -Adresse Customer / Lead Name,Kunden / Lead Namen Customer > Customer Group > Territory,Kunden> Kundengruppe> Territory -Customer Account Head,Kundenkonto Kopf +Customer Account Head,Kundenkontoführer Customer Acquisition and Loyalty,Kundengewinnung und-bindung Customer Address,Kundenadresse Customer Addresses And Contacts,Kundenadressen und Kontakte Customer Addresses and Contacts,Kundenadressen und Ansprechpartner -Customer Code,Customer Code -Customer Codes,Kunde Codes -Customer Details,Customer Details -Customer Feedback,Kundenfeedback -Customer Group,Customer Group +Customer Code,Kundencode +Customer Codes,Kundencodes +Customer Details,Kundendaten +Customer Feedback,Kundenrückmeldung +Customer Group,Kundengruppe Customer Group / Customer,Kundengruppe / Kunden -Customer Group Name,Kunden Group Name +Customer Group Name,Kundengruppenname Customer Intro,Kunden Intro -Customer Issue,Das Anliegen des Kunden -Customer Issue against Serial No.,Das Anliegen des Kunden gegen Seriennummer -Customer Name,Name des Kunden -Customer Naming By,Kunden Benennen von +Customer Issue,Kundenproblem +Customer Issue against Serial No.,Kundenproblem zu Seriennr. +Customer Name,Kundenname +Customer Naming By,Benennung der Kunden nach Customer Service,Kundenservice -Customer database.,Kunden-Datenbank. +Customer database.,Kundendatenbank. Customer is required,"Kunde ist verpflichtet," Customer master.,Kundenstamm . Customer required for 'Customerwise Discount',Kunden für ' Customerwise Discount ' erforderlich Customer {0} does not belong to project {1},Customer {0} gehört nicht zum Projekt {1} Customer {0} does not exist,Kunden {0} existiert nicht -Customer's Item Code,Kunden Item Code -Customer's Purchase Order Date,Bestellung des Kunden Datum -Customer's Purchase Order No,Bestellung des Kunden keine +Customer's Item Code,Kunden-Artikelcode +Customer's Purchase Order Date,Kundenbestelldatum +Customer's Purchase Order No,Kundenbestellnr. Customer's Purchase Order Number,Kundenauftragsnummer -Customer's Vendor,Kunden Hersteller -Customers Not Buying Since Long Time,Kunden Kaufen nicht seit langer Zeit -Customerwise Discount,Customerwise Discount -Customize,anpassen -Customize the Notification,Passen Sie die Benachrichtigung -Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,"Passen Sie den einleitenden Text, der als Teil der E-Mail geht. Jede Transaktion hat einen separaten einleitenden Text." -DN Detail,DN Detailansicht +Customer's Vendor,Kundenverkäufer +Customers Not Buying Since Long Time,"Kunden, die seit langer Zeit nichts gekauft haben" +Customerwise Discount,Kundenweiser Rabatt +Customize,Anpassen +Customize the Notification,Mitteilung anpassen +Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,"Einleitenden Text anpassen, der zu dieser E-Mail gehört. Jede Transaktion hat einen separaten Einleitungstext." +DN Detail,DN-Detail Daily,Täglich -Daily Time Log Summary,Täglich Log Zusammenfassung -Database Folder ID,Database Folder ID -Database of potential customers.,Datenbank von potentiellen Kunden. +Daily Time Log Summary,Tägliche Zeitprotokollzusammenfassung +Database Folder ID,Datenbankordner-ID +Database of potential customers.,Datenbank potentieller Kunden. Date,Datum Date Format,Datumsformat -Date Of Retirement,Datum der Pensionierung +Date Of Retirement,Zeitpunkt der Pensionierung Date Of Retirement must be greater than Date of Joining,Zeitpunkt der Pensionierung muss größer sein als Datum für Füge sein Date is repeated,Datum wird wiederholt Date of Birth,Geburtsdatum -Date of Issue,Datum der Ausgabe -Date of Joining,Datum der Verbindungstechnik +Date of Issue,Datum der Ausstellung +Date of Joining,Datum des Beitritts Date of Joining must be greater than Date of Birth,Eintrittsdatum muss größer als sein Geburtsdatum -Date on which lorry started from supplier warehouse,"Datum, an dem Lastwagen startete von Lieferantenlager" -Date on which lorry started from your warehouse,"Datum, an dem Lkw begann von Ihrem Lager" +Date on which lorry started from supplier warehouse,"Datum, an dem der LKW das Lieferantenlager verlassen hat" +Date on which lorry started from your warehouse,"Datum, an dem der LKW Ihr Lager verlassen hat" Dates,Termine Days Since Last Order,Tage seit dem letzten Auftrag -Days for which Holidays are blocked for this department.,"Tage, für die Feiertage sind für diese Abteilung blockiert." +Days for which Holidays are blocked for this department.,"Tage, an denen eine Urlaubssperre für diese Abteilung gilt." Dealer,Händler Debit,Soll -Debit Amt,Debit Amt +Debit Amt,Sollbetrag Debit Note,Lastschrift -Debit To,Debit Um +Debit To,Lastschrift für Debit and Credit not equal for this voucher. Difference is {0}.,Debit-und Kreditkarten nicht gleich für diesen Gutschein. Der Unterschied ist {0}. Deduct,Abziehen Deduction,Abzug -Deduction Type,Abzug Typ -Deduction1,Deduction1 +Deduction Type,Abzugsart +Deduction1,Abzug1 Deductions,Abzüge -Default,Default -Default Account,Default-Konto +Default,Standard +Default Account,Standardkonto Default Address Template cannot be deleted,Standard-Adressvorlage kann nicht gelöscht werden Default Amount,Standard-Betrag -Default BOM,Standard BOM -Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,"Standard Bank / Cash-Konto werden automatisch in POS Rechnung aktualisiert werden, wenn dieser Modus ausgewählt ist." -Default Bank Account,Standard Bank Account +Default BOM,Standardstückliste +Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,"Standard Bank-/Geldkonto wird automatisch in Kassenbon aktualisiert, wenn dieser Modus ausgewählt ist." +Default Bank Account,Standardbankkonto Default Buying Cost Center,Standard Buying Kostenstelle Default Buying Price List,Standard Kaufpreisliste -Default Cash Account,Standard Cashkonto -Default Company,Standard Unternehmen +Default Cash Account,Standardkassenkonto +Default Company,Standardunternehmen +Default Cost Center,Standardkostenstelle Default Currency,Standardwährung -Default Customer Group,Standard Customer Group -Default Expense Account,Standard Expense Konto -Default Income Account,Standard Income Konto -Default Item Group,Standard Element Gruppe -Default Price List,Standard Preisliste -Default Purchase Account in which cost of the item will be debited.,Standard Purchase Konto in dem Preis des Artikels wird abgebucht. +Default Customer Group,Standardkundengruppe +Default Expense Account,Standardaufwandskonto +Default Income Account,Standard-Gewinnkonto +Default Item Group,Standard-Artikelgruppe +Default Price List,Standardpreisliste +Default Purchase Account in which cost of the item will be debited.,"Standard-Einkaufskonto, von dem die Kosten des Artikels eingezogen werden." Default Selling Cost Center,Standard- Selling Kostenstelle -Default Settings,Default Settings -Default Source Warehouse,Default Source Warehouse -Default Stock UOM,Standard Lager UOM -Default Supplier,Standard Lieferant -Default Supplier Type,Standard Lieferant Typ -Default Target Warehouse,Standard Ziel Warehouse -Default Territory,Standard Territory -Default Unit of Measure,Standard-Maßeinheit +Default Settings,Standardeinstellungen +Default Source Warehouse,Standard-Ursprungswarenlager +Default Stock UOM,Standard Lagerbestands-ME +Default Supplier,Standardlieferant +Default Supplier Type,Standardlieferantentyp +Default Target Warehouse,Standard-Zielwarenlager +Default Territory,Standardregion +Default Unit of Measure,Standardmaßeinheit "Default Unit of Measure can not be changed directly because you have already made some transaction(s) with another UOM. To change default UOM, use 'UOM Replace Utility' tool under Stock module.","Standard- Maßeinheit kann nicht direkt geändert werden , weil Sie bereits eine Transaktion (en) mit einer anderen Verpackung gemacht haben. Um die Standardmengeneinheitzu ändern, verwenden ' Verpackung ersetzen Utility "" -Tool unter Auf -Modul." -Default Valuation Method,Standard Valuation Method -Default Warehouse,Standard Warehouse +Default Valuation Method,Standard-Bewertungsmethode +Default Warehouse,Standardwarenlager Default Warehouse is mandatory for stock Item.,Standard- Warehouse ist für Lager Artikel . Default settings for accounting transactions.,Standardeinstellungen für Geschäftsvorfälle . Default settings for buying transactions.,Standardeinstellungen für Kauf -Transaktionen. Default settings for selling transactions.,Standardeinstellungen für Verkaufsgeschäfte . Default settings for stock transactions.,Standardeinstellungen für Aktientransaktionen . Defense,Verteidigung -"Define Budget for this Cost Center. To set budget action, see Company Master","Definieren Budget für diese Kostenstelle. Um Budget Aktion finden Sie unter Firma Master " +"Define Budget for this Cost Center. To set budget action, see Company Master","Budget für diese Kostenstelle festlegen. Zuordnen des Budgets, siehe Unternehmensstamm" Del,löschen Delete,Löschen Delete {0} {1}?,Löschen {0} {1} ? -Delivered,Lieferung -Delivered Items To Be Billed,Liefergegenstände in Rechnung gestellt werden -Delivered Qty,Geliefert Menge +Delivered,Geliefert +Delivered Items To Be Billed,Gelieferte Artikel für Abrechnung +Delivered Qty,Gelieferte Menge Delivered Serial No {0} cannot be deleted,Geliefert Seriennummer {0} kann nicht gelöscht werden Delivery Date,Liefertermin -Delivery Details,Anlieferungs-Details -Delivery Document No,Lieferung Dokument Nr. -Delivery Document Type,Lieferung Document Type +Delivery Details,Lieferdetails +Delivery Document No,Lieferbelegnummer +Delivery Document Type,Lieferbelegtyp Delivery Note,Lieferschein -Delivery Note Item,Lieferscheinposition +Delivery Note Item,Lieferscheingegenstand Delivery Note Items,Lieferscheinpositionen -Delivery Note Message,Lieferschein Nachricht -Delivery Note No,Lieferschein Nein +Delivery Note Message,Lieferscheinnachricht +Delivery Note No,Lieferscheinnummer Delivery Note Required,Lieferschein erforderlich -Delivery Note Trends,Lieferschein Trends +Delivery Note Trends,Lieferscheintrends Delivery Note {0} is not submitted,Lieferschein {0} ist nicht eingereicht Delivery Note {0} must not be submitted,Lieferschein {0} muss nicht vorgelegt werden Delivery Notes {0} must be cancelled before cancelling this Sales Order,Lieferscheine {0} muss vor Streichung dieses Sales Order storniert werden Delivery Status,Lieferstatus Delivery Time,Lieferzeit -Delivery To,Liefern nach +Delivery To,Lieferung an Department,Abteilung Department Stores,Kaufhäuser Depends on LWP,Abhängig von LWP Depreciation,Abschreibung Description,Beschreibung Description HTML,Beschreibung HTML +Description of a Job Opening,Beschreibung eines Stellenangebot Designation,Bezeichnung Designer,Konstrukteur -Detailed Breakup of the totals,Detaillierte Breakup der Gesamtsummen +Detailed Breakup of the totals,Detaillierte Aufschlüsselung der Gesamtsummen Details,Details Difference (Dr - Cr),Differenz ( Dr - Cr ) Difference Account,Unterschied Konto @@ -846,27 +876,28 @@ Different UOM for items will lead to incorrect (Total) Net Weight value. Make su Direct Expenses,Direkte Aufwendungen Direct Income,Direkte Einkommens Disable,Deaktivieren -Disable Rounded Total,Deaktivieren Abgerundete insgesamt -Disabled,Behindert -Discount %,Discount% -Discount %,Discount% +Disable Rounded Total,Abgerundete Gesamtsumme deaktivieren +Disabled,Deaktiviert +Discount, +Discount %,Rabatt % +Discount %,Rabatt % Discount (%),Rabatt (%) Discount Amount,Discount Amount -"Discount Fields will be available in Purchase Order, Purchase Receipt, Purchase Invoice","Discount Felder werden in der Bestellung, Kaufbeleg Kauf Rechnung verfügbar" +"Discount Fields will be available in Purchase Order, Purchase Receipt, Purchase Invoice","Rabattfelder stehen in der Bestellung, im Kaufbeleg und in der Rechnung zur Verfügung" Discount Percentage,Rabatt Prozent Discount Percentage can be applied either against a Price List or for all Price List.,Rabatt Prozent kann entweder gegen eine Preisliste oder Preisliste für alle angewendet werden. Discount must be less than 100,Discount muss kleiner als 100 sein Discount(%),Rabatt (%) Dispatch,Versand -Display all the individual items delivered with the main items,Alle anzeigen die einzelnen Punkte mit den wichtigsten Liefergegenstände -Distribute transport overhead across items.,Verteilen Transport-Overhead auf Gegenstände. -Distribution,Aufteilung -Distribution Id,Verteilung Id -Distribution Name,Namen der Distribution -Distributor,Verteiler +Display all the individual items delivered with the main items,Alle einzelnen Positionen zu den Hauptartikeln anzeigen +Distinct unit of an Item,Eigene Einheit eines Artikels +Distribution,Verteilung +Distribution Id,Verteilungs-ID +Distribution Name,Verteilungsnamen +Distributor,Lieferant Divorced,Geschieden Do Not Contact,Nicht berühren -Do not show any symbol like $ etc next to currencies.,Zeigen keine Symbol wie $ etc neben Währungen. +Do not show any symbol like $ etc next to currencies.,Kein Symbol wie $ usw. neben Währungen anzeigen. Do really want to unstop production order: , Do you really want to STOP , Do you really want to STOP this Material Request?,"Wollen Sie wirklich , diese Materialanforderung zu stoppen?" @@ -874,27 +905,27 @@ Do you really want to Submit all Salary Slip for month {0} and year {1},"Glauben Do you really want to UNSTOP , Do you really want to UNSTOP this Material Request?,"Wollen Sie wirklich , dieses Material anfordern aufmachen ?" Do you really want to stop production order: , -Doc Name,Doc Namen -Doc Type,Doc Type -Document Description,Document Beschreibung -Document Type,Document Type -Documents,Unterlagen -Domain,Domain +Doc Name,Dokumentenname +Doc Type,Dokumententyp +Document Description,Dokumentenbeschreibung +Document Type,Dokumenttyp +Documents,Dokumente +Domain,Domäne Don't send Employee Birthday Reminders,Senden Sie keine Mitarbeitergeburtstagserinnerungen -Download Materials Required,Herunterladen benötigte Materialien +Download Materials Required,Erforderliche Materialien herunterladen Download Reconcilation Data,Laden Versöhnung Daten Download Template,Vorlage herunterladen -Download a report containing all raw materials with their latest inventory status,Laden Sie einen Bericht mit allen Rohstoffen mit ihren neuesten Inventar Status +Download a report containing all raw materials with their latest inventory status,"Einen Bericht herunterladen, der alle Rohstoffe mit ihrem neuesten Bestandsstatus angibt" "Download the Template, fill appropriate data and attach the modified file.","Laden Sie die Vorlage , füllen entsprechenden Daten und befestigen Sie die geänderte Datei ." "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","Laden Sie die Vorlage, füllen entsprechenden Daten und befestigen Sie die geänderte Datei. - Alle Termine und Mitarbeiter-Kombination in der gewünschten Zeit wird in der Vorlage zu kommen, mit den bestehenden Besucherrekorde" +All dates and employee combination in the selected period will come in the template, with existing attendance records", +Dr, Draft,Entwurf Dropbox,Dropbox Dropbox Access Allowed,Dropbox-Zugang erlaubt -Dropbox Access Key,Dropbox Access Key -Dropbox Access Secret,Dropbox Zugang Geheimnis -Due Date,Due Date +Dropbox Access Key,Dropbox-Zugangsschlüssel +Dropbox Access Secret,Dropbox-Zugangsgeheimnis +Due Date,Fälligkeitsdatum Due Date cannot be after {0},Fälligkeitsdatum kann nicht nach {0} Due Date cannot be before Posting Date,Fälligkeitsdatum kann nicht vor dem Buchungsdatum sein Duplicate Entry. Please check Authorization Rule {0},Doppelten Eintrag . Bitte überprüfen Sie Autorisierungsregel {0} @@ -905,18 +936,18 @@ Duties and Taxes,Zölle und Steuern ERPNext Setup,ERPNext -Setup Earliest,Frühest Earnest Money,Angeld -Earning,Earning -Earning & Deduction,Earning & Abzug -Earning Type,Earning Typ -Earning1,Earning1 +Earning,Einkommen +Earning & Deduction,Einkommen & Abzug +Earning Type,Einkommensart +Earning1,Einkommen1 Edit,Bearbeiten Edu. Cess on Excise,Edu. Cess Verbrauch Edu. Cess on Service Tax,Edu. Cess auf Service Steuer Edu. Cess on TDS,Edu. Cess auf TDS Education,Bildung -Educational Qualification,Educational Qualifikation -Educational Qualification Details,Educational Qualifikation Einzelheiten -Eg. smsgateway.com/api/send_sms.cgi,Eg. smsgateway.com / api / send_sms.cgi +Educational Qualification,Schulische Qualifikation +Educational Qualification Details,Einzelheiten der schulischen Qualifikation +Eg. smsgateway.com/api/send_sms.cgi,z. B. smsgateway.com/api/send_sms.cgi Either debit or credit amount is required for {0},Entweder Debit-oder Kreditbetragist erforderlich für {0} Either target qty or target amount is mandatory,Entweder Zielmengeoder Zielmenge ist obligatorisch Either target qty or target amount is mandatory.,Entweder Zielmengeoder Zielmenge ist obligatorisch. @@ -925,78 +956,82 @@ Electricity Cost,Stromkosten Electricity cost per hour,Stromkosten pro Stunde Electronics,Elektronik Email,E-Mail -Email Digest,Email Digest -Email Digest Settings,Email Digest Einstellungen +Email Digest,Täglicher E-Mail-Bericht +Email Digest Settings,Einstellungen täglicher E-Mail-Bericht Email Digest: , -Email Id,Email Id -"Email Id where a job applicant will email e.g. ""jobs@example.com""","Email Id, wo ein Bewerber beispielsweise per E-Mail wird ""Jobs@example.com""" +Email Id,E-Mail-ID +"Email Id where a job applicant will email e.g. ""jobs@example.com""","E-Mail-ID, an die ein Bewerber schreibt, z. B. ""jobs@example.com""" Email Notifications,E-Mail- Benachrichtigungen -Email Sent?,E-Mail gesendet? +Email Sent?,Wurde die E-Mail abgesendet? +Email Settings for Outgoing and Incoming Emails.,E-Mail-Einstellungen für ausgehende und eingehende E-Mails. "Email id must be unique, already exists for {0}","E-Mail -ID muss eindeutig sein , für die bereits vorhanden {0}" -Email ids separated by commas.,E-Mail-IDs durch Komma getrennt. -"Email settings to extract Leads from sales email id e.g. ""sales@example.com""","E-Mail-Einstellungen zu extrahieren Leads aus dem Verkauf email id zB ""Sales@example.com""" +Email ids separated by commas.,E-Mail-IDs durch Kommas getrennt. +"Email settings for jobs email id ""jobs@example.com""","E-Mail-Einstellungen für Bewerbungs-ID ""jobs@example.com""" +"Email settings to extract Leads from sales email id e.g. ""sales@example.com""","E-Mail-Einstellungen, mit denen Leads aus Verkaufs-E-Mail-IDs wie z. B. ""sales@example.com"" extrahiert werden." Emergency Contact,Notfallkontakt -Emergency Contact Details,Notfall Kontakt +Emergency Contact Details,Notfallkontaktdaten Emergency Phone,Notruf Employee,Mitarbeiter -Employee Birthday,Angestellter Geburtstag +Employee Birthday,Mitarbeiter Geburtstag Employee Details,Mitarbeiterdetails Employee Education,Mitarbeiterschulung -Employee External Work History,Mitarbeiter Externe Arbeit Geschichte -Employee Information,Employee Information -Employee Internal Work History,Mitarbeiter Interner Arbeitsbereich Geschichte -Employee Internal Work Historys,Mitarbeiter Interner Arbeitsbereich Historys -Employee Leave Approver,Mitarbeiter Leave Approver -Employee Leave Balance,Mitarbeiter Leave Bilanz -Employee Name,Name des Mitarbeiters +Employee External Work History,Mitarbeiter externe Berufserfahrung +Employee Information,Mitarbeiterinformationen +Employee Internal Work History,Mitarbeiter interne Berufserfahrung +Employee Internal Work Historys,Mitarbeiter interne Berufserfahrungen +Employee Leave Approver,Mitarbeiter Urlaubsgenehmiger +Employee Leave Balance,Mitarbeiter Urlaubskonto +Employee Name,Mitarbeitername Employee Number,Mitarbeiternummer -Employee Records to be created by,Mitarbeiter Records erstellt werden +Employee Records to be created by,Mitarbeiterakte wird erstellt von Employee Settings,Mitarbeitereinstellungen -Employee Type,Arbeitnehmertyp +Employee Type,Mitarbeitertyp +Employee can not be changed, "Employee designation (e.g. CEO, Director etc.).","Mitarbeiterbezeichnung(z. B. Geschäftsführer , Direktor etc.)." Employee master.,Mitarbeiterstamm . Employee record is created using selected field. ,Mitarbeiter Datensatz erstellt anhand von ausgewählten Feld. -Employee records.,Mitarbeiter-Datensätze. +Employee records.,Mitarbeiterdatensätze. Employee relieved on {0} must be set as 'Left',"Angestellter auf {0} entlastet , sind als "" links"" eingestellt werden" Employee {0} has already applied for {1} between {2} and {3},Angestellter {0} ist bereits für {1} zwischen angewendet {2} und {3} Employee {0} is not active or does not exist,Angestellter {0} ist nicht aktiv oder existiert nicht Employee {0} was on leave on {1}. Cannot mark attendance.,Angestellter {0} war auf Urlaub auf {1} . Kann nicht markieren anwesend. -Employees Email Id,Mitarbeiter Email Id -Employment Details,Beschäftigung Einzelheiten -Employment Type,Beschäftigungsart +Employees Email Id,Mitarbeiter E-Mail-ID +Employment Details,Beschäftigungsdetails +Employment Type,Art der Beschäftigung Enable / disable currencies.,Aktivieren / Deaktivieren der Währungen. Enabled,Aktiviert -Encashment Date,Inkasso Datum +Encashment Date,Inkassodatum End Date,Enddatum End Date can not be less than Start Date,Ende Datum kann nicht kleiner als Startdatum sein -End date of current invoice's period,Ende der laufenden Rechnung der Zeit -End of Life,End of Life +End date of current invoice's period,Ende der laufenden Rechnungsperiode +End date of current order's period, +End of Life,Lebensdauer Energy,Energie Engineer,Ingenieur Enter Verification Code,Sicherheitscode eingeben -Enter campaign name if the source of lead is campaign.,"Geben Sie Namen der Kampagne, wenn die Quelle von Blei-Kampagne." -Enter department to which this Contact belongs,"Geben Abteilung, auf die diese Kontakt gehört" -Enter designation of this Contact,Geben Bezeichnung dieser Kontakt -"Enter email id separated by commas, invoice will be mailed automatically on particular date","Geben Sie E-Mail-ID durch Kommata getrennt, wird Rechnung automatisch auf bestimmte Zeitpunkt zugeschickt" -Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,Geben Sie die Posten und geplante Menge für die Sie Fertigungsaufträge erhöhen oder downloaden Rohstoffe für die Analyse. -Enter name of campaign if source of enquiry is campaign,"Geben Sie den Namen der Kampagne, wenn die Quelle der Anfrage ist Kampagne" -"Enter static url parameters here (Eg. sender=ERPNext, username=ERPNext, password=1234 etc.)","Geben Sie statischen URL-Parameter hier (Bsp. sender = ERPNext, username = ERPNext, password = 1234 etc.)" -Enter the company name under which Account Head will be created for this Supplier,"Geben Sie den Namen des Unternehmens, unter denen Konto Leiter für diesen Lieferant erstellt werden" -Enter url parameter for message,Geben Sie URL-Parameter für die Nachrichtenübertragung -Enter url parameter for receiver nos,Geben Sie URL-Parameter für Empfänger nos +Enter campaign name if the source of lead is campaign.,"Namen der Kampagne eingeben, wenn die Lead-Quelle eine Kampagne ist." +Enter department to which this Contact belongs,"Abteilung eingeben, zu der dieser Kontakt gehört" +Enter designation of this Contact,Bezeichnung dieses Kontakts eingeben +"Enter email id separated by commas, invoice will be mailed automatically on particular date","Geben Sie die durch Kommas getrennte E-Mail-ID  ein, die Rechnung wird automatisch an einem bestimmten Rechnungsdatum abgeschickt" +"Enter email id separated by commas, order will be mailed automatically on particular date", +Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,"Geben Sie die Posten und die geplante Menge ein, für die Sie die Fertigungsaufträge erhöhen möchten, oder laden Sie Rohstoffe für die Analyse herunter." +Enter name of campaign if source of enquiry is campaign,"Geben Sie den Namen der Kampagne ein, wenn der Ursprung der Anfrage eine Kampagne ist" +"Enter static url parameters here (Eg. sender=ERPNext, username=ERPNext, password=1234 etc.)","Geben Sie hier statische URL-Parameter ein (z. B. Absender=ERPNext, Benutzername=ERPNext, Passwort=1234 usw.)" +Enter the company name under which Account Head will be created for this Supplier,"Geben Sie den Namen der Firma ein, unter dem ein Kontenführer mit diesem Lieferanten erstellt werden soll" +Enter url parameter for message,Geben Sie den URL-Parameter für die Nachricht ein +Enter url parameter for receiver nos,Geben Sie den URL-Parameter für die Empfängernummern an Entertainment & Leisure,Unterhaltung & Freizeit Entertainment Expenses,Bewirtungskosten Entries,Einträge Entries against , -Entries are not allowed against this Fiscal Year if the year is closed.,"Die Einträge sind nicht gegen diese Geschäftsjahr zulässig, wenn die Jahre geschlossen ist." +Entries are not allowed against this Fiscal Year if the year is closed.,"Einträge sind für dieses Geschäftsjahr nicht zulässig, wenn es bereits abgeschlossen ist." Equity,Gerechtigkeit Error: {0} > {1},Fehler: {0}> {1} -Estimated Material Cost,Geschätzter Materialkalkulationen +Estimated Material Cost,Geschätzte Materialkosten "Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Auch wenn es mehrere Preisregeln mit der höchsten Priorität, werden dann folgende interne Prioritäten angewandt:" Everyone can read,Jeder kann lesen "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.",". Beispiel: ABCD # # # # # - Wenn Serie ist eingestellt und Seriennummer ist nicht in Transaktionen erwähnt, wird dann automatisch die Seriennummer auf der Basis dieser Serie erstellt werden. Wenn Sie wollen immer ausdrücklich erwähnt, Seriennummern zu diesem Artikel. lassen Sie dieses Feld leer." +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.", Exchange Rate,Wechselkurs Excise Duty 10,Verbrauchsteuer 10 Excise Duty 14,Verbrauchsteuer 14 @@ -1008,332 +1043,342 @@ Excise Duty @ 4,Verbrauchsteuer @ 4 Excise Duty @ 8,Verbrauchsteuer @ 8 Excise Duty Edu Cess 2,Verbrauchsteuer Edu Cess 2 Excise Duty SHE Cess 1,Verbrauchsteuer SHE Cess 1 -Excise Page Number,Excise Page Number -Excise Voucher,Excise Gutschein +Excise Page Number,Seitenzahl ausschneiden +Excise Voucher,Gutschein ausschneiden Execution,Ausführung Executive Search,Executive Search -Exemption Limit,Freigrenze Exhibition,Ausstellung -Existing Customer,Bestehende Kunden -Exit,Verlassen -Exit Interview Details,Verlassen Interview Einzelheiten +Existing Customer,Bestehender Kunde +Exit,Beenden +Exit Interview Details,Interview-Details beenden Expected,Voraussichtlich Expected Completion Date can not be less than Project Start Date,Erwartete Abschlussdatum kann nicht weniger als Projektstartdatumsein Expected Date cannot be before Material Request Date,Erwartete Datum kann nicht vor -Material anfordern Date Expected Delivery Date,Voraussichtlicher Liefertermin Expected Delivery Date cannot be before Purchase Order Date,Voraussichtlicher Liefertermin kann nicht vor Bestelldatumsein Expected Delivery Date cannot be before Sales Order Date,Voraussichtlicher Liefertermin kann nicht vor Auftragsdatum sein -Expected End Date,Erwartete Enddatum -Expected Start Date,Frühestes Eintrittsdatum +Expected End Date,Voraussichtliches Enddatum +Expected Start Date,Voraussichtliches Startdatum +Expected balance as per bank, Expense,Ausgabe Expense / Difference account ({0}) must be a 'Profit or Loss' account,"Aufwand / Differenz-Konto ({0}) muss ein ""Gewinn oder Verlust""-Konto sein" -Expense Account,Expense Konto -Expense Account is mandatory,Expense Konto ist obligatorisch -Expense Claim,Expense Anspruch -Expense Claim Approved,Expense Anspruch Genehmigt -Expense Claim Approved Message,Expense Anspruch Genehmigt Nachricht -Expense Claim Detail,Expense Anspruch Details -Expense Claim Details,Expense Anspruch Einzelheiten -Expense Claim Rejected,Expense Antrag abgelehnt -Expense Claim Rejected Message,Expense Antrag abgelehnt Nachricht -Expense Claim Type,Expense Anspruch Type +Expense Account,Aufwandskonto +Expense Account is mandatory,Aufwandskonto ist obligatorisch +Expense Approver, +Expense Claim,Spesenabrechnung +Expense Claim Approved,Spesenabrechnung zugelassen +Expense Claim Approved Message,Spesenabrechnung zugelassen Nachricht +Expense Claim Detail,Spesenabrechnungsdetail +Expense Claim Details,Spesenabrechnungsdetails +Expense Claim Rejected,Spesenabrechnung abgelehnt +Expense Claim Rejected Message,Spesenabrechnung abgelehnt Nachricht +Expense Claim Type,Spesenabrechnungstyp Expense Claim has been approved.,Spesenabrechnung genehmigt wurde . Expense Claim has been rejected.,Spesenabrechnung wurde abgelehnt. Expense Claim is pending approval. Only the Expense Approver can update status.,Spesenabrechnung wird vorbehaltlich der Zustimmung . Nur die Kosten genehmigende Status zu aktualisieren. -Expense Date,Expense Datum -Expense Details,Expense Einzelheiten -Expense Head,Expense Leiter +Expense Date,Datum der Aufwendung +Expense Details,Details der Aufwendung +Expense Head,Kopf der Aufwendungen Expense account is mandatory for item {0},Aufwandskonto ist für item {0} Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,"Expense oder Differenz -Konto ist Pflicht für Artikel {0} , da es Auswirkungen gesamten Aktienwert" Expenses,Kosten -Expenses Booked,Aufwand gebucht -Expenses Included In Valuation,Aufwendungen enthalten In Bewertungstag -Expenses booked for the digest period,Aufwendungen für den gebuchten Zeitraum Digest -Expiry Date,Verfallsdatum -Exports,Ausfuhr +Expenses Booked,Gebuchte Aufwendungen +Expenses Included In Valuation,In der Bewertung enthaltene Aufwendungen +Expenses booked for the digest period,Gebuchte Aufwendungen für den Berichtszeitraum +Expired, +Expiry, +Expiry Date,Verfalldatum +Exports,Exporte External,Extern -Extract Emails,Auszug Emails -FCFS Rate,FCFS Rate +Extract Emails,E-Mails extrahieren +FCFS Rate,FCFS-Rate Failed: ,Failed: Family Background,Familiärer Hintergrund Fax,Fax -Features Setup,Features Setup -Feed,Füttern -Feed Type,Eingabetyp -Feedback,Rückkopplung +Features Setup,Funktionssetup +Feed,Feed +Feed Type,Art des Feeds +Feedback,Feedback Female,Weiblich Fetch exploded BOM (including sub-assemblies),Fetch explodierte BOM ( einschließlich Unterbaugruppen ) -"Field available in Delivery Note, Quotation, Sales Invoice, Sales Order","Feld in Lieferschein, Angebot, Sales Invoice, Sales Order" -Files Folder ID,Dateien Ordner-ID +"Field available in Delivery Note, Quotation, Sales Invoice, Sales Order","Feld in Lieferschein, Angebot, Verkaufsrechnung, Auftrag verfügbar" +Files Folder ID,Dateien-Ordner-ID Fill the form and save it,Füllen Sie das Formular aus und speichern Sie sie -Filter based on customer,Filtern basierend auf Kunden- -Filter based on item,Filtern basierend auf Artikel +Filter based on customer,Filtern nach Kunden +Filter based on item,Filtern nach Artikeln Financial / accounting year.,Finanz / Rechnungsjahres. -Financial Analytics,Financial Analytics +Financial Analytics,Finanzielle Analyse +Financial Chart of Accounts. Imported from file., Financial Services,Finanzdienstleistungen Financial Year End Date,Geschäftsjahr Enddatum Financial Year Start Date,Geschäftsjahr Startdatum Finished Goods,Fertigwaren First Name,Vorname -First Responded On,Zunächst reagierte am +First Responded On,Erstmalig reagiert am Fiscal Year,Geschäftsjahr Fiscal Year Start Date and Fiscal Year End Date are already set in Fiscal Year {0},Geschäftsjahr Startdatum und Geschäftsjahresende Datum sind bereits im Geschäftsjahr gesetzt {0} Fiscal Year Start Date and Fiscal Year End Date cannot be more than a year apart.,Geschäftsjahr Startdatum und Geschäftsjahresende Datum kann nicht mehr als ein Jahr betragen. Fiscal Year Start Date should not be greater than Fiscal Year End Date,Geschäftsjahr Startdatum sollte nicht größer als Geschäftsjahresende Date +Fiscal Year {0} not found., Fixed Asset,Fixed Asset Fixed Assets,Anlagevermögen -Follow via Email,Folgen Sie via E-Mail -"Following table will show values if items are sub - contracted. These values will be fetched from the master of ""Bill of Materials"" of sub - contracted items.","Folgende Tabelle zeigt Werte, wenn Artikel sub sind - vergeben werden. Vertragsgegenständen - Diese Werte werden vom Meister der ""Bill of Materials"" von Sub geholt werden." +Fold, +Follow via Email,Per E-Mail nachverfolgen +"Following table will show values if items are sub - contracted. These values will be fetched from the master of ""Bill of Materials"" of sub - contracted items.","Die folgende Tabelle zeigt die Werte, wenn Artikel von Zulieferern stammen. Diese Werte werden aus dem Stamm der ""Materialliste"" für Artikel von Zulieferern abgerufen." Food,Lebensmittel "Food, Beverage & Tobacco","Lebensmittel, Getränke und Tabak" "For 'Sales BOM' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Sales BOM' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Für 'Sales BOM Stücke, Lagerhaus, Seriennummer und Chargen Nein wird von der ""Packliste"" Tabelle berücksichtigt werden. Wenn Lager-und Stapel Nein sind für alle Verpackungsteile aus irgendeinem 'Sales BOM' Punkt können die Werte in der Haupt Artikel-Tabelle eingetragen werden, werden die Werte zu ""Packliste"" Tabelle kopiert werden." For Company,Für Unternehmen For Employee,Für Mitarbeiter -For Employee Name,Für Employee Name +For Employee Name,Für Mitarbeiter Name For Price List,Für Preisliste -For Production,For Production -For Reference Only.,Nur als Referenz. -For Sales Invoice,Für Sales Invoice -For Server Side Print Formats,Für Server Side Druckformate +For Production,Für Produktion +For Reference Only.,Nur zu Referenzzwecken. +For Sales Invoice,Für Verkaufsrechnung +For Server Side Print Formats,Für Druckformate auf Serverseite For Supplier,für Lieferanten -For Warehouse,Für Warehouse +For Warehouse,Für Warenlager For Warehouse is required before Submit,"Für Warehouse erforderlich ist, bevor abschicken" -"For e.g. 2012, 2012-13","Für z.B. 2012, 2012-13" -For reference,Als Referenz -For reference only.,Nur als Referenz. -"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Für die Bequemlichkeit der Kunden, können diese Codes in Druckformate wie Rechnungen und Lieferscheine werden" -Fraction,Bruchteil -Fraction Units,Fraction Units -Freeze Stock Entries,Frieren Lager Einträge +"For e.g. 2012, 2012-13",Für z.B. 2012 2012-13 +For reference,Zu Referenzzwecken +For reference only.,Nur zu Referenzzwecken. +"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Um es den Kunden zu erleichtern, können diese Codes in Druckformaten wie Rechnungen und Lieferscheinen verwendet werden" +Fraction,Bruch +Fraction Units,Bruchteile von Einheiten +Freeze Stock Entries,Lagerbestandseinträge einfrieren Freeze Stocks Older Than [Days],Frieren Stocks Älter als [ Tage ] Freight and Forwarding Charges,Fracht-und Versandkosten Friday,Freitag From,Von -From Bill of Materials,Von Bill of Materials +From Bill of Materials,Von Stückliste From Company,Von Unternehmen From Currency,Von Währung -From Currency and To Currency cannot be same,Von Währung und To Währung dürfen nicht identisch sein +From Currency and To Currency cannot be same,Von-Währung und Bis-Währung dürfen nicht gleich sein From Customer,Von Kunden From Customer Issue,Von Kunden Ausgabe From Date,Von Datum From Date cannot be greater than To Date,Von-Datum darf nicht größer als bisher sein -From Date must be before To Date,Von Datum muss vor dem Laufenden bleiben +From Date must be before To Date,Von-Datum muss vor dem Bis-Datum liegen From Date should be within the Fiscal Year. Assuming From Date = {0},"Von-Datum sollte im Geschäftsjahr sein. Unter der Annahme, Von-Datum = {0}" From Delivery Note,Von Lieferschein From Employee,Von Mitarbeiter -From Lead,Von Blei +From Lead,Von Lead From Maintenance Schedule,Vom Wartungsplan From Material Request,Von Materialanforderung From Opportunity,von der Chance -From Package No.,Von Package No +From Package No.,Von Paket-Nr. From Purchase Order,Von Bestellung From Purchase Receipt,Von Kaufbeleg From Quotation,von Zitat -From Sales Order,Von Sales Order +From Sales Order,Von Auftrag From Supplier Quotation,Von Lieferant Zitat -From Time,From Time +From Time,Von Zeit From Value,Von Wert From and To dates required,Von-und Bis Daten erforderlich From value must be less than to value in row {0},Vom Wert von weniger als um den Wert in der Zeile sein muss {0} Frozen,Eingefroren Frozen Accounts Modifier,Eingefrorenen Konten Modifier -Fulfilled,Erfüllte +Fulfilled,Erledigt Full Name,Vollständiger Name Full-time,Vollzeit- Fully Billed,Voll Angekündigt -Fully Completed,Vollständig ausgefüllte +Fully Completed,Vollständig abgeschlossen Fully Delivered,Komplett geliefert Furniture and Fixture,Möbel -und Maschinen Further accounts can be made under Groups but entries can be made against Ledger,"Weitere Konten können unter Gruppen gemacht werden, aber gegen Ledger Einträge können vorgenommen werden" "Further accounts can be made under Groups, but entries can be made against Ledger","Weitere Konten können unter Gruppen gemacht werden, aber gegen Ledger Einträge können vorgenommen werden" Further nodes can be only created under 'Group' type nodes,"Weitere Knoten kann nur unter Typ -Knoten ""Gruppe"" erstellt werden" -GL Entry,GL Eintrag -Gantt Chart,Gantt Chart +GL Entry,HB-Eintrag +Gantt Chart,Gantt-Diagramm Gantt chart of all tasks.,Gantt-Diagramm aller Aufgaben. Gender,Geschlecht -General,General -General Ledger,General Ledger -Generate Description HTML,Generieren Beschreibung HTML -Generate Material Requests (MRP) and Production Orders.,Generieren Werkstoff Requests (MRP) und Fertigungsaufträge. -Generate Salary Slips,Generieren Gehaltsabrechnungen -Generate Schedule,Generieren Zeitplan -Generates HTML to include selected image in the description,Erzeugt HTML ausgewählte Bild sind in der Beschreibung -Get Advances Paid,Holen Geleistete -Get Advances Received,Holen Erhaltene Anzahlungen -Get Current Stock,Holen Aktuelle Stock -Get Items,Holen Artikel -Get Items From Sales Orders,Holen Sie Angebote aus Kundenaufträgen +General,Allgemein +General Ledger,Hauptbuch +General Settings, +Generate Description HTML,Beschreibungs-HTML generieren +Generate Material Requests (MRP) and Production Orders.,Materialanforderungen (MRP) und Fertigungsaufträge generieren. +Generate Salary Slips,Gehaltsabrechnungen generieren +Generate Schedule,Zeitplan generieren +"Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.","Packzettel für zu liefernde Pakete generieren. Wird verwendet, um Paketnummer, Packungsinhalt und das Gewicht zu dokumentieren." +Generates HTML to include selected image in the description,"Generiert HTML, die das ausgewählte Bild in der Beschreibung enthält" +Get Advances Paid,Gezahlte Vorschüsse aufrufen +Get Advances Received,Erhaltene Anzahlungen aufrufen +Get Current Stock,Aktuellen Lagerbestand aufrufen +Get Items,Artikel aufrufen +Get Items From Purchase Receipts, +Get Items From Sales Orders,Artikel aus Kundenaufträgen abrufen Get Items from BOM,Holen Sie Angebote von Stücklisten -Get Last Purchase Rate,Get Last Purchase Rate -Get Outstanding Invoices,Holen Ausstehende Rechnungen +Get Last Purchase Rate,Letzten Anschaffungskurs abrufen +Get Outstanding Invoices,Ausstehende Rechnungen abrufen Get Relevant Entries,Holen Relevante Einträge -Get Sales Orders,Holen Sie Kundenaufträge -Get Specification Details,Holen Sie Ausschreibungstexte -Get Stock and Rate,Holen Sie Stock und bewerten -Get Template,Holen Template -Get Terms and Conditions,Holen AGB +Get Sales Orders,Kundenaufträge abrufen +Get Specification Details,Spezifikationsdetails abrufen +Get Stock and Rate,Lagerbestand und Rate abrufen +Get Template,Vorlage abrufen +Get Terms and Conditions,Allgemeine Geschäftsbedingungen abrufen Get Unreconciled Entries,Holen Nicht abgestimmte Einträge -Get Weekly Off Dates,Holen Weekly Off Dates -"Get valuation rate and available stock at source/target warehouse on mentioned posting date-time. If serialized item, please press this button after entering serial nos.","Holen Bewertungskurs und verfügbaren Bestand an der Quelle / Ziel-Warehouse am genannten Buchungsdatum-Zeit. Wenn serialisierten Objekt, drücken Sie bitte diese Taste nach Eingabe der Seriennummern nos." -Global Defaults,Globale Defaults +Get Weekly Off Dates,Wöchentliche Abwesenheitstermine abrufen +"Get valuation rate and available stock at source/target warehouse on mentioned posting date-time. If serialized item, please press this button after entering serial nos.","Bewertungsrate und verfügbaren Lagerbestand an Ursprungs-/Zielwarenlager zum genannten Buchungsdatum/Uhrzeit abrufen. Bei Serienartikel, drücken Sie diese Taste nach der Eingabe der Seriennummern." +Global Defaults,Globale Standardwerte Global POS Setting {0} already created for company {1},"Globale POS Einstellung {0} bereits für Unternehmen geschaffen, {1}" Global Settings,Globale Einstellungen "Go to the appropriate group (usually Application of Funds > Current Assets > Bank Accounts and create a new Account Ledger (by clicking on Add Child) of type ""Bank""","Gehen Sie auf die entsprechende Gruppe (in der Regel Anwendung des Fonds> Umlaufvermögen > Bank Accounts und erstellen ein neues Konto Ledger (durch Klicken auf Add Kind) vom Typ "" Bank""" "Go to the appropriate group (usually Source of Funds > Current Liabilities > Taxes and Duties and create a new Account Ledger (by clicking on Add Child) of type ""Tax"" and do mention the Tax rate.","Gehen Sie auf die entsprechende Gruppe (in der Regel Quelle der Fonds> kurzfristige Verbindlichkeiten > Steuern und Abgaben und ein neues Konto Ledger (durch Klicken auf Child ) des Typs "" Tax"" und nicht den Steuersatz zu erwähnen." Goal,Ziel Goals,Ziele -Goods received from Suppliers.,Wareneingang vom Lieferanten. +Goods received from Suppliers.,Von Lieferanten erhaltene Ware. Google Drive,Google Drive -Google Drive Access Allowed,Google Drive Zugang erlaubt +Google Drive Access Allowed,Google Drive-Zugang erlaubt Government,Regierung -Graduate,Absolvent -Grand Total,Grand Total -Grand Total (Company Currency),Grand Total (Gesellschaft Währung) +Graduate,Hochschulabsolvent +Grand Total,Gesamtbetrag +Grand Total (Company Currency),Gesamtbetrag (Unternehmenswährung) "Grid ""","Grid """ Grocery,Lebensmittelgeschäft -Gross Margin %,Gross Margin% -Gross Margin Value,Gross Margin Wert -Gross Pay,Gross Pay -Gross Pay + Arrear Amount +Encashment Amount - Total Deduction,Gross Pay + nachträglich Betrag + Inkasso Betrag - Total Abzug -Gross Profit,Bruttogewinn -Gross Profit (%),Gross Profit (%) +Gross Margin %,Bruttoergebnis % +Gross Margin Value,Bruttoergebniswert +Gross Pay,Bruttolohn +Gross Pay + Arrear Amount +Encashment Amount - Total Deduction,Bruttolohn + ausstehender Betrag +  Inkassobetrag - Gesamtabzug +Gross Profit,Rohgewinn +Gross Profit (%),Rohgewinn (%) Gross Weight,Bruttogewicht -Gross Weight UOM,Bruttogewicht UOM +Gross Weight UOM,Bruttogewicht ME Group,Gruppe Group by Account,Gruppe von Konto Group by Voucher,Gruppe von Gutschein -Group or Ledger,Gruppe oder Ledger +Group or Ledger,Gruppen oder Sachbuch Groups,Gruppen +Guest, HR Manager,HR -Manager HR Settings,HR-Einstellungen -HTML / Banner that will show on the top of product list.,"HTML / Banner, die auf der Oberseite des Produkt-Liste zeigen." -Half Day,Half Day -Half Yearly,Halbjahresfinanzbericht +HR User, +HTML / Banner that will show on the top of product list.,"HTML/Banner, das oben auf der der Produktliste angezeigt wird." +Half Day,Halbtags +Half Yearly,Halbjährlich Half-yearly,Halbjährlich Happy Birthday!,Happy Birthday! Hardware,Hardware -Has Batch No,Hat Batch No -Has Child Node,Hat Child Node -Has Serial No,Hat Serial No +Has Batch No,Hat Stapelnr. +Has Child Node,Hat untergeordneten Knoten +Has Serial No,Hat Seriennummer Head of Marketing and Sales,Leiter Marketing und Vertrieb Header,Kopfzeile +Heads (or groups) against which Accounting Entries are made and balances are maintained.,"Vorgesetzte (oder Gruppen), für die Buchungseinträge vorgenommen und Salden geführt werden." Health Care,Health Care Health Concerns,Gesundheitliche Bedenken -Health Details,Gesundheit Details -Held On,Hielt -Help HTML,Helfen Sie HTML -"Help: To link to another record in the system, use ""#Form/Note/[Note Name]"" as the Link URL. (don't use ""http://"")","Hilfe: Um zu einem anderen Datensatz im System zu verknüpfen, verwenden Sie "# Form / Note / [Anmerkung Name]", wie der Link URL. (Verwenden Sie nicht "http://")" -"Here you can maintain family details like name and occupation of parent, spouse and children","Hier können Sie pflegen Familie Details wie Name und Beruf der Eltern, Ehepartner und Kinder" -"Here you can maintain height, weight, allergies, medical concerns etc","Hier können Sie pflegen Größe, Gewicht, Allergien, medizinischen Bedenken etc" -Hide Currency Symbol,Ausblenden Währungssymbol +Health Details,Gesundheitsdetails +Held On,Abgehalten am +Help HTML,HTML-Hilfe +"Help: To link to another record in the system, use ""#Form/Note/[Note Name]"" as the Link URL. (don't use ""http://"")","Hilfe: Um eine Verknüpfung zu einem anderen Datensatz im System herzustellen, verwenden Sie ""#Formular/Anmerkung/[Anmerkungsname]"" als Link-URL. (verwenden Sie nicht ""http://"")" +"Here you can maintain family details like name and occupation of parent, spouse and children","Hier können Sie Familiendetails wie Namen und Beruf der Eltern, Ehepartner und Kinder angeben" +"Here you can maintain height, weight, allergies, medical concerns etc","Hier können Sie Größe, Gewicht, Allergien, medizinische Bedenken usw. eingeben" +Hide Currency Symbol,Währungssymbol ausblenden High,Hoch -History In Company,Geschichte Im Unternehmen -Hold,Halten +History In Company,Verlauf im Unternehmen +Hold,Anhalten Holiday,Urlaub -Holiday List,Ferienwohnung Liste -Holiday List Name,Ferienwohnung Name +Holiday List,Urlaubsliste +Holiday List Name,Urlaubslistenname Holiday master.,Ferien Master. -Holidays,Ferien -Home,Zuhause -Host,Gastgeber -"Host, Email and Password required if emails are to be pulled","Host, E-Mail und Passwort erforderlich, wenn E-Mails gezogen werden" +Holidays,Feiertage +Home,Startseite +Host,Host +"Host, Email and Password required if emails are to be pulled","Host-, E-Mail und Passwort erforderlich, wenn E-Mails gezogen werden sollen" Hour,Stunde -Hour Rate,Hour Rate -Hour Rate Labour,Hour Rate Labour +Hour Rate,Stundensatz +Hour Rate Labour,Stundensatz Arbeitslohn Hours,Stunden How Pricing Rule is applied?,Wie Pricing-Regel angewendet wird? How frequently?,Wie häufig? -"How should this currency be formatted? If not set, will use system defaults","Wie soll diese Währung formatiert werden? Wenn nicht gesetzt, verwenden Standardeinstellungen des Systems" -Human Resources,Human Resources -Identification of the package for the delivery (for print),Identifikation des Pakets für die Lieferung (für den Druck) -If Income or Expense,Wenn Ertrags-oder Aufwandsposten -If Monthly Budget Exceeded,Wenn Monthly Budget überschritten -"If Sale BOM is defined, the actual BOM of the Pack is displayed as table. Available in Delivery Note and Sales Order","Wenn Sale Stückliste definiert ist, wird die tatsächliche Stückliste des Pack als Tabelle angezeigt. Erhältlich in Lieferschein und Sales Order" -"If Supplier Part Number exists for given Item, it gets stored here","Wenn der Lieferant Teilenummer existiert für bestimmte Artikel, wird es hier gespeichert" +"How should this currency be formatted? If not set, will use system defaults","Wie soll diese Währung formatiert werden? Wenn nicht festgelegt, werden die Systemstands verwendet" +Human Resources,Personalwesen +Identification of the package for the delivery (for print),Bezeichnung des Pakets für die Lieferung (für den Druck) +If Income or Expense,Wenn Ertrag oder Aufwand +If Monthly Budget Exceeded,Wenn Monatsbudget überschritten +"If Supplier Part Number exists for given Item, it gets stored here","Falls für eine bestimmte Position eine Lieferantenteilenummer vorhanden ist, wird sie hier gespeichert" If Yearly Budget Exceeded,Wenn Jahresbudget überschritten -"If checked, BOM for sub-assembly items will be considered for getting raw materials. Otherwise, all sub-assembly items will be treated as a raw material.","Wenn aktiviert, wird Stückliste Baugruppe Artikel für immer Rohstoff betrachtet werden. Andernfalls werden alle Unterbaugruppe Elemente als Ausgangsmaterial behandelt werden." -"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Wenn aktiviert, insgesamt nicht. der Arbeitstage zählen Ferien, und dies wird den Wert der Gehalt pro Tag zu reduzieren" -"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount","Wenn aktiviert, wird der Steuerbetrag als bereits in der Print Rate / Print Menge aufgenommen werden" +"If checked, BOM for sub-assembly items will be considered for getting raw materials. Otherwise, all sub-assembly items will be treated as a raw material.","Wenn aktiviert, wird die Stückliste für Unterbaugruppen-Artikel beim Abrufen von Rohstoffen berücksichtigt. Andernfalls werden alle Unterbaugruppen-Artikel als Rohmaterial behandelt." +"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Wenn aktiviert, beinhaltet die Gesamtanzahl der Arbeitstage auch Feiertage und dies reduziert den Wert des Gehalts pro Tag." +"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount","Wenn aktiviert, wird der Steuerbetrag als bereits in der Druckrate oder im Druckbetrag enthalten betrachtet." If different than customer address,Wenn anders als Kundenadresse -"If disable, 'Rounded Total' field will not be visible in any transaction",Wenn deaktivieren 'Abgerundete Total' Feld nicht in einer Transaktion sichtbar -"If enabled, the system will post accounting entries for inventory automatically.","Wenn aktiviert, wird das System Buchungsposten für Inventar automatisch erstellen." -If more than one package of the same type (for print),Wenn mehr als ein Paket des gleichen Typs (print) +"If disable, 'Rounded Total' field will not be visible in any transaction","Wenn deaktiviert, wird das Feld 'Gerundeter Gesamtbetrag' in keiner Transaktion angezeigt" +"If enabled, the system will post accounting entries for inventory automatically.","Wenn aktiviert, veröffentlicht das System Bestandsbuchungseinträge automatisch." +If more than one package of the same type (for print),Wenn mehr als ein Paket von der gleichen Art (für den Druck) "If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Wenn mehrere Preisregeln weiterhin herrschen, werden die Benutzer aufgefordert, Priorität manuell einstellen, um Konflikt zu lösen." "If no change in either Quantity or Valuation Rate, leave the cell blank.","Wenn keine Änderung entweder Menge oder Bewertungs bewerten , lassen Sie die Zelle leer ." -If not applicable please enter: NA,"Soweit dies nicht zutrifft, geben Sie bitte: NA" -"If not checked, the list will have to be added to each Department where it has to be applied.","Falls nicht, wird die Liste müssen auf jeden Abteilung, wo sie angewendet werden hinzugefügt werden." +"If not checked, the list will have to be added to each Department where it has to be applied.","Wenn deaktiviert, muss die Liste zu jeder Abteilung hinzugefügt werden, für die sie gilt." "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 ausgewählten Preisregel wird für 'Preis' gemacht, wird es überschrieben Preisliste. Pricing Rule Preis ist der Endpreis, so dass keine weiteren Rabatt angewendet werden sollten. Daher wird in Transaktionen wie zB Kundenauftrag, Bestellung usw., es wird im Feld 'Rate' abgerufen werden, sondern als Feld 'Preis List'." -"If specified, send the newsletter using this email address","Wenn angegeben, senden sie den Newsletter mit dieser E-Mail-Adresse" +"If specified, send the newsletter using this email address","Wenn angegeben, senden Sie den Newsletter mit dieser E-Mail-Adresse" "If the account is frozen, entries are allowed to restricted users.","Wenn das Konto eingefroren ist, werden Einträge für eingeschränkte Benutzer erlaubt." -"If this Account represents a Customer, Supplier or Employee, set it here.","Wenn dieses Konto ein Kunde, Lieferant oder Mitarbeiter, stellen Sie es hier." +"If this Account represents a Customer, Supplier or Employee, set it here.","Wenn dieses Konto zu einem Kunden, Lieferanten oder Mitarbeiter gehört, legen Sie dies hier fest." "If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Wenn zwei oder mehrere Preisregeln werden auf der Grundlage der obigen Bedingungen festgestellt wird Priorität angewandt. Priorität ist eine Zahl zwischen 0 und 20, während Standardwert ist null (leer). Höhere Zahl bedeutet es Vorrang, wenn es mehrere Preisregeln mit gleichen Bedingungen." If you follow Quality Inspection. Enables Item QA Required and QA No in Purchase Receipt,Wenn Sie Qualitätsprüfung folgen . Ermöglicht Artikel QA Pflicht und QS Nein in Kaufbeleg -If you have Sales Team and Sale Partners (Channel Partners) they can be tagged and maintain their contribution in the sales activity,Wenn Sie Sales Team und Verkauf Partners (Channel Partners) sie markiert werden können und pflegen ihren Beitrag in der Vertriebsaktivitäten -"If you have created a standard template in Purchase Taxes and Charges Master, select one and click on the button below.","Wenn Sie ein Standard-Template in Kauf Steuern und Abgaben Meister erstellt haben, wählen Sie eine aus und klicken Sie auf den Button unten." -"If you have created a standard template in Sales Taxes and Charges Master, select one and click on the button below.","Wenn Sie ein Standard-Template in Sales Steuern und Abgaben Meister erstellt haben, wählen Sie eine aus und klicken Sie auf den Button unten." -"If you have long print formats, this feature can be used to split the page to be printed on multiple pages with all headers and footers on each page","Wenn Sie lange drucken, haben Formate, kann diese Funktion dazu verwendet, um die Seite auf mehreren Seiten mit allen Kopf-und Fußzeilen auf jeder Seite gedruckt werden" +If you have Sales Team and Sale Partners (Channel Partners) they can be tagged and maintain their contribution in the sales activity,"Wenn Sie ein Verkaufsteam und Verkaufspartner (Vertriebskanalpartner) haben, können sie markiert werden und ihren Beitrag zur Umsatztätigkeit behalten" +"If you have created a standard template in Purchase Taxes and Charges Master, select one and click on the button below.","Wenn Sie eine Standardvorlage im Stamm für Verkaufssteuern und Abgaben erstellt haben, wählen Sie eine aus und klicken Sie unten auf die Schaltfläche." +"If you have created a standard template in Sales Taxes and Charges Master, select one and click on the button below.","Wenn Sie eine Standardvorlage im Stamm für Steuern und Abgaben erstellt haben, wählen Sie eine aus und klicken Sie unten auf die Schaltfläche." +"If you have long print formats, this feature can be used to split the page to be printed on multiple pages with all headers and footers on each page","Wenn Sie lange Druckformate haben, kann diese Funktion verwendet werden, um die Seite auf mehrere Seiten mit allen Kopf- und Fußzeilen aufzuteilen" If you involve in manufacturing activity. Enables Item 'Is Manufactured',Wenn Sie in die produzierenden Aktivitäten einzubeziehen. Ermöglicht Item ' hergestellt ' Ignore,Ignorieren Ignore Pricing Rule,Ignorieren Preisregel Ignored: ,Ignoriert: Image,Bild -Image View,Bild anzeigen -Implementation Partner,Implementation Partner -Import Attendance,Import Teilnahme +Image View,Bildansicht +Implementation Partner,Implementierungspartner +Import Attendance,Importteilnahme Import Failed!,Import fehlgeschlagen ! -Import Log,Import-Logbuch +Import Log,Importprotokoll Import Successful!,Importieren Sie erfolgreich! -Imports,Imports +Imports,Importe In Hours,In Stunden -In Process,In Process +In Process,In Bearbeitung In Qty,Menge +In Stock, In Value,Wert bei -In Words,In Worte -In Words (Company Currency),In Words (Gesellschaft Währung) -In Words (Export) will be visible once you save the Delivery Note.,"In Words (Export) werden sichtbar, sobald Sie den Lieferschein zu speichern." -In Words will be visible once you save the Delivery Note.,"In Worte sichtbar sein wird, sobald Sie den Lieferschein zu speichern." -In Words will be visible once you save the Purchase Invoice.,"In Worte sichtbar sein wird, wenn Sie den Kaufbeleg speichern." -In Words will be visible once you save the Purchase Order.,"In Worte sichtbar sein wird, wenn Sie die Bestellung zu speichern." -In Words will be visible once you save the Purchase Receipt.,"In Worte sichtbar sein wird, wenn Sie den Kaufbeleg speichern." -In Words will be visible once you save the Quotation.,"In Worte sichtbar sein wird, sobald Sie das Angebot zu speichern." -In Words will be visible once you save the Sales Invoice.,"In Worte sichtbar sein wird, sobald Sie das Sales Invoice speichern." -In Words will be visible once you save the Sales Order.,"In Worte sichtbar sein wird, sobald Sie den Sales Order zu speichern." -Incentives,Incentives +In Words,In Words +In Words (Company Currency),In Words (Unternehmenswährung) +In Words (Export) will be visible once you save the Delivery Note.,"In Words (Export) wird sichtbar, wenn Sie den Lieferschein speichern." +In Words will be visible once you save the Delivery Note.,"In Words wird sichtbar, sobald Sie den Lieferschein speichern." +In Words will be visible once you save the Purchase Invoice.,"In Words wird sichtbar, sobald Sie die Einkaufsrechnung speichern." +In Words will be visible once you save the Purchase Order.,"In Words wird sichtbar, sobald Sie die Bestellung speichern." +In Words will be visible once you save the Purchase Receipt.,"In Words wird sichtbar, sobald Sie den Kaufbeleg speichern." +In Words will be visible once you save the Quotation.,"In Words wird sichtbar, sobald Sie den Kostenvoranschlag speichern." +In Words will be visible once you save the Sales Invoice.,"In Words wird sichtbar, sobald Sie die Verkaufsrechnung speichern." +In Words will be visible once you save the Sales Order.,"In Words wird sichtbar, sobald Sie den Kundenauftrag speichern." +Incentives,Anreiz Include Reconciled Entries,Fügen versöhnt Einträge -Include holidays in Total no. of Working Days,Fügen Sie Urlaub in Summe nicht. der Arbeitstage +Include holidays in Total no. of Working Days,Urlaub in die Gesamtzahl der Arbeitstage einschließen Income,Einkommen -Income / Expense,Erträge / Aufwendungen -Income Account,Income Konto -Income Booked,Erträge gebucht +Income / Expense,Einnahmen/Ausgaben +Income Account,Gewinnkonto +Income Booked,Gebuchter Gewinn Income Tax,Einkommensteuer -Income Year to Date,Income Jahr bis Datum -Income booked for the digest period,Erträge gebucht für die Auszugsperiodeninformation -Incoming,Eingehende -Incoming Rate,Incoming Rate -Incoming quality inspection.,Eingehende Qualitätskontrolle. +Income Year to Date,Jahresertrag bis dato +Income booked for the digest period,Gebuchter Gewinn für den Berichtszeitraum +Incoming,Eingehend +Incoming Rate,Eingehende Rate +Incoming quality inspection.,Eingehende Qualitätsprüfung. Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Falsche Anzahl von Hauptbuch-Einträge gefunden. Sie könnten ein falsches Konto in der Transaktion ausgewählt haben. Incorrect or Inactive BOM {0} for Item {1} at row {2},Fehlerhafte oder Inaktive Stückliste {0} für Artikel {1} in Zeile {2} Indicates that the package is a part of this delivery (Only Draft),"Zeigt an, dass das Paket ist ein Teil dieser Lieferung (nur Entwurf)" Indirect Expenses,Indirekte Aufwendungen Indirect Income,Indirekte Erträge -Individual,Einzelne +Individual,Einzelperson Industry,Industrie -Industry Type,Industry Typ +Industry Type,Industrietyp Inspected By,Geprüft von Inspection Criteria,Prüfkriterien -Inspection Required,Inspektion erforderlich -Inspection Type,Prüfart -Installation Date,Installation Date -Installation Note,Installation Hinweis -Installation Note Item,Installation Hinweis Artikel +Inspection Required,Prüfung ist Pflicht +Inspection Type,Art der Prüfung +Installation Date,Datum der Installation +Installation Note,Installationshinweis +Installation Note Item,Bestandteil Installationshinweis Installation Note {0} has already been submitted,Installation Hinweis {0} wurde bereits eingereicht -Installation Status,Installation Status -Installation Time,Installation Time +Installation Status,Installationsstatus +Installation Time,Installationszeit Installation date cannot be before delivery date for Item {0},Installationsdatum kann nicht vor dem Liefertermin für Artikel {0} -Installation record for a Serial No.,Installation Rekord für eine Seriennummer +Installation record for a Serial No.,Installationsdatensatz für eine Seriennummer Installed Qty,Installierte Anzahl -Instructions,Anleitung -Integrate incoming support emails to Support Ticket,Integrieren eingehende Support- E-Mails an Ticket-Support +Instructions,Anweisungen Interested,Interessiert Intern,internieren Internal,Intern @@ -1345,95 +1390,98 @@ Invalid Mail Server. Please rectify and try again.,Ungültige E-Mail -Server. Bi Invalid Master Name,Ungültige Master-Name Invalid User Name or Support Password. Please rectify and try again.,Ungültige Benutzername oder Passwort -Unterstützung . Bitte korrigieren und versuchen Sie es erneut . Invalid quantity specified for item {0}. Quantity should be greater than 0.,Zum Artikel angegebenen ungültig Menge {0}. Menge sollte grßer als 0 sein. -Inventory,Inventar +Inventory,Lagerbestand Inventory & Support,Inventar & Support Investment Banking,Investment Banking Investments,Investments Invoice Date,Rechnungsdatum Invoice Details,Rechnungsdetails -Invoice No,Rechnungsnummer +Invoice No,Rechnungs-Nr. Invoice Number,Rechnungsnummer -Invoice Period From,Rechnungszeitraum Von -Invoice Period From and Invoice Period To dates mandatory for recurring invoice,Rechnung Zeitraum ab Rechnungszeitraumum Pflichtterminefür wiederkehrende Rechnung -Invoice Period To,Rechnungszeitraum auf Invoice Type,Rechnungstyp Invoice/Journal Voucher Details,Rechnung / Journal Gutschein-Details Invoiced Amount (Exculsive Tax),Rechnungsbetrag ( Exculsive MwSt.) -Is Active,Aktiv ist -Is Advance,Ist Advance -Is Cancelled,Wird abgebrochen -Is Carry Forward,Ist Carry Forward +Is Active,Ist aktiv +Is Advance,Ist Voraus +Is Cancelled,Ist storniert +Is Carry Forward,Ist Übertrag Is Default,Ist Standard -Is Encash,Ist einlösen +Is Encash,Ist Inkasso Is Fixed Asset Item,Ist Posten des Anlagevermögens Is LWP,Ist LWP -Is Opening,Eröffnet -Is Opening Entry,Öffnet Eintrag +Is Opening,Ist Öffnung +Is Opening Entry,Ist Öffnungseintrag Is POS,Ist POS -Is Primary Contact,Ist Hauptansprechpartner -Is Purchase Item,Ist Kaufsache +Is Primary Contact,Ist primärer Kontakt +Is Purchase Item,Ist Einkaufsartikel +Is Recurring, Is Sales Item,Ist Verkaufsartikel -Is Service Item,Ist Service Item -Is Stock Item,Ist Stock Item -Is Sub Contracted Item,Ist Sub Vertragsgegenstand -Is Subcontracted,Ist Fremdleistungen -Is this Tax included in Basic Rate?,Wird diese Steuer in Basic Rate inbegriffen? -Issue,Ausgabe -Issue Date,Issue Date -Issue Details,Issue Details -Issued Items Against Production Order,Ausgestellt Titel Against Fertigungsauftrag +Is Service Item,Ist Leistungsposition +Is Stock Item,Ist Bestandsartikel +Is Sub Contracted Item,Ist Zulieferer-Artikel +Is Subcontracted,Ist Untervergabe +Is this Tax included in Basic Rate?,Ist diese Steuer in der Basisrate enthalten? +Issue,Ausstellung +Issue Date,Ausstellungsdatum +Issue Details,Vorgangsdetails +Issued Items Against Production Order,Gegen Fertigungsauftrag ausgegebene Artikel It can also be used to create opening stock entries and to fix stock value.,"Es kann auch verwendet werden, um die Öffnung der Vorratszugänge zu schaffen und Bestandswert zu beheben." Item,Artikel -Item Advanced,Erweiterte Artikel -Item Barcode,Barcode Artikel -Item Batch Nos,In Batch Artikel -Item Code,Item Code +Item #{0}: Ordered qty can not less than item's minimum order qty (defined in item master)., +Item Advanced,Erweiterter Artikel +Item Barcode,Artikelstrichcode +Item Batch Nos,Artikel-Chargennummern +Item Classification,Artikelklassifizierung +Item Code,Artikelcode Item Code > Item Group > Brand,Item Code> Artikelgruppe> Marke Item Code and Warehouse should already exist.,Artikel-Code und Lager sollte bereits vorhanden sein . Item Code cannot be changed for Serial No.,Item Code kann nicht für Seriennummer geändert werden Item Code is mandatory because Item is not automatically numbered,"Artikel-Code ist zwingend erforderlich, da Einzelteil wird nicht automatisch nummeriert" Item Code required at Row No {0},Item Code in Zeile Keine erforderlich {0} -Item Customer Detail,Artikel Kundenrezensionen +Item Customer Detail,Kundendetail Artikel Item Description,Artikelbeschreibung -Item Desription,Artikel Desription +Item Desription,Artikelbeschreibung Item Details,Artikeldetails -Item Group,Artikel-Gruppe -Item Group Name,Artikel Group Name +Item Group,Artikelgruppe +Item Group Name,Name der Artikelgruppe Item Group Tree,Artikelgruppenstruktur Item Group not mentioned in item master for item {0},Im Artikelstamm für Artikel nicht erwähnt Artikelgruppe {0} -Item Groups in Details,Details Gruppen in Artikel -Item Image (if not slideshow),Item Image (wenn nicht Diashow) -Item Name,Item Name -Item Naming By,Artikel Benennen von -Item Price,Artikel Preis -Item Prices,Produkt Preise -Item Quality Inspection Parameter,Qualitätsprüfung Artikel Parameter -Item Reorder,Artikel Reorder -Item Serial No,Artikel Serial In -Item Serial Nos,Artikel Serial In +Item Groups in Details,Artikelgruppen in Details +Item Image (if not slideshow),Artikelbild (wenn keine Diashow) +Item Name,Artikelname +Item Naming By,Artikelbenennung nach +Item Price,Artikelpreis +Item Prices,Artikelpreise +Item Quality Inspection Parameter,Parameter der Artikel-Qualitätsprüfung +Item Reorder,Artikelaufzeichner +Item Row {0}: Purchase Receipt {1} does not exist in above 'Purchase Receipts' table, +Item Serial No,Artikel-Seriennummer +Item Serial Nos,Artikel-Seriennummern Item Shortage Report,Artikel Mangel Bericht -Item Supplier,Artikel Lieferant -Item Supplier Details,Artikel Supplier Details -Item Tax,MwSt. Artikel -Item Tax Amount,Artikel Steuerbetrag -Item Tax Rate,Artikel Tax Rate +Item Supplier,Artikellieferant +Item Supplier Details,Details Artikellieferant +Item Tax,Artikelsteuer +Item Tax Amount,Artikel-Steuerbetrag +Item Tax Rate,Artikel-Steuersatz Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Artikel Tax Row {0} muss wegen Art oder Steuerertrag oder-aufwand oder Kostenpflichtige haben -Item Tax1,Artikel Tax1 -Item To Manufacture,Artikel in der Herstellung -Item UOM,Artikel UOM -Item Website Specification,Artikelbeschreibung Webseite -Item Website Specifications,Artikel Spezifikationen Webseite -Item Wise Tax Detail,Artikel Wise Tax -Detail +Item Tax1,Artikelsteuer1 +Item To Manufacture,Artikel Bis-Herstellung +Item UOM,Artikel-ME +Item Website Specification,Artikel-Webseitenspezifikation +Item Website Specifications,Artikel-Webseitenspezifikationen +Item Wise Tax Detail,Artikelweises Steuerdetail Item Wise Tax Detail ,Artikel Wise UST Details Item is required,Artikel erforderlich Item is updated,Artikel wird aktualisiert Item master.,Artikelstamm . "Item must be a purchase item, as it is present in one or many Active BOMs","Einzelteil muss ein Kaufsache zu sein, wie es in einem oder mehreren Active Stücklisten vorhanden ist" +Item must be added using 'Get Items from Purchase Receipts' button, Item or Warehouse for row {0} does not match Material Request,Artikel- oder Lagerreihe{0} ist Materialanforderung nicht überein Item table can not be blank,Artikel- Tabelle kann nicht leer sein -Item to be manufactured or repacked,Artikel hergestellt oder umgepackt werden +Item to be manufactured or repacked,Hergestellter oder umgepackter Artikel +Item valuation rate is recalculated considering landed cost voucher amount, Item valuation updated,Artikel- Bewertung aktualisiert -Item will be saved by this name in the data base.,Einzelteil wird mit diesem Namen in der Datenbank gespeichert werden. +Item will be saved by this name in the data base.,Einzelteil wird mit diesem Namen in der Datenbank gespeichert. Item {0} appears multiple times in Price List {1},Artikel {0} erscheint mehrfach in Preisliste {1} Item {0} does not exist,Artikel {0} existiert nicht Item {0} does not exist in the system or has expired,Artikel {0} ist nicht im System vorhanden oder abgelaufen @@ -1464,155 +1512,160 @@ Item {0} must be manufactured or sub-contracted,Artikel {0} hergestellt werden m Item {0} not found,Artikel {0} nicht gefunden Item {0} with Serial No {1} is already installed,Artikel {0} mit Seriennummer {1} ist bereits installiert Item {0} with same description entered twice,Artikel {0} mit derselben Beschreibung zweimal eingegeben -"Item, Warranty, AMC (Annual Maintenance Contract) details will be automatically fetched when Serial Number is selected.","Artikel, Garantie, wird AMC (Annual Maintenance Contract) Details werden automatisch abgerufen Wenn Serial Number ausgewählt ist." +"Item, Warranty, AMC (Annual Maintenance Contract) details will be automatically fetched when Serial Number is selected.","Details zu Artikel, Garantie, AMC (Jahreswartungsvertrag) werden automatisch angezeigt, wenn die Seriennummer ausgewählt wird." Item-wise Price List Rate,Artikel weise Preis List -Item-wise Purchase History,Artikel-wise Kauf-Historie -Item-wise Purchase Register,Artikel-wise Kauf Register -Item-wise Sales History,Artikel-wise Vertrieb Geschichte -Item-wise Sales Register,Artikel-wise Vertrieb Registrieren +Item-wise Purchase History,Artikelweiser Einkaufsverlauf +Item-wise Purchase Register,Artikelweises Einkaufsregister +Item-wise Sales History,Artikelweiser Vertriebsverlauf +Item-wise Sales Register,Artikelweises Vertriebsregister "Item: {0} managed batch-wise, can not be reconciled using \ - Stock Reconciliation, instead use Stock Entry","Item: {0} verwaltet chargenweise, kann nicht in Einklang gebracht werden mit \ - Auf Versöhnung, verwenden Sie stattdessen Lizenz Eintrag" + Stock Reconciliation, instead use Stock Entry", Item: {0} not found in the system,Item: {0} nicht im System gefunden Items,Artikel Items To Be Requested,Artikel angefordert werden Items required,Artikel erforderlich -"Items to be requested which are ""Out of Stock"" considering all warehouses based on projected qty and minimum order qty","Welche Gegenstände werden gebeten, sich ""Out of Stock"" unter Berücksichtigung aller Hallen auf projizierte minimale Bestellmenge und Menge der Basis" -Items which do not exist in Item master can also be entered on customer's request,"Gegenstände, die nicht in Artikelstammdaten nicht existieren kann auch auf Wunsch des Kunden eingegeben werden" -Itemwise Discount,Discount Itemwise -Itemwise Recommended Reorder Level,Itemwise Empfohlene Meldebestand -Job Applicant,Job Applicant -Job Opening,Stellenangebot -Job Profile,Job- Profil -Job Title,Berufsbezeichnung -"Job profile, qualifications required etc.","Job -Profil erforderlich , Qualifikationen usw." -Jobs Email Settings,Jobs per E-Mail Einstellungen -Journal Entries,Journal Entries -Journal Entry,Journal Entry -Journal Voucher,Journal Gutschein -Journal Voucher Detail,Journal Voucher Detail -Journal Voucher Detail No,In Journal Voucher Detail +"Items to be requested which are ""Out of Stock"" considering all warehouses based on projected qty and minimum order qty","Angeforderte Artikel, die im gesamten Warenlager bezüglich der geforderten Menge und Mindestbestellmenge ""Nicht vorrätig"" sind." +Items which do not exist in Item master can also be entered on customer's request,"Gegenstände, die nicht im Artikelstamm vorhanden sind, können auf Wunsch des Kunden auch eingetragen werden" +Itemwise Discount,Artikelweiser Rabatt +Itemwise Recommended Reorder Level,Artikelweise empfohlene Neubestellungsebene +Job Applicant,Bewerber +Job Opening,Offene Stelle +Job Profile,Stellenbeschreibung +Job Title,Stellenbezeichnung +"Job profile, qualifications required etc.","Stellenbeschreibung, erforderliche Qualifikationen usw." +Jobs Email Settings,Stellen-E-Mail-Einstellungen +Journal Entries,Journaleinträge +Journal Entry,Journaleintrag +Journal Voucher,Journalgutschein +Journal Voucher Detail,Journalgutschein Detail +Journal Voucher Detail No,Journalgutschein Detailnr. Journal Voucher {0} does not have account {1} or already matched,Blatt Gutschein {0} ist nicht Konto haben {1} oder bereits abgestimmt Journal Vouchers {0} are un-linked,Blatt Gutscheine {0} sind un -linked -Keep a track of communication related to this enquiry which will help for future reference.,"Verfolgen Sie die Kommunikation im Zusammenhang mit dieser Untersuchung, die für zukünftige Referenz helfen." +"Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment. ", +Keep a track of communication related to this enquiry which will help for future reference.,Kommunikation bezüglich dieser Anfrage für zukünftige Zwecke aufbewahren. Keep it web friendly 900px (w) by 100px (h),Halten Sie es freundliche Web- 900px (w) von 100px ( h) -Key Performance Area,Key Performance Area -Key Responsibility Area,Key Responsibility Bereich +Key Performance Area,Wichtigster Leistungsbereich +Key Responsibility Area,Wichtigster Verantwortungsbereich Kg,kg -LR Date,LR Datum -LR No,In LR +LR Date,LR-Datum +LR No,LR-Nr. Label,Etikett -Landed Cost Item,Landed Cost Artikel -Landed Cost Items,Landed Cost Artikel -Landed Cost Purchase Receipt,Landed Cost Kaufbeleg -Landed Cost Purchase Receipts,Landed Cost Kaufbelege -Landed Cost Wizard,Landed Cost Wizard -Landed Cost updated successfully,Landed Cost erfolgreich aktualisiert +Landed Cost Help, +Landed Cost Item,Kostenartikel +Landed Cost Purchase Receipt,Kosten-Kaufbeleg +Landed Cost Taxes and Charges, +Landed Cost Voucher, +Landed Cost Voucher Amount, Language,Sprache -Last Name,Nachname -Last Purchase Rate,Last Purchase Rate +Last Name,Familienname +Last Purchase Rate,Letzter Anschaffungskurs Latest,neueste -Lead,Führen -Lead Details,Blei Einzelheiten +Lead,Lead +Lead Details,Lead-Details Lead Id,Lead- Id -Lead Name,Name der Person -Lead Owner,Blei Owner -Lead Source,Blei Quelle +Lead Name,Lead-Name +Lead Owner,Lead-Eigentümer +Lead Source,Lead-Ursprung Lead Status,Lead-Status -Lead Time Date,Lead Time Datum -Lead Time Days,Lead Time Tage -Lead Time days is number of days by which this item is expected in your warehouse. This days is fetched in Material Request when you select this item.,"Lead Time Tage ist die Anzahl der Tage, um die diesen Artikel in Ihrem Lager zu erwarten ist. Diese geholt Tage in Material anfordern Wenn Sie diese Option auswählen." -Lead Type,Bleisatz +Lead Time Date,Durchlaufzeit Datum +Lead Time Days,Durchlaufzeit Tage +Lead Time days is number of days by which this item is expected in your warehouse. This days is fetched in Material Request when you select this item.,"""Durchlaufzeit Tage"" beschreibt die Anzahl der Tage, bis wann mit dem Eintreffen des Artikels im Lager zu rechnen ist. Diese Tage werden aus der Materialanforderung abgefragt, wenn Sie diesen Artikel auswählen." +Lead Type,Lead-Typ Lead must be set if Opportunity is made from Lead,"Blei muss eingestellt werden, wenn Gelegenheit ist aus Blei hergestellt werden" -Leave Allocation,Lassen Allocation -Leave Allocation Tool,Lassen Allocation-Tool -Leave Application,Lassen Anwendung -Leave Approver,Lassen Approver -Leave Approvers,Lassen genehmigende -Leave Balance Before Application,Lassen Vor Saldo Anwendung -Leave Block List,Lassen Block List -Leave Block List Allow,Lassen Lassen Block List -Leave Block List Allowed,Lassen Sie erlaubt Block List -Leave Block List Date,Lassen Block List Datum -Leave Block List Dates,Lassen Block List Termine -Leave Block List Name,Lassen Blockieren Name -Leave Blocked,Lassen Blockierte -Leave Control Panel,Lassen Sie Control Panel -Leave Encashed?,Lassen eingelöst? -Leave Encashment Amount,Lassen Einlösung Betrag -Leave Type,Lassen Typ -Leave Type Name,Lassen Typ Name -Leave Without Pay,Unbezahlten Urlaub +Leave Allocation,Urlaubszuordnung +Leave Allocation Tool,Urlaubszuordnungs-Tool +Leave Application,Urlaubsantrag +Leave Approver,Urlaubsgenehmiger +Leave Approvers,Urlaubsgenehmiger +Leave Balance Before Application,Urlaubskonto vor Anwendung +Leave Block List,Urlaubssperrenliste +Leave Block List Allow,Urlaubssperrenliste zulassen +Leave Block List Allowed,Urlaubssperrenliste zugelassen +Leave Block List Date,Urlaubssperrenliste Datum +Leave Block List Dates,Urlaubssperrenliste Termine +Leave Block List Name,Urlaubssperrenliste Name +Leave Blocked,Gesperrter Urlaub +Leave Control Panel,Urlaubskontrolloberfläche +Leave Encashed?,Urlaub eingelöst? +Leave Encashment Amount,Urlaubseinlösung Betrag +Leave Type,Urlaubstyp +Leave Type Name,Urlaubstyp Name +Leave Without Pay,Unbezahlter Urlaub Leave application has been approved.,Urlaubsantrag genehmigt wurde . Leave application has been rejected.,Urlaubsantrag wurde abgelehnt. Leave approver must be one of {0},Lassen Genehmiger muss man von {0} Leave blank if considered for all branches,"Freilassen, wenn für alle Branchen betrachtet" Leave blank if considered for all departments,"Freilassen, wenn für alle Abteilungen betrachtet" Leave blank if considered for all designations,"Freilassen, wenn für alle Bezeichnungen betrachtet" -Leave blank if considered for all employee types,"Freilassen, wenn für alle Mitarbeiter Typen betrachtet" -"Leave can be approved by users with Role, ""Leave Approver""","Kann von Benutzern mit Role zugelassen zu verlassen, ""Leave Approver""" +Leave blank if considered for all employee types,"Freilassen, wenn für alle Mitarbeitertypen betrachtet" +"Leave can be approved by users with Role, ""Leave Approver""","Urlaub kann von Benutzern mit der Rolle ""Urlaubsgenehmiger"" genehmigt werden" Leave of type {0} cannot be longer than {1},Abschied vom Typ {0} kann nicht mehr als {1} Leaves Allocated Successfully for {0},Erfolgreich für zugewiesene Blätter {0} Leaves for type {0} already allocated for Employee {1} for Fiscal Year {0},Blätter für Typ {0} bereits für Arbeitnehmer zugeteilt {1} für das Geschäftsjahr {0} Leaves must be allocated in multiples of 0.5,"Blätter müssen in Vielfachen von 0,5 zugeordnet werden" -Ledger,Hauptbuch +Ledger,Sachkonto Ledgers,Ledger Left,Links Legal,Rechts- +Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,"Juristische Einheit/Niederlassung mit einem separaten Kontenplan, der zum Unternehmen gehört." Legal Expenses,Anwaltskosten Letter Head,Briefkopf Letter Heads for print templates.,Schreiben Köpfe für Druckvorlagen . Level,Ebene -Lft,Lft +Lft,Li Liability,Haftung List a few of your customers. They could be organizations or individuals.,Listen Sie ein paar Ihrer Kunden. Sie könnten Organisationen oder Einzelpersonen sein . List a few of your suppliers. They could be organizations or individuals.,Listen Sie ein paar von Ihren Lieferanten . Sie könnten Organisationen oder Einzelpersonen sein . -List items that form the package.,Diese Liste Artikel bilden das Paket. -List this Item in multiple groups on the website.,Liste Diesen Artikel in mehrere Gruppen auf der Website. +List items that form the package.,"Listenelemente, die das Paket bilden." +List of users who can edit a particular Note,"Liste der Benutzer, die eine besondere Notiz bearbeiten können" +List this Item in multiple groups on the website.,Diesen Artikel in mehreren Gruppen auf der Website auflisten. "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.","Listen Sie Ihre Produkte oder Dienstleistungen, die Sie kaufen oder verkaufen ." "List your tax heads (e.g. VAT, Excise; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Listen Sie Ihre Steuerköpfen ( z. B. Mehrwertsteuer, Verbrauchssteuern , sie sollten eindeutige Namen haben ) und ihre Standardsätze." Loading...,Wird geladen ... Loans (Liabilities),Kredite ( Passiva) Loans and Advances (Assets),Forderungen ( Assets) Local,lokal +"Log of Activities performed by users against Tasks that can be used for tracking time, billing.","Protokoll der von Benutzern durchgeführten Aktivitäten bei Aufgaben, die zum Protokollieren von Zeit und zur Rechnungslegung verwendet werden." Login,Anmelden Login with your new User ID,Loggen Sie sich mit Ihrem neuen Benutzer-ID Logo,Logo Logo and Letter Heads,Logo und Briefbögen Lost,verloren -Lost Reason,Verlorene Reason -Low,Gering -Lower Income,Lower Income -MTN Details,MTN Einzelheiten +Lost Reason,Verlustgrund +Low,Niedrig +Lower Income,Niedrigeres Einkommen +MTN Details,MTN-Details Main,Main -Main Reports,Haupt-Reports -Maintain Same Rate Throughout Sales Cycle,Pflegen gleichen Rate Während Sales Cycle -Maintain same rate throughout purchase cycle,Pflegen gleichen Rate gesamten Kauf-Zyklus +Main Reports,Hauptberichte +Maintain Same Rate Throughout Sales Cycle,Gleiche Rate im gesamten Verkaufszyklus beibehalten +Maintain same rate throughout purchase cycle,Gleiche Rate im gesamten Kaufzyklus beibehalten Maintenance,Wartung -Maintenance Date,Wartung Datum -Maintenance Details,Wartung Einzelheiten +Maintenance Date,Wartungsdatum +Maintenance Details,Wartungsdetails +Maintenance Manager, Maintenance Schedule,Wartungsplan -Maintenance Schedule Detail,Wartungsplan Details -Maintenance Schedule Item,Wartungsplan Artikel +Maintenance Schedule Detail,Wartungsplandetail +Maintenance Schedule Item,Wartungsplanposition Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',"Wartungsplan wird nicht für alle Elemente erzeugt. Bitte klicken Sie auf "" Generieren Zeitplan '" Maintenance Schedule {0} exists against {0},Wartungsplan {0} gegen {0} existiert Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Wartungsplan {0} muss vor Streichung dieses Sales Order storniert werden Maintenance Schedules,Wartungspläne Maintenance Status,Wartungsstatus -Maintenance Time,Wartung Zeit -Maintenance Type,Wartung Type -Maintenance Visit,Wartung Besuch -Maintenance Visit Purpose,Wartung Visit Zweck +Maintenance Time,Wartungszeit +Maintenance Type,Wartungstyp +Maintenance User, +Maintenance Visit,Wartungsbesuch +Maintenance Visit Purpose,Wartungsbesuch Zweck Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Wartungsbesuch {0} muss vor Streichung dieses Sales Order storniert werden Maintenance start date can not be before delivery date for Serial No {0},Wartung Startdatum kann nicht vor dem Liefertermin für Seriennummer {0} -Major/Optional Subjects,Major / Wahlfächer +Major/Optional Subjects,Wichtiger/optionaler Betreff Make , Make Accounting Entry For Every Stock Movement,Machen Accounting Eintrag für jede Lagerbewegung -Make Bank Voucher,Machen Bankgutschein +Make Bank Voucher,Bankgutschein erstellen Make Credit Note,Machen Gutschrift Make Debit Note,Machen Lastschrift Make Delivery,machen Liefer -Make Difference Entry,Machen Difference Eintrag +Make Difference Entry,Differenzeintrag erstellen Make Excise Invoice,Machen Verbrauch Rechnung Make Installation Note,Machen Installation Hinweis Make Invoice,machen Rechnung @@ -1630,59 +1683,66 @@ Make Salary Structure,Machen Gehaltsstruktur Make Sales Invoice,Machen Sales Invoice Make Sales Order,Machen Sie Sales Order Make Supplier Quotation,Machen Lieferant Zitat -Make Time Log Batch,Nehmen Sie sich Zeit Log Batch +Make Time Log Batch,Zeitprotokollstapel erstellen +Make new POS Setting, Male,Männlich Manage Customer Group Tree.,Verwalten von Kunden- Gruppenstruktur . Manage Sales Partners.,Vertriebspartner verwalten. Manage Sales Person Tree.,Verwalten Sales Person Baum . Manage Territory Tree.,Verwalten Territory Baum . -Manage cost of operations,Verwalten Kosten der Operationen +Manage cost of operations,Betriebskosten verwalten Management,Management Manager,Manager -"Mandatory if Stock Item is ""Yes"". Also the default warehouse where reserved quantity is set from Sales Order.","Obligatorisch, wenn Lager Artikel ist "Ja". Auch die Standard-Lager, wo reservierte Menge von Sales Order eingestellt ist." -Manufacture against Sales Order,Herstellung gegen Sales Order -Manufacture/Repack,Herstellung / Repack -Manufactured Qty,Hergestellt Menge -Manufactured quantity will be updated in this warehouse,Menge hergestellt werden in diesem Lager aktualisiert werden +"Mandatory if Stock Item is ""Yes"". Also the default warehouse where reserved quantity is set from Sales Order.","Obligatorisch, wenn Bestandsartikel „Ja“ ist. Auch das Standardwarenlager, in dem die Menge über den Auftrag reserviert wurde." +Manufacture against Sales Order,Herstellung laut Auftrag +Manufacture/Repack,Herstellung/Neuverpackung +Manufactured Item, +Manufactured Qty,Hergestellte Menge +Manufactured quantity will be updated in this warehouse,Hergestellte Menge wird in diesem Lager aktualisiert Manufactured quantity {0} cannot be greater than planned quanitity {1} in Production Order {2},Hergestellt Menge {0} kann nicht größer sein als geplant quanitity {1} in Fertigungsauftrag {2} Manufacturer,Hersteller Manufacturer Part Number,Hersteller-Teilenummer -Manufacturing,Herstellung -Manufacturing Quantity,Fertigung Menge +Manufacturing,Fertigungsprozess +Manufacturing Manager, +Manufacturing Quantity,Fertigungsmenge Manufacturing Quantity is mandatory,Fertigungsmengeist obligatorisch -Margin,Marge +Manufacturing User, +Margin,Gewinnspanne Marital Status,Familienstand -Market Segment,Market Segment +Market Segment,Marktsegment Marketing,Marketing Marketing Expenses,Marketingkosten Married,Verheiratet -Mass Mailing,Mass Mailing -Master Name,Master Name +Mass Mailing,Massen-Mailing +Master Name,Stammname Master Name is mandatory if account type is Warehouse,"Meister -Name ist obligatorisch, wenn Kontotyp Warehouse" -Master Type,Master Type -Masters,Masters -Match non-linked Invoices and Payments.,Spiel nicht verknüpften Rechnungen und Zahlungen. -Material Issue,Material Issue -Material Receipt,Material Receipt -Material Request,Material anfordern -Material Request Detail No,Material anfordern Im Detail -Material Request For Warehouse,Material Request For Warehouse -Material Request Item,Material anfordern Artikel -Material Request Items,Material anfordern Artikel -Material Request No,Material anfordern On -Material Request Type,Material Request Type +Master Type,Stammtyp +Masters,Stämme +Match non-linked Invoices and Payments.,Zuordnung nicht verknüpfter Rechnungen und Zahlungen. +Material Issue,Materialentnahme +Material Manager, +Material Master Manager, +Material Receipt,Materialannahme +Material Request,Materialanforderung +Material Request Detail No,Detailnr. der Materialanforderung +Material Request For Warehouse,Materialanforderung für Warenlager +Material Request Item,Materialanforderungsposition +Material Request Items,Materialanforderungspositionen +Material Request No,Materialanforderungsnr. +Material Request Type,Materialanforderungstyp Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Materialanforderung von maximal {0} kann für Artikel {1} gemacht werden gegen Sales Order {2} -Material Request used to make this Stock Entry,"Material anfordern verwendet, um dieses Lager Eintrag machen" +Material Request used to make this Stock Entry,Verwendete Materialanforderung für diesen Lagereintrag Material Request {0} is cancelled or stopped,Materialanforderung {0} wird abgebrochen oder gestoppt Material Requests for which Supplier Quotations are not created,"Material Anträge , für die Lieferant Zitate werden nicht erstellt" Material Requests {0} created,Material Requests {0} erstellt -Material Requirement,Material Requirement -Material Transfer,Material Transfer +Material Requirement,Materialanforderung +Material Transfer,Materialtransfer +Material User, Materials,Materialien -Materials Required (Exploded),Benötigte Materialien (Explosionszeichnung) +Materials Required (Exploded),Benötigte Materialien (erweitert) Max 5 characters,Max 5 Zeichen -Max Days Leave Allowed,Max Leave Tage erlaubt -Max Discount (%),Discount Max (%) +Max Days Leave Allowed,Maximal zulässige Urlaubstage +Max Discount (%),Maximaler Rabatt (%) Max Qty,Max Menge Max discount allowed for item: {0} is {1}%,Max Rabatt erlaubt zum Artikel: {0} {1}% Maximum Amount,Höchstbetrag @@ -1690,123 +1750,123 @@ Maximum allowed credit is {0} days after posting date,Die maximal zulässige Kre Maximum {0} rows allowed,Maximum {0} Zeilen erlaubt Maxiumm discount for Item {0} is {1}%,Maxiumm Rabatt für Artikel {0} {1}% Medical,Medizin- -Medium,Medium +Medium,Mittel "Merging is only possible if following properties are same in both records. Group or Ledger, Root Type, Company","Merging ist nur möglich, wenn folgenden Objekte sind in beiden Datensätzen." Message,Nachricht -Message Parameter,Nachricht Parameter +Message Parameter,Nachrichtenparameter Message Sent,Nachricht gesendet Message updated,Nachricht aktualisiert Messages,Nachrichten -Messages greater than 160 characters will be split into multiple messages,Größer als 160 Zeichen Nachricht in mehrere mesage aufgeteilt werden -Middle Income,Middle Income -Milestone,Meilenstein -Milestone Date,Milestone Datum -Milestones,Meilensteine -Milestones will be added as Events in the Calendar,Meilensteine ​​werden die Veranstaltungen in der hinzugefügt werden +Messages greater than 160 characters will be split into multiple messages,Nachrichten mit mehr als 160 Zeichen werden in mehrere Nachrichten aufgeteilt +Middle Income,Mittleres Einkommen +Milestone,Ecktermin +Milestone Date,Ecktermin Datum +Milestones,Ecktermine +Milestones will be added as Events in the Calendar,Ecktermine werden als Ereignisse in den Kalender aufgenommen Min Order Qty,Mindestbestellmenge Min Qty,Mindestmenge Min Qty can not be greater than Max Qty,Mindestmenge nicht größer als Max Menge sein Minimum Amount,Mindestbetrag -Minimum Order Qty,Minimale Bestellmenge +Minimum Order Qty,Mindestbestellmenge Minute,Minute -Misc Details,Misc Einzelheiten +Misc Details,Sonstige Einzelheiten Miscellaneous Expenses,Sonstige Aufwendungen -Miscelleneous,Miscelleneous -Mobile No,In Mobile -Mobile No.,Handy Nr. +Miscelleneous,Sonstiges +Mobile No,Mobilfunknummer +Mobile No.,Mobilfunknr. Mode of Payment,Zahlungsweise -Modern,Moderne +Modern,Modern Monday,Montag Month,Monat Monthly,Monatlich Monthly Attendance Sheet,Monatliche Anwesenheitsliste -Monthly Earning & Deduction,Monatlichen Einkommen & Abzug +Monthly Earning & Deduction,Monatliches Einkommen & Abzug Monthly Salary Register,Monatsgehalt Register -Monthly salary statement.,Monatsgehalt Aussage. -More Details,Mehr Details -More Info,Mehr Info +Monthly salary statement.,Monatliche Gehaltsabrechnung +More Details,Weitere Details +More Info,Mehr Informationen Motion Picture & Video,Motion Picture & Video -Moving Average,Moving Average -Moving Average Rate,Moving Average Rate +Moving Average,Gleitender Mittelwert +Moving Average Rate,Gleitende Mittelwertsrate Mr,Herr -Ms,Ms +Ms,Frau Multiple Item prices.,Mehrere Artikelpreise . "Multiple Price Rule exists with same criteria, please resolve \ - conflict by assigning priority. Price Rules: {0}","Mehrere Price Rule mit gleichen Kriterien gibt, lösen Sie bitte \ - Konflikt durch Zuweisung Priorität. Preis Regeln: {0}" + conflict by assigning priority. Price Rules: {0}", Music,Musik -Must be Whole Number,Muss ganze Zahl sein +Must be Whole Number,Muss eine Ganzzahl sein Name,Name Name and Description,Name und Beschreibung -Name and Employee ID,Name und Employee ID +Name and Employee ID,Name und Personalnummer "Name of new Account. Note: Please don't create accounts for Customers and Suppliers, they are created automatically from the Customer and Supplier master","Name des neuen Konto . Hinweis : Bitte keine Konten für Kunden und Lieferanten zu schaffen , werden sie automatisch von der Kunden-und Lieferantenstamm angelegt" -Name of person or organization that this address belongs to.,"Name der Person oder Organisation, dass diese Adresse gehört." -Name of the Budget Distribution,Name der Verteilung Budget -Naming Series,Benennen Series +Name of person or organization that this address belongs to.,"Name der Person oder des Unternehmens, zu dem diese Adresse gehört." +Name of the Budget Distribution,Name der Budgetverteilung +Naming Series,Benennungsreihenfolge Negative Quantity is not allowed,Negative Menge ist nicht erlaubt Negative Stock Error ({6}) for Item {0} in Warehouse {1} on {2} {3} in {4} {5},Negative Auf Error ( {6}) für Artikel {0} in {1} Warehouse auf {2} {3} {4} in {5} Negative Valuation Rate is not allowed,Negative Bewertungsbetrag ist nicht erlaubt Negative balance in Batch {0} for Item {1} at Warehouse {2} on {3} {4},Negative Bilanz in Batch {0} für {1} Artikel bei Warehouse {2} auf {3} {4} -Net Pay,Net Pay -Net Pay (in words) will be visible once you save the Salary Slip.,"Net Pay (in Worten) sichtbar sein wird, sobald Sie die Gehaltsabrechnung zu speichern." +Net Pay,Nettolohn +Net Pay (in words) will be visible once you save the Salary Slip.,"Nettolohn (in Worten) wird angezeigt, sobald Sie die Gehaltsabrechnung speichern." Net Profit / Loss,Nettogewinn /-verlust -Net Total,Total Net -Net Total (Company Currency),Net Total (Gesellschaft Währung) +Net Total,Nettosumme +Net Total (Company Currency),Nettosumme (Unternehmenswährung) Net Weight,Nettogewicht -Net Weight UOM,Nettogewicht UOM +Net Weight UOM,Nettogewicht-ME Net Weight of each Item,Nettogewicht der einzelnen Artikel Net pay cannot be negative,Nettolohn kann nicht negativ sein Never,Nie New , New Account,Neues Konto New Account Name,New Account Name -New BOM,New BOM -New Communications,New Communications +New BOM,Neue Stückliste +New Communications,Neue Nachrichten New Company,Neue Gesellschaft New Cost Center,Neue Kostenstelle New Cost Center Name,Neue Kostenstellennamen -New Delivery Notes,New Delivery Notes -New Enquiries,New Anfragen -New Leads,New Leads -New Leave Application,New Leave Anwendung -New Leaves Allocated,Neue Blätter Allocated -New Leaves Allocated (In Days),New Leaves Allocated (in Tagen) -New Material Requests,Neues Material Requests +New Delivery Notes,Neuer Lieferschein +New Enquiries,Neue Anfragen +New Leads,Neue Leads +New Leave Application,Neuer Urlaubsantrag +New Leaves Allocated,Neue Urlaubszuordnung +New Leaves Allocated (In Days),Neue Urlaubszuordnung (in Tagen) +New Material Requests,Neue Materialanfragen New Projects,Neue Projekte -New Purchase Orders,New Bestellungen -New Purchase Receipts,New Kaufbelege -New Quotations,New Zitate -New Sales Orders,New Sales Orders +New Purchase Orders,Neue Bestellungen +New Purchase Receipts,Neue Kaufbelege +New Quotations,Neue Angebote +New Sales Orders,Neue Kundenaufträge New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Neue Seriennummer kann nicht sein Warehouse. Warehouse müssen von Lizenz Eintrag oder Kaufbeleg eingestellt werden -New Stock Entries,New Stock Einträge -New Stock UOM,New Stock UOM +New Stock Entries,Neue Lagerbestandseinträge +New Stock UOM,Neue Lagerbestands-ME New Stock UOM is required,Neue Lizenz Verpackung erforderlich New Stock UOM must be different from current stock UOM,Neue Lizenz Verpackung muss sich von aktuellen Aktien Verpackung sein -New Supplier Quotations,Neuer Lieferant Zitate -New Support Tickets,New Support Tickets +New Supplier Quotations,Neue Lieferantenangebote +New Support Tickets,Neue Support-Tickets New UOM must NOT be of type Whole Number,Neue Verpackung darf NICHT vom Typ ganze Zahl sein -New Workplace,New Workplace -Newsletter,Mitteilungsblatt -Newsletter Content,Newsletter Inhalt -Newsletter Status,Status Newsletter +New Workplace,Neuer Arbeitsplatz +New {0}: #{1}, +Newsletter,Newsletter +Newsletter Content,Newsletter-Inhalt +Newsletter Status,Newsletter-Status Newsletter has already been sent,Newsletter wurde bereits gesendet -"Newsletters to contacts, leads.",Newsletters zu Kontakten führt. +"Newsletters to contacts, leads.","Newsletter an Kontakte, Leads" Newspaper Publishers,Zeitungsverleger Next,nächste -Next Contact By,Von Next Kontakt -Next Contact Date,Weiter Kontakt Datum +Next Contact By,Nächster Kontakt durch +Next Contact Date,Nächstes Kontaktdatum Next Date,Nächster Termin -Next email will be sent on:,Weiter E-Mail wird gesendet: -No,Auf +Next Recurring {0} will be created on {1}, +Next email will be sent on:,Nächste E-Mail wird gesendet am: +No,Nein No Customer Accounts found.,Keine Kundenkonten gefunden. No Customer or Supplier Accounts found,Keine Kunden-oder Lieferantenkontengefunden -No Expense Approvers. Please assign 'Expense Approver' Role to atleast one user,"Keine Kosten Genehmiger . Bitte weisen ' Expense Genehmiger "" -Rolle an einen Benutzer atleast" No Item with Barcode {0},Kein Artikel mit Barcode {0} No Item with Serial No {0},Kein Artikel mit Seriennummer {0} No Items to pack,Keine Artikel zu packen -No Leave Approvers. Please assign 'Leave Approver' Role to atleast one user,"Keine Leave Genehmiger . Bitte weisen ' Leave Genehmiger "" -Rolle an einen Benutzer atleast" -No Permission,In Permission +No Permission,Keine Berechtigung No Production Orders created,Keine Fertigungsaufträge erstellt +No Remarks, No Supplier Accounts found. Supplier Accounts are identified based on 'Master Type' value in account record.,Keine Lieferantenkontengefunden. Lieferant Konten werden basierend auf dem Wert 'Master Type' in Kontodatensatz identifiziert. No accounting entries for the following warehouses,Keine Buchungen für die folgenden Hallen No addresses created,Keine Adressen erstellt @@ -1816,8 +1876,8 @@ No default BOM exists for Item {0},Kein Standardstücklisteexistiert für Artike No description given,Keine Beschreibung angegeben No employee found,Kein Mitarbeiter gefunden No employee found!,Kein Mitarbeiter gefunden! -No of Requested SMS,Kein SMS Erwünschte -No of Sent SMS,Kein SMS gesendet +No of Requested SMS,Anzahl angeforderter SMS +No of Sent SMS,Anzahl abgesendeter SMS No of Visits,Anzahl der Besuche No permission,Keine Berechtigung No record found,Kein Eintrag gefunden @@ -1827,169 +1887,176 @@ No salary slip found for month: ,Kein Gehaltsabrechnung für den Monat gefunden: Non Profit,Non-Profit- Nos,nos Not Active,Nicht aktiv -Not Applicable,Nicht zutreffend +Not Applicable,Nicht anwendbar Not Available,nicht verfügbar -Not Billed,Nicht Billed -Not Delivered,Nicht zugestellt +Not Billed,Nicht abgerechnet +Not Delivered,Nicht geliefert +Not In Stock, +Not Sent, Not Set,Nicht festgelegt Not allowed to update stock transactions older than {0},"Nicht erlaubt, um zu aktualisieren, Aktiengeschäfte, die älter als {0}" Not authorized to edit frozen Account {0},Keine Berechtigung für gefrorene Konto bearbeiten {0} Not authroized since {0} exceeds limits,Nicht authroized seit {0} überschreitet Grenzen Not permitted,Nicht zulässig -Note,Hinweis -Note User,Hinweis: User -"Note: Backups and files are not deleted from Dropbox, you will have to delete them manually.","Hinweis: Backups und Dateien werden nicht von Dropbox gelöscht wird, müssen Sie sie manuell löschen." -"Note: Backups and files are not deleted from Google Drive, you will have to delete them manually.","Hinweis: Backups und Dateien nicht von Google Drive gelöscht, müssen Sie sie manuell löschen." +Note,Anmerkung +Note User,Anmerkungsbenutzer +Note is a free page where users can share documents / notes,"""Anmerkung"" ist eine kostenlose Seite, wo Benutzer Dokumente/Anmerkungen freigeben können" +"Note: Backups and files are not deleted from Dropbox, you will have to delete them manually.",Hinweis: Backups und Dateien werden nicht von Dropbox gelöscht; Sie müssen sie manuell löschen. +"Note: Backups and files are not deleted from Google Drive, you will have to delete them manually.",Hinweis: Backups und Dateien werden nicht von Google Drive gelöscht; Sie müssen sie manuell löschen. Note: Due Date exceeds the allowed credit days by {0} day(s),Hinweis: Due Date übersteigt die zulässigen Kredit Tage von {0} Tag (e) -Note: Email will not be sent to disabled users,Hinweis: E-Mail wird nicht für behinderte Nutzer gesendet werden +Note: Email will not be sent to disabled users,Hinweis: E-Mail wird nicht an behinderte Nutzer gesendet Note: Item {0} entered multiple times,Hinweis: Artikel {0} mehrfach eingegeben Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,"Hinweis: Zahlung Eintrag nicht da ""Cash oder Bankkonto ' wurde nicht angegeben erstellt werden" Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Hinweis: Das System wird nicht über Lieferung und Überbuchung überprüfen zu Artikel {0} als Menge oder die Menge ist 0 Note: There is not enough leave balance for Leave Type {0},Hinweis: Es ist nicht genügend Urlaubsbilanz für Leave Typ {0} Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Hinweis: Diese Kostenstelle ist eine Gruppe. Kann nicht machen Buchungen gegen Gruppen . Note: {0},Hinweis: {0} -Notes,Aufzeichnungen +Notes,Anmerkungen Notes:,Hinweise: Nothing to request,"Nichts zu verlangen," Notice (days),Unsere (Tage) -Notification Control,Meldungssteuervorrichtung -Notification Email Address,Benachrichtigung per E-Mail-Adresse -Notify by Email on creation of automatic Material Request,Benachrichtigen Sie per E-Mail bei der Erstellung von automatischen Werkstoff anfordern -Number Format,Number Format +Notification Control,Benachrichtigungssteuerung +Notification Email Address,Benachrichtigungs-E-Mail-Adresse +Notify by Email on creation of automatic Material Request,Bei Erstellung einer automatischen Materialanforderung per E-Mail benachrichtigen +Number Format,Zahlenformat Offer Date,Angebot Datum -Office,Geschäftsstelle +Office,Büro Office Equipments,Büro Ausstattung Office Maintenance Expenses,Office-Wartungskosten Office Rent,Büromiete -Old Parent,Old Eltern -On Net Total,On Net Total -On Previous Row Amount,Auf Previous Row Betrag -On Previous Row Total,Auf Previous Row insgesamt +Old Parent,Alte übergeordnete Position +On Net Total,Auf Nettosumme +On Previous Row Amount,Auf vorherigen Zeilenbetrag +On Previous Row Total,Auf vorherige Zeilensumme Online Auctions,Online-Auktionen Only Leave Applications with status 'Approved' can be submitted,"Nur Lassen Anwendungen mit dem Status ""Genehmigt"" eingereicht werden können" "Only Serial Nos with status ""Available"" can be delivered.","Nur Seriennummernmit dem Status ""Verfügbar"" geliefert werden." -Only leaf nodes are allowed in transaction,Nur Blattknoten in Transaktion zulässig +Only leaf nodes are allowed in transaction,In der Transaktion sind nur Blattknoten erlaubt Only the selected Leave Approver can submit this Leave Application,Nur der ausgewählte Datum Genehmiger können diese Urlaubsantrag einreichen -Open,Öffnen +Open,Offen Open Production Orders,Offene Fertigungsaufträge -Open Tickets,Open Tickets +Open Tickets,Tickets eröffnen Opening (Cr),Eröffnung (Cr) Opening (Dr),Opening ( Dr) -Opening Date,Eröffnungsdatum -Opening Entry,Öffnungszeiten Eintrag +Opening Date,Öffnungsdatum +Opening Entry,Öffnungseintrag Opening Qty,Öffnungs Menge Opening Time,Öffnungszeit Opening Value,Öffnungs Wert -Opening for a Job.,Öffnung für den Job. +Opening for a Job.,Stellenausschreibung Operating Cost,Betriebskosten -Operation Description,Operation Beschreibung -Operation No,In Betrieb +Operation Description,Vorgangsbeschreibung +Operation No,Vorgangsnr. Operation Time (mins),Betriebszeit (Min.) Operation {0} is repeated in Operations Table,Bedienung {0} ist in Operations Tabelle wiederholt Operation {0} not present in Operations Table,Bedienung {0} nicht in Operations Tabelle vorhanden -Operations,Geschäftstätigkeit +Operations,Vorgänge Opportunity,Gelegenheit -Opportunity Date,Gelegenheit Datum -Opportunity From,Von der Chance -Opportunity Item,Gelegenheit Artikel -Opportunity Items,Gelegenheit Artikel -Opportunity Lost,Chance vertan -Opportunity Type,Gelegenheit Typ +Opportunity Date,Datum der Gelegenheit +Opportunity From,Gelegenheit von +Opportunity Item,Gelegenheitsartikel +Opportunity Items,Gelegenheitsartikel +Opportunity Lost,Gelegenheit verpasst +Opportunity Type,Gelegenheitstyp Optional. This setting will be used to filter in various transactions.,"Optional. Diese Einstellung wird verwendet, um in verschiedenen Transaktionen zu filtern." -Order Type,Auftragsart +Order Type,Bestelltyp Order Type must be one of {0},Auftragstyp muss einer der {0} Ordered,Bestellt -Ordered Items To Be Billed,Bestellte Artikel in Rechnung gestellt werden -Ordered Items To Be Delivered,Bestellte Artikel geliefert werden +Ordered Items To Be Billed,"Abzurechnende, bestellte Artikel" +Ordered Items To Be Delivered,"Zu liefernde, bestellte Artikel" Ordered Qty,bestellte Menge "Ordered Qty: Quantity ordered for purchase, but not received.","Bestellte Menge: Bestellmenge für den Kauf, aber nicht empfangen ." Ordered Quantity,Bestellte Menge -Orders released for production.,Bestellungen für die Produktion freigegeben. +Orders released for production.,Für die Produktion freigegebene Bestellungen. Organization Name,Name der Organisation Organization Profile,Unternehmensprofil Organization branch master.,Organisation Niederlassung Master. Organization unit (department) master.,Organisationseinheit ( Abteilung ) Master. -Other,Andere +Other,Sonstige Other Details,Weitere Details Others,andere Out Qty,out Menge Out Value,out Wert -Out of AMC,Von AMC +Out of AMC,Außerhalb AMC Out of Warranty,Außerhalb der Garantie -Outgoing,Abgehend -Outstanding Amount,Ausstehenden Betrag +Outgoing,Postausgang +Outstanding Amount,Ausstehender Betrag Outstanding for {0} cannot be less than zero ({1}),Herausragende für {0} kann nicht kleiner als Null sein ({1}) -Overhead,Oben +Overdue, +Overdue: , +Overhead,Overhead Overheads,Gemeinkosten Overlapping conditions found between:,Overlapping Bedingungen zwischen gefunden: Overview,Überblick -Owned,Besitz +Owned,Im Besitz Owner,Eigentümer P L A - Cess Portion,PLA - Cess Portion PL or BS,PL oder BS PO Date,Bestelldatum PO No,PO Nein -POP3 Mail Server,POP3 Mail Server +POP3 Mail Server,POP3-Mail-Server POP3 Mail Settings,POP3-Mail-Einstellungen -POP3 mail server (e.g. pop.gmail.com),POP3-Mail-Server (pop.gmail.com beispielsweise) -POP3 server e.g. (pop.gmail.com),POP3-Server beispielsweise (pop.gmail.com) -POS Setting,POS Setting +POP3 mail server (e.g. pop.gmail.com),POP3-Mail-Server (z. B. pop.gmail.com) +POP3 server e.g. (pop.gmail.com),POP3-Server (z. B. pop.gmail.com) +POS, +POS Setting,POS-Einstellung POS Setting required to make POS Entry,"POS -Einstellung erforderlich, um POS- Eintrag machen" POS Setting {0} already created for user: {1} and company {2},POS -Einstellung {0} bereits Benutzer angelegt : {1} und {2} Unternehmen -POS View,POS anzeigen -PR Detail,PR Detailansicht -Package Item Details,Package Artikeldetails -Package Items,Package Angebote -Package Weight Details,Paket-Details Gewicht -Packed Item,Lieferschein Verpackung Artikel +POS View,POS-Ansicht +PR Detail,PR-Detail +Package Item Details,Artikeldetails zum Paket +Package Items,Artikel im Paket +Package Weight Details,Details Paketgewicht +Packed Item,Verpackter Artikel Packed quantity must equal quantity for Item {0} in row {1},Lunch Menge muss Menge für Artikel gleich {0} in Zeile {1} -Packing Details,Verpackungs-Details -Packing List,Packliste +Packing Details,Verpackungsdetails +Packing List,Lieferschein Packing Slip,Packzettel Packing Slip Item,Packzettel Artikel Packing Slip Items,Packzettel Artikel Packing Slip(s) cancelled,Lieferschein (e) abgesagt -Page Break,Seitenwechsel -Page Name,Page Name -Paid Amount,Gezahlten Betrag +Page Break,Seitenumbruch +Page Name,Seitenname +Paid,bezahlt +Paid Amount,Gezahlter Betrag Paid amount + Write Off Amount can not be greater than Grand Total,Bezahlte Betrag + Write Off Betrag kann nicht größer als Gesamtsumme sein Pair,Paar Parameter,Parameter -Parent Account,Hauptkonto -Parent Cost Center,Eltern Kostenstellenrechnung -Parent Customer Group,Eltern Customer Group -Parent Detail docname,Eltern Detailansicht docname -Parent Item,Übergeordneter Artikel -Parent Item Group,Übergeordneter Artikel Gruppe +Parent Account,Übergeordnetes Konto +Parent Cost Center,Übergeordnete Kostenstelle +Parent Customer Group,Übergeordnete Kundengruppe +Parent Detail docname,Übergeordnetes Detail Dokumentenname +Parent Item,Übergeordnete Position +Parent Item Group,Übergeordnete Artikelgruppe Parent Item {0} must be not Stock Item and must be a Sales Item,Eltern Artikel {0} muss nicht Stock Artikel sein und ein Verkaufsartikel sein Parent Party Type,Eltern -Party -Typ -Parent Sales Person,Eltern Sales Person -Parent Territory,Eltern Territory -Parent Website Page,Eltern- Website Seite +Parent Sales Person,Übergeordneter Verkäufer +Parent Territory,Übergeordnete Region Parent Website Route,Eltern- Webseite Routen -Parenttype,ParentType +Parenttype,Übergeordnete Position Part-time,Teilzeit- Partially Completed,Teilweise abgeschlossen -Partly Billed,Teilweise Billed -Partly Delivered,Teilweise Lieferung -Partner Target Detail,Partner Zieldetailbericht -Partner Type,Partner Typ -Partner's Website,Partner Website +Partly Billed,Teilweise abgerechnet +Partly Delivered,Teilweise geliefert +Partner Target Detail,Partner Zieldetail +Partner Type,Partnertyp +Partner's Website,Webseite des Partners Party,Gruppe Party Account,Party Account Party Type,Party- Typ Party Type Name,Party- Typ Name -Passive,Passive +Passive,Passiv Passport Number,Passnummer -Password,Kennwort -Pay To / Recd From,Pay To / From RECD +Password,Passwort +Pay To / Recd From,Zahlen an/Zurücktreten von Payable,zahlbar Payables,Verbindlichkeiten Payables Group,Verbindlichkeiten Gruppe Payment Days,Zahltage Payment Due Date,Zahlungstermin +Payment Pending, Payment Period Based On Invoice Date,Zahlungszeitraum basiert auf Rechnungsdatum -Payment Reconciliation,Zahlung Versöhnung +Payment Reconciliation,Zahlungsabstimmung Payment Reconciliation Invoice,Zahlung Versöhnung Rechnung Payment Reconciliation Invoices,Zahlung Versöhnung Rechnungen Payment Reconciliation Payment,Payment Zahlungs Versöhnung @@ -1998,47 +2065,48 @@ Payment Type,Zahlungsart Payment cannot be made for empty cart,Die Zahlung kann nicht für leere Korb gemacht werden Payment of salary for the month {0} and year {1},Die Zahlung der Gehälter für den Monat {0} und {1} Jahre Payments,Zahlungen -Payments Made,Zahlungen -Payments Received,Erhaltene Anzahlungen -Payments made during the digest period,Zahlungen während der Auszugsperiodeninformation gemacht -Payments received during the digest period,Einzahlungen während der Auszugsperiodeninformation +Payments Made,Getätigte Zahlungen +Payments Received,Erhaltene Zahlungen +Payments made during the digest period,Während des Berichtszeitraums vorgenommene Zahlungen +Payments received during the digest period,Während des Berichtszeitraums erhaltene Zahlungen Payroll Settings,Payroll -Einstellungen -Pending,Schwebend +Pending,Ausstehend Pending Amount,Bis Betrag Pending Items {0} updated,Ausstehende Elemente {0} aktualisiert -Pending Review,Bis Bewertung -Pending SO Items For Purchase Request,Ausstehend SO Artikel zum Kauf anfordern +Pending Review,Wartet auf Bewertung +Pending SO Items For Purchase Request,SO-Artikel stehen für Einkaufsanforderung aus Pension Funds,Pensionsfonds -Percent Complete,Percent Complete Percentage Allocation,Prozentuale Aufteilung Percentage Allocation should be equal to 100%,Prozentuale Aufteilung sollte gleich 100% -Percentage variation in quantity to be allowed while receiving or delivering this item.,Prozentuale Veränderung in der Menge zu dürfen während des Empfangs oder der Lieferung diesen Artikel werden. -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.,"Prozentual Sie erlaubt zu empfangen oder zu liefern, mehr gegen die Menge bestellt werden. Zum Beispiel: Wenn Sie 100 Einheiten bestellt. und Ihre Allowance ist 10%, dann dürfen Sie 110 Einheiten erhalten." -Performance appraisal.,Leistungsbeurteilung. +Percentage variation in quantity to be allowed while receiving or delivering this item.,"Prozentuale Abweichung in der Menge, die beim Empfang oder bei der Lieferung dieses Artikels zulässig ist." +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.,"Zusätzlich zur bestellten Menge zulässiger Prozentsatz, der empfangen oder geliefert werden kann. Zum Beispiel: Wenn Sie 100 Einheiten bestellt haben und Ihre Spanne beträgt 10 %, dann können Sie 110 Einheiten empfangen." +Performance appraisal.,Mitarbeiterbeurteilung Period,Zeit -Period Closing Voucher,Periodenverschiebung Gutschein +Period Closing Entry, +Period Closing Voucher,Zeitraum Abschluss Gutschein +Period From and Period To dates mandatory for recurring %s, Periodicity,Periodizität -Permanent Address,Permanent Address +Permanent Address,Dauerhafte Adresse Permanent Address Is,Permanent -Adresse ist -Permission,Permission -Personal,Persönliche -Personal Details,Persönliche Details +Permission,Berechtigung +Personal,Persönlich +Personal Details,Persönliche Daten Personal Email,Persönliche E-Mail Pharmaceutical,pharmazeutisch Pharmaceuticals,Pharmaceuticals Phone,Telefon -Phone No,Phone In +Phone No,Telefonnummer Piecework,Akkordarbeit Pincode,Pincode Place of Issue,Ausstellungsort -Plan for maintenance visits.,Plan für die Wartung Besuche. +Plan for maintenance visits.,Wartungsbesuche planen Planned Qty,Geplante Menge "Planned Qty: Quantity, for which, Production Order has been raised, but is pending to be manufactured.","Geplante Menge : Menge , für die , Fertigungsauftrag ausgelöst wurde , aber steht noch hergestellt werden ." Planned Quantity,Geplante Menge Planning,Planung -Plant,Pflanze +Plant,Fabrik Plant and Machinery,Anlagen und Maschinen -Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,Bitte geben Abkürzung oder das Kurzer Name enquiry.c es auf alle Suffix Konto Heads hinzugefügt werden. +Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.,"Geben Sie das Kürzel oder den Kurznamen richtig ein, weil dieser als Suffix allen Kontenführern hinzugefügt wird." Please Update SMS Settings,Bitte aktualisiere SMS-Einstellungen Please add expense voucher details,Bitte fügen Sie Kosten Gutschein Details Please add to Modes of Payment from Setup.,Bitte um Zahlungsmodalitäten legen aus einrichten. @@ -2058,9 +2126,9 @@ Please enter Approving Role or Approving User,Bitte geben Sie die Genehmigung vo Please enter BOM for Item {0} at row {1},Bitte geben Sie Stückliste für Artikel {0} in Zeile {1} Please enter Company,Bitte geben Sie Firmen Please enter Cost Center,Bitte geben Sie Kostenstelle -Please enter Delivery Note No or Sales Invoice No to proceed,"Bitte geben Sie Lieferschein oder No Sales Invoice Nein, um fortzufahren" +Please enter Delivery Note No or Sales Invoice No to proceed,"Geben Sie die Lieferschein- oder die Verkaufsrechnungsnummer ein, um fortzufahren" Please enter Employee Id of this sales parson,Bitte geben Sie die Mitarbeiter-ID dieses Verkaufs Pfarrer -Please enter Expense Account,Bitte geben Sie Expense Konto +Please enter Expense Account,Geben Sie das Aufwandskonto ein Please enter Item Code to get batch no,Bitte geben Sie Artikel-Code zu Charge nicht bekommen Please enter Item Code.,Bitte geben Sie Artikel-Code . Please enter Item first,Bitte geben Sie zuerst Artikel @@ -2068,8 +2136,11 @@ Please enter Maintaince Details first,Bitte geben Sie Maintaince Einzelheiten er Please enter Master Name once the account is created.,"Bitte geben Sie Namen , wenn der Master- Account erstellt ." Please enter Planned Qty for Item {0} at row {1},Bitte geben Sie Geplante Menge für Artikel {0} in Zeile {1} Please enter Production Item first,Bitte geben Sie zuerst Herstellungs Artikel -Please enter Purchase Receipt No to proceed,"Bitte geben Kaufbeleg Nein, um fortzufahren" +Please enter Purchase Receipt No to proceed,"Geben Sie 'Kaufbeleg Nein' ein, um fortzufahren" +Please enter Purchase Receipt first, +Please enter Purchase Receipts, Please enter Reference date,Bitte geben Sie Stichtag +Please enter Taxes and Charges, Please enter Warehouse for which Material Request will be raised,Bitte geben Sie für die Warehouse -Material anfordern wird angehoben Please enter Write Off Account,Bitte geben Sie Write Off Konto Please enter atleast 1 invoice in the table,Bitte geben Sie atleast 1 Rechnung in der Tabelle @@ -2080,7 +2151,7 @@ Please enter default currency in Company Master,Bitte geben Sie die Standardwäh Please enter email address,Bitte geben Sie E-Mail -Adresse Please enter item details,Bitte geben Sie Artikel-Seite Please enter message before sending,Bitte geben Sie eine Nachricht vor dem Versenden -Please enter parent account group for warehouse account,Bitte geben Sie Eltern Kontengruppe für Lagerkonto +Please enter parent account group for warehouse {0}, Please enter parent cost center,Bitte geben Sie Mutterkostenstelle Please enter quantity for Item {0},Bitte geben Sie Menge für Artikel {0} Please enter relieving date.,Bitte geben Sie Linderung Datum. @@ -2089,15 +2160,15 @@ Please enter valid Company Email,Bitte geben Sie eine gültige E-Mail- Gesellsch Please enter valid Email Id,Bitte geben Sie eine gültige E-Mail -ID Please enter valid Personal Email,Bitte geben Sie eine gültige E-Mail- Personal Please enter valid mobile nos,Bitte geben Sie eine gültige Mobil nos -Please find attached Sales Invoice #{0},Im Anhang finden Sie Sales Invoice # {0} -Please install dropbox python module,Bitte installieren Sie Dropbox Python-Modul +Please find attached {0} #{1}, +Please install dropbox python module,Installieren Sie das Dropbox-Modul Python Please mention no of visits required,Bitte erwähnen Sie keine Besuche erforderlich Please pull items from Delivery Note,Bitte ziehen Sie Elemente aus Lieferschein Please save the Newsletter before sending,Bitte bewahren Sie den Newsletter vor dem Senden Please save the document before generating maintenance schedule,Bitte speichern Sie das Dokument vor der Erzeugung Wartungsplan Please see attachment,S. Anhang -Please select Bank Account,Bitte wählen Sie Bank Account -Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Bitte wählen Sie Carry Forward Auch wenn Sie zum vorherigen Geschäftsjahr die Blätter aufnehmen möchten zum Ausgleich in diesem Geschäftsjahr +Please select Bank Account,Wählen Sie ein Bankkonto aus +Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,"Klicken Sie auf 'Übertragen', wenn Sie auch die Bilanz des vorangegangenen Geschäftsjahrs in dieses Geschäftsjahr einbeziehen möchten." Please select Category first,Bitte wählen Sie zuerst Kategorie Please select Charge Type first,Bitte wählen Sie Entgeltart ersten Please select Fiscal Year,Bitte wählen Geschäftsjahr @@ -2105,10 +2176,10 @@ Please select Group or Ledger value,Bitte wählen Sie Gruppen-oder Buchwert Please select Incharge Person's name,Bitte wählen Sie Incharge Person Name Please select Invoice Type and Invoice Number in atleast one row,Bitte wählen Sie Rechnungstyp und Rechnungsnummer in einer Zeile atleast "Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Sales BOM","Bitte wählen Sie Artikel , wo ""Ist Auf Item"" ist ""Nein"" und ""Ist Verkaufsartikel "" ist "" Ja"", und es gibt keinen anderen Vertriebsstückliste" -Please select Price List,Bitte wählen Preisliste +Please select Price List,Wählen Sie eine Preisliste aus Please select Start Date and End Date for Item {0},Bitte wählen Sie Start -und Enddatum für den Posten {0} -Please select Time Logs.,Bitte wählen Sie Zeitprotokolle. -Please select a csv file,Bitte wählen Sie eine CSV-Datei +Please select Time Logs.,Wählen Sie Zeitprotokolle aus. +Please select a csv file,Wählen Sie eine CSV-Datei aus. Please select a valid csv file with data,Bitte wählen Sie eine gültige CSV-Datei mit Daten Please select a value for {0} quotation_to {1},Bitte wählen Sie einen Wert für {0} {1} quotation_to "Please select an ""Image"" first","Bitte wählen Sie einen ""Bild"" erste" @@ -2116,9 +2187,9 @@ Please select charge type first,Bitte wählen Sie zunächst Ladungstyp Please select company first,Bitte wählen Unternehmen zunächst Please select company first.,Bitte wählen Sie Firma . Please select item code,Bitte wählen Sie Artikel Code -Please select month and year,Bitte wählen Sie Monat und Jahr +Please select month and year,Wählen Sie Monat und Jahr aus Please select prefix first,Bitte wählen Sie zunächst Präfix -Please select the document type first,Bitte wählen Sie den Dokumententyp ersten +Please select the document type first,Wählen Sie zuerst den Dokumententyp aus Please select weekly off day,Bitte wählen Sie Wochen schlechten Tag Please select {0},Bitte wählen Sie {0} Please select {0} first,Bitte wählen Sie {0} zuerst @@ -2128,48 +2199,51 @@ Please set Google Drive access keys in {0},Bitte setzen Google Drive Zugriffstas Please set default Cash or Bank account in Mode of Payment {0},Bitte setzen Standard Bargeld oder Bank- Konto in Zahlungsmodus {0} Please set default value {0} in Company {0},Bitte setzen Standardwert {0} in Gesellschaft {0} Please set {0},Bitte setzen Sie {0} -Please setup Employee Naming System in Human Resource > HR Settings,Bitte Setup Mitarbeiter Naming System in Human Resource> HR Einstellungen +Please setup Employee Naming System in Human Resource > HR Settings,Richten Sie das Mitarbeiterbenennungssystem unter Personalwesen > HR-Einstellungen ein Please setup numbering series for Attendance via Setup > Numbering Series,Bitte Setup Nummerierungsserie für Besucher über Setup> Nummerierung Serie +Please setup your POS Preferences, Please setup your chart of accounts before you start Accounting Entries,"Bitte Einrichtung Ihrer Kontenbuchhaltung, bevor Sie beginnen Einträge" -Please specify,Bitte geben Sie -Please specify Company,Bitte geben Unternehmen -Please specify Company to proceed,"Bitte geben Sie Unternehmen, um fortzufahren" +Please specify,Geben Sie Folgendes an +Please specify Company,Geben Sie das Unternehmen an +Please specify Company to proceed,"Geben Sie das Unternehmen an, um fortzufahren" Please specify Default Currency in Company Master and Global Defaults,Bitte geben Sie Standardwährung in Unternehmen und Global Master- Defaults -Please specify a,Bitte geben Sie eine -Please specify a valid 'From Case No.',Bitte geben Sie eine gültige "Von Fall Nr. ' +Please specify a,Legen Sie Folgendes fest +Please specify a valid 'From Case No.',Geben Sie eine gültige 'Von Fall Nr.' an Please specify a valid Row ID for {0} in row {1},Bitte geben Sie eine gültige Zeilen-ID für {0} in Zeile {1} Please specify either Quantity or Valuation Rate or both,Bitte geben Sie entweder Menge oder Bewertungs bewerten oder beide Please submit to update Leave Balance.,"Bitte reichen Sie zu verlassen, Bilanz zu aktualisieren." Plot,Grundstück Plot By,Grundstück von -Point of Sale,Point of Sale -Point-of-Sale Setting,Point-of-Sale-Einstellung -Post Graduate,Post Graduate -Postal,Postal +Point of Sale,Verkaufsstelle +Point-of-Sale Setting,Verkaufsstellen-Einstellung +Post Graduate,Graduiert +Postal,Post Postal Expenses,Post Aufwendungen Posting Date,Buchungsdatum -Posting Time,Posting Zeit +Posting Time,Buchungszeit Posting date and posting time is mandatory,Buchungsdatum und Buchungszeit ist obligatorisch Posting timestamp must be after {0},Buchungszeitmarkemuss nach {0} -Potential opportunities for selling.,Potenzielle Chancen für den Verkauf. +Potential Sales Deal,Mögliches Umsatzgeschäft +Potential opportunities for selling.,Mögliche Gelegenheiten für den Verkauf. Preferred Billing Address,Bevorzugte Rechnungsadresse Preferred Shipping Address,Bevorzugte Lieferadresse Prefix,Präfix -Present,Präsentieren -Prevdoc DocType,Prevdoc DocType -Prevdoc Doctype,Prevdoc Doctype +Present,Gegenwart +Prevdoc DocType,Dokumententyp Prevdoc +Prevdoc Doctype,Dokumententyp Prevdoc Preview,Vorschau Previous,früher -Previous Work Experience,Berufserfahrung +Previous Work Experience,Vorherige Berufserfahrung Price,Preis Price / Discount,Preis / Rabatt Price List,Preisliste -Price List Currency,Währung Preisliste +Price List Currency,Preislistenwährung Price List Currency not selected,Preisliste Währung nicht ausgewählt Price List Exchange Rate,Preisliste Wechselkurs -Price List Name,Preis Name -Price List Rate,Preis List -Price List Rate (Company Currency),Preisliste Rate (Gesellschaft Währung) +Price List Master,Preislistenstamm +Price List Name,Preislistenname +Price List Rate,Preislistenrate +Price List Rate (Company Currency),Preislistenrate (Unternehmenswährung) Price List master.,Preisliste Master. Price List must be applicable for Buying or Selling,Preisliste ist gültig für Kauf oder Verkauf sein Price List not selected,Preisliste nicht ausgewählt @@ -2180,19 +2254,20 @@ Pricing Rule Help,Pricing Rule Hilfe "Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Pricing-Regel wird zunächst basierend auf 'Anwenden auf' Feld, die Artikel, Artikelgruppe oder Marke sein kann, ausgewählt." "Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Pricing-Regel gemacht wird, überschreiben Preisliste / Rabattsatz definieren, nach bestimmten Kriterien." Pricing Rules are further filtered based on quantity.,Preisregeln sind weiter auf Quantität gefiltert. -Print Format Style,Druckformat Stil -Print Heading,Unterwegs drucken -Print Without Amount,Drucken ohne Amount +Print Format Style,Druckformatstil +Print Heading,Überschrift drucken +Print Without Amount,Drucken ohne Betrag Print and Stationary,Print-und Schreibwaren Printing and Branding,Druck-und Branding- Priority,Priorität +Private,Privat Private Equity,Private Equity Privilege Leave,Privilege Leave Probation,Bewährung -Process Payroll,Payroll-Prozess +Process Payroll,Gehaltsabrechnung bearbeiten Produced,produziert -Produced Quantity,Produziert Menge -Product Enquiry,Produkt-Anfrage +Produced Quantity,Produzierte Menge +Product Enquiry,Produktanfrage Production,Produktion Production Order,Fertigungsauftrag Production Order status is {0},Fertigungsauftragsstatusist {0} @@ -2200,94 +2275,102 @@ Production Order {0} must be cancelled before cancelling this Sales Order,Fertig Production Order {0} must be submitted,Fertigungsauftrag {0} muss vorgelegt werden Production Orders,Fertigungsaufträge Production Orders in Progress,Fertigungsaufträge -Production Plan Item,Production Plan Artikel -Production Plan Items,Production Plan Artikel -Production Plan Sales Order,Production Plan Sales Order -Production Plan Sales Orders,Production Plan Kundenaufträge -Production Planning Tool,Production Planning-Tool +Production Plan Item,Produktionsplan Artikel +Production Plan Items,Produktionsplan Artikel +Production Plan Sales Order,Produktionsplan Kundenauftrag +Production Plan Sales Orders,Produktionsplan Kundentaufträge +Production Planning Tool,Produktionsplanungstool Products,Produkte -"Products will be sorted by weight-age in default searches. More the weight-age, higher the product will appear in the list.","Die Produkte werden Gew.-age in Verzug Suchbegriffe sortiert werden. Mehr das Gewicht-Alter, wird das Produkt höher erscheinen in der Liste." +"Products will be sorted by weight-age in default searches. More the weight-age, higher the product will appear in the list.","Die Produkte werden bei der Standardsuche nach Gewicht-Alter sortiert. Je höher das Gewicht-Alter, desto weiter oben wird das Produkt in der Liste angezeigt." Professional Tax,Professionelle Steuer Profit and Loss,Gewinn-und Verlust Profit and Loss Statement,Gewinn-und Verlustrechnung Project,Projekt Project Costing,Projektkalkulation -Project Details,Project Details +Project Details,Projektdetails Project Manager,Project Manager -Project Milestone,Projekt Milestone -Project Milestones,Projektmeilensteine -Project Name,Project Name -Project Start Date,Projekt Startdatum +Project Milestone,Projekt-Ecktermin +Project Milestones,Projekt-Ecktermine +Project Name,Projektname +Project Start Date,Projektstartdatum Project Type,Projekttyp -Project Value,Projekt Wert -Project activity / task.,Projektaktivität / Aufgabe. -Project master.,Projekt Meister. -Project will get saved and will be searchable with project name given,Projekt wird gespeichert und erhalten werden durchsuchbare mit Projekt-Namen -Project wise Stock Tracking,Projekt weise Rohteilnachführung +Project Value,Projektwert +Project activity / task.,Projektaktivität/Aufgabe +Project master.,Projektstamm +Project will get saved and will be searchable with project name given,Projekt wird gespeichert und kann unter dem Projektnamen durchsucht werden +Project wise Stock Tracking,Projektweise Lagerbestandsverfolgung Project-wise data is not available for Quotation,Projekt - weise Daten nicht verfügbar Angebots Projected,projektiert -Projected Qty,Prognostizierte Anzahl +Projected Qty,Projektspezifische Menge Projects,Projekte Projects & System,Projekte & System -Prompt for Email on Submission of,Eingabeaufforderung für E-Mail auf Vorlage von +Projects Manager, +Projects User, +Prompt for Email on Submission of,Eingabeaufforderung per E-Mail bei Einreichung von Proposal Writing,Proposal Writing -Provide email id registered in company,Bieten E-Mail-ID in Unternehmen registriert +Provide email id registered in company,Geben Sie die im Unternehmen registrierte E-Mail an Provisional Profit / Loss (Credit),Vorläufige Gewinn / Verlust (Kredit) -Public,Öffentlichkeit +Public,Öffentlich Published on website at: {0},Veröffentlicht auf der Website unter: {0} Publishing,Herausgabe -Pull sales orders (pending to deliver) based on the above criteria,"Ziehen Sie Kundenaufträge (anhängig zu liefern), basierend auf den oben genannten Kriterien" -Purchase,Kaufen +Pull sales orders (pending to deliver) based on the above criteria,Aufträge (deren Lieferung aussteht) entsprechend der oben genannten Kriterien ziehen +Purchase,Einkauf Purchase / Manufacture Details,Kauf / Herstellung Einzelheiten -Purchase Analytics,Kauf Analytics -Purchase Common,Erwerb Eigener +Purchase Analytics,Einkaufsanalyse +Purchase Common,Einkauf Allgemein Purchase Details,Kaufinformationen -Purchase Discounts,Kauf Rabatte -Purchase Invoice,Kaufrechnung -Purchase Invoice Advance,Advance Purchase Rechnung -Purchase Invoice Advances,Kaufrechnung Advances -Purchase Invoice Item,Kaufrechnung Artikel -Purchase Invoice Trends,Kauf Rechnung Trends +Purchase Discounts,Einkaufsrabatte +Purchase Invoice,Einkaufsrechnung +Purchase Invoice Advance,Einkaufsrechnung Vorschuss +Purchase Invoice Advances,Einkaufsrechnung Vorschüsse +Purchase Invoice Item,Rechnungsposition Einkauf +Purchase Invoice Trends,Einkauf Rechnungstrends Purchase Invoice {0} is already submitted,Einkaufsrechnung {0} ist bereits eingereicht -Purchase Order,Auftragsbestätigung +Purchase Item, +Purchase Manager, +Purchase Master Manager, +Purchase Order,Bestellung Purchase Order Item,Bestellposition -Purchase Order Item No,In der Bestellposition +Purchase Order Item No,Bestellposition Nr. Purchase Order Item Supplied,Bestellposition geliefert Purchase Order Items,Bestellpositionen -Purchase Order Items Supplied,Bestellung Lieferumfang -Purchase Order Items To Be Billed,Bestellpositionen in Rechnung gestellt werden -Purchase Order Items To Be Received,Bestellpositionen empfangen werden -Purchase Order Message,Purchase Order Nachricht +Purchase Order Items Supplied,Gelieferte Bestellpositionen +Purchase Order Items To Be Billed,Abzurechnende Bestellpositionen +Purchase Order Items To Be Received,Eingehende Bestellpositionen +Purchase Order Message,Bestellung Nachricht Purchase Order Required,Bestellung erforderlich -Purchase Order Trends,Purchase Order Trends +Purchase Order Trends,Bestellungstrends Purchase Order number required for Item {0},Auftragsnummer für den Posten erforderlich {0} Purchase Order {0} is 'Stopped',"Purchase Order {0} ""Kasse""" Purchase Order {0} is not submitted,Bestellung {0} ist nicht eingereicht -Purchase Orders given to Suppliers.,Bestellungen Angesichts zu Lieferanten. +Purchase Orders given to Suppliers.,An Lieferanten weitergegebene Bestellungen. Purchase Receipt,Kaufbeleg -Purchase Receipt Item,Kaufbeleg Artikel -Purchase Receipt Item Supplied,Kaufbeleg Liefergegenstand -Purchase Receipt Item Supplieds,Kaufbeleg Artikel Supplieds +Purchase Receipt Item,Kaufbelegposition +Purchase Receipt Item Supplied,Kaufbeleg gelieferter Artikel +Purchase Receipt Item Supplieds,Kaufbeleg gelieferte Artikel Purchase Receipt Items,Kaufbeleg Artikel Purchase Receipt Message,Kaufbeleg Nachricht -Purchase Receipt No,Kaufbeleg -Purchase Receipt Required,Kaufbeleg erforderlich +Purchase Receipt No,Kaufbeleg Nr. +Purchase Receipt Required,Kaufbeleg Erforderlich Purchase Receipt Trends,Kaufbeleg Trends +Purchase Receipt must be submitted, Purchase Receipt number required for Item {0},Kaufbeleg Artikelnummer für erforderlich {0} Purchase Receipt {0} is not submitted,Kaufbeleg {0} ist nicht eingereicht -Purchase Register,Erwerben Registrieren -Purchase Return,Kauf zurückgeben -Purchase Returned,Kehrte Kauf -Purchase Taxes and Charges,Purchase Steuern und Abgaben -Purchase Taxes and Charges Master,Steuern und Gebühren Meister Kauf +Purchase Receipts, +Purchase Register,Einkaufsregister +Purchase Return,Warenrücksendung +Purchase Returned,Zurückgegebene Ware +Purchase Taxes and Charges,Einkauf Steuern und Abgaben +Purchase Taxes and Charges Master,Einkaufssteuern und Abgabenstamm +Purchase User, Purchse Order number required for Item {0},Purchse Bestellnummer für Artikel erforderlich {0} Purpose,Zweck Purpose must be one of {0},Zweck muss man von {0} -QA Inspection,QA Inspection -Qty,Menge -Qty Consumed Per Unit,Menge pro verbrauchter -Qty To Manufacture,Um Qty Herstellung -Qty as per Stock UOM,Menge pro dem Stock UOM +QA Inspection,QA-Inspektion +Qty,Mng +Qty Consumed Per Unit,Verbrauchte Menge pro Einheit +Qty To Manufacture,Herzustellende Menge +Qty as per Stock UOM,Menge nach Bestand-ME Qty to Deliver,Menge zu liefern Qty to Order,Menge zu bestellen Qty to Receive,Menge zu erhalten @@ -2295,157 +2378,161 @@ Qty to Transfer,Menge in den Transfer Qualification,Qualifikation Quality,Qualität Quality Inspection,Qualitätsprüfung -Quality Inspection Parameters,Qualitätsprüfung Parameter -Quality Inspection Reading,Qualitätsprüfung Lesen -Quality Inspection Readings,Qualitätsprüfung Readings +Quality Inspection Parameters,Qualitätsprüfungsparameter +Quality Inspection Reading,Qualitätsprüfung Ablesen +Quality Inspection Readings,Qualitätsprüfung Ablesungen Quality Inspection required for Item {0},Qualitätsprüfung für den Posten erforderlich {0} Quality Management,Qualitätsmanagement +Quality Manager, Quantity,Menge -Quantity Requested for Purchase,Beantragten Menge für Kauf -Quantity and Rate,Menge und Preis -Quantity and Warehouse,Menge und Warehouse +Quantity Requested for Purchase,Erforderliche Menge für Einkauf +Quantity and Rate,Menge und Rate +Quantity and Warehouse,Menge und Warenlager Quantity cannot be a fraction in row {0},Menge kann nicht ein Bruchteil in Zeile {0} Quantity for Item {0} must be less than {1},Menge Artikel für {0} muss kleiner sein als {1} Quantity in row {0} ({1}) must be same as manufactured quantity {2},Menge in Zeile {0} ( {1}) muss die gleiche sein wie hergestellte Menge {2} -Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Anzahl der Artikel nach der Herstellung / Umpacken vom Angesichts quantities von Rohstoffen Erhalten +Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Menge eines Artikels nach der Herstellung / Menge durch Umpacken von bestimmten Mengen an Rohstoffen Quantity required for Item {0} in row {1},Menge Artikel für erforderlich {0} in Zeile {1} Quarter,Quartal -Quarterly,Vierteljährlich +Quarterly,Quartalsweise Quick Help,schnelle Hilfe -Quotation,Zitat -Quotation Item,Zitat Artikel +Quotation,Angebot +Quotation Item,Angebotsposition Quotation Items,Angebotspositionen -Quotation Lost Reason,Zitat Passwort Reason -Quotation Message,Quotation Nachricht -Quotation To,Um Angebot +Quotation Lost Reason,Angebot verloren Grund +Quotation Message,Angebotsnachricht +Quotation To,Angebot an Quotation Trends,Zitat Trends Quotation {0} is cancelled,Zitat {0} wird abgebrochen Quotation {0} not of type {1},Zitat {0} nicht vom Typ {1} -Quotations received from Suppliers.,Zitate von Lieferanten erhalten. -Quotes to Leads or Customers.,Zitate oder Leads zu Kunden. -Raise Material Request when stock reaches re-order level,"Heben Anfrage Material erreicht, wenn der Vorrat re-order-Ebene" -Raised By,Raised By -Raised By (Email),Raised By (E-Mail) +Quotations received from Suppliers.,Angebote von Lieferanten +Quotes to Leads or Customers.,Angebote an Leads oder Kunden. +Raise Material Request when stock reaches re-order level,"Materialanforderung starten, wenn Vorrat den Stand für Nachbestellung erreicht" +Raised By,Erhoben durch +Raised By (Email),Erhoben durch (E-Mail) Random,Zufällig -Range,Reichweite -Rate,Rate +Range,Bandbreite +Rate,Kurs Rate ,Rate Rate (%),Rate ( %) -Rate (Company Currency),Rate (Gesellschaft Währung) -Rate Of Materials Based On,Rate Of Materialien auf Basis von -Rate and Amount,Geschwindigkeit und Menge -Rate at which Customer Currency is converted to customer's base currency,"Kunden Rate, mit der Währung wird nach Kundenwunsch Basiswährung umgerechnet" -Rate at which Price list currency is converted to company's base currency,"Geschwindigkeit, mit der Währung der Preisliste zu Unternehmen der Basiswährung umgewandelt wird" -Rate at which Price list currency is converted to customer's base currency,"Geschwindigkeit, mit der Währung der Preisliste des Kunden Basiswährung umgewandelt wird" -Rate at which customer's currency is converted to company's base currency,"Rate, mit der Kunden Währung ist an Unternehmen Basiswährung umgerechnet" -Rate at which supplier's currency is converted to company's base currency,"Geschwindigkeit, mit der Lieferanten Währung Unternehmens Basiswährung umgewandelt wird" -Rate at which this tax is applied,"Geschwindigkeit, mit der dieser Steuer an" +Rate (Company Currency),Kurs (Unternehmenswährung) +Rate Of Materials Based On,Rate der zu Grunde liegenden Materialien +Rate and Amount,Kurs und Menge +Rate at which Customer Currency is converted to customer's base currency,"Kurs, zu dem die Kundenwährung in die Basiswährung des Kunden umgerechnet wird" +Rate at which Price list currency is converted to company's base currency,"Kurs, zu dem die Preislistenwährung in die Basiswährung des Unternehmens umgerechnet wird" +Rate at which Price list currency is converted to customer's base currency,"Kurs, zu dem die Preislistenwährung in die Basiswährung des Kunden umgerechnet wird" +Rate at which customer's currency is converted to company's base currency,"Kurs, zu dem die Kundenwährung in die Basiswährung des Kunden umgerechnet wird" +Rate at which supplier's currency is converted to company's base currency,"Kurs, zu dem die Lieferantenwährung in die Basiswährung des Unternehmens umgerechnet wird" +Rate at which this tax is applied,"Kurs, zu dem dieser Steuersatz angewendet wird" Raw Material,Rohstoff -Raw Material Item Code,Artikel Raw Material Code -Raw Materials Supplied,Rohstoffe verfügbar -Raw Materials Supplied Cost,Kostengünstige Rohstoffe geliefert +Raw Material Item Code,Artikelcode Rohstoffe +Raw Materials Supplied,Gelieferte Rohstoffe +Raw Materials Supplied Cost,Kosten gelieferter Rohstoffe Raw material cannot be same as main Item,Raw Material nicht wie Haupt Titel -Re-Order Level,Re-Order Stufe -Re-Order Qty,Re-Order Menge -Re-order,Re-Order -Re-order Level,Re-Order-Ebene -Re-order Qty,Re-Bestellung Menge +Re-Order Level,Nachbestellungsebene +Re-Order Qty,Nachbestellungsmenge +Re-order,Nachbestellung +Re-order Level,Nachbestellungsebene +Re-order Qty,Nachbestellungsmenge Read,Lesen -Reading 1,Reading 1 -Reading 10,Lesen 10 -Reading 2,Reading 2 -Reading 3,Reading 3 -Reading 4,Reading 4 -Reading 5,Reading 5 -Reading 6,Lesen 6 -Reading 7,Lesen 7 -Reading 8,Lesen 8 -Reading 9,Lesen 9 +Reading 1,Ablesung 1 +Reading 10,Ablesung 10 +Reading 2,Ablesung 2 +Reading 3,Ablesung 3 +Reading 4,Ablesung 4 +Reading 5,Ablesung 5 +Reading 6,Ablesung 6 +Reading 7,Ablesung 7 +Reading 8,Ablesung 8 +Reading 9,Ablesung 9 Real Estate,Immobilien Reason,Grund Reason for Leaving,Grund für das Verlassen -Reason for Resignation,Grund zur Resignation +Reason for Resignation,Grund für Rücktritt Reason for losing,Grund für den Verlust -Recd Quantity,Menge RECD +Recd Quantity,Zurückgegebene Menge Receivable,Forderungen -Receivable / Payable account will be identified based on the field Master Type,Forderungen / Verbindlichkeiten Konto wird basierend auf dem Feld Meister Typ identifiziert werden +Receivable / Payable account will be identified based on the field Master Type,Debitoren-/Kreditorenkonto wird auf der Grundlage des Feld-Stammtyps identifiziert Receivables,Forderungen Receivables / Payables,Forderungen / Verbindlichkeiten -Receivables Group,Forderungen Gruppe -Received Date,Datum empfangen -Received Items To Be Billed,Empfangene Nachrichten in Rechnung gestellt werden -Received Qty,Erhaltene Menge -Received and Accepted,Erhalten und angenommen -Receiver List,Receiver Liste +Receivables Group,Forderungen-Gruppe +Received,Received +Received Date,Empfangsdatum +Received Items To Be Billed,"Empfangene Artikel, die in Rechnung gestellt werden" +Received Qty,Empfangene Menge +Received and Accepted,Empfangen und angenommen +Receiver List,Empfängerliste Receiver List is empty. Please create Receiver List,Empfängerliste ist leer. Bitte erstellen Sie Empfängerliste -Receiver Parameter,Empfänger Parameter +Receiver Parameter,Empfängerparameter Recipients,Empfänger Reconcile,versöhnen -Reconciliation Data,Datenabgleich -Reconciliation HTML,HTML Versöhnung -Reconciliation JSON,Überleitung JSON -Record item movement.,Notieren Sie Artikel Bewegung. -Recurring Id,Wiederkehrende Id +Reconciliation Data,Tilgungsdatum +Reconciliation HTML,Tilgung HTML +Reconciliation JSON,Tilgung JSON +Record item movement.,Verschiebung Datenposition +Recurring Id,Wiederkehrende ID Recurring Invoice,Wiederkehrende Rechnung -Recurring Type,Wiederkehrende Typ -Reduce Deduction for Leave Without Pay (LWP),Reduzieren Abzug für unbezahlten Urlaub (LWP) -Reduce Earning for Leave Without Pay (LWP),Reduzieren Sie verdienen für unbezahlten Urlaub (LWP) +Recurring Order, +Recurring Type,Wiederkehrender Typ +Reduce Deduction for Leave Without Pay (LWP),Abzug für unbezahlten Urlaub (LWP) senken +Reduce Earning for Leave Without Pay (LWP),Verdienst für unbezahlten Urlaub (LWP) senken Ref,Ref. -Ref Code,Ref Code -Ref SQ,Ref SQ +Ref Code,Ref-Code +Ref SQ,Ref-SQ Reference,Referenz Reference #{0} dated {1},Referenz # {0} vom {1} -Reference Date,Stichtag -Reference Name,Reference Name +Reference Date,Referenzdatum +Reference Name,Referenzname Reference No & Reference Date is required for {0},Referenz Nr & Stichtag ist erforderlich für {0} Reference No is mandatory if you entered Reference Date,"Referenznummer ist obligatorisch, wenn Sie Stichtag eingegeben" -Reference Number,Reference Number +Reference Number,Referenznummer Reference Row #,Referenz Row # -Refresh,Erfrischen -Registration Details,Registrierung Details -Registration Info,Registrierung Info +Refresh,Aktualisieren +Registration Details,Details zur Anmeldung +Registration Info,Anmeldungsinfo Rejected,Abgelehnt -Rejected Quantity,Abgelehnt Menge -Rejected Serial No,Abgelehnt Serial In -Rejected Warehouse,Abgelehnt Warehouse +Rejected Quantity,Abgelehnte Menge +Rejected Serial No,Abgelehnte Seriennummer +Rejected Warehouse,Abgelehntes Warenlager Rejected Warehouse is mandatory against regected item,Abgelehnt Warehouse ist obligatorisch gegen regected Artikel -Relation,Relation -Relieving Date,Entlastung Datum +Relation,Beziehung +Relieving Date,Ablösedatum Relieving Date must be greater than Date of Joining,Entlastung Datum muss größer sein als Datum für Füge sein Remark,Bemerkung Remarks,Bemerkungen -Remarks Custom,Bemerkungen Custom +Remove item if charges is not applicable to that item, Rename,umbenennen -Rename Log,Benennen Anmelden -Rename Tool,Umbenennen-Tool +Rename Log,Protokoll umbenennen +Rename Tool,Tool umbenennen Rent Cost,Mieten Kosten Rent per hour,Miete pro Stunde Rented,Gemietet -Repeat on Day of Month,Wiederholen Sie auf Tag des Monats +Repeat on Day of Month,Wiederholen am Tag des Monats Replace,Ersetzen -Replace Item / BOM in all BOMs,Ersetzen Item / BOM in allen Stücklisten +Replace Item / BOM in all BOMs,Artikel/Stückliste in allen Stücklisten ersetzen +"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. Ersetzt den alten Stücklisten-Link, aktualisiert Kosten und erstellt die Tabelle ""Stücklistenerweiterung Artikel"" nach der neuen Stückliste" Replied,Beantwortet -Report Date,Report Date -Report Type,Melden Typ +Report Date,Berichtsdatum +Report Type,Berichtstyp Report Type is mandatory,Berichtstyp ist verpflichtend Reports to,Berichte an -Reqd By Date,Reqd Nach Datum +Reqd By Date,Erf nach Datum Reqd by Date,Reqd nach Datum -Request Type,Art der Anfrage -Request for Information,Request for Information -Request for purchase.,Ankaufsgesuch. +Request Type,Anfragetyp +Request for Information,Informationsanfrage +Request for purchase.,Einkaufsanfrage Requested,Angeforderte Requested For,Für Anfrage -Requested Items To Be Ordered,Erwünschte Artikel bestellt werden -Requested Items To Be Transferred,Erwünschte Objekte übertragen werden +Requested Items To Be Ordered,"Angeforderte Artikel, die bestellt werden sollen" +Requested Items To Be Transferred,"Angeforderte Artikel, die übertragen werden sollen" Requested Qty,Angeforderte Menge "Requested Qty: Quantity requested for purchase, but not ordered.","Angeforderte Menge : Menge für den Kauf erbeten, aber nicht bestellt ." -Requests for items.,Anfragen für Einzelteile. -Required By,Erforderliche By -Required Date,Erforderlich Datum -Required Qty,Erwünschte Stückzahl -Required only for sample item.,Nur erforderlich für die Probe Element. -Required raw materials issued to the supplier for producing a sub - contracted item.,Erforderliche Rohstoffe Ausgestellt an den Lieferanten produziert eine sub - Vertragsgegenstand. +Requests for items.,Artikelanfragen +Required By,Erforderlich nach +Required Date,Erforderliches Datum +Required Qty,Erforderliche Anzahl +Required only for sample item.,Nur erforderlich für Probenartikel. +Required raw materials issued to the supplier for producing a sub - contracted item.,"Erforderliche Rohstoffe, die an den Zulieferer zur Herstellung eines beauftragten Artikels ausgeliefert wurden." Research,Forschung Research & Development,Forschung & Entwicklung Researcher,Forscher @@ -2453,221 +2540,223 @@ Reseller,Wiederverkäufer Reserved,reserviert Reserved Qty,reservierte Menge "Reserved Qty: Quantity ordered for sale, but not delivered.","Reservierte Menge: bestellte Menge zu verkaufen, aber nicht geliefert ." -Reserved Quantity,Reserviert Menge -Reserved Warehouse,Warehouse Reserved -Reserved Warehouse in Sales Order / Finished Goods Warehouse,Reserviert Warehouse in Sales Order / Fertigwarenlager -Reserved Warehouse is missing in Sales Order,Reserviert Warehouse ist in Sales Order fehlt +Reserved Quantity,Reservierte Menge +Reserved Warehouse,Reserviertes Warenlager +Reserved Warehouse in Sales Order / Finished Goods Warehouse,Reserviertes Warenlager in Kundenauftrag / Fertigwarenlager +Reserved Warehouse is missing in Sales Order,Reserviertes Warenlager fehlt in Kundenauftrag Reserved Warehouse required for stock Item {0} in row {1},Reserviert Lagerhaus Lager Artikel erforderlich {0} in Zeile {1} Reserved warehouse required for stock item {0},Reserviert Lager für Lagerware erforderlich {0} Reserves and Surplus,Rücklagen und Überschüsse Reset Filters,Filter zurücksetzen -Resignation Letter Date,Rücktrittsschreiben Datum +Resignation Letter Date,Kündigungsschreiben Datum Resolution,Auflösung -Resolution Date,Resolution Datum -Resolution Details,Auflösung Einzelheiten +Resolution Date,Auflösung Datum +Resolution Details,Auflösungsdetails Resolved By,Gelöst von Rest Of The World,Rest der Welt Retail,Einzelhandel Retail & Wholesale,Retail & Wholesale Retailer,Einzelhändler -Review Date,Bewerten Datum -Rgt,Rgt -Role Allowed to edit frozen stock,Rolle erlaubt den gefrorenen bearbeiten -Role that is allowed to submit transactions that exceed credit limits set.,"Rolle, die erlaubt, Transaktionen, die Kreditlimiten gesetzt überschreiten vorlegen wird." +Review Date,Bewertung +Rgt,Rt +Role Allowed to edit frozen stock,Rolle darf eingefrorenen Bestand bearbeiten +Role that is allowed to submit transactions that exceed credit limits set.,"Rolle darf Transaktionen einreichen, die das gesetzte Kreditlimit überschreiten." Root Type,root- Typ Root Type is mandatory,Root- Typ ist obligatorisch Root account can not be deleted,Root-Konto kann nicht gelöscht werden Root cannot be edited.,Wurzel kann nicht bearbeitet werden. -Root cannot have a parent cost center,Wurzel kann kein übergeordnetes Kostenstelle +Root cannot have a parent cost center,Stamm darf keine übergeordnete Kostenstelle haben Rounded Off,abgerundet -Rounded Total,Abgerundete insgesamt -Rounded Total (Company Currency),Abgerundete Total (Gesellschaft Währung) +Rounded Total,Abgerundete Gesamtsumme +Rounded Total (Company Currency),Abgerundete Gesamtsumme (Unternehmenswährung) Row # ,Zeile # Row # {0}: , -Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,Row # {0}: Bestellmenge kann nicht weniger als Mindestbestellmenge Elements (in Artikelstamm definiert). Row #{0}: Please specify Serial No for Item {1},Row # {0}: Bitte Seriennummer für Artikel {1} "Row {0}: Account does not match with \ - Purchase Invoice Credit To account","Row {0}: \ - Einkaufsrechnung dem Konto Konto nicht mit überein" + Purchase Invoice Credit To account", "Row {0}: Account does not match with \ - Sales Invoice Debit To account","Row {0}: \ - Sales Invoice Debit Zur Account Konto nicht mit überein" + Sales Invoice Debit To account", Row {0}: Conversion Factor is mandatory,Row {0}: Umrechnungsfaktor ist obligatorisch Row {0}: Credit entry can not be linked with a Purchase Invoice,Row {0} : Kredit Eintrag kann nicht mit einer Einkaufsrechnung verknüpft werden Row {0}: Debit entry can not be linked with a Sales Invoice,Row {0} : Debit- Eintrag kann nicht mit einer Verkaufsrechnung verknüpft werden Row {0}: Payment amount must be less than or equals to invoice outstanding amount. Please refer Note below.,Row {0}: Zahlungsbetrag muss kleiner als oder gleich zu ausstehenden Betrag in Rechnung stellen können. Bitte beachten Sie folgenden Hinweis. Row {0}: Qty is mandatory,Row {0}: Menge ist obligatorisch "Row {0}: Qty not avalable in warehouse {1} on {2} {3}. - Available Qty: {4}, Transfer Qty: {5}","Row {0}: Menge nicht in der Lager Avalable {1} auf {2} {3}. - Verfügbare Stückzahl: {4}, Transfer Stück: {5}" + Available Qty: {4}, Transfer Qty: {5}", "Row {0}: To set {1} periodicity, difference between from and to date \ - must be greater than or equal to {2}","Row {0}: Um {1} Periodizität Unterschied zwischen von und nach Datum \ - muss größer als oder gleich sein {2}" + must be greater than or equal to {2}", Row {0}:Start Date must be before End Date,Row {0}: Startdatum muss vor dem Enddatum liegen Rules for adding shipping costs.,Regeln für das Hinzufügen von Versandkosten. Rules for applying pricing and discount.,Regeln für die Anwendung von Preis-und Rabatt . -Rules to calculate shipping amount for a sale,Regeln zum Versand Betrag für einen Verkauf berechnen +Rules to calculate shipping amount for a sale,Regeln zum Berechnen des Versandbetrags für einen Verkauf S.O. No.,S.O. Nein. SHE Cess on Excise,SHE Cess Verbrauch SHE Cess on Service Tax,SHE Cess auf Service Steuer SHE Cess on TDS,SHE Cess auf TDS -SMS Center,SMS Center -SMS Gateway URL,SMS Gateway URL -SMS Log,SMS Log -SMS Parameter,SMS Parameter -SMS Sender Name,SMS Absender Name +SMS Center,SMS-Center +SMS Gateway URL,SMS-Gateway-URL +SMS Log,SMS-Protokoll +SMS Parameter,SMS-Parameter +SMS Sender Name,SMS-Absendername SMS Settings,SMS-Einstellungen -SO Date,SO Datum -SO Pending Qty,SO Pending Menge +SO Date,SO-Datum +SO Pending Qty,SO Ausstehende Menge SO Qty,SO Menge Salary,Gehalt -Salary Information,Angaben über den Lohn -Salary Manager,Manager Gehalt -Salary Mode,Gehalt Modus +Salary Information,Gehaltsinformationen +Salary Manager,Gehaltsmanager +Salary Mode,Gehaltsmodus Salary Slip,Gehaltsabrechnung -Salary Slip Deduction,Lohnabzug Rutsch -Salary Slip Earning,Earning Gehaltsabrechnung +Salary Slip Deduction,Gehaltsabrechnung Abzug +Salary Slip Earning,Gehaltsabrechnung Verdienst Salary Slip of employee {0} already created for this month,Gehaltsabrechnung der Mitarbeiter {0} bereits für diesen Monat erstellt Salary Structure,Gehaltsstruktur Salary Structure Deduction,Gehaltsstruktur Abzug -Salary Structure Earning,Earning Gehaltsstruktur -Salary Structure Earnings,Ergebnis Gehaltsstruktur -Salary breakup based on Earning and Deduction.,Gehalt Trennung auf die Ertragskraft und Deduktion basiert. -Salary components.,Gehaltsbestandteile. +Salary Structure Earning,Gehaltsstruktur Verdienst +Salary Structure Earnings,Gehaltsstruktur Verdienst +Salary breakup based on Earning and Deduction.,Gehaltsaufteilung nach Verdienst und Abzug. +Salary components.,Gehaltskomponenten Salary template master.,Gehalt Master -Vorlage . Sales,Vertrieb -Sales Analytics,Sales Analytics -Sales BOM,Vertrieb BOM -Sales BOM Help,Vertrieb BOM Hilfe -Sales BOM Item,Vertrieb Stücklistenposition -Sales BOM Items,Vertrieb Stücklistenpositionen +Sales Analytics,Vertriebsanalyse +Sales BOM,Verkaufsstückliste +Sales BOM Help,Verkaufsstückliste Hilfe +Sales BOM Item,Verkaufsstücklistenposition +Sales BOM Items,Verkaufsstücklistenpositionen Sales Browser,Verkauf Browser -Sales Details,Sales Details -Sales Discounts,Sales Rabatte +Sales Details,Verkaufsdetails +Sales Discounts,Verkaufsrabatte Sales Email Settings,Vertrieb E-Mail-Einstellungen Sales Expenses,Vertriebskosten Sales Extras,Verkauf Extras Sales Funnel,Sales Funnel -Sales Invoice,Sales Invoice -Sales Invoice Advance,Sales Invoice Geleistete -Sales Invoice Item,Sales Invoice Artikel -Sales Invoice Items,Sales Invoice Artikel -Sales Invoice Message,Sales Invoice Nachricht -Sales Invoice No,Sales Invoice In -Sales Invoice Trends,Sales Invoice Trends +Sales Invoice,Verkaufsrechnung +Sales Invoice Advance,Verkaufsrechnung Vorschuss +Sales Invoice Item,Verkaufsrechnungsposition +Sales Invoice Items,Verkaufsrechnungspositionen +Sales Invoice Message,Verkaufsrechnungsnachricht +Sales Invoice No,Verkaufsrechnung Nr. +Sales Invoice Trends,Verkaufsrechnungstrends Sales Invoice {0} has already been submitted,Sales Invoice {0} wurde bereits eingereicht Sales Invoice {0} must be cancelled before cancelling this Sales Order,Sales Invoice {0} muss vor Streichung dieses Sales Order storniert werden -Sales Order,Sales Order -Sales Order Date,Sales Order Datum +Sales Item, +Sales Manager, +Sales Master Manager, +Sales Order,Auftrag +Sales Order Date,Auftragsdatum Sales Order Item,Auftragsposition -Sales Order Items,Kundenauftragspositionen -Sales Order Message,Sales Order Nachricht -Sales Order No,In Sales Order -Sales Order Required,Sales Order erforderlich +Sales Order Items,Auftragspositionen +Sales Order Message,Auftragsnachricht +Sales Order No,Auftragsnr. +Sales Order Required,Erforderlicher Auftrag Sales Order Trends,Sales Order Trends Sales Order required for Item {0},Sales Order für den Posten erforderlich {0} Sales Order {0} is not submitted,Sales Order {0} ist nicht eingereicht Sales Order {0} is not valid,Sales Order {0} ist nicht gültig Sales Order {0} is stopped,Sales Order {0} gestoppt Sales Partner,Vertriebspartner -Sales Partner Name,Sales Partner Name -Sales Partner Target,Partner Sales Target -Sales Partners Commission,Vertriebspartner Kommission -Sales Person,Sales Person -Sales Person Name,Sales Person Vorname +Sales Partner Name,Vertriebspartnername +Sales Partner Target,Vertriebspartner Ziel +Sales Partners Commission,Vertriebspartner-Kommission +Sales Person,Vertriebsmitarbeiter +Sales Person Name,Vertriebsmitarbeitername Sales Person Target Variance Item Group-Wise,Sales Person ZielabweichungsartikelgruppeWise - -Sales Person Targets,Sales Person Targets -Sales Person-wise Transaction Summary,Sales Person-wise Transaction Zusammenfassung -Sales Register,Verkäufe registrieren -Sales Return,Umsatzrendite +Sales Person Targets,Vertriebsmitarbeiter Ziele +Sales Person-wise Transaction Summary,Vertriebsmitarbeiterweise Zusammenfassung der Transaktion +Sales Register,Vertriebsregister +Sales Return,Absatzertrag Sales Returned,Verkaufszurück -Sales Taxes and Charges,Vertrieb Steuern und Abgaben -Sales Taxes and Charges Master,Vertrieb Steuern und Abgaben Meister -Sales Team,Sales Team -Sales Team Details,Sales Team Details -Sales Team1,Vertrieb Team1 -Sales and Purchase,Verkauf und Kauf +Sales Taxes and Charges,Umsatzsteuern und Abgaben +Sales Taxes and Charges Master,Umsatzsteuern und Abgabenstamm +Sales Team,Verkaufsteam +Sales Team Details,Verkaufsteamdetails +Sales Team1,Verkaufsteam1 +Sales User, +Sales and Purchase,Verkauf und Einkauf Sales campaigns.,Vertriebskampagnen. -Salutation,Gruß +Salutation,Anrede Sample Size,Stichprobenumfang -Sanctioned Amount,Sanktioniert Betrag +Sanctioned Amount,Sanktionierter Betrag Saturday,Samstag -Schedule,Planen +Schedule,Zeitplan Schedule Date,Termine Datum -Schedule Details,Termine Details +Schedule Details,Zeitplandetails Scheduled,Geplant -Scheduled Date,Voraussichtlicher +Scheduled Date,Geplantes Datum Scheduled to send to {0},Planmäßig nach an {0} Scheduled to send to {0} recipients,Planmäßig nach {0} Empfänger senden Scheduler Failed Events,Scheduler fehlgeschlagen Events -School/University,Schule / Universität -Score (0-5),Score (0-5) -Score Earned,Ergebnis Bekommen +School/University,Schule/Universität +Score (0-5),Punktzahl (0-5) +Score Earned,Erreichte Punktzahl Score must be less than or equal to 5,Score muß weniger als oder gleich 5 sein -Scrap %,Scrap% -Seasonality for setting budgets.,Saisonalität setzt Budgets. +Scrap %,Ausschuss % +Seasonality for setting budgets.,Saisonalität für die Budgeterstellung. Secretary,Sekretärin Secured Loans,Secured Loans Securities & Commodity Exchanges,Securities & Warenbörsen Securities and Deposits,Wertpapiere und Einlagen -"See ""Rate Of Materials Based On"" in Costing Section",Siehe "Rate Of Materials Based On" in der Kalkulation Abschnitt -"Select ""Yes"" for sub - contracting items","Wählen Sie ""Ja"" für - Zulieferer Artikel" -"Select ""Yes"" if this item is used for some internal purpose in your company.","Wählen Sie ""Ja"", wenn dieser Punkt für einige interne Zwecke in Ihrem Unternehmen verwendet wird." -"Select ""Yes"" if this item represents some work like training, designing, consulting etc.","Wählen Sie ""Ja"", wenn dieser Artikel stellt einige Arbeiten wie Ausbildung, Gestaltung, Beratung etc.." -"Select ""Yes"" if you are maintaining stock of this item in your Inventory.","Wählen Sie ""Ja"", wenn Sie Pflege stock dieses Artikels in Ihrem Inventar." -"Select ""Yes"" if you supply raw materials to your supplier to manufacture this item.","Wählen Sie ""Ja"", wenn Sie Rohstoffe an Ihren Lieferanten liefern, um diesen Artikel zu fertigen." +"See ""Rate Of Materials Based On"" in Costing Section",Siehe „Rate der zu Grunde liegenden Materialien“ im Abschnitt Kalkulation +"Select ""Yes"" for sub - contracting items",Wählen Sie „Ja“ für  Zulieferer-Artikel +"Select ""Yes"" if this item is used for some internal purpose in your company.","Wählen Sie „Ja“, wenn diese Position zu internen Zwecke in Ihrem Unternehmen verwendet wird." +"Select ""Yes"" if this item represents some work like training, designing, consulting etc.","Wählen Sie „Ja“, wenn diese Position Arbeit wie Schulung, Entwurf, Beratung usw. beinhaltet." +"Select ""Yes"" if you are maintaining stock of this item in your Inventory.","Wählen Sie „Ja“, wenn Sie den Bestand dieses Artikels in Ihrem Inventar verwalten." +"Select ""Yes"" if you supply raw materials to your supplier to manufacture this item.","Wählen Sie „Ja“, wenn Sie Rohstoffe an Ihren Lieferanten zur Herstellung dieses Artikels liefern." Select Brand...,Wählen Brand ... -Select Budget Distribution to unevenly distribute targets across months.,Wählen Budget Verteilung ungleichmäßig Targets über Monate verteilen. -"Select Budget Distribution, if you want to track based on seasonality.","Wählen Budget Distribution, wenn Sie basierend auf Saisonalität verfolgen möchten." +Select Budget Distribution to unevenly distribute targets across months.,"Wählen Sie Budgetverteilung aus, um Ziele ungleichmäßig über Monate hinweg zu verteilen." +"Select Budget Distribution, if you want to track based on seasonality.","Wählen Sie Budgetverteilung, wenn Sie nach Saisonalität verfolgen möchten." Select Company...,Wählen Gesellschaft ... -Select DocType,Wählen DocType +Select DocType,Dokumenttyp auswählen Select Fiscal Year...,Wählen Sie das Geschäftsjahr ... -Select Items,Elemente auswählen +Select Items,Artikel auswählen Select Project...,Wählen Sie Projekt ... -Select Purchase Receipts,Wählen Kaufbelege -Select Sales Orders,Wählen Sie Kundenaufträge -Select Sales Orders from which you want to create Production Orders.,Wählen Sie Aufträge aus der Sie Fertigungsaufträge erstellen. -Select Time Logs and Submit to create a new Sales Invoice.,"Wählen Sie Zeit Logs und abschicken, um einen neuen Sales Invoice erstellen." -Select Transaction,Wählen Sie Transaction +Select Sales Orders,Kundenaufträge auswählen +Select Sales Orders from which you want to create Production Orders.,"Kundenaufträge auswählen, aus denen Sie Fertigungsaufträge erstellen möchten." +Select Time Logs and Submit to create a new Sales Invoice.,"Wählen Sie Zeitprotokolle und ""Absenden"" aus, um eine neue Verkaufsrechnung zu erstellen." +Select Transaction,Transaktion auswählen Select Warehouse...,Wählen Sie Warehouse ... Select Your Language,Wählen Sie Ihre Sprache -Select account head of the bank where cheque was deposited.,"Wählen Sie den Kopf des Bankkontos, wo Kontrolle abgelagert wurde." -Select company name first.,Wählen Firmennamen erste. -Select template from which you want to get the Goals,"Wählen Sie aus, welche Vorlage Sie die Ziele erhalten möchten" -Select the Employee for whom you are creating the Appraisal.,"Wählen Sie den Mitarbeiter, für den Sie erstellen Appraisal." -Select the period when the invoice will be generated automatically,Wählen Sie den Zeitraum auf der Rechnung wird automatisch erzeugt werden -Select the relevant company name if you have multiple companies,"Wählen Sie den entsprechenden Firmennamen, wenn Sie mehrere Unternehmen haben" -Select the relevant company name if you have multiple companies.,"Wählen Sie den entsprechenden Firmennamen, wenn Sie mehrere Unternehmen haben." -Select who you want to send this newsletter to,"Wählen Sie, wer Sie diesen Newsletter senden möchten" +Select account head of the bank where cheque was deposited.,"Wählen Sie den Kontenführer der Bank, bei der der Scheck eingereicht wurde." +Select company name first.,Wählen Sie zuerst den Firmennamen aus. +Select template from which you want to get the Goals,"Wählen Sie eine Vorlage aus, von der Sie die Ziele abrufen möchten" +Select the Employee for whom you are creating the Appraisal.,"Wählen Sie den Mitarbeiter aus, für den Sie die Bewertung erstellen." +Select the period when the invoice will be generated automatically,"Wählen Sie den Zeitraum aus, zu dem die Rechnung automatisch erstellt werden soll." +Select the relevant company name if you have multiple companies,"Wählen Sie den entsprechenden Firmennamen aus, wenn mehrere Unternehmen vorhanden sind" +Select the relevant company name if you have multiple companies.,"Wählen Sie den entsprechenden Firmennamen aus, wenn mehrere Unternehmen vorhanden sind." +Select type of transaction, +Select who you want to send this newsletter to,"Wählen Sie aus, an wen dieser Newsletter gesendet werden soll" Select your home country and check the timezone and currency.,Wählen Sie Ihr Heimatland und überprüfen Sie die Zeitzone und Währung. -"Selecting ""Yes"" will allow this item to appear in Purchase Order , Purchase Receipt.","Wählen Sie ""Ja"" können diesen Artikel in Bestellung, Kaufbeleg erscheinen." -"Selecting ""Yes"" will allow this item to figure in Sales Order, Delivery Note","Wählen Sie ""Ja"" können diesen Artikel in Sales Order herauszufinden, Lieferschein" -"Selecting ""Yes"" will allow you to create Bill of Material showing raw material and operational costs incurred to manufacture this item.","Wählen Sie ""Ja"" ermöglicht es Ihnen, Bill of Material zeigt Rohstoffe und Betriebskosten anfallen, um diesen Artikel herzustellen erstellen." -"Selecting ""Yes"" will allow you to make a Production Order for this item.","Wählen Sie ""Ja"" ermöglicht es Ihnen, einen Fertigungsauftrag für diesen Artikel machen." -"Selecting ""Yes"" will give a unique identity to each entity of this item which can be viewed in the Serial No master.","Wählen Sie ""Ja"" wird eine einzigartige Identität zu jeder Einheit dieses Artikels, die in der Serial No Master eingesehen werden kann geben." -Selling,Verkauf -Selling Settings,Verkauf Einstellungen +"Selecting ""Yes"" will allow this item to appear in Purchase Order , Purchase Receipt.","Wenn Sie „Ja“ auswählen, wird dieser Artikel in Bestellung und Kaufbeleg angezeigt." +"Selecting ""Yes"" will allow this item to figure in Sales Order, Delivery Note","Wenn Sie „Ja“ auswählen, wird dieser Artikel in Auftrag und Lieferschein angezeigt" +"Selecting ""Yes"" will allow you to create Bill of Material showing raw material and operational costs incurred to manufacture this item.","Wenn Sie „Ja“ auswählen, können Sie eine Materialliste erstellen, die Rohstoff- und Betriebskosten anzeigt, die bei der Herstellung dieses Artikels anfallen." +"Selecting ""Yes"" will allow you to make a Production Order for this item.","Wenn Sie „Ja“ auswählen, können Sie einen Fertigungsauftrag für diesen Artikel erstellen." +"Selecting ""Yes"" will give a unique identity to each entity of this item which can be viewed in the Serial No master.","Wenn Sie „Ja“ auswählen, wird jeder Einheit dieses Artikels eine eindeutige Identität zugeteilt, die im Seriennummernstamm angezeigt werden kann." +Selling,Verkaufen +Selling Settings,Verkaufseinstellungen "Selling must be checked, if Applicable For is selected as {0}","Selling muss überprüft werden, wenn Anwendbar ist als gewählte {0}" -Send,Senden -Send Autoreply,Senden Autoreply -Send Email,E-Mail senden -Send From,Senden Von -Send Notifications To,Benachrichtigungen an +Send,Absenden +Send Autoreply,Autoreply absenden +Send Email,E-Mail absenden +Send From,Absenden von +Send Notifications To,Benachrichtigungen senden an Send Now,Jetzt senden -Send SMS,Senden Sie eine SMS -Send To,Send To -Send To Type,Send To Geben -Send mass SMS to your contacts,Senden Sie Massen-SMS an Ihre Kontakte -Send to this list,Senden Sie zu dieser Liste -Sender Name,Absender Name -Sent On,Sent On -Separate production order will be created for each finished good item.,Separate Fertigungsauftrag wird für jeden fertigen gute Position geschaffen werden. -Serial No,Serial In +Send SMS,SMS senden +Send To,Senden an +Send To Type,Senden an Typ +Send automatic emails to Contacts on Submitting transactions.,Beim Einreichen von Transaktionen automatische E-Mails an Kontakte senden. +Send mass SMS to your contacts,Massen-SMS an Ihre Kontakte senden +Send regular summary reports via Email.,Regelmäßig zusammenfassende Berichte per E-Mail senden. +Send to this list,An diese Liste senden +Sender Name,Absendername +Sent,Sent +Sent On,Gesendet am +Separate production order will be created for each finished good item.,Separater Fertigungsauftrag wird für jeden fertigen Warenartikel erstellt. +Serial No,Seriennummer Serial No / Batch,Seriennummer / Charge -Serial No Details,Serial No Einzelheiten -Serial No Service Contract Expiry,Serial No Service Contract Verfall -Serial No Status,Serielle In-Status -Serial No Warranty Expiry,Serial No Scheckheftgepflegt +Serial No Details,Details Seriennummer +Serial No Service Contract Expiry,Seriennr. Ende des Wartungsvertrags +Serial No Status,Seriennr. Status +Serial No Warranty Expiry,Seriennr. Garantieverfall Serial No is mandatory for Item {0},Seriennummer ist für Artikel {0} Serial No {0} created,Seriennummer {0} erstellt Serial No {0} does not belong to Delivery Note {1},Seriennummer {0} nicht auf Lieferschein gehören {1} @@ -2677,6 +2766,7 @@ Serial No {0} does not exist,Seriennummer {0} existiert nicht Serial No {0} has already been received,Seriennummer {0} bereits empfangen Serial No {0} is under maintenance contract upto {1},Seriennummer {0} ist unter Wartungsvertrag bis {1} Serial No {0} is under warranty upto {1},Seriennummer {0} ist unter Garantie bis {1} +Serial No {0} not found, Serial No {0} not in stock,Seriennummer {0} nicht auf Lager Serial No {0} quantity {1} cannot be a fraction,Seriennummer {0} Menge {1} kann nicht ein Bruchteil sein Serial No {0} status must be 'Available' to Deliver,"Seriennummer {0} Status muss ""verfügbar"" sein, Deliver" @@ -2684,70 +2774,73 @@ Serial Nos Required for Serialized Item {0},SeriennummernErforderlich für Artik Serial Number Series,Seriennummer Series Serial number {0} entered more than once,Seriennummer {0} trat mehr als einmal "Serialized Item {0} cannot be updated \ - using Stock Reconciliation","Serialisierten Artikel {0} kann nicht aktualisiert werden, \ - mit Lizenz Versöhnung" + using Stock Reconciliation", Series,Serie -Series List for this Transaction,Serien-Liste für diese Transaktion +Series List for this Transaction,Serienliste für diese Transaktion Series Updated,Aktualisiert Serie Series Updated Successfully,Serie erfolgreich aktualisiert Series is mandatory,Serie ist obligatorisch Series {0} already used in {1},Serie {0} bereits verwendet {1} Service,Service -Service Address,Service Adresse +Service Address,Serviceadresse Service Tax,Service Steuer -Services,Dienstleistungen +Services,Services Set,Set "Set Default Values like Company, Currency, Current Fiscal Year, etc.","Vorschlagswerte wie Unternehmen , Währung, aktuelle Geschäftsjahr usw." -Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,"Set Artikel gruppenweise Budgets auf diesem Gebiet. Sie können Saisonalität auch gehören, indem Sie die Distribution." +Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,Artikelgruppenweise Budgets in dieser Region erstellen. Durch Einrichten der Verteilung können Sie auch Saisonalität mit einbeziehen. Set Status as Available,Set Status als Verfügbar Set as Default,Als Standard Set as Lost,Als Passwort -Set prefix for numbering series on your transactions,Nummerierung einstellen Serie Präfix für Ihre Online-Transaktionen -Set targets Item Group-wise for this Sales Person.,Set zielt Artikel gruppenweise für diesen Sales Person. -Setting Account Type helps in selecting this Account in transactions.,Einstellung Kontotyp hilft bei der Auswahl der Transaktionen in diesem Konto. +Set prefix for numbering series on your transactions,Präfix für die Seriennummerierung Ihrer Transaktionen festlegen +Set targets Item Group-wise for this Sales Person.,Ziele artikelgruppenweise für diesen Vertriebsmitarbeiter festlegen. +Setting Account Type helps in selecting this Account in transactions.,Das Festlegen des Kontotyps hilft bei der Auswahl dieses Kontos in Transaktionen. Setting this Address Template as default as there is no other default,"Die Einstellung dieses Adressvorlage als Standard, da es keine anderen Standard" Setting up...,Einrichten ... Settings,Einstellungen +Settings for Accounts,Einstellungen für Konten +Settings for Buying Module,Einstellungen für Einkaufsmodul Settings for HR Module,Einstellungen für das HR -Modul -"Settings to extract Job Applicants from a mailbox e.g. ""jobs@example.com""","Einstellungen für Bewerber aus einer Mailbox zB ""jobs@example.com"" extrahieren" +Settings for Selling Module,Einstellungen für das Verkaufsmodul +"Settings to extract Job Applicants from a mailbox e.g. ""jobs@example.com""","Einstellungen, um Bewerber aus einem Postfach, z.B. ""jobs@example.com"", zu extrahieren." Setup,Setup Setup Already Complete!!,Bereits Komplett -Setup ! Setup Complete,Setup Complete Setup SMS gateway settings,Setup-SMS-Gateway-Einstellungen -Setup Series,Setup-Series +Setup Series,Setup-Reihenfolge Setup Wizard,Setup-Assistenten Setup incoming server for jobs email id. (e.g. jobs@example.com),Setup- Eingangsserver für Jobs E-Mail -ID . (z. B. jobs@example.com ) Setup incoming server for sales email id. (e.g. sales@example.com),Setup- Eingangsserver für den Vertrieb E-Mail -ID . (z. B. sales@example.com ) Setup incoming server for support email id. (e.g. support@example.com),Setup- Eingangsserver für die Unterstützung E-Mail -ID . (z. B. support@example.com ) -Share,Teilen -Share With,Anziehen +Share,Freigeben +Share With,Freigeben für Shareholders Funds,Aktionäre Fonds Shipments to customers.,Lieferungen an Kunden. -Shipping,Schifffahrt -Shipping Account,Liefer-Konto +Shipping,Versand +Shipping Account,Versandkonto Shipping Address,Versandadresse -Shipping Amount,Liefer-Betrag -Shipping Rule,Liefer-Regel -Shipping Rule Condition,Liefer-Rule Condition -Shipping Rule Conditions,Liefer-Rule AGB -Shipping Rule Label,Liefer-Rule Etikett -Shop,Im Shop +Shipping Amount,Versandbetrag +Shipping Rule,Versandregel +Shipping Rule Condition,Versandbedingung +Shipping Rule Conditions,Versandbedingungen +Shipping Rule Label,Versandbedingungsetikett +Shop,Shop Shopping Cart,Einkaufswagen -Short biography for website and other publications.,Kurzbiographie für die Website und anderen Publikationen. -"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","Anzeigen ""Im Lager"" oder ""Nicht auf Lager"", basierend auf verfügbaren Bestand in diesem Lager." +Short biography for website and other publications.,Kurzbiographie für die Website und andere Publikationen. +"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","Details zu ""Auf Lager"" oder ""Nicht auf Lager"" entsprechend des in diesem Warenlager verfügbaren Bestands anzeigen." "Show / Hide features like Serial Nos, POS etc.","Show / Hide Funktionen wie Seriennummern, POS , etc." -Show In Website,Zeigen Sie in der Webseite -Show a slideshow at the top of the page,Zeige die Slideshow an der Spitze der Seite -Show in Website,Zeigen Sie im Website -Show rows with zero values,Zeige Zeilen mit Nullwerten -Show this slideshow at the top of the page,Zeige diese Slideshow an der Spitze der Seite +Show In Website,Auf der Webseite anzeigen +Show a slideshow at the top of the page,Diaschau oben auf der Seite anzeigen +Show in Website,Auf der Webseite anzeigen +Show this slideshow at the top of the page,Diese Diaschau oben auf der Seite anzeigen +Show zero values, +Shown in Website, Sick Leave,Sick Leave Signature,Unterschrift -Signature to be appended at the end of every email,Unterschrift am Ende jeder E-Mail angehängt werden -Single,Single -Single unit of an Item.,Einzelgerät eines Elements. +Signature to be appended at the end of every email,"Signatur, die am Ende jeder E-Mail angehängt werden soll" +Single,Einzeln +Single unit of an Item.,Einzeleinheit eines Artikels. Sit tight while your system is being setup. This may take a few moments.,"Sitzen fest , während Ihr System wird Setup . Dies kann einige Zeit dauern." -Slideshow,Slideshow +Slideshow,Diaschau Soap & Detergent,Soap & Reinigungsmittel Software,Software Software Developer,Software-Entwickler @@ -2755,223 +2848,289 @@ Software Developer,Software-Entwickler "Sorry, companies cannot be merged","Sorry, Unternehmen können nicht zusammengeführt werden" Source,Quelle Source File,Source File -Source Warehouse,Quelle Warehouse +Source Warehouse,Quellenwarenlager Source and target warehouse cannot be same for row {0},Quell-und Ziel-Warehouse kann nicht gleich sein für die Zeile {0} Source of Funds (Liabilities),Mittelherkunft ( Passiva) Source warehouse is mandatory for row {0},Quelle Lager ist für Zeile {0} -Spartan,Spartan +Spartan,Spartanisch "Special Characters except ""-"" and ""/"" not allowed in naming series","Sonderzeichen außer ""-"" und ""/"" nicht in der Benennung Serie erlaubt" -Specification Details,Ausschreibungstexte +Specification Details,Spezifikationsdetails Specifications,Technische Daten -"Specify a list of Territories, for which, this Price List is valid","Geben Sie eine Liste der Gebiete, für die ist diese Preisliste gültig" -"Specify a list of Territories, for which, this Shipping Rule is valid","Geben Sie eine Liste der Gebiete, für die ist diese Regel gültig Versand" -"Specify a list of Territories, for which, this Taxes Master is valid","Geben Sie eine Liste der Gebiete, für die ist diese Steuern Meister gültig" +Specify Exchange Rate to convert one currency into another,Geben Sie den Wechselkurs zum Umrechnen einer Währung in eine andere an +"Specify a list of Territories, for which, this Price List is valid","Geben Sie eine Liste der Regionen an, für die diese Preisliste gilt" +"Specify a list of Territories, for which, this Shipping Rule is valid","Geben Sie eine Liste der Regionen an, für die diese Versandregel gilt" +"Specify a list of Territories, for which, this Taxes Master is valid","Geben Sie eine Liste der Regionen an, für die dieser Steuerstamm gilt" +Specify conditions to calculate shipping amount,Geben Sie die Bedingungen zur Berechnung der Versandkosten an "Specify the operations, operating cost and give a unique Operation no to your operations.","Geben Sie die Vorgänge , Betriebskosten und geben einen einzigartigen Betrieb nicht für Ihren Betrieb ." -Split Delivery Note into packages.,Aufgeteilt in Pakete Lieferschein. +Split Delivery Note into packages.,Lieferschein in Pakete aufteilen. Sports,Sport Sr,Sr Standard,Standard Standard Buying,Standard- Einkaufsführer Standard Reports,Standardberichte Standard Selling,Standard- Selling +"Standard Terms and Conditions that can be added to Sales and Purchases. + +Examples: + +1. Validity of the offer. +1. Payment Terms (In Advance, On Credit, part advance etc). +1. What is extra (or payable by the Customer). +1. Safety / usage warning. +1. Warranty if any. +1. Returns Policy. +1. Terms of shipping, if applicable. +1. Ways of addressing disputes, indemnity, liability, etc. +1. Address and Contact of your Company.", Standard contract terms for Sales or Purchase.,Übliche Vertragsbedingungen für den Verkauf oder Kauf . +"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.", +"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 + +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. 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.", Start,Start- Start Date,Startdatum -Start date of current invoice's period,Startdatum der laufenden Rechnung der Zeit +Start date of current invoice's period,Startdatum der laufenden Rechnungsperiode +Start date of current order's period, Start date should be less than end date for Item {0},Startdatum sollte weniger als Enddatum für Artikel {0} -State,Zustand +State,Land Statement of Account,Kontoauszug Static Parameters,Statische Parameter Status,Status Status must be one of {0},Der Status muss man von {0} Status of {0} {1} is now {2},Status {0} {1} ist jetzt {2} Status updated to {0},Status aktualisiert {0} -Statutory info and other general information about your Supplier,Gesetzliche Informationen und andere allgemeine Informationen über Ihr Lieferant +Statutory info and other general information about your Supplier,Gesetzliche und andere allgemeine Informationen über Ihren Lieferanten Stay Updated,Bleiben Aktualisiert -Stock,Lager +Stock,Lagerbestand Stock Adjustment,Auf Einstellung -Stock Adjustment Account,Auf Adjustment Konto -Stock Ageing,Lager Ageing -Stock Analytics,Lager Analytics +Stock Adjustment Account,Bestandskorrektur-Konto +Stock Ageing,Bestandsalterung +Stock Analytics,Bestandsanalyse Stock Assets,Auf Assets -Stock Balance,Bestandsliste +Stock Balance,Bestandsbilanz Stock Entries already created for Production Order , -Stock Entry,Lager Eintrag -Stock Entry Detail,Lager Eintrag Details +Stock Entry,Bestandseintrag +Stock Entry Detail,Bestandseintragsdetail Stock Expenses,Auf Kosten -Stock Frozen Upto,Lager Bis gefroren -Stock Ledger,Lager Ledger -Stock Ledger Entry,Lager Ledger Eintrag +Stock Frozen Upto,Bestand eingefroren bis +Stock Item, +Stock Ledger,Bestands-Hauptkonto +Stock Ledger Entries and GL Entries are reposted for the selected Purchase Receipts, +Stock Ledger Entry,Bestands-Hauptkonto Eintrag Stock Ledger entries balances updated,Auf BucheinträgeSalden aktualisiert -Stock Level,Stock Level +Stock Level,Bestandsebene Stock Liabilities,Auf Verbindlichkeiten Stock Projected Qty,Auf Projizierte Menge -Stock Queue (FIFO),Lager Queue (FIFO) -Stock Received But Not Billed,"Auf empfangen, aber nicht Angekündigt" +Stock Queue (FIFO),Bestands-Warteschlange (FIFO) +Stock Received But Not Billed,"Empfangener, aber nicht abgerechneter Bestand" Stock Reconcilation Data,Auf Versöhnung Daten Stock Reconcilation Template,Auf Versöhnung Vorlage -Stock Reconciliation,Lager Versöhnung +Stock Reconciliation,Bestandsabgleich "Stock Reconciliation can be used to update the stock on a particular date, usually as per physical inventory.","Auf Versöhnung kann verwendet werden, um die Aktie zu einem bestimmten Zeitpunkt zu aktualisieren , in der Regel nach Inventur werden." -Stock Settings,Auf Einstellungen -Stock UOM,Lager UOM -Stock UOM Replace Utility,Lager UOM ersetzen Dienstprogramm +Stock Settings,Bestandseinstellungen +Stock UOM,Bestands-ME +Stock UOM Replace Utility,Dienstprogramm zum Ersetzen der Bestands-ME Stock UOM updatd for Item {0},"Auf ME fortgeschrieben, für den Posten {0}" -Stock Uom,Lager ME +Stock Uom,Bestands-ME Stock Value,Bestandswert -Stock Value Difference,Auf Wertdifferenz +Stock Value Difference,Wertdifferenz Bestand Stock balances updated,Auf Salden aktualisiert Stock cannot be updated against Delivery Note {0},Auf kann nicht gegen Lieferschein aktualisiert werden {0} Stock entries exist against warehouse {0} cannot re-assign or modify 'Master Name',Auf Einträge vorhanden sind gegen Lager {0} kann nicht neu zuweisen oder ändern 'Master -Name' Stock transactions before {0} are frozen,Aktiengeschäfte vor {0} werden eingefroren -Stop,Stoppen +Stock: , +Stop,Anhalten Stop Birthday Reminders,Stop- Geburtstagserinnerungen -Stop Material Request,Stopp -Material anfordern -Stop users from making Leave Applications on following days.,Stoppen Sie den Nutzer von Leave Anwendungen auf folgenden Tagen. -Stop!,Stop! -Stopped,Gestoppt +Stop users from making Leave Applications on following days.,"Benutzer davon abhalten, Urlaubsanträge für folgende Tage zu machen." +Stopped,Angehalten Stopped order cannot be cancelled. Unstop to cancel.,"Gestoppt Auftrag kann nicht abgebrochen werden. Aufmachen , um abzubrechen." Stores,Shops Stub,Stummel Sub Assemblies,Unterbaugruppen -"Sub-currency. For e.g. ""Cent""","Sub-Währung. Für z.B. ""Cent""" -Subcontract,Vergeben -Subject,Thema -Submit Salary Slip,Senden Gehaltsabrechnung -Submit all salary slips for the above selected criteria,Reichen Sie alle Gehaltsabrechnungen für die oben ausgewählten Kriterien +"Sub-currency. For e.g. ""Cent""","Unterwährung. Zum Beispiel ""Cent""" +Subcontract,Zulieferer +Subcontracted, +Subject,Betreff +Submit Salary Slip,Gehaltsabrechnung absenden +Submit all salary slips for the above selected criteria,Alle Gehaltsabrechnungen für die oben gewählten Kriterien absenden Submit this Production Order for further processing.,Senden Sie dieses Fertigungsauftrag für die weitere Verarbeitung . -Submitted,Eingereicht +Submitted,Abgesendet/Eingereicht Subsidiary,Tochtergesellschaft Successful: ,Erfolgreich: Successfully Reconciled,Erfolgreich versöhnt Suggestions,Vorschläge Sunday,Sonntag Supplier,Lieferant -Supplier (Payable) Account,Lieferant (zahlbar) Konto -Supplier (vendor) name as entered in supplier master,Lieferant (Kreditor) Namen wie im Lieferantenstamm eingetragen +Supplier (Payable) Account,Lieferantenkonto (zahlbar) +Supplier (vendor) name as entered in supplier master,Lieferantenname (Verkäufer) wie im Lieferantenstamm eingetragen Supplier > Supplier Type,Lieferant> Lieferantentyp -Supplier Account Head,Lieferant Konto Leiter -Supplier Address,Lieferant Adresse +Supplier Account Head,Lieferant Kontenführer +Supplier Address,Lieferantenadresse Supplier Addresses and Contacts,Lieferant Adressen und Kontakte -Supplier Details,Supplier Details +Supplier Details,Lieferantendetails Supplier Intro,Lieferant Intro -Supplier Invoice Date,Lieferantenrechnung Datum -Supplier Invoice No,Lieferant Rechnung Nr. -Supplier Name,Name des Anbieters -Supplier Naming By,Lieferant Benennen von +Supplier Invoice Date,Lieferantenrechnungsdatum +Supplier Invoice No,Lieferantenrechnungsnr. +Supplier Name,Lieferantenname +Supplier Naming By,Benennung des Lieferanten nach Supplier Part Number,Lieferant Teilenummer -Supplier Quotation,Lieferant Angebot -Supplier Quotation Item,Lieferant Angebotsposition -Supplier Reference,Lieferant Reference -Supplier Type,Lieferant Typ +Supplier Quotation,Lieferantenangebot +Supplier Quotation Item,Angebotsposition Lieferant +Supplier Reference,Referenznummer des Lieferanten +Supplier Type,Lieferantentyp Supplier Type / Supplier,Lieferant Typ / Lieferant Supplier Type master.,Lieferant Typ Master. -Supplier Warehouse,Lieferant Warehouse +Supplier Warehouse,Lieferantenlager Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Lieferantenlager obligatorisch für Unteraufträge vergeben Kaufbeleg -Supplier database.,Lieferanten-Datenbank. +Supplier database.,Lieferantendatenbank Supplier master.,Lieferant Master. -Supplier warehouse where you have issued raw materials for sub - contracting,Lieferantenlager wo Sie Rohstoffe ausgegeben haben - Zulieferer +Supplier of Goods or Services.,Lieferant von Waren oder Dienstleistungen. +Supplier warehouse where you have issued raw materials for sub - contracting,"Lieferantenlager, wo Sie Rohstoffe für Zulieferer ausgegeben haben." Supplier-Wise Sales Analytics,HerstellerverkaufsWise Analytics -Support,Unterstützen +Support,Support Support Analtyics,Unterstützung Analtyics -Support Analytics,Unterstützung Analytics -Support Email,Unterstützung per E-Mail +Support Analytics,Support-Analyse +Support Email,Support-E-Mail Support Email Settings,Support- E-Mail -Einstellungen -Support Password,Support Passwort -Support Ticket,Support Ticket +Support Manager, +Support Password,Support-Passwort +Support Team, +Support Ticket,Support-Ticket Support queries from customers.,Support-Anfragen von Kunden. Symbol,Symbol -Sync Support Mails,Sync Unterstützung Mails -Sync with Dropbox,Sync mit Dropbox -Sync with Google Drive,Sync mit Google Drive +Sync Support Mails,Support-Mails synchronisieren +Sync with Dropbox,Mit Dropbox synchronisieren +Sync with Google Drive,Mit Google Drive synchronisieren System,System +System Balance, +System Manager, System Settings,Systemeinstellungen -"System User (login) ID. If set, it will become default for all HR forms.","System User (login) ID. Wenn gesetzt, wird es standardmäßig für alle HR-Formulare werden." +"System User (login) ID. If set, it will become default for all HR forms.","Systembenutzer-ID (Anmeldung) Wenn gesetzt, wird sie standardmäßig für alle HR-Formulare verwendet." +System for managing Backups,System zur Verwaltung von Backups TDS (Advertisement),TDS (Anzeige) TDS (Commission),TDS (Kommission) TDS (Contractor),TDS (Auftragnehmer) TDS (Interest),TDS (Zinsen) TDS (Rent),TDS (Mieten) TDS (Salary),TDS (Salary) +Table for Item that will be shown in Web Site,"Tabelle für Artikel, die auf der Webseite angezeigt werden" Target Amount,Zielbetrag -Target Detail,Ziel Detailansicht +Target Detail,Zieldetail Target Details,Zieldetails -Target Details1,Ziel Details1 -Target Distribution,Target Distribution +Target Details1,Zieldetails1 +Target Distribution,Zielverteilung Target On,Ziel Auf -Target Qty,Ziel Menge -Target Warehouse,Ziel Warehouse +Target Qty,Zielmenge +Target Warehouse,Zielwarenlager Target warehouse in row {0} must be same as Production Order,Ziel-Warehouse in Zeile {0} muss gleiche wie Fertigungsauftrag Target warehouse is mandatory for row {0},Ziel-Warehouse ist für Zeile {0} Task,Aufgabe -Task Details,Task Details +Task Details,Aufgabendetails Tasks,Aufgaben Tax,Steuer Tax Amount After Discount Amount,Steuerbetrag nach Rabatt Betrag Tax Assets,Steueransprüche Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,"Steuerkategorie kann nicht ""Bewertungstag "" oder "" Bewertung und Total ' als alle Einzelteile sind nicht auf Lager gehalten werden" -Tax Rate,Tax Rate -Tax and other salary deductions.,Steuer-und sonstige Lohnabzüge. +Tax Rate,Steuersatz +Tax and other salary deductions.,Steuer und sonstige Gehaltsabzüge "Tax detail table fetched from item master as a string and stored in this field. -Used for Taxes and Charges","MwSt. Detailtabelle geholt von Artikelstamm als String und in diesem Bereich gespeichert. - Für Steuern und Abgaben Gebraucht" +Used for Taxes and Charges", Tax template for buying transactions.,Tax -Vorlage für Kauf -Transaktionen. Tax template for selling transactions.,Tax -Vorlage für Verkaufsgeschäfte . -Taxable,Steuerpflichtig -Taxes,Steuern +Taxes,Steuer Taxes and Charges,Steuern und Abgaben -Taxes and Charges Added,Steuern und Abgaben am -Taxes and Charges Added (Company Currency),Steuern und Gebühren Added (Gesellschaft Währung) -Taxes and Charges Calculation,Steuern und Gebühren Berechnung -Taxes and Charges Deducted,Steuern und Gebühren Abgezogen -Taxes and Charges Deducted (Company Currency),Steuern und Gebühren Abzug (Gesellschaft Währung) -Taxes and Charges Total,Steuern und Gebühren gesamt -Taxes and Charges Total (Company Currency),Steuern und Abgaben insgesamt (Gesellschaft Währung) +Taxes and Charges Added,Steuern und Abgaben hinzugefügt +Taxes and Charges Added (Company Currency),Steuern und Abgaben hinzugefügt (Unternehmenswährung) +Taxes and Charges Calculation,Berechnung der Steuern und Abgaben +Taxes and Charges Deducted,Steuern und Abgaben abgezogen +Taxes and Charges Deducted (Company Currency),Steuern und Abgaben abgezogen (Unternehmenswährung) +Taxes and Charges Total,Steuern und Abgaben Gesamt +Taxes and Charges Total (Company Currency),Steuern und Abgaben Gesamt (Unternehmenswährung) Technology,Technologie Telecommunications,Telekommunikation Telephone Expenses,Telefonkosten Television,Fernsehen Template,Vorlage Template for performance appraisals.,Vorlage für Leistungsbeurteilungen . -Template of terms or contract.,Vorlage von Begriffen oder Vertrag. +Template of terms or contract.,Vorlage für Geschäftsbedingungen oder Vertrag. Temporary Accounts (Assets),Temporäre Accounts ( Assets) Temporary Accounts (Liabilities),Temporäre Konten ( Passiva) Temporary Assets,Temporäre Assets Temporary Liabilities,Temporäre Verbindlichkeiten -Term Details,Begriff Einzelheiten +Term Details,Details Geschäftsbedingungen Terms,Bedingungen -Terms and Conditions,AGB -Terms and Conditions Content,AGB Inhalt -Terms and Conditions Details,AGB Einzelheiten -Terms and Conditions Template,AGB Template -Terms and Conditions1,Allgemeine Bedingungen1 +Terms and Conditions,Allgemeine Geschäftsbedingungen +Terms and Conditions Content,Allgemeine Geschäftsbedingungen Inhalt +Terms and Conditions Details,Allgemeine Geschäftsbedingungen Details +Terms and Conditions Template,Allgemeine Geschäftsbedingungen Vorlage +Terms and Conditions1,Allgemeine Geschäftsbedingungen1 Terretory,Terretory -Territory,Gebiet +Territory,Region Territory / Customer,Territory / Kunden -Territory Manager,Territory Manager -Territory Name,Territory Namen +Territory Manager,Gebietsleiter +Territory Name,Name der Region Territory Target Variance Item Group-Wise,Territory ZielabweichungsartikelgruppeWise - -Territory Targets,Territory Targets +Territory Targets,Ziele der Region Test,Test -Test Email Id,Test Email Id -Test the Newsletter,Testen Sie den Newsletter -The BOM which will be replaced,"Die Stückliste, die ersetzt werden" +Test Email Id,E-Mail-ID testen +Test the Newsletter,Newsletter testen +The BOM which will be replaced,"Die Stückliste, die ersetzt wird" The First User: You,Der erste Benutzer : Sie -"The Item that represents the Package. This Item must have ""Is Stock Item"" as ""No"" and ""Is Sales Item"" as ""Yes""","Das Element, das das Paket darstellt. Dieser Artikel muss ""Ist Stock Item"" als ""Nein"" und ""Ist Vertrieb Item"" als ""Ja""" +"The Item that represents the Package. This Item must have ""Is Stock Item"" as ""No"" and ""Is Sales Item"" as ""Yes""","Der Artikel, der das Paket darstellt. Bei diesem Artikel muss ""Ist Lagerartikel"" als ""Nein"" und ""Ist Verkaufsartikel"" als ""Ja"" gekennzeichnet sein" The Organization,Die Organisation "The account head under Liability, in which Profit/Loss will be booked","Das Konto, Kopf unter Haftung , in der Gewinn / Verlust wird gebucht werden" +The date on which next invoice will be generated. It is generated on submit.,"Das Datum, an dem die nächste Rechnung erstellt wird. Sie wird beim Einreichen erzeugt." "The date on which next invoice will be generated. It is generated on submit. -","Der Tag, an dem nächsten Rechnung wird erzeugt. Es basiert auf einreichen erzeugt. -" -The date on which recurring invoice will be stop,"Der Tag, an dem wiederkehrende Rechnung werden aufhören wird" +", +The date on which recurring invoice will be stop,"Das Datum, an dem die wiederkehrende Rechnung angehalten wird" +The date on which recurring order will be stop, "The day of the month on which auto invoice will be generated e.g. 05, 28 etc ","Der Tag des Monats, an dem auto Rechnung zB 05, 28 usw. generiert werden" +"The day of the month on which auto order will be generated e.g. 05, 28 etc ", The day(s) on which you are applying for leave are holiday. You need not apply for leave.,"Der Tag (e) , auf dem Sie sich bewerben für Urlaub sind Ferien. Sie müssen nicht, um Urlaub ." -The first Leave Approver in the list will be set as the default Leave Approver,Die erste Leave Approver in der Liste wird als Standard-Leave Approver eingestellt werden +The first Leave Approver in the list will be set as the default Leave Approver,Der erste Urlaubsgenehmiger auf der Liste wird als standardmäßiger Urlaubsgenehmiger festgesetzt The first user will become the System Manager (you can change that later).,"Der erste Benutzer wird der System-Manager (du , dass später ändern können ) ." -The gross weight of the package. Usually net weight + packaging material weight. (for print),Das Bruttogewicht des Pakets. Normalerweise Eigengewicht + Verpackungsmaterial Gewicht. (Zum Drucken) +The gross weight of the package. Usually net weight + packaging material weight. (for print),Das Bruttogewicht des Pakets. Normalerweise Nettogewicht + Gewicht des Verpackungsmaterials (Für den Ausdruck) The name of your company for which you are setting up this system.,"Der Name der Firma, für die Sie die Einrichtung dieses Systems." -The net weight of this package. (calculated automatically as sum of net weight of items),Das Nettogewicht dieses Pakets. (Automatisch als Summe der Netto-Gewicht der Sendungen berechnet) -The new BOM after replacement,Der neue BOM nach dem Austausch -The rate at which Bill Currency is converted into company's base currency,"Die Rate, mit der Bill Währung in Unternehmen Basiswährung umgewandelt wird" +The net weight of this package. (calculated automatically as sum of net weight of items),Das Nettogewicht dieses Pakets. (automatisch als Summe der einzelnen Nettogewichte berechnet) +The new BOM after replacement,Die neue Stückliste nach dem Austausch +The rate at which Bill Currency is converted into company's base currency,"Der Kurs, mit dem die Rechnungswährung in die Basiswährung des Unternehmens umgerechnet wird" The unique id for tracking all recurring invoices. It is generated on submit.,Die eindeutige ID für Tracking alle wiederkehrenden Rechnungen. Es basiert auf einreichen generiert. "Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Dann Preisregeln werden auf Basis von Kunden gefiltert, Kundengruppe, Territory, Lieferant, Lieferant Typ, Kampagne, Vertriebspartner usw." There are more holidays than working days this month.,Es gibt mehr Feiertage als Arbeitstage in diesem Monat. @@ -2982,8 +3141,8 @@ There was an error. One probable reason could be that you haven't saved the form There were errors.,Es gab Fehler . This Currency is disabled. Enable to use in transactions,"Diese Währung ist deaktiviert . Aktivieren, um Transaktionen in" This Leave Application is pending approval. Only the Leave Apporver can update status.,Dieser Urlaubsantrag ist bis zur Genehmigung . Nur das Datum Apporver können Status zu aktualisieren. -This Time Log Batch has been billed.,This Time Log Batch abgerechnet hat. -This Time Log Batch has been cancelled.,This Time Log Batch wurde abgebrochen. +This Time Log Batch has been billed.,Dieser Zeitprotokollstapel wurde abgerechnet. +This Time Log Batch has been cancelled.,Dieser Zeitprotokollstapel wurde abgebrochen. This Time Log conflicts with {0},This Time Log Konflikt mit {0} This format is used if country specific format is not found,"Dieses Format wird verwendet, wenn länderspezifischen Format wird nicht gefunden" This is a root account and cannot be edited.,Dies ist ein Root-Account und können nicht bearbeitet werden. @@ -2992,223 +3151,227 @@ This is a root item group and cannot be edited.,Dies ist ein Stammelement -Grupp This is a root sales person and cannot be edited.,Dies ist ein Root- Verkäufer und können nicht editiert werden . This is a root territory and cannot be edited.,Dies ist ein Root- Gebiet und können nicht bearbeitet werden. This is an example website auto-generated from ERPNext,Dies ist ein Beispiel -Website von ERPNext automatisch generiert -This is the number of the last created transaction with this prefix,Dies ist die Nummer des zuletzt erzeugte Transaktion mit diesem Präfix -This will be used for setting rule in HR module,Dies wird für die Einstellung der Regel im HR-Modul verwendet werden -Thread HTML,Themen HTML +This is the number of the last created transaction with this prefix,Dies ist die Nummer der letzten erstellten Transaktion mit diesem Präfix +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.,"Dieses Tool hilft Ihnen, die Menge und die Bewertung von Bestand im System zu aktualisieren oder zu ändern. Sie wird in der Regel verwendet, um die Systemwerte und den aktuellen Bestand Ihrer Warenlager zu synchronisieren." +This will be used for setting rule in HR module,Dies wird für die Festlegung der Regel im HR-Modul verwendet +Thread HTML,Thread HTML Thursday,Donnerstag -Time Log,Log Zeit -Time Log Batch,Zeit Log Batch -Time Log Batch Detail,Zeit Log Batch Detailansicht -Time Log Batch Details,Zeit Log Chargendetails +Time Log,Zeitprotokoll +Time Log Batch,Zeitprotokollstapel +Time Log Batch Detail,Zeitprotokollstapel-Detail +Time Log Batch Details,Zeitprotokollstapel-Details Time Log Batch {0} must be 'Submitted',"Zeit Log Batch {0} muss "" Eingereicht "" werden" -Time Log Status must be Submitted.,Zeit Protokollstatus vorzulegen. -Time Log for tasks.,Log Zeit für Aufgaben. -Time Log is not billable,Anmelden Zeit ist nicht abrechenbar +Time Log Status must be Submitted.,Status des Zeitprotokolls muss 'Eingereicht/Abgesendet' sein +Time Log for tasks.,Zeitprotokoll für Aufgaben. +Time Log is not billable,Zeitprotokoll ist nicht abrechenbar Time Log {0} must be 'Submitted',"Anmelden Zeit {0} muss "" Eingereicht "" werden" Time Zone,Zeitzone -Time Zones,Time Zones +Time Zones,Zeitzonen Time and Budget,Zeit und Budget -Time at which items were delivered from warehouse,"Zeit, mit dem Gegenstände wurden aus dem Lager geliefert" -Time at which materials were received,"Zeitpunkt, an dem Materialien wurden erhalten" +Time at which items were delivered from warehouse,"Zeitpunkt, zu dem Gegenstände aus dem Lager geliefert wurden" +Time at which materials were received,"Zeitpunkt, zu dem Materialien empfangen wurden" Title,Titel Titles for print templates e.g. Proforma Invoice.,Titel für Druckvorlagen z. B. Proforma-Rechnung . -To,Auf -To Currency,Um Währung -To Date,To Date +To,An +To Currency,In Währung +To Date,Bis dato To Date should be same as From Date for Half Day leave,Bis Datum sollten gleiche wie von Datum für Halbtagesurlaubsein To Date should be within the Fiscal Year. Assuming To Date = {0},"Bis Datum sollte im Geschäftsjahr sein. Unter der Annahme, bis Datum = {0}" -To Discuss,Zu diskutieren -To Do List,To Do List -To Package No.,Um Nr. Paket +To Discuss,Zur Diskussion +To Do List,Aufgabenliste +To Package No.,Bis Paket Nr. To Produce,Um Produzieren -To Time,Um Zeit -To Value,To Value -To Warehouse,Um Warehouse +To Time,Bis Uhrzeit +To Value,Bis Wert +To Warehouse,An Warenlager "To add child nodes, explore tree and click on the node under which you want to add more nodes.","Um geordneten Knoten hinzufügen , erkunden Baum und klicken Sie auf den Knoten , unter dem Sie mehrere Knoten hinzufügen möchten." -"To assign this issue, use the ""Assign"" button in the sidebar.","Um dieses Problem zu zuzuweisen, verwenden Sie die Schaltfläche ""Zuordnen"" in der Seitenleiste." +"To assign this issue, use the ""Assign"" button in the sidebar.","Um dieses Problem zu zuzuweisen, verwenden Sie die Schaltfläche ""Zuweisen"" auf der Seitenleiste." To create a Bank Account,Um ein Bankkonto zu erstellen To create a Tax Account,Um ein Steuerkonto erstellen -"To create an Account Head under a different company, select the company and save customer.","Um ein Konto Kopf unter einem anderen Unternehmen zu erstellen, wählen das Unternehmen und sparen Kunden." +"To create an Account Head under a different company, select the company and save customer.","Um einen Kontenführer unter einem anderen Unternehmen zu erstellen, wählen Sie das Unternehmen aus und speichern Sie den Kunden." To date cannot be before from date,Bis heute kann nicht vor von aktuell sein -To enable Point of Sale features,Zum Point of Sale Funktionen ermöglichen +To enable Point of Sale features,Um Funktionen der Verkaufsstelle zu aktivieren To enable Point of Sale view,Um Point of Sale Ansicht aktivieren -To get Item Group in details table,Zu Artikelnummer Gruppe im Detail Tisch zu bekommen +To get Item Group in details table,So rufen sie eine Artikelgruppe in die Detailtabelle ab "To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Um Steuer in Zeile enthalten {0} in Artikel Rate , Steuern in Reihen {1} müssen ebenfalls enthalten sein" "To merge, following properties must be same for both items","Um mischen können, müssen folgende Eigenschaften für beide Produkte sein" "To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Um Pricing Regel in einer bestimmten Transaktion nicht zu, sollten alle geltenden Preisregeln deaktiviert zu sein." "To set this Fiscal Year as Default, click on 'Set as Default'","Zu diesem Geschäftsjahr als Standard festzulegen, klicken Sie auf "" Als Standard festlegen """ -To track any installation or commissioning related work after sales,Um jegliche Installation oder Inbetriebnahme verwandte Arbeiten After Sales verfolgen +To track any installation or commissioning related work after sales,So verfolgen Sie eine Installation oder eine mit Kommissionierung verbundene Arbeit nach dem Verkauf "To track brand name in the following documents Delivery Note, Opportunity, Material Request, Item, Purchase Order, Purchase Voucher, Purchaser Receipt, Quotation, Sales Invoice, Sales BOM, Sales Order, Serial No","Um Markennamen in der folgenden Dokumente Lieferschein , Gelegenheit, Materialanforderung , Punkt , Bestellung , Einkauf Gutschein , Käufer Beleg, Angebot, Verkaufsrechnung , Vertriebsstückliste, Kundenauftrag, Seriennummer verfolgen" -To track item in sales and purchase documents based on their serial nos. This is can also used to track warranty details of the product.,"Um Artikel in Vertrieb und Einkauf Dokumente auf ihrem Werknummern Basis zu verfolgen. Dies wird auch verwendet, um Details zum Thema Gewährleistung des Produktes zu verfolgen." -To track items in sales and purchase documents with batch nos
Preferred Industry: Chemicals etc,Um Elemente in An-und Verkauf von Dokumenten mit Batch-nos
Preferred Industry verfolgen: Chemicals etc -To track items using barcode. You will be able to enter items in Delivery Note and Sales Invoice by scanning barcode of item.,"Um Objekte mit Barcode verfolgen. Sie werden in der Lage sein, um Elemente in Lieferschein und Sales Invoice durch Scannen Barcode einzusteigen." +To track item in sales and purchase documents based on their serial nos. This is can also used to track warranty details of the product.,"So verfolgen Sie Artikel in Einkaufs-und Verkaufsdokumenten auf der Grundlage ihrer Seriennummern. Diese Funktion kann auch verwendet werden, um die Garantieangaben des Produkts zu verfolgen." +To track items in sales and purchase documents with batch nos
Preferred Industry: Chemicals etc,So verfolgen Sie Artikel in Einkaufs-und Verkaufsdokumenten mit StapelnummernBevorzugte Branche: Chemikalien usw. +To track items using barcode. You will be able to enter items in Delivery Note and Sales Invoice by scanning barcode of item.,So verfolgen Sie Artikel über den Barcode. Durch das Scannen des Artikel-Barcodes können Sie ihn in den Lieferschein und die Rechnung aufnehmen. Too many columns. Export the report and print it using a spreadsheet application.,Zu viele Spalten. Exportieren Sie den Bericht und drucken Sie es mit einem Tabellenkalkulationsprogramm. -Tools,Werkzeuge +Tools,Extras Total,Gesamt Total ({0}),Gesamt ({0}) -Total Advance,Insgesamt Geleistete +Total Advance,Gesamtvoraus Total Amount,Gesamtbetrag -Total Amount To Pay,Insgesamt zu zahlenden Betrag -Total Amount in Words,Insgesamt Betrag in Worten +Total Amount To Pay,Fälliger Gesamtbetrag +Total Amount in Words,Gesamtbetrag in Worten Total Billing This Year: ,Insgesamt Billing Dieses Jahr: Total Characters,Insgesamt Charaktere -Total Claimed Amount,Insgesamt geforderten Betrag -Total Commission,Gesamt Kommission -Total Cost,Total Cost -Total Credit,Insgesamt Kredit -Total Debit,Insgesamt Debit +Total Claimed Amount,Summe des geforderten Betrags +Total Commission,Gesamtbetrag Kommission +Total Cost,Gesamtkosten +Total Credit,Gesamtkredit +Total Debit,Gesamtschuld Total Debit must be equal to Total Credit. The difference is {0},Insgesamt muss Debit gleich Gesamt-Credit ist. -Total Deduction,Insgesamt Abzug -Total Earning,Insgesamt Earning -Total Experience,Total Experience +Total Deduction,Gesamtabzug +Total Earning,Gesamteinnahmen +Total Experience,Intensive Erfahrung Total Hours,Gesamtstunden -Total Hours (Expected),Total Hours (Erwartete) -Total Invoiced Amount,Insgesamt Rechnungsbetrag -Total Leave Days,Insgesamt Leave Tage -Total Leaves Allocated,Insgesamt Leaves Allocated +Total Hours (Expected),Gesamtstunden (erwartet) +Total Invoiced Amount,Gesamtrechnungsbetrag +Total Leave Days,Urlaubstage insgesamt +Total Leaves Allocated,Insgesamt zugewiesene Urlaubstage Total Message(s),Insgesamt Nachricht (en) -Total Operating Cost,Gesamten Betriebskosten -Total Points,Total Points -Total Raw Material Cost,Insgesamt Rohstoffkosten -Total Sanctioned Amount,Insgesamt Sanctioned Betrag -Total Score (Out of 5),Gesamtpunktzahl (von 5) -Total Tax (Company Currency),Total Tax (Gesellschaft Währung) -Total Taxes and Charges,Insgesamt Steuern und Abgaben -Total Taxes and Charges (Company Currency),Insgesamt Steuern und Gebühren (Gesellschaft Währung) +Total Operating Cost,Gesamtbetriebskosten +Total Points,Gesamtpunkte +Total Raw Material Cost,Gesamtkosten für Rohstoffe +Total Sanctioned Amount,Gesamtsumme genehmigter Betrag +Total Score (Out of 5),Gesamtwertung (von 5) +Total Tax (Company Currency),Gesamtsteuerlast (Unternehmenswährung) +Total Taxes and Charges,Steuern und Ausgaben insgesamt +Total Taxes and Charges (Company Currency),Steuern und Ausgaben insgesamt (Unternehmenswährung) Total allocated percentage for sales team should be 100,Insgesamt zugeordnet Prozentsatz für Vertriebsteam sollte 100 sein -Total amount of invoices received from suppliers during the digest period,Gesamtbetrag der erhaltenen Rechnungen von Lieferanten während der Auszugsperiodeninformation -Total amount of invoices sent to the customer during the digest period,Gesamtbetrag der Rechnungen an die Kunden während der Auszugsperiodeninformation +Total amount of invoices received from suppliers during the digest period,Gesamtbetrag der vom Lieferanten während des Berichtszeitraums eingereichten Rechnungen +Total amount of invoices sent to the customer during the digest period,"Gesamtbetrag der Rechnungen, die während des Berichtszeitraums an den Kunden gesendet wurden" Total cannot be zero,Insgesamt darf nicht Null sein -Total in words,Total in Worten +Total in words,Gesamt in Worten Total points for all goals should be 100. It is {0},Gesamtpunkte für alle Ziele sollten 100 sein. Es ist {0} Total valuation for manufactured or repacked item(s) can not be less than total valuation of raw materials,Gesamtbewertungs für hergestellte oder umgepackt Artikel (s) kann nicht kleiner als die Gesamt Bewertung der Rohstoffe sein Total weightage assigned should be 100%. It is {0},Insgesamt Gewichtung zugeordnet sollte 100 % sein. Es ist {0} -Totals,Totals +Totals,Gesamtsummen Track Leads by Industry Type.,Spur führt nach Branche Typ . -Track this Delivery Note against any Project,Verfolgen Sie diesen Lieferschein gegen Projekt -Track this Sales Order against any Project,Verfolgen Sie diesen Kundenauftrag gegen Projekt +Track separate Income and Expense for product verticals or divisions.,Einnahmen und Ausgaben für Produktbereiche oder Abteilungen separat verfolgen. +Track this Delivery Note against any Project,Diesen Lieferschein für jedes Projekt nachverfolgen +Track this Sales Order against any Project,Diesen Kundenauftrag für jedes Projekt nachverfolgen Transaction,Transaktion -Transaction Date,Transaction Datum +Transaction Date,Transaktionsdatum Transaction not allowed against stopped Production Order {0},Transaktion nicht gegen gestoppt Fertigungsauftrag erlaubt {0} -Transfer,Übertragen +Transfer,Übertragung Transfer Material,Transfermaterial Transfer Raw Materials,Übertragen Rohstoffe Transferred Qty,Die übertragenen Menge Transportation,Transport -Transporter Info,Transporter Info -Transporter Name,Transporter Namen -Transporter lorry number,Transporter Lkw-Zahl +Transporter Info,Informationen zum Transportunternehmer +Transporter Name,Name des Transportunternehmers +Transporter lorry number,LKW-Nr. des Transportunternehmers Travel,Reise Travel Expenses,Reisekosten Tree Type,Baum- Typ Tree of Item Groups.,Baum der Artikelgruppen . Tree of finanial Cost Centers.,Baum des finanial Kostenstellen . Tree of finanial accounts.,Baum des finanial Konten. -Trial Balance,Rohbilanz +Trial Balance,Allgemeine Kontenbilanz Tuesday,Dienstag Type,Typ Type of document to rename.,Art des Dokuments umbenennen. -"Type of leaves like casual, sick etc.","Art der Blätter wie beiläufig, krank usw." -Types of Expense Claim.,Arten von Expense Anspruch. -Types of activities for Time Sheets,Arten von Aktivitäten für Time Sheets +"Type of leaves like casual, sick etc.","Grund für Beurlaubung, wie Urlaub, krank usw." +Types of Expense Claim.,Spesenabrechnungstypen +Types of activities for Time Sheets,Art der Aktivität für Tätigkeitsnachweis "Types of employment (permanent, contract, intern etc.).","Art der Beschäftigung (permanent , Vertrag, Praktikanten etc.)." -UOM Conversion Detail,UOM Conversion Details -UOM Conversion Details,UOM Conversion Einzelheiten -UOM Conversion Factor,UOM Umrechnungsfaktor +UOM Conversion Detail,ME-Umrechnung Detail +UOM Conversion Details,ME-Umrechnung Details +UOM Conversion Factor,ME-Umrechnungsfaktor UOM Conversion factor is required in row {0},Verpackung Umrechnungsfaktor wird in der Zeile erforderlich {0} -UOM Name,UOM Namen +UOM Name,ME-Namen UOM coversion factor required for UOM: {0} in Item: {1},Verpackung coverFaktor für Verpackung benötigt: {0} in Item: {1} Under AMC,Unter AMC -Under Graduate,Unter Graduate +Under Graduate,Schulabgänger Under Warranty,Unter Garantie Unit,Einheit Unit of Measure,Maßeinheit Unit of Measure {0} has been entered more than once in Conversion Factor Table,Maßeinheit {0} hat mehr als einmal in Umrechnungsfaktor Tabelle eingetragen -"Unit of measurement of this item (e.g. Kg, Unit, No, Pair).","Maßeinheit für diesen Artikel (zB kg, Einheit, Nein, Pair)." -Units/Hour,Einheiten / Stunde -Units/Shifts,Units / Shifts -Unpaid,Unbezahlte +"Unit of measurement of this item (e.g. Kg, Unit, No, Pair).","Maßeinheit für diesen Artikel (z.B. Kg, Einheit, Nein, Paar)." +Units/Hour,Einheiten/Stunde +Units/Shifts,Einheiten/Schichten +Unpaid,Unbezahlt Unreconciled Payment Details,Nicht abgestimmte Zahlungsdetails Unscheduled,Außerplanmäßig Unsecured Loans,Unbesicherte Kredite Unstop,aufmachen Unstop Material Request,Unstop -Material anfordern Unstop Purchase Order,Unstop Bestellung -Unsubscribed,Unsubscribed -Update,Aktualisieren -Update Clearance Date,Aktualisieren Restposten Datum +Unsubscribed,Abgemeldet +Update,Aktualisierung +Update Clearance Date,Tilgungsdatum aktualisieren Update Cost,Update- Kosten Update Finished Goods,Aktualisieren Fertigwaren -Update Landed Cost,Aktualisieren Landed Cost -Update Series,Update Series -Update Series Number,Update Series Number -Update Stock,Aktualisieren Lager -Update bank payment dates with journals.,Update Bank Zahlungstermine mit Zeitschriften. +Update Series,Serie aktualisieren +Update Series Number,Seriennummer aktualisieren +Update Stock,Lagerbestand aktualisieren +Update additional costs to calculate landed cost of items, +Update bank payment dates with journals.,Aktualisieren Sie die Zahlungstermine anhand der Journale. Update clearance date of Journal Entries marked as 'Bank Vouchers',"Update- Clearance Datum der Journaleinträge als ""Bank Gutscheine 'gekennzeichnet" Updated,Aktualisiert Updated Birthday Reminders,Aktualisiert Geburtstagserinnerungen -Upload Attendance,Hochladen Teilnahme -Upload Backups to Dropbox,Backups auf Dropbox hochladen -Upload Backups to Google Drive,Laden Sie Backups auf Google Drive -Upload HTML,Hochladen HTML -Upload a .csv file with two columns: the old name and the new name. Max 500 rows.,Laden Sie eine CSV-Datei mit zwei Spalten:. Den alten Namen und der neue Name. Max 500 Zeilen. -Upload attendance from a .csv file,Fotogalerie Besuch aus einer. Csv-Datei -Upload stock balance via csv.,Hochladen Bestandsliste über csv. +Upload Attendance,Teilnahme hochladen +Upload Backups to Dropbox,Backups in Dropbox hochladen +Upload Backups to Google Drive,Backups auf Google Drive hochladen +Upload HTML,Upload-HTML +Upload a .csv file with two columns: the old name and the new name. Max 500 rows.,"Laden Sie eine CSV-Datei mit zwei Spalten hoch: In der einen der alte, in der anderen der neue Name. Höchstens 500 Zeilen." +Upload attendance from a .csv file,Teilnahme aus  einer CSV-Datei hochladen +Upload stock balance via csv.,Bestandsbilanz über CSV hochladen Upload your letter head and logo - you can edit them later.,Laden Sie Ihr Briefkopf und Logo - Sie können sie später zu bearbeiten. -Upper Income,Obere Income +Upper Income,Oberes Einkommen Urgent,Dringend -Use Multi-Level BOM,Verwenden Sie Multi-Level BOM -Use SSL,Verwenden Sie SSL +Use Multi-Level BOM,Mehrstufige Stückliste verwenden +Use SSL,SSL verwenden Used for Production Plan,Wird für Produktionsplan User,Benutzer -User ID,Benutzer-ID +User ID,Benutzerkennung User ID not set for Employee {0},Benutzer-ID nicht für Mitarbeiter eingestellt {0} -User Name,User Name +User Name,Benutzername User Name or Support Password missing. Please enter and try again.,Benutzername oder Passwort -Unterstützung fehlt. Bitte geben Sie und versuchen Sie es erneut . -User Remark,Benutzer Bemerkung -User Remark will be added to Auto Remark,Benutzer Bemerkung auf Auto Bemerkung hinzugefügt werden +User Remark,Benutzerbemerkung +User Remark will be added to Auto Remark,Benutzerbemerkung wird der automatischen Bemerkung hinzugefügt User Remarks is mandatory,Benutzer Bemerkungen ist obligatorisch User Specific,Benutzerspezifisch -User must always select,Der Benutzer muss immer wählen +User must always select,Benutzer muss immer auswählen User {0} is already assigned to Employee {1},Benutzer {0} ist bereits an Mitarbeiter zugewiesen {1} User {0} is disabled,Benutzer {0} ist deaktiviert Username,Benutzername +Users who can approve a specific employee's leave applications,"Benutzer, die die Urlaubsanträge eines bestimmten Mitarbeiters genehmigen können" Users with this role are allowed to create / modify accounting entry before frozen date,Benutzer mit dieser Rolle sind erlaubt zu erstellen / Verbuchung vor gefrorenen Datum ändern Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Benutzer mit dieser Rolle erlaubt sind auf eingefrorenen Konten setzen und / Buchungen gegen eingefrorene Konten ändern Utilities,Dienstprogramme Utility Expenses,Utility- Aufwendungen -Valid For Territories,Gültig für Territories +Valid For Territories,Gültig für Regionen Valid From,Gültig ab -Valid Upto,Gültig Bis -Valid for Territories,Gültig für Territories -Validate,Bestätigen +Valid Upto,Gültig bis +Valid for Territories,Gültig für Regionen +Validate,Prüfen Valuation,Bewertung -Valuation Method,Valuation Method -Valuation Rate,Valuation bewerten +Valuation Method,Bewertungsmethode +Valuation Rate,Bewertungsrate Valuation Rate required for Item {0},Artikel für erforderlich Bewertungs Bewerten {0} -Valuation and Total,Bewertung und insgesamt +Valuation and Total,Bewertung und Gesamt Value,Wert Value or Qty,Wert oder Menge -Vehicle Dispatch Date,Fahrzeug Versanddatum -Vehicle No,Kein Fahrzeug +Vehicle Dispatch Date,Fahrzeugversanddatum +Vehicle No,Fahrzeug Nr. Venture Capital,Risikokapital -Verified By,Verified By +Verified By,Geprüft durch +View Details, View Ledger,Ansicht Ledger View Now,Jetzt ansehen -Visit report for maintenance call.,Bericht über den Besuch für die Wartung Anruf. +Visit report for maintenance call.,Besuchsbericht für Wartungsabruf. Voucher #,Gutschein # -Voucher Detail No,Gutschein Detailaufnahme +Voucher Detail No,Gutscheindetail Nr. Voucher Detail Number,Gutschein Detail Anzahl -Voucher ID,Gutschein ID -Voucher No,Gutschein Nein -Voucher Type,Gutschein Type -Voucher Type and Date,Gutschein Art und Datum -Walk In,Walk In -Warehouse,Lager -Warehouse Contact Info,Warehouse Kontakt Info -Warehouse Detail,Warehouse Details -Warehouse Name,Warehouse Namen -Warehouse and Reference,Warehouse und Referenz +Voucher ID,Gutschein-ID +Voucher No,Gutscheinnr. +Voucher Type,Gutscheintyp +Voucher Type and Date,Art und Datum des Gutscheins +Walk In,Hereinspazieren +Warehouse,Warenlager +Warehouse Contact Info,Kontaktinformation Warenlager +Warehouse Detail,Detail Warenlager +Warehouse Name,Warenlagername +Warehouse and Reference,Warenlager und Referenz Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"Warehouse kann nicht gelöscht werden, da Aktienbuch Eintrag für diese Lager gibt." Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Warehouse kann nur über Lizenz Entry / Lieferschein / Kaufbeleg geändert werden Warehouse cannot be changed for Serial No.,Warehouse kann nicht für Seriennummer geändert werden @@ -3216,88 +3379,88 @@ Warehouse is mandatory for stock Item {0} in row {1},Warehouse ist für Lager Ar Warehouse is missing in Purchase Order,Warehouse ist in der Bestellung fehlen Warehouse not found in the system,Warehouse im System nicht gefunden Warehouse required for stock Item {0},Lagerhaus Lager Artikel erforderlich {0} -Warehouse where you are maintaining stock of rejected items,"Warehouse, wo Sie erhalten Bestand abgelehnt Elemente werden" +Warehouse where you are maintaining stock of rejected items,"Warenlager, in dem Sie Bestand oder abgelehnte Artikel lagern" Warehouse {0} can not be deleted as quantity exists for Item {1},"Warehouse {0} kann nicht gelöscht werden, Menge für Artikel existiert {1}" Warehouse {0} does not belong to company {1},Warehouse {0} ist nicht gehören Unternehmen {1} Warehouse {0} does not exist,Warehouse {0} existiert nicht Warehouse {0}: Company is mandatory,Warehouse {0}: Unternehmen ist obligatorisch Warehouse {0}: Parent account {1} does not bolong to the company {2},Warehouse {0}: Eltern-Konto {1} nicht Bolong an die Firma {2} -Warehouse-Wise Stock Balance,Warehouse-Wise Bestandsliste -Warehouse-wise Item Reorder,Warehouse-weise Artikel Reorder -Warehouses,Gewerberäume +Warehouse-Wise Stock Balance,Warenlagerweise Bestandsbilanz +Warehouse-wise Item Reorder,Warenlagerweise Artikelaufzeichnung +Warehouses,Warenlager Warehouses.,Gewerberäume . Warn,Warnen -Warning: Leave application contains following block dates,Achtung: Leave Anwendung enthält folgende Block Termine +Warning: Leave application contains following block dates,Achtung: Die Urlaubsanwendung enthält die folgenden gesperrten Daten Warning: Material Requested Qty is less than Minimum Order Qty,Achtung : Material Gewünschte Menge weniger als Mindestbestellmengeist Warning: Sales Order {0} already exists against same Purchase Order number,Warnung: Sales Order {0} gegen gleiche Auftragsnummer ist bereits vorhanden Warning: System will not check overbilling since amount for Item {0} in {1} is zero,"Achtung: Das System wird nicht zu überprüfen, da überhöhte Betrag für Artikel {0} in {1} Null" -Warranty / AMC Details,Garantie / AMC Einzelheiten +Warranty / AMC Details,Garantie / AMC-Details Warranty / AMC Status,Garantie / AMC-Status -Warranty Expiry Date,Garantie Ablaufdatum -Warranty Period (Days),Garantiezeitraum (Tage) -Warranty Period (in days),Gewährleistungsfrist (in Tagen) +Warranty Expiry Date,Garantieablaufdatum +Warranty Period (Days),Gewährleistungsfrist +Warranty Period (in days),Garantiezeitraum (in Tagen) We buy this Item,Wir kaufen Artikel We sell this Item,Wir verkaufen Artikel Website,Webseite -Website Description,Website Beschreibung -Website Item Group,Website-Elementgruppe -Website Item Groups,Website Artikelgruppen -Website Settings,Website-Einstellungen -Website Warehouse,Website Warehouse +Website Description,Website Beschreibung +Website Item Group,Webseite Artikelgruppe +Website Item Groups,Webseite Artikelgruppen +Website Manager, +Website Settings,Webseiteneinstellungen +Website Warehouse,Webseite Warenlager Wednesday,Mittwoch Weekly,Wöchentlich -Weekly Off,Wöchentliche Off -Weight UOM,Gewicht UOM +Weekly Off,Wöchentlich frei +Weight UOM,Gewicht ME "Weight is mentioned,\nPlease mention ""Weight UOM"" too","Das Gewicht wird erwähnt, \ nBitte erwähnen "" Gewicht Verpackung "" zu" Weightage,Gewichtung Weightage (%),Gewichtung (%) -Welcome,willkommen +Welcome,Willkommen Welcome to ERPNext. Over the next few minutes we will help you setup your ERPNext account. Try and fill in as much information as you have even if it takes a bit longer. It will save you a lot of time later. Good Luck!,"Willkommen auf ERPNext . In den nächsten Minuten werden wir Ihnen helfen, Ihre Setup ERPNext Konto. Versuchen Sie, und füllen Sie so viele Informationen wie Sie haben , auch wenn es etwas länger dauert . Es wird Ihnen eine Menge Zeit später. Viel Glück!" Welcome to ERPNext. Please select your language to begin the Setup Wizard.,"Willkommen auf ERPNext . Bitte wählen Sie Ihre Sprache , um den Setup-Assistenten zu starten." What does it do?,Was macht sie? -"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.","Wenn eine der überprüften Transaktionen werden ""Eingereicht"", ein E-Mail-pop-up automatisch geöffnet, um eine E-Mail mit dem zugehörigen ""Kontakt"" in dieser Transaktion zu senden, mit der Transaktion als Anhang. Der Benutzer kann oder nicht-Mail senden." +"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.","Wenn eine der geprüften Transaktionen den Status ""Abgesendet/Eingereicht"" hat, wird automatisch eine Popup-E-Mail geöffnet, damit die Transaktion als Anhang per E-Mail an den zugeordneten ""Kontakt"" dieser Transaktion gesendet werden kann.  Der Benutzer kann diese E-Mail absenden oder nicht." "When submitted, the system creates difference entries to set the given stock and valuation on this date.","Wenn vorgelegt , erstellt das System Unterschied Einträge, um die Lager -und Bewertungs gegeben an diesem Tag eingestellt ." -Where items are stored.,Wo Elemente gespeichert werden. -Where manufacturing operations are carried out.,Wo Herstellungsvorgänge werden durchgeführt. -Widowed,Verwitwet +Where items are stored.,Wo Artikel gelagert werden. +Where manufacturing operations are carried out.,Wo Herstellungsvorgänge durchgeführt werden. +Widowed,Verwaist Will be calculated automatically when you enter the details,"Wird automatisch berechnet, wenn Sie die Daten eingeben" -Will be updated after Sales Invoice is Submitted.,Wird aktualisiert After-Sales-Rechnung vorgelegt werden. -Will be updated when batched.,"Wird aktualisiert, wenn dosiert werden." +Will be updated after Sales Invoice is Submitted.,"Wird aktualisiert, nachdem die Verkaufsrechnung eingereicht wird." +Will be updated when batched.,"Wird aktualisiert, wenn Stapel erstellt werden." Will be updated when billed.,"Wird aktualisiert, wenn in Rechnung gestellt." Wire Transfer,Überweisung -With Operations,Mit Operations -With Period Closing Entry,Mit Periode Schluss Eintrag -Work Details,Werk Details -Work Done,Arbeit -Work In Progress,Work In Progress -Work-in-Progress Warehouse,Work-in-Progress Warehouse +With Operations,Mit Vorgängen +Work Details,Arbeitsdetails +Work Done,Erledigte Arbeit +Work In Progress,Laufende Arbeiten +Work-in-Progress Warehouse,Warenlager laufende Arbeit Work-in-Progress Warehouse is required before Submit,"Arbeit - in -Progress Warehouse erforderlich ist, bevor abschicken" Working,Arbeit Working Days,Arbeitstage -Workstation,Arbeitsplatz +Workstation,Arbeitsstation Workstation Name,Name der Arbeitsstation -Write Off Account,Write Off Konto -Write Off Amount,Write Off Betrag -Write Off Amount <=,Write Off Betrag <= -Write Off Based On,Write Off Based On -Write Off Cost Center,Write Off Kostenstellenrechnung -Write Off Outstanding Amount,Write Off ausstehenden Betrag -Write Off Voucher,Write Off Gutschein -Wrong Template: Unable to find head row.,Falsche Vorlage: Kann Kopfzeile zu finden. +Write Off Account,"Abschreiben, Konto" +Write Off Amount,"Abschreiben, Betrag" +Write Off Amount <=,"Abschreiben, Betrag <=" +Write Off Based On,Abschreiben basiert auf +Write Off Cost Center,"Abschreiben, Kostenstelle" +Write Off Outstanding Amount,"Abschreiben, ausstehender Betrag" +Write Off Voucher,"Abschreiben, Gutschein" +Wrong Template: Unable to find head row.,Falsche Vorlage: Kopfzeile nicht gefunden Year,Jahr Year Closed,Jahr geschlossen Year End Date,Year End Datum -Year Name,Jahr Name -Year Start Date,Jahr Startdatum -Year of Passing,Jahr der Übergabe +Year Name,Name des Jahrs +Year Start Date,Startdatum des Jahrs +Year of Passing,Jahr des Übergangs Yearly,Jährlich Yes,Ja You are not authorized to add or update entries before {0},"Sie sind nicht berechtigt , um Einträge hinzuzufügen oder zu aktualisieren , bevor {0}" You are not authorized to set Frozen value,"Sie sind nicht berechtigt, Gefrorene Wert eingestellt" You are the Expense Approver for this record. Please Update the 'Status' and Save,Sie sind der Kosten Genehmiger für diesen Datensatz . Bitte aktualisiere den 'Status' und Sparen You are the Leave Approver for this record. Please Update the 'Status' and Save,Sie sind der Leave Genehmiger für diesen Datensatz . Bitte aktualisiere den 'Status' und Sparen -You can enter any date manually,Sie können ein beliebiges Datum manuell eingeben -You can enter the minimum quantity of this item to be ordered.,Sie können die minimale Menge von diesem Artikel bestellt werden. +You can enter any date manually,Sie können jedes Datum manuell eingeben +You can enter the minimum quantity of this item to be ordered.,"Sie können die Mindestmenge dieses Artikels eingeben, die bestellt werden soll." You can not change rate if BOM mentioned agianst any item,"Sie können Rate nicht ändern, wenn BOM agianst jeden Artikel erwähnt" You can not enter both Delivery Note No and Sales Invoice No. Please enter any one.,Sie können nicht sowohl Lieferschein Nein und Sales Invoice Nr. Bitte geben Sie eine beliebige . You can not enter current voucher in 'Against Journal Voucher' column,"Sie können keine aktuellen Gutschein in ""Gegen Blatt Gutschein -Spalte" @@ -3309,7 +3472,7 @@ You cannot credit and debit same account at the same time,Sie können keine Kred You have entered duplicate items. Please rectify and try again.,Sie haben doppelte Elemente eingetragen. Bitte korrigieren und versuchen Sie es erneut . You may need to update: {0},Sie müssen möglicherweise aktualisiert werden: {0} You must Save the form before proceeding,"Sie müssen das Formular , bevor Sie speichern" -Your Customer's TAX registration numbers (if applicable) or any general information,Ihre Kunden TAX Kennzeichen (falls zutreffend) oder allgemeine Informationen +Your Customer's TAX registration numbers (if applicable) or any general information,Steuernummern Ihres Kunden (falls zutreffend) oder allgemeine Informationen Your Customers,Ihre Kunden Your Login Id,Ihre Login-ID Your Products or Services,Ihre Produkte oder Dienstleistungen @@ -3317,41 +3480,46 @@ Your Suppliers,Ihre Lieferanten Your email address,Ihre E-Mail -Adresse Your financial year begins on,Ihr Geschäftsjahr beginnt am Your financial year ends on,Ihr Geschäftsjahr endet am -Your sales person who will contact the customer in future,"Ihr Umsatz Person, die die Kunden in Zukunft in Verbindung setzen" -Your sales person will get a reminder on this date to contact the customer,"Ihre Vertriebsmitarbeiter erhalten eine Erinnerung an diesem Tag, um den Kunden an" +Your sales person who will contact the customer in future,"Ihr Vertriebsmitarbeiter, der den Kunden in Zukunft kontaktiert" +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" Your setup is complete. Refreshing...,Ihre Einrichtung ist abgeschlossen. Erfrischend ... -Your support email id - must be a valid email - this is where your emails will come!,"Ihre Unterstützung email id - muss eine gültige E-Mail-sein - das ist, wo Ihre E-Mails wird kommen!" -[Error],[Fehler] +Your support email id - must be a valid email - this is where your emails will come!,Ihre Support-E-Mail-ID - muss eine gültige E-Mail sein. An diese Adresse erhalten Sie Ihre E-Mails! +[Error],[Error] [Select],[Select ] `Freeze Stocks Older Than` should be smaller than %d days.,`Frost Stocks Älter als ` sollte kleiner als% d Tage. and,und are not allowed.,sind nicht erlaubt. -assigned by,zugewiesen durch -cannot be greater than 100,nicht größer als 100 sein +assigned by,zugewiesen von +cannot be greater than 100,darf nicht größer als 100 sein "e.g. ""Build tools for builders""","z.B. ""Build -Tools für Bauherren """ "e.g. ""MC""","z.B. ""MC""" "e.g. ""My Company LLC""","z.B. "" My Company LLC""" e.g. 5,z.B. 5 "e.g. Bank, Cash, Credit Card","z.B. Bank, Bargeld, Kreditkarte" -"e.g. Kg, Unit, Nos, m","z.B. Kg, Einheit, Nos, m" +"e.g. Kg, Unit, Nos, m","z.B. Kg, Einheit, Nr, m" e.g. VAT,z.B. Mehrwertsteuer -eg. Cheque Number,zB. Scheck-Nummer +eg. Cheque Number,z. B. Schecknummer example: Next Day Shipping,Beispiel: Versand am nächsten Tag -lft,lft +fold, +hidden, +hours, +lft,li old_parent,old_parent -rgt,rgt +rgt,Rt subject,Betreff -to,auf +to,bis website page link,Website-Link {0} '{1}' not in Fiscal Year {2},{0} ' {1}' nicht im Geschäftsjahr {2} -{0} Credit limit {0} crossed,{0} Kreditlimit {0} gekreuzt +{0} Credit limit {1} crossed, {0} Serial Numbers required for Item {0}. Only {0} provided.,{0} Seriennummern für Artikel erforderlich {0}. Nur {0} ist. {0} budget for Account {1} against Cost Center {2} will exceed by {3},{0} Budget für Konto {1} gegen Kostenstelle {2} wird von {3} überschreiten {0} can not be negative,{0} kann nicht negativ sein {0} created,{0} erstellt +{0} days from {1}, {0} does not belong to Company {1},{0} ist nicht auf Unternehmen gehören {1} {0} entered twice in Item Tax,{0} trat zweimal in Artikel Tax -{0} is an invalid email address in 'Notification Email Address',{0} ist eine ungültige E-Mail- Adresse in 'Benachrichtigung per E-Mail -Adresse' +"{0} is an invalid email address in 'Notification \ + Email Address'", {0} is mandatory,{0} ist obligatorisch {0} is mandatory for Item {1},{0} Artikel ist obligatorisch für {1} {0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} ist obligatorisch. Vielleicht Devisenwechsel Datensatz nicht für {1} bis {2} erstellt. From 4211aa41a0436603fecaeee7b21efde061022368 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Thu, 4 Sep 2014 15:16:13 +0530 Subject: [PATCH 615/630] [hotfix] Product Search 'More' button --- erpnext/templates/pages/product_search.html | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/erpnext/templates/pages/product_search.html b/erpnext/templates/pages/product_search.html index 8e57cb5c0e..8c0a8e4737 100644 --- a/erpnext/templates/pages/product_search.html +++ b/erpnext/templates/pages/product_search.html @@ -19,15 +19,15 @@ $(document).ready(function() {

Search Results

- +
-
{% endblock %} -{% block sidebar %}{% include "templates/includes/sidebar.html" %}{% endblock %} \ No newline at end of file +{% block sidebar %}{% include "templates/includes/sidebar.html" %}{% endblock %} From 629e51a8e95435055dd90956f9f6eed4f3f8f213 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Wed, 3 Sep 2014 11:02:24 +0530 Subject: [PATCH 616/630] Search field fixed in stock entry --- erpnext/stock/doctype/stock_entry/stock_entry.json | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.json b/erpnext/stock/doctype/stock_entry/stock_entry.json index 9edb815fd5..5e637940f6 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry.json +++ b/erpnext/stock/doctype/stock_entry/stock_entry.json @@ -1,5 +1,5 @@ { - "allow_copy": 0, + "allow_copy": 0, "allow_import": 1, "allow_rename": 0, "autoname": "naming_series:", @@ -577,7 +577,7 @@ "is_submittable": 1, "issingle": 0, "max_attachments": 0, - "modified": "2014-08-12 05:24:41.892586", + "modified": "2014-09-03 11:01:23.159584", "modified_by": "Administrator", "module": "Stock", "name": "Stock Entry", @@ -644,7 +644,7 @@ ], "read_only": 0, "read_only_onload": 0, - "search_fields": "transfer_date, from_warehouse, to_warehouse, purpose, remarks", + "search_fields": "posting_date, from_warehouse, to_warehouse, purpose, remarks", "sort_field": "modified", "sort_order": "DESC" } \ No newline at end of file From 0f798dda15954396a2466b1e577363bf3001e3e8 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Thu, 4 Sep 2014 15:18:53 +0530 Subject: [PATCH 617/630] Valuation rate for finished goods in repack entries --- erpnext/stock/doctype/stock_entry/stock_entry.py | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.py b/erpnext/stock/doctype/stock_entry/stock_entry.py index e4bab8eaf2..cda88a90bb 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry.py +++ b/erpnext/stock/doctype/stock_entry/stock_entry.py @@ -243,12 +243,12 @@ class StockEntry(StockController): d.incoming_rate = incoming_rate d.amount = flt(d.transfer_qty) * flt(d.incoming_rate) - raw_material_cost += flt(d.amount) + if not d.t_warehouse: + raw_material_cost += flt(d.amount) # set incoming rate for fg item if self.purpose == "Manufacture/Repack": - number_of_fg_items = len([t.t_warehouse for t in self.get("mtn_details")]) - + number_of_fg_items = len([t.t_warehouse for t in self.get("mtn_details") if t.t_warehouse]) for d in self.get("mtn_details"): if d.bom_no or (d.t_warehouse and number_of_fg_items == 1): if not flt(d.incoming_rate) or force: From 84f0cc66142d9295e8110d9720247c079f15346c Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Thu, 4 Sep 2014 15:21:30 +0530 Subject: [PATCH 618/630] Dont show opening entries in Bank reconciliation --- .../doctype/bank_reconciliation/bank_reconciliation.py | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py b/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py index a4118989b0..2838afab88 100644 --- a/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +++ b/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py @@ -24,7 +24,8 @@ class BankReconciliation(Document): `tabJournal Voucher` t1, `tabJournal Voucher Detail` t2 where t2.parent = t1.name and t2.account = %s - and t1.posting_date >= %s and t1.posting_date <= %s and t1.docstatus=1 %s""" % + and t1.posting_date >= %s and t1.posting_date <= %s and t1.docstatus=1 + and ifnull(t1.is_opening, 'No') = 'No' %s""" % ('%s', '%s', '%s', condition), (self.bank_account, self.from_date, self.to_date), as_dict=1) self.set('entries', []) From d42326bf436f7f4e7d6cd2cae2ce08fcb4c76b61 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Fri, 5 Sep 2014 11:20:10 +0530 Subject: [PATCH 619/630] [hotfix] hooks - recurring order --- erpnext/hooks.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/hooks.py b/erpnext/hooks.py index b9e8451f18..67a697bedf 100644 --- a/erpnext/hooks.py +++ b/erpnext/hooks.py @@ -64,7 +64,7 @@ scheduler_events = { "erpnext.selling.doctype.lead.get_leads.get_leads" ], "daily": [ - "erpnext.controllers.recurring_document.create_recurring_documents" + "erpnext.controllers.recurring_document.create_recurring_documents", "erpnext.stock.utils.reorder_item", "erpnext.setup.doctype.email_digest.email_digest.send", "erpnext.support.doctype.support_ticket.support_ticket.auto_close_tickets" From 0b74b6d98c4fe3d344e61f92c67fe93a3c9a7ad6 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Fri, 5 Sep 2014 14:41:53 +0530 Subject: [PATCH 620/630] [fix] Validate Expense Approver --- erpnext/hr/doctype/expense_claim/expense_claim.js | 2 +- erpnext/hr/doctype/expense_claim/expense_claim.py | 9 +++++++++ .../hr/doctype/leave_application/leave_application.py | 4 ++-- 3 files changed, 12 insertions(+), 3 deletions(-) diff --git a/erpnext/hr/doctype/expense_claim/expense_claim.js b/erpnext/hr/doctype/expense_claim/expense_claim.js index 70984458f7..a4ba2eb7bf 100644 --- a/erpnext/hr/doctype/expense_claim/expense_claim.js +++ b/erpnext/hr/doctype/expense_claim/expense_claim.js @@ -80,7 +80,7 @@ cur_frm.cscript.refresh = function(doc,cdt,cdn){ cur_frm.cscript.set_help(doc); if(!doc.__islocal) { - cur_frm.toggle_enable("exp_approver", (doc.owner==user && doc.approval_status=="Draft")); + cur_frm.toggle_enable("exp_approver", doc.approval_status=="Draft"); cur_frm.toggle_enable("approval_status", (doc.exp_approver==user && doc.docstatus==0)); if(!doc.__islocal && user!=doc.exp_approver) diff --git a/erpnext/hr/doctype/expense_claim/expense_claim.py b/erpnext/hr/doctype/expense_claim/expense_claim.py index fda3cf6aed..560ee02900 100644 --- a/erpnext/hr/doctype/expense_claim/expense_claim.py +++ b/erpnext/hr/doctype/expense_claim/expense_claim.py @@ -4,13 +4,17 @@ from __future__ import unicode_literals import frappe from frappe import _ +from frappe.utils import get_fullname from frappe.model.document import Document from erpnext.hr.utils import set_employee_name +class InvalidExpenseApproverError(frappe.ValidationError): pass + class ExpenseClaim(Document): def validate(self): self.validate_fiscal_year() self.validate_exp_details() + self.validate_expense_approver() set_employee_name(self) def on_submit(self): @@ -24,3 +28,8 @@ class ExpenseClaim(Document): def validate_exp_details(self): if not self.get('expense_voucher_details'): frappe.throw(_("Please add expense voucher details")) + + def validate_expense_approver(self): + if self.exp_approver and "Expense Approver" not in frappe.get_roles(self.exp_approver): + frappe.throw(_("{0} ({1}) must have role 'Expense Approver'")\ + .format(get_fullname(self.exp_approver), self.exp_approver), InvalidExpenseApproverError) diff --git a/erpnext/hr/doctype/leave_application/leave_application.py b/erpnext/hr/doctype/leave_application/leave_application.py index 32c4443261..1751eb128d 100755 --- a/erpnext/hr/doctype/leave_application/leave_application.py +++ b/erpnext/hr/doctype/leave_application/leave_application.py @@ -162,8 +162,8 @@ class LeaveApplication(Document): elif self.leave_approver and not frappe.db.sql("""select name from `tabUserRole` where parent=%s and role='Leave Approver'""", self.leave_approver): - frappe.throw(_("{0} must have role 'Leave Approver'").format(get_fullname(self.leave_approver)), - InvalidLeaveApproverError) + frappe.throw(_("{0} ({1}) must have role 'Leave Approver'")\ + .format(get_fullname(self.leave_approver), self.leave_approver), InvalidLeaveApproverError) elif self.docstatus==1 and len(leave_approvers) and self.leave_approver != frappe.session.user: msgprint(_("Only the selected Leave Approver can submit this Leave Application"), From 91fb661d12ff79566ff9d984373b629e075d9445 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Fri, 5 Sep 2014 14:56:05 +0530 Subject: [PATCH 621/630] minor fixes --- erpnext/accounts/doctype/c_form/c_form.json | 279 ++++++++++---------- erpnext/controllers/recurring_document.py | 17 +- 2 files changed, 146 insertions(+), 150 deletions(-) diff --git a/erpnext/accounts/doctype/c_form/c_form.json b/erpnext/accounts/doctype/c_form/c_form.json index ca0ac3a7f7..0fa6635b13 100644 --- a/erpnext/accounts/doctype/c_form/c_form.json +++ b/erpnext/accounts/doctype/c_form/c_form.json @@ -1,181 +1,182 @@ { - "autoname": "naming_series:", - "creation": "2013-03-07 11:55:06", - "docstatus": 0, - "doctype": "DocType", + "allow_import": 1, + "autoname": "naming_series:", + "creation": "2013-03-07 11:55:06", + "docstatus": 0, + "doctype": "DocType", "fields": [ { - "fieldname": "column_break0", - "fieldtype": "Column Break", - "permlevel": 0, - "print_width": "50%", - "read_only": 0, + "fieldname": "column_break0", + "fieldtype": "Column Break", + "permlevel": 0, + "print_width": "50%", + "read_only": 0, "width": "50%" - }, + }, { - "fieldname": "naming_series", - "fieldtype": "Select", - "label": "Series", - "options": "C-FORM-", - "permlevel": 0, - "read_only": 0, + "fieldname": "naming_series", + "fieldtype": "Select", + "label": "Series", + "options": "C-FORM-", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "fieldname": "c_form_no", - "fieldtype": "Data", - "in_list_view": 1, - "label": "C-Form No", - "permlevel": 0, - "read_only": 0, + "fieldname": "c_form_no", + "fieldtype": "Data", + "in_list_view": 1, + "label": "C-Form No", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "fieldname": "received_date", - "fieldtype": "Date", - "in_list_view": 1, - "label": "Received Date", - "permlevel": 0, - "read_only": 0, + "fieldname": "received_date", + "fieldtype": "Date", + "in_list_view": 1, + "label": "Received Date", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "fieldname": "customer", - "fieldtype": "Link", - "in_list_view": 1, - "label": "Customer", - "options": "Customer", - "permlevel": 0, - "read_only": 0, + "fieldname": "customer", + "fieldtype": "Link", + "in_list_view": 1, + "label": "Customer", + "options": "Customer", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "fieldname": "column_break1", - "fieldtype": "Column Break", - "permlevel": 0, - "print_width": "50%", - "read_only": 0, + "fieldname": "column_break1", + "fieldtype": "Column Break", + "permlevel": 0, + "print_width": "50%", + "read_only": 0, "width": "50%" - }, + }, { - "fieldname": "company", - "fieldtype": "Link", - "label": "Company", - "options": "Company", - "permlevel": 0, + "fieldname": "company", + "fieldtype": "Link", + "label": "Company", + "options": "Company", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "fiscal_year", - "fieldtype": "Link", - "label": "Fiscal Year", - "options": "Fiscal Year", - "permlevel": 0, - "read_only": 0, + "fieldname": "fiscal_year", + "fieldtype": "Link", + "label": "Fiscal Year", + "options": "Fiscal Year", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "fieldname": "quarter", - "fieldtype": "Select", - "label": "Quarter", - "options": "\nI\nII\nIII\nIV", - "permlevel": 0, + "fieldname": "quarter", + "fieldtype": "Select", + "label": "Quarter", + "options": "\nI\nII\nIII\nIV", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "total_amount", - "fieldtype": "Currency", - "label": "Total Amount", - "options": "Company:company:default_currency", - "permlevel": 0, - "read_only": 0, + "fieldname": "total_amount", + "fieldtype": "Currency", + "label": "Total Amount", + "options": "Company:company:default_currency", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "fieldname": "state", - "fieldtype": "Data", - "label": "State", - "permlevel": 0, - "read_only": 0, + "fieldname": "state", + "fieldtype": "Data", + "label": "State", + "permlevel": 0, + "read_only": 0, "reqd": 1 - }, + }, { - "fieldname": "section_break0", - "fieldtype": "Section Break", - "permlevel": 0, + "fieldname": "section_break0", + "fieldtype": "Section Break", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "invoice_details", - "fieldtype": "Table", - "label": "Invoice Details", - "options": "C-Form Invoice Detail", - "permlevel": 0, + "fieldname": "invoice_details", + "fieldtype": "Table", + "label": "Invoice Details", + "options": "C-Form Invoice Detail", + "permlevel": 0, "read_only": 0 - }, + }, { - "fieldname": "total_invoiced_amount", - "fieldtype": "Currency", - "label": "Total Invoiced Amount", - "options": "Company:company:default_currency", - "permlevel": 0, - "print_hide": 0, + "fieldname": "total_invoiced_amount", + "fieldtype": "Currency", + "label": "Total Invoiced Amount", + "options": "Company:company:default_currency", + "permlevel": 0, + "print_hide": 0, "read_only": 1 - }, + }, { - "fieldname": "amended_from", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Amended From", - "no_copy": 1, - "options": "C-Form", - "permlevel": 0, - "print_hide": 1, + "fieldname": "amended_from", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Amended From", + "no_copy": 1, + "options": "C-Form", + "permlevel": 0, + "print_hide": 1, "read_only": 1 } - ], - "icon": "icon-file-text", - "idx": 1, - "is_submittable": 1, - "max_attachments": 3, - "modified": "2014-05-27 03:49:08.272135", - "modified_by": "Administrator", - "module": "Accounts", - "name": "C-Form", - "owner": "Administrator", + ], + "icon": "icon-file-text", + "idx": 1, + "is_submittable": 1, + "max_attachments": 3, + "modified": "2014-09-05 12:58:43.333698", + "modified_by": "Administrator", + "module": "Accounts", + "name": "C-Form", + "owner": "Administrator", "permissions": [ { - "apply_user_permissions": 1, - "create": 1, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Accounts User", - "submit": 0, + "apply_user_permissions": 1, + "create": 1, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Accounts User", + "submit": 0, "write": 1 - }, + }, { - "create": 1, - "email": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Accounts Manager", - "submit": 0, + "create": 1, + "email": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Accounts Manager", + "submit": 0, "write": 1 - }, + }, { - "amend": 0, - "cancel": 0, - "create": 0, - "permlevel": 1, - "read": 1, - "report": 1, - "role": "All", + "amend": 0, + "cancel": 0, + "create": 0, + "permlevel": 1, + "read": 1, + "report": 1, + "role": "All", "submit": 0 } ] -} +} \ No newline at end of file diff --git a/erpnext/controllers/recurring_document.py b/erpnext/controllers/recurring_document.py index 729c6f7f9c..c7163ae3f8 100644 --- a/erpnext/controllers/recurring_document.py +++ b/erpnext/controllers/recurring_document.py @@ -2,14 +2,9 @@ from __future__ import unicode_literals import frappe import frappe.utils import frappe.defaults - -from frappe.utils import add_days, cint, cstr, date_diff, flt, getdate, nowdate, \ - get_first_day, get_last_day, comma_and +from frappe.utils import cint, cstr, getdate, nowdate, get_first_day, get_last_day from frappe.model.naming import make_autoname - from frappe import _, msgprint, throw -from erpnext.accounts.party import get_party_account, get_due_date, get_party_details -from frappe.model.mapper import get_mapped_doc month_map = {'Monthly': 1, 'Quarterly': 3, 'Half-yearly': 6, 'Yearly': 12} @@ -51,7 +46,7 @@ def manage_recurring_documents(doctype, next_date=None, commit=True): frappe.db.begin() frappe.db.sql("update `tab%s` \ - set is_recurring = 0 where name = %s" % (doctype, '%s'), + set is_recurring = 0 where name = %s" % (doctype, '%s'), (ref_document)) notify_errors(ref_document, doctype, ref_wrapper.customer, ref_wrapper.owner) frappe.db.commit() @@ -93,12 +88,12 @@ def make_new_document(ref_wrapper, date_field, posting_date): if ref_wrapper.doctype == "Sales Order": new_document.update({ - "delivery_date": get_next_date(ref_wrapper.delivery_date, mcount, + "delivery_date": get_next_date(ref_wrapper.delivery_date, mcount, cint(ref_wrapper.repeat_on_day_of_month)) }) new_document.submit() - + return new_document def get_next_date(dt, mcount, day=None): @@ -187,11 +182,11 @@ def validate_notification_email_id(doc): def set_next_date(doc, posting_date): """ Set next date on which recurring document will be created""" - + if not doc.repeat_on_day_of_month: msgprint(_("Please enter 'Repeat on Day of Month' field value"), raise_exception=1) - next_date = get_next_date(posting_date, month_map[doc.recurring_type], + next_date = get_next_date(posting_date, month_map[doc.recurring_type], cint(doc.repeat_on_day_of_month)) frappe.db.set(doc, 'next_date', next_date) From ce9a9eeecc201047fbe2ea3a10470cc6c305ae2c Mon Sep 17 00:00:00 2001 From: ankitjavalkarwork Date: Fri, 5 Sep 2014 14:58:21 +0530 Subject: [PATCH 622/630] Allow renaming for Sales Partner Doctype --- erpnext/setup/doctype/sales_partner/sales_partner.json | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/erpnext/setup/doctype/sales_partner/sales_partner.json b/erpnext/setup/doctype/sales_partner/sales_partner.json index 2d4c0ac982..f20433d5a5 100644 --- a/erpnext/setup/doctype/sales_partner/sales_partner.json +++ b/erpnext/setup/doctype/sales_partner/sales_partner.json @@ -1,5 +1,6 @@ { "allow_import": 1, + "allow_rename": 1, "autoname": "field:partner_name", "creation": "2013-04-12 15:34:06", "description": "A third party distributor / dealer / commission agent / affiliate / reseller who sells the companies products for a commission.", @@ -199,7 +200,7 @@ "icon": "icon-user", "idx": 1, "in_create": 0, - "modified": "2014-08-19 06:42:33.103060", + "modified": "2014-09-05 14:54:57.014940", "modified_by": "Administrator", "module": "Setup", "name": "Sales Partner", From 65a5f85af599abf080e5411a3a747383afce17da Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Fri, 5 Sep 2014 17:27:08 +0530 Subject: [PATCH 623/630] Setup Wizard: set corrected number format in system settings --- erpnext/setup/page/setup_wizard/setup_wizard.py | 13 ++++++++++--- 1 file changed, 10 insertions(+), 3 deletions(-) diff --git a/erpnext/setup/page/setup_wizard/setup_wizard.py b/erpnext/setup/page/setup_wizard/setup_wizard.py index 1151b1ac8d..d3942e47c5 100644 --- a/erpnext/setup/page/setup_wizard/setup_wizard.py +++ b/erpnext/setup/page/setup_wizard/setup_wizard.py @@ -171,19 +171,26 @@ def set_defaults(args): global_defaults.save() + number_format = get_country_info(args.get("country")).get("number_format", "#,###.##") + + # replace these as float number formats, as they have 0 precision + # and are currency number formats and not for floats + if number_format=="#.###": + number_format = "#.###,##" + elif number_format=="#,###": + number_format = "#,###.##" + system_settings = frappe.get_doc("System Settings", "System Settings") system_settings.update({ "language": args.get("language"), "time_zone": args.get("timezone"), "float_precision": 3, 'date_format': frappe.db.get_value("Country", args.get("country"), "date_format"), - 'number_format': get_country_info(args.get("country")).get("number_format", "#,###.##"), + 'number_format': number_format, 'enable_scheduler': 1 }) - system_settings.save() - accounts_settings = frappe.get_doc("Accounts Settings") accounts_settings.auto_accounting_for_stock = 1 accounts_settings.save() From 7ab4ee1d7994f631afd836ab5262d61131c619c2 Mon Sep 17 00:00:00 2001 From: RM Date: Mon, 8 Sep 2014 09:28:34 +0000 Subject: [PATCH 624/630] transations-08-sep-2014 --- erpnext/translations/ar.csv | 90 +- erpnext/translations/de.csv | 299 +- erpnext/translations/el.csv | 76 +- erpnext/translations/es.csv | 254 +- erpnext/translations/fr.csv | 76 +- erpnext/translations/hi.csv | 88 +- erpnext/translations/hr.csv | 76 +- erpnext/translations/id.csv | 78 +- erpnext/translations/it.csv | 90 +- erpnext/translations/ja.csv | 75 +- erpnext/translations/kn.csv | 76 +- erpnext/translations/ko.csv | 76 +- erpnext/translations/nl.csv | 148 +- erpnext/translations/pl.csv | 6438 +++++++++++++++++------------------ erpnext/translations/pt.csv | 76 +- erpnext/translations/ro.csv | 76 +- erpnext/translations/ru.csv | 76 +- erpnext/translations/sr.csv | 76 +- erpnext/translations/ta.csv | 76 +- erpnext/translations/th.csv | 138 +- erpnext/translations/tr.csv | 76 +- erpnext/translations/vi.csv | 76 +- 22 files changed, 3777 insertions(+), 4833 deletions(-) diff --git a/erpnext/translations/ar.csv b/erpnext/translations/ar.csv index 025a37dbfe..b942f4c1be 100644 --- a/erpnext/translations/ar.csv +++ b/erpnext/translations/ar.csv @@ -1,4 +1,3 @@ - (Half Day),(نصف يوم) and year: ,والسنة: """ does not exists",""" لا يوجد" % Delivered,ألقيت٪ @@ -28,36 +27,12 @@ 'To Date' is required,' إلى تاريخ ' مطلوب 'Update Stock' for Sales Invoice {0} must be set,""" الأسهم تحديث ' ل فاتورة المبيعات {0} يجب تعيين" * Will be calculated in the transaction.,وسيتم احتساب * في المعاملة. -"1 Currency = [?] Fraction -For e.g. 1 USD = 100 Cent","1 العملة = [؟] جزء - لمثل 1 USD = 100 سنت" +1 Currency = [?] FractionFor e.g. 1 USD = 100 Cent,1 العملة = [؟] جزء لمثل 1 USD = 100 سنت 1. To maintain the customer wise item code and to make them searchable based on their code use this option,1. للحفاظ على العملاء رمز البند الحكيمة والبحث فيها لجعلها تقوم على التعليمات البرمجية الخاصة بهم استخدام هذا الخيار "Add / Edit"," إضافة / تحرير < / A>" "Add / Edit"," إضافة / تحرير < / A>" "Add / Edit"," إضافة / تحرير < / A>" -"

Default Template

-

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

-
{{ address_line1 }}<br>
-{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}
-{{ city }}<br>
-{% if state %}{{ state }}<br>{% endif -%}
-{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}
-{{ country }}<br>
-{% if phone %}Phone: {{ phone }}<br>{% endif -%}
-{% if fax %}Fax: {{ fax }}<br>{% endif -%}
-{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
-
","

افتراضي قالب -

ويستخدم جنجا القولبة و كافة الحقول من العنوان ( بما في ذلك الحقول المخصصة إن وجدت) وسوف تكون متاحة -

 على  {{}} address_line1 
- {٪ إذا address_line2٪} {{}} address_line2
{ ENDIF٪ -٪} - {{المدينة}}
- {٪ إذا الدولة٪} {{الدولة}} {
٪ ENDIF -٪} - {٪ إذا كان الرقم السري٪} PIN: {{}} الرقم السري {
٪ ENDIF -٪} - {{البلد}}
- {٪ إذا كان الهاتف٪} الهاتف: {{هاتف}} {
ENDIF٪ -٪} - {٪ إذا الفاكس٪} فاكس: {{}} الفاكس
{٪ ENDIF -٪} - {٪٪ إذا email_id} البريد الإلكتروني: {{}} email_id
؛ {٪ ENDIF -٪} - " +"

Default Template

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

{{ address_line1 }}<br>{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}{{ city }}<br>{% if state %}{{ state }}<br>{% endif -%}{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}{{ country }}<br>{% if phone %}Phone: {{ phone }}<br>{% endif -%}{% if fax %}Fax: {{ fax }}<br>{% endif -%}{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
","

افتراضي قالب

ويستخدم جنجا القولبة و كافة الحقول من العنوان ( بما في ذلك الحقول المخصصة إن وجدت) وسوف تكون متاحة

 على  {{}} address_line1 
{٪ إذا address_line2٪} {{}} address_line2
{ ENDIF٪ -٪} {{المدينة}}
{٪ إذا الدولة٪} {{الدولة}} {
٪ ENDIF -٪} {٪ إذا كان الرقم السري٪} PIN: {{}} الرقم السري {
٪ ENDIF -٪} {{البلد}}
{٪ إذا كان الهاتف٪} الهاتف: {{هاتف}} {
ENDIF٪ -٪} {٪ إذا الفاكس٪} فاكس: {{}} الفاكس
{٪ ENDIF -٪} {٪٪ إذا email_id} البريد الإلكتروني: {{}} email_id
؛ {٪ ENDIF -٪} " A Customer Group exists with same name please change the Customer name or rename the Customer Group,يوجد مجموعة العملاء مع نفس الاسم الرجاء تغيير اسم العميل أو إعادة تسمية المجموعة العملاء A Customer exists with same name,العملاء من وجود نفس الاسم مع A Lead with this email id should exist,وينبغي أن يكون هذا المعرف الرصاص مع البريد الإلكتروني موجود @@ -103,9 +78,7 @@ Account {0}: Parent account {1} can not be a ledger,حساب {0}: حساب ال Account {0}: Parent account {1} does not belong to company: {2},حساب {0}: حساب الرئيسي {1} لا تنتمي إلى الشركة: {2} Account {0}: Parent account {1} does not exist,حساب {0}: حساب الرئيسي {1} غير موجود Account {0}: You can not assign itself as parent account,حساب {0}: لا يمكنك تعيين نفسه كحساب الأم -"Account: {0} can only be updated via \ - Stock Transactions","حساب: {0} لا يمكن تحديثها عبر \ - المعاملات المالية" +Account: {0} can only be updated via \ Stock Transactions,حساب: {0} لا يمكن تحديثها عبر \ المعاملات المالية Accountant,محاسب Accounting,المحاسبة "Accounting Entries can be made against leaf nodes, called",مقالات المحاسبة ويمكن إجراء ضد أوراق العقد ، ودعا @@ -125,7 +98,7 @@ Activity Log:,النشاط المفتاح: Activity Type,النشاط نوع Actual,فعلي Actual Budget,الميزانية الفعلية -Actual Completion Date,تاريخ الانتهاء الفعلي +Actual Completion Date,تاريخ الإنتهاء الفعلي Actual Date,تاريخ الفعلية Actual End Date,تاريخ الإنتهاء الفعلي Actual Invoice Date,الفعلي تاريخ الفاتورة @@ -171,7 +144,7 @@ Aerospace,الفضاء After Sale Installations,بعد التثبيت بيع Against,ضد Against Account,ضد الحساب -Against Bill {0} dated {1},ضد بيل {0} بتاريخ {1} +Against Bill {0} dated {1},ضد فاتورة {0} بتاريخ {1} Against Docname,ضد Docname Against Doctype,DOCTYPE ضد Against Document Detail No,تفاصيل الوثيقة رقم ضد @@ -350,7 +323,7 @@ Balance must be,يجب أن يكون التوازن "Balances of Accounts of type ""Bank"" or ""Cash""","أرصدة الحسابات من نوع ""البنك"" أو "" كاش """ Bank,مصرف Bank / Cash Account,البنك حساب / النقدية -Bank A/C No.,البنك A / C رقم +Bank A/C No.,رقم الحساب المصرفي. Bank Account,الحساب المصرفي Bank Account No.,البنك رقم الحساب Bank Accounts,الحسابات المصرفية @@ -886,9 +859,7 @@ Download Reconcilation Data,تحميل مصالحة البيانات Download Template,تحميل قالب Download a report containing all raw materials with their latest inventory status,تحميل تقريرا يتضمن جميع المواد الخام مع وضعهم أحدث المخزون "Download the Template, fill appropriate data and attach the modified file.",تحميل قالب ، وملء البيانات المناسبة وإرفاق الملف المعدل . -"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 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",تحميل قالب، وملء البيانات المناسبة وإرفاق الملف المعدل. وجميع التواريخ والجمع بين الموظف في الفترة المختارة تأتي في القالب، مع سجلات الحضور القائمة Draft,مسودة Dropbox,المربع المنسدل Dropbox Access Allowed,دروببوإكس الدخول الأليفة @@ -994,9 +965,7 @@ Error: {0} > {1},الخطأ: {0} > {1} Estimated Material Cost,تقدر تكلفة المواد "Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:",حتى لو كانت هناك قوانين التسعير متعددة مع الأولوية القصوى، يتم تطبيق الأولويات الداخلية ثم التالية: Everyone can read,يمكن أن يقرأها الجميع -"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 # # # # # - إذا تم تعيين سلسلة ولم يرد ذكرها لا في المعاملات المسلسل، سيتم إنشاء رقم تسلسلي ثم التلقائي على أساس هذه السلسلة. إذا كنت تريد دائما أن يذكر صراحة نص المسلسل لهذا البند. ترك هذا فارغا." +"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 # # # # # إذا تم تعيين سلسلة ولم يرد ذكرها لا في المعاملات المسلسل، سيتم إنشاء رقم تسلسلي ثم التلقائي على أساس هذه السلسلة. إذا كنت تريد دائما أن يذكر صراحة نص المسلسل لهذا البند. ترك هذا فارغا. Exchange Rate,سعر الصرف Excise Duty 10,المكوس واجب 10 Excise Duty 14,المكوس واجب 14 @@ -1470,9 +1439,7 @@ Item-wise Purchase History,البند الحكيم تاريخ الشراء Item-wise Purchase Register,البند من الحكمة الشراء تسجيل Item-wise Sales History,البند الحكيم تاريخ المبيعات Item-wise Sales Register,مبيعات البند الحكيم سجل -"Item: {0} managed batch-wise, can not be reconciled using \ - Stock Reconciliation, instead use Stock Entry","البند: {0} المدارة دفعة حكيمة، لا يمكن التوفيق بينها باستخدام \ - ألبوم المصالحة، بدلا من استخدام دخول الأسهم" +"Item: {0} managed batch-wise, can not be reconciled using \ Stock Reconciliation, instead use Stock Entry",البند: {0} المدارة دفعة حكيمة، لا يمكن التوفيق بينها باستخدام \ ألبوم المصالحة، بدلا من استخدام دخول الأسهم Item: {0} not found in the system,البند : {0} لم يتم العثور في النظام Items,البنود Items To Be Requested,البنود يمكن طلبه @@ -1598,8 +1565,8 @@ Maintenance Schedule is not generated for all the items. Please click on 'Genera Maintenance Schedule {0} exists against {0},جدول الصيانة {0} موجود ضد {0} Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,{0} يجب أن يتم إلغاء جدول الصيانة قبل إلغاء هذا الأمر المبيعات Maintenance Schedules,جداول الصيانة -Maintenance Status,الحالة الصيانة -Maintenance Time,صيانة الزمن +Maintenance Status,حالة الصيانة +Maintenance Time,وقت الصيانة Maintenance Type,صيانة نوع Maintenance Visit,صيانة زيارة Maintenance Visit Purpose,صيانة زيارة الغرض @@ -1731,9 +1698,7 @@ Moving Average Rate,الانتقال متوسط ​​معدل Mr,السيد Ms,MS Multiple Item prices.,أسعار الإغلاق متعددة . -"Multiple Price Rule exists with same criteria, please resolve \ - conflict by assigning priority. Price Rules: {0}","موجود متعددة سعر القاعدة مع المعايير نفسها، يرجى حل \ - النزاع عن طريق تعيين الأولوية. قواعد السعر: {0}" +"Multiple Price Rule exists with same criteria, please resolve \ conflict by assigning priority. Price Rules: {0}",موجود متعددة سعر القاعدة مع المعايير نفسها، يرجى حل \ النزاع عن طريق تعيين الأولوية. قواعد السعر: {0} Music,موسيقى Must be Whole Number,يجب أن يكون عدد صحيح Name,اسم @@ -1896,7 +1861,7 @@ Opportunity Items,فرصة الأصناف Opportunity Lost,فقدت فرصة Opportunity Type,الفرصة نوع Optional. This setting will be used to filter in various transactions.,اختياري . سيتم استخدام هذا الإعداد لتصفية في المعاملات المختلفة. -Order Type,نوع النظام +Order Type,نوع الطلب Order Type must be one of {0},يجب أن يكون النظام نوع واحد من {0} Ordered,أمر Ordered Items To Be Billed,أمرت البنود التي يتعين صفت @@ -2486,23 +2451,15 @@ Row # ,الصف # Row # {0}: , Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,الصف # {0}: الكمية المطلوبة لا يمكن أن أقل من الحد الأدنى الكمية النظام القطعة (المحددة في البند الرئيسي). Row #{0}: Please specify Serial No for Item {1},الصف # {0}: يرجى تحديد رقم التسلسلي للتاريخ {1} -"Row {0}: Account does not match with \ - Purchase Invoice Credit To account","الصف {0}: الحساب لا يتطابق مع \ - شراء فاتورة الائتمان لحساب" -"Row {0}: Account does not match with \ - Sales Invoice Debit To account","الصف {0}: الحساب لا يتطابق مع \ - فاتورة المبيعات خصم لحساب" +Row {0}: Account does not match with \ Purchase Invoice Credit To account,الصف {0}: الحساب لا يتطابق مع \ شراء فاتورة الائتمان لحساب +Row {0}: Account does not match with \ Sales Invoice Debit To account,الصف {0}: الحساب لا يتطابق مع \ فاتورة المبيعات خصم لحساب Row {0}: Conversion Factor is mandatory,الصف {0}: تحويل عامل إلزامي Row {0}: Credit entry can not be linked with a Purchase Invoice,الصف {0} : دخول الائتمان لا يمكن ربطها مع فاتورة الشراء Row {0}: Debit entry can not be linked with a Sales Invoice,الصف {0} : دخول السحب لا يمكن ربطها مع فاتورة المبيعات Row {0}: Payment amount must be less than or equals to invoice outstanding amount. Please refer Note below.,الصف {0}: يجب أن يكون مبلغ الدفع أقل من أو يساوي الفاتورة المبلغ المستحق. يرجى الرجوع لاحظ أدناه. Row {0}: Qty is mandatory,الصف {0}: الكمية إلزامي -"Row {0}: Qty not avalable in warehouse {1} on {2} {3}. - Available Qty: {4}, Transfer Qty: {5}","الصف {0}: الكمية لا أفالابل في مستودع {1} في {2} {3}. - المتوفرة الكمية: {4}، نقل الكمية: {5}" -"Row {0}: To set {1} periodicity, difference between from and to date \ - must be greater than or equal to {2}","الصف {0}: لضبط {1} تواترها، الفرق بين من وإلى تاريخ \ - يجب أن تكون أكبر من أو يساوي {2}" +"Row {0}: Qty not avalable in warehouse {1} on {2} {3}. Available Qty: {4}, Transfer Qty: {5}",الصف {0}: الكمية لا أفالابل في مستودع {1} في {2} {3}. المتوفرة الكمية: {4}، نقل الكمية: {5} +"Row {0}: To set {1} periodicity, difference between from and to date \ must be greater than or equal to {2}",الصف {0}: لضبط {1} تواترها، الفرق بين من وإلى تاريخ \ يجب أن تكون أكبر من أو يساوي {2} Row {0}:Start Date must be before End Date,الصف {0} : يجب أن يكون تاريخ بدء قبل تاريخ الانتهاء Rules for adding shipping costs.,قواعد لإضافة تكاليف الشحن. Rules for applying pricing and discount.,قواعد لتطبيق التسعير والخصم . @@ -2683,9 +2640,7 @@ Serial No {0} status must be 'Available' to Deliver,"يجب أن يكون الم Serial Nos Required for Serialized Item {0},مسلسل نص مطلوب لل مسلسل البند {0} Serial Number Series,المسلسل عدد سلسلة Serial number {0} entered more than once,الرقم التسلسلي {0} دخلت أكثر من مرة -"Serialized Item {0} cannot be updated \ - using Stock Reconciliation","تسلسل البند {0} لا يمكن تحديث \ - باستخدام الأسهم المصالحة" +Serialized Item {0} cannot be updated \ using Stock Reconciliation,تسلسل البند {0} لا يمكن تحديث \ باستخدام الأسهم المصالحة Series,سلسلة Series List for this Transaction,قائمة سلسلة لهذه الصفقة Series Updated,سلسلة تحديث @@ -2911,9 +2866,7 @@ Tax Assets,الأصول الضريبية Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,ضريبة الفئة لا يمكن أن يكون ' التقييم ' أو ' تقييم وتوتال ' وجميع العناصر هي العناصر غير الأسهم Tax Rate,ضريبة Tax and other salary deductions.,الضرائب والاقتطاعات من الراتب أخرى. -"Tax detail table fetched from item master as a string and stored in this field. -Used for Taxes and Charges","جلب طاولة التفاصيل الضرائب من سيده البند كسلسلة وتخزينها في هذا المجال. - مستعملة للضرائب والرسوم" +Tax detail table fetched from item master as a string and stored in this field.Used for Taxes and Charges,جلب طاولة التفاصيل الضرائب من سيده البند كسلسلة وتخزينها في هذا المجال. مستعملة للضرائب والرسوم Tax template for buying transactions.,قالب الضرائب لشراء صفقة. Tax template for selling transactions.,قالب الضريبية لبيع صفقة. Taxable,خاضع للضريبة @@ -2959,9 +2912,7 @@ The First User: You,المستخدم أولا : أنت "The Item that represents the Package. This Item must have ""Is Stock Item"" as ""No"" and ""Is Sales Item"" as ""Yes""",العنصر الذي يمثل الحزمة. يجب أن يكون لدى هذا البند "هو المخزون السلعة" ب "لا" و "هل المبيعات السلعة" ب "نعم" The Organization,منظمة "The account head under Liability, in which Profit/Loss will be booked",رئيس الاعتبار في إطار المسؤولية، التي سيتم حجزها الربح / الخسارة -"The date on which next invoice will be generated. It is generated on submit. -","التاريخ الذي سيتم إنشاء فاتورة المقبل. يتم إنشاؤها على تقديم. -" +The date on which next invoice will be generated. It is generated on submit.,التاريخ الذي سيتم إنشاء فاتورة المقبل. يتم إنشاؤها على تقديم. The date on which recurring invoice will be stop,التاريخ الذي سيتم فاتورة المتكررة وقف "The day of the month on which auto invoice will be generated e.g. 05, 28 etc ",يوم من الشهر الذي سيتم إنشاء فاتورة السيارات على سبيل المثال 05، 28 الخ The day(s) on which you are applying for leave are holiday. You need not apply for leave.,اليوم ( ق ) التي كنت متقدما للحصول على إذن هي عطلة. لا تحتاج إلى تطبيق للحصول على إجازة . @@ -3377,3 +3328,4 @@ website page link,الموقع رابط الصفحة {0} {1} status is Unstopped,{0} {1} هو الوضع تتفتح {0} {1}: Cost Center is mandatory for Item {2},{0} {1}: مركز التكلفة إلزامي القطعة ل{2} {0}: {1} not found in Invoice Details table,{0}: {1} غير موجود في جدول تفاصيل الفاتورة + (Half Day),(نصف يوم) diff --git a/erpnext/translations/de.csv b/erpnext/translations/de.csv index e85003979b..276649f46a 100644 --- a/erpnext/translations/de.csv +++ b/erpnext/translations/de.csv @@ -31,82 +31,67 @@ 'To Date' is required,"'To Date "" ist erforderlich," 'Update Stock' for Sales Invoice {0} must be set,'Update Auf ' für Sales Invoice {0} muss eingestellt werden * Will be calculated in the transaction.,* Wird in der Transaktion berechnet. -"**Budget Distribution** helps you distribute your budget across months if you have seasonality in your business. - -To distribute a budget using this distribution, set this **Budget Distribution** in the **Cost Center**", +"**Budget Distribution** helps you distribute your budget across months if you have seasonality in your business.To distribute a budget using this distribution, set this **Budget Distribution** in the **Cost Center**", **Currency** Master,**Währung** Stamm **Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,**Geschäftsjahr** steht für ein Geschäftsjahr. Alle Buchungen und anderen großen Transaktionen werden mit dem **Geschäftsjahr** verglichen. -"1 Currency = [?] Fraction -For e.g. 1 USD = 100 Cent", +1 Currency = [?] FractionFor e.g. 1 USD = 100 Cent, 1. To maintain the customer wise item code and to make them searchable based on their code use this option,"1. Um den kundenspezifischen Artikelcode zu erhalten und ihn auffindbar zu machen, verwenden Sie diese Option" "
Add / Edit"," Hinzufügen / Bearbeiten " "Add / Edit"," Hinzufügen / Bearbeiten " "Add / Edit"," Hinzufügen / Bearbeiten " -"

Default Template

-

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

-
{{ address_line1 }}<br>
-{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}
-{{ city }}<br>
-{% if state %}{{ state }}<br>{% endif -%}
-{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}
-{{ country }}<br>
-{% if phone %}Phone: {{ phone }}<br>{% endif -%}
-{% if fax %}Fax: {{ fax }}<br>{% endif -%}
-{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
-
", -A Customer Group exists with same name please change the Customer name or rename the Customer Group,Mit dem gleichen Namen eine Kundengruppe existiert ändern Sie bitte die Kundenname oder benennen Sie die Kundengruppe -A Customer exists with same name,Ein Kunde mit diesem Namen existiert bereits -A Lead with this email id should exist,Es sollte ein Lead mit dieser E-Mail-ID vorhanden sein +"

Default Template

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

{{ address_line1 }}<br>{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}{{ city }}<br>{% if state %}{{ state }}<br>{% endif -%}{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}{{ country }}<br>{% if phone %}Phone: {{ phone }}<br>{% endif -%}{% if fax %}Fax: {{ fax }}<br>{% endif -%}{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
", +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. Ändern Sie den Kundennamen oder nennen Sie die Kundengruppe um +A Customer exists with same name,Ein Kunde mit dem gleichen Namen existiert bereits +A Lead with this email id should exist,Ein Lead mit dieser E-Mail Adresse sollte vorhanden sein A Product or Service,Ein Produkt oder Dienstleistung "A Product or a Service that is bought, sold or kept in stock.","Ein Produkt oder eine Dienstleistung, die gekauft, verkauft oder auf Lager gehalten wird." -A Supplier exists with same name,Es ist bereits ein Lieferant mit diesem Namen vorhanden +A Supplier exists with same name,Ein Lieferant mit dem gleichen Namen existiert bereits A condition for a Shipping Rule,Eine Bedingung für eine Versandregel A logical Warehouse against which stock entries are made.,"Eine logisches Warenlager, für das Bestandseinträge gemacht werden." -A symbol for this currency. For e.g. $,Ein Symbol für diese Währung. Zum Beispiel: $ +A symbol for this currency. For e.g. $,"Ein Symbol für diese Währung, z.B. €" A third party distributor / dealer / commission agent / affiliate / reseller who sells the companies products for a commission.,"Ein dritter Vertriebspartner/Händler/Kommissionär/Tochterunternehmer/ Fachhändler, der die Produkte es Unternehmens auf Provision vertreibt." "A user with ""Expense Approver"" role", AMC Expiry Date,AMC Verfalldatum Abbr,Abk. -Abbreviation cannot have more than 5 characters,Abkürzung kann nicht mehr als 5 Zeichen +Abbreviation cannot have more than 5 characters,Abkürzung darf nicht länger als 5 Zeichen sein Above Value,Über Wert Absent,Abwesend Acceptance Criteria,Akzeptanzkriterium Accepted,Akzeptiert -Accepted + Rejected Qty must be equal to Received quantity for Item {0},Akzeptierte + Abgelehnt Menge muss für den Posten gleich Received Menge {0} +Accepted + Rejected Qty must be equal to Received quantity for Item {0},Akzeptierte + Abgelehnte Menge muss für den Posten {0} gleich der Erhaltenen Menge sein Accepted Quantity,Akzeptierte Menge -Accepted Warehouse,Akzeptiertes Warenlager +Accepted Warehouse,Akzeptiertes Lager Account,Konto Account Balance,Kontostand -Account Created: {0},Konto Erstellt: {0} +Account Created: {0},Konto {0} erstellt Account Details,Kontendaten -Account Head,Kontenführer -Account Name,Kontenname -Account Type,Kontenart +Account Head,Konto Kopf +Account Name,Konto Name +Account Type,Konto Typ "Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Kontostand bereits im Kredit, Sie dürfen nicht eingestellt ""Balance Must Be"" als ""Debit""" "Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Kontostand bereits in Lastschrift, sind Sie nicht berechtigt, festgelegt als ""Kredit"" ""Balance Must Be '" -Account for the warehouse (Perpetual Inventory) will be created under this Account.,Konto für das Lager ( Perpetual Inventory) wird unter diesem Konto erstellt werden. +Account for the warehouse (Perpetual Inventory) will be created under this Account.,Konto für das Lager (Laufende Inventur) wird unter diesem Konto erstellt. Account head {0} created,Konto Kopf {0} erstellt Account must be a balance sheet account,Konto muss ein Bilanzkonto sein -Account with child nodes cannot be converted to ledger,Konto mit Kind -Knoten können nicht umgewandelt werden Buch -Account with existing transaction can not be converted to group.,Konto mit bestehenden Transaktion nicht zur Gruppe umgewandelt werden. -Account with existing transaction can not be deleted,Konto mit bestehenden Transaktion kann nicht gelöscht werden -Account with existing transaction cannot be converted to ledger,Konto mit bestehenden Transaktion kann nicht umgewandelt werden Buch -Account {0} cannot be a Group,Konto {0} kann nicht eine Gruppe sein -Account {0} does not belong to Company {1},Konto {0} ist nicht auf Unternehmen gehören {1} -Account {0} does not belong to company: {1},Konto {0} ist nicht auf Unternehmen gehören: {1} +Account with child nodes cannot be converted to ledger,Ein Konto mit Kind-Knoten kann nicht in ein Kontoblatt umgewandelt werden +Account with existing transaction can not be converted to group.,Ein Konto mit bestehenden Transaktion kann nicht in eine Gruppe umgewandelt werden +Account with existing transaction can not be deleted,Ein Konto mit bestehenden Transaktion kann nicht gelöscht werden +Account with existing transaction cannot be converted to ledger,Ein Konto mit bestehenden Transaktion kann nicht in ein Kontoblatt umgewandelt werden +Account {0} cannot be a Group,Konto {0} kann keine Gruppe sein +Account {0} does not belong to Company {1},Konto {0} gehört nicht zum Unternehmen {1} +Account {0} does not belong to company: {1},Konto {0} gehört nicht zum Unternehmen {1} Account {0} does not exist,Konto {0} existiert nicht Account {0} does not exists, -Account {0} has been entered more than once for fiscal year {1},Konto {0} hat mehr als einmal für das Geschäftsjahr eingegeben {1} +Account {0} has been entered more than once for fiscal year {1},Konto {0} wurde mehr als einmal für das Geschäftsjahr {1} eingegeben Account {0} is frozen,Konto {0} ist eingefroren Account {0} is inactive,Konto {0} ist inaktiv Account {0} is not valid,Konto {0} ist nicht gültig -Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item,"Konto {0} muss vom Typ "" Fixed Asset "" sein, wie Artikel {1} ist ein Aktivposten" -Account {0}: Parent account {1} can not be a ledger,"Konto {0}: Eltern-Konto {1} kann nicht sein, ein Hauptbuch" -Account {0}: Parent account {1} does not belong to company: {2},Konto {0}: Eltern-Konto {1} nicht zur Firma gehören: {2} +Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item,"Konto {0} muss vom Typ ""Aktivposten"" sein, weil der Artikel {1} ein Aktivposten ist" +Account {0}: Parent account {1} can not be a ledger,Konto {0}: Eltern-Konto {1} kann kein Kontenblatt sein +Account {0}: Parent account {1} does not belong to company: {2},Konto {0}: Eltern-Konto {1} gehört nicht zur Firma {2} Account {0}: Parent account {1} does not exist,Konto {0}: Eltern-Konto {1} existiert nicht Account {0}: You can not assign itself as parent account,Konto {0}: Sie können sich nicht als Hauptkonto zuweisen -"Account: {0} can only be updated via \ - Stock Transactions", +Account: {0} can only be updated via \ Stock Transactions,Konto {0} kann nur über Lagerbewegungen aktualisiert werden Accountant,Buchhalter Accounting,Buchhaltung "Accounting Entries can be made against leaf nodes, called","Accounting Einträge können gegen Blattknoten gemacht werden , die so genannte" @@ -142,7 +127,7 @@ Actual Quantity,Istmenge Actual Start Date,Tatsächliches Startdatum Add,Hinzufügen Add / Edit Taxes and Charges,Hinzufügen/Bearbeiten von Steuern und Abgaben -Add Child,Kinder hinzufügen +Add Child,Kind hinzufügen Add Serial No,In Seriennummer Add Taxes,Steuern hinzufügen Add or Deduct,Hinzuaddieren oder abziehen @@ -193,13 +178,7 @@ Ageing Based On,"Altern, basiert auf" Ageing Date is mandatory for opening entry,Alternde Datum ist obligatorisch für die Öffnung der Eintrag Ageing date is mandatory for opening entry,Alternde Datum ist obligatorisch für die Öffnung der Eintrag Agent,Agent -"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"". - -For Example: If you are selling Laptops and Backpacks separately and have a special price if the customer buys both, then the Laptop + Backpack will be a new Sales BOM Item. - -Note: BOM = Bill of Materials", +"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"".For Example: If you are selling Laptops and Backpacks separately and have a special price if the customer buys both, then the Laptop + Backpack will be a new Sales BOM Item.Note: BOM = Bill of Materials", Aging Date,Fälligkeitsdatum Aging Date is mandatory for opening entry,Aging Datum ist obligatorisch für die Öffnung der Eintrag Agriculture,Landwirtschaft @@ -356,14 +335,14 @@ BOM replaced,Stückliste ersetzt BOM {0} for Item {1} in row {2} is inactive or not submitted,Stückliste {0} für Artikel {1} in Zeile {2} ist inaktiv oder nicht vorgelegt BOM {0} is not active or not submitted,Stückliste {0} ist nicht aktiv oder nicht eingereicht BOM {0} is not submitted or inactive BOM for Item {1},Stückliste {0} nicht vorgelegt oder inaktiv Stückliste für Artikel {1} -Backup Manager,Backup Manager -Backup Right Now,Sofort Backup erstellen -Backups will be uploaded to,Backups werden hierhin hochgeladen +Backup Manager,Datensicherungsverwaltung +Backup Right Now,Jetzt eine Datensicherung durchführen +Backups will be uploaded to,Datensicherungen werden hochgeladen nach Balance Qty,Bilanz Menge Balance Sheet,Bilanz Balance Value,Bilanzwert -Balance for Account {0} must always be {1},Saldo Konto {0} muss immer {1} -Balance must be,"Gleichgewicht sein muss," +Balance for Account {0} must always be {1},Saldo für Konto {0} muss immer {1} sein +Balance must be,Saldo muss sein "Balances of Accounts of type ""Bank"" or ""Cash""","Guthaben von Konten vom Typ "" Bank"" oder "" Cash""" Bank,Bank Bank / Cash Account,Bank / Geldkonto @@ -384,9 +363,9 @@ Banking,Bankwesen Barcode,Strichcode Barcode {0} already used in Item {1},Barcode {0} bereits im Artikel verwendet {1} Based On,Beruht auf -Basic,Grund- -Basic Info,Grundlegende Info -Basic Information,Grundinformationen +Basic,Grundlagen +Basic Info,Basis Informationen +Basic Information,Basis Informationen Basic Rate,Basisrate Basic Rate (Company Currency),Basisrate (Unternehmenswährung) Batch,Stapel @@ -414,8 +393,8 @@ Billing (Sales Invoice), Billing Address,Rechnungsadresse Billing Address Name,Name der Rechnungsadresse Billing Status,Abrechnungsstatus -Bills raised by Suppliers.,Rechnungen von Lieferanten. -Bills raised to Customers.,Rechnungen an Kunden. +Bills raised by Suppliers.,Rechnungen an Lieferanten +Bills raised to Customers.,Rechnungen an Kunden Bin,Lagerfach Bio,Bio Biotechnology,Biotechnologie @@ -427,16 +406,16 @@ Block leave applications by department.,Urlaubsanträge pro Abteilung sperren. Blog Post,Blog-Post Blog Subscriber,Blog-Abonnent Blood Group,Blutgruppe -Both Warehouse must belong to same Company,Beide Lager müssen an derselben Gesellschaft gehören -Box,Box +Both Warehouse must belong to same Company,Beide Lager müssen der selben Gesellschaft gehören +Box,Kiste Branch,Filiale -Brand,Marke +Brand,Firmenmarke Brand Name,Markenname -Brand master.,Markenstamm -Brands,Markenartikel -Breakdown,Aufschlüsselung +Brand master.,Firmenmarke Vorlage +Brands,Firmenmarken +Breakdown,Übersicht Broadcasting,Rundfunk -Brokerage,Maklergeschäft +Brokerage,Provision Budget,Budget Budget Allocated,Zugewiesenes Budget Budget Detail,Budgetdetail @@ -451,9 +430,9 @@ Bundle items at time of sale.,Artikel zum Zeitpunkt des Verkaufs zusammenfassen. Business Development Manager,Business Development Manager Buyer of Goods and Services.,Käufer von Waren und Dienstleistungen. Buying,Einkauf -Buying & Selling,Kaufen und Verkaufen +Buying & Selling,Einkaufen und Verkaufen Buying Amount,Kaufbetrag -Buying Settings,Kaufeinstellungen +Buying Settings,Einkaufs Einstellungen "Buying must be checked, if Applicable For is selected as {0}","Kaufen Sie muss überprüft werden, wenn Anwendbar ist als ausgewählt {0}" C-Form,C-Formular C-Form Applicable,C-Formular Anwendbar @@ -474,7 +453,7 @@ Calls,Anrufe Campaign,Kampagne Campaign Name,Kampagnenname Campaign Name is required,Kampagnenname ist erforderlich -Campaign Naming By,Kampagne von Naming +Campaign Naming By,Kampagne benannt durch Campaign-.####,Kampagnen . # # # # Can be approved by {0},Kann von {0} genehmigt werden "Can not filter based on Account, if grouped by Account","Basierend auf Konto kann nicht filtern, wenn sie von Konto gruppiert" @@ -917,8 +896,7 @@ Download Reconcilation Data,Laden Versöhnung Daten Download Template,Vorlage herunterladen Download a report containing all raw materials with their latest inventory status,"Einen Bericht herunterladen, der alle Rohstoffe mit ihrem neuesten Bestandsstatus angibt" "Download the Template, fill appropriate data and attach the modified file.","Laden Sie die Vorlage , füllen entsprechenden Daten und befestigen Sie die geänderte Datei ." -"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 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", Dr, Draft,Entwurf Dropbox,Dropbox @@ -1030,8 +1008,7 @@ Error: {0} > {1},Fehler: {0}> {1} Estimated Material Cost,Geschätzte Materialkosten "Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Auch wenn es mehrere Preisregeln mit der höchsten Priorität, werden dann folgende interne Prioritäten angewandt:" Everyone can read,Jeder kann lesen -"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.", +"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.", Exchange Rate,Wechselkurs Excise Duty 10,Verbrauchsteuer 10 Excise Duty 14,Verbrauchsteuer 14 @@ -1160,9 +1137,9 @@ From Date,Von Datum From Date cannot be greater than To Date,Von-Datum darf nicht größer als bisher sein From Date must be before To Date,Von-Datum muss vor dem Bis-Datum liegen From Date should be within the Fiscal Year. Assuming From Date = {0},"Von-Datum sollte im Geschäftsjahr sein. Unter der Annahme, Von-Datum = {0}" -From Delivery Note,Von Lieferschein +From Delivery Note,Aus Lieferschein From Employee,Von Mitarbeiter -From Lead,Von Lead +From Lead,Aus Lead From Maintenance Schedule,Vom Wartungsplan From Material Request,Von Materialanforderung From Opportunity,von der Chance @@ -1170,7 +1147,7 @@ From Package No.,Von Paket-Nr. From Purchase Order,Von Bestellung From Purchase Receipt,Von Kaufbeleg From Quotation,von Zitat -From Sales Order,Von Auftrag +From Sales Order,Aus Verkaufsauftrag From Supplier Quotation,Von Lieferant Zitat From Time,Von Zeit From Value,Von Wert @@ -1274,7 +1251,7 @@ Help HTML,HTML-Hilfe "Here you can maintain height, weight, allergies, medical concerns etc","Hier können Sie Größe, Gewicht, Allergien, medizinische Bedenken usw. eingeben" Hide Currency Symbol,Währungssymbol ausblenden High,Hoch -History In Company,Verlauf im Unternehmen +History In Company,Historie im Unternehmen Hold,Anhalten Holiday,Urlaub Holiday List,Urlaubsliste @@ -1518,8 +1495,7 @@ Item-wise Purchase History,Artikelweiser Einkaufsverlauf Item-wise Purchase Register,Artikelweises Einkaufsregister Item-wise Sales History,Artikelweiser Vertriebsverlauf Item-wise Sales Register,Artikelweises Vertriebsregister -"Item: {0} managed batch-wise, can not be reconciled using \ - Stock Reconciliation, instead use Stock Entry", +"Item: {0} managed batch-wise, can not be reconciled using \ Stock Reconciliation, instead use Stock Entry", Item: {0} not found in the system,Item: {0} nicht im System gefunden Items,Artikel Items To Be Requested,Artikel angefordert werden @@ -1791,8 +1767,7 @@ Moving Average Rate,Gleitende Mittelwertsrate Mr,Herr Ms,Frau Multiple Item prices.,Mehrere Artikelpreise . -"Multiple Price Rule exists with same criteria, please resolve \ - conflict by assigning priority. Price Rules: {0}", +"Multiple Price Rule exists with same criteria, please resolve \ conflict by assigning priority. Price Rules: {0}", Music,Musik Must be Whole Number,Muss eine Ganzzahl sein Name,Name @@ -1911,12 +1886,12 @@ Note: System will not check over-delivery and over-booking for Item {0} as quant Note: There is not enough leave balance for Leave Type {0},Hinweis: Es ist nicht genügend Urlaubsbilanz für Leave Typ {0} Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Hinweis: Diese Kostenstelle ist eine Gruppe. Kann nicht machen Buchungen gegen Gruppen . Note: {0},Hinweis: {0} -Notes,Anmerkungen -Notes:,Hinweise: +Notes,Notizen +Notes:,Notizen: Nothing to request,"Nichts zu verlangen," -Notice (days),Unsere (Tage) -Notification Control,Benachrichtigungssteuerung -Notification Email Address,Benachrichtigungs-E-Mail-Adresse +Notice (days),Kenntnis (Tage) +Notification Control,Benachrichtungseinstellungen +Notification Email Address,Benachrichtigungs E-Mail Adresse Notify by Email on creation of automatic Material Request,Bei Erstellung einer automatischen Materialanforderung per E-Mail benachrichtigen Number Format,Zahlenformat Offer Date,Angebot Datum @@ -2407,15 +2382,15 @@ Quotation {0} is cancelled,Zitat {0} wird abgebrochen Quotation {0} not of type {1},Zitat {0} nicht vom Typ {1} Quotations received from Suppliers.,Angebote von Lieferanten Quotes to Leads or Customers.,Angebote an Leads oder Kunden. -Raise Material Request when stock reaches re-order level,"Materialanforderung starten, wenn Vorrat den Stand für Nachbestellung erreicht" -Raised By,Erhoben durch -Raised By (Email),Erhoben durch (E-Mail) +Raise Material Request when stock reaches re-order level,"Materialanfrage erstellen, wenn der Lagerbestand unter einen Wert sinkt" +Raised By,Gemeldet von +Raised By (Email),Gemeldet von (E-Mail) Random,Zufällig Range,Bandbreite -Rate,Kurs +Rate,Satz Rate ,Rate -Rate (%),Rate ( %) -Rate (Company Currency),Kurs (Unternehmenswährung) +Rate (%),Satz ( %) +Rate (Company Currency),Satz (Firmen Währung) Rate Of Materials Based On,Rate der zu Grunde liegenden Materialien Rate and Amount,Kurs und Menge Rate at which Customer Currency is converted to customer's base currency,"Kurs, zu dem die Kundenwährung in die Basiswährung des Kunden umgerechnet wird" @@ -2451,16 +2426,16 @@ Reason for Leaving,Grund für das Verlassen Reason for Resignation,Grund für Rücktritt Reason for losing,Grund für den Verlust Recd Quantity,Zurückgegebene Menge -Receivable,Forderungen +Receivable,Forderung Receivable / Payable account will be identified based on the field Master Type,Debitoren-/Kreditorenkonto wird auf der Grundlage des Feld-Stammtyps identifiziert Receivables,Forderungen Receivables / Payables,Forderungen / Verbindlichkeiten Receivables Group,Forderungen-Gruppe -Received,Received +Received,Erhalten Received Date,Empfangsdatum Received Items To Be Billed,"Empfangene Artikel, die in Rechnung gestellt werden" Received Qty,Empfangene Menge -Received and Accepted,Empfangen und angenommen +Received and Accepted,Erhalten und akzeptiert Receiver List,Empfängerliste Receiver List is empty. Please create Receiver List,Empfängerliste ist leer. Bitte erstellen Sie Empfängerliste Receiver Parameter,Empfängerparameter @@ -2572,19 +2547,15 @@ Rounded Total (Company Currency),Abgerundete Gesamtsumme (Unternehmenswährung) Row # ,Zeile # Row # {0}: , Row #{0}: Please specify Serial No for Item {1},Row # {0}: Bitte Seriennummer für Artikel {1} -"Row {0}: Account does not match with \ - Purchase Invoice Credit To account", -"Row {0}: Account does not match with \ - Sales Invoice Debit To account", +Row {0}: Account does not match with \ Purchase Invoice Credit To account, +Row {0}: Account does not match with \ Sales Invoice Debit To account, Row {0}: Conversion Factor is mandatory,Row {0}: Umrechnungsfaktor ist obligatorisch Row {0}: Credit entry can not be linked with a Purchase Invoice,Row {0} : Kredit Eintrag kann nicht mit einer Einkaufsrechnung verknüpft werden Row {0}: Debit entry can not be linked with a Sales Invoice,Row {0} : Debit- Eintrag kann nicht mit einer Verkaufsrechnung verknüpft werden Row {0}: Payment amount must be less than or equals to invoice outstanding amount. Please refer Note below.,Row {0}: Zahlungsbetrag muss kleiner als oder gleich zu ausstehenden Betrag in Rechnung stellen können. Bitte beachten Sie folgenden Hinweis. Row {0}: Qty is mandatory,Row {0}: Menge ist obligatorisch -"Row {0}: Qty not avalable in warehouse {1} on {2} {3}. - Available Qty: {4}, Transfer Qty: {5}", -"Row {0}: To set {1} periodicity, difference between from and to date \ - must be greater than or equal to {2}", +"Row {0}: Qty not avalable in warehouse {1} on {2} {3}. Available Qty: {4}, Transfer Qty: {5}", +"Row {0}: To set {1} periodicity, difference between from and to date \ must be greater than or equal to {2}", Row {0}:Start Date must be before End Date,Row {0}: Startdatum muss vor dem Enddatum liegen Rules for adding shipping costs.,Regeln für das Hinzufügen von Versandkosten. Rules for applying pricing and discount.,Regeln für die Anwendung von Preis-und Rabatt . @@ -2631,35 +2602,35 @@ Sales Expenses,Vertriebskosten Sales Extras,Verkauf Extras Sales Funnel,Sales Funnel Sales Invoice,Verkaufsrechnung -Sales Invoice Advance,Verkaufsrechnung Vorschuss -Sales Invoice Item,Verkaufsrechnungsposition -Sales Invoice Items,Verkaufsrechnungspositionen -Sales Invoice Message,Verkaufsrechnungsnachricht -Sales Invoice No,Verkaufsrechnung Nr. +Sales Invoice Advance,Verkaufsrechnung Geleistete +Sales Invoice Item,Verkaufsrechnung Artikel +Sales Invoice Items,Verkaufsrechnung Artikel +Sales Invoice Message,Verkaufsrechnung Nachricht +Sales Invoice No,Verkaufsrechnungsnummer Sales Invoice Trends,Verkaufsrechnungstrends -Sales Invoice {0} has already been submitted,Sales Invoice {0} wurde bereits eingereicht -Sales Invoice {0} must be cancelled before cancelling this Sales Order,Sales Invoice {0} muss vor Streichung dieses Sales Order storniert werden +Sales Invoice {0} has already been submitted,Verkaufsrechnung {0} wurde bereits eingereicht +Sales Invoice {0} must be cancelled before cancelling this Sales Order,Verkaufsrechnung {0} muss vor Streichung dieses Verkaufsauftrages storniert werden Sales Item, Sales Manager, Sales Master Manager, -Sales Order,Auftrag -Sales Order Date,Auftragsdatum +Sales Order,Verkaufsauftrag +Sales Order Date,Verkaufsauftrag Datum Sales Order Item,Auftragsposition -Sales Order Items,Auftragspositionen -Sales Order Message,Auftragsnachricht -Sales Order No,Auftragsnr. -Sales Order Required,Erforderlicher Auftrag +Sales Order Items,Verkaufsauftragspositionen +Sales Order Message,Verkaufsauftrag Nachricht +Sales Order No,Verkaufsauftragsnummer +Sales Order Required,Verkaufsauftrag erforderlich Sales Order Trends,Sales Order Trends -Sales Order required for Item {0},Sales Order für den Posten erforderlich {0} -Sales Order {0} is not submitted,Sales Order {0} ist nicht eingereicht -Sales Order {0} is not valid,Sales Order {0} ist nicht gültig -Sales Order {0} is stopped,Sales Order {0} gestoppt +Sales Order required for Item {0},Verkaufsauftrag für den Posten {0} erforderlich +Sales Order {0} is not submitted,Verkaufsauftrag {0} ist nicht eingereicht +Sales Order {0} is not valid,Verkaufsauftrag {0} ist nicht gültig +Sales Order {0} is stopped,Verkaufsauftrag {0} ist angehalten Sales Partner,Vertriebspartner -Sales Partner Name,Vertriebspartnername +Sales Partner Name,Vertriebspartner Name Sales Partner Target,Vertriebspartner Ziel Sales Partners Commission,Vertriebspartner-Kommission -Sales Person,Vertriebsmitarbeiter -Sales Person Name,Vertriebsmitarbeitername +Sales Person,Verkäufer +Sales Person Name,Verkäufer Name Sales Person Target Variance Item Group-Wise,Sales Person ZielabweichungsartikelgruppeWise - Sales Person Targets,Vertriebsmitarbeiter Ziele Sales Person-wise Transaction Summary,Vertriebsmitarbeiterweise Zusammenfassung der Transaktion @@ -2773,8 +2744,7 @@ Serial No {0} status must be 'Available' to Deliver,"Seriennummer {0} Status mus Serial Nos Required for Serialized Item {0},SeriennummernErforderlich für Artikel mit Seriennummer {0} Serial Number Series,Seriennummer Series Serial number {0} entered more than once,Seriennummer {0} trat mehr als einmal -"Serialized Item {0} cannot be updated \ - using Stock Reconciliation", +Serialized Item {0} cannot be updated \ using Stock Reconciliation, Series,Serie Series List for this Transaction,Serienliste für diese Transaktion Series Updated,Aktualisiert Serie @@ -2869,61 +2839,10 @@ Standard,Standard Standard Buying,Standard- Einkaufsführer Standard Reports,Standardberichte Standard Selling,Standard- Selling -"Standard Terms and Conditions that can be added to Sales and Purchases. - -Examples: - -1. Validity of the offer. -1. Payment Terms (In Advance, On Credit, part advance etc). -1. What is extra (or payable by the Customer). -1. Safety / usage warning. -1. Warranty if any. -1. Returns Policy. -1. Terms of shipping, if applicable. -1. Ways of addressing disputes, indemnity, liability, etc. -1. Address and Contact of your Company.", +"Standard Terms and Conditions that can be added to Sales and Purchases.Examples:1. Validity of the offer.1. Payment Terms (In Advance, On Credit, part advance etc).1. What is extra (or payable by the Customer).1. Safety / usage warning.1. Warranty if any.1. Returns Policy.1. Terms of shipping, if applicable.1. Ways of addressing disputes, indemnity, liability, etc.1. Address and Contact of your Company.", Standard contract terms for Sales or Purchase.,Übliche Vertragsbedingungen für den Verkauf oder Kauf . -"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.", -"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 - -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. 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.", +"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.#### NoteThe 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 Columns1. 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 booked3. 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.", +"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.#### NoteThe 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 Columns1. 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 booked3. 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. 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.", Start,Start- Start Date,Startdatum Start date of current invoice's period,Startdatum der laufenden Rechnungsperiode @@ -3020,22 +2939,22 @@ Supplier Type master.,Lieferant Typ Master. Supplier Warehouse,Lieferantenlager Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Lieferantenlager obligatorisch für Unteraufträge vergeben Kaufbeleg Supplier database.,Lieferantendatenbank -Supplier master.,Lieferant Master. +Supplier master.,Lieferant Vorlage Supplier of Goods or Services.,Lieferant von Waren oder Dienstleistungen. Supplier warehouse where you have issued raw materials for sub - contracting,"Lieferantenlager, wo Sie Rohstoffe für Zulieferer ausgegeben haben." Supplier-Wise Sales Analytics,HerstellerverkaufsWise Analytics Support,Support Support Analtyics,Unterstützung Analtyics Support Analytics,Support-Analyse -Support Email,Support-E-Mail -Support Email Settings,Support- E-Mail -Einstellungen +Support Email,Support per E-Mail +Support Email Settings,Support E-Mail Einstellungen Support Manager, Support Password,Support-Passwort Support Team, Support Ticket,Support-Ticket Support queries from customers.,Support-Anfragen von Kunden. Symbol,Symbol -Sync Support Mails,Support-Mails synchronisieren +Sync Support Mails,Sync Unterstützungs E-Mails Sync with Dropbox,Mit Dropbox synchronisieren Sync with Google Drive,Mit Google Drive synchronisieren System,System @@ -3070,8 +2989,7 @@ Tax Assets,Steueransprüche Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,"Steuerkategorie kann nicht ""Bewertungstag "" oder "" Bewertung und Total ' als alle Einzelteile sind nicht auf Lager gehalten werden" Tax Rate,Steuersatz Tax and other salary deductions.,Steuer und sonstige Gehaltsabzüge -"Tax detail table fetched from item master as a string and stored in this field. -Used for Taxes and Charges", +Tax detail table fetched from item master as a string and stored in this field.Used for Taxes and Charges, Tax template for buying transactions.,Tax -Vorlage für Kauf -Transaktionen. Tax template for selling transactions.,Tax -Vorlage für Verkaufsgeschäfte . Taxes,Steuer @@ -3117,8 +3035,6 @@ The First User: You,Der erste Benutzer : Sie The Organization,Die Organisation "The account head under Liability, in which Profit/Loss will be booked","Das Konto, Kopf unter Haftung , in der Gewinn / Verlust wird gebucht werden" The date on which next invoice will be generated. It is generated on submit.,"Das Datum, an dem die nächste Rechnung erstellt wird. Sie wird beim Einreichen erzeugt." -"The date on which next invoice will be generated. It is generated on submit. -", The date on which recurring invoice will be stop,"Das Datum, an dem die wiederkehrende Rechnung angehalten wird" The date on which recurring order will be stop, "The day of the month on which auto invoice will be generated e.g. 05, 28 etc ","Der Tag des Monats, an dem auto Rechnung zB 05, 28 usw. generiert werden" @@ -3243,7 +3159,7 @@ Total in words,Gesamt in Worten Total points for all goals should be 100. It is {0},Gesamtpunkte für alle Ziele sollten 100 sein. Es ist {0} Total valuation for manufactured or repacked item(s) can not be less than total valuation of raw materials,Gesamtbewertungs für hergestellte oder umgepackt Artikel (s) kann nicht kleiner als die Gesamt Bewertung der Rohstoffe sein Total weightage assigned should be 100%. It is {0},Insgesamt Gewichtung zugeordnet sollte 100 % sein. Es ist {0} -Totals,Gesamtsummen +Totals,Summen Track Leads by Industry Type.,Spur führt nach Branche Typ . Track separate Income and Expense for product verticals or divisions.,Einnahmen und Ausgaben für Produktbereiche oder Abteilungen separat verfolgen. Track this Delivery Note against any Project,Diesen Lieferschein für jedes Projekt nachverfolgen @@ -3518,8 +3434,7 @@ website page link,Website-Link {0} days from {1}, {0} does not belong to Company {1},{0} ist nicht auf Unternehmen gehören {1} {0} entered twice in Item Tax,{0} trat zweimal in Artikel Tax -"{0} is an invalid email address in 'Notification \ - Email Address'", +{0} is an invalid email address in 'Notification \ Email Address', {0} is mandatory,{0} ist obligatorisch {0} is mandatory for Item {1},{0} Artikel ist obligatorisch für {1} {0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} ist obligatorisch. Vielleicht Devisenwechsel Datensatz nicht für {1} bis {2} erstellt. diff --git a/erpnext/translations/el.csv b/erpnext/translations/el.csv index 5507c84b65..d918cf0266 100644 --- a/erpnext/translations/el.csv +++ b/erpnext/translations/el.csv @@ -28,36 +28,12 @@ 'To Date' is required,« Έως » απαιτείται 'Update Stock' for Sales Invoice {0} must be set,« Ενημέρωση Χρηματιστήριο » για τις πωλήσεις Τιμολόγιο πρέπει να ρυθμιστεί {0} * Will be calculated in the transaction.,* Θα πρέπει να υπολογίζεται στη συναλλαγή. -"1 Currency = [?] Fraction -For e.g. 1 USD = 100 Cent","1 Νόμισμα = [?] Κλάσμα - Για π.χ. 1 USD = 100 Cent" +1 Currency = [?] FractionFor e.g. 1 USD = 100 Cent,1 Νόμισμα = [?] Κλάσμα Για π.χ. 1 USD = 100 Cent 1. To maintain the customer wise item code and to make them searchable based on their code use this option,"1. Για να διατηρήσετε τον πελάτη σοφός κωδικό στοιχείο και να καταστούν προσβάσιμα με βάση τον κωδικό τους, χρησιμοποιήστε αυτή την επιλογή" "Add / Edit"," Προσθήκη / Επεξεργασία < / a>" "Add / Edit"," Προσθήκη / Επεξεργασία < / a>" "Add / Edit"," Προσθήκη / Επεξεργασία < / a>" -"

Default Template

-

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

-
{{ address_line1 }}<br>
-{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}
-{{ city }}<br>
-{% if state %}{{ state }}<br>{% endif -%}
-{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}
-{{ country }}<br>
-{% if phone %}Phone: {{ phone }}<br>{% endif -%}
-{% if fax %}Fax: {{ fax }}<br>{% endif -%}
-{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
-
","

Προεπιλογή Πρότυπο -

Χρήσεις Jinja Templating και όλα τα πεδία της Διεύθυνσης ( συμπεριλαμβανομένων των προσαρμοσμένων πεδίων, αν υπάρχουν) θα είναι διαθέσιμο -

  {{}} address_line1 
- {% εάν address_line2%} {{}} address_line2
{ endif% -%} - {{}} πόλη
- {% αν το κράτος%} {{}} κατάσταση
{endif% -%} - {% εάν pincode%} PIN: {{}} pincode
{endif% -%} - {{}} χώρα
- {% αν το τηλέφωνο%} Τηλέφωνο: {{}} τηλέφωνο
{ endif% -%} - {% εάν φαξ%} Fax: {{}} fax
{endif% -%} - {% εάν email_id%} Email: {{}} email_id
? {endif% -%} - " +"

Default Template

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

{{ address_line1 }}<br>{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}{{ city }}<br>{% if state %}{{ state }}<br>{% endif -%}{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}{{ country }}<br>{% if phone %}Phone: {{ phone }}<br>{% endif -%}{% if fax %}Fax: {{ fax }}<br>{% endif -%}{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
","

Προεπιλογή Πρότυπο

Χρήσεις Jinja Templating και όλα τα πεδία της Διεύθυνσης ( συμπεριλαμβανομένων των προσαρμοσμένων πεδίων, αν υπάρχουν) θα είναι διαθέσιμο

  {{}} address_line1 
{% εάν address_line2%} {{}} address_line2
{ endif% -%} {{}} πόλη
{% αν το κράτος%} {{}} κατάσταση
{endif% -%} {% εάν pincode%} PIN: {{}} pincode
{endif% -%} {{}} χώρα
{% αν το τηλέφωνο%} Τηλέφωνο: {{}} τηλέφωνο
{ endif% -%} {% εάν φαξ%} Fax: {{}} fax
{endif% -%} {% εάν email_id%} Email: {{}} email_id
? {endif% -%} " A Customer Group exists with same name please change the Customer name or rename the Customer Group,Μια ομάδα πελατών υπάρχει με το ίδιο όνομα παρακαλούμε να αλλάξετε το όνομα του Πελάτη ή να μετονομάσετε την ομάδα πελατών A Customer exists with same name,Ένας πελάτης υπάρχει με το ίδιο όνομα A Lead with this email id should exist,Μια μολύβδου με αυτή την ταυτότητα ηλεκτρονικού ταχυδρομείου θα πρέπει να υπάρχει @@ -103,9 +79,7 @@ Account {0}: Parent account {1} can not be a ledger,Ο λογαριασμός {0 Account {0}: Parent account {1} does not belong to company: {2},Ο λογαριασμός {0}: Μητρική λογαριασμό {1} δεν ανήκει στην εταιρεία: {2} Account {0}: Parent account {1} does not exist,Ο λογαριασμός {0}: Μητρική λογαριασμό {1} δεν υπάρχει Account {0}: You can not assign itself as parent account,Ο λογαριασμός {0}: Δεν μπορεί η ίδια να εκχωρήσει ως μητρική λογαριασμού -"Account: {0} can only be updated via \ - Stock Transactions","Λογαριασμός: {0} μπορεί να ενημερώνεται μόνο μέσω \ - Χρηματιστηριακές Συναλλαγές Μετοχών" +Account: {0} can only be updated via \ Stock Transactions,Λογαριασμός: {0} μπορεί να ενημερώνεται μόνο μέσω \ Χρηματιστηριακές Συναλλαγές Μετοχών Accountant,λογιστής Accounting,Λογιστική "Accounting Entries can be made against leaf nodes, called","Λογιστικές εγγραφές μπορούν να γίνουν με κόμβους , που ονομάζεται" @@ -886,9 +860,7 @@ Download Reconcilation Data,Κατεβάστε συμφιλίωσης Δεδομ Download Template,Κατεβάστε προτύπου Download a report containing all raw materials with their latest inventory status,Κατεβάστε μια έκθεση που περιέχει όλες τις πρώτες ύλες με πιο πρόσφατη κατάσταση των αποθεμάτων τους "Download the Template, fill appropriate data and attach the modified file.","Κατεβάστε το Πρότυπο , συμπληρώστε τα κατάλληλα δεδομένα και να επισυνάψετε το τροποποιημένο αρχείο ." -"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 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","Κατεβάστε το Πρότυπο, συμπληρώστε τα κατάλληλα δεδομένα και να επισυνάψετε το τροποποιημένο αρχείο. Όλες οι ημερομηνίες και ο συνδυασμός των εργαζομένων στην επιλεγμένη περίοδο θα έρθει στο πρότυπο, με τους υπάρχοντες καταλόγους παρουσίας" Draft,Προσχέδιο Dropbox,Dropbox Dropbox Access Allowed,Dropbox Access κατοικίδια @@ -994,9 +966,7 @@ Error: {0} > {1},Σφάλμα : {0} > {1} Estimated Material Cost,Εκτιμώμενο κόστος υλικών "Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Ακόμα κι αν υπάρχουν πολλά Κανόνες τιμολόγησης με την υψηλότερη προτεραιότητα, στη συνέχεια μετά από εσωτερικές προτεραιότητες που εφαρμόζονται:" Everyone can read,Ο καθένας μπορεί να διαβάσει -"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 # # # # # - Αν σειράς έχει οριστεί και Αύξων αριθμός δεν αναφέρεται στις συναλλαγές, τότε αυτόματα αύξων αριθμός θα δημιουργηθεί με βάση αυτή τη σειρά. Αν θέλετε πάντα να αναφέρεται ρητά Serial Nos για αυτό το προϊόν. αφήστε κενό αυτό." +"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 # # # # # Αν σειράς έχει οριστεί και Αύξων αριθμός δεν αναφέρεται στις συναλλαγές, τότε αυτόματα αύξων αριθμός θα δημιουργηθεί με βάση αυτή τη σειρά. Αν θέλετε πάντα να αναφέρεται ρητά Serial Nos για αυτό το προϊόν. αφήστε κενό αυτό." Exchange Rate,Ισοτιμία Excise Duty 10,Ειδικό φόρο κατανάλωσης 10 Excise Duty 14,Ειδικό φόρο κατανάλωσης 14 @@ -1470,9 +1440,7 @@ Item-wise Purchase History,Στοιχείο-σοφός Ιστορικό αγορ Item-wise Purchase Register,Στοιχείο-σοφός Μητρώο Αγορά Item-wise Sales History,Στοιχείο-σοφός Ιστορία Πωλήσεις Item-wise Sales Register,Στοιχείο-σοφός Πωλήσεις Εγγραφή -"Item: {0} managed batch-wise, can not be reconciled using \ - Stock Reconciliation, instead use Stock Entry","Θέση: {0} κατάφερε παρτίδες, δεν μπορεί να συμβιβαστεί με τη χρήση \ - Τράπεζα Συμφιλίωση, αντί να χρησιμοποιήσετε το Χρηματιστήριο Έναρξη" +"Item: {0} managed batch-wise, can not be reconciled using \ Stock Reconciliation, instead use Stock Entry","Θέση: {0} κατάφερε παρτίδες, δεν μπορεί να συμβιβαστεί με τη χρήση \ Τράπεζα Συμφιλίωση, αντί να χρησιμοποιήσετε το Χρηματιστήριο Έναρξη" Item: {0} not found in the system,Θέση : {0} δεν βρέθηκε στο σύστημα Items,Είδη Items To Be Requested,Στοιχεία που θα ζητηθούν @@ -1731,9 +1699,7 @@ Moving Average Rate,Κινητός μέσος όρος Mr,Ο κ. Ms,Κα Multiple Item prices.,Πολλαπλές τιμές Item . -"Multiple Price Rule exists with same criteria, please resolve \ - conflict by assigning priority. Price Rules: {0}","Πολλαπλές Τιμή Κανόνας υπάρχει με τα ίδια κριτήρια, παρακαλούμε να επιλύσει \ - σύγκρουση με την απόδοση προτεραιότητας. Κανόνες Τιμή: {0}" +"Multiple Price Rule exists with same criteria, please resolve \ conflict by assigning priority. Price Rules: {0}","Πολλαπλές Τιμή Κανόνας υπάρχει με τα ίδια κριτήρια, παρακαλούμε να επιλύσει \ σύγκρουση με την απόδοση προτεραιότητας. Κανόνες Τιμή: {0}" Music,μουσική Must be Whole Number,Πρέπει να είναι Ακέραιος αριθμός Name,Όνομα @@ -2486,23 +2452,15 @@ Row # ,Row # Row # {0}: , Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,Σειρά # {0}: Διέταξε ποσότητα δεν μπορεί να μικρότερη από την ελάχιστη ποσότητα σειρά στοιχείου (όπως ορίζεται στο σημείο master). Row #{0}: Please specify Serial No for Item {1},Σειρά # {0}: Παρακαλείστε να προσδιορίσετε Αύξων αριθμός για τη θέση {1} -"Row {0}: Account does not match with \ - Purchase Invoice Credit To account","Σειρά {0}: Ο λογαριασμός δεν ταιριάζει με \ - τιμολογίου αγοράς πίστωση του λογαριασμού" -"Row {0}: Account does not match with \ - Sales Invoice Debit To account","Σειρά {0}: Ο λογαριασμός δεν ταιριάζει με \ - Τιμολόγιο Πώλησης χρέωση του λογαριασμού" +Row {0}: Account does not match with \ Purchase Invoice Credit To account,Σειρά {0}: Ο λογαριασμός δεν ταιριάζει με \ τιμολογίου αγοράς πίστωση του λογαριασμού +Row {0}: Account does not match with \ Sales Invoice Debit To account,Σειρά {0}: Ο λογαριασμός δεν ταιριάζει με \ Τιμολόγιο Πώλησης χρέωση του λογαριασμού Row {0}: Conversion Factor is mandatory,Σειρά {0}: συντελεστής μετατροπής είναι υποχρεωτική Row {0}: Credit entry can not be linked with a Purchase Invoice,Σειρά {0} : Credit εισόδου δεν μπορεί να συνδεθεί με ένα τιμολογίου αγοράς Row {0}: Debit entry can not be linked with a Sales Invoice,Σειρά {0} : Χρεωστική εισόδου δεν μπορεί να συνδεθεί με ένα Τιμολόγιο Πώλησης Row {0}: Payment amount must be less than or equals to invoice outstanding amount. Please refer Note below.,Σειρά {0}: Ποσό πληρωμής πρέπει να είναι μικρότερη ή ίση με τιμολόγιο οφειλόμενο ποσό. Παρακαλούμε ανατρέξτε Σημείωση παρακάτω. Row {0}: Qty is mandatory,Σειρά {0}: Ποσότητα είναι υποχρεωτική -"Row {0}: Qty not avalable in warehouse {1} on {2} {3}. - Available Qty: {4}, Transfer Qty: {5}","Σειρά {0}: Ποσότητα δεν avalable στην αποθήκη {1} στο {2} {3}. - Διαθέσιμο Ποσότητα: {4}, Μεταφορά Ποσότητα: {5}" -"Row {0}: To set {1} periodicity, difference between from and to date \ - must be greater than or equal to {2}","Σειρά {0}: Για να ρυθμίσετε {1} περιοδικότητα, η διαφορά μεταξύ της από και προς την ημερομηνία \ - πρέπει να είναι μεγαλύτερη ή ίση με {2}" +"Row {0}: Qty not avalable in warehouse {1} on {2} {3}. Available Qty: {4}, Transfer Qty: {5}","Σειρά {0}: Ποσότητα δεν avalable στην αποθήκη {1} στο {2} {3}. Διαθέσιμο Ποσότητα: {4}, Μεταφορά Ποσότητα: {5}" +"Row {0}: To set {1} periodicity, difference between from and to date \ must be greater than or equal to {2}","Σειρά {0}: Για να ρυθμίσετε {1} περιοδικότητα, η διαφορά μεταξύ της από και προς την ημερομηνία \ πρέπει να είναι μεγαλύτερη ή ίση με {2}" Row {0}:Start Date must be before End Date,Σειρά {0} : Ημερομηνία Έναρξης πρέπει να είναι πριν από την Ημερομηνία Λήξης Rules for adding shipping costs.,Κανόνες για την προσθήκη έξοδα αποστολής . Rules for applying pricing and discount.,Κανόνες για την εφαρμογή τιμών και εκπτώσεων . @@ -2683,9 +2641,7 @@ Serial No {0} status must be 'Available' to Deliver,Αύξων αριθμός {0 Serial Nos Required for Serialized Item {0},Serial Απαιτείται αριθμοί των Serialized σημείο {0} Serial Number Series,Serial Number Series Serial number {0} entered more than once,Αύξων αριθμός {0} τέθηκε περισσότερο από μία φορά -"Serialized Item {0} cannot be updated \ - using Stock Reconciliation","Serialized σημείο {0} δεν μπορεί να ενημερωθεί \ - χρησιμοποιώντας Χρηματιστήριο Συμφιλίωση" +Serialized Item {0} cannot be updated \ using Stock Reconciliation,Serialized σημείο {0} δεν μπορεί να ενημερωθεί \ χρησιμοποιώντας Χρηματιστήριο Συμφιλίωση Series,σειρά Series List for this Transaction,Λίστα Series για αυτή τη συναλλαγή Series Updated,σειρά ενημέρωση @@ -2911,9 +2867,7 @@ Tax Assets,Φορολογικές Απαιτήσεις Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,"Φορολογική κατηγορία δεν μπορεί να είναι « Αποτίμηση » ή « Αποτίμηση και Total », όπως όλα τα στοιχεία είναι στοιχεία μη - απόθεμα" Tax Rate,Φορολογικός Συντελεστής Tax and other salary deductions.,Φορολογικές και άλλες μειώσεις μισθών. -"Tax detail table fetched from item master as a string and stored in this field. -Used for Taxes and Charges","Τραπέζι λεπτομέρεια φόρου πωλούνταν από τη θέση πλοιάρχου, όπως μια σειρά και αποθηκεύονται σε αυτόν τον τομέα. - Χρησιμοποιείται για φόρους και τέλη" +Tax detail table fetched from item master as a string and stored in this field.Used for Taxes and Charges,"Τραπέζι λεπτομέρεια φόρου πωλούνταν από τη θέση πλοιάρχου, όπως μια σειρά και αποθηκεύονται σε αυτόν τον τομέα. Χρησιμοποιείται για φόρους και τέλη" Tax template for buying transactions.,Φορολογική πρότυπο για την αγορά των συναλλαγών . Tax template for selling transactions.,Φορολογική πρότυπο για την πώληση των συναλλαγών . Taxable,Φορολογητέο @@ -2959,9 +2913,7 @@ The First User: You,Η πρώτη Χρήστης : Μπορείτε "The Item that represents the Package. This Item must have ""Is Stock Item"" as ""No"" and ""Is Sales Item"" as ""Yes""","Το στοιχείο που αντιπροσωπεύει το πακέτο. Αυτό το στοιχείο πρέπει να έχει "Είναι Stock Θέση", όπως "Όχι" και "Είναι σημείο πώλησης", όπως "Ναι"" The Organization,ο Οργανισμός "The account head under Liability, in which Profit/Loss will be booked","Η κεφαλή του λογαριασμού βάσει της αστικής ευθύνης, στην οποία Κέρδη / Ζημίες θα κρατηθεί" -"The date on which next invoice will be generated. It is generated on submit. -","Η ημερομηνία κατά την οποία θα δημιουργηθεί το επόμενο τιμολόγιο. Παράγεται σε υποβάλει. -" +The date on which next invoice will be generated. It is generated on submit.,Η ημερομηνία κατά την οποία θα δημιουργηθεί το επόμενο τιμολόγιο. Παράγεται σε υποβάλει. The date on which recurring invoice will be stop,Η ημερομηνία κατά την οποία επαναλαμβανόμενες τιμολόγιο θα σταματήσει "The day of the month on which auto invoice will be generated e.g. 05, 28 etc ","Η ημέρα του μήνα κατά τον οποίο τιμολόγιο αυτοκινήτων θα παραχθούν, π.χ. 05, 28 κλπ" The day(s) on which you are applying for leave are holiday. You need not apply for leave.,Η μέρα ( ες) στην οποία υποβάλλετε αίτηση για άδεια είναι διακοπές . Δεν χρειάζεται να υποβάλουν αίτηση για άδεια . diff --git a/erpnext/translations/es.csv b/erpnext/translations/es.csv index e7e001bf5d..192e373f8a 100644 --- a/erpnext/translations/es.csv +++ b/erpnext/translations/es.csv @@ -28,117 +28,91 @@ 'To Date' is required,""" Hasta la fecha "" se requiere" 'Update Stock' for Sales Invoice {0} must be set,"'Actualización de la "" factura de venta para {0} debe ajustarse" * Will be calculated in the transaction.,* Se calculará en la transacción. -"1 Currency = [?] Fraction -For e.g. 1 USD = 100 Cent","1 moneda = [?] Fracción - Por ejemplo, 1 USD = 100 Cent" +1 Currency = [?] FractionFor e.g. 1 USD = 100 Cent,"1 moneda = [?] Fracción Por ejemplo, 1 USD = 100 Cent" 1. To maintain the customer wise item code and to make them searchable based on their code use this option,1 . Para mantener el código del artículo sabia cliente y para efectuar búsquedas en ellos en función de su uso de código de esta opción "
Add / Edit"," Añadir / Editar < / a>" "Add / Edit"," Añadir / Editar < / a>" "Add / Edit"," Añadir / Editar < / a>" -"

Default Template

-

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

-
{{ address_line1 }}<br>
-{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}
-{{ city }}<br>
-{% if state %}{{ state }}<br>{% endif -%}
-{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}
-{{ country }}<br>
-{% if phone %}Phone: {{ phone }}<br>{% endif -%}
-{% if fax %}Fax: {{ fax }}<br>{% endif -%}
-{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
-
","

defecto plantilla -

Usos Jinja plantillas y todos los campos de la Dirección ( incluyendo campos personalizados en su caso) estará disponible -

  {{}} address_line1 
- {% if address_line2%} {{}} address_line2
{ endif% -%} - {{city}}
- {% if estado%} {{Estado}} {% endif
-%} - {% if%} pincode PIN: {{pincode}} {% endif
-%} - {{país}}
- {% if%} de teléfono Teléfono: {{phone}} {
endif% -%} - {% if%} fax Fax: {{fax}} {% endif
-%} - {% if%} email_ID Email: {{}} email_ID
; {% endif -%} - " -A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Existe un grupo de clientes con el mismo nombre, por favor cambie el nombre del cliente o cambie el nombre del grupo al Cliente" -A Customer exists with same name,Existe un cliente con el mismo nombre -A Lead with this email id should exist,Una iniciativa con este correo electrónico de identificación debería existir -A Product or Service,Un producto o servicio -A Supplier exists with same name,Existe un proveedor con el mismo nombre -A symbol for this currency. For e.g. $,"Un símbolo de esta moneda. Por ejemplo, $" +"

Default Template

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

{{ address_line1 }}<br>{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}{{ city }}<br>{% if state %}{{ state }}<br>{% endif -%}{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}{{ country }}<br>{% if phone %}Phone: {{ phone }}<br>{% endif -%}{% if fax %}Fax: {{ fax }}<br>{% endif -%}{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
","

defecto plantilla

Usos Jinja plantillas y todos los campos de la Dirección ( incluyendo campos personalizados en su caso) estará disponible

  {{}} address_line1 
{% if address_line2%} {{}} address_line2
{ endif% -%} {{city}}
{% if estado%} {{Estado}} {% endif
-%} {% if%} pincode PIN: {{pincode}} {% endif
-%} {{país}}
{% if%} de teléfono Teléfono: {{phone}} {
endif% -%} {% if%} fax Fax: {{fax}} {% endif
-%} {% if%} email_ID Email: {{}} email_ID
; {% endif -%} " +A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Existe un Grupo de Clientes con el mismo nombre, por favor cambie el nombre del Cliente o cambie el nombre del Grupo de Clientes" +A Customer exists with same name,Existe un Cliente con el mismo nombre +A Lead with this email id should exist,Una Iniciativa con este correo electrónico debería existir +A Product or Service,Un Producto o Servicio +A Supplier exists with same name,Existe un Proveedor con el mismo nombre +A symbol for this currency. For e.g. $,"Un símbolo para esta moneda. Por ejemplo, $" AMC Expiry Date,AMC Fecha de caducidad -Abbr,abbr +Abbr,Abrev Abbreviation cannot have more than 5 characters,Abreviatura no puede tener más de 5 caracteres -Above Value,Por encima de Valor -Absent,ausente +Above Value,Valor Superior +Absent,Ausente Acceptance Criteria,Criterios de Aceptación Accepted,Aceptado -Accepted + Rejected Qty must be equal to Received quantity for Item {0},Aceptado Rechazado + Cantidad debe ser igual a la cantidad recibida por el elemento {0} -Accepted Quantity,Cantidad Aceptado +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} +Accepted Quantity,Cantidad Aceptada Accepted Warehouse,Almacén Aceptado -Account,cuenta -Account Balance,Saldo de la cuenta +Account,Cuenta +Account Balance,Balance de la Cuenta Account Created: {0},Cuenta Creada: {0} -Account Details,Detalles de la cuenta +Account Details,Detalles de la Cuenta Account Head,cuenta Head -Account Name,Nombre de cuenta -Account Type,Tipo de cuenta -"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Balance de la cuenta ya de crédito, no le está permitido establecer 'El balance debe ser' como 'Débito'" -"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Balance de la cuenta que ya están en débito, no se le permite establecer ""El balance debe ser"" como ""crédito""" +Account Name,Nombre de la Cuenta +Account Type,Tipo de Cuenta +"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'" +"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""" Account for the warehouse (Perpetual Inventory) will be created under this Account.,Cuenta para el almacén ( inventario permanente ) se creará en esta Cuenta. Account head {0} created,Cabeza de cuenta {0} creado Account must be a balance sheet account,La cuenta debe ser una cuenta de balance -Account with child nodes cannot be converted to ledger,Cuenta con nodos secundarios no se puede convertir en el libro mayor -Account with existing transaction can not be converted to group.,Cuenta con la transacción existente no se puede convertir al grupo. -Account with existing transaction can not be deleted,Cuenta con la transacción existente no se puede eliminar +Account with child nodes cannot be converted to ledger,Cuenta con nodos hijos no se puede convertir en el libro mayor +Account with existing transaction can not be converted to group.,Cuenta con transacción existente no se puede convertir al grupo. +Account with existing transaction can not be deleted,Cuenta con transacción existente no se puede eliminar Account with existing transaction cannot be converted to ledger,Cuenta con la transacción existente no se puede convertir en el libro mayor -Account {0} cannot be a Group,Cuenta {0} no puede ser un grupo -Account {0} does not belong to Company {1},Cuenta {0} no pertenece a la empresa {1} +Account {0} cannot be a Group,Cuenta {0} no puede ser un Grupo +Account {0} does not belong to Company {1},Cuenta {0} no pertenece a la Compañía {1} Account {0} does not belong to company: {1},Cuenta {0} no pertenece a la compañía: {1} Account {0} does not exist,Cuenta {0} no existe Account {0} has been entered more than once for fiscal year {1},Cuenta {0} se ha introducido más de una vez para el año fiscal {1} -Account {0} is frozen,Cuenta {0} está congelado -Account {0} is inactive,Cuenta {0} está inactivo -Account {0} is not valid,Cuenta {0} no es válido -Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item,"Cuenta {0} debe ser de tipo ' de activos fijos ""como elemento {1} es un elemento de activo" -Account {0}: Parent account {1} can not be a ledger,Cuenta {0}: cuenta Parent {1} no puede ser un libro de contabilidad -Account {0}: Parent account {1} does not belong to company: {2},Cuenta {0}: cuenta Parent {1} no pertenece a la compañía: {2} -Account {0}: Parent account {1} does not exist,Cuenta {0}: la cuenta de Padres {1} no existe -Account {0}: You can not assign itself as parent account,Cuenta {0}: no se puede asignar como cuenta primaria -"Account: {0} can only be updated via \ - Stock Transactions","Cuenta: {0} sólo puede ser actualizado a través de \ - Transacciones archivo" -Accountant,contador -Accounting,contabilidad +Account {0} is frozen,Cuenta {0} está congelada +Account {0} is inactive,Cuenta {0} está inactiva +Account {0} is not valid,Cuenta {0} no es válida +Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item,Cuenta {0} debe ser de tipo 'Activos Fijos' como Artículo {1} es un Elemento de Activo +Account {0}: Parent account {1} can not be a ledger,Cuenta {0}: Cuenta Padre {1} no puede ser un libro de contabilidad +Account {0}: Parent account {1} does not belong to company: {2},Cuenta {0}: Cuenta Padre {1} no pertenece a la compañía: {2} +Account {0}: Parent account {1} does not exist,Cuenta {0}: Cuenta Padre {1} no existe +Account {0}: You can not assign itself as parent account,Cuenta {0}: Usted no lo puede asignar como cuenta padre +Account: {0} can only be updated via \ Stock Transactions,Cuenta: {0} sólo puede ser actualizado a través de \ Transacciones de Inventario +Accountant,Contador +Accounting,Contabilidad "Accounting Entries can be made against leaf nodes, called","Los comentarios de Contabilidad se pueden hacer contra los nodos hoja , llamada" "Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","Asiento contable congelado hasta la fecha , nadie puede hacer / modificar la entrada , excepto el papel se especifica a continuación ." -Accounting journal entries.,Entradas de diario de contabilidad . +Accounting journal entries.,Entradas de diario de contabilidad. Accounts,Cuentas -Accounts Browser,Cuentas Browser -Accounts Frozen Upto,Cuentas congeladas Hasta -Accounts Payable,Cuentas por pagar -Accounts Receivable,Cuentas por cobrar -Accounts Settings,Cuentas Ajustes -Active,activo -Active: Will extract emails from ,Activo: Will extraer correos electrónicos de -Activity,actividad -Activity Log,Registro de actividades -Activity Log:,Registro de actividad : +Accounts Browser,Navegador de Cuentas +Accounts Frozen Upto,Cuentas Congeladas Hasta +Accounts Payable,Cuentas por Pagar +Accounts Receivable,Cuentas por Cobrar +Accounts Settings,Configuración de Cuentas +Active,Activo +Active: Will extract emails from ,Activo: Extraerá correos electrónicos de +Activity,Actividad +Activity Log,Registro de Actividad +Activity Log:,Registro de Actividad: Activity Type,Tipo de Actividad -Actual,real +Actual,Real Actual Budget,Presupuesto Real -Actual Completion Date,Fecha de Terminación del Real -Actual Date,Fecha real -Actual End Date,Actual Fecha de finalización -Actual Invoice Date,Actual Fecha de la factura -Actual Posting Date,Actual Día de envío -Actual Qty,Actual Cantidad -Actual Qty (at source/target),Actual Cantidad ( en origen / destino) -Actual Qty After Transaction,Actual Cantidad Después de Transacción -Actual Qty: Quantity available in the warehouse.,Actual Cantidad : Cantidad disponible en el almacén . -Actual Quantity,Cantidad real -Actual Start Date,Fecha de Comienzo real -Add,añadir -Add / Edit Taxes and Charges,Añadir / modificar las tasas y cargos -Add Child,Añadir niño +Actual Completion Date,Fecha Real de Terminación +Actual Date,Fecha Real +Actual End Date,Fecha Real de Finalización +Actual Invoice Date,Fecha Real de Factura +Actual Posting Date,Fecha Real de Envío +Actual Qty,Cantidad Real +Actual Qty (at source/target),Cantidad Real (en origen/destino) +Actual Qty After Transaction,Cantidad Real Después de la Transacción +Actual Qty: Quantity available in the warehouse.,Cantidad Actual: Cantidad disponible en el almacén. +Actual Quantity,Cantidad Real +Actual Start Date,Fecha de Comienzo Real +Add,Añadir +Add / Edit Taxes and Charges,Añadir / Editar las tasas y cargos +Add Child,Añadir Hijo Add Serial No,Añadir Serial No Add Taxes,Añadir impuestos Add Taxes and Charges,Añadir las tasas y cargos @@ -339,44 +313,44 @@ BOM replaced,BOM reemplazado BOM {0} for Item {1} in row {2} is inactive or not submitted,BOM {0} para el artículo {1} en la fila {2} está inactivo o no presentado BOM {0} is not active or not submitted,BOM {0} no está activo o no presentado BOM {0} is not submitted or inactive BOM for Item {1},BOM {0} no se presenta o inactivo lista de materiales para el elemento {1} -Backup Manager,Backup Manager -Backup Right Now,Copia de seguridad ahora mismo -Backups will be uploaded to,Las copias de seguridad se subirán a -Balance Qty,Equilibrio Cantidad -Balance Sheet,balance -Balance Value,Valor de balance -Balance for Account {0} must always be {1},Balance por cuenta {0} debe ser siempre {1} -Balance must be,El balance debe ser -"Balances of Accounts of type ""Bank"" or ""Cash""","Los saldos de las cuentas de tipo ""Banco"" o "" efectivo""" +Backup Manager,Administrador de Respaldos +Backup Right Now,Respaldar Ya +Backups will be uploaded to,Respaldos serán subidos a +Balance Qty,Cantidad en Balance +Balance Sheet,Hoja de Balance +Balance Value,Valor de Balance +Balance for Account {0} must always be {1},Balance de Cuenta {0} debe ser siempre {1} +Balance must be,Balance debe ser +"Balances of Accounts of type ""Bank"" or ""Cash""","Los Balances de Cuentas de tipo ""Banco"" o ""Efectivo""" Bank,Banco -Bank / Cash Account,Cuenta de banco / caja -Bank A/C No.,Bank A / C No. -Bank Account,cuenta Bancaria -Bank Account No.,Cuenta Bancaria -Bank Accounts,Cuentas bancarias -Bank Clearance Summary,Resumen Liquidación del Banco -Bank Draft,letra bancaria -Bank Name,Nombre del banco +Bank / Cash Account,Cuenta de Banco / Efectivo +Bank A/C No.,Número de Cuenta de Banco +Bank Account,Cuenta Bancaria +Bank Account No.,Número de Cuenta Bancaria +Bank Accounts,Cuentas Bancarias +Bank Clearance Summary,Resumen de Liquidación del Banco +Bank Draft,Cheque de Gerencia +Bank Name,Nombre del Banco Bank Overdraft Account,Cuenta crédito en cuenta corriente Bank Reconciliation,Conciliación Bancaria -Bank Reconciliation Detail,Detalle de conciliación bancaria +Bank Reconciliation Detail,Detalle de Conciliación Bancaria Bank Reconciliation Statement,Declaración de Conciliación Bancaria Bank Voucher,Banco de Vales Bank/Cash Balance,Banco / Balance de Caja -Banking,banca -Barcode,Código de barras +Banking,Banca +Barcode,Código de Barras Barcode {0} already used in Item {1},Barcode {0} ya se utiliza en el elemento {1} Based On,Basado en el -Basic,básico +Basic,Básico Basic Info,Información Básica Basic Information,Datos Básicos Basic Rate,Tasa Básica Basic Rate (Company Currency),Basic Rate ( Compañía de divisas ) -Batch,lote +Batch,Lote Batch (lot) of an Item.,Batch (lote ) de un elemento . Batch Finished Date,Fecha lotes Terminado Batch ID,ID de lote -Batch No,lote n +Batch No,Lote Nro Batch Started Date,Lotes Comienza Fecha Batch Time Logs for billing.,Registros de tiempo de lotes para la facturación . Batch-Wise Balance History,Batch- Wise Historial de saldo @@ -398,27 +372,27 @@ Billing Address Name,Dirección de Facturación Nombre Billing Status,estado de facturación Bills raised by Suppliers.,Bills planteadas por los proveedores. Bills raised to Customers.,Bills planteadas a los clientes. -Bin,papelera +Bin,Papelera Bio,Bio -Biotechnology,biotecnología -Birthday,cumpleaños +Biotechnology,Biotecnología +Birthday,Cumpleaños Block Date,Bloquear Fecha -Block Days,bloque días +Block Days,Bloquear Días Block leave applications by department.,Bloquee aplicaciones de permiso por departamento. Blog Post,Blog Blog Subscriber,Blog suscriptor Blood Group,Grupos Sanguíneos Both Warehouse must belong to same Company,Tanto Almacén debe pertenecer a una misma empresa Box,caja -Branch,rama -Brand,marca +Branch,Rama +Brand,Marca Brand Name,Marca Brand master.,Master Marca . Brands,Marcas Breakdown,desglose Broadcasting,radiodifusión Brokerage,corretaje -Budget,presupuesto +Budget,Presupuesto Budget Allocated,Presupuesto asignado Budget Detail,Detalle del Presupuesto Budget Details,Presupuesto detalles @@ -886,9 +860,7 @@ Download Reconcilation Data,Descarga reconciliación de datos Download Template,Descargar Plantilla Download a report containing all raw materials with their latest inventory status,Descargar un informe con todas las materias primas con su estado actual inventario "Download the Template, fill appropriate data and attach the modified file.","Descarga la plantilla , rellenar los datos correspondientes y adjuntar el archivo modificado." -"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","Descarga la plantilla, rellenar los datos correspondientes y adjuntar el archivo modificado. - Todas las fechas y combinación empleado en el período seleccionado vendrán en la plantilla, con los registros de asistencia existentes" +"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","Descarga la plantilla, rellenar los datos correspondientes y adjuntar el archivo modificado. Todas las fechas y combinación empleado en el período seleccionado vendrán en la plantilla, con los registros de asistencia existentes" Draft,borrador Dropbox,Dropbox Dropbox Access Allowed,Dropbox Acceso mascotas @@ -994,9 +966,7 @@ Error: {0} > {1},Error: {0} > {1} Estimated Material Cost,Costo estimado del material "Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Incluso si hay varias reglas de precios con mayor prioridad, se aplican entonces siguientes prioridades internas:" Everyone can read,Todo el mundo puede leer -"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 No de serie no se menciona en las transacciones, número de serie y luego automática se creará 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." +"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 No de serie no se menciona en las transacciones, número de serie y luego automática se creará 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." Exchange Rate,Tipo de Cambio Excise Duty 10,Impuestos Especiales 10 Excise Duty 14,Impuestos Especiales 14 @@ -1470,9 +1440,7 @@ Item-wise Purchase History,- Artículo sabio Historial de compras Item-wise Purchase Register,- Artículo sabio Compra Registrarse Item-wise Sales History,- Artículo sabio Historia Ventas Item-wise Sales Register,- Artículo sabio ventas Registrarse -"Item: {0} managed batch-wise, can not be reconciled using \ - Stock Reconciliation, instead use Stock Entry","Artículo: {0} gestionado por lotes, no se puede conciliar el uso de \ - Stock Reconciliación, en lugar utilizar la entrada Stock" +"Item: {0} managed batch-wise, can not be reconciled using \ Stock Reconciliation, instead use Stock Entry","Artículo: {0} gestionado por lotes, no se puede conciliar el uso de \ Stock Reconciliación, en lugar utilizar la entrada Stock" Item: {0} not found in the system,Artículo: {0} no se encuentra en el sistema Items,Artículos Items To Be Requested,Los artículos que se solicitarán @@ -1731,9 +1699,7 @@ Moving Average Rate,Mover Tarifa media Mr,Sr. Ms,ms Multiple Item prices.,Precios de los artículos múltiples. -"Multiple Price Rule exists with same criteria, please resolve \ - conflict by assigning priority. Price Rules: {0}","Múltiple Precio Regla existe con los mismos criterios, por favor resuelva \ - conflicto mediante la asignación de prioridad. Reglas Precio: {0}" +"Multiple Price Rule exists with same criteria, please resolve \ conflict by assigning priority. Price Rules: {0}","Múltiple Precio Regla existe con los mismos criterios, por favor resuelva \ conflicto mediante la asignación de prioridad. Reglas Precio: {0}" Music,música Must be Whole Number,Debe ser un número entero Name,nombre @@ -2486,23 +2452,15 @@ Row # ,Fila # Row # {0}: , Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,Fila # {0}: Cantidad ordenada no puede menos que mínima cantidad de pedido de material (definido en maestro de artículos). Row #{0}: Please specify Serial No for Item {1},"Fila # {0}: Por favor, especifique No para la serie de artículos {1}" -"Row {0}: Account does not match with \ - Purchase Invoice Credit To account","Fila {0}: Cuenta no coincide con \ - Compra Factura de Crédito Para tener en cuenta" -"Row {0}: Account does not match with \ - Sales Invoice Debit To account","Fila {0}: Cuenta no coincide con \ - Factura Débito Para tener en cuenta" +Row {0}: Account does not match with \ Purchase Invoice Credit To account,Fila {0}: Cuenta no coincide con \ Compra Factura de Crédito Para tener en cuenta +Row {0}: Account does not match with \ Sales Invoice Debit To account,Fila {0}: Cuenta no coincide con \ Factura Débito Para tener en cuenta Row {0}: Conversion Factor is mandatory,Fila {0}: Factor de conversión es obligatoria Row {0}: Credit entry can not be linked with a Purchase Invoice,Fila {0}: entrada de crédito no puede vincularse con una factura de compra Row {0}: Debit entry can not be linked with a Sales Invoice,Fila {0}: entrada de débito no se puede vincular con una factura de venta Row {0}: Payment amount must be less than or equals to invoice outstanding amount. Please refer Note below.,"Fila {0}: Cantidad de pagos debe ser menor o igual a facturar cantidad pendiente. Por favor, consulte la nota a continuación." Row {0}: Qty is mandatory,Fila {0}: Cantidad es obligatorio -"Row {0}: Qty not avalable in warehouse {1} on {2} {3}. - Available Qty: {4}, Transfer Qty: {5}","Fila {0}: Cantidad no avalable en almacén {1} del {2} {3}. - Disponible Cantidad: {4}, Traslado Cantidad: {5}" -"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 o igual que {2}" +"Row {0}: Qty not avalable in warehouse {1} on {2} {3}. Available Qty: {4}, Transfer Qty: {5}","Fila {0}: Cantidad no avalable en almacén {1} del {2} {3}. Disponible Cantidad: {4}, Traslado Cantidad: {5}" +"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 o igual que {2}" Row {0}:Start Date must be before End Date,Fila {0}: Fecha de inicio debe ser anterior Fecha de finalización Rules for adding shipping costs.,Reglas para la adición de los gastos de envío . Rules for applying pricing and discount.,Reglas para la aplicación de precios y descuentos . @@ -2683,9 +2641,7 @@ Serial No {0} status must be 'Available' to Deliver,"Número de orden {0} Estado Serial Nos Required for Serialized Item {0},Serie n Necesario para artículo serializado {0} Serial Number Series,Número de Serie Serie Serial number {0} entered more than once,Número de serie {0} entraron más de una vez -"Serialized Item {0} cannot be updated \ - using Stock Reconciliation","Artículo Serialized {0} no se puede actualizar \ - mediante Stock Reconciliación" +Serialized Item {0} cannot be updated \ using Stock Reconciliation,Artículo Serialized {0} no se puede actualizar \ mediante Stock Reconciliación Series,serie Series List for this Transaction,Lista de series para esta transacción Series Updated,Series Actualizado @@ -2911,9 +2867,7 @@ Tax Assets,Activos por Impuestos Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,"Categoría de impuesto no puede ser ' Valoración ' o ' de Valoración y Total ""como todos los artículos son no-acción" Tax Rate,Tasa de Impuesto Tax and other salary deductions.,Tributaria y otras deducciones salariales. -"Tax detail table fetched from item master as a string and stored in this field. -Used for Taxes and Charges","Tabla de detalles de impuestos recoger del maestro de artículos en forma de cadena y se almacena en este campo. - Se utiliza para las tasas y cargos" +Tax detail table fetched from item master as a string and stored in this field.Used for Taxes and Charges,Tabla de detalles de impuestos recoger del maestro de artículos en forma de cadena y se almacena en este campo. Se utiliza para las tasas y cargos Tax template for buying transactions.,Plantilla de impuestos para la compra de las transacciones. Tax template for selling transactions.,Plantilla Tributaria para la venta de las transacciones. Taxable,imponible @@ -2959,9 +2913,7 @@ The First User: You,La Primera Usuario: "The Item that represents the Package. This Item must have ""Is Stock Item"" as ""No"" and ""Is Sales Item"" as ""Yes""","El artículo que representa el paquete . Este artículo debe haber "" Es Stock Item"" como "" No"" y ""¿ Punto de venta"" como "" Sí""" The Organization,La Organización "The account head under Liability, in which Profit/Loss will be booked","El director cuenta con la responsabilidad civil , en el que será reservado Ganancias / Pérdidas" -"The date on which next invoice will be generated. It is generated on submit. -","La fecha en que se generará la próxima factura. Se genera en enviar. -" +The date on which next invoice will be generated. It is generated on submit.,La fecha en que se generará la próxima factura. Se genera en enviar. The date on which recurring invoice will be stop,La fecha en que se detiene la factura recurrente "The day of the month on which auto invoice will be generated e.g. 05, 28 etc ","El día del mes en el que se generará factura auto por ejemplo 05, 28, etc" The day(s) on which you are applying for leave are holiday. You need not apply for leave.,El día ( s ) sobre el cual está solicitando la licencia son vacaciones. Usted no tiene que solicitar la licencia . diff --git a/erpnext/translations/fr.csv b/erpnext/translations/fr.csv index 16bf387acc..99a9158398 100644 --- a/erpnext/translations/fr.csv +++ b/erpnext/translations/fr.csv @@ -28,36 +28,12 @@ 'To Date' is required,Compte {0} existe déjà 'Update Stock' for Sales Invoice {0} must be set,Remarque: la date d'échéance dépasse les jours de crédit accordés par {0} jour (s ) * Will be calculated in the transaction.,* Sera calculé de la transaction. -"1 Currency = [?] Fraction -For e.g. 1 USD = 100 Cent","1 devise = [?] Fraction - Pour exemple, 1 USD = 100 cents" +1 Currency = [?] FractionFor e.g. 1 USD = 100 Cent,"1 devise = [?] Fraction Pour exemple, 1 USD = 100 cents" 1. To maintain the customer wise item code and to make them searchable based on their code use this option,1. Pour maintenir le code de référence du client sage et de les rendre consultables en fonction de leur code d'utiliser cette option "
Add / Edit"," Ajouter / Modifier < / a>" "Add / Edit"," Ajouter / Modifier < / a>" "Add / Edit"," Ajouter / Modifier < / a>" -"

Default Template

-

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

-
{{ address_line1 }}<br>
-{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}
-{{ city }}<br>
-{% if state %}{{ state }}<br>{% endif -%}
-{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}
-{{ country }}<br>
-{% if phone %}Phone: {{ phone }}<br>{% endif -%}
-{% if fax %}Fax: {{ fax }}<br>{% endif -%}
-{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
-
","

modèle par défaut -

Utilise Jinja création de modèles et tous les domaines de l'Adresse ( y compris les champs personnalisés cas échéant) sera disponible -

  {{}} address_line1 Photos 
- {% si address_line2%} {{}} address_line2 
{ % endif -%} - {{ville}} Photos - {% si l'état%} {{état}} {% endif Photos -%} - {% if%} code PIN PIN: {{code PIN}} {% endif Photos -%} - {{pays}} Photos - {% si le téléphone%} Téléphone: {{phone}} {
% endif -%} - {% if%} fax Fax: {{fax}} {% endif Photos -%} - {% if%} email_id Email: {{}} email_id Photos ; {% endif -%} - " +"

Default Template

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

{{ address_line1 }}<br>{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}{{ city }}<br>{% if state %}{{ state }}<br>{% endif -%}{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}{{ country }}<br>{% if phone %}Phone: {{ phone }}<br>{% endif -%}{% if fax %}Fax: {{ fax }}<br>{% endif -%}{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
","

modèle par défaut

Utilise Jinja création de modèles et tous les domaines de l'Adresse ( y compris les champs personnalisés cas échéant) sera disponible

  {{}} address_line1 Photos  {% si address_line2%} {{}} address_line2 
{ % endif -%} {{ville}} Photos {% si l'état%} {{état}} {% endif Photos -%} {% if%} code PIN PIN: {{code PIN}} {% endif Photos -%} {{pays}} Photos {% si le téléphone%} Téléphone: {{phone}} {
% endif -%} {% if%} fax Fax: {{fax}} {% endif Photos -%} {% if%} email_id Email: {{}} email_id Photos ; {% endif -%} " A Customer Group exists with same name please change the Customer name or rename the Customer Group,BOM récursivité : {0} ne peut pas être le parent ou l'enfant de {2} A Customer exists with same name,Une clientèle existe avec le même nom A Lead with this email id should exist,Un responsable de cette id e-mail doit exister @@ -103,9 +79,7 @@ Account {0}: Parent account {1} can not be a ledger,Compte {0}: compte de Parent Account {0}: Parent account {1} does not belong to company: {2},Compte {0}: compte de Parent {1} n'appartient pas à l'entreprise: {2} Account {0}: Parent account {1} does not exist,Compte {0}: compte de Parent {1} n'existe pas Account {0}: You can not assign itself as parent account,Compte {0}: Vous ne pouvez pas lui attribuer que compte parent -"Account: {0} can only be updated via \ - Stock Transactions","Compte: {0} ne peut être mise à jour via \ - Transactions de stock" +Account: {0} can only be updated via \ Stock Transactions,Compte: {0} ne peut être mise à jour via \ Transactions de stock Accountant,comptable Accounting,Comptabilité "Accounting Entries can be made against leaf nodes, called","Écritures comptables peuvent être faites contre nœuds feuilles , appelé" @@ -886,9 +860,7 @@ Download Reconcilation Data,Télécharger Rapprochement des données Download Template,Télécharger le modèle Download a report containing all raw materials with their latest inventory status,Télécharger un rapport contenant toutes les matières premières avec leur dernier état des stocks "Download the Template, fill appropriate data and attach the modified file.","Télécharger le modèle , remplir les données appropriées et joindre le fichier modifié ." -"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écharger le modèle, remplir les données appropriées et joindre le fichier modifié. - Toutes les dates et la combinaison de l'employé dans la période sélectionnée viendront dans le modèle, avec les records de fréquentation existants" +"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écharger le modèle, remplir les données appropriées et joindre le fichier modifié. Toutes les dates et la combinaison de l'employé dans la période sélectionnée viendront dans le modèle, avec les records de fréquentation existants" Draft,Avant-projet Dropbox,Dropbox Dropbox Access Allowed,Dropbox accès autorisé @@ -994,9 +966,7 @@ Error: {0} > {1},Erreur: {0} > {1} Estimated Material Cost,Coût des matières premières estimée "Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Même s'il existe plusieurs règles de tarification avec la plus haute priorité, les priorités internes alors suivantes sont appliquées:" Everyone can read,Tout le monde peut lire -"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.",". Exemple: ABCD # # # # # - Si la série est réglé et n ° de série n'est pas mentionné dans les transactions, le numéro de série alors automatique sera créé sur la base de cette série. Si vous voulez toujours de mentionner explicitement série n ° de cet article. laisser ce champ vide." +"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.",". Exemple: ABCD # # # # # Si la série est réglé et n ° de série n'est pas mentionné dans les transactions, le numéro de série alors automatique sera créé sur la base de cette série. Si vous voulez toujours de mentionner explicitement série n ° de cet article. laisser ce champ vide." Exchange Rate,Taux de change Excise Duty 10,Droits d'accise 10 Excise Duty 14,Droits d'accise 14 @@ -1470,9 +1440,7 @@ Item-wise Purchase History,Historique des achats point-sage Item-wise Purchase Register,S'enregistrer Achat point-sage Item-wise Sales History,Point-sage Historique des ventes Item-wise Sales Register,Ventes point-sage S'enregistrer -"Item: {0} managed batch-wise, can not be reconciled using \ - Stock Reconciliation, instead use Stock Entry","Article: {0} discontinu géré, ne peut être conciliée à l'aide \ - Stock réconciliation, au lieu d'utiliser Stock entrée" +"Item: {0} managed batch-wise, can not be reconciled using \ Stock Reconciliation, instead use Stock Entry","Article: {0} discontinu géré, ne peut être conciliée à l'aide \ Stock réconciliation, au lieu d'utiliser Stock entrée" Item: {0} not found in the system,Article : {0} introuvable dans le système Items,Articles Items To Be Requested,Articles à demander @@ -1731,9 +1699,7 @@ Moving Average Rate,Moving Prix moyen Mr,M. Ms,Mme Multiple Item prices.,Prix ​​des ouvrages multiples. -"Multiple Price Rule exists with same criteria, please resolve \ - conflict by assigning priority. Price Rules: {0}","Multiple règle de prix existe avec les mêmes critères, s'il vous plaît résoudre \ - conflit en attribuant des priorités. Règles de prix: {0}" +"Multiple Price Rule exists with same criteria, please resolve \ conflict by assigning priority. Price Rules: {0}","Multiple règle de prix existe avec les mêmes critères, s'il vous plaît résoudre \ conflit en attribuant des priorités. Règles de prix: {0}" Music,musique Must be Whole Number,Doit être un nombre entier Name,Nom @@ -2486,23 +2452,15 @@ Row # ,Row # Row # {0}: , Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,Ligne # {0}: quantité Commandé ne peut pas moins que l'ordre minimum quantité de produit (défini dans le maître de l'article). Row #{0}: Please specify Serial No for Item {1},Ligne # {0}: S'il vous plaît spécifier Pas de série pour objet {1} -"Row {0}: Account does not match with \ - Purchase Invoice Credit To account","Ligne {0}: compte ne correspond pas à \ - Facture d'achat crédit du compte" -"Row {0}: Account does not match with \ - Sales Invoice Debit To account","Ligne {0}: compte ne correspond pas à \ - la facture de vente de débit Pour tenir compte" +Row {0}: Account does not match with \ Purchase Invoice Credit To account,Ligne {0}: compte ne correspond pas à \ Facture d'achat crédit du compte +Row {0}: Account does not match with \ Sales Invoice Debit To account,Ligne {0}: compte ne correspond pas à \ la facture de vente de débit Pour tenir compte Row {0}: Conversion Factor is mandatory,Ligne {0}: facteur de conversion est obligatoire Row {0}: Credit entry can not be linked with a Purchase Invoice,Ligne {0} : entrée de crédit ne peut pas être lié à une facture d'achat Row {0}: Debit entry can not be linked with a Sales Invoice,Ligne {0} : entrée de débit ne peut pas être lié à une facture de vente Row {0}: Payment amount must be less than or equals to invoice outstanding amount. Please refer Note below.,Ligne {0}: Montant du paiement doit être inférieur ou égal montant de la facture exceptionnelle. S'il vous plaît se référer note ci-dessous. Row {0}: Qty is mandatory,Ligne {0}: Quantité est obligatoire -"Row {0}: Qty not avalable in warehouse {1} on {2} {3}. - Available Qty: {4}, Transfer Qty: {5}","Ligne {0}: Qté pas avalable dans l'entrepôt {1} sur {2} {3}. - Disponible Quantité: {4}, Transfert Quantité: {5}" -"Row {0}: To set {1} periodicity, difference between from and to date \ - must be greater than or equal to {2}","Ligne {0}: Pour définir {1} périodicité, la différence entre de et à jour \ - doit être supérieur ou égal à {2}" +"Row {0}: Qty not avalable in warehouse {1} on {2} {3}. Available Qty: {4}, Transfer Qty: {5}","Ligne {0}: Qté pas avalable dans l'entrepôt {1} sur {2} {3}. Disponible Quantité: {4}, Transfert Quantité: {5}" +"Row {0}: To set {1} periodicity, difference between from and to date \ must be greater than or equal to {2}","Ligne {0}: Pour définir {1} périodicité, la différence entre de et à jour \ doit être supérieur ou égal à {2}" Row {0}:Start Date must be before End Date,Ligne {0} : Date de début doit être avant Date de fin Rules for adding shipping costs.,S'il vous plaît entrer atleast une facture dans le tableau Rules for applying pricing and discount.,Tous ces éléments ont déjà été facturés @@ -2683,9 +2641,7 @@ Serial No {0} status must be 'Available' to Deliver,Pour la liste de prix Serial Nos Required for Serialized Item {0},Dupliquer entrée . S'il vous plaît vérifier une règle d'autorisation {0} Serial Number Series,Série Série Nombre Serial number {0} entered more than once,Numéro de série {0} est entré plus d'une fois -"Serialized Item {0} cannot be updated \ - using Stock Reconciliation","Sérialisé article {0} ne peut pas être mis à jour \ - utilisant Stock réconciliation" +Serialized Item {0} cannot be updated \ using Stock Reconciliation,Sérialisé article {0} ne peut pas être mis à jour \ utilisant Stock réconciliation Series,série Series List for this Transaction,Liste série pour cette transaction Series Updated,Mise à jour de la série @@ -2911,9 +2867,7 @@ Tax Assets,avec les groupes Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,"Catégorie impôt ne peut pas être « évaluation » ou « évaluation et totale », comme tous les articles sont des articles hors stock" Tax Rate,Taux d'imposition Tax and other salary deductions.,De l'impôt et autres déductions salariales. -"Tax detail table fetched from item master as a string and stored in this field. -Used for Taxes and Charges","table détail d'impôt alla chercher du maître de l'article sous forme de chaîne et stockée dans ce domaine. - Utilisé pour les impôts et charges" +Tax detail table fetched from item master as a string and stored in this field.Used for Taxes and Charges,table détail d'impôt alla chercher du maître de l'article sous forme de chaîne et stockée dans ce domaine. Utilisé pour les impôts et charges Tax template for buying transactions.,Modèle d'impôt pour l'achat d' opérations . Tax template for selling transactions.,Modèle de la taxe pour la vente de transactions . Taxable,Imposable @@ -2959,9 +2913,7 @@ The First User: You,Le premier utilisateur: Vous "The Item that represents the Package. This Item must have ""Is Stock Item"" as ""No"" and ""Is Sales Item"" as ""Yes""",L'article qui représente le package. Cet article doit avoir «Est Produit en stock" comme "No" et "Est Point de vente" que "Oui" The Organization,l'Organisation "The account head under Liability, in which Profit/Loss will be booked","Le compte tête sous la responsabilité , dans lequel Bénéfice / perte sera comptabilisée" -"The date on which next invoice will be generated. It is generated on submit. -","La date à laquelle la prochaine facture sera générée. Il est généré lors de la soumission. -" +The date on which next invoice will be generated. It is generated on submit.,La date à laquelle la prochaine facture sera générée. Il est généré lors de la soumission. The date on which recurring invoice will be stop,La date à laquelle la facture récurrente sera arrêter "The day of the month on which auto invoice will be generated e.g. 05, 28 etc ","Le jour du mois au cours duquel la facture automatique sera généré, par exemple 05, 28, etc" The day(s) on which you are applying for leave are holiday. You need not apply for leave.,S'il vous plaît entrer comptes débiteurs groupe / à payer en master de l'entreprise diff --git a/erpnext/translations/hi.csv b/erpnext/translations/hi.csv index 5e933fdb43..63e2323a98 100644 --- a/erpnext/translations/hi.csv +++ b/erpnext/translations/hi.csv @@ -28,41 +28,17 @@ 'To Date' is required,तिथि करने के लिए आवश्यक है 'Update Stock' for Sales Invoice {0} must be set,बिक्री चालान के लिए 'अपडेट शेयर ' {0} सेट किया जाना चाहिए * Will be calculated in the transaction.,* लेनदेन में गणना की जाएगी. -"1 Currency = [?] Fraction -For e.g. 1 USD = 100 Cent","1 मुद्रा = [?] अंश - जैसे 1 अमरीकी डालर = 100 प्रतिशत के लिए" +1 Currency = [?] FractionFor e.g. 1 USD = 100 Cent,1 मुद्रा = [?] अंश जैसे 1 अमरीकी डालर = 100 प्रतिशत के लिए 1. To maintain the customer wise item code and to make them searchable based on their code use this option,1. इस विकल्प का उपयोग ग्राहक बुद्धिमान आइटम कोड को बनाए रखने और अपने कोड के आधार पर बनाने के लिए उन्हें खोजा "
Add / Edit"," जोड़ें / संपादित करें " "Add / Edit"," जोड़ें / संपादित करें " "Add / Edit"," जोड़ें / संपादित करें " -"

Default Template

-

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

-
{{ address_line1 }}<br>
-{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}
-{{ city }}<br>
-{% if state %}{{ state }}<br>{% endif -%}
-{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}
-{{ country }}<br>
-{% if phone %}Phone: {{ phone }}<br>{% endif -%}
-{% if fax %}Fax: {{ fax }}<br>{% endif -%}
-{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
-
","

डिफ़ॉल्ट टेम्पलेट -

Jinja Templating और पते के सभी क्षेत्रों (का उपयोग करता है कस्टम फील्ड्स यदि कोई हो) सहित उपलब्ध हो जाएगा -

  {{address_line1}} वेयरहाउस 
- {% अगर address_line2%} {{address_line2}} वेयरहाउस { % endif -%} 
- {{नगर}} वेयरहाउस 
- {% अगर राज्य%} {{राज्य}} वेयरहाउस {% endif -%} 
- {% अगर पिनकोड%} पिन: {{पिन कोड}} वेयरहाउस {% endif -%} 
- {{देश}} वेयरहाउस 
- {% अगर फोन%} फोन: {{फोन}} वेयरहाउस { % endif -%} 
- {% अगर फैक्स%} फैक्स: {{फैक्स}} वेयरहाउस {% endif -%} 
- {% email_id%} ईमेल: {{email_id}} 
; {% endif -%} - " -A Customer Group exists with same name please change the Customer name or rename the Customer Group,एक ग्राहक समूह में एक ही नाम के साथ मौजूद ग्राहक का नाम बदलने के लिए या ग्राहक समूह का नाम बदलने के लिए कृपया -A Customer exists with same name,एक ग्राहक एक ही नाम के साथ मौजूद है +"

Default Template

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

{{ address_line1 }}<br>{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}{{ city }}<br>{% if state %}{{ state }}<br>{% endif -%}{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}{{ country }}<br>{% if phone %}Phone: {{ phone }}<br>{% endif -%}{% if fax %}Fax: {{ fax }}<br>{% endif -%}{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
","

डिफ़ॉल्ट टेम्पलेट

Jinja Templating और पते के सभी क्षेत्रों (का उपयोग करता है कस्टम फील्ड्स यदि कोई हो) सहित उपलब्ध हो जाएगा

  {{address_line1}} वेयरहाउस  {% अगर address_line2%} {{address_line2}} वेयरहाउस { % endif -%}  {{नगर}} वेयरहाउस  {% अगर राज्य%} {{राज्य}} वेयरहाउस {% endif -%}  {% अगर पिनकोड%} पिन: {{पिन कोड}} वेयरहाउस {% endif -%}  {{देश}} वेयरहाउस  {% अगर फोन%} फोन: {{फोन}} वेयरहाउस { % endif -%}  {% अगर फैक्स%} फैक्स: {{फैक्स}} वेयरहाउस {% endif -%}  {% email_id%} ईमेल: {{email_id}} 
; {% endif -%} " +A Customer Group exists with same name please change the Customer name or rename the Customer Group,"ग्राहक समूह समान नाम के साथ पहले से मौजूद है, कृपया ग्राहक का नाम बदले या ग्राहक समूह का नाम बदले" +A Customer exists with same name,यह नाम से दूसरा ग्राहक मौजूद हैं A Lead with this email id should exist,इस ईमेल आईडी के साथ एक लीड मौजूद होना चाहिए -A Product or Service,एक उत्पाद या सेवा -A Supplier exists with same name,एक सप्लायर के एक ही नाम के साथ मौजूद है +A Product or Service,उत्पाद या सेवा +A Supplier exists with same name,सप्लायर एक ही नाम के साथ मौजूद है A symbol for this currency. For e.g. $,इस मुद्रा के लिए एक प्रतीक है. उदाहरण के लिए $ AMC Expiry Date,एएमसी समाप्ति तिथि Abbr,Abbr @@ -84,8 +60,8 @@ Account Type,खाता प्रकार "Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","खाता शेष राशि पहले से ही क्रेडिट में, आप सेट करने की अनुमति नहीं है 'डेबिट' के रूप में 'बैलेंस होना चाहिए'" "Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","पहले से ही डेबिट में खाता शेष, आप के रूप में 'क्रेडिट' 'बैलेंस होना चाहिए' स्थापित करने के लिए अनुमति नहीं है" Account for the warehouse (Perpetual Inventory) will be created under this Account.,गोदाम ( सदा सूची ) के लिए खाते में इस खाते के तहत बनाया जाएगा . -Account head {0} created,खाता सिर {0} बनाया -Account must be a balance sheet account,खाता एक बैलेंस शीट खाता होना चाहिए +Account head {0} created,लेखा शीर्ष {0} बनाया +Account must be a balance sheet account,खाता एक वित्तीय स्थिति विवरण खाता होना चाहिए Account with child nodes cannot be converted to ledger,बच्चे नोड्स के साथ खाता लेजर को परिवर्तित नहीं किया जा सकता है Account with existing transaction can not be converted to group.,मौजूदा लेन - देन के साथ खाता समूह को नहीं बदला जा सकता . Account with existing transaction can not be deleted,मौजूदा लेन - देन के साथ खाता हटाया नहीं जा सकता @@ -103,9 +79,7 @@ Account {0}: Parent account {1} can not be a ledger,खाते {0}: मात Account {0}: Parent account {1} does not belong to company: {2},खाते {0}: माता पिता के खाते {1} कंपनी से संबंधित नहीं है: {2} Account {0}: Parent account {1} does not exist,खाते {0}: माता पिता के खाते {1} मौजूद नहीं है Account {0}: You can not assign itself as parent account,खाते {0}: तुम माता पिता के खाते के रूप में खुद को आवंटन नहीं कर सकते -"Account: {0} can only be updated via \ - Stock Transactions","खाता: \ - शेयर लेनदेन {0} केवल के माध्यम से अद्यतन किया जा सकता है" +Account: {0} can only be updated via \ Stock Transactions,खाता: \ शेयर लेनदेन {0} केवल के माध्यम से अद्यतन किया जा सकता है Accountant,मुनीम Accounting,लेखांकन "Accounting Entries can be made against leaf nodes, called","लेखांकन प्रविष्टियों बुलाया , पत्ती नोड्स के खिलाफ किया जा सकता है" @@ -886,9 +860,7 @@ Download Reconcilation Data,Reconcilation डेटा डाउनलोड Download Template,टेम्पलेट डाउनलोड करें Download a report containing all raw materials with their latest inventory status,उनकी नवीनतम सूची की स्थिति के साथ सभी कच्चे माल युक्त रिपोर्ट डाउनलोड करें "Download the Template, fill appropriate data and attach the modified file.","टेम्पलेट डाउनलोड करें , उचित डेटा को भरने और संशोधित फाइल देते हैं ." -"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 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","टेम्पलेट डाउनलोड करें, उचित डेटा को भरने और संशोधित फाइल देते हैं. चयनित अवधि में सभी दिनांक और कर्मचारी संयोजन मौजूदा उपस्थिति रिकॉर्ड के साथ, टेम्पलेट में आ जाएगा" Draft,मसौदा Dropbox,ड्रॉपबॉक्स Dropbox Access Allowed,ड्रॉपबॉक्स उपयोग की अनुमति दी @@ -994,9 +966,7 @@ Error: {0} > {1},त्रुटि: {0} > {1} Estimated Material Cost,अनुमानित मटेरियल कॉस्ट "Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","सर्वोच्च प्राथमिकता के साथ कई मूल्य निर्धारण नियम हैं, भले ही उसके बाद निम्न आंतरिक प्राथमिकताओं लागू कर रहे हैं:" Everyone can read,हर कोई पढ़ सकता है -"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.",". उदाहरण: एबीसीडी # # # # # - श्रृंखला के लिए निर्धारित है और धारावाहिक नहीं लेनदेन में उल्लेख नहीं किया है, तो स्वत: सीरियल नंबर इस श्रृंखला के आधार पर बनाया जाएगा. आप हमेशा स्पष्ट रूप से इस मद के लिए सीरियल नं उल्लेख करना चाहते हैं. इस खाली छोड़ दें." +"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.",". उदाहरण: एबीसीडी # # # # # श्रृंखला के लिए निर्धारित है और धारावाहिक नहीं लेनदेन में उल्लेख नहीं किया है, तो स्वत: सीरियल नंबर इस श्रृंखला के आधार पर बनाया जाएगा. आप हमेशा स्पष्ट रूप से इस मद के लिए सीरियल नं उल्लेख करना चाहते हैं. इस खाली छोड़ दें." Exchange Rate,विनिमय दर Excise Duty 10,एक्साइज ड्यूटी 10 Excise Duty 14,एक्साइज ड्यूटी 14 @@ -1470,9 +1440,7 @@ Item-wise Purchase History,आइटम के लिहाज से खरी Item-wise Purchase Register,आइटम के लिहाज से खरीद पंजीकृत करें Item-wise Sales History,आइटम के लिहाज से बिक्री इतिहास Item-wise Sales Register,आइटम के लिहाज से बिक्री रजिस्टर -"Item: {0} managed batch-wise, can not be reconciled using \ - Stock Reconciliation, instead use Stock Entry","आइटम: {0} बैच के लिहाज से प्रबंधित, का उपयोग समझौता नहीं किया जा सकता है \ - शेयर सुलह, बजाय शेयर प्रविष्टि का उपयोग" +"Item: {0} managed batch-wise, can not be reconciled using \ Stock Reconciliation, instead use Stock Entry","आइटम: {0} बैच के लिहाज से प्रबंधित, का उपयोग समझौता नहीं किया जा सकता है \ शेयर सुलह, बजाय शेयर प्रविष्टि का उपयोग" Item: {0} not found in the system,आइटम: {0} सिस्टम में नहीं मिला Items,आइटम Items To Be Requested,अनुरोध किया जा करने के लिए आइटम @@ -1731,9 +1699,7 @@ Moving Average Rate,मूविंग औसत दर Mr,श्री Ms,सुश्री Multiple Item prices.,एकाधिक आइटम कीमतों . -"Multiple Price Rule exists with same criteria, please resolve \ - conflict by assigning priority. Price Rules: {0}","एकाधिक मूल्य नियम एक ही मापदंड के साथ मौजूद है, हल कृपया \ - प्राथमिकता बताए द्वारा संघर्ष. मूल्य नियम: {0}" +"Multiple Price Rule exists with same criteria, please resolve \ conflict by assigning priority. Price Rules: {0}","एकाधिक मूल्य नियम एक ही मापदंड के साथ मौजूद है, हल कृपया \ प्राथमिकता बताए द्वारा संघर्ष. मूल्य नियम: {0}" Music,संगीत Must be Whole Number,पूर्ण संख्या होनी चाहिए Name,नाम @@ -2486,23 +2452,15 @@ Row # ,# पंक्ति Row # {0}: , Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,Row # {0}: आदेश दिया मात्रा (आइटम मास्टर में परिभाषित) मद की न्यूनतम आदेश मात्रा से कम नहीं कर सकते हैं. Row #{0}: Please specify Serial No for Item {1},Row # {0}: आइटम के लिए धारावाहिक नहीं निर्दिष्ट करें {1} -"Row {0}: Account does not match with \ - Purchase Invoice Credit To account","पंक्ति {0}: \ - खरीद चालान क्रेडिट खाते के साथ मेल नहीं खाता" -"Row {0}: Account does not match with \ - Sales Invoice Debit To account","पंक्ति {0}: \ - बिक्री चालान डेबिट खाते के साथ मेल नहीं खाता" +Row {0}: Account does not match with \ Purchase Invoice Credit To account,पंक्ति {0}: \ खरीद चालान क्रेडिट खाते के साथ मेल नहीं खाता +Row {0}: Account does not match with \ Sales Invoice Debit To account,पंक्ति {0}: \ बिक्री चालान डेबिट खाते के साथ मेल नहीं खाता Row {0}: Conversion Factor is mandatory,पंक्ति {0}: रूपांतरण कारक अनिवार्य है Row {0}: Credit entry can not be linked with a Purchase Invoice,पंक्ति {0} : क्रेडिट प्रविष्टि एक खरीद चालान के साथ नहीं जोड़ा जा सकता Row {0}: Debit entry can not be linked with a Sales Invoice,पंक्ति {0} : डेबिट प्रविष्टि एक बिक्री चालान के साथ नहीं जोड़ा जा सकता Row {0}: Payment amount must be less than or equals to invoice outstanding amount. Please refer Note below.,पंक्ति {0}: भुगतान राशि से कम या बकाया राशि चालान के बराबर होती होना चाहिए. नीचे नोट संदर्भ लें. Row {0}: Qty is mandatory,पंक्ति {0}: मात्रा अनिवार्य है -"Row {0}: Qty not avalable in warehouse {1} on {2} {3}. - Available Qty: {4}, Transfer Qty: {5}","पंक्ति {0}: मात्रा गोदाम में उपलब्ध {1} पर नहीं {2} {3}. - उपलब्ध मात्रा: {4}, मात्रा स्थानांतरण: {5}" -"Row {0}: To set {1} periodicity, difference between from and to date \ - must be greater than or equal to {2}","पंक्ति {0}: सेट करने के लिए {1} दौरा, से और तिथि करने के लिए बीच का अंतर \ - से अधिक या बराबर होना चाहिए {2}" +"Row {0}: Qty not avalable in warehouse {1} on {2} {3}. Available Qty: {4}, Transfer Qty: {5}","पंक्ति {0}: मात्रा गोदाम में उपलब्ध {1} पर नहीं {2} {3}. उपलब्ध मात्रा: {4}, मात्रा स्थानांतरण: {5}" +"Row {0}: To set {1} periodicity, difference between from and to date \ must be greater than or equal to {2}","पंक्ति {0}: सेट करने के लिए {1} दौरा, से और तिथि करने के लिए बीच का अंतर \ से अधिक या बराबर होना चाहिए {2}" Row {0}:Start Date must be before End Date,पंक्ति {0} : आरंभ तिथि समाप्ति तिथि से पहले होना चाहिए Rules for adding shipping costs.,शिपिंग लागत को जोड़ने के लिए नियम. Rules for applying pricing and discount.,मूल्य निर्धारण और छूट लागू करने के लिए नियम. @@ -2683,9 +2641,7 @@ Serial No {0} status must be 'Available' to Deliver,धारावाहिक Serial Nos Required for Serialized Item {0},श्रृंखलाबद्ध मद के लिए सीरियल नं आवश्यक {0} Serial Number Series,सीरियल नंबर सीरीज Serial number {0} entered more than once,सीरियल नंबर {0} एक बार से अधिक दर्ज किया -"Serialized Item {0} cannot be updated \ - using Stock Reconciliation","श्रृंखलाबद्ध मद {0} को अपडेट नहीं किया जा सकता \ - शेयर सुलह का उपयोग" +Serialized Item {0} cannot be updated \ using Stock Reconciliation,श्रृंखलाबद्ध मद {0} को अपडेट नहीं किया जा सकता \ शेयर सुलह का उपयोग Series,कई Series List for this Transaction,इस लेन - देन के लिए सीरीज सूची Series Updated,सीरीज नवीनीकृत @@ -2911,9 +2867,7 @@ Tax Assets,कर संपत्ति Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,टैक्स श्रेणी ' मूल्यांकन ' या ' मूल्यांकन और कुल ' सभी आइटम गैर स्टॉक वस्तुओं रहे हैं के रूप में नहीं किया जा सकता Tax Rate,कर की दर Tax and other salary deductions.,टैक्स और अन्य वेतन कटौती. -"Tax detail table fetched from item master as a string and stored in this field. -Used for Taxes and Charges","टैक्स विस्तार तालिका एक स्ट्रिंग के रूप में आइटम मास्टर से दिलवाया और इस क्षेत्र में संग्रहीत. - करों और शुल्कों के लिए प्रयुक्त" +Tax detail table fetched from item master as a string and stored in this field.Used for Taxes and Charges,टैक्स विस्तार तालिका एक स्ट्रिंग के रूप में आइटम मास्टर से दिलवाया और इस क्षेत्र में संग्रहीत. करों और शुल्कों के लिए प्रयुक्त Tax template for buying transactions.,लेनदेन खरीदने के लिए टैक्स टेम्पलेट . Tax template for selling transactions.,लेनदेन को बेचने के लिए टैक्स टेम्पलेट . Taxable,कर योग्य @@ -2959,9 +2913,7 @@ The First User: You,पहले उपयोगकर्ता : आप "The Item that represents the Package. This Item must have ""Is Stock Item"" as ""No"" and ""Is Sales Item"" as ""Yes""",आइटम है कि पैकेज का प्रतिनिधित्व करता है. इस मद "स्टॉक आइटम" "नहीं" के रूप में और के रूप में "हाँ" "बिक्री आइटम है" The Organization,संगठन "The account head under Liability, in which Profit/Loss will be booked","लाभ / हानि बुक किया जा जाएगा जिसमें दायित्व के तहत खाता सिर ," -"The date on which next invoice will be generated. It is generated on submit. -","अगले चालान उत्पन्न हो जाएगा जिस पर तारीख. इसे प्रस्तुत पर उत्पन्न होता है. -" +The date on which next invoice will be generated. It is generated on submit.,अगले चालान उत्पन्न हो जाएगा जिस पर तारीख. इसे प्रस्तुत पर उत्पन्न होता है. The date on which recurring invoice will be stop,"तारीख, जिस पर आवर्ती चालान रोकने के लिए किया जाएगा" "The day of the month on which auto invoice will be generated e.g. 05, 28 etc ","ऑटो चालान जैसे 05, 28 आदि उत्पन्न हो जाएगा, जिस पर इस महीने के दिन" The day(s) on which you are applying for leave are holiday. You need not apply for leave.,आप छुट्टी के लिए आवेदन कर रहे हैं जिस दिन (ओं ) अवकाश हैं . तुम्हें छोड़ के लिए लागू की जरूरत नहीं . diff --git a/erpnext/translations/hr.csv b/erpnext/translations/hr.csv index 63b726bd21..4f5c050325 100644 --- a/erpnext/translations/hr.csv +++ b/erpnext/translations/hr.csv @@ -28,36 +28,12 @@ 'To Date' is required,' To Date ' je potrebno 'Update Stock' for Sales Invoice {0} must be set,' Update Stock ' za prodaje fakture {0} mora biti postavljen * Will be calculated in the transaction.,* Hoće li biti izračunata u transakciji. -"1 Currency = [?] Fraction -For e.g. 1 USD = 100 Cent","1 valuta = [?] Frakcija - Za npr. 1 USD = 100 centi" +1 Currency = [?] FractionFor e.g. 1 USD = 100 Cent,1 valuta = [?] Frakcija Za npr. 1 USD = 100 centi 1. To maintain the customer wise item code and to make them searchable based on their code use this option,1. Za održavanje kupaca mudar Šifra i kako bi ih pretraživati ​​na temelju svog koda koristiti ovu opciju "
Add / Edit"," Dodaj / Uredi < />" "Add / Edit"," Dodaj / Uredi < />" "Add / Edit"," Dodaj / Uredi < />" -"

Default Template

-

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

-
{{ address_line1 }}<br>
-{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}
-{{ city }}<br>
-{% if state %}{{ state }}<br>{% endif -%}
-{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}
-{{ country }}<br>
-{% if phone %}Phone: {{ phone }}<br>{% endif -%}
-{% if fax %}Fax: {{ fax }}<br>{% endif -%}
-{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
-
","

zadani predložak -

Koristi Jinja templating i sva polja adresa ( uključujući Custom Fields ako postoje) će biti dostupan -

  {{address_line1}} 
- {% ako address_line2%} {{}} address_line2
{ endif% -%} - {{grad}}
- {% ako je državna%} {{}} Država
{% endif -%} - {% ako pincode%} PIN: {{pincode}}
{% endif -%} - {{country}}
- {% ako je telefon%} Telefon: {{telefonski}}
{ endif% -%} - {% ako fax%} Fax: {{fax}}
{% endif -%} - {% ako email_id%} E: {{email_id}}
; {% endif -%} - " +"

Default Template

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

{{ address_line1 }}<br>{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}{{ city }}<br>{% if state %}{{ state }}<br>{% endif -%}{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}{{ country }}<br>{% if phone %}Phone: {{ phone }}<br>{% endif -%}{% if fax %}Fax: {{ fax }}<br>{% endif -%}{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
","

zadani predložak

Koristi Jinja templating i sva polja adresa ( uključujući Custom Fields ako postoje) će biti dostupan

  {{address_line1}} 
{% ako address_line2%} {{}} address_line2
{ endif% -%} {{grad}}
{% ako je državna%} {{}} Država
{% endif -%} {% ako pincode%} PIN: {{pincode}}
{% endif -%} {{country}}
{% ako je telefon%} Telefon: {{telefonski}}
{ endif% -%} {% ako fax%} Fax: {{fax}}
{% endif -%} {% ako email_id%} E: {{email_id}}
; {% endif -%} " A Customer Group exists with same name please change the Customer name or rename the Customer Group,Kupac Grupa postoji s istim imenom molimo promijenite ime kupca ili preimenovati grupi kupaca A Customer exists with same name,Kupac postoji s istim imenom A Lead with this email id should exist,Olovo s ovom e-mail id trebala postojati @@ -103,9 +79,7 @@ Account {0}: Parent account {1} can not be a ledger,Račun {0}: Parent račun {1 Account {0}: Parent account {1} does not belong to company: {2},Račun {0}: Parent račun {1} ne pripadaju tvrtki: {2} Account {0}: Parent account {1} does not exist,Račun {0}: Parent račun {1} ne postoji Account {0}: You can not assign itself as parent account,Račun {0}: Ne može se dodijeliti roditeljskog računa -"Account: {0} can only be updated via \ - Stock Transactions","Račun: {0} se može ažurirati samo putem \ - Stock transakcije" +Account: {0} can only be updated via \ Stock Transactions,Račun: {0} se može ažurirati samo putem \ Stock transakcije Accountant,računovođa Accounting,Računovodstvo "Accounting Entries can be made against leaf nodes, called","Računovodstvo Prijave se mogu podnijeti protiv lisnih čvorova , pozvao" @@ -886,9 +860,7 @@ Download Reconcilation Data,Preuzmite Reconcilation podatke Download Template,Preuzmite predložak Download a report containing all raw materials with their latest inventory status,Preuzmite izvješće koje sadrži sve sirovine sa svojim najnovijim inventara statusa "Download the Template, fill appropriate data and attach the modified file.","Preuzmite predložak , ispunite odgovarajuće podatke i priložite izmijenjenu datoteku ." -"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žite izmijenjenu datoteku. - Svi datumi i kombinacija zaposlenika u odabranom razdoblju će doći u predlošku, s postojećim izostancima" +"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žite izmijenjenu datoteku. Svi datumi i kombinacija zaposlenika u odabranom razdoblju će doći u predlošku, s postojećim izostancima" Draft,Skica Dropbox,Dropbox Dropbox Access Allowed,Dropbox Pristup dopuštenih @@ -994,9 +966,7 @@ Error: {0} > {1},Pogreška : {0} > {1} Estimated Material Cost,Procjena troškova materijala "Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Čak i ako postoji više Cijene pravila s najvišim prioritetom, onda sljedeći interni prioriteti primjenjuje se:" Everyone can read,Svatko može pročitati -"Example: ABCD.##### -If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.",". Primjer: ABCD # # # # # - Ako serija je postavljena i Serial No ne spominje u transakcijama, a zatim automatski serijski broj će biti izrađen na temelju ove serije. Ako ste oduvijek željeli izrijekom spomenuti Serial brojeva za tu stavku. ostavite praznim." +"Example: ABCD.#####If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.",". Primjer: ABCD # # # # # Ako serija je postavljena i Serial No ne spominje u transakcijama, a zatim automatski serijski broj će biti izrađen na temelju ove serije. Ako ste oduvijek željeli izrijekom spomenuti Serial brojeva za tu stavku. ostavite praznim." Exchange Rate,Tečaj Excise Duty 10,Trošarina 10 Excise Duty 14,Trošarina 14 @@ -1470,9 +1440,7 @@ Item-wise Purchase History,Stavka-mudar Kupnja Povijest Item-wise Purchase Register,Stavka-mudar Kupnja Registracija Item-wise Sales History,Stavka-mudar Prodaja Povijest Item-wise Sales Register,Stavka-mudri prodaja registar -"Item: {0} managed batch-wise, can not be reconciled using \ - Stock Reconciliation, instead use Stock Entry","Stavka: {0} uspio turi, ne može se pomiriti korištenja \ - Stock pomirenje, umjesto da koristite Stock stupanja" +"Item: {0} managed batch-wise, can not be reconciled using \ Stock Reconciliation, instead use Stock Entry","Stavka: {0} uspio turi, ne može se pomiriti korištenja \ Stock pomirenje, umjesto da koristite Stock stupanja" Item: {0} not found in the system,Stavka : {0} ne nalaze u sustavu Items,Proizvodi Items To Be Requested,Predmeti se zatražiti @@ -1731,9 +1699,7 @@ Moving Average Rate,Premještanje prosječna stopa Mr,G. Ms,Gospođa Multiple Item prices.,Više cijene stavke. -"Multiple Price Rule exists with same criteria, please resolve \ - conflict by assigning priority. Price Rules: {0}","Višestruki Cijena Pravilo postoji sa istim kriterijima, molimo riješiti \ - Sukob dodjeljivanjem prioritet. Cijena pravila: {0}" +"Multiple Price Rule exists with same criteria, please resolve \ conflict by assigning priority. Price Rules: {0}","Višestruki Cijena Pravilo postoji sa istim kriterijima, molimo riješiti \ Sukob dodjeljivanjem prioritet. Cijena pravila: {0}" Music,glazba Must be Whole Number,Mora biti cijeli broj Name,Ime @@ -2486,23 +2452,15 @@ Row # ,Redak # Row # {0}: , Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,Row # {0}: Ž Količina ne može manje od stavke minimalne narudžbe kom (definiranom u točki gospodara). Row #{0}: Please specify Serial No for Item {1},Row # {0}: Navedite rednim brojem predmeta za {1} -"Row {0}: Account does not match with \ - Purchase Invoice Credit To account","Red {0}: račun ne odgovara \ - Kupnja Račun kredit za račun" -"Row {0}: Account does not match with \ - Sales Invoice Debit To account","Red {0}: račun ne odgovara \ - Prodaja Račun terećenja na računu" +Row {0}: Account does not match with \ Purchase Invoice Credit To account,Red {0}: račun ne odgovara \ Kupnja Račun kredit za račun +Row {0}: Account does not match with \ Sales Invoice Debit To account,Red {0}: račun ne odgovara \ Prodaja Račun terećenja na računu Row {0}: Conversion Factor is mandatory,Red {0}: pretvorbe Factor je obvezno Row {0}: Credit entry can not be linked with a Purchase Invoice,Red {0} : Kreditni unos ne može biti povezan s kupnje proizvoda Row {0}: Debit entry can not be linked with a Sales Invoice,Red {0} : debitne unos ne može biti povezan s prodaje fakture Row {0}: Payment amount must be less than or equals to invoice outstanding amount. Please refer Note below.,Red {0}: Iznos uplate mora biti manji ili jednak da računa preostali iznos. Pogledajte Napomena nastavku. Row {0}: Qty is mandatory,Red {0}: Količina je obvezno -"Row {0}: Qty not avalable in warehouse {1} on {2} {3}. - Available Qty: {4}, Transfer Qty: {5}","Red {0}: Kol ne stavi na raspolaganje u skladištu {1} na {2} {3}. - Dostupan Količina: {4}, prijenos Kol: {5}" -"Row {0}: To set {1} periodicity, difference between from and to date \ - must be greater than or equal to {2}","Red {0}: Za postavljanje {1} periodičnost, razlika između od i do sada \ - mora biti veći ili jednak {2}" +"Row {0}: Qty not avalable in warehouse {1} on {2} {3}. Available Qty: {4}, Transfer Qty: {5}","Red {0}: Kol ne stavi na raspolaganje u skladištu {1} na {2} {3}. Dostupan Količina: {4}, prijenos Kol: {5}" +"Row {0}: To set {1} periodicity, difference between from and to date \ must be greater than or equal to {2}","Red {0}: Za postavljanje {1} periodičnost, razlika između od i do sada \ mora biti veći ili jednak {2}" Row {0}:Start Date must be before End Date,Red {0} : Datum početka mora biti prije datuma završetka Rules for adding shipping costs.,Pravila za dodavanjem troškove prijevoza . Rules for applying pricing and discount.,Pravila za primjenu cijene i popust . @@ -2683,9 +2641,7 @@ Serial No {0} status must be 'Available' to Deliver,Serijski Ne {0} status mora Serial Nos Required for Serialized Item {0},Serijski Nos potrebna za serijaliziranom točke {0} Serial Number Series,Serijski broj serije Serial number {0} entered more than once,Serijski broj {0} ušao više puta -"Serialized Item {0} cannot be updated \ - using Stock Reconciliation","Serijaliziranom Stavka {0} ne može biti obnovljeno \ - korištenjem Stock pomirenja" +Serialized Item {0} cannot be updated \ using Stock Reconciliation,Serijaliziranom Stavka {0} ne može biti obnovljeno \ korištenjem Stock pomirenja Series,serija Series List for this Transaction,Serija Popis za ovu transakciju Series Updated,Serija Updated @@ -2911,9 +2867,7 @@ Tax Assets,porezna imovina Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,Porezna Kategorija ne može biti ' Procjena ' ili ' Procjena i Total ' kao i svi proizvodi bez zaliha predmeta Tax Rate,Porezna stopa Tax and other salary deductions.,Porez i drugih isplata plaća. -"Tax detail table fetched from item master as a string and stored in this field. -Used for Taxes and Charges","Porezna detalj stol preuzeta iz točke majstora kao string i pohranjene u ovom području. - Koristi se za poreze i troškove" +Tax detail table fetched from item master as a string and stored in this field.Used for Taxes and Charges,Porezna detalj stol preuzeta iz točke majstora kao string i pohranjene u ovom području. Koristi se za poreze i troškove Tax template for buying transactions.,Porezna Predložak za kupnju transakcije . Tax template for selling transactions.,Porezna predložak za prodaju transakcije . Taxable,Oporeziva @@ -2959,9 +2913,7 @@ The First User: You,Prvo Korisnik : Vi "The Item that represents the Package. This Item must have ""Is Stock Item"" as ""No"" and ""Is Sales Item"" as ""Yes""",Stavka koja predstavlja paket. Ova stavka mora imati "Je kataloški Stavka" kao "Ne" i "Je li prodaja artikla" kao "Da" The Organization,Organizacija "The account head under Liability, in which Profit/Loss will be booked","Glava računa pod odgovornosti , u kojoj dobit / gubitak će biti rezerviran" -"The date on which next invoice will be generated. It is generated on submit. -","Datum na koji pored faktura će biti generiran. To je izrađen podnose. -" +The date on which next invoice will be generated. It is generated on submit.,Datum na koji pored faktura će biti generiran. To je izrađen podnose. The date on which recurring invoice will be stop,Datum na koji se ponavlja faktura će se zaustaviti "The day of the month on which auto invoice will be generated e.g. 05, 28 etc ","Dan u mjesecu na koji se automatski faktura će biti generiran npr. 05, 28 itd." The day(s) on which you are applying for leave are holiday. You need not apply for leave.,Dan (a ) na koji se prijavljujete za dopust su odmor . Ne trebaju podnijeti zahtjev za dopust . diff --git a/erpnext/translations/id.csv b/erpnext/translations/id.csv index 777bc2831b..7cb67def06 100644 --- a/erpnext/translations/id.csv +++ b/erpnext/translations/id.csv @@ -28,36 +28,12 @@ 'To Date' is required,'To Date' diperlukan 'Update Stock' for Sales Invoice {0} must be set,'Update Stock' untuk Sales Invoice {0} harus diatur * Will be calculated in the transaction.,* Akan dihitung dalam transaksi. -"1 Currency = [?] Fraction -For e.g. 1 USD = 100 Cent","1 Currency = [?] Fraksi - Untuk misalnya 1 USD = 100 Cent" +1 Currency = [?] FractionFor e.g. 1 USD = 100 Cent,1 Currency = [?] Fraksi Untuk misalnya 1 USD = 100 Cent 1. To maintain the customer wise item code and to make them searchable based on their code use this option,1.5. Untuk menjaga pelanggan bijaksana kode barang dan membuat mereka dicari berdasarkan penggunaan kode mereka pilihan ini "
Add / Edit"," Add / Edit " "Add / Edit"," Add / Edit " "Add / Edit"," Tambah / Edit " -"

Default Template

-

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

-
{{ address_line1 }}<br>
-{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}
-{{ city }}<br>
-{% if state %}{{ state }}<br>{% endif -%}
-{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}
-{{ country }}<br>
-{% if phone %}Phone: {{ phone }}<br>{% endif -%}
-{% if fax %}Fax: {{ fax }}<br>{% endif -%}
-{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
-
","

default Template -

Menggunakan Jinja template dan semua bidang Address ( termasuk Custom Fields jika ada) akan tersedia -

  {{}} address_line1 
- {% jika% address_line2} {{}} address_line2
{ endif% -%} - {{kota}}
- {% jika negara%} {{negara}}
{% endif -%} - {% jika pincode%} PIN: {{}} pincode
{% endif -%} - {{negara}}
- {% jika telepon%} Telepon: {{ponsel}} {
endif% -%} - {% jika faks%} Fax: {{}} fax
{% endif -%} - {% jika email_id%} Email: {{}} email_id
; {% endif -%} - " +"

Default Template

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

{{ address_line1 }}<br>{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}{{ city }}<br>{% if state %}{{ state }}<br>{% endif -%}{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}{{ country }}<br>{% if phone %}Phone: {{ phone }}<br>{% endif -%}{% if fax %}Fax: {{ fax }}<br>{% endif -%}{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
","

default Template

Menggunakan Jinja template dan semua bidang Address ( termasuk Custom Fields jika ada) akan tersedia

  {{}} address_line1 
{% jika% address_line2} {{}} address_line2
{ endif% -%} {{kota}}
{% jika negara%} {{negara}}
{% endif -%} {% jika pincode%} PIN: {{}} pincode
{% endif -%} {{negara}}
{% jika telepon%} Telepon: {{ponsel}} {
endif% -%} {% jika faks%} Fax: {{}} fax
{% endif -%} {% jika email_id%} Email: {{}} email_id
; {% endif -%} " A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Sebuah Kelompok Pelanggan ada dengan nama yang sama, silakan mengubah nama Nasabah atau mengubah nama Grup Pelanggan" A Customer exists with same name,Nasabah ada dengan nama yang sama A Lead with this email id should exist,Sebuah Lead dengan id email ini harus ada @@ -103,9 +79,7 @@ Account {0}: Parent account {1} can not be a ledger,Akun {0}: akun Parent {1} ti Account {0}: Parent account {1} does not belong to company: {2},Akun {0}: akun Parent {1} bukan milik perusahaan: {2} Account {0}: Parent account {1} does not exist,Akun {0}: akun Parent {1} tidak ada Account {0}: You can not assign itself as parent account,Akun {0}: Anda tidak dapat menetapkan dirinya sebagai rekening induk -"Account: {0} can only be updated via \ - Stock Transactions","Account: {0} hanya dapat diperbarui melalui \ - Transaksi Bursa" +Account: {0} can only be updated via \ Stock Transactions,Account: {0} hanya dapat diperbarui melalui \ Transaksi Bursa Accountant,Akuntan Accounting,Akuntansi "Accounting Entries can be made against leaf nodes, called","Entri Akuntansi dapat dilakukan terhadap node daun, yang disebut" @@ -886,9 +860,7 @@ Download Reconcilation Data,Ambil rekonsiliasi data Download Template,Download Template Download a report containing all raw materials with their latest inventory status,Download laporan yang berisi semua bahan baku dengan status persediaan terbaru mereka "Download the Template, fill appropriate data and attach the modified file.","Unduh Template, isi data yang tepat dan melampirkan file dimodifikasi." -"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 tepat dan melampirkan file dimodifikasi. - Semua tanggal dan kombinasi karyawan dalam jangka waktu yang dipilih akan datang dalam template, dengan catatan kehadiran yang ada" +"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 tepat dan melampirkan file dimodifikasi. Semua tanggal dan kombinasi karyawan dalam jangka waktu yang dipilih akan datang dalam template, dengan catatan kehadiran yang ada" Draft,Konsep Dropbox,Dropbox Dropbox Access Allowed,Dropbox Access Diizinkan @@ -924,7 +896,7 @@ Electrical,Listrik Electricity Cost,Biaya Listrik Electricity cost per hour,Biaya listrik per jam Electronics,Elektronik -Email, +Email,siska_chute34@yahoo.com Email Digest,Email Digest Email Digest Settings,Email Digest Pengaturan Email Digest: , @@ -994,9 +966,7 @@ Error: {0} > {1},Kesalahan: {0}> {1} Estimated Material Cost,Perkiraan Biaya Material "Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Bahkan jika ada beberapa Aturan Harga dengan prioritas tertinggi, kemudian mengikuti prioritas internal diterapkan:" Everyone can read,Setiap orang dapat membaca -"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.",". Contoh: ABCD # # # # # - Jika seri diatur Serial dan ada tidak disebutkan dalam transaksi, nomor seri maka otomatis akan dibuat berdasarkan seri ini. Jika Anda selalu ingin secara eksplisit menyebutkan Serial Nos untuk item ini. biarkan kosong ini." +"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.",". Contoh: ABCD # # # # # Jika seri diatur Serial dan ada tidak disebutkan dalam transaksi, nomor seri maka otomatis akan dibuat berdasarkan seri ini. Jika Anda selalu ingin secara eksplisit menyebutkan Serial Nos untuk item ini. biarkan kosong ini." Exchange Rate,Nilai Tukar Excise Duty 10,Cukai Tugas 10 Excise Duty 14,Cukai Tugas 14 @@ -1470,9 +1440,7 @@ Item-wise Purchase History,Barang-bijaksana Riwayat Pembelian Item-wise Purchase Register,Barang-bijaksana Pembelian Register Item-wise Sales History,Item-wise Penjualan Sejarah Item-wise Sales Register,Item-wise Daftar Penjualan -"Item: {0} managed batch-wise, can not be reconciled using \ - Stock Reconciliation, instead use Stock Entry","Item: {0} dikelola batch-bijaksana, tidak dapat didamaikan dengan menggunakan \ - Bursa Rekonsiliasi, sebagai gantinya menggunakan Stock Entri" +"Item: {0} managed batch-wise, can not be reconciled using \ Stock Reconciliation, instead use Stock Entry","Item: {0} dikelola batch-bijaksana, tidak dapat didamaikan dengan menggunakan \ Bursa Rekonsiliasi, sebagai gantinya menggunakan Stock Entri" Item: {0} not found in the system,Item: {0} tidak ditemukan dalam sistem Items,Items Items To Be Requested,Items Akan Diminta @@ -1731,9 +1699,7 @@ Moving Average Rate,Moving Average Tingkat Mr,Mr Ms,Ms Multiple Item prices.,Multiple Item harga. -"Multiple Price Rule 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. Aturan Harga: {0}" +"Multiple Price Rule 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. Aturan Harga: {0}" Music,Musik Must be Whole Number,Harus Nomor Utuh Name,Nama @@ -2486,23 +2452,15 @@ Row # , Row # {0}: , Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,Row # {0}: qty Memerintahkan tidak bisa kurang dari minimum qty pesanan item (didefinisikan dalam master barang). Row #{0}: Please specify Serial No for Item {1},Row # {0}: Silakan tentukan Serial ada untuk Item {1} -"Row {0}: Account does not match with \ - Purchase Invoice Credit To account","Row {0}: Akun tidak cocok dengan \ - Purchase Invoice Kredit Untuk account" -"Row {0}: Account does not match with \ - Sales Invoice Debit To account","Row {0}: Akun tidak cocok dengan \ - Penjualan Faktur Debit Untuk account" +Row {0}: Account does not match with \ Purchase Invoice Credit To account,Row {0}: Akun tidak cocok dengan \ Purchase Invoice Kredit Untuk account +Row {0}: Account does not match with \ Sales Invoice Debit To account,Row {0}: Akun tidak cocok dengan \ Penjualan Faktur Debit Untuk account Row {0}: Conversion Factor is mandatory,Row {0}: Faktor Konversi adalah wajib Row {0}: Credit entry can not be linked with a Purchase Invoice,Row {0}: entry Kredit tidak dapat dihubungkan dengan Faktur Pembelian Row {0}: Debit entry can not be linked with a Sales Invoice,Row {0}: entry Debit tidak dapat dihubungkan dengan Faktur Penjualan Row {0}: Payment amount must be less than or equals to invoice outstanding amount. Please refer Note below.,Row {0}: Jumlah pembayaran harus kurang dari atau sama dengan faktur jumlah yang terhutang. Silakan lihat Catatan di bawah. Row {0}: Qty is mandatory,Row {0}: Qty adalah wajib -"Row {0}: Qty not avalable in warehouse {1} on {2} {3}. - Available Qty: {4}, Transfer Qty: {5}","Row {0}: Qty tidak avalable di gudang {1} pada {2} {3}. - Qty Tersedia: {4}, transfer Qty: {5}" -"Row {0}: To set {1} periodicity, difference between from and to date \ - must be greater than or equal to {2}","Row {0}: Untuk mengatur {1} periodisitas, perbedaan antara dari dan sampai saat ini \ - harus lebih besar dari atau sama dengan {2}" +"Row {0}: Qty not avalable in warehouse {1} on {2} {3}. Available Qty: {4}, Transfer Qty: {5}","Row {0}: Qty tidak avalable di gudang {1} pada {2} {3}. Qty Tersedia: {4}, transfer Qty: {5}" +"Row {0}: To set {1} periodicity, difference between from and to date \ must be greater than or equal to {2}","Row {0}: Untuk mengatur {1} periodisitas, perbedaan antara dari dan sampai saat ini \ harus lebih besar dari atau sama dengan {2}" Row {0}:Start Date must be before End Date,Row {0}: Tanggal awal harus sebelum Tanggal Akhir Rules for adding shipping costs.,Aturan untuk menambahkan biaya pengiriman. Rules for applying pricing and discount.,Aturan untuk menerapkan harga dan diskon. @@ -2683,9 +2641,7 @@ Serial No {0} status must be 'Available' to Deliver,Tidak ada Status {0} Serial Serial Nos Required for Serialized Item {0},Serial Nos Diperlukan untuk Serial Barang {0} Serial Number Series,Serial Number Series Serial number {0} entered more than once,Serial number {0} masuk lebih dari sekali -"Serialized Item {0} cannot be updated \ - using Stock Reconciliation","Serial Barang {0} tidak dapat diperbarui \ - menggunakan Stock Rekonsiliasi" +Serialized Item {0} cannot be updated \ using Stock Reconciliation,Serial Barang {0} tidak dapat diperbarui \ menggunakan Stock Rekonsiliasi Series,Seri Series List for this Transaction,Daftar Series Transaksi ini Series Updated,Seri Diperbarui @@ -2911,9 +2867,7 @@ Tax Assets,Aset pajak Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,Pajak Kategori tidak bisa 'Penilaian' atau 'Penilaian dan Total' karena semua item item non-saham Tax Rate,Tarif Pajak Tax and other salary deductions.,Pajak dan pemotongan gaji lainnya. -"Tax detail table fetched from item master as a string and stored in this field. -Used for Taxes and Charges","Tabel rinci Pajak diambil dari master barang sebagai string dan disimpan dalam bidang ini. - Digunakan untuk Pajak dan Biaya" +Tax detail table fetched from item master as a string and stored in this field.Used for Taxes and Charges,Tabel rinci Pajak diambil dari master barang sebagai string dan disimpan dalam bidang ini. Digunakan untuk Pajak dan Biaya Tax template for buying transactions.,Template pajak untuk membeli transaksi. Tax template for selling transactions.,Template Pajak menjual transaksi. Taxable,Kena PPN @@ -2959,9 +2913,7 @@ The First User: You,Pengguna Pertama: Anda "The Item that represents the Package. This Item must have ""Is Stock Item"" as ""No"" and ""Is Sales Item"" as ""Yes""","Item yang mewakili Paket tersebut. Barang ini harus ""Apakah Stock Item"" sebagai ""Tidak"" dan ""Apakah Penjualan Item"" sebagai ""Ya""" The Organization,Organisasi "The account head under Liability, in which Profit/Loss will be booked","Account kepala di bawah Kewajiban, di mana Laba / Rugi akan dipesan" -"The date on which next invoice will be generated. It is generated on submit. -","Tanggal dimana faktur berikutnya akan dihasilkan. Hal ini dihasilkan di submit. -" +The date on which next invoice will be generated. It is generated on submit.,Tanggal dimana faktur berikutnya akan dihasilkan. Hal ini dihasilkan di submit. The date on which recurring invoice will be stop,Tanggal dimana berulang faktur akan berhenti "The day of the month on which auto invoice will be generated e.g. 05, 28 etc ", The day(s) on which you are applying for leave are holiday. You need not apply for leave.,Hari (s) yang Anda lamar untuk cuti adalah liburan. Anda tidak perlu mengajukan cuti. diff --git a/erpnext/translations/it.csv b/erpnext/translations/it.csv index 1a3d4c3e95..6ca5f9970c 100644 --- a/erpnext/translations/it.csv +++ b/erpnext/translations/it.csv @@ -28,51 +28,27 @@ 'To Date' is required,'To Date' è richiesto 'Update Stock' for Sales Invoice {0} must be set,'Aggiorna Archivio ' per Fattura {0} deve essere impostato * Will be calculated in the transaction.,'A Case N.' non puo essere minore di 'Da Case N.' -"1 Currency = [?] Fraction -For e.g. 1 USD = 100 Cent","1 valuta = [?] Frazione - Per esempio 1 USD = 100 Cent" +1 Currency = [?] FractionFor e.g. 1 USD = 100 Cent,1 valuta = [?] Frazione Per esempio 1 USD = 100 Cent 1. To maintain the customer wise item code and to make them searchable based on their code use this option,1.Per mantenere la voce codice cliente e renderli ricercabili in base al loro codice usare questa opzione "
Add / Edit"," Aggiungi / Modifica < / a>" "Add / Edit"," Aggiungi / Modifica < / a>" "Add / Edit"," Aggiungi / Modifica < / a>" -"

Default Template

-

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

-
{{ address_line1 }}<br>
-{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}
-{{ city }}<br>
-{% if state %}{{ state }}<br>{% endif -%}
-{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}
-{{ country }}<br>
-{% if phone %}Phone: {{ phone }}<br>{% endif -%}
-{% if fax %}Fax: {{ fax }}<br>{% endif -%}
-{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
-
","

modello predefinito -

Utilizza Jinja Templating e tutti i campi di indirizzo ( compresi i campi personalizzati se presenti) sarà disponibile -

  {{address_line1}} 
- {% se address_line2%} {{address_line2}} {
% endif -%} - {{city}}
- {% se lo stato%} {{stato}}
{% endif -%} - {% se pincode%} PIN: {{}} pincode
{% endif -%} - {{country}}
- {% se il telefono%} Telefono: {{phone}} {
% endif -}% - {% se il fax%} Fax: {{fax}}
{% endif -%} - {% se email_id%} Email: {{email_id}}
{% endif -%} - " -A Customer Group exists with same name please change the Customer name or rename the Customer Group,Un Gruppo cliente esiste con lo stesso nome si prega di modificare il nome del cliente o rinominare il gruppo di clienti -A Customer exists with same name,Esiste un Cliente con lo stesso nome -A Lead with this email id should exist,Un Lead con questa e-mail dovrebbe esistere +"

Default Template

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

{{ address_line1 }}<br>{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}{{ city }}<br>{% if state %}{{ state }}<br>{% endif -%}{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}{{ country }}<br>{% if phone %}Phone: {{ phone }}<br>{% endif -%}{% if fax %}Fax: {{ fax }}<br>{% endif -%}{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
","

modello predefinito

Utilizza Jinja Templating e tutti i campi di indirizzo ( compresi i campi personalizzati se presenti) sarà disponibile

  {{address_line1}} 
{% se address_line2%} {{address_line2}} {
% endif -%} {{city}}
{% se lo stato%} {{stato}}
{% endif -%} {% se pincode%} PIN: {{}} pincode
{% endif -%} {{country}}
{% se il telefono%} Telefono: {{phone}} {
% endif -}% {% se il fax%} Fax: {{fax}}
{% endif -%} {% se email_id%} Email: {{email_id}}
{% endif -%} " +A Customer Group exists with same name please change the Customer name or rename the Customer Group,Un gruppo cliente con lo stesso nome già esiste. Si prega di modificare il nome del cliente o rinominare il gruppo clienti. +A Customer exists with same name,Un cliente con lo stesso nome esiste già. +A Lead with this email id should exist,Un potenziale cliente (lead) con questa e-mail dovrebbe esistere A Product or Service,Un prodotto o servizio -A Supplier exists with same name,Esiste un Fornitore con lo stesso nome +A Supplier exists with same name,Un fornitore con lo stesso nome già esiste A symbol for this currency. For e.g. $,Un simbolo per questa valuta. Per esempio $ AMC Expiry Date,AMC Data Scadenza Abbr,Abbr -Abbreviation cannot have more than 5 characters,Abbreviazione non può avere più di 5 caratteri +Abbreviation cannot have more than 5 characters,Le abbreviazioni non possono avere più di 5 caratteri Above Value,Sopra Valore Absent,Assente -Acceptance Criteria,Criterio Accettazione +Acceptance Criteria,Criterio di accettazione Accepted,Accettato Accepted + Rejected Qty must be equal to Received quantity for Item {0},Accettato + Respinto quantità deve essere uguale al quantitativo ricevuto per la voce {0} -Accepted Quantity,Quantità Accettata +Accepted Quantity,Quantità accettata Accepted Warehouse,Magazzino Accettato Account,conto Account Balance,Bilancio Conto @@ -103,9 +79,7 @@ Account {0}: Parent account {1} can not be a ledger,Account {0}: conto Parent {1 Account {0}: Parent account {1} does not belong to company: {2},Account {0}: conto Parent {1} non appartiene alla società: {2} Account {0}: Parent account {1} does not exist,Account {0}: conto Parent {1} non esiste Account {0}: You can not assign itself as parent account,Account {0}: Non è possibile assegnare stesso come conto principale -"Account: {0} can only be updated via \ - Stock Transactions","Account: {0} può essere aggiornato solo tramite \ - transazioni di magazzino" +Account: {0} can only be updated via \ Stock Transactions,Account: {0} può essere aggiornato solo tramite \ transazioni di magazzino Accountant,ragioniere Accounting,Contabilità "Accounting Entries can be made against leaf nodes, called","Scritture contabili può essere fatta contro nodi foglia , chiamato" @@ -886,9 +860,7 @@ Download Reconcilation Data,Scarica Riconciliazione dei dati Download Template,Scarica Modello Download a report containing all raw materials with their latest inventory status,Scaricare un report contenete tutte le materie prime con il loro recente stato di inventario "Download the Template, fill appropriate data and attach the modified file.","Scarica il modello , compilare i dati appropriati e allegare il file modificato ." -"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. - Tutte le date e la combinazione dei dipendenti nel periodo selezionato entreranno nel modello, con record di presenze esistenti" +"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. Tutte le date e la combinazione dei dipendenti nel periodo selezionato entreranno nel modello, con record di presenze esistenti" Draft,Bozza Dropbox,Dropbox Dropbox Access Allowed,Consentire accesso Dropbox @@ -994,9 +966,7 @@ Error: {0} > {1},Errore: {0} > {1} Estimated Material Cost,Stima costo materiale "Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Anche se ci sono più regole sui prezzi con la priorità più alta, si applicano quindi le seguenti priorità interne:" Everyone can read,Tutti possono leggere -"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.",". Esempio: ABCD # # # # # - Se serie è ambientata e Serial No non è menzionato nelle transazioni, verrà creato il numero di serie quindi automatico basato su questa serie. Se si vuole sempre parlare esplicitamente di serie nn per questo articolo. lasciare vuoto." +"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.",". Esempio: ABCD # # # # # Se serie è ambientata e Serial No non è menzionato nelle transazioni, verrà creato il numero di serie quindi automatico basato su questa serie. Se si vuole sempre parlare esplicitamente di serie nn per questo articolo. lasciare vuoto." Exchange Rate,Tasso di cambio: Excise Duty 10,Excise Duty 10 Excise Duty 14,Excise Duty 14 @@ -1470,9 +1440,7 @@ Item-wise Purchase History,Articolo-saggio Cronologia acquisti Item-wise Purchase Register,Articolo-saggio Acquisto Registrati Item-wise Sales History,Articolo-saggio Storia Vendite Item-wise Sales Register,Vendite articolo-saggio Registrati -"Item: {0} managed batch-wise, can not be reconciled using \ - Stock Reconciliation, instead use Stock Entry","Voce: {0} gestiti saggio-batch, non può conciliarsi con \ - Riconciliazione Archivio invece utilizzare dell'entrata Stock" +"Item: {0} managed batch-wise, can not be reconciled using \ Stock Reconciliation, instead use Stock Entry","Voce: {0} gestiti saggio-batch, non può conciliarsi con \ Riconciliazione Archivio invece utilizzare dell'entrata Stock" Item: {0} not found in the system,Voce : {0} non trovato nel sistema Items,Articoli Items To Be Requested,Articoli da richiedere @@ -1731,9 +1699,7 @@ Moving Average Rate,Media mobile Vota Mr,Sig. Ms,Ms Multiple Item prices.,Molteplici i prezzi articolo. -"Multiple Price Rule exists with same criteria, please resolve \ - conflict by assigning priority. Price Rules: {0}","Multipla Regola Prezzo esiste con gli stessi criteri, si prega di risolvere \ - conflitto assegnando priorità. Regole Prezzo: {0}" +"Multiple Price Rule exists with same criteria, please resolve \ conflict by assigning priority. Price Rules: {0}","Multipla Regola Prezzo esiste con gli stessi criteri, si prega di risolvere \ conflitto assegnando priorità. Regole Prezzo: {0}" Music,musica Must be Whole Number,Devono essere intere Numero Name,Nome @@ -2486,23 +2452,15 @@ Row # ,Row # Row # {0}: , Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,Row # {0}: quantità ordinata non può a meno di quantità di ordine minimo dell'elemento (definito al punto master). Row #{0}: Please specify Serial No for Item {1},Row # {0}: Si prega di specificare Numero d'ordine per la voce {1} -"Row {0}: Account does not match with \ - Purchase Invoice Credit To account","Riga {0}: Account non corrisponde con \ - Acquisto fattura accreditare sul suo conto" -"Row {0}: Account does not match with \ - Sales Invoice Debit To account","Riga {0}: Account non corrisponde con \ - Fattura Debito Per tenere conto" +Row {0}: Account does not match with \ Purchase Invoice Credit To account,Riga {0}: Account non corrisponde con \ Acquisto fattura accreditare sul suo conto +Row {0}: Account does not match with \ Sales Invoice Debit To account,Riga {0}: Account non corrisponde con \ Fattura Debito Per tenere conto Row {0}: Conversion Factor is mandatory,Riga {0}: fattore di conversione è obbligatoria Row {0}: Credit entry can not be linked with a Purchase Invoice,Riga {0} : ingresso credito non può essere collegato con una fattura di acquisto Row {0}: Debit entry can not be linked with a Sales Invoice,Riga {0} : ingresso debito non può essere collegato con una fattura di vendita Row {0}: Payment amount must be less than or equals to invoice outstanding amount. Please refer Note below.,Riga {0}: importo pagamento deve essere inferiore o uguale a fatturare importo residuo. Si prega di fare riferimento Nota di seguito. Row {0}: Qty is mandatory,Riga {0}: Quantità è obbligatorio -"Row {0}: Qty not avalable in warehouse {1} on {2} {3}. - Available Qty: {4}, Transfer Qty: {5}","Riga {0}: Quantità non avalable in magazzino {1} su {2} {3}. - Disponibile Quantità: {4}, Quantità di trasferimento: {5}" -"Row {0}: To set {1} periodicity, difference between from and to date \ - must be greater than or equal to {2}","Riga {0}: Per impostare {1} periodicità, differenza tra da e per data \ - deve essere maggiore o uguale a {2}" +"Row {0}: Qty not avalable in warehouse {1} on {2} {3}. Available Qty: {4}, Transfer Qty: {5}","Riga {0}: Quantità non avalable in magazzino {1} su {2} {3}. Disponibile Quantità: {4}, Quantità di trasferimento: {5}" +"Row {0}: To set {1} periodicity, difference between from and to date \ must be greater than or equal to {2}","Riga {0}: Per impostare {1} periodicità, differenza tra da e per data \ deve essere maggiore o uguale a {2}" Row {0}:Start Date must be before End Date,Riga {0} : Data di inizio deve essere precedente Data di fine Rules for adding shipping costs.,Regole per l'aggiunta di spese di spedizione . Rules for applying pricing and discount.,Le modalità di applicazione di prezzi e sconti . @@ -2683,9 +2641,7 @@ Serial No {0} status must be 'Available' to Deliver,Serial No {0} Stato deve ess Serial Nos Required for Serialized Item {0},Serial Nos Obbligatorio per la voce Serialized {0} Serial Number Series,Serial Number Series Serial number {0} entered more than once,Numero di serie {0} è entrato più di una volta -"Serialized Item {0} cannot be updated \ - using Stock Reconciliation","Voce Serialized {0} non può essere aggiornato \ - usando Riconciliazione Archivio" +Serialized Item {0} cannot be updated \ using Stock Reconciliation,Voce Serialized {0} non può essere aggiornato \ usando Riconciliazione Archivio Series,serie Series List for this Transaction,Lista Serie per questa transazione Series Updated,serie Aggiornato @@ -2911,9 +2867,7 @@ Tax Assets,Attività fiscali Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,"Tasse categoria non può essere ' valutazione ' o ' di valutazione e Total ', come tutti gli articoli sono elementi non-azione" Tax Rate,Aliquota fiscale Tax and other salary deductions.,Fiscale e di altre deduzioni salariali. -"Tax detail table fetched from item master as a string and stored in this field. -Used for Taxes and Charges","Tabella di dettaglio fiscale prelevato dalla voce principale come una stringa e memorizzato in questo campo. - Usato per imposte e oneri" +Tax detail table fetched from item master as a string and stored in this field.Used for Taxes and Charges,Tabella di dettaglio fiscale prelevato dalla voce principale come una stringa e memorizzato in questo campo. Usato per imposte e oneri Tax template for buying transactions.,Modello fiscale per l'acquisto di transazioni. Tax template for selling transactions.,Modello fiscale per la vendita di transazioni. Taxable,Imponibile @@ -2959,9 +2913,7 @@ The First User: You,Il primo utente : è "The Item that represents the Package. This Item must have ""Is Stock Item"" as ""No"" and ""Is Sales Item"" as ""Yes""",L'articolo che rappresenta il pacchetto. Questo elemento deve avere "è Stock Item" come "No" e "Is Voce di vendita" come "Yes" The Organization,l'Organizzazione "The account head under Liability, in which Profit/Loss will be booked","La testa account con responsabilità, in cui sarà prenotato Utile / Perdita" -"The date on which next invoice will be generated. It is generated on submit. -","La data in cui verrà generato prossima fattura. Viene generato su Invia. -" +The date on which next invoice will be generated. It is generated on submit.,La data in cui verrà generato prossima fattura. Viene generato su Invia. The date on which recurring invoice will be stop,La data in cui fattura ricorrente sarà ferma "The day of the month on which auto invoice will be generated e.g. 05, 28 etc ","Il giorno del mese in cui verrà generato fattura auto ad esempio 05, 28, ecc" The day(s) on which you are applying for leave are holiday. You need not apply for leave.,Il giorno ( s ) in cui si stanno applicando per ferie sono vacanze . Non c'è bisogno di domanda per il congedo . diff --git a/erpnext/translations/ja.csv b/erpnext/translations/ja.csv index 35b9876916..a6e14611b1 100644 --- a/erpnext/translations/ja.csv +++ b/erpnext/translations/ja.csv @@ -28,36 +28,12 @@ 'To Date' is required,「これまでの 'が必要です 'Update Stock' for Sales Invoice {0} must be set,納品書のための「更新在庫 '{0}を設定する必要があります * Will be calculated in the transaction.,*トランザクションで計算されます。 -"1 Currency = [?] Fraction -For e.g. 1 USD = 100 Cent","1通貨= [?]分数 -ために、例えば1ドル= 100セント" +1 Currency = [?] FractionFor e.g. 1 USD = 100 Cent,1通貨= [?]分数ために、例えば1ドル= 100セント 1. To maintain the customer wise item code and to make them searchable based on their code use this option,1 顧客ごとの商品コードを維持するために、それらのコード使用このオプションに基づいてそれらを検索可能に "
Add / Edit","もし、ごhref=""#Sales Browser/Customer Group"">追加/編集" "Add / Edit","もし、ごhref=""#Sales Browser/Item Group"">追加/編集" "Add / Edit","もし、ごhref=""#Sales Browser/Territory"">追加/編集" -"

Default Template

-

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

-
{{ address_line1 }}<br>
-{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}
-{{ city }}<br>
-{% if state %}{{ state }}<br>{% endif -%}
-{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}
-{{ country }}<br>
-{% if phone %}Phone: {{ phone }}<br>{% endif -%}
-{% if fax %}Fax: {{ fax }}<br>{% endif -%}
-{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
-
","

デフォルトのテンプレート -

神社テンプレートとアドレスのすべてのフィールドを(使用カスタムフィールドがある場合)を含むことは利用できるようになります。 -

 {{address_line1}}検索
- {%の場合address_line2%} {{address_line2}} {検索%ENDIF - %} 
- {{都市}}検索
- {%であれば、状態%} {{状態}}検索{%endifの - %} 
- {%の場合PINコードの%}ピン:{{PINコード}}検索{%endifの - %} 
- {{国}}検索
- {%であれば、電話%}電話:{{電話}} {検索%ENDIF - %} 
- {%の場合のFAX%}ファックス:{{ファクス}}検索{%endifの - %} 
- {%email_id%}メールの場合:{{email_id}}検索、{%endifの - %} 
- "
+"

Default Template

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

{{ address_line1 }}<br>{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}{{ city }}<br>{% if state %}{{ state }}<br>{% endif -%}{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}{{ country }}<br>{% if phone %}Phone: {{ phone }}<br>{% endif -%}{% if fax %}Fax: {{ fax }}<br>{% endif -%}{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
","

デフォルトのテンプレート

神社テンプレートとアドレスのすべてのフィールドを(使用カスタムフィールドがある場合)を含むことは利用できるようになります。

 {{address_line1}}検索 {%の場合address_line2%} {{address_line2}} {検索%ENDIF - %}  {{都市}}検索 {%であれば、状態%} {{状態}}検索{%endifの - %}  {%の場合PINコードの%}ピン:{{PINコード}}検索{%endifの - %}  {{国}}検索 {%であれば、電話%}電話:{{電話}} {検索%ENDIF - %}  {%の場合のFAX%}ファックス:{{ファクス}}検索{%endifの - %}  {%email_id%}メールの場合:{{email_id}}検索、{%endifの - %}  "
 A Customer Group exists with same name please change the Customer name or rename the Customer Group,顧客グループが同じ名前で存在顧客名を変更するか、顧客グループの名前を変更してください
 A Customer exists with same name,お客様は、同じ名前で存在
 A Lead with this email id should exist,このメールIDを持つ鉛は存在している必要があります
@@ -103,9 +79,7 @@ Account {0}: Parent account {1} can not be a ledger,アカウント{0}:親勘
 Account {0}: Parent account {1} does not belong to company: {2},アカウント{0}:親勘定{1}会社に属していません:{2}
 Account {0}: Parent account {1} does not exist,アカウント{0}:親勘定{1}が存在しません
 Account {0}: You can not assign itself as parent account,アカウント{0}:あなたが親勘定としての地位を割り当てることはできません
-"Account: {0} can only be updated via \
-					Stock Transactions","アカウント:\
-株式取引{0}のみを経由して更新することができます"
+Account: {0} can only be updated via \					Stock Transactions,アカウント:\株式取引{0}のみを経由して更新することができます
 Accountant,会計士
 Accounting,課金
 "Accounting Entries can be made against leaf nodes, called",会計エントリと呼ばれる、リーフノードに対して行うことができる
@@ -886,9 +860,7 @@ Download Reconcilation Data,Reconcilationデータをダウンロード
 Download Template,テンプレートのダウンロード
 Download a report containing all raw materials with their latest inventory status,最新の在庫状況とのすべての原料を含むレポートをダウンロード
 "Download the Template, fill appropriate data and attach the modified file.",テンプレートをダウンロードして適切なデータを記入し、変更したファイルを添付してください。
-"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 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",テンプレートをダウンロードして適切なデータを記入し、変更したファイルを添付してください。選択した期間内のすべての日付と従業員の組み合わせは、既存の出席記録と、テンプレートに来る
 Draft,ドラフト
 Dropbox,Dropbox
 Dropbox Access Allowed,Dropboxのアクセス許可
@@ -994,9 +966,7 @@ Error: {0} > {1},エラー:{0}> {1}
 Estimated Material Cost,推定材料費
 "Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:",最も高い優先度を持つ複数の価格設定ルールがあっても、次の内部優先順位が適用されます。
 Everyone can read,誰もが読むことができます
-"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#####
-系列が設定され、シリアル番号は、取引において言及されていない場合、自動シリアル番号は、このシリーズに基づいて作成されます。あなたは常に明示的にこの項目のシリアル番号を言及したいと思います。この空白のままにします。"
+"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#####系列が設定され、シリアル番号は、取引において言及されていない場合、自動シリアル番号は、このシリーズに基づいて作成されます。あなたは常に明示的にこの項目のシリアル番号を言及したいと思います。この空白のままにします。
 Exchange Rate,為替レート
 Excise Duty 10,物品税10
 Excise Duty 14,物品税14
@@ -1470,8 +1440,7 @@ Item-wise Purchase History,項目ごとの購入履歴
 Item-wise Purchase Register,項目ごとの購入登録
 Item-wise Sales History,アイテムごとの販売履歴
 Item-wise Sales Register,アイテムごとの販売登録
-"Item: {0} managed batch-wise, can not be reconciled using \
-					Stock Reconciliation, instead use Stock Entry",アイテム:\n {0}はバッチ式で管理され、使用して一致させることができません|ロイヤリティ和解を、代わりに株式のエントリを使用
+"Item: {0} managed batch-wise, can not be reconciled using \					Stock Reconciliation, instead use Stock Entry",アイテム:\n {0}はバッチ式で管理され、使用して一致させることができません|ロイヤリティ和解を、代わりに株式のエントリを使用
 Item: {0} not found in the system,アイテム:{0}システムには見られない
 Items,項目
 Items To Be Requested,要求する項目
@@ -1730,9 +1699,7 @@ Moving Average Rate,移動平均レート
 Mr,氏
 Ms,ミリ秒
 Multiple Item prices.,複数のアイテムの価格。
-"Multiple Price Rule exists with same criteria, please resolve \
-			conflict by assigning priority. Price Rules: {0}","複数の価格ルールは同じ基準で存在し、解決してください\
-の優先順位を割り当てることで、競合しています。価格ルール:{0}"
+"Multiple Price Rule exists with same criteria, please resolve \			conflict by assigning priority. Price Rules: {0}",複数の価格ルールは同じ基準で存在し、解決してください\の優先順位を割り当てることで、競合しています。価格ルール:{0}
 Music,音楽
 Must be Whole Number,整数でなければなりません
 Name,名前
@@ -2485,23 +2452,15 @@ Row # ,
 Row # {0}: ,
 Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,行番号{0}:順序付き数量(品目マスタで定義された)項目の最小発注数量を下回ることはできません。
 Row #{0}: Please specify Serial No for Item {1},行番号は{0}:アイテムのシリアル番号を指定してください{1}
-"Row {0}: Account does not match with \
-						Purchase Invoice Credit To account","行{0}:\
-購入請求書のクレジット口座へのアカウントと一致していません"
-"Row {0}: Account does not match with \
-						Sales Invoice Debit To account","行{0}:\
-納品書デビット口座へのアカウントと一致していません"
+Row {0}: Account does not match with \						Purchase Invoice Credit To account,行{0}:\購入請求書のクレジット口座へのアカウントと一致していません
+Row {0}: Account does not match with \						Sales Invoice Debit To account,行{0}:\納品書デビット口座へのアカウントと一致していません
 Row {0}: Conversion Factor is mandatory,行{0}:換算係数は必須です
 Row {0}: Credit entry can not be linked with a Purchase Invoice,行{0}:クレジットエントリは、購入の請求書にリンクすることはできません
 Row {0}: Debit entry can not be linked with a Sales Invoice,行{0}:デビットエントリは、納品書とリンクすることはできません
 Row {0}: Payment amount must be less than or equals to invoice outstanding amount. Please refer Note below.,行{0}:支払額は以下残高を請求するに等しいでなければなりません。以下の注意をご参照ください。
 Row {0}: Qty is mandatory,行{0}:数量は必須です
-"Row {0}: Qty not avalable in warehouse {1} on {2} {3}.
-					Available Qty: {4}, Transfer Qty: {5}","行{0}:数量は倉庫にavalable {1}にない{2} {3}。
-利用可能な数量:{4}、数量を転送:{5}"
-"Row {0}: To set {1} periodicity, difference between from and to date \
-						must be greater than or equal to {2}","行{0}:設定するには、{1}周期性から現在までの違い\
-以上と等しくなければならない{2}"
+"Row {0}: Qty not avalable in warehouse {1} on {2} {3}.					Available Qty: {4}, Transfer Qty: {5}",行{0}:数量は倉庫にavalable {1}にない{2} {3}。利用可能な数量:{4}、数量を転送:{5}
+"Row {0}: To set {1} periodicity, difference between from and to date \						must be greater than or equal to {2}",行{0}:設定するには、{1}周期性から現在までの違い\以上と等しくなければならない{2}
 Row {0}:Start Date must be before End Date,行{0}:開始日は終了日より前でなければなりません
 Rules for adding shipping costs.,郵送料を追加するためのルール。
 Rules for applying pricing and discount.,価格設定と割引を適用するためのルール。
@@ -2682,9 +2641,7 @@ Serial No {0} status must be 'Available' to Deliver,シリアルNO {0}ステー
 Serial Nos Required for Serialized Item {0},直列化されたアイテムのシリアル番号が必要です{0}
 Serial Number Series,シリアル番号のシリーズ
 Serial number {0} entered more than once,シリアル番号は{0}が複数回入力された
-"Serialized Item {0} cannot be updated \
-					using Stock Reconciliation","シリアル化されたアイテムは、{0}を更新することはできません\
-株式調整を使用して"
+Serialized Item {0} cannot be updated \					using Stock Reconciliation,シリアル化されたアイテムは、{0}を更新することはできません\株式調整を使用して
 Series,シリーズ
 Series List for this Transaction,このトランザクションのシリーズ一覧
 Series Updated,シリーズ更新
@@ -2910,9 +2867,7 @@ Tax Assets,税金資産
 Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,税区分は、すべての項目として「評価」や「評価と合計 'にすることはできません非在庫項目です
 Tax Rate,税率
 Tax and other salary deductions.,税金やその他の給与の控除。
-"Tax detail table fetched from item master as a string and stored in this field.
-Used for Taxes and Charges","税の詳細テーブルには、文字列として品目マスタからフェッチし、このフィールドに格納されている。
-税金、料金のために使用します"
+Tax detail table fetched from item master as a string and stored in this field.Used for Taxes and Charges,税の詳細テーブルには、文字列として品目マスタからフェッチし、このフィールドに格納されている。税金、料金のために使用します
 Tax template for buying transactions.,トランザクションを購入するための税のテンプレート。
 Tax template for selling transactions.,トランザクションを販売するための税のテンプレート。
 Taxable,課税
@@ -2958,9 +2913,7 @@ The First User: You,まずユーザー:あなた
 "The Item that represents the Package. This Item must have ""Is Stock Item"" as ""No"" and ""Is Sales Item"" as ""Yes""","パッケージを表す項目。この項目は「はい」と「いいえ」のような「ストックアイテムです」と「販売項目である ""持っている必要があります"
 The Organization,組織
 "The account head under Liability, in which Profit/Loss will be booked",利益/損失が計上されている責任の下でアカウントヘッド、
-"The date on which next invoice will be generated. It is generated on submit.
-","次の請求書が生成された日付。これは、送信時に生成されます。
-"
+The date on which next invoice will be generated. It is generated on submit.,次の請求書が生成された日付。これは、送信時に生成されます。
 The date on which recurring invoice will be stop,定期的な請求書を停止される日
 "The day of the month on which auto invoice will be generated e.g. 05, 28 etc ",
 The day(s) on which you are applying for leave are holiday. You need not apply for leave.,あなたが休暇を申請している日(S)は休日です。あなたは休暇を申請する必要はありません。
diff --git a/erpnext/translations/kn.csv b/erpnext/translations/kn.csv
index a3675c7990..8dae972f15 100644
--- a/erpnext/translations/kn.csv
+++ b/erpnext/translations/kn.csv
@@ -28,36 +28,12 @@
 'To Date' is required,' ದಿನಾಂಕ ' ಅಗತ್ಯವಿದೆ
 'Update Stock' for Sales Invoice {0} must be set,ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ' ಅಪ್ಡೇಟ್ ಸ್ಟಾಕ್ ' {0} ಸೆಟ್ ಮಾಡಬೇಕು
 * Will be calculated in the transaction.,* ಲೆಕ್ಕಾಚಾರ ಮಾಡಲಾಗುತ್ತದೆ ವ್ಯವಹಾರದಲ್ಲಿ ಆಗಿದೆ .
-"1 Currency = [?] Fraction
-For e.g. 1 USD = 100 Cent","1 ಕರೆನ್ಸಿ = [?] ಫ್ರ್ಯಾಕ್ಷನ್ 
- ಉದಾ 1 ಡಾಲರ್ = 100 ಸೆಂಟ್"
+1 Currency = [?] FractionFor e.g. 1 USD = 100 Cent,1 ಕರೆನ್ಸಿ = [?] ಫ್ರ್ಯಾಕ್ಷನ್  ಉದಾ 1 ಡಾಲರ್ = 100 ಸೆಂಟ್
 1. To maintain the customer wise item code and to make them searchable based on their code use this option,1 ಬುದ್ಧಿವಂತ ಗ್ರಾಹಕ ಐಟಂ ಕೋಡ್ ನಿರ್ವಹಿಸಲು ಮತ್ತು ತಮ್ಮ ಕೋಡ್ ಬಳಕೆ ಈ ಆಯ್ಕೆಯನ್ನು ಆಧರಿಸಿ ಅವುಗಳನ್ನು ಹುಡುಕಲು ಸುಲಭವಾಗುವಂತೆ
 "Add / Edit","ಕವಿದ href=""#Sales Browser/Customer Group""> ಸೇರಿಸಿ / ಸಂಪಾದಿಸಿ "
 "Add / Edit","ಕವಿದ href=""#Sales Browser/Item Group""> ಸೇರಿಸಿ / ಸಂಪಾದಿಸಿ "
 "Add / Edit","ಕವಿದ href=""#Sales Browser/Territory""> ಸೇರಿಸಿ / ಸಂಪಾದಿಸಿ "
-"

Default Template

-

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

-
{{ address_line1 }}<br>
-{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}
-{{ city }}<br>
-{% if state %}{{ state }}<br>{% endif -%}
-{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}
-{{ country }}<br>
-{% if phone %}Phone: {{ phone }}<br>{% endif -%}
-{% if fax %}Fax: {{ fax }}<br>{% endif -%}
-{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
-
","

ಡೀಫಾಲ್ಟ್ ಟೆಂಪ್ಲೇಟು -

ಕವಿದ href=""http://jinja.pocoo.org/docs/templates/""> ಜಿಂಜ Templating ಮತ್ತು ವಿಳಾಸ ಎಲ್ಲಾ ಜಾಗ (ಉಪಯೋಗಗಳು ಕಸ್ಟಮ್ ಫೀಲ್ಡ್ಸ್ ಯಾವುದೇ ವೇಳೆ) ಸೇರಿದಂತೆ ಲಭ್ಯವಾಗುತ್ತದೆ -

  {{address_line1}} 
- {% ವೇಳೆ address_line2%} {{address_line2}} {
% * ಪಾಸ್ ವರ್ಡ್ -%} - {{ನಗರ}}
- {% ವೇಳೆ ರಾಜ್ಯದ%} {{ರಾಜ್ಯದ}}
{% * ಪಾಸ್ ವರ್ಡ್ -%} - {% ವೇಳೆ ಪಿನ್ ಕೋಡ್%} ಪಿನ್: {{ಪಿನ್ ಕೋಡ್}}
{% * ಪಾಸ್ ವರ್ಡ್ -%} - {{}} ದೇಶದ
- {% ವೇಳೆ ಫೋನ್%} ದೂರವಾಣಿ: {{ಫೋನ್}} {
% * ಪಾಸ್ ವರ್ಡ್ -%} - {% ವೇಳೆ ಫ್ಯಾಕ್ಸ್%} ಫ್ಯಾಕ್ಸ್: {{ಫ್ಯಾಕ್ಸ್}}
{% * ಪಾಸ್ ವರ್ಡ್ -%} - {% email_id%} ಇಮೇಲ್ ವೇಳೆ: {{email_id}}
; {% * ಪಾಸ್ ವರ್ಡ್ -%} - " +"

Default Template

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

{{ address_line1 }}<br>{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}{{ city }}<br>{% if state %}{{ state }}<br>{% endif -%}{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}{{ country }}<br>{% if phone %}Phone: {{ phone }}<br>{% endif -%}{% if fax %}Fax: {{ fax }}<br>{% endif -%}{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
","

ಡೀಫಾಲ್ಟ್ ಟೆಂಪ್ಲೇಟು

ಕವಿದ href=""http://jinja.pocoo.org/docs/templates/""> ಜಿಂಜ Templating ಮತ್ತು ವಿಳಾಸ ಎಲ್ಲಾ ಜಾಗ (ಉಪಯೋಗಗಳು ಕಸ್ಟಮ್ ಫೀಲ್ಡ್ಸ್ ಯಾವುದೇ ವೇಳೆ) ಸೇರಿದಂತೆ ಲಭ್ಯವಾಗುತ್ತದೆ

  {{address_line1}} 
{% ವೇಳೆ address_line2%} {{address_line2}} {
% * ಪಾಸ್ ವರ್ಡ್ -%} {{ನಗರ}}
{% ವೇಳೆ ರಾಜ್ಯದ%} {{ರಾಜ್ಯದ}}
{% * ಪಾಸ್ ವರ್ಡ್ -%} {% ವೇಳೆ ಪಿನ್ ಕೋಡ್%} ಪಿನ್: {{ಪಿನ್ ಕೋಡ್}}
{% * ಪಾಸ್ ವರ್ಡ್ -%} {{}} ದೇಶದ
{% ವೇಳೆ ಫೋನ್%} ದೂರವಾಣಿ: {{ಫೋನ್}} {
% * ಪಾಸ್ ವರ್ಡ್ -%} {% ವೇಳೆ ಫ್ಯಾಕ್ಸ್%} ಫ್ಯಾಕ್ಸ್: {{ಫ್ಯಾಕ್ಸ್}}
{% * ಪಾಸ್ ವರ್ಡ್ -%} {% email_id%} ಇಮೇಲ್ ವೇಳೆ: {{email_id}}
; {% * ಪಾಸ್ ವರ್ಡ್ -%} " A Customer Group exists with same name please change the Customer name or rename the Customer Group,ಎ ಗ್ರಾಹಕ ಗುಂಪಿನ ಅದೇ ಹೆಸರಿನಲ್ಲಿ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ ಗ್ರಾಹಕ ಹೆಸರನ್ನು ಬದಲಾಯಿಸಲು ಅಥವಾ ಗ್ರಾಹಕ ಗುಂಪಿನ ಹೆಸರನ್ನು ದಯವಿಟ್ಟು A Customer exists with same name,ಒಂದು ಗ್ರಾಹಕ ಅದೇ ಹೆಸರಿನಲ್ಲಿ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ A Lead with this email id should exist,ಈ ಇಮೇಲ್ ಐಡಿ Shoulderstand ಒಂದು ಪ್ರಮುಖ ಅಸ್ತಿತ್ವದಲ್ಲಿವೆ @@ -103,9 +79,7 @@ Account {0}: Parent account {1} can not be a ledger,ಖಾತೆ {0}: ಪೊ Account {0}: Parent account {1} does not belong to company: {2},ಖಾತೆ {0}: ಪೋಷಕರ ಖಾತೆಯ {1} ಕಂಪನಿ ಸೇರುವುದಿಲ್ಲ: {2} Account {0}: Parent account {1} does not exist,ಖಾತೆ {0}: ಪೋಷಕರ ಖಾತೆಯ {1} ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ Account {0}: You can not assign itself as parent account,ಖಾತೆ {0}: ನೀವು ಪೋಷಕರ ಖಾತೆಯ ಎಂದು ಸ್ವತಃ ನಿಯೋಜಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ -"Account: {0} can only be updated via \ - Stock Transactions","ಖಾತೆ: \ - ಸ್ಟಾಕ್ ಟ್ರಾನ್ಸಾಕ್ಷನ್ಸ್ {0} ಕೇವಲ ಮೂಲಕ ಅಪ್ಡೇಟ್ಗೊಳಿಸಲಾಗಿದೆ ಮಾಡಬಹುದು" +Account: {0} can only be updated via \ Stock Transactions,ಖಾತೆ: \ ಸ್ಟಾಕ್ ಟ್ರಾನ್ಸಾಕ್ಷನ್ಸ್ {0} ಕೇವಲ ಮೂಲಕ ಅಪ್ಡೇಟ್ಗೊಳಿಸಲಾಗಿದೆ ಮಾಡಬಹುದು Accountant,ಅಕೌಂಟೆಂಟ್ Accounting,ಲೆಕ್ಕಪರಿಶೋಧಕ "Accounting Entries can be made against leaf nodes, called","ಲೆಕ್ಕಪರಿಶೋಧಕ ನಮೂದುಗಳು ಎಂಬ , ಲೀಫ್ ನೋಡ್ಗಳು ವಿರುದ್ಧ ಮಾಡಬಹುದು" @@ -886,9 +860,7 @@ Download Reconcilation Data,Reconcilation ಡೇಟಾ ಡೌನ್ಲೊ Download Template,ಡೌನ್ಲೋಡ್ ಟೆಂಪ್ಲೇಟು Download a report containing all raw materials with their latest inventory status,ಅವರ ಇತ್ತೀಚಿನ ದಾಸ್ತಾನು ಸ್ಥಿತಿಯನ್ನು ಕಚ್ಚಾ ವಸ್ತುಗಳನ್ನು ಹೊಂದಿದ ಒಂದು ವರದಿಯನ್ನು ಡೌನ್ಲೋಡ್ "Download the Template, fill appropriate data and attach the modified file.","ಟೆಂಪ್ಲೆಟ್ ಡೌನ್ಲೋಡ್ , ಸೂಕ್ತ ದಶಮಾಂಶ ತುಂಬಲು ಮತ್ತು ಬದಲಾಯಿಸಲಾಗಿತ್ತು ಕಡತ ಲಗತ್ತಿಸಬಹುದು ." -"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 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","ಟೆಂಪ್ಲೇಟು, ಸೂಕ್ತ ದಶಮಾಂಶ ತುಂಬಲು ಮತ್ತು ಬದಲಾಯಿಸಲಾಗಿತ್ತು ಕಡತ ಲಗತ್ತಿಸಬಹುದು. ಆಯ್ಕೆ ಅವಧಿಯಲ್ಲಿ ಎಲ್ಲ ದಿನಾಂಕಗಳು ಮತ್ತು ನೌಕರ ಸಂಯೋಜನೆಯನ್ನು ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ಹಾಜರಾತಿ ದಾಖಲೆಗಳನ್ನು, ಟೆಂಪ್ಲೇಟ್ ಬರುತ್ತವೆ" Draft,ಡ್ರಾಫ್ಟ್ Dropbox,ಡ್ರಾಪ್ಬಾಕ್ಸ್ Dropbox Access Allowed,ಅನುಮತಿಸಲಾಗಿದೆ ಡ್ರಾಪ್ಬಾಕ್ಸ್ ಪ್ರವೇಶ @@ -994,9 +966,7 @@ Error: {0} > {1},ದೋಷ : {0} > {1} Estimated Material Cost,ಅಂದಾಜು ವೆಚ್ಚ ಮೆಟೀರಿಯಲ್ "Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","ಹೆಚ್ಚಿನ ಆದ್ಯತೆ ಬಹು ಬೆಲೆ ನಿಯಮಗಳು ಇವೆ ಸಹ, ನಂತರ ಕೆಳಗಿನ ಆಂತರಿಕ ಆದ್ಯತೆಗಳು ಅನ್ವಯಿಸಲಾಗಿದೆ:" Everyone can read,ಪ್ರತಿಯೊಬ್ಬರೂ ಓದಬಹುದು -"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 # # # # # - ಸರಣಿ ಹೊಂದಿಸಲಾಗಿದೆ ಮತ್ತು ಯಾವುದೇ ಸೀರಿಯಲ್ ವ್ಯವಹಾರಗಳಲ್ಲಿ ಉಲ್ಲೇಖಿಸಲ್ಪಟ್ಟಿಲ್ಲ, ನಂತರ ಸ್ವಯಂಚಾಲಿತ ಕ್ರಮಸಂಖ್ಯೆ ಈ ಸರಣಿಯ ನಿರ್ಮಿಸಲಾಗುತ್ತದೆ. ನೀವು ಯಾವಾಗಲೂ ಸ್ಪಷ್ಟವಾಗಿ ಈ ಐಟಂ ಸೀರಿಯಲ್ ಸೂಲ ಬಗ್ಗೆ ಬಯಸಿದರೆ. ಈ ಖಾಲಿ ಬಿಡಿ." +"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 # # # # # ಸರಣಿ ಹೊಂದಿಸಲಾಗಿದೆ ಮತ್ತು ಯಾವುದೇ ಸೀರಿಯಲ್ ವ್ಯವಹಾರಗಳಲ್ಲಿ ಉಲ್ಲೇಖಿಸಲ್ಪಟ್ಟಿಲ್ಲ, ನಂತರ ಸ್ವಯಂಚಾಲಿತ ಕ್ರಮಸಂಖ್ಯೆ ಈ ಸರಣಿಯ ನಿರ್ಮಿಸಲಾಗುತ್ತದೆ. ನೀವು ಯಾವಾಗಲೂ ಸ್ಪಷ್ಟವಾಗಿ ಈ ಐಟಂ ಸೀರಿಯಲ್ ಸೂಲ ಬಗ್ಗೆ ಬಯಸಿದರೆ. ಈ ಖಾಲಿ ಬಿಡಿ." Exchange Rate,ವಿನಿಮಯ ದರ Excise Duty 10,ಅಬಕಾರಿ ಸುಂಕ 10 Excise Duty 14,ಅಬಕಾರಿ ಸುಂಕ 14 @@ -1470,9 +1440,7 @@ Item-wise Purchase History,ಐಟಂ ಬುದ್ಧಿವಂತ ಖರೀದ Item-wise Purchase Register,ಐಟಂ ಬುದ್ಧಿವಂತ ಖರೀದಿ ನೋಂದಣಿ Item-wise Sales History,ಐಟಂ ಬಲ್ಲ ಮಾರಾಟದ ಇತಿಹಾಸ Item-wise Sales Register,ಐಟಂ ಬಲ್ಲ ಮಾರಾಟದ ರಿಜಿಸ್ಟರ್ -"Item: {0} managed batch-wise, can not be reconciled using \ - Stock Reconciliation, instead use Stock Entry","ಐಟಂ: {0} ಬ್ಯಾಚ್ ಬಲ್ಲ ನಿರ್ವಹಿಸುತ್ತಿದ್ದ, ಬಳಸಿ ರಾಜಿ ಸಾಧ್ಯವಿಲ್ಲ \ - ಸ್ಟಾಕ್ ಸಾಮರಸ್ಯ, ಬದಲಿಗೆ ಸ್ಟಾಕ್ ಎಂಟ್ರಿ ಬಳಸಲು" +"Item: {0} managed batch-wise, can not be reconciled using \ Stock Reconciliation, instead use Stock Entry","ಐಟಂ: {0} ಬ್ಯಾಚ್ ಬಲ್ಲ ನಿರ್ವಹಿಸುತ್ತಿದ್ದ, ಬಳಸಿ ರಾಜಿ ಸಾಧ್ಯವಿಲ್ಲ \ ಸ್ಟಾಕ್ ಸಾಮರಸ್ಯ, ಬದಲಿಗೆ ಸ್ಟಾಕ್ ಎಂಟ್ರಿ ಬಳಸಲು" Item: {0} not found in the system,ಐಟಂ : {0} ವ್ಯವಸ್ಥೆಯ ಕಂಡುಬಂದಿಲ್ಲ Items,ಐಟಂಗಳನ್ನು Items To Be Requested,ಮನವಿ ಐಟಂಗಳನ್ನು @@ -1731,9 +1699,7 @@ Moving Average Rate,ಮೂವಿಂಗ್ ಸರಾಸರಿ ದರ Mr,ಶ್ರೀ Ms,MS Multiple Item prices.,ಬಹು ಐಟಂ ಬೆಲೆಗಳು . -"Multiple Price Rule exists with same criteria, please resolve \ - conflict by assigning priority. Price Rules: {0}","ಬಹು ಬೆಲೆ ರೂಲ್ ಅದೇ ಮಾನದಂಡಗಳನ್ನು ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ, ಪರಿಹರಿಸಲು ದಯವಿಟ್ಟು \ - ಪ್ರಾಶಸ್ತ್ಯವನ್ನು ನಿಗದಿಪಡಿಸಬೇಕು ಸಂಘರ್ಷ. ಬೆಲೆ ನಿಯಮಗಳು: {0}" +"Multiple Price Rule exists with same criteria, please resolve \ conflict by assigning priority. Price Rules: {0}","ಬಹು ಬೆಲೆ ರೂಲ್ ಅದೇ ಮಾನದಂಡಗಳನ್ನು ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ, ಪರಿಹರಿಸಲು ದಯವಿಟ್ಟು \ ಪ್ರಾಶಸ್ತ್ಯವನ್ನು ನಿಗದಿಪಡಿಸಬೇಕು ಸಂಘರ್ಷ. ಬೆಲೆ ನಿಯಮಗಳು: {0}" Music,ಸಂಗೀತ Must be Whole Number,ಹೋಲ್ ಸಂಖ್ಯೆ ಇರಬೇಕು Name,ಹೆಸರು @@ -2486,23 +2452,15 @@ Row # , Row # {0}: , Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,ರೋ # {0}: ಆದೇಶಿಸಿತು ಪ್ರಮಾಣ (ಐಟಂ ಮಾಸ್ಟರ್ ವ್ಯಾಖ್ಯಾನಿಸಲಾಗಿದೆ) ಐಟಂನ ಕನಿಷ್ಠ ಪ್ರಮಾಣ ಆದೇಶ ಕಡಿಮೆ ಸಾಧ್ಯವಿಲ್ಲ. Row #{0}: Please specify Serial No for Item {1},ರೋ # {0}: ಐಟಂ ಯಾವುದೇ ಸೀರಿಯಲ್ ಸೂಚಿಸಲು ದಯವಿಟ್ಟು {1} -"Row {0}: Account does not match with \ - Purchase Invoice Credit To account","ರೋ {0}: \ - ಖರೀದಿಸಿ ಸರಕುಪಟ್ಟಿ ಕ್ರೆಡಿಟ್ ಖಾತೆಗೆ ಜೊತೆ ಹೊಂದಿಕೆಯಾಗುವುದಿಲ್ಲ" -"Row {0}: Account does not match with \ - Sales Invoice Debit To account","ರೋ {0}: \ - ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ಡೆಬಿಟ್ ಖಾತೆಗೆ ಜೊತೆ ಹೊಂದಿಕೆಯಾಗುವುದಿಲ್ಲ" +Row {0}: Account does not match with \ Purchase Invoice Credit To account,ರೋ {0}: \ ಖರೀದಿಸಿ ಸರಕುಪಟ್ಟಿ ಕ್ರೆಡಿಟ್ ಖಾತೆಗೆ ಜೊತೆ ಹೊಂದಿಕೆಯಾಗುವುದಿಲ್ಲ +Row {0}: Account does not match with \ Sales Invoice Debit To account,ರೋ {0}: \ ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ಡೆಬಿಟ್ ಖಾತೆಗೆ ಜೊತೆ ಹೊಂದಿಕೆಯಾಗುವುದಿಲ್ಲ Row {0}: Conversion Factor is mandatory,ರೋ {0}: ಪರಿವರ್ತಿಸುವುದರ ಕಡ್ಡಾಯ Row {0}: Credit entry can not be linked with a Purchase Invoice,ರೋ {0} : ಕ್ರೆಡಿಟ್ ಪ್ರವೇಶ ಖರೀದಿಸಿ ಸರಕುಪಟ್ಟಿ ಸಂಬಂಧ ಸಾಧ್ಯವಿಲ್ಲ Row {0}: Debit entry can not be linked with a Sales Invoice,ರೋ {0} : ಡೆಬಿಟ್ ನಮೂದು ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ಸಂಬಂಧ ಸಾಧ್ಯವಿಲ್ಲ Row {0}: Payment amount must be less than or equals to invoice outstanding amount. Please refer Note below.,ರೋ {0}: ಪಾವತಿ ಪ್ರಮಾಣವನ್ನು ಕಡಿಮೆ ಅಥವಾ ಅತ್ಯುತ್ತಮ ಪ್ರಮಾಣದ ಸರಕುಪಟ್ಟಿ ಸಮನಾಗಿರುತ್ತದೆ ಇರಬೇಕು. ಕೆಳಗೆ ಗಮನಿಸಿ ನೋಡಿ. Row {0}: Qty is mandatory,ರೋ {0}: ಪ್ರಮಾಣ ಕಡ್ಡಾಯ -"Row {0}: Qty not avalable in warehouse {1} on {2} {3}. - Available Qty: {4}, Transfer Qty: {5}","ರೋ {0}: ಪ್ರಮಾಣ ಉಗ್ರಾಣದಲ್ಲಿ avalable {1} ಅಲ್ಲ {2} {3}. - ಲಭ್ಯವಿರುವ ಪ್ರಮಾಣ: {4}, ಪ್ರಮಾಣ ವರ್ಗಾಯಿಸಿ: {5}" -"Row {0}: To set {1} periodicity, difference between from and to date \ - must be greater than or equal to {2}","ರೋ {0}: ಹೊಂದಿಸಲು {1} ಅವಧಿಗೆ, ಮತ್ತು ಇಲ್ಲಿಯವರೆಗಿನ ನಡುವೆ ವ್ಯತ್ಯಾಸ \ - ಹೆಚ್ಚು ಅಥವಾ ಸಮ ಇರಬೇಕು {2}" +"Row {0}: Qty not avalable in warehouse {1} on {2} {3}. Available Qty: {4}, Transfer Qty: {5}","ರೋ {0}: ಪ್ರಮಾಣ ಉಗ್ರಾಣದಲ್ಲಿ avalable {1} ಅಲ್ಲ {2} {3}. ಲಭ್ಯವಿರುವ ಪ್ರಮಾಣ: {4}, ಪ್ರಮಾಣ ವರ್ಗಾಯಿಸಿ: {5}" +"Row {0}: To set {1} periodicity, difference between from and to date \ must be greater than or equal to {2}","ರೋ {0}: ಹೊಂದಿಸಲು {1} ಅವಧಿಗೆ, ಮತ್ತು ಇಲ್ಲಿಯವರೆಗಿನ ನಡುವೆ ವ್ಯತ್ಯಾಸ \ ಹೆಚ್ಚು ಅಥವಾ ಸಮ ಇರಬೇಕು {2}" Row {0}:Start Date must be before End Date,ರೋ {0} : ಪ್ರಾರಂಭ ದಿನಾಂಕ ಎಂಡ್ ದಿನಾಂಕದ ಮೊದಲು Rules for adding shipping costs.,ಹಡಗು ವೆಚ್ಚ ಸೇರಿಸುವ ನಿಯಮಗಳು . Rules for applying pricing and discount.,ಬೆಲೆ ಮತ್ತು ರಿಯಾಯಿತಿ ಅಳವಡಿಸುವ ನಿಯಮಗಳು . @@ -2683,9 +2641,7 @@ Serial No {0} status must be 'Available' to Deliver,ಯಾವುದೇ ಸಿ Serial Nos Required for Serialized Item {0},ಧಾರಾವಾಹಿಯಾಗಿ ಐಟಂ ಸೀರಿಯಲ್ ಸೂಲ ಅಗತ್ಯವಿದೆ {0} Serial Number Series,ಕ್ರಮ ಸಂಖ್ಯೆ ಸರಣಿ Serial number {0} entered more than once,ಕ್ರಮಸಂಖ್ಯೆ {0} ಒಮ್ಮೆ ಹೆಚ್ಚು ಪ್ರವೇಶಿಸಿತು -"Serialized Item {0} cannot be updated \ - using Stock Reconciliation","ಧಾರಾವಾಹಿಯಾಗಿ ಐಟಂ {0} ಅಪ್ಡೇಟ್ ಸಾಧ್ಯವಿಲ್ಲ \ - ಸ್ಟಾಕ್ ಸಾಮರಸ್ಯ ಬಳಸಿ" +Serialized Item {0} cannot be updated \ using Stock Reconciliation,ಧಾರಾವಾಹಿಯಾಗಿ ಐಟಂ {0} ಅಪ್ಡೇಟ್ ಸಾಧ್ಯವಿಲ್ಲ \ ಸ್ಟಾಕ್ ಸಾಮರಸ್ಯ ಬಳಸಿ Series,ಸರಣಿ Series List for this Transaction,ಈ ಟ್ರಾನ್ಸಾಕ್ಷನ್ ಸರಣಿ ಪಟ್ಟಿ Series Updated,ಸರಣಿ Updated @@ -2911,9 +2867,7 @@ Tax Assets,ತೆರಿಗೆ ಸ್ವತ್ತುಗಳು Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,ತೆರಿಗೆ ಬದಲಿಸಿ ' ಮೌಲ್ಯಾಂಕನ ' ಅಥವಾ ' ಮೌಲ್ಯಾಂಕನ ಮತ್ತು ಒಟ್ಟು ' ಎಲ್ಲಾ ಐಟಂಗಳನ್ನು ಅಲ್ಲದ ಸ್ಟಾಕ್ ವಸ್ತುಗಳಾಗಿವೆ ಎಂದು ಸಾಧ್ಯವಿಲ್ಲ Tax Rate,ತೆರಿಗೆ ದರ Tax and other salary deductions.,ತೆರಿಗೆ ಮತ್ತು ಇತರ ಸಂಬಳ ನಿರ್ಣಯಗಳಿಂದ . -"Tax detail table fetched from item master as a string and stored in this field. -Used for Taxes and Charges","ತೆರಿಗೆ ವಿವರ ಟೇಬಲ್ ಸ್ಟ್ರಿಂಗ್ ಐಟಂ ಮಾಸ್ಟರ್ ಗಳಿಸಿತು ಮತ್ತು ಈ ಕ್ಷೇತ್ರದಲ್ಲಿ ಸಂಗ್ರಹಿಸಲಾಗಿದೆ. - ತೆರಿಗೆಗಳು ಮತ್ತು ಶುಲ್ಕಗಳು ಉಪಯೋಗಿಸಿದ" +Tax detail table fetched from item master as a string and stored in this field.Used for Taxes and Charges,ತೆರಿಗೆ ವಿವರ ಟೇಬಲ್ ಸ್ಟ್ರಿಂಗ್ ಐಟಂ ಮಾಸ್ಟರ್ ಗಳಿಸಿತು ಮತ್ತು ಈ ಕ್ಷೇತ್ರದಲ್ಲಿ ಸಂಗ್ರಹಿಸಲಾಗಿದೆ. ತೆರಿಗೆಗಳು ಮತ್ತು ಶುಲ್ಕಗಳು ಉಪಯೋಗಿಸಿದ Tax template for buying transactions.,ವ್ಯವಹಾರ ಖರೀದಿ ತೆರಿಗೆ ಟೆಂಪ್ಲೆಟ್ . Tax template for selling transactions.,ವ್ಯವಹಾರ ಮಾರಾಟ ತೆರಿಗೆ ಟೆಂಪ್ಲೆಟ್ . Taxable,ಕರಾರ್ಹ @@ -2959,9 +2913,7 @@ The First User: You,ಮೊದಲ ಬಳಕೆದಾರ : ನೀವು "The Item that represents the Package. This Item must have ""Is Stock Item"" as ""No"" and ""Is Sales Item"" as ""Yes""","ಐಟಂ ಮಾಡಿದರು ಪ್ಯಾಕೇಜ್ ಪ್ರತಿನಿಧಿಸುತ್ತದೆ. ""ಇಲ್ಲ "" ಮತ್ತು "" ಹೌದು "" ಎಂದು "" ಮಾರಾಟದ ಐಟಂ "" ಈ ಐಟಂ ""ಸ್ಟಾಕ್ ಐಟಂ "" ಮಾಡಬೇಕು" The Organization,ಸಂಸ್ಥೆ "The account head under Liability, in which Profit/Loss will be booked","ಲಾಭ / ನಷ್ಟ ಗೊತ್ತು ಯಾವ ಹೊಣೆಗಾರಿಕೆ ಅಡಿಯಲ್ಲಿ ಖಾತೆ ತಲೆ ," -"The date on which next invoice will be generated. It is generated on submit. -","ಮುಂದಿನ ಸರಕುಪಟ್ಟಿ ಸೃಷ್ಟಿಸಲಾಗುತ್ತಿಲ್ಲ ಯಾವ ದಿನಾಂಕ. ಇದು ಸಲ್ಲಿಸಲು ಮೇಲೆ ಉತ್ಪಾದಿಸಲಾಗುತ್ತದೆ. -" +The date on which next invoice will be generated. It is generated on submit.,ಮುಂದಿನ ಸರಕುಪಟ್ಟಿ ಸೃಷ್ಟಿಸಲಾಗುತ್ತಿಲ್ಲ ಯಾವ ದಿನಾಂಕ. ಇದು ಸಲ್ಲಿಸಲು ಮೇಲೆ ಉತ್ಪಾದಿಸಲಾಗುತ್ತದೆ. The date on which recurring invoice will be stop,ಮರುಕಳಿಸುವ ಸರಕುಪಟ್ಟಿ ಸ್ಟಾಪ್ ಯಾವ ದಿನಾಂಕ "The day of the month on which auto invoice will be generated e.g. 05, 28 etc ", The day(s) on which you are applying for leave are holiday. You need not apply for leave.,ನೀವು ರಜೆ ಹಾಕುತ್ತಿವೆ ಮೇಲೆ ದಿನ (ಗಳು) ರಜಾ ಇವೆ . ನೀವು ಬಿಟ್ಟು ಅರ್ಜಿ ಅಗತ್ಯವಿದೆ . diff --git a/erpnext/translations/ko.csv b/erpnext/translations/ko.csv index f9aa8be3fb..34e7a44e24 100644 --- a/erpnext/translations/ko.csv +++ b/erpnext/translations/ko.csv @@ -28,36 +28,12 @@ 'To Date' is required,'날짜를'필요 'Update Stock' for Sales Invoice {0} must be set,견적서를위한 '업데이트 스톡'{0} 설정해야합니다 * Will be calculated in the transaction.,* 트랜잭션에서 계산됩니다. -"1 Currency = [?] Fraction -For e.g. 1 USD = 100 Cent","1 통화 = [?]분수 - 예를 들어, 1 USD = 100 센트를 들어" +1 Currency = [?] FractionFor e.g. 1 USD = 100 Cent,"1 통화 = [?]분수 예를 들어, 1 USD = 100 센트를 들어" 1. To maintain the customer wise item code and to make them searchable based on their code use this option,1고객 현명한 항목 코드를 유지하고 자신의 코드 사용이 옵션에 따라이를 검색 할 수 있도록 "Add / Edit","만약 당신이 좋아 href=""#Sales Browser/Customer Group""> 추가 / 편집 " "Add / Edit","만약 당신이 좋아 href=""#Sales Browser/Item Group""> 추가 / 편집 " "Add / Edit","만약 당신이 좋아 href=""#Sales Browser/Territory""> 추가 / 편집 " -"

Default Template

-

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

-
{{ address_line1 }}<br>
-{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}
-{{ city }}<br>
-{% if state %}{{ state }}<br>{% endif -%}
-{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}
-{{ country }}<br>
-{% if phone %}Phone: {{ phone }}<br>{% endif -%}
-{% if fax %}Fax: {{ fax }}<br>{% endif -%}
-{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
-
","

기본 템플릿 -

는 만약 당신이 좋아 href=""http://jinja.pocoo.org/docs/templates/""> 신사 템플릿 및 주소의 모든 필드를 (사용 사용자 정의 필드있는 경우)을 포함하여 사용할 수 있습니다 -

 {{address_line1}} 
- {%이다 address_line2 %} {{address_line2}} {
% ENDIF - %} - {{도시}}
- {%의 경우 상태 %} {{상태}}
{%의 ENDIF - %} - {%의 경우 PIN 코드의 %} PIN : {{}} 핀 코드
{%의 ENDIF - %} - {{국가}}
- {% 경우 전화 %} 전화 : {{전화}} {
% ENDIF - %} - {% 경우 팩스 %} 팩스 : {{팩스}}
{%의 ENDIF - %} - {% email_id %} 이메일의 경우 {{email_id}}
, {%의 ENDIF - %} - " +"

Default Template

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

{{ address_line1 }}<br>{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}{{ city }}<br>{% if state %}{{ state }}<br>{% endif -%}{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}{{ country }}<br>{% if phone %}Phone: {{ phone }}<br>{% endif -%}{% if fax %}Fax: {{ fax }}<br>{% endif -%}{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
","

기본 템플릿

는 만약 당신이 좋아 href=""http://jinja.pocoo.org/docs/templates/""> 신사 템플릿 및 주소의 모든 필드를 (사용 사용자 정의 필드있는 경우)을 포함하여 사용할 수 있습니다

 {{address_line1}} 
{%이다 address_line2 %} {{address_line2}} {
% ENDIF - %} {{도시}}
{%의 경우 상태 %} {{상태}}
{%의 ENDIF - %} {%의 경우 PIN 코드의 %} PIN : {{}} 핀 코드
{%의 ENDIF - %} {{국가}}
{% 경우 전화 %} 전화 : {{전화}} {
% ENDIF - %} {% 경우 팩스 %} 팩스 : {{팩스}}
{%의 ENDIF - %} {% email_id %} 이메일의 경우 {{email_id}}
, {%의 ENDIF - %} " A Customer Group exists with same name please change the Customer name or rename the Customer Group,고객 그룹이 동일한 이름으로 존재하는 것은 고객의 이름을 변경하거나 고객 그룹의 이름을 바꾸십시오 A Customer exists with same name,고객은 같은 이름을 가진 A Lead with this email id should exist,이 이메일 ID와 리드가 존재한다 @@ -103,9 +79,7 @@ Account {0}: Parent account {1} can not be a ledger,계정 {0} : 부모 계정 Account {0}: Parent account {1} does not belong to company: {2},계정 {0} : 부모 계정 {1} 회사에 속하지 않는 {2} Account {0}: Parent account {1} does not exist,계정 {0} : 부모 계정 {1}이 (가) 없습니다 Account {0}: You can not assign itself as parent account,계정 {0} : 당신은 부모 계정 자체를 할당 할 수 없습니다 -"Account: {0} can only be updated via \ - Stock Transactions","계정 : \ - 주식 거래 {0}을 통해서만 업데이트 할 수 있습니다" +Account: {0} can only be updated via \ Stock Transactions,계정 : \ 주식 거래 {0}을 통해서만 업데이트 할 수 있습니다 Accountant,회계사 Accounting,회계 "Accounting Entries can be made against leaf nodes, called","회계 항목은 전화, 리프 노드에 대해 수행 할 수 있습니다" @@ -886,9 +860,7 @@ Download Reconcilation Data,Reconcilation 데이터 다운로드하십시오 Download Template,다운로드 템플릿 Download a report containing all raw materials with their latest inventory status,그들의 최신의 재고 상황에 따라 모든 원료가 포함 된 보고서를 다운로드 "Download the Template, fill appropriate data and attach the modified file.","템플릿을 다운로드, 적절한 데이터를 작성하고 수정 된 파일을 첨부합니다." -"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 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","템플릿을 다운로드, 적절한 데이터를 작성하고 수정 된 파일을 첨부합니다. 선택한 기간의 모든 날짜와 직원의 조합은 기존의 출석 기록과 함께, 템플릿에 올 것이다" Draft,초안 Dropbox,드롭박스 Dropbox Access Allowed,허용 보관 용 액세스 @@ -994,9 +966,7 @@ Error: {0} > {1},오류 : {0}> {1} Estimated Material Cost,예상 재료비 "Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","우선 순위가 가장 높은 가격에 여러 규칙이있는 경우에도, 그 다음 다음 내부의 우선 순위가 적용됩니다" Everyone can read,모든 사람이 읽을 수 있습니다 -"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 # # # # # - 일련 설정되고 시리얼 No가 트랜잭션에 언급되지 않은 경우, 자동으로 일련 번호가이 시리즈에 기초하여 생성 될 것이다.당신은 항상 명시 적으로이 항목에 대한 일련 NOS를 언급합니다. 이 비워 둡니다." +"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 # # # # # 일련 설정되고 시리얼 No가 트랜잭션에 언급되지 않은 경우, 자동으로 일련 번호가이 시리즈에 기초하여 생성 될 것이다.당신은 항상 명시 적으로이 항목에 대한 일련 NOS를 언급합니다. 이 비워 둡니다." Exchange Rate,환율 Excise Duty 10,소비세 (10) Excise Duty 14,소비세 14 @@ -1470,9 +1440,7 @@ Item-wise Purchase History,상품 현명한 구입 내역 Item-wise Purchase Register,상품 현명한 구매 등록 Item-wise Sales History,상품이 많다는 판매 기록 Item-wise Sales Register,상품이 많다는 판매 등록 -"Item: {0} managed batch-wise, can not be reconciled using \ - Stock Reconciliation, instead use Stock Entry","품목 : {0} 배치 식 관리, 사용하여 조정할 수 없습니다 \ - 재고 조정 대신 증권 엔트리에게 사용" +"Item: {0} managed batch-wise, can not be reconciled using \ Stock Reconciliation, instead use Stock Entry","품목 : {0} 배치 식 관리, 사용하여 조정할 수 없습니다 \ 재고 조정 대신 증권 엔트리에게 사용" Item: {0} not found in the system,품목 : {0} 시스템에서 찾을 수없는 Items,아이템 Items To Be Requested,요청 할 항목 @@ -1731,9 +1699,7 @@ Moving Average Rate,이동 평균 속도 Mr,씨 Ms,MS Multiple Item prices.,여러 품목의 가격. -"Multiple Price Rule exists with same criteria, please resolve \ - conflict by assigning priority. Price Rules: {0}","여러 가격 규칙이 동일한 기준으로 존재 확인하시기 바랍니다 \ - 우선 순위를 할당하여 충돌.가격 규칙 : {0}" +"Multiple Price Rule exists with same criteria, please resolve \ conflict by assigning priority. Price Rules: {0}",여러 가격 규칙이 동일한 기준으로 존재 확인하시기 바랍니다 \ 우선 순위를 할당하여 충돌.가격 규칙 : {0} Music,음악 Must be Whole Number,전체 숫자 여야합니다 Name,이름 @@ -2486,23 +2452,15 @@ Row # , Row # {0}: , Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,행 # {0} : 주문 된 수량 (품목 마스터에 정의 된) 항목의 최소 주문 수량보다 적은 수 없습니다. Row #{0}: Please specify Serial No for Item {1},행 번호는 {0} 항목에 대한 일련 번호를 지정하십시오 {1} -"Row {0}: Account does not match with \ - Purchase Invoice Credit To account","행 {0} : \ - 구매 송장 신용 계정에 대한 계정과 일치하지 않습니다" -"Row {0}: Account does not match with \ - Sales Invoice Debit To account","행 {0} : \ - 견적서 직불 계정에 대한 계정과 일치하지 않습니다" +Row {0}: Account does not match with \ Purchase Invoice Credit To account,행 {0} : \ 구매 송장 신용 계정에 대한 계정과 일치하지 않습니다 +Row {0}: Account does not match with \ Sales Invoice Debit To account,행 {0} : \ 견적서 직불 계정에 대한 계정과 일치하지 않습니다 Row {0}: Conversion Factor is mandatory,행 {0} : 변환 계수는 필수입니다 Row {0}: Credit entry can not be linked with a Purchase Invoice,행 {0} : 신용 항목은 구매 송장에 링크 할 수 없습니다 Row {0}: Debit entry can not be linked with a Sales Invoice,행 {0} : 차변 항목은 판매 송장에 링크 할 수 없습니다 Row {0}: Payment amount must be less than or equals to invoice outstanding amount. Please refer Note below.,행 {0} : 지불 금액보다 작거나 잔액을 송장에 해당해야합니다.아래의 참고를 참조하십시오. Row {0}: Qty is mandatory,행 {0} : 수량은 필수입니다 -"Row {0}: Qty not avalable in warehouse {1} on {2} {3}. - Available Qty: {4}, Transfer Qty: {5}","행 {0} : 수량은 창고에 avalable {1}에없는 {2} {3}. - 가능 수량 : {4}, 수량 전송 {5}" -"Row {0}: To set {1} periodicity, difference between from and to date \ - must be greater than or equal to {2}","행 {0} 설정하려면 {1}주기에서 현재까지의 차이 \ -보다 크거나 같아야합니다 {2}" +"Row {0}: Qty not avalable in warehouse {1} on {2} {3}. Available Qty: {4}, Transfer Qty: {5}","행 {0} : 수량은 창고에 avalable {1}에없는 {2} {3}. 가능 수량 : {4}, 수량 전송 {5}" +"Row {0}: To set {1} periodicity, difference between from and to date \ must be greater than or equal to {2}",행 {0} 설정하려면 {1}주기에서 현재까지의 차이 \보다 크거나 같아야합니다 {2} Row {0}:Start Date must be before End Date,행 {0} : 시작 날짜가 종료 날짜 이전이어야합니다 Rules for adding shipping costs.,비용을 추가하는 규칙. Rules for applying pricing and discount.,가격 및 할인을 적용하기위한 규칙. @@ -2683,9 +2641,7 @@ Serial No {0} status must be 'Available' to Deliver,일련 번호 {0} 상태가 Serial Nos Required for Serialized Item {0},직렬화 된 항목에 대한 일련 NOS 필수 {0} Serial Number Series,일련 번호 시리즈 Serial number {0} entered more than once,일련 번호 {0} 번 이상 입력 -"Serialized Item {0} cannot be updated \ - using Stock Reconciliation","직렬화 된 항목 {0} 업데이트 할 수 없습니다 \ - 재고 조정을 사용하여" +Serialized Item {0} cannot be updated \ using Stock Reconciliation,직렬화 된 항목 {0} 업데이트 할 수 없습니다 \ 재고 조정을 사용하여 Series,시리즈 Series List for this Transaction,이 트랜잭션에 대한 시리즈 일람 Series Updated,시리즈 업데이트 @@ -2911,9 +2867,7 @@ Tax Assets,법인세 자산 Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,세금의 종류는 '평가'또는 '평가 및 전체'모든 항목은 비 재고 품목이기 때문에 할 수 없습니다 Tax Rate,세율 Tax and other salary deductions.,세금 및 기타 급여 공제. -"Tax detail table fetched from item master as a string and stored in this field. -Used for Taxes and Charges","세금 세부 테이블은 문자열로 품목 마스터에서 가져온이 분야에 저장됩니다. - 세금 및 요금에 사용" +Tax detail table fetched from item master as a string and stored in this field.Used for Taxes and Charges,세금 세부 테이블은 문자열로 품목 마스터에서 가져온이 분야에 저장됩니다. 세금 및 요금에 사용 Tax template for buying transactions.,트랜잭션을 구입을위한 세금 템플릿. Tax template for selling transactions.,거래를 판매에 대한 세금 템플릿. Taxable,과세 대상 @@ -2959,9 +2913,7 @@ The First User: You,첫 번째 사용자 : 당신 "The Item that represents the Package. This Item must have ""Is Stock Item"" as ""No"" and ""Is Sales Item"" as ""Yes""","패키지를 나타내는 항목.""아니오""를 ""예""로 ""판매 아이템""으로이 항목은 ""재고 상품입니다""해야합니다" The Organization,조직 "The account head under Liability, in which Profit/Loss will be booked","이익 / 손실은 예약 할 수있는 책임에서 계정 머리," -"The date on which next invoice will be generated. It is generated on submit. -","다음 송장이 생성되는 날짜입니다.그것은 제출에 생성됩니다. -" +The date on which next invoice will be generated. It is generated on submit.,다음 송장이 생성되는 날짜입니다.그것은 제출에 생성됩니다. The date on which recurring invoice will be stop,반복 송장이 중단 될 일자 "The day of the month on which auto invoice will be generated e.g. 05, 28 etc ", The day(s) on which you are applying for leave are holiday. You need not apply for leave.,당신이 허가를 신청하는 날 (들)은 휴일입니다.당신은 휴가를 신청할 필요가 없습니다. diff --git a/erpnext/translations/nl.csv b/erpnext/translations/nl.csv index 240fd24e07..f8bc9875bf 100644 --- a/erpnext/translations/nl.csv +++ b/erpnext/translations/nl.csv @@ -28,92 +28,66 @@ 'To Date' is required,' To Date' is vereist 'Update Stock' for Sales Invoice {0} must be set,'Bijwerken Stock ' voor verkoopfactuur {0} moet worden ingesteld * Will be calculated in the transaction.,* Zal worden berekend in de transactie. -"1 Currency = [?] Fraction -For e.g. 1 USD = 100 Cent","1 Valuta = [?] Fractie - Voor bijv. 1 USD = 100 Cent" +1 Currency = [?] FractionFor e.g. 1 USD = 100 Cent,1 Valuta = [?] Fractie Voor bijv. 1 USD = 100 Cent 1. To maintain the customer wise item code and to make them searchable based on their code use this option,1. Om de klant wijzen artikelcode te behouden en om ze doorzoekbaar te maken op basis van hun code te gebruiken van deze optie "Add / Edit"," toevoegen / bewerken < / a>" "Add / Edit"," toevoegen / bewerken < / a>" "Add / Edit"," toevoegen / bewerken < / a>" -"

Default Template

-

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

-
{{ address_line1 }}<br>
-{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}
-{{ city }}<br>
-{% if state %}{{ state }}<br>{% endif -%}
-{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}
-{{ country }}<br>
-{% if phone %}Phone: {{ phone }}<br>{% endif -%}
-{% if fax %}Fax: {{ fax }}<br>{% endif -%}
-{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
-
","

Standaardsjabloon -

Gebruikt Jinja Templating en alle velden van Address ( inclusief aangepaste velden indien aanwezig) zal beschikbaar zijn -

  {{address_line1}} 
- {% if address_line2%} {{address_line2}} {
% endif -%} - {{city}}
- {% if staat%} {{staat}} {% endif
-%} - {% if pincode%} PIN: {{pincode}} {% endif
-%} - {{land}}
- {% if telefoon%} Telefoon: {{telefoon}} {
% endif -%} - {% if fax%} Fax: {{fax}} {% endif
-%} - {% if email_id%} E-mail: {{email_id}}
; {% endif -%} - " -A Customer Group exists with same name please change the Customer name or rename the Customer Group,Een Customer Group bestaat met dezelfde naam wijzigt u de naam van de klant of de naam van de Klant Groep +"

Default Template

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

{{ address_line1 }}<br>{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}{{ city }}<br>{% if state %}{{ state }}<br>{% endif -%}{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}{{ country }}<br>{% if phone %}Phone: {{ phone }}<br>{% endif -%}{% if fax %}Fax: {{ fax }}<br>{% endif -%}{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
","

Standaardsjabloon

Gebruikt Jinja Templating en alle velden van Address ( inclusief aangepaste velden indien aanwezig) zal beschikbaar zijn

  {{address_line1}} 
{% if address_line2%} {{address_line2}} {
% endif -%} {{city}}
{% if staat%} {{staat}} {% endif
-%} {% if pincode%} PIN: {{pincode}} {% endif
-%} {{land}}
{% if telefoon%} Telefoon: {{telefoon}} {
% endif -%} {% if fax%} Fax: {{fax}} {% endif
-%} {% if email_id%} E-mail: {{email_id}}
; {% endif -%} " +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 te wijzigen A Customer exists with same name,Een Klant bestaat met dezelfde naam A Lead with this email id should exist,Een Lead met deze e-mail-ID moet bestaan A Product or Service,Een product of dienst A Supplier exists with same name,Een leverancier bestaat met dezelfde naam A symbol for this currency. For e.g. $,Een symbool voor deze valuta. Voor bijvoorbeeld $ AMC Expiry Date,AMC Vervaldatum -Abbr,Abbr -Abbreviation cannot have more than 5 characters,Afkorting kan niet meer dan 5 tekens -Above Value,Boven Value +Abbr,Afk +Abbreviation cannot have more than 5 characters,Afkorting kan niet meer dan 5 tekens lang zijn +Above Value,Boven Waarde Absent,Afwezig Acceptance Criteria,Acceptatiecriteria Accepted,Aanvaard -Accepted + Rejected Qty must be equal to Received quantity for Item {0},Geaccepteerde + Rejected Aantal moet gelijk zijn aan Ontvangen hoeveelheid zijn voor post {0} -Accepted Quantity,Geaccepteerde Aantal -Accepted Warehouse,Geaccepteerde Warehouse -Account,rekening -Account Balance,Account Balance +Accepted + Rejected Qty must be equal to Received quantity for Item {0},Geaccepteerde + Verworpen Aantal moet gelijk zijn aan Ontvangen aantal zijn voor post {0} +Accepted Quantity,Geaccepteerd Aantal +Accepted Warehouse,Geaccepteerd Magazijn +Account,Rekening +Account Balance,Rekeningbalans Account Created: {0},Account Gemaakt : {0} Account Details,Account Details -Account Head,Account Hoofd -Account Name,Accountnaam -Account Type,Account Type +Account Head,Account Hoofding +Account Name,Rekeningnaam +Account Type,Rekening Type "Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Saldo reeds in Credit, is het niet toegestaan om 'evenwicht moet worden' als 'Debet'" "Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Saldo reeds in Debit, is het niet toegestaan om 'evenwicht moet worden' als 'Credit'" Account for the warehouse (Perpetual Inventory) will be created under this Account.,Rekening voor het magazijn ( Perpetual Inventory ) wordt aangemaakt onder deze account . -Account head {0} created,Account hoofd {0} aangemaakt +Account head {0} created,Account hoofding {0} aangemaakt Account must be a balance sheet account,Rekening moet een balansrekening zijn Account with child nodes cannot be converted to ledger,Rekening met kind nodes kunnen niet worden geconverteerd naar ledger Account with existing transaction can not be converted to group.,Rekening met bestaande transactie kan niet worden omgezet in groep . Account with existing transaction can not be deleted,Rekening met bestaande transactie kan niet worden verwijderd Account with existing transaction cannot be converted to ledger,Rekening met bestaande transactie kan niet worden geconverteerd naar grootboek -Account {0} cannot be a Group,Account {0} kan een groep niet -Account {0} does not belong to Company {1},Account {0} behoort niet tot Company {1} -Account {0} does not belong to company: {1},Account {0} behoort niet tot bedrijf: {1} +Account {0} cannot be a Group,Rekening {0} kan geen groep zijn +Account {0} does not belong to Company {1},Rekening {0} behoort niet tot Bedrijf {1} +Account {0} does not belong to company: {1},Rekening {0} behoort niet tot bedrijf: {1} Account {0} does not exist,Account {0} bestaat niet -Account {0} has been entered more than once for fiscal year {1},Account {0} is ingevoerd meer dan een keer voor het fiscale jaar {1} -Account {0} is frozen,Account {0} is bevroren -Account {0} is inactive,Account {0} is niet actief -Account {0} is not valid,Account {0} is niet geldig -Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item,Account {0} moet van het type ' vaste activa ' zijn zoals Item {1} is een actiefpost -Account {0}: Parent account {1} can not be a ledger,Account {0}: Parent rekening {1} kan een grootboek niet -Account {0}: Parent account {1} does not belong to company: {2},Account {0}: Parent rekening {1} hoort niet bij bedrijf: {2} -Account {0}: Parent account {1} does not exist,Account {0}: Parent rekening {1} bestaat niet -Account {0}: You can not assign itself as parent account,Account {0}: U kunt niet zelf toewijzen als ouder rekening -"Account: {0} can only be updated via \ - Stock Transactions","Account: {0} kan alleen worden bijgewerkt via \ - Stock Transacties" -Accountant,accountant -Accounting,Rekening +Account {0} has been entered more than once for fiscal year {1},Rekening {0} is meer dan een keer ingevoerd voor het fiscale jaar {1} +Account {0} is frozen,Rekening {0} is bevroren +Account {0} is inactive,Rekening {0} is niet actief +Account {0} is not valid,Rekening {0} is niet geldig +Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item,Rekening {0} moet van het type 'vaste activa' zijn omdat Artikel {1} een actiefpost is +Account {0}: Parent account {1} can not be a ledger,Rekening {0}: Bovenliggende rekening {1} kan geen grootboek zijn +Account {0}: Parent account {1} does not belong to company: {2},Rekening {0}: Bovenliggende rekening {1} hoort niet bij bedrijf: {2} +Account {0}: Parent account {1} does not exist,Rekening {0}: Bovenliggende rekening {1} bestaat niet +Account {0}: You can not assign itself as parent account,Rekening {0}: U kunt niet zelf zichzelf toewijzen als bovenliggende rekening +Account: {0} can only be updated via \ Stock Transactions,Rekening: {0} kan alleen worden bijgewerkt via \ Voorraad Transacties +Accountant,Accountant +Accounting,Boekhouding "Accounting Entries can be made against leaf nodes, called","Boekingen kunnen worden gemaakt tegen leaf nodes , genaamd" "Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","Boekhoudkundige afschrijving bevroren tot deze datum, kan niemand / te wijzigen toegang behalve rol hieronder aangegeven." Accounting journal entries.,Accounting journaalposten. -Accounts,Accounts -Accounts Browser,accounts Browser -Accounts Frozen Upto,Accounts Frozen Tot +Accounts,Rekeningen +Accounts Browser,Rekeningen Browser +Accounts Frozen Upto,Rekeningen bevroren Tot Accounts Payable,Accounts Payable Accounts Receivable,Debiteuren Accounts Settings,Accounts Settings @@ -121,10 +95,10 @@ Active,Actief Active: Will extract emails from ,Actief: Zal ​​e-mails uittreksel uit Activity,Activiteit Activity Log,Activiteitenlogboek -Activity Log:,Activity Log : +Activity Log:,Activiteitenlogboek: Activity Type,Activiteit Type -Actual,Daadwerkelijk -Actual Budget,Werkelijk Begroting +Actual,Werkelijk +Actual Budget,Werkelijk Budget Actual Completion Date,Werkelijke Voltooiingsdatum Actual Date,Werkelijke Datum Actual End Date,Werkelijke Einddatum @@ -133,12 +107,12 @@ Actual Posting Date,Werkelijke Boekingsdatum Actual Qty,Werkelijke Aantal Actual Qty (at source/target),Werkelijke Aantal (bij de bron / doel) Actual Qty After Transaction,Werkelijke Aantal Na Transactie -Actual Qty: Quantity available in the warehouse.,Werkelijke Aantal : Aantal beschikbaar in het magazijn. +Actual Qty: Quantity available in the warehouse.,Werkelijke Aantal: Aantal beschikbaar in het magazijn. Actual Quantity,Werkelijke hoeveelheid Actual Start Date,Werkelijke Startdatum Add,Toevoegen -Add / Edit Taxes and Charges,Toevoegen / bewerken en-heffingen -Add Child,Child +Add / Edit Taxes and Charges,Toevoegen / Bewerken Belastingen en Heffingen +Add Child,Onderliggende toevoegen Add Serial No,Voeg Serienummer Add Taxes,Belastingen toevoegen Add Taxes and Charges,Belastingen en heffingen toe te voegen @@ -886,9 +860,7 @@ Download Reconcilation Data,Download Verzoening gegevens Download Template,Download Template Download a report containing all raw materials with their latest inventory status,Download een verslag met alle grondstoffen met hun nieuwste inventaris status "Download the Template, fill appropriate data and attach the modified file.","Download de Template , vul de juiste gegevens en bevestig het gewijzigde bestand ." -"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 en bevestig het gewijzigde bestand. - Alle data en werknemer combinatie in de gekozen periode zal komen in de template, met bestaande presentielijsten" +"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 en bevestig het gewijzigde bestand. Alle data en werknemer combinatie in de gekozen periode zal komen in de template, met bestaande presentielijsten" Draft,Ontwerp Dropbox,Dropbox Dropbox Access Allowed,Dropbox Toegang toegestaan @@ -994,9 +966,7 @@ Error: {0} > {1},Fout : {0} > {1} Estimated Material Cost,Geschatte Materiaal Kosten "Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Zelfs als er meerdere Prijzen Regels met de hoogste prioriteit, worden vervolgens volgende interne prioriteiten aangebracht:" Everyone can read,Iedereen kan lezen -"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.",". Voorbeeld: ABCD # # # # # - Als serie is ingesteld en volgnummer wordt niet bij transacties vermeld, zal dan automatisch het serienummer worden gemaakt op basis van deze serie. Als u wilt altijd expliciet te vermelden serienummers voor dit item. dit veld leeg laten." +"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.",". Voorbeeld: ABCD # # # # # Als serie is ingesteld en volgnummer wordt niet bij transacties vermeld, zal dan automatisch het serienummer worden gemaakt op basis van deze serie. Als u wilt altijd expliciet te vermelden serienummers voor dit item. dit veld leeg laten." Exchange Rate,Wisselkoers Excise Duty 10,Accijns 10 Excise Duty 14,Excise Duty 14 @@ -1470,9 +1440,7 @@ Item-wise Purchase History,Post-wise Aankoop Geschiedenis Item-wise Purchase Register,Post-wise Aankoop Register Item-wise Sales History,Post-wise Sales Geschiedenis Item-wise Sales Register,Post-wise sales Registreren -"Item: {0} managed batch-wise, can not be reconciled using \ - Stock Reconciliation, instead use Stock Entry","Item: {0} beheerd batchgewijs, niet kan worden verzoend met behulp van \ - Stock Verzoening, in plaats daarvan gebruik Stock Entry" +"Item: {0} managed batch-wise, can not be reconciled using \ Stock Reconciliation, instead use Stock Entry","Item: {0} beheerd batchgewijs, niet kan worden verzoend met behulp van \ Stock Verzoening, in plaats daarvan gebruik Stock Entry" Item: {0} not found in the system,Item: {0} niet gevonden in het systeem Items,Artikelen Items To Be Requested,Items worden aangevraagd @@ -1731,9 +1699,7 @@ Moving Average Rate,Moving Average Rate Mr,De heer Ms,Mevrouw Multiple Item prices.,Meerdere Artikelprijzen . -"Multiple Price Rule exists with same criteria, please resolve \ - conflict by assigning priority. Price Rules: {0}","Prijs Regel Meerdere bestaat met dezelfde criteria, dan kunt u oplossen door \ - conflict door het toekennen van prioriteit. Prijs Regels: {0}" +"Multiple Price Rule exists with same criteria, please resolve \ conflict by assigning priority. Price Rules: {0}","Prijs Regel Meerdere bestaat met dezelfde criteria, dan kunt u oplossen door \ conflict door het toekennen van prioriteit. Prijs Regels: {0}" Music,muziek Must be Whole Number,Moet heel getal zijn Name,Naam @@ -2486,23 +2452,15 @@ Row # ,Rij # Row # {0}: , Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,Rij # {0}: Bestelde hoeveelheid kan niet minder dan minimum afname item (gedefinieerd in punt master). Row #{0}: Please specify Serial No for Item {1},Rij # {0}: Geef volgnummer voor post {1} -"Row {0}: Account does not match with \ - Purchase Invoice Credit To account","Rij {0}: Account komt niet overeen met \ - Aankoop Factuur Credit Om rekening te houden" -"Row {0}: Account does not match with \ - Sales Invoice Debit To account","Rij {0}: Account komt niet overeen met \ - verkoopfactuur Debit Om rekening te houden" +Row {0}: Account does not match with \ Purchase Invoice Credit To account,Rij {0}: Account komt niet overeen met \ Aankoop Factuur Credit Om rekening te houden +Row {0}: Account does not match with \ Sales Invoice Debit To account,Rij {0}: Account komt niet overeen met \ verkoopfactuur Debit Om rekening te houden Row {0}: Conversion Factor is mandatory,Rij {0}: Conversie Factor is verplicht Row {0}: Credit entry can not be linked with a Purchase Invoice,Rij {0} : Credit invoer kan niet worden gekoppeld aan een inkoopfactuur Row {0}: Debit entry can not be linked with a Sales Invoice,Rij {0} : debitering kan niet worden gekoppeld aan een verkoopfactuur Row {0}: Payment amount must be less than or equals to invoice outstanding amount. Please refer Note below.,Rij {0}: Betaling bedrag moet kleiner dan of gelijk aan openstaande bedrag factureren zijn. Raadpleeg onderstaande opmerking. Row {0}: Qty is mandatory,Rij {0}: Aantal is verplicht -"Row {0}: Qty not avalable in warehouse {1} on {2} {3}. - Available Qty: {4}, Transfer Qty: {5}","Rij {0}: Aantal niet voorraad in magazijn {1} op {2} {3}. - Beschikbaar Aantal: {4}, Transfer Aantal: {5}" -"Row {0}: To set {1} periodicity, difference between from and to date \ - must be greater than or equal to {2}","Rij {0}: Voor het instellen van {1} periodiciteit, verschil tussen uit en tot op heden \ - moet groter zijn dan of gelijk aan {2}" +"Row {0}: Qty not avalable in warehouse {1} on {2} {3}. Available Qty: {4}, Transfer Qty: {5}","Rij {0}: Aantal niet voorraad in magazijn {1} op {2} {3}. Beschikbaar Aantal: {4}, Transfer Aantal: {5}" +"Row {0}: To set {1} periodicity, difference between from and to date \ must be greater than or equal to {2}","Rij {0}: Voor het instellen van {1} periodiciteit, verschil tussen uit en tot op heden \ moet groter zijn dan of gelijk aan {2}" Row {0}:Start Date must be before End Date,Rij {0} : Start Datum moet zijn voordat Einddatum Rules for adding shipping costs.,Regels voor het toevoegen van verzendkosten. Rules for applying pricing and discount.,Regels voor de toepassing van prijzen en kortingen . @@ -2683,9 +2641,7 @@ Serial No {0} status must be 'Available' to Deliver,Serienummer {0} statuut moet Serial Nos Required for Serialized Item {0},Volgnummers Vereiste voor Serialized Item {0} Serial Number Series,Serienummer Series Serial number {0} entered more than once,Serienummer {0} ingevoerd meer dan eens -"Serialized Item {0} cannot be updated \ - using Stock Reconciliation","Geserialiseerde Item {0} niet kan worden bijgewerkt \ - met behulp van Stock Verzoening" +Serialized Item {0} cannot be updated \ using Stock Reconciliation,Geserialiseerde Item {0} niet kan worden bijgewerkt \ met behulp van Stock Verzoening Series,serie Series List for this Transaction,Series Lijst voor deze transactie Series Updated,serie update @@ -2911,9 +2867,7 @@ Tax Assets,belastingvorderingen Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,Fiscale categorie kan ' Valuation ' of ' Valuation en Total ' als alle items zijn niet-voorraadartikelen niet Tax Rate,Belastingtarief Tax and other salary deductions.,Belastingen en andere inhoudingen op het loon. -"Tax detail table fetched from item master as a string and stored in this field. -Used for Taxes and Charges","Tax detail tafel haalde van post meester als een string en opgeslagen in dit gebied. - Gebruikt voor belastingen en-heffingen" +Tax detail table fetched from item master as a string and stored in this field.Used for Taxes and Charges,Tax detail tafel haalde van post meester als een string en opgeslagen in dit gebied. Gebruikt voor belastingen en-heffingen Tax template for buying transactions.,Belasting sjabloon voor het kopen van transacties . Tax template for selling transactions.,Belasting sjabloon voor de verkoop transacties. Taxable,Belastbaar @@ -2959,9 +2913,7 @@ The First User: You,De eerste gebruiker : U "The Item that represents the Package. This Item must have ""Is Stock Item"" as ""No"" and ""Is Sales Item"" as ""Yes""",Het item dat het pakket vertegenwoordigt. Dit artikel moet hebben "Is Stock Item" als "No" en "Is Sales Item" als "Yes" The Organization,de Organisatie "The account head under Liability, in which Profit/Loss will be booked","De rekening hoofd onder Aansprakelijkheid , waarin Winst / verlies zal worden geboekt" -"The date on which next invoice will be generated. It is generated on submit. -","De datum waarop de volgende factuur wordt gegenereerd. Het wordt geproduceerd op te dienen. -" +The date on which next invoice will be generated. It is generated on submit.,De datum waarop de volgende factuur wordt gegenereerd. Het wordt geproduceerd op te dienen. The date on which recurring invoice will be stop,De datum waarop terugkerende factuur stoppen "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 wordt gegenereerd bv 05, 28 etc" The day(s) on which you are applying for leave are holiday. You need not apply for leave.,De dag (en ) waarop je solliciteert verlof zijn vakantie . Je hoeft niet voor verlof . diff --git a/erpnext/translations/pl.csv b/erpnext/translations/pl.csv index f831b0fe38..b4a7cd9d13 100644 --- a/erpnext/translations/pl.csv +++ b/erpnext/translations/pl.csv @@ -1,3225 +1,3213 @@ -" (Half Day)"," (Pół dnia)" -" and year: ","i rok:" -""" does not exists",""" nie istnieje" -"% Delivered","% dostarczonych" -"% Amount Billed","% wartości rozliczonej" -"% Billed","% rozliczonych" -"% Completed","% zamkniętych" -"% Delivered","% dostarczonych" -"% Installed","% Zainstalowanych" -"% Received","% Otrzymanych" -"% of materials billed against this Purchase Order.","% materiałów rozliczonych w ramach zamówienia" -"% of materials billed against this Sales Order","% materiałów rozliczonych w ramach zlecenia sprzedaży" -"% of materials delivered against this Delivery Note","% materiałów dostarczonych w stosunku do dowodu dostawy" -"% of materials delivered against this Sales Order","% materiałów dostarczonych w ramach zlecenia sprzedaży" -"% of materials ordered against this Material Request","% materiałów zamówionych w stosunku do zapytania o materiały" -"% of materials received against this Purchase Order","% materiałów otrzymanych w ramach zamówienia" -"%(conversion_rate_label)s is mandatory. Maybe Currency Exchange record is not created for %(from_currency)s to %(to_currency)s","% ( conversion_rate_label )s jest obowiązkowa. Może rekord wymiany waluty nie jest stworzony dla wymiany %(from_currency )s na %(to_currency )s" -"'Actual Start Date' can not be greater than 'Actual End Date'", -"'Based On' and 'Group By' can not be same", -"'Days Since Last Order' must be greater than or equal to zero", -"'Entries' cannot be empty", -"'Expected Start Date' can not be greater than 'Expected End Date'", -"'From Date' is required","“Data od” jest wymagana" -"'From Date' must be after 'To Date'", -"'Has Serial No' can not be 'Yes' for non-stock item", -"'Notification Email Addresses' not specified for recurring invoice", -"'Profit and Loss' type account {0} not allowed in Opening Entry", -"'To Case No.' cannot be less than 'From Case No.'", -"'To Date' is required", -"'Update Stock' for Sales Invoice {0} must be set", -"* Will be calculated in the transaction.", -"1 Currency = [?] Fraction -For e.g. 1 USD = 100 Cent", -"1. To maintain the customer wise item code and to make them searchable based on their code use this option", -"
Add / Edit", -"Add / Edit", -"Add / Edit", -"A Customer Group exists with same name please change the Customer name or rename the Customer Group", -"A Customer exists with same name", -"A Lead with this email id should exist", -"A Product or Service","Produkt lub usługa" -"A Supplier exists with same name", -"A symbol for this currency. For e.g. $", -"AMC Expiry Date", -"Abbr", -"Abbreviation cannot have more than 5 characters", -"About", -"Above Value", -"Absent","Nieobecny" -"Acceptance Criteria","Kryteria akceptacji" -"Accepted", -"Accepted + Rejected Qty must be equal to Received quantity for Item {0}", -"Accepted Quantity", -"Accepted Warehouse", -"Account","Konto" -"Account Balance","Bilans konta" -"Account Created: {0}", -"Account Details","Szczegóły konta" -"Account Head", -"Account Name","Nazwa konta" -"Account Type", -"Account for the warehouse (Perpetual Inventory) will be created under this Account.", -"Account head {0} created", -"Account must be a balance sheet account", -"Account with child nodes cannot be converted to ledger", -"Account with existing transaction can not be converted to group.", -"Account with existing transaction can not be deleted", -"Account with existing transaction cannot be converted to ledger", -"Account {0} cannot be a Group", -"Account {0} does not belong to Company {1}", -"Account {0} does not exist", -"Account {0} has been entered more than once for fiscal year {1}", -"Account {0} is frozen", -"Account {0} is inactive", -"Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item", -"Account: {0} can only be updated via \ - Stock Transactions", -"Accountant","Księgowy" -"Accounting","Księgowość" -"Accounting Entries can be made against leaf nodes, called", -"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.", -"Accounting journal entries.", -"Accounts","Księgowość" -"Accounts Browser", -"Accounts Frozen Upto", -"Accounts Payable", -"Accounts Receivable", -"Accounts Settings", -"Active","Aktywny" -"Active: Will extract emails from ", -"Activity","Aktywność" -"Activity Log","Dziennik aktywności" -"Activity Log:","Dziennik aktywności:" -"Activity Type","Rodzaj aktywności" -"Actual","Właściwy" -"Actual Budget", -"Actual Completion Date", -"Actual Date", -"Actual End Date", -"Actual Invoice Date", -"Actual Posting Date", -"Actual Qty", -"Actual Qty (at source/target)", -"Actual Qty After Transaction", -"Actual Qty: Quantity available in the warehouse.", -"Actual Quantity", -"Actual Start Date", -"Add","Dodaj" -"Add / Edit Taxes and Charges", -"Add Child", -"Add Serial No", -"Add Taxes", -"Add Taxes and Charges","Dodaj podatki i opłaty" -"Add or Deduct", -"Add rows to set annual budgets on Accounts.", -"Add to Cart", -"Add to calendar on this date", -"Add/Remove Recipients", -"Address","Adres" -"Address & Contact","Adres i kontakt" -"Address & Contacts","Adres i kontakty" -"Address Desc","Opis adresu" -"Address Details","Szczegóły adresu" -"Address HTML","Adres HTML" -"Address Line 1", -"Address Line 2", -"Address Title", -"Address Title is mandatory.", -"Address Type", -"Address master.", -"Administrative Expenses", -"Administrative Officer", -"Advance Amount", -"Advance amount", -"Advances", -"Advertisement","Reklama" -"Advertising","Reklamowanie" -"Aerospace", -"After Sale Installations", -"Against", -"Against Account", -"Against Bill {0} dated {1}", -"Against Docname", -"Against Doctype", -"Against Document Detail No", -"Against Document No", -"Against Entries", -"Against Expense Account", -"Against Income Account", -"Against Journal Voucher", -"Against Journal Voucher {0} does not have any unmatched {1} entry", -"Against Purchase Invoice", -"Against Sales Invoice", -"Against Sales Order", -"Against Voucher", -"Against Voucher Type", -"Ageing Based On", -"Ageing Date is mandatory for opening entry", -"Ageing date is mandatory for opening entry", -"Agent", -"Aging Date", -"Aging Date is mandatory for opening entry", -"Agriculture", -"Airline", -"All Addresses.","Wszystkie adresy" -"All Contact", -"All Contacts.","Wszystkie kontakty." -"All Customer Contact", -"All Customer Groups", -"All Day", -"All Employee (Active)", -"All Item Groups", -"All Lead (Open)", -"All Products or Services.","Wszystkie produkty i usługi." -"All Sales Partner Contact", -"All Sales Person", -"All Supplier Contact", -"All Supplier Types", -"All Territories", -"All export related fields like currency, conversion rate, export total, export grand total etc are available in Delivery Note, POS, Quotation, Sales Invoice, Sales Order etc.", -"All import related fields like currency, conversion rate, import total, import grand total etc are available in Purchase Receipt, Supplier Quotation, Purchase Invoice, Purchase Order etc.", -"All items have already been invoiced", -"All items have already been transferred for this Production Order.", -"All these items have already been invoiced", -"Allocate", -"Allocate Amount Automatically", -"Allocate leaves for a period.", -"Allocate leaves for the year.", -"Allocated Amount", -"Allocated Budget", -"Allocated amount", -"Allocated amount can not be negative", -"Allocated amount can not greater than unadusted amount", -"Allow Bill of Materials","Zezwól na zestawienie materiałowe" -"Allow Bill of Materials should be 'Yes'. Because one or many active BOMs present for this item", -"Allow Children", -"Allow Dropbox Access", -"Allow Google Drive Access", -"Allow Negative Balance", -"Allow Negative Stock", -"Allow Production Order", -"Allow User", -"Allow Users", -"Allow the following users to approve Leave Applications for block days.", -"Allow user to edit Price List Rate in transactions", -"Allowance Percent","Dopuszczalny procent" -"Allowance for over-delivery / over-billing crossed for Item {0}", -"Allowed Role to Edit Entries Before Frozen Date", -"Amended From", -"Amount","Wartość" -"Amount (Company Currency)", -"Amount <=", -"Amount >=", -"Amount to Bill", -"An Customer exists with same name", -"An Item Group exists with same name, please change the item name or rename the item group", -"An item exists with same name ({0}), please change the item group name or rename the item", -"Analyst", -"Annual","Roczny" -"Another Period Closing Entry {0} has been made after {1}", -"Another Salary Structure {0} is active for employee {0}. Please make its status 'Inactive' to proceed.", -"Any other comments, noteworthy effort that should go in the records.", -"Apparel & Accessories", -"Applicability", -"Applicable For", -"Applicable Holiday List", -"Applicable Territory", -"Applicable To (Designation)", -"Applicable To (Employee)", -"Applicable To (Role)", -"Applicable To (User)", -"Applicant Name", -"Applicant for a Job.", -"Application of Funds (Assets)", -"Applications for leave.", -"Applies to Company", -"Apply On", -"Appraisal", -"Appraisal Goal", -"Appraisal Goals", -"Appraisal Template", -"Appraisal Template Goal", -"Appraisal Template Title", -"Appraisal {0} created for Employee {1} in the given date range", -"Apprentice", -"Approval Status", -"Approval Status must be 'Approved' or 'Rejected'", -"Approved", -"Approver", -"Approving Role", -"Approving Role cannot be same as role the rule is Applicable To", -"Approving User", -"Approving User cannot be same as user the rule is Applicable To", -"Are you sure you want to STOP ", -"Are you sure you want to UNSTOP ", -"Arrear Amount", -"As Production Order can be made for this item, it must be a stock item.", -"As per Stock UOM", -"As there are existing stock transactions for this item, you can not change the values of 'Has Serial No', 'Is Stock Item' and 'Valuation Method'", -"Asset","Składnik aktywów" -"Assistant","Asystent" -"Associate", -"Atleast one warehouse is mandatory", -"Attach Image","Dołącz obrazek" -"Attach Letterhead", -"Attach Logo", -"Attach Your Picture", -"Attendance", -"Attendance Date", -"Attendance Details", -"Attendance From Date", -"Attendance From Date and Attendance To Date is mandatory", -"Attendance To Date", -"Attendance can not be marked for future dates", -"Attendance for employee {0} is already marked", -"Attendance record.", -"Authorization Control", -"Authorization Rule", -"Auto Accounting For Stock Settings", -"Auto Material Request", -"Auto-raise Material Request if quantity goes below re-order level in a warehouse","Automatycznie twórz Zamówienie Produktu jeśli ilość w magazynie spada poniżej poziomu dla ponownego zamówienia" -"Automatically compose message on submission of transactions.", -"Automatically extract Job Applicants from a mail box ", -"Automatically extract Leads from a mail box e.g.", -"Automatically updated via Stock Entry of type Manufacture/Repack", -"Automotive", -"Autoreply when a new mail is received", -"Available","Dostępny" -"Available Qty at Warehouse","Ilość dostępna w magazynie" -"Available Stock for Packing Items", -"Available in BOM, Delivery Note, Purchase Invoice, Production Order, Purchase Order, Purchase Receipt, Sales Invoice, Sales Order, Stock Entry, Timesheet", -"Average Age", -"Average Commission Rate", -"Average Discount", -"Awesome Products", -"Awesome Services", -"BOM Detail No", -"BOM Explosion Item", -"BOM Item", -"BOM No","Nr zestawienia materiałowego" -"BOM No. for a Finished Good Item", -"BOM Operation", -"BOM Operations", -"BOM Replace Tool", -"BOM number is required for manufactured Item {0} in row {1}", -"BOM number not allowed for non-manufactured Item {0} in row {1}", -"BOM recursion: {0} cannot be parent or child of {2}", -"BOM replaced", -"BOM {0} for Item {1} in row {2} is inactive or not submitted", -"BOM {0} is not active or not submitted", -"BOM {0} is not submitted or inactive BOM for Item {1}", -"Backup Manager", -"Backup Right Now", -"Backups will be uploaded to", -"Balance Qty", -"Balance Sheet", -"Balance Value", -"Balance for Account {0} must always be {1}", -"Balance must be", -"Balances of Accounts of type ""Bank"" or ""Cash""", -"Bank", -"Bank A/C No.", -"Bank Account","Konto bankowe" -"Bank Account No.","Nr konta bankowego" -"Bank Accounts","Konta bankowe" -"Bank Clearance Summary", -"Bank Draft", -"Bank Name","Nazwa banku" -"Bank Overdraft Account", -"Bank Reconciliation", -"Bank Reconciliation Detail", -"Bank Reconciliation Statement", -"Bank Voucher", -"Bank/Cash Balance", -"Banking", -"Barcode","Kod kreskowy" -"Barcode {0} already used in Item {1}", -"Based On","Bazujący na" -"Basic","Podstawowy" -"Basic Info","Informacje podstawowe" -"Basic Information", -"Basic Rate", -"Basic Rate (Company Currency)", -"Batch", -"Batch (lot) of an Item.","Batch (lot) produktu." -"Batch Finished Date","Data zakończenia lotu" -"Batch ID","Identyfikator lotu" -"Batch No","Nr lotu" -"Batch Started Date","Data rozpoczęcia lotu" -"Batch Time Logs for billing.", -"Batch-Wise Balance History", -"Batched for Billing", -"Better Prospects", -"Bill Date", -"Bill No", -"Bill No {0} already booked in Purchase Invoice {1}", -"Bill of Material","Zestawienie materiałowe" -"Bill of Material to be considered for manufacturing", -"Bill of Materials (BOM)","Zestawienie materiałowe (BOM)" -"Billable", -"Billed", -"Billed Amount", -"Billed Amt", -"Billing", -"Billing Address", -"Billing Address Name", -"Billing Status", -"Bills raised by Suppliers.", -"Bills raised to Customers.", -"Bin", -"Bio", -"Biotechnology", -"Birthday","Urodziny" -"Block Date", -"Block Days", -"Block leave applications by department.", -"Blog Post", -"Blog Subscriber", -"Blood Group", -"Both Warehouse must belong to same Company", -"Box", -"Branch", -"Brand","Marka" -"Brand Name","Nazwa marki" -"Brand master.", -"Brands","Marki" -"Breakdown", -"Broadcasting", -"Brokerage", -"Budget","Budżet" -"Budget Allocated", -"Budget Detail", -"Budget Details", -"Budget Distribution", -"Budget Distribution Detail", -"Budget Distribution Details", -"Budget Variance Report", -"Budget cannot be set for Group Cost Centers", -"Build Report", -"Built on", -"Bundle items at time of sale.", -"Business Development Manager", -"Buying","Zakupy" -"Buying & Selling","Zakupy i sprzedaż" -"Buying Amount", -"Buying Settings", -"C-Form", -"C-Form Applicable", -"C-Form Invoice Detail", -"C-Form No", -"C-Form records", -"Calculate Based On", -"Calculate Total Score", -"Calendar Events", -"Call", -"Calls", -"Campaign","Kampania" -"Campaign Name", -"Campaign Name is required", -"Campaign Naming By", -"Campaign-.####", -"Can be approved by {0}", -"Can not filter based on Account, if grouped by Account", -"Can not filter based on Voucher No, if grouped by Voucher", -"Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total'", -"Cancel Material Visit {0} before cancelling this Customer Issue", -"Cancel Material Visits {0} before cancelling this Maintenance Visit", -"Cancelled", -"Cancelling this Stock Reconciliation will nullify its effect.", -"Cannot Cancel Opportunity as Quotation Exists", -"Cannot approve leave as you are not authorized to approve leaves on Block Dates", -"Cannot cancel because Employee {0} is already approved for {1}", -"Cannot cancel because submitted Stock Entry {0} exists", -"Cannot carry forward {0}", -"Cannot change Year Start Date and Year End Date once the Fiscal Year is saved.", -"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.", -"Cannot convert Cost Center to ledger as it has child nodes", -"Cannot covert to Group because Master Type or Account Type is selected.", -"Cannot deactive or cancle BOM as it is linked with other BOMs", -"Cannot declare as lost, because Quotation has been made.", -"Cannot deduct when category is for 'Valuation' or 'Valuation and Total'", -"Cannot delete Serial No {0} in stock. First remove from stock, then delete.", -"Cannot directly set amount. For 'Actual' charge type, use the rate field", -"Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in 'Setup' > 'Global Defaults'", -"Cannot produce more Item {0} than Sales Order quantity {1}", -"Cannot refer row number greater than or equal to current row number for this Charge type", -"Cannot return more than {0} for Item {1}", -"Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row", -"Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for valuation. You can select only 'Total' option for previous row amount or previous row total", -"Cannot set as Lost as Sales Order is made.", -"Cannot set authorization on basis of Discount for {0}", -"Capacity", -"Capacity Units", -"Capital Account", -"Capital Equipments", -"Carry Forward", -"Carry Forwarded Leaves", -"Case No(s) already in use. Try from Case No {0}", -"Case No. cannot be 0", -"Cash","Gotówka" -"Cash In Hand", -"Cash Voucher", -"Cash or Bank Account is mandatory for making payment entry", -"Cash/Bank Account", -"Casual Leave", -"Cell Number", -"Change UOM for an Item.", -"Change the starting / current sequence number of an existing series.", -"Channel Partner", -"Charge of type 'Actual' in row {0} cannot be included in Item Rate", -"Chargeable", -"Charity and Donations", -"Chart Name", -"Chart of Accounts", -"Chart of Cost Centers", -"Check how the newsletter looks in an email by sending it to your email.", -"Check if recurring invoice, uncheck to stop recurring or put proper End Date", -"Check if you need automatic recurring invoices. After submitting any sales invoice, Recurring section will be visible.", -"Check if you want to send salary slip in mail to each employee while submitting salary slip", -"Check this if you want to force the user to select a series before saving. There will be no default if you check this.", -"Check this if you want to show in website", -"Check this to disallow fractions. (for Nos)", -"Check this to pull emails from your mailbox", -"Check to activate", -"Check to make Shipping Address", -"Check to make primary address", -"Chemical", -"Cheque", -"Cheque Date", -"Cheque Number", -"Child account exists for this account. You can not delete this account.", -"City","Miasto" -"City/Town","Miasto/Miejscowość" -"Claim Amount", -"Claims for company expense.", -"Class / Percentage", -"Classic","Klasyczny" -"Clear Table", -"Clearance Date", -"Clearance Date not mentioned", -"Clearance date cannot be before check date in row {0}", -"Click on 'Make Sales Invoice' button to create a new Sales Invoice.", -"Click on a link to get options to expand get options ", -"Client", -"Close Balance Sheet and book Profit or Loss.", -"Closed", -"Closing Account Head", -"Closing Account {0} must be of type 'Liability'", -"Closing Date", -"Closing Fiscal Year", -"Closing Qty", -"Closing Value", -"CoA Help", -"Code","Kod" -"Cold Calling", -"Color","Kolor" -"Comma separated list of email addresses", -"Comments","Komentarze" -"Commercial", -"Commission","Prowizja" -"Commission Rate", -"Commission Rate (%)", -"Commission on Sales", -"Commission rate cannot be greater than 100", -"Communication","Komunikacja" -"Communication HTML", -"Communication History","Historia komunikacji" -"Communication log.", -"Communications", -"Company","Firma" -"Company (not Customer or Supplier) master.", -"Company Abbreviation","Nazwa skrótowa firmy" -"Company Details","Szczegóły firmy" -"Company Email","Email do firmy" -"Company Email ID not found, hence mail not sent", -"Company Info","Informacje o firmie" -"Company Name","Nazwa firmy" -"Company Settings","Ustawienia firmy" -"Company is missing in warehouses {0}", -"Company is required", -"Company registration numbers for your reference. Example: VAT Registration Numbers etc.", -"Company registration numbers for your reference. Tax numbers etc.", -"Company, Month and Fiscal Year is mandatory", -"Compensatory Off", -"Complete", -"Complete Setup", -"Completed", -"Completed Production Orders", -"Completed Qty", -"Completion Date", -"Completion Status", -"Computer","Komputer" -"Computers","Komputery" -"Confirmation Date","Data potwierdzenia" -"Confirmed orders from Customers.", -"Consider Tax or Charge for", -"Considered as Opening Balance", -"Considered as an Opening Balance", -"Consultant","Konsultant" -"Consulting","Konsulting" -"Consumable", -"Consumable Cost", -"Consumable cost per hour", -"Consumed Qty", -"Consumer Products", -"Contact","Kontakt" -"Contact Control", -"Contact Desc", -"Contact Details", -"Contact Email", -"Contact HTML", -"Contact Info","Dane kontaktowe" -"Contact Mobile No", -"Contact Name","Nazwa kontaktu" -"Contact No.", -"Contact Person", -"Contact Type", -"Contact master.", -"Contacts","Kontakty" -"Content","Zawartość" -"Content Type", -"Contra Voucher", -"Contract","Kontrakt" -"Contract End Date", -"Contract End Date must be greater than Date of Joining", -"Contribution (%)", -"Contribution to Net Total", -"Conversion Factor", -"Conversion Factor is required", -"Conversion factor cannot be in fractions", -"Conversion factor for default Unit of Measure must be 1 in row {0}", -"Conversion rate cannot be 0 or 1", -"Convert into Recurring Invoice", -"Convert to Group", -"Convert to Ledger", -"Converted", -"Copy From Item Group", -"Cosmetics", -"Cost Center", -"Cost Center Details", -"Cost Center Name", -"Cost Center is mandatory for Item {0}", -"Cost Center is required for 'Profit and Loss' account {0}", -"Cost Center is required in row {0} in Taxes table for type {1}", -"Cost Center with existing transactions can not be converted to group", -"Cost Center with existing transactions can not be converted to ledger", -"Cost Center {0} does not belong to Company {1}", -"Cost of Goods Sold", -"Costing","Zestawienie kosztów" -"Country","Kraj" -"Country Name","Nazwa kraju" -"Country, Timezone and Currency", -"Create Bank Voucher for the total salary paid for the above selected criteria", -"Create Customer", -"Create Material Requests", -"Create New", -"Create Opportunity", -"Create Production Orders", -"Create Quotation", -"Create Receiver List", -"Create Salary Slip", -"Create Stock Ledger Entries when you submit a Sales Invoice", -"Create and manage daily, weekly and monthly email digests.", -"Create rules to restrict transactions based on values.", -"Created By", -"Creates salary slip for above mentioned criteria.", -"Creation Date","Data stworzenia" -"Creation Document No", -"Creation Document Type", -"Creation Time","Czas stworzenia" -"Credentials", -"Credit", -"Credit Amt", -"Credit Card", -"Credit Card Voucher", -"Credit Controller", -"Credit Days", -"Credit Limit", -"Credit Note", -"Credit To", -"Currency", -"Currency Exchange", -"Currency Name", -"Currency Settings", -"Currency and Price List","Waluta i cennik" -"Currency exchange rate master.", -"Current Address", -"Current Address Is", -"Current Assets", -"Current BOM", -"Current BOM and New BOM can not be same", -"Current Fiscal Year", -"Current Liabilities", -"Current Stock", -"Current Stock UOM", -"Current Value", -"Custom", -"Custom Autoreply Message", -"Custom Message", -"Customer","Klient" -"Customer (Receivable) Account", -"Customer / Item Name", -"Customer / Lead Address", -"Customer / Lead Name", -"Customer Account Head", -"Customer Acquisition and Loyalty", -"Customer Address","Adres klienta" -"Customer Addresses And Contacts", -"Customer Code", -"Customer Codes", -"Customer Details", -"Customer Feedback", -"Customer Group", -"Customer Group / Customer", -"Customer Group Name", -"Customer Intro", -"Customer Issue", -"Customer Issue against Serial No.", -"Customer Name","Nazwa klienta" -"Customer Naming By", -"Customer Service", -"Customer database.","Baza danych klientów." -"Customer is required", -"Customer master.", -"Customer required for 'Customerwise Discount'", -"Customer {0} does not belong to project {1}", -"Customer {0} does not exist", -"Customer's Item Code", -"Customer's Purchase Order Date", -"Customer's Purchase Order No", -"Customer's Purchase Order Number", -"Customer's Vendor", -"Customers Not Buying Since Long Time", -"Customerwise Discount", -"Customize", -"Customize the Notification", -"Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.", -"DN Detail", -"Daily", -"Daily Time Log Summary", -"Database Folder ID", -"Database of potential customers.","Baza danych potencjalnych klientów." -"Date","Data" -"Date Format","Format daty" -"Date Of Retirement", -"Date Of Retirement must be greater than Date of Joining", -"Date is repeated", -"Date of Birth", -"Date of Issue", -"Date of Joining", -"Date of Joining must be greater than Date of Birth", -"Date on which lorry started from supplier warehouse", -"Date on which lorry started from your warehouse", -"Dates", -"Days Since Last Order", -"Days for which Holidays are blocked for this department.", -"Dealer", -"Debit", -"Debit Amt", -"Debit Note", -"Debit To", -"Debit and Credit not equal for this voucher. Difference is {0}.", -"Deduct", -"Deduction", -"Deduction Type", -"Deduction1", -"Deductions", -"Default", -"Default Account", -"Default BOM", -"Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.", -"Default Bank Account", -"Default Buying Cost Center", -"Default Buying Price List", -"Default Cash Account", -"Default Company", -"Default Cost Center for tracking expense for this item.", -"Default Currency","Domyślna waluta" -"Default Customer Group", -"Default Expense Account", -"Default Income Account", -"Default Item Group", -"Default Price List", -"Default Purchase Account in which cost of the item will be debited.", -"Default Selling Cost Center", -"Default Settings", -"Default Source Warehouse","Domyślny źródłowy magazyn" -"Default Stock UOM", -"Default Supplier","Domyślny dostawca" -"Default Supplier Type", -"Default Target Warehouse","Domyślny magazyn docelowy" -"Default Territory", -"Default Unit of Measure","Domyślna jednostka miary" -"Default Unit of Measure can not be changed directly because you have already made some transaction(s) with another UOM. To change default UOM, use 'UOM Replace Utility' tool under Stock module.", -"Default Valuation Method", -"Default Warehouse","Domyślny magazyn" -"Default Warehouse is mandatory for stock Item.", -"Default settings for accounting transactions.", -"Default settings for buying transactions.", -"Default settings for selling transactions.", -"Default settings for stock transactions.", -"Defense", -"Define Budget for this Cost Center. To set budget action, see Company Master","Setup" -"Delete","Usuń" -"Delete {0} {1}?", -"Delivered", -"Delivered Items To Be Billed", -"Delivered Qty", -"Delivered Serial No {0} cannot be deleted", -"Delivery Date","Data dostawy" -"Delivery Details","Szczegóły dostawy" -"Delivery Document No","Nr dokumentu dostawy" -"Delivery Document Type","Typ dokumentu dostawy" -"Delivery Note","Dowód dostawy" -"Delivery Note Item", -"Delivery Note Items", -"Delivery Note Message", -"Delivery Note No","Nr dowodu dostawy" -"Delivery Note Required", -"Delivery Note Trends", -"Delivery Note {0} is not submitted", -"Delivery Note {0} must not be submitted", -"Delivery Notes {0} must be cancelled before cancelling this Sales Order", -"Delivery Status","Status dostawy" -"Delivery Time","Czas dostawy" -"Delivery To","Dostawa do" -"Department", -"Department Stores", -"Depends on LWP", -"Depreciation", -"Description","Opis" -"Description HTML","Opis HTML" -"Designation", -"Designer", -"Detailed Breakup of the totals", -"Details", -"Difference (Dr - Cr)", -"Difference Account", -"Difference Account must be a 'Liability' type account, since this Stock Reconciliation is an Opening Entry", -"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.", -"Direct Expenses", -"Direct Income", -"Disable", -"Disable Rounded Total", -"Disabled","Nieaktywny" -"Discount %","Rabat %" -"Discount %","Rabat %" -"Discount (%)","Rabat (%)" -"Discount Amount","Wartość rabatu" -"Discount Fields will be available in Purchase Order, Purchase Receipt, Purchase Invoice", -"Discount Percentage","Procent rabatu" -"Discount must be less than 100", -"Discount(%)","Rabat (%)" -"Dispatch", -"Display all the individual items delivered with the main items", -"Distribute transport overhead across items.", -"Distribution", -"Distribution Id", -"Distribution Name", -"Distributor","Dystrybutor" -"Divorced", -"Do Not Contact", -"Do not show any symbol like $ etc next to currencies.", -"Do really want to unstop production order: ", -"Do you really want to STOP ", -"Do you really want to STOP this Material Request?", -"Do you really want to Submit all Salary Slip for month {0} and year {1}", -"Do you really want to UNSTOP ", -"Do you really want to UNSTOP this Material Request?", -"Do you really want to stop production order: ", -"Doc Name", -"Doc Type", -"Document Description", -"Document Type", -"Documents","Dokumenty" -"Domain","Domena" -"Don't send Employee Birthday Reminders", -"Download Materials Required", -"Download Reconcilation Data", -"Download Template", -"Download a report containing all raw materials with their latest inventory status", -"Download the Template, fill appropriate data and attach the modified file.", -"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", -"Draft","Szkic" -"Dropbox", -"Dropbox Access Allowed", -"Dropbox Access Key", -"Dropbox Access Secret", -"Due Date", -"Due Date cannot be after {0}", -"Due Date cannot be before Posting Date", -"Duplicate Entry. Please check Authorization Rule {0}", -"Duplicate Serial No entered for Item {0}", -"Duplicate entry", -"Duplicate row {0} with same {1}", -"Duties and Taxes", -"ERPNext Setup", -"Earliest", -"Earnest Money", -"Earning", -"Earning & Deduction", -"Earning Type", -"Earning1", -"Edit","Edytuj" -"Education", -"Educational Qualification", -"Educational Qualification Details", -"Eg. smsgateway.com/api/send_sms.cgi", -"Either debit or credit amount is required for {0}", -"Either target qty or target amount is mandatory", -"Either target qty or target amount is mandatory.", -"Electrical", -"Electricity Cost","Koszt energii elekrycznej" -"Electricity cost per hour","Koszt energii elektrycznej na godzinę" -"Electronics", -"Email", -"Email Digest", -"Email Digest Settings", -"Email Digest: ", -"Email Id", -"Email Id where a job applicant will email e.g. ""jobs@example.com""", -"Email Notifications", -"Email Sent?", -"Email id must be unique, already exists for {0}", -"Email ids separated by commas.", -"Email settings to extract Leads from sales email id e.g. ""sales@example.com""", -"Emergency Contact", -"Emergency Contact Details", -"Emergency Phone", -"Employee","Pracownik" -"Employee Birthday","Data urodzenia pracownika" -"Employee Details", -"Employee Education","Wykształcenie pracownika" -"Employee External Work History", -"Employee Information", -"Employee Internal Work History", -"Employee Internal Work Historys", -"Employee Leave Approver", -"Employee Leave Balance", -"Employee Name", -"Employee Number", -"Employee Records to be created by", -"Employee Settings", -"Employee Type", -"Employee designation (e.g. CEO, Director etc.).", -"Employee master.", -"Employee record is created using selected field. ", -"Employee records.", -"Employee relieved on {0} must be set as 'Left'", -"Employee {0} has already applied for {1} between {2} and {3}", -"Employee {0} is not active or does not exist", -"Employee {0} was on leave on {1}. Cannot mark attendance.", -"Employees Email Id", -"Employment Details", -"Employment Type", -"Enable / disable currencies.", -"Enabled","Włączony" -"Encashment Date", -"End Date", -"End Date can not be less than Start Date", -"End date of current invoice's period", -"End of Life","Zakończenie okresu eksploatacji" -"Energy","Energia" -"Engineer","Inżynier" -"Enter Verification Code", -"Enter campaign name if the source of lead is campaign.", -"Enter department to which this Contact belongs", -"Enter designation of this Contact", -"Enter email id separated by commas, invoice will be mailed automatically on particular date", -"Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.", -"Enter name of campaign if source of enquiry is campaign", -"Enter static url parameters here (Eg. sender=ERPNext, username=ERPNext, password=1234 etc.)", -"Enter the company name under which Account Head will be created for this Supplier", -"Enter url parameter for message", -"Enter url parameter for receiver nos", -"Entertainment & Leisure", -"Entertainment Expenses", -"Entries", -"Entries against", -"Entries are not allowed against this Fiscal Year if the year is closed.", -"Entries before {0} are frozen", -"Equity", -"Error: {0} > {1}", -"Estimated Material Cost", -"Everyone can read", -"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.", -"Exchange Rate", -"Excise Page Number", -"Excise Voucher", -"Execution", -"Executive Search", -"Exemption Limit", -"Exhibition", -"Existing Customer", -"Exit","Wyjście" -"Exit Interview Details", -"Expected","Przewidywany" -"Expected Completion Date can not be less than Project Start Date", -"Expected Date cannot be before Material Request Date", -"Expected Delivery Date", -"Expected Delivery Date cannot be before Purchase Order Date", -"Expected Delivery Date cannot be before Sales Order Date", -"Expected End Date", -"Expected Start Date", -"Expense", -"Expense Account", -"Expense Account is mandatory", -"Expense Claim", -"Expense Claim Approved", -"Expense Claim Approved Message", -"Expense Claim Detail", -"Expense Claim Details", -"Expense Claim Rejected", -"Expense Claim Rejected Message", -"Expense Claim Type", -"Expense Claim has been approved.", -"Expense Claim has been rejected.", -"Expense Claim is pending approval. Only the Expense Approver can update status.", -"Expense Date", -"Expense Details", -"Expense Head", -"Expense account is mandatory for item {0}", -"Expense or Difference account is mandatory for Item {0} as it impacts overall stock value", -"Expenses","Wydatki" -"Expenses Booked", -"Expenses Included In Valuation", -"Expenses booked for the digest period", -"Expiry Date","Data ważności" -"Exports", -"External", -"Extract Emails", -"FCFS Rate", -"Failed: ", -"Family Background", -"Fax","Faks" -"Features Setup", -"Feed", -"Feed Type", -"Feedback", -"Female", -"Fetch exploded BOM (including sub-assemblies)", -"Field available in Delivery Note, Quotation, Sales Invoice, Sales Order", -"Files Folder ID", -"Fill the form and save it", -"Filter based on customer", -"Filter based on item", -"Financial / accounting year.", -"Financial Analytics", -"Financial Services", -"Financial Year End Date", -"Financial Year Start Date", -"Finished Goods", -"First Name", -"First Responded On", -"Fiscal Year","Rok obrotowy" -"Fixed Asset", -"Fixed Assets", -"Follow via Email", -"Following table will show values if items are sub - contracted. These values will be fetched from the master of ""Bill of Materials"" of sub - contracted items.", -"Food","Żywność" -"Food, Beverage & Tobacco", -"For Company","Dla firmy" -"For Employee","Dla pracownika" -"For Employee Name", -"For Price List", -"For Production", -"For Reference Only.","Wyłącznie w celach informacyjnych." -"For Sales Invoice", -"For Server Side Print Formats", -"For Supplier","Dla dostawcy" -"For Warehouse","Dla magazynu" -"For Warehouse is required before Submit", -"For e.g. 2012, 2012-13", -"For reference", -"For reference only.", -"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes", -"Fraction", -"Fraction Units", -"Freeze Stock Entries", -"Freeze Stocks Older Than [Days]", -"Freight and Forwarding Charges", -"Friday","Piątek" -"From","Od" -"From Bill of Materials","Z zestawienia materiałowego" -"From Company", -"From Currency", -"From Currency and To Currency cannot be same", -"From Customer", -"From Customer Issue", -"From Date", -"From Date must be before To Date", -"From Delivery Note", -"From Employee", -"From Lead", -"From Maintenance Schedule", -"From Material Request", -"From Opportunity", -"From Package No.", -"From Purchase Order", -"From Purchase Receipt", -"From Quotation", -"From Sales Order", -"From Supplier Quotation", -"From Time", -"From Value", -"From and To dates required", -"From value must be less than to value in row {0}", -"Frozen", -"Frozen Accounts Modifier", -"Fulfilled", -"Full Name", -"Full-time", -"Fully Completed", -"Furniture and Fixture", -"Further accounts can be made under Groups but entries can be made against Ledger", -"Further accounts can be made under Groups, but entries can be made against Ledger", -"Further nodes can be only created under 'Group' type nodes", -"GL Entry", -"Gantt Chart", -"Gantt chart of all tasks.", -"Gender", -"General", -"General Ledger", -"Generate Description HTML","Generuj opis HTML" -"Generate Material Requests (MRP) and Production Orders.", -"Generate Salary Slips", -"Generate Schedule", -"Generates HTML to include selected image in the description","Generuje HTML zawierający wybrany obrazek w opisie" -"Get Advances Paid", -"Get Advances Received", -"Get Against Entries", -"Get Current Stock","Pobierz aktualny stan magazynowy" -"Get Items","Pobierz produkty" -"Get Items From Sales Orders", -"Get Items from BOM","Weź produkty z zestawienia materiałowego" -"Get Last Purchase Rate", -"Get Outstanding Invoices", -"Get Relevant Entries", -"Get Sales Orders", -"Get Specification Details","Pobierz szczegóły specyfikacji" -"Get Stock and Rate","Pobierz stan magazynowy i stawkę" -"Get Template", -"Get Terms and Conditions", -"Get Weekly Off Dates", -"Get valuation rate and available stock at source/target warehouse on mentioned posting date-time. If serialized item, please press this button after entering serial nos.", -"Global Defaults", -"Global POS Setting {0} already created for company {1}", -"Global Settings", -"Go to the appropriate group (usually Application of Funds > Current Assets > Bank Accounts and create a new Account Ledger (by clicking on Add Child) of type ""Bank""", -"Go to the appropriate group (usually Source of Funds > Current Liabilities > Taxes and Duties and create a new Account Ledger (by clicking on Add Child) of type ""Tax"" and do mention the Tax rate.", -"Goal", -"Goals", -"Goods received from Suppliers.","Produkty otrzymane od dostawców." -"Google Drive", -"Google Drive Access Allowed", -"Government", -"Graduate", -"Grand Total", -"Grand Total (Company Currency)", -"Grid """, -"Grocery", -"Gross Margin %", -"Gross Margin Value", -"Gross Pay", -"Gross Pay + Arrear Amount +Encashment Amount - Total Deduction", -"Gross Profit", -"Gross Profit (%)", -"Gross Weight", -"Gross Weight UOM", -"Group","Grupa" -"Group by Account", -"Group by Voucher", -"Group or Ledger", -"Groups","Grupy" -"HR Manager", -"HR Settings", -"HTML / Banner that will show on the top of product list.", -"Half Day", -"Half Yearly", -"Half-yearly", -"Happy Birthday!", -"Hardware", -"Has Batch No","Posada numer lotu (batch'u)" -"Has Child Node", -"Has Serial No","Posiada numer seryjny" -"Head of Marketing and Sales", -"Header","Nagłówek" -"Health Care","Opieka zdrowotna" -"Health Concerns", -"Health Details", -"Held On", -"Help HTML", -"Help: To link to another record in the system, use ""#Form/Note/[Note Name]"" as the Link URL. (don't use ""http://"")", -"Here you can maintain family details like name and occupation of parent, spouse and children", -"Here you can maintain height, weight, allergies, medical concerns etc", -"Hide Currency Symbol", -"High","Wysoki" -"History In Company", -"Hold", -"Holiday", -"Holiday List", -"Holiday List Name", -"Holiday master.", -"Holidays", -"Home", -"Host", -"Host, Email and Password required if emails are to be pulled", -"Hour","Godzina" -"Hour Rate","Stawka godzinowa" -"Hour Rate Labour", -"Hours","Godziny" -"How frequently?","Jak często?" -"How should this currency be formatted? If not set, will use system defaults", -"Human Resources","Kadry" -"Identification of the package for the delivery (for print)", -"If Income or Expense", -"If Monthly Budget Exceeded", -"If Sale BOM is defined, the actual BOM of the Pack is displayed as table. Available in Delivery Note and Sales Order", -"If Supplier Part Number exists for given Item, it gets stored here", -"If Yearly Budget Exceeded", -"If checked, BOM for sub-assembly items will be considered for getting raw materials. Otherwise, all sub-assembly items will be treated as a raw material.", -"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day", -"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount", -"If different than customer address", -"If disable, 'Rounded Total' field will not be visible in any transaction", -"If enabled, the system will post accounting entries for inventory automatically.", -"If more than one package of the same type (for print)", -"If no change in either Quantity or Valuation Rate, leave the cell blank.", -"If not applicable please enter: NA", -"If not checked, the list will have to be added to each Department where it has to be applied.", -"If specified, send the newsletter using this email address", -"If the account is frozen, entries are allowed to restricted users.", -"If this Account represents a Customer, Supplier or Employee, set it here.", -"If you follow Quality Inspection. Enables Item QA Required and QA No in Purchase Receipt", -"If you have Sales Team and Sale Partners (Channel Partners) they can be tagged and maintain their contribution in the sales activity", -"If you have created a standard template in Purchase Taxes and Charges Master, select one and click on the button below.", -"If you have created a standard template in Sales Taxes and Charges Master, select one and click on the button below.", -"If you have long print formats, this feature can be used to split the page to be printed on multiple pages with all headers and footers on each page", -"If you involve in manufacturing activity. Enables Item 'Is Manufactured'", -"Ignore", -"Ignored: ", -"Image","Obrazek" -"Image View", -"Implementation Partner", -"Import Attendance", -"Import Failed!", -"Import Log", -"Import Successful!", -"Imports", -"In Hours", -"In Process", -"In Qty", -"In Value", -"In Words","Słownie" -"In Words (Company Currency)", -"In Words (Export) will be visible once you save the Delivery Note.", -"In Words will be visible once you save the Delivery Note.", -"In Words will be visible once you save the Purchase Invoice.", -"In Words will be visible once you save the Purchase Order.", -"In Words will be visible once you save the Purchase Receipt.", -"In Words will be visible once you save the Quotation.", -"In Words will be visible once you save the Sales Invoice.", -"In Words will be visible once you save the Sales Order.", -"Incentives", -"Include Reconciled Entries", -"Include holidays in Total no. of Working Days", -"Income", -"Income / Expense", -"Income Account", -"Income Booked", -"Income Tax", -"Income Year to Date", -"Income booked for the digest period", -"Incoming", -"Incoming Rate", -"Incoming quality inspection.", -"Incorrect or Inactive BOM {0} for Item {1} at row {2}", -"Indicates that the package is a part of this delivery", -"Indirect Expenses", -"Indirect Income", -"Individual", -"Industry", -"Industry Type", -"Inspected By","Skontrolowane przez" -"Inspection Criteria","Kryteria kontrolne" -"Inspection Required","Wymagana kontrola" -"Inspection Type","Typ kontroli" -"Installation Date", -"Installation Note", -"Installation Note Item", -"Installation Note {0} has already been submitted", -"Installation Status", -"Installation Time", -"Installation date cannot be before delivery date for Item {0}", -"Installation record for a Serial No.", -"Installed Qty", -"Instructions","Instrukcje" -"Integrate incoming support emails to Support Ticket", -"Interested", -"Intern", -"Internal", -"Internet Publishing", -"Introduction", -"Invalid Barcode or Serial No", -"Invalid Mail Server. Please rectify and try again.", -"Invalid Master Name", -"Invalid User Name or Support Password. Please rectify and try again.", -"Invalid quantity specified for item {0}. Quantity should be greater than 0.", -"Inventory","Inwentarz" -"Inventory & Support", -"Investment Banking", -"Investments", -"Invoice Date", -"Invoice Details", -"Invoice No", -"Invoice Period From Date", -"Invoice Period From and Invoice Period To dates mandatory for recurring invoice", -"Invoice Period To Date", -"Invoiced Amount (Exculsive Tax)", -"Is Active","Jest aktywny" -"Is Advance", -"Is Cancelled", -"Is Carry Forward", -"Is Default","Jest domyślny" -"Is Encash", -"Is Fixed Asset Item","Jest stałą pozycją aktywów" -"Is LWP", -"Is Opening", -"Is Opening Entry", -"Is POS", -"Is Primary Contact", -"Is Purchase Item","Jest produktem kupowalnym" -"Is Sales Item","Jest produktem sprzedawalnym" -"Is Service Item","Jest usługą" -"Is Stock Item","Jest produktem w magazynie" -"Is Sub Contracted Item","Produkcja jest zlecona innemu podmiotowi" -"Is Subcontracted", -"Is this Tax included in Basic Rate?", -"Issue", -"Issue Date", -"Issue Details", -"Issued Items Against Production Order", -"It can also be used to create opening stock entries and to fix stock value.", -"Item","Produkt" -"Item Advanced", -"Item Barcode","Kod kreskowy produktu" -"Item Batch Nos", -"Item Code","Kod produktu" -"Item Code and Warehouse should already exist.", -"Item Code cannot be changed for Serial No.", -"Item Code is mandatory because Item is not automatically numbered", -"Item Code required at Row No {0}", -"Item Customer Detail", -"Item Description","Opis produktu" -"Item Desription","Opis produktu" -"Item Details","Szczegóły produktu" -"Item Group","Grupa produktów" -"Item Group Name", -"Item Group Tree","Drzewo grup produktów" -"Item Groups in Details", -"Item Image (if not slideshow)", -"Item Name","Nazwa produktu" -"Item Naming By", -"Item Price","Cena produktu" -"Item Prices","Ceny produktu" -"Item Quality Inspection Parameter", -"Item Reorder", -"Item Serial No","Nr seryjny produktu" -"Item Serial Nos", -"Item Shortage Report", -"Item Supplier","Dostawca produktu" -"Item Supplier Details","Szczegóły dostawcy produktu" -"Item Tax","Podatek dla produktu" -"Item Tax Amount","Wysokość podatku dla produktu" -"Item Tax Rate","Stawka podatku dla produktu" -"Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable", -"Item Tax1", -"Item To Manufacture","Produkt do wyprodukowania" -"Item UOM","Jednostka miary produktu" -"Item Website Specification", -"Item Website Specifications", -"Item Wise Tax Detail", -"Item Wise Tax Detail ", -"Item is required", -"Item is updated", -"Item master.", -"Item must be a purchase item, as it is present in one or many Active BOMs", -"Item or Warehouse for row {0} does not match Material Request", -"Item table can not be blank", -"Item to be manufactured or repacked","Produkt, który ma zostać wyprodukowany lub przepakowany" -"Item valuation updated", -"Item will be saved by this name in the data base.","Produkt zostanie zapisany pod tą nazwą w bazie danych." -"Item {0} appears multiple times in Price List {1}", -"Item {0} does not exist", -"Item {0} does not exist in the system or has expired", -"Item {0} does not exist in {1} {2}", -"Item {0} has already been returned", -"Item {0} has been entered multiple times against same operation", -"Item {0} has been entered multiple times with same description or date", -"Item {0} has been entered multiple times with same description or date or warehouse", -"Item {0} has been entered twice", -"Item {0} has reached its end of life on {1}", -"Item {0} ignored since it is not a stock item", -"Item {0} is cancelled", -"Item {0} is not Purchase Item", -"Item {0} is not a serialized Item", -"Item {0} is not a stock Item", -"Item {0} is not active or end of life has been reached", -"Item {0} is not setup for Serial Nos. Check Item master", -"Item {0} is not setup for Serial Nos. Column must be blank", -"Item {0} must be Sales Item", -"Item {0} must be Sales or Service Item in {1}", -"Item {0} must be Service Item", -"Item {0} must be a Purchase Item", -"Item {0} must be a Sales Item", -"Item {0} must be a Service Item.", -"Item {0} must be a Sub-contracted Item", -"Item {0} must be a stock Item", -"Item {0} must be manufactured or sub-contracted", -"Item {0} not found", -"Item {0} with Serial No {1} is already installed", -"Item {0} with same description entered twice", -"Item, Warranty, AMC (Annual Maintenance Contract) details will be automatically fetched when Serial Number is selected.", -"Item-wise Price List Rate", -"Item-wise Purchase History", -"Item-wise Purchase Register", -"Item-wise Sales History", -"Item-wise Sales Register", -"Item: {0} managed batch-wise, can not be reconciled using \ - Stock Reconciliation, instead use Stock Entry", -"Item: {0} not found in the system", -"Items","Produkty" -"Items To Be Requested", -"Items required", -"Items to be requested which are ""Out of Stock"" considering all warehouses based on projected qty and minimum order qty", -"Items which do not exist in Item master can also be entered on customer's request", -"Itemwise Discount", -"Itemwise Recommended Reorder Level", -"Job Applicant", -"Job Opening", -"Job Profile", -"Job Title", -"Job profile, qualifications required etc.", -"Jobs Email Settings", -"Journal Entries", -"Journal Entry", -"Journal Voucher", -"Journal Voucher Detail", -"Journal Voucher Detail No", -"Journal Voucher {0} does not have account {1} or already matched", -"Journal Vouchers {0} are un-linked", -"Keep a track of communication related to this enquiry which will help for future reference.", -"Keep it web friendly 900px (w) by 100px (h)", -"Key Performance Area", -"Key Responsibility Area", -"Kg", -"LR Date", -"LR No","Nr ciężarówki" -"Label", -"Landed Cost Item", -"Landed Cost Items", -"Landed Cost Purchase Receipt", -"Landed Cost Purchase Receipts", -"Landed Cost Wizard", -"Landed Cost updated successfully", -"Language", -"Last Name", -"Last Purchase Rate", -"Latest", -"Lead", -"Lead Details", -"Lead Id", -"Lead Name", -"Lead Owner", -"Lead Source", -"Lead Status", -"Lead Time Date","Termin realizacji" -"Lead Time Days","Czas realizacji (dni)" -"Lead Time days is number of days by which this item is expected in your warehouse. This days is fetched in Material Request when you select this item.", -"Lead Type", -"Lead must be set if Opportunity is made from Lead", -"Leave Allocation", -"Leave Allocation Tool", -"Leave Application", -"Leave Approver", -"Leave Approvers", -"Leave Balance Before Application", -"Leave Block List", -"Leave Block List Allow", -"Leave Block List Allowed", -"Leave Block List Date", -"Leave Block List Dates", -"Leave Block List Name", -"Leave Blocked", -"Leave Control Panel", -"Leave Encashed?", -"Leave Encashment Amount", -"Leave Type", -"Leave Type Name", -"Leave Without Pay", -"Leave application has been approved.", -"Leave application has been rejected.", -"Leave approver must be one of {0}", -"Leave blank if considered for all branches", -"Leave blank if considered for all departments", -"Leave blank if considered for all designations", -"Leave blank if considered for all employee types", -"Leave can be approved by users with Role, ""Leave Approver""", -"Leave of type {0} cannot be longer than {1}", -"Leaves Allocated Successfully for {0}", -"Leaves for type {0} already allocated for Employee {1} for Fiscal Year {0}", -"Leaves must be allocated in multiples of 0.5", -"Ledger", -"Ledgers", -"Left", -"Legal", -"Legal Expenses", -"Letter Head", -"Letter Heads for print templates.", -"Level", -"Lft", -"Liability", -"List a few of your customers. They could be organizations or individuals.", -"List a few of your suppliers. They could be organizations or individuals.", -"List items that form the package.", -"List this Item in multiple groups on the website.", -"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 your tax heads (e.g. VAT, Excise; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.", -"Loading...", -"Loans (Liabilities)", -"Loans and Advances (Assets)", -"Local", -"Login with your new User ID", -"Logo", -"Logo and Letter Heads", -"Lost", -"Lost Reason", -"Low", -"Lower Income", -"MTN Details", -"Main","Główny" -"Main Reports","Raporty główne" -"Maintain Same Rate Throughout Sales Cycle", -"Maintain same rate throughout purchase cycle", -"Maintenance", -"Maintenance Date", -"Maintenance Details", -"Maintenance Schedule", -"Maintenance Schedule Detail", -"Maintenance Schedule Item", -"Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule'", -"Maintenance Schedule {0} exists against {0}", -"Maintenance Schedule {0} must be cancelled before cancelling this Sales Order", -"Maintenance Schedules", -"Maintenance Status", -"Maintenance Time", -"Maintenance Type", -"Maintenance Visit", -"Maintenance Visit Purpose", -"Maintenance Visit {0} must be cancelled before cancelling this Sales Order", -"Maintenance start date can not be before delivery date for Serial No {0}", -"Major/Optional Subjects", -"Make ","Stwórz" -"Make Accounting Entry For Every Stock Movement", -"Make Bank Voucher", -"Make Credit Note", -"Make Debit Note", -"Make Delivery", -"Make Difference Entry", -"Make Excise Invoice", -"Make Installation Note", -"Make Invoice", -"Make Maint. Schedule", -"Make Maint. Visit", -"Make Maintenance Visit", -"Make Packing Slip", -"Make Payment Entry", -"Make Purchase Invoice", -"Make Purchase Order", -"Make Purchase Receipt", -"Make Salary Slip", -"Make Salary Structure", -"Make Sales Invoice", -"Make Sales Order", -"Make Supplier Quotation", -"Male", -"Manage Customer Group Tree.", -"Manage Sales Person Tree.", -"Manage Territory Tree.", -"Manage cost of operations","Zarządzaj kosztami działań" -"Management", -"Manager", -"Mandatory if Stock Item is ""Yes"". Also the default warehouse where reserved quantity is set from Sales Order.","Wymagane jeśli jest produktem w magazynie. Również z domyślnego magazynu rezerwowana jest wymagana ilość przy Zleceniu Sprzedaży." -"Manufacture against Sales Order", -"Manufacture/Repack","Produkcja/Przepakowanie" -"Manufactured Qty", -"Manufactured quantity will be updated in this warehouse", -"Manufactured quantity {0} cannot be greater than planned quanitity {1} in Production Order {2}", -"Manufacturer","Producent" -"Manufacturer Part Number","Numer katalogowy producenta" -"Manufacturing","Produkcja" -"Manufacturing Quantity","Ilość produkcji" -"Manufacturing Quantity is mandatory", -"Margin", -"Marital Status", -"Market Segment", -"Marketing", -"Marketing Expenses", -"Married", -"Mass Mailing", -"Master Name", -"Master Name is mandatory if account type is Warehouse", -"Master Type", -"Masters", -"Match non-linked Invoices and Payments.", -"Material Issue","Wydanie materiałów" -"Material Receipt","Przyjęcie materiałów" -"Material Request","Zamówienie produktu" -"Material Request Detail No", -"Material Request For Warehouse", -"Material Request Item", -"Material Request Items", -"Material Request No", -"Material Request Type","Typ zamówienia produktu" -"Material Request of maximum {0} can be made for Item {1} against Sales Order {2}", -"Material Request used to make this Stock Entry", -"Material Request {0} is cancelled or stopped", -"Material Requests for which Supplier Quotations are not created", -"Material Requests {0} created", -"Material Requirement", -"Material Transfer","Transfer materiałów" -"Materials","Materiały" -"Materials Required (Exploded)", -"Max 5 characters", -"Max Days Leave Allowed", -"Max Discount (%)","Maksymalny rabat (%)" -"Max Qty","Maks. Ilość" -"Maximum allowed credit is {0} days after posting date", -"Maximum {0} rows allowed", -"Maxiumm discount for Item {0} is {1}%", -"Medical","Medyczny" -"Medium", -"Merging is only possible if following properties are same in both records. Group or Ledger, Root Type, Company", -"Message","Wiadomość" -"Message Parameter", -"Message Sent","Wiadomość wysłana" -"Message updated", -"Messages","Wiadomości" -"Messages greater than 160 characters will be split into multiple messages", -"Middle Income", -"Milestone", -"Milestone Date", -"Milestones", -"Milestones will be added as Events in the Calendar", -"Min Order Qty","Min. wartość zamówienia" -"Min Qty","Min. ilość" -"Min Qty can not be greater than Max Qty", -"Minimum Order Qty","Minimalna wartość zamówienia" -"Minute","Minuta" -"Misc Details", -"Miscellaneous Expenses", -"Miscelleneous", -"Mobile No","Nr tel. Komórkowego" -"Mobile No.","Nr tel. Komórkowego" -"Mode of Payment", -"Modern","Nowoczesny" -"Modified Amount", -"Monday","Poniedziałek" -"Month","Miesiąc" -"Monthly","Miesięcznie" -"Monthly Attendance Sheet", -"Monthly Earning & Deduction", -"Monthly Salary Register", -"Monthly salary statement.", -"More Details", -"More Info","Więcej informacji" -"Motion Picture & Video", -"Moving Average", -"Moving Average Rate", -"Mr","Pan" -"Ms","Pani" -"Multiple Item prices.", -"Multiple Price Rule exists with same criteria, please resolve \ - conflict by assigning priority. Price Rules: {0}", -"Music","Muzyka" -"Must be Whole Number","Musi być liczbą całkowitą" -"Name","Imię" -"Name and Description","Nazwa i opis" -"Name and Employee ID", -"Name of new Account. Note: Please don't create accounts for Customers and Suppliers, they are created automatically from the Customer and Supplier master", -"Name of person or organization that this address belongs to.", -"Name of the Budget Distribution", -"Naming Series", -"Negative Quantity is not allowed", -"Negative Stock Error ({6}) for Item {0} in Warehouse {1} on {2} {3} in {4} {5}", -"Negative Valuation Rate is not allowed", -"Negative balance in Batch {0} for Item {1} at Warehouse {2} on {3} {4}", -"Net Pay", -"Net Pay (in words) will be visible once you save the Salary Slip.", -"Net Total","Łączna wartość netto" -"Net Total (Company Currency)","Łączna wartość netto (waluta firmy)" -"Net Weight","Waga netto" -"Net Weight UOM","Jednostka miary wagi netto" -"Net Weight of each Item","Waga netto każdego produktu" -"Net pay cannot be negative", -"Never","Nigdy" -"New ","Nowy" -"New Account","Nowe konto" -"New Account Name","Nowa nazwa konta" -"New BOM","Nowe zestawienie materiałowe" -"New Communications", -"New Company","Nowa firma" -"New Cost Center", -"New Cost Center Name", -"New Delivery Notes", -"New Enquiries", -"New Leads", -"New Leave Application", -"New Leaves Allocated", -"New Leaves Allocated (In Days)", -"New Material Requests", -"New Projects","Nowe projekty" -"New Purchase Orders", -"New Purchase Receipts", -"New Quotations", -"New Sales Orders", -"New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt", -"New Stock Entries", -"New Stock UOM", -"New Stock UOM is required", -"New Stock UOM must be different from current stock UOM", -"New Supplier Quotations", -"New Support Tickets", -"New UOM must NOT be of type Whole Number", -"New Workplace", -"Newsletter", -"Newsletter Content", -"Newsletter Status", -"Newsletter has already been sent", -"Newsletters is not allowed for Trial users", -"Newsletters to contacts, leads.", -"Newspaper Publishers", -"Next","Następny" -"Next Contact By", -"Next Contact Date", -"Next Date", -"Next email will be sent on:", -"No","Nie" -"No Customer Accounts found.", -"No Customer or Supplier Accounts found", -"No Expense Approvers. Please assign 'Expense Approver' Role to atleast one user", -"No Item with Barcode {0}", -"No Item with Serial No {0}", -"No Items to pack", -"No Leave Approvers. Please assign 'Leave Approver' Role to atleast one user", -"No Permission", -"No Production Orders created", -"No Supplier Accounts found. Supplier Accounts are identified based on 'Master Type' value in account record.", -"No accounting entries for the following warehouses", -"No addresses created", -"No contacts created", -"No default BOM exists for Item {0}", -"No description given", -"No employee found", -"No employee found!", -"No of Requested SMS", -"No of Sent SMS", -"No of Visits", -"No permission", -"No record found", -"No salary slip found for month: ", -"Non Profit", -"Nos", -"Not Active", -"Not Applicable", -"Not Available","Niedostępny" -"Not Billed", -"Not Delivered", -"Not Set", -"Not allowed to update entries older than {0}", -"Not authorized to edit frozen Account {0}", -"Not authroized since {0} exceeds limits", -"Not permitted", -"Note", -"Note User", -"Note: Backups and files are not deleted from Dropbox, you will have to delete them manually.", -"Note: Backups and files are not deleted from Google Drive, you will have to delete them manually.", -"Note: Due Date exceeds the allowed credit days by {0} day(s)", -"Note: Email will not be sent to disabled users", -"Note: Item {0} entered multiple times", -"Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified", -"Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0", -"Note: There is not enough leave balance for Leave Type {0}", -"Note: This Cost Center is a Group. Cannot make accounting entries against groups.", -"Note: {0}", -"Notes","Notatki" -"Notes:","Notatki:" -"Nothing to request", -"Notice (days)", -"Notification Control", -"Notification Email Address", -"Notify by Email on creation of automatic Material Request", -"Number Format", -"Offer Date", -"Office","Biuro" -"Office Equipments", -"Office Maintenance Expenses", -"Office Rent", -"Old Parent", -"On Net Total", -"On Previous Row Amount", -"On Previous Row Total", -"Online Auctions", -"Only Leave Applications with status 'Approved' can be submitted", -"Only Serial Nos with status ""Available"" can be delivered.","Tylko numery seryjne o statusie “Dostępny” mogą zostać dostarczone." -"Only leaf nodes are allowed in transaction", -"Only the selected Leave Approver can submit this Leave Application", -"Open","Otwarty" -"Open Production Orders", -"Open Tickets", -"Open source ERP built for the web", -"Opening (Cr)", -"Opening (Dr)", -"Opening Date", -"Opening Entry", -"Opening Qty", -"Opening Time", -"Opening Value", -"Opening for a Job.", -"Operating Cost", -"Operation Description", -"Operation No", -"Operation Time (mins)", -"Operation {0} is repeated in Operations Table", -"Operation {0} not present in Operations Table", -"Operations","Działania" -"Opportunity","Szansa" -"Opportunity Date","Data szansy" -"Opportunity From","Szansa od" -"Opportunity Item", -"Opportunity Items", -"Opportunity Lost", -"Opportunity Type","Typ szansy" -"Optional. This setting will be used to filter in various transactions.", -"Order Type","Typ zamówienia" -"Order Type must be one of {1}", -"Ordered", -"Ordered Items To Be Billed", -"Ordered Items To Be Delivered", -"Ordered Qty", -"Ordered Qty: Quantity ordered for purchase, but not received.", -"Ordered Quantity", -"Orders released for production.","Zamówienia zwolnione do produkcji." -"Organization Name","Nazwa organizacji" -"Organization Profile", -"Organization branch master.", -"Organization unit (department) master.", -"Original Amount", -"Other","Inne" -"Other Details", -"Others","Inni" -"Out Qty", -"Out Value", -"Out of AMC", -"Out of Warranty", -"Outgoing", -"Outstanding Amount", -"Outstanding for {0} cannot be less than zero ({1})", -"Overhead", -"Overheads","Koszty ogólne" -"Overlapping conditions found between:", -"Overview", -"Owned", -"Owner","Właściciel" -"PL or BS", -"PO Date", -"PO No", -"POP3 Mail Server", -"POP3 Mail Settings", -"POP3 mail server (e.g. pop.gmail.com)", -"POP3 server e.g. (pop.gmail.com)", -"POS Setting", -"POS Setting required to make POS Entry", -"POS Setting {0} already created for user: {1} and company {2}", -"POS View", -"PR Detail", -"PR Posting Date", -"Package Item Details", -"Package Items", -"Package Weight Details", -"Packed Item", -"Packed quantity must equal quantity for Item {0} in row {1}", -"Packing Details", -"Packing List", -"Packing Slip", -"Packing Slip Item", -"Packing Slip Items", -"Packing Slip(s) cancelled", -"Page Break", -"Page Name", -"Paid Amount", -"Paid amount + Write Off Amount can not be greater than Grand Total", -"Pair","Para" -"Parameter","Parametr" -"Parent Account", -"Parent Cost Center", -"Parent Customer Group", -"Parent Detail docname", -"Parent Item", -"Parent Item Group", -"Parent Item {0} must be not Stock Item and must be a Sales Item", -"Parent Party Type", -"Parent Sales Person", -"Parent Territory", -"Parent Website Page", -"Parent Website Route", -"Parent account can not be a ledger", -"Parent account does not exist", -"Parenttype", -"Part-time", -"Partially Completed", -"Partly Billed", -"Partly Delivered", -"Partner Target Detail", -"Partner Type", -"Partner's Website", -"Party Type", -"Party Type Name", -"Passive", -"Passport Number", -"Password", -"Pay To / Recd From", -"Payable", -"Payables", -"Payables Group", -"Payment Days", -"Payment Due Date", -"Payment Period Based On Invoice Date", -"Payment Type", -"Payment of salary for the month {0} and year {1}", -"Payment to Invoice Matching Tool", -"Payment to Invoice Matching Tool Detail", -"Payments","Płatności" -"Payments Made", -"Payments Received", -"Payments made during the digest period", -"Payments received during the digest period", -"Payroll Settings", -"Pending", -"Pending Amount", -"Pending Items {0} updated", -"Pending Review", -"Pending SO Items For Purchase Request", -"Pension Funds", -"Percent Complete", -"Percentage Allocation", -"Percentage Allocation should be equal to 100%", -"Percentage variation in quantity to be allowed while receiving or delivering this item.","Procentowa wariacja w ilości dopuszczalna przy otrzymywaniu lub dostarczaniu tego produktu." -"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.", -"Performance appraisal.", -"Period","Okres" -"Period Closing Voucher", -"Periodicity", -"Permanent Address", -"Permanent Address Is", -"Permission","Pozwolenie" -"Personal", -"Personal Details", -"Personal Email", -"Pharmaceutical", -"Pharmaceuticals", -"Phone","Telefon" -"Phone No","Nr telefonu" -"Piecework", -"Pincode","Kod PIN" -"Place of Issue", -"Plan for maintenance visits.", -"Planned Qty","Planowana ilość" -"Planned Qty: Quantity, for which, Production Order has been raised, but is pending to be manufactured.", -"Planned Quantity","Planowana ilość" -"Planning","Planowanie" -"Plant","Zakład" -"Plant and Machinery", -"Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads.", -"Please add expense voucher details", -"Please check 'Is Advance' against Account {0} if this is an advance entry.", -"Please click on 'Generate Schedule'", -"Please click on 'Generate Schedule' to fetch Serial No added for Item {0}", -"Please click on 'Generate Schedule' to get schedule", -"Please create Customer from Lead {0}", -"Please create Salary Structure for employee {0}", -"Please create new account from Chart of Accounts.", -"Please do NOT create Account (Ledgers) for Customers and Suppliers. They are created directly from the Customer / Supplier masters.", -"Please enter 'Expected Delivery Date'", -"Please enter 'Is Subcontracted' as Yes or No", -"Please enter 'Repeat on Day of Month' field value", -"Please enter Account Receivable/Payable group in company master", -"Please enter Approving Role or Approving User", -"Please enter BOM for Item {0} at row {1}", -"Please enter Company", -"Please enter Cost Center", -"Please enter Delivery Note No or Sales Invoice No to proceed", -"Please enter Employee Id of this sales parson", -"Please enter Expense Account", -"Please enter Item Code to get batch no", -"Please enter Item Code.", -"Please enter Item first", -"Please enter Maintaince Details first", -"Please enter Master Name once the account is created.", -"Please enter Planned Qty for Item {0} at row {1}", -"Please enter Production Item first", -"Please enter Purchase Receipt No to proceed", -"Please enter Reference date", -"Please enter Warehouse for which Material Request will be raised", -"Please enter Write Off Account", -"Please enter atleast 1 invoice in the table", -"Please enter company first", -"Please enter company name first", -"Please enter default Unit of Measure", -"Please enter default currency in Company Master", -"Please enter email address", -"Please enter item details", -"Please enter message before sending", -"Please enter parent account group for warehouse account", -"Please enter parent cost center", -"Please enter quantity for Item {0}", -"Please enter relieving date.", -"Please enter sales order in the above table", -"Please enter valid Company Email", -"Please enter valid Email Id", -"Please enter valid Personal Email", -"Please enter valid mobile nos", -"Please install dropbox python module", -"Please mention no of visits required", -"Please pull items from Delivery Note", -"Please save the Newsletter before sending", -"Please save the document before generating maintenance schedule", -"Please select Account first", -"Please select Bank Account", -"Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year", -"Please select Category first", -"Please select Charge Type first", -"Please select Fiscal Year", -"Please select Group or Ledger value", -"Please select Incharge Person's name", -"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Sales BOM", -"Please select Price List", -"Please select Start Date and End Date for Item {0}", -"Please select a csv file", -"Please select a valid csv file with data", -"Please select a value for {0} quotation_to {1}", -"Please select an ""Image"" first", -"Please select charge type first", -"Please select company first.", -"Please select item code", -"Please select month and year", -"Please select prefix first", -"Please select the document type first", -"Please select weekly off day", -"Please select {0}", -"Please select {0} first", -"Please set Dropbox access keys in your site config", -"Please set Google Drive access keys in {0}", -"Please set default Cash or Bank account in Mode of Payment {0}", -"Please set default value {0} in Company {0}", -"Please set {0}", -"Please setup Employee Naming System in Human Resource > HR Settings", -"Please setup numbering series for Attendance via Setup > Numbering Series", -"Please setup your chart of accounts before you start Accounting Entries", -"Please specify", -"Please specify Company", -"Please specify Company to proceed", -"Please specify Default Currency in Company Master and Global Defaults", -"Please specify a", -"Please specify a valid 'From Case No.'", -"Please specify a valid Row ID for {0} in row {1}", -"Please specify either Quantity or Valuation Rate or both", -"Please submit to update Leave Balance.", -"Plot", -"Plot By", -"Point of Sale", -"Point-of-Sale Setting", -"Post Graduate", -"Postal", -"Postal Expenses", -"Posting Date","Data publikacji" -"Posting Time","Czas publikacji" -"Posting timestamp must be after {0}", -"Potential opportunities for selling.","Potencjalne okazje na sprzedaż." -"Preferred Billing Address", -"Preferred Shipping Address", -"Prefix", -"Present", -"Prevdoc DocType", -"Prevdoc Doctype", -"Preview", -"Previous","Wstecz" -"Previous Work Experience", -"Price","Cena" -"Price / Discount","Cena / Rabat" -"Price List","Cennik" -"Price List Currency","Waluta cennika" -"Price List Currency not selected", -"Price List Exchange Rate", -"Price List Name","Nazwa cennika" -"Price List Rate", -"Price List Rate (Company Currency)", -"Price List master.", -"Price List must be applicable for Buying or Selling", -"Price List not selected", -"Price List {0} is disabled", -"Price or Discount", -"Pricing Rule", -"Pricing Rule For Discount", -"Pricing Rule For Price", -"Print Format Style", -"Print Heading","Nagłówek do druku" -"Print Without Amount","Drukuj bez wartości" -"Print and Stationary", -"Printing and Branding", -"Priority","Priorytet" -"Private Equity", -"Privilege Leave", -"Probation", -"Process Payroll", -"Produced", -"Produced Quantity", -"Product Enquiry", -"Production","Produkcja" -"Production Order","Zamówinie produkcji" -"Production Order status is {0}", -"Production Order {0} must be cancelled before cancelling this Sales Order", -"Production Order {0} must be submitted", -"Production Orders", -"Production Orders in Progress", -"Production Plan Item", -"Production Plan Items", -"Production Plan Sales Order", -"Production Plan Sales Orders", -"Production Planning Tool", -"Products","Produkty" -"Products will be sorted by weight-age in default searches. More the weight-age, higher the product will appear in the list.", -"Profit and Loss", -"Project","Projekt" -"Project Costing", -"Project Details", -"Project Manager", -"Project Milestone", -"Project Milestones", -"Project Name","Nazwa projektu" -"Project Start Date", -"Project Type", -"Project Value", -"Project activity / task.", -"Project master.", -"Project will get saved and will be searchable with project name given", -"Project wise Stock Tracking", -"Project-wise data is not available for Quotation", -"Projected", -"Projected Qty","Prognozowana ilość" -"Projects","Projekty" -"Projects & System", -"Prompt for Email on Submission of", -"Proposal Writing", -"Provide email id registered in company", -"Public", -"Publishing", -"Pull sales orders (pending to deliver) based on the above criteria", -"Purchase","Zakup" -"Purchase / Manufacture Details", -"Purchase Analytics", -"Purchase Common", -"Purchase Details","Szczegóły zakupu" -"Purchase Discounts", -"Purchase In Transit", -"Purchase Invoice", -"Purchase Invoice Advance", -"Purchase Invoice Advances", -"Purchase Invoice Item", -"Purchase Invoice Trends", -"Purchase Invoice {0} is already submitted", -"Purchase Order","Zamówienie" -"Purchase Order Date","Data zamówienia" -"Purchase Order Item", -"Purchase Order Item No", -"Purchase Order Item Supplied", -"Purchase Order Items", -"Purchase Order Items Supplied", -"Purchase Order Items To Be Billed", -"Purchase Order Items To Be Received", -"Purchase Order Message", -"Purchase Order Required", -"Purchase Order Trends", -"Purchase Order number required for Item {0}", -"Purchase Order {0} is 'Stopped'", -"Purchase Order {0} is not submitted", -"Purchase Orders given to Suppliers.", -"Purchase Receipt","Dowód zakupu" -"Purchase Receipt Item", -"Purchase Receipt Item Supplied", -"Purchase Receipt Item Supplieds", -"Purchase Receipt Items", -"Purchase Receipt Message", -"Purchase Receipt No","Nr dowodu zakupu" -"Purchase Receipt Required", -"Purchase Receipt Trends", -"Purchase Receipt number required for Item {0}", -"Purchase Receipt {0} is not submitted", -"Purchase Register", -"Purchase Return","Zwrot zakupu" -"Purchase Returned", -"Purchase Taxes and Charges", -"Purchase Taxes and Charges Master", -"Purchse Order number required for Item {0}", -"Purpose","Cel" -"Purpose must be one of {0}", -"QA Inspection","Inspecja kontroli jakości" -"Qty","Ilość" -"Qty Consumed Per Unit", -"Qty To Manufacture", -"Qty as per Stock UOM", -"Qty to Deliver", -"Qty to Order", -"Qty to Receive", -"Qty to Transfer", -"Qualification", -"Quality","Jakość" -"Quality Inspection","Kontrola jakości" -"Quality Inspection Parameters","Parametry kontroli jakości" -"Quality Inspection Reading","Odczyt kontroli jakości" -"Quality Inspection Readings","Odczyty kontroli jakości" -"Quality Inspection required for Item {0}", -"Quality Management", -"Quantity","Ilość" -"Quantity Requested for Purchase", -"Quantity and Rate", -"Quantity and Warehouse","Ilość i magazyn" -"Quantity cannot be a fraction in row {0}", -"Quantity for Item {0} must be less than {1}", -"Quantity in row {0} ({1}) must be same as manufactured quantity {2}", -"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" -"Quantity required for Item {0} in row {1}", -"Quarter","Kwartał" -"Quarterly","Kwartalnie" -"Quick Help","Szybka pomoc" -"Quotation","Wycena" -"Quotation Date","Data wyceny" -"Quotation Item","Przedmiot wyceny" -"Quotation Items","Przedmioty wyceny" -"Quotation Lost Reason", -"Quotation Message", -"Quotation To","Wycena dla" -"Quotation Trends", -"Quotation {0} is cancelled", -"Quotation {0} not of type {1}", -"Quotations received from Suppliers.", -"Quotes to Leads or Customers.", -"Raise Material Request when stock reaches re-order level", -"Raised By", -"Raised By (Email)", -"Random","Losowy" -"Range","Przedział" -"Rate","Stawka" -"Rate ","Stawka " -"Rate (%)","Stawka (%)" -"Rate (Company Currency)", -"Rate Of Materials Based On", -"Rate and Amount", -"Rate at which Customer Currency is converted to customer's base currency", -"Rate at which Price list currency is converted to company's base currency", -"Rate at which Price list currency is converted to customer's base currency", -"Rate at which customer's currency is converted to company's base currency", -"Rate at which supplier's currency is converted to company's base currency", -"Rate at which this tax is applied", -"Raw Material","Surowiec" -"Raw Material Item Code", -"Raw Materials Supplied","Dostarczone surowce" -"Raw Materials Supplied Cost","Koszt dostarczonych surowców" -"Raw material cannot be same as main Item", -"Re-Order Level","Poziom dla ponownego zamówienia" -"Re-Order Qty","Ilość ponownego zamówienia" -"Re-order","Ponowne zamówienie" -"Re-order Level","Poziom dla ponownego zamówienia" -"Re-order Qty","Ilość ponownego zamówienia" -"Read", -"Reading 1","Odczyt 1" -"Reading 10","Odczyt 10" -"Reading 2","Odczyt 2" -"Reading 3","Odczyt 3" -"Reading 4","Odczyt 4" -"Reading 5","Odczyt 5" -"Reading 6","Odczyt 6" -"Reading 7","Odczyt 7" -"Reading 8","Odczyt 8" -"Reading 9","Odczyt 9" -"Real Estate", -"Reason", -"Reason for Leaving", -"Reason for Resignation", -"Reason for losing", -"Recd Quantity", -"Receivable", -"Receivable / Payable account will be identified based on the field Master Type", -"Receivables", -"Receivables / Payables", -"Receivables Group", -"Received Date", -"Received Items To Be Billed", -"Received Qty", -"Received and Accepted", -"Receiver List", -"Receiver List is empty. Please create Receiver List", -"Receiver Parameter", -"Recipients", -"Reconcile", -"Reconciliation Data", -"Reconciliation HTML", -"Reconciliation JSON", -"Record item movement.","Zapisz ruch produktu." -"Recurring Id", -"Recurring Invoice", -"Recurring Type", -"Reduce Deduction for Leave Without Pay (LWP)", -"Reduce Earning for Leave Without Pay (LWP)", -"Ref Code", -"Ref SQ", -"Reference", -"Reference #{0} dated {1}", -"Reference Date", -"Reference Name", -"Reference No & Reference Date is required for {0}", -"Reference No is mandatory if you entered Reference Date", -"Reference Number", -"Reference Row #", -"Refresh","Odśwież" -"Registration Details", -"Registration Info", -"Rejected", -"Rejected Quantity", -"Rejected Serial No", -"Rejected Warehouse", -"Rejected Warehouse is mandatory against regected item", -"Relation", -"Relieving Date", -"Relieving Date must be greater than Date of Joining", -"Remark", -"Remarks","Uwagi" -"Rename","Zmień nazwę" -"Rename Log", -"Rename Tool", -"Rent Cost", -"Rent per hour", -"Rented", -"Repeat on Day of Month", -"Replace", -"Replace Item / BOM in all BOMs", -"Replied", -"Report Date","Data raportu" -"Report Type","Typ raportu" -"Report Type is mandatory","Typ raportu jest wymagany" -"Reports to", -"Reqd By Date", -"Request Type", -"Request for Information", -"Request for purchase.", -"Requested", -"Requested For", -"Requested Items To Be Ordered", -"Requested Items To Be Transferred", -"Requested Qty", -"Requested Qty: Quantity requested for purchase, but not ordered.", -"Requests for items.","Zamówienia produktów." -"Required By", -"Required Date", -"Required Qty","Wymagana ilość" -"Required only for sample item.", -"Required raw materials issued to the supplier for producing a sub - contracted item.", -"Research","Badania" -"Research & Development","Badania i rozwój" -"Researcher", -"Reseller", -"Reserved","Zarezerwowany" -"Reserved Qty","Zarezerwowana ilość" -"Reserved Qty: Quantity ordered for sale, but not delivered.", -"Reserved Quantity","Zarezerwowana ilość" -"Reserved Warehouse", -"Reserved Warehouse in Sales Order / Finished Goods Warehouse", -"Reserved Warehouse is missing in Sales Order", -"Reserved Warehouse required for stock Item {0} in row {1}", -"Reserved warehouse required for stock item {0}", -"Reserves and Surplus", -"Reset Filters", -"Resignation Letter Date", -"Resolution", -"Resolution Date", -"Resolution Details", -"Resolved By", -"Rest Of The World", -"Retail", -"Retail & Wholesale", -"Retailer", -"Review Date", -"Rgt", -"Role Allowed to edit frozen stock", -"Role that is allowed to submit transactions that exceed credit limits set.", -"Root Type", -"Root Type is mandatory", -"Root account can not be deleted", -"Root cannot be edited.", -"Root cannot have a parent cost center", -"Rounded Off", -"Rounded Total", -"Rounded Total (Company Currency)", -"Row # ","Rząd #" -"Row # {0}: ","Rząd # {0}:" -"Row {0}: Account does not match with \ - Purchase Invoice Credit To account", -"Row {0}: Account does not match with \ - Sales Invoice Debit To account", -"Row {0}: Credit entry can not be linked with a Purchase Invoice", -"Row {0}: Debit entry can not be linked with a Sales Invoice", -"Row {0}: To set {1} periodicity, difference between from and to date \ - must be greater than or equal to {2}", -"Row {0}:Start Date must be before End Date", -"Rules for adding shipping costs.", -"Rules for applying pricing and discount.", -"Rules to calculate shipping amount for a sale", -"S.O. No.", -"SMS Center", -"SMS Control", -"SMS Gateway URL", -"SMS Log", -"SMS Parameter", -"SMS Sender Name", -"SMS Settings", -"SO Date", -"SO Pending Qty", -"SO Qty", -"Salary","Pensja" -"Salary Information", -"Salary Manager", -"Salary Mode", -"Salary Slip", -"Salary Slip Deduction", -"Salary Slip Earning", -"Salary Slip of employee {0} already created for this month", -"Salary Structure", -"Salary Structure Deduction", -"Salary Structure Earning", -"Salary Structure Earnings", -"Salary breakup based on Earning and Deduction.", -"Salary components.", -"Salary template master.", -"Sales","Sprzedaż" -"Sales Analytics","Analityka sprzedaży" -"Sales BOM", -"Sales BOM Help", -"Sales BOM Item", -"Sales BOM Items", -"Sales Browser", -"Sales Details","Szczegóły sprzedaży" -"Sales Discounts", -"Sales Email Settings", -"Sales Expenses", -"Sales Extras", -"Sales Funnel", -"Sales Invoice", -"Sales Invoice Advance", -"Sales Invoice Item", -"Sales Invoice Items", -"Sales Invoice Message", -"Sales Invoice No","Nr faktury sprzedażowej" -"Sales Invoice Trends", -"Sales Invoice {0} has already been submitted", -"Sales Invoice {0} must be cancelled before cancelling this Sales Order", -"Sales Order","Zlecenie sprzedaży" -"Sales Order Date", -"Sales Order Item", -"Sales Order Items", -"Sales Order Message", -"Sales Order No", -"Sales Order Required", -"Sales Order Trends", -"Sales Order required for Item {0}", -"Sales Order {0} is not submitted", -"Sales Order {0} is not valid", -"Sales Order {0} is stopped", -"Sales Partner", -"Sales Partner Name", -"Sales Partner Target", -"Sales Partners Commission", -"Sales Person", -"Sales Person Name", -"Sales Person Target Variance Item Group-Wise", -"Sales Person Targets", -"Sales Person-wise Transaction Summary", -"Sales Register", -"Sales Return","Zwrot sprzedaży" -"Sales Returned", -"Sales Taxes and Charges", -"Sales Taxes and Charges Master", -"Sales Team", -"Sales Team Details", -"Sales Team1", -"Sales and Purchase", -"Sales campaigns.", -"Salutation", -"Sample Size","Wielkość próby" -"Sanctioned Amount", -"Saturday", -"Schedule", -"Schedule Date", -"Schedule Details", -"Scheduled", -"Scheduled Date", -"Scheduled to send to {0}", -"Scheduled to send to {0} recipients", -"Scheduler Failed Events", -"School/University", -"Score (0-5)", -"Score Earned", -"Score must be less than or equal to 5", -"Scrap %", -"Seasonality for setting budgets.", -"Secretary", -"Secured Loans", -"Securities & Commodity Exchanges", -"Securities and Deposits", -"See ""Rate Of Materials Based On"" in Costing Section", -"Select ""Yes"" for sub - contracting items", -"Select ""Yes"" if this item is used for some internal purpose in your company.","Wybierz “Tak” jeśli produkt jest używany w celach wewnętrznych w firmie." -"Select ""Yes"" if this item represents some work like training, designing, consulting etc.","Wybierz “Tak” jeśli produkt to jakaś forma usługi/pracy, np. szkolenie, doradztwo" -"Select ""Yes"" if you are maintaining stock of this item in your Inventory.","Wybierz “Tak” jeśli produkt jest przechowywany w magazynie." -"Select ""Yes"" if you supply raw materials to your supplier to manufacture this item.","Wybierz “Tak” jeśli dostarczasz sutowce swojemu dostawcy w celu wyprodukowania tego produktu." -"Select Budget Distribution to unevenly distribute targets across months.", -"Select Budget Distribution, if you want to track based on seasonality.", -"Select DocType", -"Select Items", -"Select Purchase Receipts", -"Select Sales Orders", -"Select Sales Orders from which you want to create Production Orders.", -"Select Time Logs and Submit to create a new Sales Invoice.", -"Select Transaction", -"Select Your Language", -"Select account head of the bank where cheque was deposited.", -"Select company name first.", -"Select template from which you want to get the Goals", -"Select the Employee for whom you are creating the Appraisal.", -"Select the period when the invoice will be generated automatically", -"Select the relevant company name if you have multiple companies", -"Select the relevant company name if you have multiple companies.", -"Select who you want to send this newsletter to", -"Select your home country and check the timezone and currency.", -"Selecting ""Yes"" will allow this item to appear in Purchase Order , Purchase Receipt.","Wybranie “Tak” pozwoli na dostępność tego produktu w Zamówieniach i Potwierdzeniach Odbioru" -"Selecting ""Yes"" will allow this item to figure in Sales Order, Delivery Note", -"Selecting ""Yes"" will allow you to create Bill of Material showing raw material and operational costs incurred to manufacture this item.", -"Selecting ""Yes"" will allow you to make a Production Order for this item.", -"Selecting ""Yes"" will give a unique identity to each entity of this item which can be viewed in the Serial No master.", -"Selling","Sprzedaż" -"Selling Settings", -"Send","Wyślij" -"Send Autoreply", -"Send Email", -"Send From", -"Send Notifications To", -"Send Now", -"Send SMS", -"Send To", -"Send To Type", -"Send mass SMS to your contacts", -"Send to this list", -"Sender Name", -"Sent On", -"Separate production order will be created for each finished good item.", -"Serial No","Nr seryjny" -"Serial No / Batch", -"Serial No Details","Szczegóły numeru seryjnego" -"Serial No Service Contract Expiry", -"Serial No Status", -"Serial No Warranty Expiry", -"Serial No is mandatory for Item {0}", -"Serial No {0} created", -"Serial No {0} does not belong to Delivery Note {1}", -"Serial No {0} does not belong to Item {1}", -"Serial No {0} does not belong to Warehouse {1}", -"Serial No {0} does not exist", -"Serial No {0} has already been received", -"Serial No {0} is under maintenance contract upto {1}", -"Serial No {0} is under warranty upto {1}", -"Serial No {0} not in stock", -"Serial No {0} quantity {1} cannot be a fraction", -"Serial No {0} status must be 'Available' to Deliver", -"Serial Nos Required for Serialized Item {0}", -"Serial Number Series", -"Serial number {0} entered more than once", -"Serialized Item {0} cannot be updated \ - using Stock Reconciliation", -"Series","Seria" -"Series List for this Transaction", -"Series Updated", -"Series Updated Successfully", -"Series is mandatory", -"Series {0} already used in {1}", -"Service","Usługa" -"Service Address", -"Services","Usługi" -"Set","Zbiór" -"Set Default Values like Company, Currency, Current Fiscal Year, etc.", -"Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.", -"Set as Default", -"Set as Lost", -"Set prefix for numbering series on your transactions", -"Set targets Item Group-wise for this Sales Person.", -"Setting Account Type helps in selecting this Account in transactions.", -"Setting up...", -"Settings", -"Settings for HR Module", -"Settings to extract Job Applicants from a mailbox e.g. ""jobs@example.com""", -"Setup","Ustawienia" -"Setup Already Complete!!", -"Setup Complete", -"Setup Series", -"Setup Wizard", -"Setup incoming server for jobs email id. (e.g. jobs@example.com)", -"Setup incoming server for sales email id. (e.g. sales@example.com)", -"Setup incoming server for support email id. (e.g. support@example.com)", -"Share","Podziel się" -"Share With","Podziel się z" -"Shareholders Funds", -"Shipments to customers.","Dostawy do klientów." -"Shipping","Dostawa" -"Shipping Account", -"Shipping Address","Adres dostawy" -"Shipping Amount", -"Shipping Rule", -"Shipping Rule Condition", -"Shipping Rule Conditions", -"Shipping Rule Label", -"Shop","Sklep" -"Shopping Cart","Koszyk" -"Short biography for website and other publications.", -"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.", -"Show / Hide features like Serial Nos, POS etc.", -"Show In Website","Pokaż na stronie internetowej" -"Show a slideshow at the top of the page", -"Show in Website", -"Show this slideshow at the top of the page", -"Sick Leave", -"Signature","Podpis" -"Signature to be appended at the end of every email", -"Single","Pojedynczy" -"Single unit of an Item.","Jednostka produktu." -"Sit tight while your system is being setup. This may take a few moments.", -"Slideshow", -"Soap & Detergent", -"Software","Oprogramowanie" -"Software Developer","Programista" -"Sorry, Serial Nos cannot be merged", -"Sorry, companies cannot be merged", -"Source","Źródło" -"Source File", -"Source Warehouse","Magazyn źródłowy" -"Source and target warehouse cannot be same for row {0}", -"Source of Funds (Liabilities)", -"Source warehouse is mandatory for row {0}", -"Spartan", -"Special Characters except ""-"" and ""/"" not allowed in naming series", -"Specification Details","Szczegóły specyfikacji" -"Specifications", -"Specify a list of Territories, for which, this Price List is valid","Lista terytoriów, na których cennik jest obowiązujący" -"Specify a list of Territories, for which, this Shipping Rule is valid", -"Specify a list of Territories, for which, this Taxes Master is valid", -"Specify the operations, operating cost and give a unique Operation no to your operations.", -"Split Delivery Note into packages.", -"Sports", -"Standard", -"Standard Buying", -"Standard Rate", -"Standard Reports","Raporty standardowe" -"Standard Selling", -"Standard contract terms for Sales or Purchase.", -"Start", -"Start Date", -"Start date of current invoice's period", -"Start date should be less than end date for Item {0}", -"State","Stan" -"Static Parameters", -"Status", -"Status must be one of {0}", -"Status of {0} {1} is now {2}", -"Status updated to {0}", -"Statutory info and other general information about your Supplier", -"Stay Updated", -"Stock","Magazyn" -"Stock Adjustment", -"Stock Adjustment Account", -"Stock Ageing", -"Stock Analytics","Analityka magazynu" -"Stock Assets", -"Stock Balance", -"Stock Entries already created for Production Order ", -"Stock Entry","Dokument magazynowy" -"Stock Entry Detail","Szczególy wpisu magazynowego" -"Stock Expenses", -"Stock Frozen Upto", -"Stock Ledger", -"Stock Ledger Entry", -"Stock Ledger entries balances updated", -"Stock Level", -"Stock Liabilities", -"Stock Projected Qty", -"Stock Queue (FIFO)", -"Stock Received But Not Billed", -"Stock Reconcilation Data", -"Stock Reconcilation Template", -"Stock Reconciliation", -"Stock Reconciliation can be used to update the stock on a particular date, usually as per physical inventory.", -"Stock Settings", -"Stock UOM", -"Stock UOM Replace Utility", -"Stock UOM updatd for Item {0}", -"Stock Uom", -"Stock Value", -"Stock Value Difference", -"Stock balances updated", -"Stock cannot be updated against Delivery Note {0}", -"Stock entries exist against warehouse {0} cannot re-assign or modify 'Master Name'", -"Stop", -"Stop Birthday Reminders", -"Stop Material Request", -"Stop users from making Leave Applications on following days.", -"Stop!", -"Stopped", -"Stopped order cannot be cancelled. Unstop to cancel.", -"Stores", -"Stub", -"Sub Assemblies", -"Sub-currency. For e.g. ""Cent""", -"Subcontract","Zlecenie" -"Subject","Temat" -"Submit Salary Slip", -"Submit all salary slips for the above selected criteria", -"Submit this Production Order for further processing.", -"Submitted", -"Subsidiary", -"Successful: ", -"Successfully allocated", -"Suggestions","Sugestie" -"Sunday","Niedziela" -"Supplier","Dostawca" -"Supplier (Payable) Account", -"Supplier (vendor) name as entered in supplier master", -"Supplier Account", -"Supplier Account Head", -"Supplier Address","Adres dostawcy" -"Supplier Addresses and Contacts", -"Supplier Details","Szczegóły dostawcy" -"Supplier Intro", -"Supplier Invoice Date", -"Supplier Invoice No", -"Supplier Name","Nazwa dostawcy" -"Supplier Naming By", -"Supplier Part Number","Numer katalogowy dostawcy" -"Supplier Quotation", -"Supplier Quotation Item", -"Supplier Reference", -"Supplier Type","Typ dostawcy" -"Supplier Type / Supplier", -"Supplier Type master.", -"Supplier Warehouse","Magazyn dostawcy" -"Supplier Warehouse mandatory for sub-contracted Purchase Receipt", -"Supplier database.", -"Supplier master.", -"Supplier warehouse where you have issued raw materials for sub - contracting", -"Supplier-Wise Sales Analytics", -"Support","Wsparcie" -"Support Analtyics", -"Support Analytics", -"Support Email", -"Support Email Settings", -"Support Password", -"Support Ticket", -"Support queries from customers.", -"Symbol", -"Sync Support Mails", -"Sync with Dropbox", -"Sync with Google Drive", -"System", -"System Settings", -"System User (login) ID. If set, it will become default for all HR forms.", -"Target Amount", -"Target Detail", -"Target Details", -"Target Details1", -"Target Distribution", -"Target On", -"Target Qty", -"Target Warehouse", -"Target warehouse in row {0} must be same as Production Order", -"Target warehouse is mandatory for row {0}", -"Task", -"Task Details", -"Tasks", -"Tax","Podatek" -"Tax Amount After Discount Amount", -"Tax Assets", -"Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items", -"Tax Rate","Stawka podatku" -"Tax and other salary deductions.", -"Tax detail table fetched from item master as a string and stored in this field. -Used for Taxes and Charges", -"Tax template for buying transactions.", -"Tax template for selling transactions.", -"Taxable", -"Taxes and Charges","Podatki i opłaty" -"Taxes and Charges Added", -"Taxes and Charges Added (Company Currency)", -"Taxes and Charges Calculation", -"Taxes and Charges Deducted", -"Taxes and Charges Deducted (Company Currency)", -"Taxes and Charges Total", -"Taxes and Charges Total (Company Currency)", -"Technology","Technologia" -"Telecommunications", -"Telephone Expenses", -"Television","Telewizja" -"Template for performance appraisals.", -"Template of terms or contract.", -"Temporary Accounts (Assets)", -"Temporary Accounts (Liabilities)", -"Temporary Assets", -"Temporary Liabilities", -"Term Details","Szczegóły warunków" -"Terms","Warunki" -"Terms and Conditions","Regulamin" -"Terms and Conditions Content","Zawartość regulaminu" -"Terms and Conditions Details","Szczegóły regulaminu" -"Terms and Conditions Template", -"Terms and Conditions1", -"Terretory","Terytorium" -"Territory","Terytorium" -"Territory / Customer", -"Territory Manager", -"Territory Name", -"Territory Target Variance Item Group-Wise", -"Territory Targets", -"Test", -"Test Email Id", -"Test the Newsletter", -"The BOM which will be replaced", -"The First User: You", -"The Item that represents the Package. This Item must have ""Is Stock Item"" as ""No"" and ""Is Sales Item"" as ""Yes""", -"The Organization", -"The account head under Liability, in which Profit/Loss will be booked", -"The date on which next invoice will be generated. It is generated on submit. -", -"The date on which recurring invoice will be stop", -"The day of the month on which auto invoice will be generated e.g. 05, 28 etc ", -"The day(s) on which you are applying for leave are holiday. You need not apply for leave.", -"The first Leave Approver in the list will be set as the default Leave Approver", -"The first user will become the System Manager (you can change that later).", -"The gross weight of the package. Usually net weight + packaging material weight. (for print)", -"The name of your company for which you are setting up this system.", -"The net weight of this package. (calculated automatically as sum of net weight of items)", -"The new BOM after replacement", -"The rate at which Bill Currency is converted into company's base currency", -"The unique id for tracking all recurring invoices. It is generated on submit.", -"There are more holidays than working days this month.", -"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""", -"There is not enough leave balance for Leave Type {0}", -"There is nothing to edit.", -"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.", -"There were errors.", -"This Currency is disabled. Enable to use in transactions", -"This Leave Application is pending approval. Only the Leave Apporver can update status.", -"This Time Log Batch has been billed.", -"This Time Log Batch has been cancelled.", -"This Time Log conflicts with {0}", -"This is a root account and cannot be edited.", -"This is a root customer group and cannot be edited.", -"This is a root item group and cannot be edited.", -"This is a root sales person and cannot be edited.", -"This is a root territory and cannot be edited.", -"This is an example website auto-generated from ERPNext", -"This is the number of the last created transaction with this prefix", -"This will be used for setting rule in HR module", -"Thread HTML", -"Thursday","Czwartek" -"Time Log", -"Time Log Batch", -"Time Log Batch Detail", -"Time Log Batch Details", -"Time Log Batch {0} must be 'Submitted'", -"Time Log for tasks.", -"Time Log {0} must be 'Submitted'", -"Time Zone", -"Time Zones", -"Time and Budget", -"Time at which items were delivered from warehouse", -"Time at which materials were received", -"Title", -"Titles for print templates e.g. Proforma Invoice.", -"To","Do" -"To Currency", -"To Date", -"To Date should be same as From Date for Half Day leave", -"To Discuss", -"To Do List", -"To Package No.", -"To Produce", -"To Time", -"To Value", -"To Warehouse","Do magazynu" -"To add child nodes, explore tree and click on the node under which you want to add more nodes.", -"To assign this issue, use the ""Assign"" button in the sidebar.", -"To create a Bank Account:", -"To create a Tax Account:", -"To create an Account Head under a different company, select the company and save customer.", -"To date cannot be before from date", -"To enable Point of Sale features", -"To enable Point of Sale view", -"To get Item Group in details table", -"To include tax in row {0} in Item rate, taxes in rows {1} must also be included", -"To merge, following properties must be same for both items", -"To report an issue, go to ", -"To set this Fiscal Year as Default, click on 'Set as Default'", -"To track any installation or commissioning related work after sales", -"To track brand name in the following documents Delivery Note, Opportunity, Material Request, Item, Purchase Order, Purchase Voucher, Purchaser Receipt, Quotation, Sales Invoice, Sales BOM, Sales Order, Serial No", -"To track item in sales and purchase documents based on their serial nos. This is can also used to track warranty details of the product.", -"To track items in sales and purchase documents with batch nos
Preferred Industry: Chemicals etc", -"To track items using barcode. You will be able to enter items in Delivery Note and Sales Invoice by scanning barcode of item.", -"Tools","Narzędzia" -"Total", -"Total Advance", -"Total Allocated Amount", -"Total Allocated Amount can not be greater than unmatched amount", -"Total Amount","Wartość całkowita" -"Total Amount To Pay", -"Total Amount in Words", -"Total Billing This Year: ", -"Total Claimed Amount", -"Total Commission", -"Total Cost","Koszt całkowity" -"Total Credit", -"Total Debit", -"Total Debit must be equal to Total Credit. The difference is {0}", -"Total Deduction", -"Total Earning", -"Total Experience", -"Total Hours", -"Total Hours (Expected)", -"Total Invoiced Amount", -"Total Leave Days", -"Total Leaves Allocated", -"Total Message(s)", -"Total Operating Cost","Całkowity koszt operacyjny" -"Total Points", -"Total Raw Material Cost","Całkowity koszt surowców" -"Total Sanctioned Amount", -"Total Score (Out of 5)", -"Total Tax (Company Currency)", -"Total Taxes and Charges", -"Total Taxes and Charges (Company Currency)", -"Total Words", -"Total Working Days In The Month", -"Total allocated percentage for sales team should be 100", -"Total amount of invoices received from suppliers during the digest period", -"Total amount of invoices sent to the customer during the digest period", -"Total cannot be zero", -"Total in words", -"Total points for all goals should be 100. It is {0}", -"Total weightage assigned should be 100%. It is {0}", -"Totals","Sumy całkowite" -"Track Leads by Industry Type.", -"Track this Delivery Note against any Project", -"Track this Sales Order against any Project", -"Transaction", -"Transaction Date","Data transakcji" -"Transaction not allowed against stopped Production Order {0}", -"Transfer", -"Transfer Material", -"Transfer Raw Materials", -"Transferred Qty", -"Transportation", -"Transporter Info","Informacje dotyczące przewoźnika" -"Transporter Name","Nazwa przewoźnika" -"Transporter lorry number","Nr ciężarówki przewoźnika" -"Travel","Podróż" -"Travel Expenses", -"Tree Type", -"Tree of Item Groups.", -"Tree of finanial Cost Centers.", -"Tree of finanial accounts.", -"Trial Balance", -"Tuesday","Wtorek" -"Type","Typ" -"Type of document to rename.", -"Type of leaves like casual, sick etc.", -"Types of Expense Claim.", -"Types of activities for Time Sheets", -"Types of employment (permanent, contract, intern etc.).", -"UOM Conversion Detail","Szczegóły konwersji JM" -"UOM Conversion Details","Współczynnik konwersji JM" -"UOM Conversion Factor", -"UOM Conversion factor is required in row {0}", -"UOM Name","Nazwa Jednostki Miary" -"UOM coversion factor required for UOM {0} in Item {1}", -"Under AMC", -"Under Graduate", -"Under Warranty", -"Unit","Jednostka" -"Unit of Measure","Jednostka miary" -"Unit of Measure {0} has been entered more than once in Conversion Factor Table", -"Unit of measurement of this item (e.g. Kg, Unit, No, Pair).","Jednostka miary tego produktu (np. Kg, jednostka, numer, para)." -"Units/Hour","Jednostka/godzinę" -"Units/Shifts", -"Unmatched Amount", -"Unpaid", -"Unscheduled", -"Unsecured Loans", -"Unstop", -"Unstop Material Request", -"Unstop Purchase Order", -"Unsubscribed", -"Update", -"Update Clearance Date", -"Update Cost", -"Update Finished Goods", -"Update Landed Cost", -"Update Series", -"Update Series Number", -"Update Stock", -"Update allocated amount in the above table and then click ""Allocate"" button", -"Update bank payment dates with journals.", -"Update clearance date of Journal Entries marked as 'Bank Vouchers'", -"Updated", -"Updated Birthday Reminders", -"Upload Attendance", -"Upload Backups to Dropbox", -"Upload Backups to Google Drive", -"Upload HTML", -"Upload a .csv file with two columns: the old name and the new name. Max 500 rows.", -"Upload attendance from a .csv file", -"Upload stock balance via csv.", -"Upload your letter head and logo - you can edit them later.", -"Upper Income", -"Urgent", -"Use Multi-Level BOM","Używaj wielopoziomowych zestawień materiałowych" -"Use SSL", -"User","Użytkownik" -"User ID", -"User ID not set for Employee {0}", -"User Name", -"User Name or Support Password missing. Please enter and try again.", -"User Remark", -"User Remark will be added to Auto Remark", -"User Remarks is mandatory", -"User Specific", -"User must always select", -"User {0} is already assigned to Employee {1}", -"User {0} is disabled", -"Username", -"Users with this role are allowed to create / modify accounting entry before frozen date", -"Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts", -"Utilities", -"Utility Expenses", -"Valid For Territories", -"Valid From", -"Valid Upto", -"Valid for Territories", -"Validate", -"Valuation", -"Valuation Method","Metoda wyceny" -"Valuation Rate", -"Valuation Rate required for Item {0}", -"Valuation and Total", -"Value", -"Value or Qty", -"Vehicle Dispatch Date", -"Vehicle No","Nr rejestracyjny pojazdu" -"Venture Capital", -"Verified By","Zweryfikowane przez" -"View Ledger", -"View Now", -"Visit report for maintenance call.", -"Voucher #", -"Voucher Detail No", -"Voucher ID", -"Voucher No", -"Voucher No is not valid", -"Voucher Type", -"Voucher Type and Date", -"Walk In", -"Warehouse","Magazyn" -"Warehouse Contact Info","Dane kontaktowe dla magazynu" -"Warehouse Detail","Szczegóły magazynu" -"Warehouse Name","Nazwa magazynu" -"Warehouse and Reference", -"Warehouse can not be deleted as stock ledger entry exists for this warehouse.", -"Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt", -"Warehouse cannot be changed for Serial No.", -"Warehouse is mandatory for stock Item {0} in row {1}", -"Warehouse is missing in Purchase Order", -"Warehouse not found in the system", -"Warehouse required for stock Item {0}", -"Warehouse required in POS Setting", -"Warehouse where you are maintaining stock of rejected items", -"Warehouse {0} can not be deleted as quantity exists for Item {1}", -"Warehouse {0} does not belong to company {1}", -"Warehouse {0} does not exist", -"Warehouse-Wise Stock Balance", -"Warehouse-wise Item Reorder", -"Warehouses","Magazyny" -"Warehouses.","Magazyny." -"Warn", -"Warning: Leave application contains following block dates", -"Warning: Material Requested Qty is less than Minimum Order Qty", -"Warning: Sales Order {0} already exists against same Purchase Order number", -"Warning: System will not check overbilling since amount for Item {0} in {1} is zero", -"Warranty / AMC Details", -"Warranty / AMC Status", -"Warranty Expiry Date","Data upływu gwarancji" -"Warranty Period (Days)","Okres gwarancji (dni)" -"Warranty Period (in days)","Okres gwarancji (w dniach)" -"We buy this Item", -"We sell this Item", -"Website","Strona internetowa" -"Website Description", -"Website Item Group", -"Website Item Groups", -"Website Settings", -"Website Warehouse", -"Wednesday","Środa" -"Weekly","Tygodniowo" -"Weekly Off", -"Weight UOM", -"Weight is mentioned,\nPlease mention ""Weight UOM"" too", -"Weightage", -"Weightage (%)", -"Welcome","Witamy" -"Welcome to ERPNext. Over the next few minutes we will help you setup your ERPNext account. Try and fill in as much information as you have even if it takes a bit longer. It will save you a lot of time later. Good Luck!", -"Welcome to ERPNext. Please select your language to begin the Setup Wizard.", -"What does it do?", -"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.", -"When submitted, the system creates difference entries to set the given stock and valuation on this date.", -"Where items are stored.","Gdzie produkty są przechowywane." -"Where manufacturing operations are carried out.","Gdzie prowadzona jest działalność produkcyjna." -"Widowed", -"Will be calculated automatically when you enter the details", -"Will be updated after Sales Invoice is Submitted.", -"Will be updated when batched.", -"Will be updated when billed.", -"Wire Transfer","Przelew" -"With Operations","Wraz z działaniami" -"With period closing entry", -"Work Details", -"Work Done", -"Work In Progress", -"Work-in-Progress Warehouse","Magazyn dla produkcji" -"Work-in-Progress Warehouse is required before Submit", -"Working", -"Workstation","Stacja robocza" -"Workstation Name","Nazwa stacji roboczej" -"Write Off Account", -"Write Off Amount", -"Write Off Amount <=", -"Write Off Based On", -"Write Off Cost Center", -"Write Off Outstanding Amount", -"Write Off Voucher", -"Wrong Template: Unable to find head row.", -"Year","Rok" -"Year Closed", -"Year End Date", -"Year Name", -"Year Start Date", -"Year Start Date and Year End Date are already set in Fiscal Year {0}", -"Year Start Date and Year End Date are not within Fiscal Year.", -"Year Start Date should not be greater than Year End Date", -"Year of Passing", -"Yearly","Rocznie" -"Yes","Tak" -"You are not authorized to add or update entries before {0}", -"You are not authorized to set Frozen value", -"You are the Expense Approver for this record. Please Update the 'Status' and Save", -"You are the Leave Approver for this record. Please Update the 'Status' and Save", -"You can enter any date manually", -"You can enter the minimum quantity of this item to be ordered.","Można wpisać minimalna ilość tego produktu, którą zamierza się zamawiać." -"You can not assign itself as parent account", -"You can not change rate if BOM mentioned agianst any item", -"You can not enter both Delivery Note No and Sales Invoice No. Please enter any one.", -"You can not enter current voucher in 'Against Journal Voucher' column", -"You can set Default Bank Account in Company master", -"You can start by selecting backup frequency and granting access for sync", -"You can submit this Stock Reconciliation.", -"You can update either Quantity or Valuation Rate or both.", -"You cannot credit and debit same account at the same time", -"You have entered duplicate items. Please rectify and try again.", -"You may need to update: {0}", -"You must Save the form before proceeding", -"You must allocate amount before reconcile", -"Your Customer's TAX registration numbers (if applicable) or any general information", -"Your Customers", -"Your Login Id", -"Your Products or Services", -"Your Suppliers", -"Your email address", -"Your financial year begins on", -"Your financial year ends on", -"Your sales person who will contact the customer in future", -"Your sales person will get a reminder on this date to contact the customer", -"Your setup is complete. Refreshing...", -"Your support email id - must be a valid email - this is where your emails will come!", -"[Select]", -"`Freeze Stocks Older Than` should be smaller than %d days.", -"and", -"are not allowed.", -"assigned by", -"e.g. ""Build tools for builders""", -"e.g. ""MC""", -"e.g. ""My Company LLC""", -"e.g. 5", -"e.g. Bank, Cash, Credit Card", -"e.g. Kg, Unit, Nos, m", -"e.g. VAT", -"eg. Cheque Number", -"example: Next Day Shipping", -"lft", -"old_parent", -"rgt", -"website page link", -"{0} '{1}' not in Fiscal Year {2}", -"{0} Credit limit {0} crossed", -"{0} Serial Numbers required for Item {0}. Only {0} provided.", -"{0} budget for Account {1} against Cost Center {2} will exceed by {3}", -"{0} created", -"{0} does not belong to Company {1}", -"{0} entered twice in Item Tax", -"{0} is an invalid email address in 'Notification Email Address'", -"{0} is mandatory", -"{0} is mandatory for Item {1}", -"{0} is not a stock Item", -"{0} is not a valid Batch Number for Item {1}", -"{0} is not a valid Leave Approver", -"{0} is not a valid email id", -"{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.", -"{0} is required", -"{0} must be a Purchased or Sub-Contracted Item in row {1}", -"{0} must be less than or equal to {1}", -"{0} must have role 'Leave Approver'", -"{0} valid serial nos for Item {1}", -"{0} {1} against Bill {2} dated {3}", -"{0} {1} against Invoice {2}", -"{0} {1} has already been submitted", -"{0} {1} has been modified. Please Refresh", -"{0} {1} has been modified. Please refresh", -"{0} {1} has been modified. Please refresh.", -"{0} {1} is not submitted", -"{0} {1} must be submitted", -"{0} {1} not in any Fiscal Year", -"{0} {1} status is 'Stopped'", -"{0} {1} status is Stopped", -"{0} {1} status is Unstopped", + (Half Day), (Pół dnia) + and year: ,i rok: +""" does not exists",""" nie istnieje" +% Delivered,% dostarczonych +% Amount Billed,% wartości rozliczonej +% Billed,% rozliczonych +% Completed,% zamkniętych +% Delivered,% dostarczonych +% Installed,% Zainstalowanych +% Received,% Otrzymanych +% of materials billed against this Purchase Order.,% materiałów rozliczonych w ramach zamówienia +% of materials billed against this Sales Order,% materiałów rozliczonych w ramach zlecenia sprzedaży +% of materials delivered against this Delivery Note,% materiałów dostarczonych w stosunku do dowodu dostawy +% of materials delivered against this Sales Order,% materiałów dostarczonych w ramach zlecenia sprzedaży +% of materials ordered against this Material Request,% materiałów zamówionych w stosunku do zapytania o materiały +% of materials received against this Purchase Order,% materiałów otrzymanych w ramach zamówienia +%(conversion_rate_label)s is mandatory. Maybe Currency Exchange record is not created for %(from_currency)s to %(to_currency)s,% ( conversion_rate_label )s jest obowiązkowa. Może rekord wymiany waluty nie jest stworzony dla wymiany %(from_currency )s na %(to_currency )s +'Actual Start Date' can not be greater than 'Actual End Date', +'Based On' and 'Group By' can not be same, +'Days Since Last Order' must be greater than or equal to zero, +'Entries' cannot be empty, +'Expected Start Date' can not be greater than 'Expected End Date', +'From Date' is required,“Data od” jest wymagana +'From Date' must be after 'To Date', +'Has Serial No' can not be 'Yes' for non-stock item, +'Notification Email Addresses' not specified for recurring invoice, +'Profit and Loss' type account {0} not allowed in Opening Entry, +'To Case No.' cannot be less than 'From Case No.', +'To Date' is required, +'Update Stock' for Sales Invoice {0} must be set, +* Will be calculated in the transaction., +1 Currency = [?] FractionFor e.g. 1 USD = 100 Cent, +1. To maintain the customer wise item code and to make them searchable based on their code use this option, +"Add / Edit", +"Add / Edit", +"Add / Edit", +A Customer Group exists with same name please change the Customer name or rename the Customer Group, +A Customer exists with same name, +A Lead with this email id should exist, +A Product or Service,Produkt lub usługa +A Supplier exists with same name, +A symbol for this currency. For e.g. $, +AMC Expiry Date, +Abbr, +Abbreviation cannot have more than 5 characters, +About, +Above Value, +Absent,Nieobecny +Acceptance Criteria,Kryteria akceptacji +Accepted, +Accepted + Rejected Qty must be equal to Received quantity for Item {0}, +Accepted Quantity, +Accepted Warehouse, +Account,Konto +Account Balance,Bilans konta +Account Created: {0}, +Account Details,Szczegóły konta +Account Head, +Account Name,Nazwa konta +Account Type, +Account for the warehouse (Perpetual Inventory) will be created under this Account., +Account head {0} created, +Account must be a balance sheet account, +Account with child nodes cannot be converted to ledger, +Account with existing transaction can not be converted to group., +Account with existing transaction can not be deleted, +Account with existing transaction cannot be converted to ledger, +Account {0} cannot be a Group, +Account {0} does not belong to Company {1}, +Account {0} does not exist, +Account {0} has been entered more than once for fiscal year {1}, +Account {0} is frozen, +Account {0} is inactive, +Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item, +Account: {0} can only be updated via \ Stock Transactions, +Accountant,Księgowy +Accounting,Księgowość +"Accounting Entries can be made against leaf nodes, called", +"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.", +Accounting journal entries., +Accounts,Księgowość +Accounts Browser, +Accounts Frozen Upto, +Accounts Payable, +Accounts Receivable, +Accounts Settings, +Active,Aktywny +Active: Will extract emails from , +Activity,Aktywność +Activity Log,Dziennik aktywności +Activity Log:,Dziennik aktywności: +Activity Type,Rodzaj aktywności +Actual,Właściwy +Actual Budget, +Actual Completion Date, +Actual Date, +Actual End Date, +Actual Invoice Date, +Actual Posting Date, +Actual Qty, +Actual Qty (at source/target), +Actual Qty After Transaction, +Actual Qty: Quantity available in the warehouse., +Actual Quantity, +Actual Start Date, +Add,Dodaj +Add / Edit Taxes and Charges, +Add Child, +Add Serial No, +Add Taxes, +Add Taxes and Charges,Dodaj podatki i opłaty +Add or Deduct, +Add rows to set annual budgets on Accounts., +Add to Cart, +Add to calendar on this date, +Add/Remove Recipients, +Address,Adres +Address & Contact,Adres i kontakt +Address & Contacts,Adres i kontakty +Address Desc,Opis adresu +Address Details,Szczegóły adresu +Address HTML,Adres HTML +Address Line 1, +Address Line 2, +Address Title, +Address Title is mandatory., +Address Type, +Address master., +Administrative Expenses, +Administrative Officer, +Advance Amount, +Advance amount, +Advances, +Advertisement,Reklama +Advertising,Reklamowanie +Aerospace, +After Sale Installations, +Against, +Against Account, +Against Bill {0} dated {1}, +Against Docname, +Against Doctype, +Against Document Detail No, +Against Document No, +Against Entries, +Against Expense Account, +Against Income Account, +Against Journal Voucher, +Against Journal Voucher {0} does not have any unmatched {1} entry, +Against Purchase Invoice, +Against Sales Invoice, +Against Sales Order, +Against Voucher, +Against Voucher Type, +Ageing Based On, +Ageing Date is mandatory for opening entry, +Ageing date is mandatory for opening entry, +Agent, +Aging Date, +Aging Date is mandatory for opening entry, +Agriculture, +Airline, +All Addresses.,Wszystkie adresy +All Contact, +All Contacts.,Wszystkie kontakty. +All Customer Contact, +All Customer Groups, +All Day, +All Employee (Active), +All Item Groups, +All Lead (Open), +All Products or Services.,Wszystkie produkty i usługi. +All Sales Partner Contact, +All Sales Person, +All Supplier Contact, +All Supplier Types, +All Territories, +"All export related fields like currency, conversion rate, export total, export grand total etc are available in Delivery Note, POS, Quotation, Sales Invoice, Sales Order etc.", +"All import related fields like currency, conversion rate, import total, import grand total etc are available in Purchase Receipt, Supplier Quotation, Purchase Invoice, Purchase Order etc.", +All items have already been invoiced, +All items have already been transferred for this Production Order., +All these items have already been invoiced, +Allocate, +Allocate Amount Automatically, +Allocate leaves for a period., +Allocate leaves for the year., +Allocated Amount, +Allocated Budget, +Allocated amount, +Allocated amount can not be negative, +Allocated amount can not greater than unadusted amount, +Allow Bill of Materials,Zezwól na zestawienie materiałowe +Allow Bill of Materials should be 'Yes'. Because one or many active BOMs present for this item, +Allow Children, +Allow Dropbox Access, +Allow Google Drive Access, +Allow Negative Balance, +Allow Negative Stock, +Allow Production Order, +Allow User, +Allow Users, +Allow the following users to approve Leave Applications for block days., +Allow user to edit Price List Rate in transactions, +Allowance Percent,Dopuszczalny procent +Allowance for over-delivery / over-billing crossed for Item {0}, +Allowed Role to Edit Entries Before Frozen Date, +Amended From, +Amount,Wartość +Amount (Company Currency), +Amount <=, +Amount >=, +Amount to Bill, +An Customer exists with same name, +"An Item Group exists with same name, please change the item name or rename the item group", +"An item exists with same name ({0}), please change the item group name or rename the item", +Analyst, +Annual,Roczny +Another Period Closing Entry {0} has been made after {1}, +Another Salary Structure {0} is active for employee {0}. Please make its status 'Inactive' to proceed., +"Any other comments, noteworthy effort that should go in the records.", +Apparel & Accessories, +Applicability, +Applicable For, +Applicable Holiday List, +Applicable Territory, +Applicable To (Designation), +Applicable To (Employee), +Applicable To (Role), +Applicable To (User), +Applicant Name, +Applicant for a Job., +Application of Funds (Assets), +Applications for leave., +Applies to Company, +Apply On, +Appraisal, +Appraisal Goal, +Appraisal Goals, +Appraisal Template, +Appraisal Template Goal, +Appraisal Template Title, +Appraisal {0} created for Employee {1} in the given date range, +Apprentice, +Approval Status, +Approval Status must be 'Approved' or 'Rejected', +Approved, +Approver, +Approving Role, +Approving Role cannot be same as role the rule is Applicable To, +Approving User, +Approving User cannot be same as user the rule is Applicable To, +Are you sure you want to STOP , +Are you sure you want to UNSTOP , +Arrear Amount, +"As Production Order can be made for this item, it must be a stock item.", +As per Stock UOM, +"As there are existing stock transactions for this item, you can not change the values of 'Has Serial No', 'Is Stock Item' and 'Valuation Method'", +Asset,Składnik aktywów +Assistant,Asystent +Associate, +Atleast one warehouse is mandatory, +Attach Image,Dołącz obrazek +Attach Letterhead, +Attach Logo, +Attach Your Picture, +Attendance, +Attendance Date, +Attendance Details, +Attendance From Date, +Attendance From Date and Attendance To Date is mandatory, +Attendance To Date, +Attendance can not be marked for future dates, +Attendance for employee {0} is already marked, +Attendance record., +Authorization Control, +Authorization Rule, +Auto Accounting For Stock Settings, +Auto Material Request, +Auto-raise Material Request if quantity goes below re-order level in a warehouse,Automatycznie twórz Zamówienie Produktu jeśli ilość w magazynie spada poniżej poziomu dla ponownego zamówienia +Automatically compose message on submission of transactions., +Automatically extract Job Applicants from a mail box , +Automatically extract Leads from a mail box e.g., +Automatically updated via Stock Entry of type Manufacture/Repack, +Automotive, +Autoreply when a new mail is received, +Available,Dostępny +Available Qty at Warehouse,Ilość dostępna w magazynie +Available Stock for Packing Items, +"Available in BOM, Delivery Note, Purchase Invoice, Production Order, Purchase Order, Purchase Receipt, Sales Invoice, Sales Order, Stock Entry, Timesheet", +Average Age, +Average Commission Rate, +Average Discount, +Awesome Products, +Awesome Services, +BOM Detail No, +BOM Explosion Item, +BOM Item, +BOM No,Nr zestawienia materiałowego +BOM No. for a Finished Good Item, +BOM Operation, +BOM Operations, +BOM Replace Tool, +BOM number is required for manufactured Item {0} in row {1}, +BOM number not allowed for non-manufactured Item {0} in row {1}, +BOM recursion: {0} cannot be parent or child of {2}, +BOM replaced, +BOM {0} for Item {1} in row {2} is inactive or not submitted, +BOM {0} is not active or not submitted, +BOM {0} is not submitted or inactive BOM for Item {1}, +Backup Manager, +Backup Right Now, +Backups will be uploaded to, +Balance Qty, +Balance Sheet, +Balance Value, +Balance for Account {0} must always be {1}, +Balance must be, +"Balances of Accounts of type ""Bank"" or ""Cash""", +Bank, +Bank A/C No., +Bank Account,Konto bankowe +Bank Account No.,Nr konta bankowego +Bank Accounts,Konta bankowe +Bank Clearance Summary, +Bank Draft, +Bank Name,Nazwa banku +Bank Overdraft Account, +Bank Reconciliation, +Bank Reconciliation Detail, +Bank Reconciliation Statement, +Bank Voucher, +Bank/Cash Balance, +Banking, +Barcode,Kod kreskowy +Barcode {0} already used in Item {1}, +Based On,Bazujący na +Basic,Podstawowy +Basic Info,Informacje podstawowe +Basic Information, +Basic Rate, +Basic Rate (Company Currency), +Batch, +Batch (lot) of an Item.,Batch (lot) produktu. +Batch Finished Date,Data zakończenia lotu +Batch ID,Identyfikator lotu +Batch No,Nr lotu +Batch Started Date,Data rozpoczęcia lotu +Batch Time Logs for billing., +Batch-Wise Balance History, +Batched for Billing, +Better Prospects, +Bill Date, +Bill No, +Bill No {0} already booked in Purchase Invoice {1}, +Bill of Material,Zestawienie materiałowe +Bill of Material to be considered for manufacturing, +Bill of Materials (BOM),Zestawienie materiałowe (BOM) +Billable, +Billed, +Billed Amount, +Billed Amt, +Billing, +Billing Address, +Billing Address Name, +Billing Status, +Bills raised by Suppliers., +Bills raised to Customers., +Bin, +Bio, +Biotechnology, +Birthday,Urodziny +Block Date, +Block Days, +Block leave applications by department., +Blog Post, +Blog Subscriber, +Blood Group, +Both Warehouse must belong to same Company, +Box, +Branch, +Brand,Marka +Brand Name,Nazwa marki +Brand master., +Brands,Marki +Breakdown, +Broadcasting, +Brokerage, +Budget,Budżet +Budget Allocated, +Budget Detail, +Budget Details, +Budget Distribution, +Budget Distribution Detail, +Budget Distribution Details, +Budget Variance Report, +Budget cannot be set for Group Cost Centers, +Build Report, +Built on, +Bundle items at time of sale., +Business Development Manager, +Buying,Zakupy +Buying & Selling,Zakupy i sprzedaż +Buying Amount, +Buying Settings, +C-Form, +C-Form Applicable, +C-Form Invoice Detail, +C-Form No, +C-Form records, +Calculate Based On, +Calculate Total Score, +Calendar Events, +Call, +Calls, +Campaign,Kampania +Campaign Name, +Campaign Name is required, +Campaign Naming By, +Campaign-.####, +Can be approved by {0}, +"Can not filter based on Account, if grouped by Account", +"Can not filter based on Voucher No, if grouped by Voucher", +Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total', +Cancel Material Visit {0} before cancelling this Customer Issue, +Cancel Material Visits {0} before cancelling this Maintenance Visit, +Cancelled, +Cancelling this Stock Reconciliation will nullify its effect., +Cannot Cancel Opportunity as Quotation Exists, +Cannot approve leave as you are not authorized to approve leaves on Block Dates, +Cannot cancel because Employee {0} is already approved for {1}, +Cannot cancel because submitted Stock Entry {0} exists, +Cannot carry forward {0}, +Cannot change Year Start Date and Year End Date once the Fiscal Year is saved., +"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.", +Cannot convert Cost Center to ledger as it has child nodes, +Cannot covert to Group because Master Type or Account Type is selected., +Cannot deactive or cancle BOM as it is linked with other BOMs, +"Cannot declare as lost, because Quotation has been made.", +Cannot deduct when category is for 'Valuation' or 'Valuation and Total', +"Cannot delete Serial No {0} in stock. First remove from stock, then delete.", +"Cannot directly set amount. For 'Actual' charge type, use the rate field", +"Cannot overbill for Item {0} in row {0} more than {1}. To allow overbilling, please set in 'Setup' > 'Global Defaults'", +Cannot produce more Item {0} than Sales Order quantity {1}, +Cannot refer row number greater than or equal to current row number for this Charge type, +Cannot return more than {0} for Item {1}, +Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row, +Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for valuation. You can select only 'Total' option for previous row amount or previous row total, +Cannot set as Lost as Sales Order is made., +Cannot set authorization on basis of Discount for {0}, +Capacity, +Capacity Units, +Capital Account, +Capital Equipments, +Carry Forward, +Carry Forwarded Leaves, +Case No(s) already in use. Try from Case No {0}, +Case No. cannot be 0, +Cash,Gotówka +Cash In Hand, +Cash Voucher, +Cash or Bank Account is mandatory for making payment entry, +Cash/Bank Account, +Casual Leave, +Cell Number, +Change UOM for an Item., +Change the starting / current sequence number of an existing series., +Channel Partner, +Charge of type 'Actual' in row {0} cannot be included in Item Rate, +Chargeable, +Charity and Donations, +Chart Name, +Chart of Accounts, +Chart of Cost Centers, +Check how the newsletter looks in an email by sending it to your email., +"Check if recurring invoice, uncheck to stop recurring or put proper End Date", +"Check if you need automatic recurring invoices. After submitting any sales invoice, Recurring section will be visible.", +Check if you want to send salary slip in mail to each employee while submitting salary slip, +Check this if you want to force the user to select a series before saving. There will be no default if you check this., +Check this if you want to show in website, +Check this to disallow fractions. (for Nos), +Check this to pull emails from your mailbox, +Check to activate, +Check to make Shipping Address, +Check to make primary address, +Chemical, +Cheque, +Cheque Date, +Cheque Number, +Child account exists for this account. You can not delete this account., +City,Miasto +City/Town,Miasto/Miejscowość +Claim Amount, +Claims for company expense., +Class / Percentage, +Classic,Klasyczny +Clear Table, +Clearance Date, +Clearance Date not mentioned, +Clearance date cannot be before check date in row {0}, +Click on 'Make Sales Invoice' button to create a new Sales Invoice., +Click on a link to get options to expand get options , +Client, +Close Balance Sheet and book Profit or Loss., +Closed, +Closing Account Head, +Closing Account {0} must be of type 'Liability', +Closing Date, +Closing Fiscal Year, +Closing Qty, +Closing Value, +CoA Help, +Code,Kod +Cold Calling, +Color,Kolor +Comma separated list of email addresses, +Comments,Komentarze +Commercial, +Commission,Prowizja +Commission Rate, +Commission Rate (%), +Commission on Sales, +Commission rate cannot be greater than 100, +Communication,Komunikacja +Communication HTML, +Communication History,Historia komunikacji +Communication log., +Communications, +Company,Firma +Company (not Customer or Supplier) master., +Company Abbreviation,Nazwa skrótowa firmy +Company Details,Szczegóły firmy +Company Email,Email do firmy +"Company Email ID not found, hence mail not sent", +Company Info,Informacje o firmie +Company Name,Nazwa firmy +Company Settings,Ustawienia firmy +Company is missing in warehouses {0}, +Company is required, +Company registration numbers for your reference. Example: VAT Registration Numbers etc., +Company registration numbers for your reference. Tax numbers etc., +"Company, Month and Fiscal Year is mandatory", +Compensatory Off, +Complete, +Complete Setup, +Completed, +Completed Production Orders, +Completed Qty, +Completion Date, +Completion Status, +Computer,Komputer +Computers,Komputery +Confirmation Date,Data potwierdzenia +Confirmed orders from Customers., +Consider Tax or Charge for, +Considered as Opening Balance, +Considered as an Opening Balance, +Consultant,Konsultant +Consulting,Konsulting +Consumable, +Consumable Cost, +Consumable cost per hour, +Consumed Qty, +Consumer Products, +Contact,Kontakt +Contact Control, +Contact Desc, +Contact Details, +Contact Email, +Contact HTML, +Contact Info,Dane kontaktowe +Contact Mobile No, +Contact Name,Nazwa kontaktu +Contact No., +Contact Person, +Contact Type, +Contact master., +Contacts,Kontakty +Content,Zawartość +Content Type, +Contra Voucher, +Contract,Kontrakt +Contract End Date, +Contract End Date must be greater than Date of Joining, +Contribution (%), +Contribution to Net Total, +Conversion Factor, +Conversion Factor is required, +Conversion factor cannot be in fractions, +Conversion factor for default Unit of Measure must be 1 in row {0}, +Conversion rate cannot be 0 or 1, +Convert into Recurring Invoice, +Convert to Group, +Convert to Ledger, +Converted, +Copy From Item Group, +Cosmetics, +Cost Center, +Cost Center Details, +Cost Center Name, +Cost Center is mandatory for Item {0}, +Cost Center is required for 'Profit and Loss' account {0}, +Cost Center is required in row {0} in Taxes table for type {1}, +Cost Center with existing transactions can not be converted to group, +Cost Center with existing transactions can not be converted to ledger, +Cost Center {0} does not belong to Company {1}, +Cost of Goods Sold, +Costing,Zestawienie kosztów +Country,Kraj +Country Name,Nazwa kraju +"Country, Timezone and Currency", +Create Bank Voucher for the total salary paid for the above selected criteria, +Create Customer, +Create Material Requests, +Create New, +Create Opportunity, +Create Production Orders, +Create Quotation, +Create Receiver List, +Create Salary Slip, +Create Stock Ledger Entries when you submit a Sales Invoice, +"Create and manage daily, weekly and monthly email digests.", +Create rules to restrict transactions based on values., +Created By, +Creates salary slip for above mentioned criteria., +Creation Date,Data stworzenia +Creation Document No, +Creation Document Type, +Creation Time,Czas stworzenia +Credentials, +Credit, +Credit Amt, +Credit Card, +Credit Card Voucher, +Credit Controller, +Credit Days, +Credit Limit, +Credit Note, +Credit To, +Currency, +Currency Exchange, +Currency Name, +Currency Settings, +Currency and Price List,Waluta i cennik +Currency exchange rate master., +Current Address, +Current Address Is, +Current Assets, +Current BOM, +Current BOM and New BOM can not be same, +Current Fiscal Year, +Current Liabilities, +Current Stock, +Current Stock UOM, +Current Value, +Custom, +Custom Autoreply Message, +Custom Message, +Customer,Klient +Customer (Receivable) Account, +Customer / Item Name, +Customer / Lead Address, +Customer / Lead Name, +Customer Account Head, +Customer Acquisition and Loyalty, +Customer Address,Adres klienta +Customer Addresses And Contacts, +Customer Code, +Customer Codes, +Customer Details, +Customer Feedback, +Customer Group, +Customer Group / Customer, +Customer Group Name, +Customer Intro, +Customer Issue, +Customer Issue against Serial No., +Customer Name,Nazwa klienta +Customer Naming By, +Customer Service, +Customer database.,Baza danych klientów. +Customer is required, +Customer master., +Customer required for 'Customerwise Discount', +Customer {0} does not belong to project {1}, +Customer {0} does not exist, +Customer's Item Code, +Customer's Purchase Order Date, +Customer's Purchase Order No, +Customer's Purchase Order Number, +Customer's Vendor, +Customers Not Buying Since Long Time, +Customerwise Discount, +Customize, +Customize the Notification, +Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text., +DN Detail, +Daily, +Daily Time Log Summary, +Database Folder ID, +Database of potential customers.,Baza danych potencjalnych klientów. +Date,Data +Date Format,Format daty +Date Of Retirement, +Date Of Retirement must be greater than Date of Joining, +Date is repeated, +Date of Birth, +Date of Issue, +Date of Joining, +Date of Joining must be greater than Date of Birth, +Date on which lorry started from supplier warehouse, +Date on which lorry started from your warehouse, +Dates, +Days Since Last Order, +Days for which Holidays are blocked for this department., +Dealer, +Debit, +Debit Amt, +Debit Note, +Debit To, +Debit and Credit not equal for this voucher. Difference is {0}., +Deduct, +Deduction, +Deduction Type, +Deduction1, +Deductions, +Default, +Default Account, +Default BOM, +Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected., +Default Bank Account, +Default Buying Cost Center, +Default Buying Price List, +Default Cash Account, +Default Company, +Default Cost Center for tracking expense for this item., +Default Currency,Domyślna waluta +Default Customer Group, +Default Expense Account, +Default Income Account, +Default Item Group, +Default Price List, +Default Purchase Account in which cost of the item will be debited., +Default Selling Cost Center, +Default Settings, +Default Source Warehouse,Domyślny źródłowy magazyn +Default Stock UOM, +Default Supplier,Domyślny dostawca +Default Supplier Type, +Default Target Warehouse,Domyślny magazyn docelowy +Default Territory, +Default Unit of Measure,Domyślna jednostka miary +"Default Unit of Measure can not be changed directly because you have already made some transaction(s) with another UOM. To change default UOM, use 'UOM Replace Utility' tool under Stock module.", +Default Valuation Method, +Default Warehouse,Domyślny magazyn +Default Warehouse is mandatory for stock Item., +Default settings for accounting transactions., +Default settings for buying transactions., +Default settings for selling transactions., +Default settings for stock transactions., +Defense, +"Define Budget for this Cost Center. To set budget action, see Company Master",Setup +Delete,Usuń +Delete {0} {1}?, +Delivered, +Delivered Items To Be Billed, +Delivered Qty, +Delivered Serial No {0} cannot be deleted, +Delivery Date,Data dostawy +Delivery Details,Szczegóły dostawy +Delivery Document No,Nr dokumentu dostawy +Delivery Document Type,Typ dokumentu dostawy +Delivery Note,Dowód dostawy +Delivery Note Item, +Delivery Note Items, +Delivery Note Message, +Delivery Note No,Nr dowodu dostawy +Delivery Note Required, +Delivery Note Trends, +Delivery Note {0} is not submitted, +Delivery Note {0} must not be submitted, +Delivery Notes {0} must be cancelled before cancelling this Sales Order, +Delivery Status,Status dostawy +Delivery Time,Czas dostawy +Delivery To,Dostawa do +Department, +Department Stores, +Depends on LWP, +Depreciation, +Description,Opis +Description HTML,Opis HTML +Designation, +Designer, +Detailed Breakup of the totals, +Details, +Difference (Dr - Cr), +Difference Account, +"Difference Account must be a 'Liability' type account, since this Stock Reconciliation is an Opening Entry", +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., +Direct Expenses, +Direct Income, +Disable, +Disable Rounded Total, +Disabled,Nieaktywny +Discount %,Rabat % +Discount %,Rabat % +Discount (%),Rabat (%) +Discount Amount,Wartość rabatu +"Discount Fields will be available in Purchase Order, Purchase Receipt, Purchase Invoice", +Discount Percentage,Procent rabatu +Discount must be less than 100, +Discount(%),Rabat (%) +Dispatch, +Display all the individual items delivered with the main items, +Distribute transport overhead across items., +Distribution, +Distribution Id, +Distribution Name, +Distributor,Dystrybutor +Divorced, +Do Not Contact, +Do not show any symbol like $ etc next to currencies., +Do really want to unstop production order: , +Do you really want to STOP , +Do you really want to STOP this Material Request?, +Do you really want to Submit all Salary Slip for month {0} and year {1}, +Do you really want to UNSTOP , +Do you really want to UNSTOP this Material Request?, +Do you really want to stop production order: , +Doc Name, +Doc Type, +Document Description, +Document Type, +Documents,Dokumenty +Domain,Domena +Don't send Employee Birthday Reminders, +Download Materials Required, +Download Reconcilation Data, +Download Template, +Download a report containing all raw materials with their latest inventory status, +"Download the Template, fill appropriate data and attach the modified file.", +"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", +Draft,Szkic +Dropbox, +Dropbox Access Allowed, +Dropbox Access Key, +Dropbox Access Secret, +Due Date, +Due Date cannot be after {0}, +Due Date cannot be before Posting Date, +Duplicate Entry. Please check Authorization Rule {0}, +Duplicate Serial No entered for Item {0}, +Duplicate entry, +Duplicate row {0} with same {1}, +Duties and Taxes, +ERPNext Setup, +Earliest, +Earnest Money, +Earning, +Earning & Deduction, +Earning Type, +Earning1, +Edit,Edytuj +Education, +Educational Qualification, +Educational Qualification Details, +Eg. smsgateway.com/api/send_sms.cgi, +Either debit or credit amount is required for {0}, +Either target qty or target amount is mandatory, +Either target qty or target amount is mandatory., +Electrical, +Electricity Cost,Koszt energii elekrycznej +Electricity cost per hour,Koszt energii elektrycznej na godzinę +Electronics, +Email, +Email Digest, +Email Digest Settings, +Email Digest: , +Email Id, +"Email Id where a job applicant will email e.g. ""jobs@example.com""", +Email Notifications, +Email Sent?, +"Email id must be unique, already exists for {0}", +Email ids separated by commas., +"Email settings to extract Leads from sales email id e.g. ""sales@example.com""", +Emergency Contact, +Emergency Contact Details, +Emergency Phone, +Employee,Pracownik +Employee Birthday,Data urodzenia pracownika +Employee Details, +Employee Education,Wykształcenie pracownika +Employee External Work History, +Employee Information, +Employee Internal Work History, +Employee Internal Work Historys, +Employee Leave Approver, +Employee Leave Balance, +Employee Name, +Employee Number, +Employee Records to be created by, +Employee Settings, +Employee Type, +"Employee designation (e.g. CEO, Director etc.).", +Employee master., +Employee record is created using selected field. , +Employee records., +Employee relieved on {0} must be set as 'Left', +Employee {0} has already applied for {1} between {2} and {3}, +Employee {0} is not active or does not exist, +Employee {0} was on leave on {1}. Cannot mark attendance., +Employees Email Id, +Employment Details, +Employment Type, +Enable / disable currencies., +Enabled,Włączony +Encashment Date, +End Date, +End Date can not be less than Start Date, +End date of current invoice's period, +End of Life,Zakończenie okresu eksploatacji +Energy,Energia +Engineer,Inżynier +Enter Verification Code, +Enter campaign name if the source of lead is campaign., +Enter department to which this Contact belongs, +Enter designation of this Contact, +"Enter email id separated by commas, invoice will be mailed automatically on particular date", +Enter items and planned qty for which you want to raise production orders or download raw materials for analysis., +Enter name of campaign if source of enquiry is campaign, +"Enter static url parameters here (Eg. sender=ERPNext, username=ERPNext, password=1234 etc.)", +Enter the company name under which Account Head will be created for this Supplier, +Enter url parameter for message, +Enter url parameter for receiver nos, +Entertainment & Leisure, +Entertainment Expenses, +Entries, +Entries against, +Entries are not allowed against this Fiscal Year if the year is closed., +Entries before {0} are frozen, +Equity, +Error: {0} > {1}, +Estimated Material Cost, +Everyone can read, +"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.", +Exchange Rate, +Excise Page Number, +Excise Voucher, +Execution, +Executive Search, +Exemption Limit, +Exhibition, +Existing Customer, +Exit,Wyjście +Exit Interview Details, +Expected,Przewidywany +Expected Completion Date can not be less than Project Start Date, +Expected Date cannot be before Material Request Date, +Expected Delivery Date, +Expected Delivery Date cannot be before Purchase Order Date, +Expected Delivery Date cannot be before Sales Order Date, +Expected End Date, +Expected Start Date, +Expense, +Expense Account, +Expense Account is mandatory, +Expense Claim, +Expense Claim Approved, +Expense Claim Approved Message, +Expense Claim Detail, +Expense Claim Details, +Expense Claim Rejected, +Expense Claim Rejected Message, +Expense Claim Type, +Expense Claim has been approved., +Expense Claim has been rejected., +Expense Claim is pending approval. Only the Expense Approver can update status., +Expense Date, +Expense Details, +Expense Head, +Expense account is mandatory for item {0}, +Expense or Difference account is mandatory for Item {0} as it impacts overall stock value, +Expenses,Wydatki +Expenses Booked, +Expenses Included In Valuation, +Expenses booked for the digest period, +Expiry Date,Data ważności +Exports, +External, +Extract Emails, +FCFS Rate, +Failed: , +Family Background, +Fax,Faks +Features Setup, +Feed, +Feed Type, +Feedback, +Female, +Fetch exploded BOM (including sub-assemblies), +"Field available in Delivery Note, Quotation, Sales Invoice, Sales Order", +Files Folder ID, +Fill the form and save it, +Filter based on customer, +Filter based on item, +Financial / accounting year., +Financial Analytics, +Financial Services, +Financial Year End Date, +Financial Year Start Date, +Finished Goods, +First Name, +First Responded On, +Fiscal Year,Rok obrotowy +Fixed Asset, +Fixed Assets, +Follow via Email, +"Following table will show values if items are sub - contracted. These values will be fetched from the master of ""Bill of Materials"" of sub - contracted items.", +Food,Żywność +"Food, Beverage & Tobacco", +For Company,Dla firmy +For Employee,Dla pracownika +For Employee Name, +For Price List, +For Production, +For Reference Only.,Wyłącznie w celach informacyjnych. +For Sales Invoice, +For Server Side Print Formats, +For Supplier,Dla dostawcy +For Warehouse,Dla magazynu +For Warehouse is required before Submit, +"For e.g. 2012, 2012-13", +For reference, +For reference only., +"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes", +Fraction, +Fraction Units, +Freeze Stock Entries, +Freeze Stocks Older Than [Days], +Freight and Forwarding Charges, +Friday,Piątek +From,Od +From Bill of Materials,Z zestawienia materiałowego +From Company, +From Currency, +From Currency and To Currency cannot be same, +From Customer, +From Customer Issue, +From Date, +From Date must be before To Date, +From Delivery Note, +From Employee, +From Lead, +From Maintenance Schedule, +From Material Request, +From Opportunity, +From Package No., +From Purchase Order, +From Purchase Receipt, +From Quotation, +From Sales Order, +From Supplier Quotation, +From Time, +From Value, +From and To dates required, +From value must be less than to value in row {0}, +Frozen, +Frozen Accounts Modifier, +Fulfilled, +Full Name, +Full-time, +Fully Completed, +Furniture and Fixture, +Further accounts can be made under Groups but entries can be made against Ledger, +"Further accounts can be made under Groups, but entries can be made against Ledger", +Further nodes can be only created under 'Group' type nodes, +GL Entry, +Gantt Chart, +Gantt chart of all tasks., +Gender, +General, +General Ledger, +Generate Description HTML,Generuj opis HTML +Generate Material Requests (MRP) and Production Orders., +Generate Salary Slips, +Generate Schedule, +Generates HTML to include selected image in the description,Generuje HTML zawierający wybrany obrazek w opisie +Get Advances Paid, +Get Advances Received, +Get Against Entries, +Get Current Stock,Pobierz aktualny stan magazynowy +Get Items,Pobierz produkty +Get Items From Sales Orders, +Get Items from BOM,Weź produkty z zestawienia materiałowego +Get Last Purchase Rate, +Get Outstanding Invoices, +Get Relevant Entries, +Get Sales Orders, +Get Specification Details,Pobierz szczegóły specyfikacji +Get Stock and Rate,Pobierz stan magazynowy i stawkę +Get Template, +Get Terms and Conditions, +Get Weekly Off Dates, +"Get valuation rate and available stock at source/target warehouse on mentioned posting date-time. If serialized item, please press this button after entering serial nos.", +Global Defaults, +Global POS Setting {0} already created for company {1}, +Global Settings, +"Go to the appropriate group (usually Application of Funds > Current Assets > Bank Accounts and create a new Account Ledger (by clicking on Add Child) of type ""Bank""", +"Go to the appropriate group (usually Source of Funds > Current Liabilities > Taxes and Duties and create a new Account Ledger (by clicking on Add Child) of type ""Tax"" and do mention the Tax rate.", +Goal, +Goals, +Goods received from Suppliers.,Produkty otrzymane od dostawców. +Google Drive, +Google Drive Access Allowed, +Government, +Graduate, +Grand Total, +Grand Total (Company Currency), +"Grid """, +Grocery, +Gross Margin %, +Gross Margin Value, +Gross Pay, +Gross Pay + Arrear Amount +Encashment Amount - Total Deduction, +Gross Profit, +Gross Profit (%), +Gross Weight, +Gross Weight UOM, +Group,Grupa +Group by Account, +Group by Voucher, +Group or Ledger, +Groups,Grupy +HR Manager, +HR Settings, +HTML / Banner that will show on the top of product list., +Half Day, +Half Yearly, +Half-yearly, +Happy Birthday!, +Hardware, +Has Batch No,Posada numer lotu (batch'u) +Has Child Node, +Has Serial No,Posiada numer seryjny +Head of Marketing and Sales, +Header,Nagłówek +Health Care,Opieka zdrowotna +Health Concerns, +Health Details, +Held On, +Help HTML, +"Help: To link to another record in the system, use ""#Form/Note/[Note Name]"" as the Link URL. (don't use ""http://"")", +"Here you can maintain family details like name and occupation of parent, spouse and children", +"Here you can maintain height, weight, allergies, medical concerns etc", +Hide Currency Symbol, +High,Wysoki +History In Company, +Hold, +Holiday, +Holiday List, +Holiday List Name, +Holiday master., +Holidays, +Home, +Host, +"Host, Email and Password required if emails are to be pulled", +Hour,Godzina +Hour Rate,Stawka godzinowa +Hour Rate Labour, +Hours,Godziny +How frequently?,Jak często? +"How should this currency be formatted? If not set, will use system defaults", +Human Resources,Kadry +Identification of the package for the delivery (for print), +If Income or Expense, +If Monthly Budget Exceeded, +"If Sale BOM is defined, the actual BOM of the Pack is displayed as table. Available in Delivery Note and Sales Order", +"If Supplier Part Number exists for given Item, it gets stored here", +If Yearly Budget Exceeded, +"If checked, BOM for sub-assembly items will be considered for getting raw materials. Otherwise, all sub-assembly items will be treated as a raw material.", +"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day", +"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount", +If different than customer address, +"If disable, 'Rounded Total' field will not be visible in any transaction", +"If enabled, the system will post accounting entries for inventory automatically.", +If more than one package of the same type (for print), +"If no change in either Quantity or Valuation Rate, leave the cell blank.", +If not applicable please enter: NA, +"If not checked, the list will have to be added to each Department where it has to be applied.", +"If specified, send the newsletter using this email address", +"If the account is frozen, entries are allowed to restricted users.", +"If this Account represents a Customer, Supplier or Employee, set it here.", +If you follow Quality Inspection. Enables Item QA Required and QA No in Purchase Receipt, +If you have Sales Team and Sale Partners (Channel Partners) they can be tagged and maintain their contribution in the sales activity, +"If you have created a standard template in Purchase Taxes and Charges Master, select one and click on the button below.", +"If you have created a standard template in Sales Taxes and Charges Master, select one and click on the button below.", +"If you have long print formats, this feature can be used to split the page to be printed on multiple pages with all headers and footers on each page", +If you involve in manufacturing activity. Enables Item 'Is Manufactured', +Ignore, +Ignored: , +Image,Obrazek +Image View, +Implementation Partner, +Import Attendance, +Import Failed!, +Import Log, +Import Successful!, +Imports, +In Hours, +In Process, +In Qty, +In Value, +In Words,Słownie +In Words (Company Currency), +In Words (Export) will be visible once you save the Delivery Note., +In Words will be visible once you save the Delivery Note., +In Words will be visible once you save the Purchase Invoice., +In Words will be visible once you save the Purchase Order., +In Words will be visible once you save the Purchase Receipt., +In Words will be visible once you save the Quotation., +In Words will be visible once you save the Sales Invoice., +In Words will be visible once you save the Sales Order., +Incentives, +Include Reconciled Entries, +Include holidays in Total no. of Working Days, +Income, +Income / Expense, +Income Account, +Income Booked, +Income Tax, +Income Year to Date, +Income booked for the digest period, +Incoming, +Incoming Rate, +Incoming quality inspection., +Incorrect or Inactive BOM {0} for Item {1} at row {2}, +Indicates that the package is a part of this delivery, +Indirect Expenses, +Indirect Income, +Individual, +Industry, +Industry Type, +Inspected By,Skontrolowane przez +Inspection Criteria,Kryteria kontrolne +Inspection Required,Wymagana kontrola +Inspection Type,Typ kontroli +Installation Date, +Installation Note, +Installation Note Item, +Installation Note {0} has already been submitted, +Installation Status, +Installation Time, +Installation date cannot be before delivery date for Item {0}, +Installation record for a Serial No., +Installed Qty, +Instructions,Instrukcje +Integrate incoming support emails to Support Ticket, +Interested, +Intern, +Internal, +Internet Publishing, +Introduction, +Invalid Barcode or Serial No, +Invalid Mail Server. Please rectify and try again., +Invalid Master Name, +Invalid User Name or Support Password. Please rectify and try again., +Invalid quantity specified for item {0}. Quantity should be greater than 0., +Inventory,Inwentarz +Inventory & Support, +Investment Banking, +Investments, +Invoice Date, +Invoice Details, +Invoice No, +Invoice Period From Date, +Invoice Period From and Invoice Period To dates mandatory for recurring invoice, +Invoice Period To Date, +Invoiced Amount (Exculsive Tax), +Is Active,Jest aktywny +Is Advance, +Is Cancelled, +Is Carry Forward, +Is Default,Jest domyślny +Is Encash, +Is Fixed Asset Item,Jest stałą pozycją aktywów +Is LWP, +Is Opening, +Is Opening Entry, +Is POS, +Is Primary Contact, +Is Purchase Item,Jest produktem kupowalnym +Is Sales Item,Jest produktem sprzedawalnym +Is Service Item,Jest usługą +Is Stock Item,Jest produktem w magazynie +Is Sub Contracted Item,Produkcja jest zlecona innemu podmiotowi +Is Subcontracted, +Is this Tax included in Basic Rate?, +Issue, +Issue Date, +Issue Details, +Issued Items Against Production Order, +It can also be used to create opening stock entries and to fix stock value., +Item,Produkt +Item Advanced, +Item Barcode,Kod kreskowy produktu +Item Batch Nos, +Item Code,Kod produktu +Item Code and Warehouse should already exist., +Item Code cannot be changed for Serial No., +Item Code is mandatory because Item is not automatically numbered, +Item Code required at Row No {0}, +Item Customer Detail, +Item Description,Opis produktu +Item Desription,Opis produktu +Item Details,Szczegóły produktu +Item Group,Grupa produktów +Item Group Name, +Item Group Tree,Drzewo grup produktów +Item Groups in Details, +Item Image (if not slideshow), +Item Name,Nazwa produktu +Item Naming By, +Item Price,Cena produktu +Item Prices,Ceny produktu +Item Quality Inspection Parameter, +Item Reorder, +Item Serial No,Nr seryjny produktu +Item Serial Nos, +Item Shortage Report, +Item Supplier,Dostawca produktu +Item Supplier Details,Szczegóły dostawcy produktu +Item Tax,Podatek dla produktu +Item Tax Amount,Wysokość podatku dla produktu +Item Tax Rate,Stawka podatku dla produktu +Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable, +Item Tax1, +Item To Manufacture,Produkt do wyprodukowania +Item UOM,Jednostka miary produktu +Item Website Specification, +Item Website Specifications, +Item Wise Tax Detail, +Item Wise Tax Detail , +Item is required, +Item is updated, +Item master., +"Item must be a purchase item, as it is present in one or many Active BOMs", +Item or Warehouse for row {0} does not match Material Request, +Item table can not be blank, +Item to be manufactured or repacked,"Produkt, który ma zostać wyprodukowany lub przepakowany" +Item valuation updated, +Item will be saved by this name in the data base.,Produkt zostanie zapisany pod tą nazwą w bazie danych. +Item {0} appears multiple times in Price List {1}, +Item {0} does not exist, +Item {0} does not exist in the system or has expired, +Item {0} does not exist in {1} {2}, +Item {0} has already been returned, +Item {0} has been entered multiple times against same operation, +Item {0} has been entered multiple times with same description or date, +Item {0} has been entered multiple times with same description or date or warehouse, +Item {0} has been entered twice, +Item {0} has reached its end of life on {1}, +Item {0} ignored since it is not a stock item, +Item {0} is cancelled, +Item {0} is not Purchase Item, +Item {0} is not a serialized Item, +Item {0} is not a stock Item, +Item {0} is not active or end of life has been reached, +Item {0} is not setup for Serial Nos. Check Item master, +Item {0} is not setup for Serial Nos. Column must be blank, +Item {0} must be Sales Item, +Item {0} must be Sales or Service Item in {1}, +Item {0} must be Service Item, +Item {0} must be a Purchase Item, +Item {0} must be a Sales Item, +Item {0} must be a Service Item., +Item {0} must be a Sub-contracted Item, +Item {0} must be a stock Item, +Item {0} must be manufactured or sub-contracted, +Item {0} not found, +Item {0} with Serial No {1} is already installed, +Item {0} with same description entered twice, +"Item, Warranty, AMC (Annual Maintenance Contract) details will be automatically fetched when Serial Number is selected.", +Item-wise Price List Rate, +Item-wise Purchase History, +Item-wise Purchase Register, +Item-wise Sales History, +Item-wise Sales Register, +"Item: {0} managed batch-wise, can not be reconciled using \ Stock Reconciliation, instead use Stock Entry", +Item: {0} not found in the system, +Items,Produkty +Items To Be Requested, +Items required, +"Items to be requested which are ""Out of Stock"" considering all warehouses based on projected qty and minimum order qty", +Items which do not exist in Item master can also be entered on customer's request, +Itemwise Discount, +Itemwise Recommended Reorder Level, +Job Applicant, +Job Opening, +Job Profile, +Job Title, +"Job profile, qualifications required etc.", +Jobs Email Settings, +Journal Entries, +Journal Entry, +Journal Voucher, +Journal Voucher Detail, +Journal Voucher Detail No, +Journal Voucher {0} does not have account {1} or already matched, +Journal Vouchers {0} are un-linked, +Keep a track of communication related to this enquiry which will help for future reference., +Keep it web friendly 900px (w) by 100px (h), +Key Performance Area, +Key Responsibility Area, +Kg, +LR Date, +LR No,Nr ciężarówki +Label, +Landed Cost Item, +Landed Cost Items, +Landed Cost Purchase Receipt, +Landed Cost Purchase Receipts, +Landed Cost Wizard, +Landed Cost updated successfully, +Language, +Last Name, +Last Purchase Rate, +Latest, +Lead, +Lead Details, +Lead Id, +Lead Name, +Lead Owner, +Lead Source, +Lead Status, +Lead Time Date,Termin realizacji +Lead Time Days,Czas realizacji (dni) +Lead Time days is number of days by which this item is expected in your warehouse. This days is fetched in Material Request when you select this item., +Lead Type, +Lead must be set if Opportunity is made from Lead, +Leave Allocation, +Leave Allocation Tool, +Leave Application, +Leave Approver, +Leave Approvers, +Leave Balance Before Application, +Leave Block List, +Leave Block List Allow, +Leave Block List Allowed, +Leave Block List Date, +Leave Block List Dates, +Leave Block List Name, +Leave Blocked, +Leave Control Panel, +Leave Encashed?, +Leave Encashment Amount, +Leave Type, +Leave Type Name, +Leave Without Pay, +Leave application has been approved., +Leave application has been rejected., +Leave approver must be one of {0}, +Leave blank if considered for all branches, +Leave blank if considered for all departments, +Leave blank if considered for all designations, +Leave blank if considered for all employee types, +"Leave can be approved by users with Role, ""Leave Approver""", +Leave of type {0} cannot be longer than {1}, +Leaves Allocated Successfully for {0}, +Leaves for type {0} already allocated for Employee {1} for Fiscal Year {0}, +Leaves must be allocated in multiples of 0.5, +Ledger, +Ledgers, +Left, +Legal, +Legal Expenses, +Letter Head, +Letter Heads for print templates., +Level, +Lft, +Liability, +List a few of your customers. They could be organizations or individuals., +List a few of your suppliers. They could be organizations or individuals., +List items that form the package., +List this Item in multiple groups on the website., +"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 your tax heads (e.g. VAT, Excise; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.", +Loading..., +Loans (Liabilities), +Loans and Advances (Assets), +Local, +Login with your new User ID, +Logo, +Logo and Letter Heads, +Lost, +Lost Reason, +Low, +Lower Income, +MTN Details, +Main,Główny +Main Reports,Raporty główne +Maintain Same Rate Throughout Sales Cycle, +Maintain same rate throughout purchase cycle, +Maintenance, +Maintenance Date, +Maintenance Details, +Maintenance Schedule, +Maintenance Schedule Detail, +Maintenance Schedule Item, +Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule', +Maintenance Schedule {0} exists against {0}, +Maintenance Schedule {0} must be cancelled before cancelling this Sales Order, +Maintenance Schedules, +Maintenance Status, +Maintenance Time, +Maintenance Type, +Maintenance Visit, +Maintenance Visit Purpose, +Maintenance Visit {0} must be cancelled before cancelling this Sales Order, +Maintenance start date can not be before delivery date for Serial No {0}, +Major/Optional Subjects, +Make ,Stwórz +Make Accounting Entry For Every Stock Movement, +Make Bank Voucher, +Make Credit Note, +Make Debit Note, +Make Delivery, +Make Difference Entry, +Make Excise Invoice, +Make Installation Note, +Make Invoice, +Make Maint. Schedule, +Make Maint. Visit, +Make Maintenance Visit, +Make Packing Slip, +Make Payment Entry, +Make Purchase Invoice, +Make Purchase Order, +Make Purchase Receipt, +Make Salary Slip, +Make Salary Structure, +Make Sales Invoice, +Make Sales Order, +Make Supplier Quotation, +Male, +Manage Customer Group Tree., +Manage Sales Person Tree., +Manage Territory Tree., +Manage cost of operations,Zarządzaj kosztami działań +Management, +Manager, +"Mandatory if Stock Item is ""Yes"". Also the default warehouse where reserved quantity is set from Sales Order.",Wymagane jeśli jest produktem w magazynie. Również z domyślnego magazynu rezerwowana jest wymagana ilość przy Zleceniu Sprzedaży. +Manufacture against Sales Order, +Manufacture/Repack,Produkcja/Przepakowanie +Manufactured Qty, +Manufactured quantity will be updated in this warehouse, +Manufactured quantity {0} cannot be greater than planned quanitity {1} in Production Order {2}, +Manufacturer,Producent +Manufacturer Part Number,Numer katalogowy producenta +Manufacturing,Produkcja +Manufacturing Quantity,Ilość produkcji +Manufacturing Quantity is mandatory, +Margin, +Marital Status, +Market Segment, +Marketing, +Marketing Expenses, +Married, +Mass Mailing, +Master Name, +Master Name is mandatory if account type is Warehouse, +Master Type, +Masters, +Match non-linked Invoices and Payments., +Material Issue,Wydanie materiałów +Material Receipt,Przyjęcie materiałów +Material Request,Zamówienie produktu +Material Request Detail No, +Material Request For Warehouse, +Material Request Item, +Material Request Items, +Material Request No, +Material Request Type,Typ zamówienia produktu +Material Request of maximum {0} can be made for Item {1} against Sales Order {2}, +Material Request used to make this Stock Entry, +Material Request {0} is cancelled or stopped, +Material Requests for which Supplier Quotations are not created, +Material Requests {0} created, +Material Requirement, +Material Transfer,Transfer materiałów +Materials,Materiały +Materials Required (Exploded), +Max 5 characters, +Max Days Leave Allowed, +Max Discount (%),Maksymalny rabat (%) +Max Qty,Maks. Ilość +Maximum allowed credit is {0} days after posting date, +Maximum {0} rows allowed, +Maxiumm discount for Item {0} is {1}%, +Medical,Medyczny +Medium, +"Merging is only possible if following properties are same in both records. Group or Ledger, Root Type, Company", +Message,Wiadomość +Message Parameter, +Message Sent,Wiadomość wysłana +Message updated, +Messages,Wiadomości +Messages greater than 160 characters will be split into multiple messages, +Middle Income, +Milestone, +Milestone Date, +Milestones, +Milestones will be added as Events in the Calendar, +Min Order Qty,Min. wartość zamówienia +Min Qty,Min. ilość +Min Qty can not be greater than Max Qty, +Minimum Order Qty,Minimalna wartość zamówienia +Minute,Minuta +Misc Details, +Miscellaneous Expenses, +Miscelleneous, +Mobile No,Nr tel. Komórkowego +Mobile No.,Nr tel. Komórkowego +Mode of Payment, +Modern,Nowoczesny +Modified Amount, +Monday,Poniedziałek +Month,Miesiąc +Monthly,Miesięcznie +Monthly Attendance Sheet, +Monthly Earning & Deduction, +Monthly Salary Register, +Monthly salary statement., +More Details, +More Info,Więcej informacji +Motion Picture & Video, +Moving Average, +Moving Average Rate, +Mr,Pan +Ms,Pani +Multiple Item prices., +"Multiple Price Rule exists with same criteria, please resolve \ conflict by assigning priority. Price Rules: {0}", +Music,Muzyka +Must be Whole Number,Musi być liczbą całkowitą +Name,Imię +Name and Description,Nazwa i opis +Name and Employee ID, +"Name of new Account. Note: Please don't create accounts for Customers and Suppliers, they are created automatically from the Customer and Supplier master", +Name of person or organization that this address belongs to., +Name of the Budget Distribution, +Naming Series, +Negative Quantity is not allowed, +Negative Stock Error ({6}) for Item {0} in Warehouse {1} on {2} {3} in {4} {5}, +Negative Valuation Rate is not allowed, +Negative balance in Batch {0} for Item {1} at Warehouse {2} on {3} {4}, +Net Pay, +Net Pay (in words) will be visible once you save the Salary Slip., +Net Total,Łączna wartość netto +Net Total (Company Currency),Łączna wartość netto (waluta firmy) +Net Weight,Waga netto +Net Weight UOM,Jednostka miary wagi netto +Net Weight of each Item,Waga netto każdego produktu +Net pay cannot be negative, +Never,Nigdy +New ,Nowy +New Account,Nowe konto +New Account Name,Nowa nazwa konta +New BOM,Nowe zestawienie materiałowe +New Communications, +New Company,Nowa firma +New Cost Center, +New Cost Center Name, +New Delivery Notes, +New Enquiries, +New Leads, +New Leave Application, +New Leaves Allocated, +New Leaves Allocated (In Days), +New Material Requests, +New Projects,Nowe projekty +New Purchase Orders, +New Purchase Receipts, +New Quotations, +New Sales Orders, +New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt, +New Stock Entries, +New Stock UOM, +New Stock UOM is required, +New Stock UOM must be different from current stock UOM, +New Supplier Quotations, +New Support Tickets, +New UOM must NOT be of type Whole Number, +New Workplace, +Newsletter, +Newsletter Content, +Newsletter Status, +Newsletter has already been sent, +Newsletters is not allowed for Trial users, +"Newsletters to contacts, leads.", +Newspaper Publishers, +Next,Następny +Next Contact By, +Next Contact Date, +Next Date, +Next email will be sent on:, +No,Nie +No Customer Accounts found., +No Customer or Supplier Accounts found, +No Expense Approvers. Please assign 'Expense Approver' Role to atleast one user, +No Item with Barcode {0}, +No Item with Serial No {0}, +No Items to pack, +No Leave Approvers. Please assign 'Leave Approver' Role to atleast one user, +No Permission, +No Production Orders created, +No Supplier Accounts found. Supplier Accounts are identified based on 'Master Type' value in account record., +No accounting entries for the following warehouses, +No addresses created, +No contacts created, +No default BOM exists for Item {0}, +No description given, +No employee found, +No employee found!, +No of Requested SMS, +No of Sent SMS, +No of Visits, +No permission, +No record found, +No salary slip found for month: , +Non Profit, +Nos, +Not Active, +Not Applicable, +Not Available,Niedostępny +Not Billed, +Not Delivered, +Not Set, +Not allowed to update entries older than {0}, +Not authorized to edit frozen Account {0}, +Not authroized since {0} exceeds limits, +Not permitted, +Note, +Note User, +"Note: Backups and files are not deleted from Dropbox, you will have to delete them manually.", +"Note: Backups and files are not deleted from Google Drive, you will have to delete them manually.", +Note: Due Date exceeds the allowed credit days by {0} day(s), +Note: Email will not be sent to disabled users, +Note: Item {0} entered multiple times, +Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified, +Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0, +Note: There is not enough leave balance for Leave Type {0}, +Note: This Cost Center is a Group. Cannot make accounting entries against groups., +Note: {0}, +Notes,Notatki +Notes:,Notatki: +Nothing to request, +Notice (days), +Notification Control, +Notification Email Address, +Notify by Email on creation of automatic Material Request, +Number Format, +Offer Date, +Office,Biuro +Office Equipments, +Office Maintenance Expenses, +Office Rent, +Old Parent, +On Net Total, +On Previous Row Amount, +On Previous Row Total, +Online Auctions, +Only Leave Applications with status 'Approved' can be submitted, +"Only Serial Nos with status ""Available"" can be delivered.",Tylko numery seryjne o statusie “Dostępny” mogą zostać dostarczone. +Only leaf nodes are allowed in transaction, +Only the selected Leave Approver can submit this Leave Application, +Open,Otwarty +Open Production Orders, +Open Tickets, +Open source ERP built for the web, +Opening (Cr), +Opening (Dr), +Opening Date, +Opening Entry, +Opening Qty, +Opening Time, +Opening Value, +Opening for a Job., +Operating Cost, +Operation Description, +Operation No, +Operation Time (mins), +Operation {0} is repeated in Operations Table, +Operation {0} not present in Operations Table, +Operations,Działania +Opportunity,Szansa +Opportunity Date,Data szansy +Opportunity From,Szansa od +Opportunity Item, +Opportunity Items, +Opportunity Lost, +Opportunity Type,Typ szansy +Optional. This setting will be used to filter in various transactions., +Order Type,Typ zamówienia +Order Type must be one of {1}, +Ordered, +Ordered Items To Be Billed, +Ordered Items To Be Delivered, +Ordered Qty, +"Ordered Qty: Quantity ordered for purchase, but not received.", +Ordered Quantity, +Orders released for production.,Zamówienia zwolnione do produkcji. +Organization Name,Nazwa organizacji +Organization Profile, +Organization branch master., +Organization unit (department) master., +Original Amount, +Other,Inne +Other Details, +Others,Inni +Out Qty, +Out Value, +Out of AMC, +Out of Warranty, +Outgoing, +Outstanding Amount, +Outstanding for {0} cannot be less than zero ({1}), +Overhead, +Overheads,Koszty ogólne +Overlapping conditions found between:, +Overview, +Owned, +Owner,Właściciel +PL or BS, +PO Date, +PO No, +POP3 Mail Server, +POP3 Mail Settings, +POP3 mail server (e.g. pop.gmail.com), +POP3 server e.g. (pop.gmail.com), +POS Setting, +POS Setting required to make POS Entry, +POS Setting {0} already created for user: {1} and company {2}, +POS View, +PR Detail, +PR Posting Date, +Package Item Details, +Package Items, +Package Weight Details, +Packed Item, +Packed quantity must equal quantity for Item {0} in row {1}, +Packing Details, +Packing List, +Packing Slip, +Packing Slip Item, +Packing Slip Items, +Packing Slip(s) cancelled, +Page Break, +Page Name, +Paid Amount, +Paid amount + Write Off Amount can not be greater than Grand Total, +Pair,Para +Parameter,Parametr +Parent Account, +Parent Cost Center, +Parent Customer Group, +Parent Detail docname, +Parent Item, +Parent Item Group, +Parent Item {0} must be not Stock Item and must be a Sales Item, +Parent Party Type, +Parent Sales Person, +Parent Territory, +Parent Website Page, +Parent Website Route, +Parent account can not be a ledger, +Parent account does not exist, +Parenttype, +Part-time, +Partially Completed, +Partly Billed, +Partly Delivered, +Partner Target Detail, +Partner Type, +Partner's Website, +Party Type, +Party Type Name, +Passive, +Passport Number, +Password, +Pay To / Recd From, +Payable, +Payables, +Payables Group, +Payment Days, +Payment Due Date, +Payment Period Based On Invoice Date, +Payment Type, +Payment of salary for the month {0} and year {1}, +Payment to Invoice Matching Tool, +Payment to Invoice Matching Tool Detail, +Payments,Płatności +Payments Made, +Payments Received, +Payments made during the digest period, +Payments received during the digest period, +Payroll Settings, +Pending, +Pending Amount, +Pending Items {0} updated, +Pending Review, +Pending SO Items For Purchase Request, +Pension Funds, +Percent Complete, +Percentage Allocation, +Percentage Allocation should be equal to 100%, +Percentage variation in quantity to be allowed while receiving or delivering this item.,Procentowa wariacja w ilości dopuszczalna przy otrzymywaniu lub dostarczaniu tego produktu. +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., +Performance appraisal., +Period,Okres +Period Closing Voucher, +Periodicity, +Permanent Address, +Permanent Address Is, +Permission,Pozwolenie +Personal, +Personal Details, +Personal Email, +Pharmaceutical, +Pharmaceuticals, +Phone,Telefon +Phone No,Nr telefonu +Piecework, +Pincode,Kod PIN +Place of Issue, +Plan for maintenance visits., +Planned Qty,Planowana ilość +"Planned Qty: Quantity, for which, Production Order has been raised, but is pending to be manufactured.", +Planned Quantity,Planowana ilość +Planning,Planowanie +Plant,Zakład +Plant and Machinery, +Please Enter Abbreviation or Short Name properly as it will be added as Suffix to all Account Heads., +Please add expense voucher details, +Please check 'Is Advance' against Account {0} if this is an advance entry., +Please click on 'Generate Schedule', +Please click on 'Generate Schedule' to fetch Serial No added for Item {0}, +Please click on 'Generate Schedule' to get schedule, +Please create Customer from Lead {0}, +Please create Salary Structure for employee {0}, +Please create new account from Chart of Accounts., +Please do NOT create Account (Ledgers) for Customers and Suppliers. They are created directly from the Customer / Supplier masters., +Please enter 'Expected Delivery Date', +Please enter 'Is Subcontracted' as Yes or No, +Please enter 'Repeat on Day of Month' field value, +Please enter Account Receivable/Payable group in company master, +Please enter Approving Role or Approving User, +Please enter BOM for Item {0} at row {1}, +Please enter Company, +Please enter Cost Center, +Please enter Delivery Note No or Sales Invoice No to proceed, +Please enter Employee Id of this sales parson, +Please enter Expense Account, +Please enter Item Code to get batch no, +Please enter Item Code., +Please enter Item first, +Please enter Maintaince Details first, +Please enter Master Name once the account is created., +Please enter Planned Qty for Item {0} at row {1}, +Please enter Production Item first, +Please enter Purchase Receipt No to proceed, +Please enter Reference date, +Please enter Warehouse for which Material Request will be raised, +Please enter Write Off Account, +Please enter atleast 1 invoice in the table, +Please enter company first, +Please enter company name first, +Please enter default Unit of Measure, +Please enter default currency in Company Master, +Please enter email address, +Please enter item details, +Please enter message before sending, +Please enter parent account group for warehouse account, +Please enter parent cost center, +Please enter quantity for Item {0}, +Please enter relieving date., +Please enter sales order in the above table, +Please enter valid Company Email, +Please enter valid Email Id, +Please enter valid Personal Email, +Please enter valid mobile nos, +Please install dropbox python module, +Please mention no of visits required, +Please pull items from Delivery Note, +Please save the Newsletter before sending, +Please save the document before generating maintenance schedule, +Please select Account first, +Please select Bank Account, +Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year, +Please select Category first, +Please select Charge Type first, +Please select Fiscal Year, +Please select Group or Ledger value, +Please select Incharge Person's name, +"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Sales BOM", +Please select Price List, +Please select Start Date and End Date for Item {0}, +Please select a csv file, +Please select a valid csv file with data, +Please select a value for {0} quotation_to {1}, +"Please select an ""Image"" first", +Please select charge type first, +Please select company first., +Please select item code, +Please select month and year, +Please select prefix first, +Please select the document type first, +Please select weekly off day, +Please select {0}, +Please select {0} first, +Please set Dropbox access keys in your site config, +Please set Google Drive access keys in {0}, +Please set default Cash or Bank account in Mode of Payment {0}, +Please set default value {0} in Company {0}, +Please set {0}, +Please setup Employee Naming System in Human Resource > HR Settings, +Please setup numbering series for Attendance via Setup > Numbering Series, +Please setup your chart of accounts before you start Accounting Entries, +Please specify, +Please specify Company, +Please specify Company to proceed, +Please specify Default Currency in Company Master and Global Defaults, +Please specify a, +Please specify a valid 'From Case No.', +Please specify a valid Row ID for {0} in row {1}, +Please specify either Quantity or Valuation Rate or both, +Please submit to update Leave Balance., +Plot, +Plot By, +Point of Sale, +Point-of-Sale Setting, +Post Graduate, +Postal, +Postal Expenses, +Posting Date,Data publikacji +Posting Time,Czas publikacji +Posting timestamp must be after {0}, +Potential opportunities for selling.,Potencjalne okazje na sprzedaż. +Preferred Billing Address, +Preferred Shipping Address, +Prefix, +Present, +Prevdoc DocType, +Prevdoc Doctype, +Preview, +Previous,Wstecz +Previous Work Experience, +Price,Cena +Price / Discount,Cena / Rabat +Price List,Cennik +Price List Currency,Waluta cennika +Price List Currency not selected, +Price List Exchange Rate, +Price List Name,Nazwa cennika +Price List Rate, +Price List Rate (Company Currency), +Price List master., +Price List must be applicable for Buying or Selling, +Price List not selected, +Price List {0} is disabled, +Price or Discount, +Pricing Rule, +Pricing Rule For Discount, +Pricing Rule For Price, +Print Format Style, +Print Heading,Nagłówek do druku +Print Without Amount,Drukuj bez wartości +Print and Stationary, +Printing and Branding, +Priority,Priorytet +Private Equity, +Privilege Leave, +Probation, +Process Payroll, +Produced, +Produced Quantity, +Product Enquiry, +Production,Produkcja +Production Order,Zamówinie produkcji +Production Order status is {0}, +Production Order {0} must be cancelled before cancelling this Sales Order, +Production Order {0} must be submitted, +Production Orders, +Production Orders in Progress, +Production Plan Item, +Production Plan Items, +Production Plan Sales Order, +Production Plan Sales Orders, +Production Planning Tool, +Products,Produkty +"Products will be sorted by weight-age in default searches. More the weight-age, higher the product will appear in the list.", +Profit and Loss, +Project,Projekt +Project Costing, +Project Details, +Project Manager, +Project Milestone, +Project Milestones, +Project Name,Nazwa projektu +Project Start Date, +Project Type, +Project Value, +Project activity / task., +Project master., +Project will get saved and will be searchable with project name given, +Project wise Stock Tracking, +Project-wise data is not available for Quotation, +Projected, +Projected Qty,Prognozowana ilość +Projects,Projekty +Projects & System, +Prompt for Email on Submission of, +Proposal Writing, +Provide email id registered in company, +Public, +Publishing, +Pull sales orders (pending to deliver) based on the above criteria, +Purchase,Zakup +Purchase / Manufacture Details, +Purchase Analytics, +Purchase Common, +Purchase Details,Szczegóły zakupu +Purchase Discounts, +Purchase In Transit, +Purchase Invoice, +Purchase Invoice Advance, +Purchase Invoice Advances, +Purchase Invoice Item, +Purchase Invoice Trends, +Purchase Invoice {0} is already submitted, +Purchase Order,Zamówienie +Purchase Order Date,Data zamówienia +Purchase Order Item, +Purchase Order Item No, +Purchase Order Item Supplied, +Purchase Order Items, +Purchase Order Items Supplied, +Purchase Order Items To Be Billed, +Purchase Order Items To Be Received, +Purchase Order Message, +Purchase Order Required, +Purchase Order Trends, +Purchase Order number required for Item {0}, +Purchase Order {0} is 'Stopped', +Purchase Order {0} is not submitted, +Purchase Orders given to Suppliers., +Purchase Receipt,Dowód zakupu +Purchase Receipt Item, +Purchase Receipt Item Supplied, +Purchase Receipt Item Supplieds, +Purchase Receipt Items, +Purchase Receipt Message, +Purchase Receipt No,Nr dowodu zakupu +Purchase Receipt Required, +Purchase Receipt Trends, +Purchase Receipt number required for Item {0}, +Purchase Receipt {0} is not submitted, +Purchase Register, +Purchase Return,Zwrot zakupu +Purchase Returned, +Purchase Taxes and Charges, +Purchase Taxes and Charges Master, +Purchse Order number required for Item {0}, +Purpose,Cel +Purpose must be one of {0}, +QA Inspection,Inspecja kontroli jakości +Qty,Ilość +Qty Consumed Per Unit, +Qty To Manufacture, +Qty as per Stock UOM, +Qty to Deliver, +Qty to Order, +Qty to Receive, +Qty to Transfer, +Qualification, +Quality,Jakość +Quality Inspection,Kontrola jakości +Quality Inspection Parameters,Parametry kontroli jakości +Quality Inspection Reading,Odczyt kontroli jakości +Quality Inspection Readings,Odczyty kontroli jakości +Quality Inspection required for Item {0}, +Quality Management, +Quantity,Ilość +Quantity Requested for Purchase, +Quantity and Rate, +Quantity and Warehouse,Ilość i magazyn +Quantity cannot be a fraction in row {0}, +Quantity for Item {0} must be less than {1}, +Quantity in row {0} ({1}) must be same as manufactured quantity {2}, +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 +Quantity required for Item {0} in row {1}, +Quarter,Kwartał +Quarterly,Kwartalnie +Quick Help,Szybka pomoc +Quotation,Wycena +Quotation Date,Data wyceny +Quotation Item,Przedmiot wyceny +Quotation Items,Przedmioty wyceny +Quotation Lost Reason, +Quotation Message, +Quotation To,Wycena dla +Quotation Trends, +Quotation {0} is cancelled, +Quotation {0} not of type {1}, +Quotations received from Suppliers., +Quotes to Leads or Customers., +Raise Material Request when stock reaches re-order level, +Raised By, +Raised By (Email), +Random,Losowy +Range,Przedział +Rate,Stawka +Rate ,Stawka +Rate (%),Stawka (%) +Rate (Company Currency), +Rate Of Materials Based On, +Rate and Amount, +Rate at which Customer Currency is converted to customer's base currency, +Rate at which Price list currency is converted to company's base currency, +Rate at which Price list currency is converted to customer's base currency, +Rate at which customer's currency is converted to company's base currency, +Rate at which supplier's currency is converted to company's base currency, +Rate at which this tax is applied, +Raw Material,Surowiec +Raw Material Item Code, +Raw Materials Supplied,Dostarczone surowce +Raw Materials Supplied Cost,Koszt dostarczonych surowców +Raw material cannot be same as main Item, +Re-Order Level,Poziom dla ponownego zamówienia +Re-Order Qty,Ilość ponownego zamówienia +Re-order,Ponowne zamówienie +Re-order Level,Poziom dla ponownego zamówienia +Re-order Qty,Ilość ponownego zamówienia +Read, +Reading 1,Odczyt 1 +Reading 10,Odczyt 10 +Reading 2,Odczyt 2 +Reading 3,Odczyt 3 +Reading 4,Odczyt 4 +Reading 5,Odczyt 5 +Reading 6,Odczyt 6 +Reading 7,Odczyt 7 +Reading 8,Odczyt 8 +Reading 9,Odczyt 9 +Real Estate, +Reason, +Reason for Leaving, +Reason for Resignation, +Reason for losing, +Recd Quantity, +Receivable, +Receivable / Payable account will be identified based on the field Master Type, +Receivables, +Receivables / Payables, +Receivables Group, +Received Date, +Received Items To Be Billed, +Received Qty, +Received and Accepted, +Receiver List, +Receiver List is empty. Please create Receiver List, +Receiver Parameter, +Recipients, +Reconcile, +Reconciliation Data, +Reconciliation HTML, +Reconciliation JSON, +Record item movement.,Zapisz ruch produktu. +Recurring Id, +Recurring Invoice, +Recurring Type, +Reduce Deduction for Leave Without Pay (LWP), +Reduce Earning for Leave Without Pay (LWP), +Ref Code, +Ref SQ, +Reference, +Reference #{0} dated {1}, +Reference Date, +Reference Name, +Reference No & Reference Date is required for {0}, +Reference No is mandatory if you entered Reference Date, +Reference Number, +Reference Row #, +Refresh,Odśwież +Registration Details, +Registration Info, +Rejected, +Rejected Quantity, +Rejected Serial No, +Rejected Warehouse, +Rejected Warehouse is mandatory against regected item, +Relation, +Relieving Date, +Relieving Date must be greater than Date of Joining, +Remark, +Remarks,Uwagi +Rename,Zmień nazwę +Rename Log, +Rename Tool, +Rent Cost, +Rent per hour, +Rented, +Repeat on Day of Month, +Replace, +Replace Item / BOM in all BOMs, +Replied, +Report Date,Data raportu +Report Type,Typ raportu +Report Type is mandatory,Typ raportu jest wymagany +Reports to, +Reqd By Date, +Request Type, +Request for Information, +Request for purchase., +Requested, +Requested For, +Requested Items To Be Ordered, +Requested Items To Be Transferred, +Requested Qty, +"Requested Qty: Quantity requested for purchase, but not ordered.", +Requests for items.,Zamówienia produktów. +Required By, +Required Date, +Required Qty,Wymagana ilość +Required only for sample item., +Required raw materials issued to the supplier for producing a sub - contracted item., +Research,Badania +Research & Development,Badania i rozwój +Researcher, +Reseller, +Reserved,Zarezerwowany +Reserved Qty,Zarezerwowana ilość +"Reserved Qty: Quantity ordered for sale, but not delivered.", +Reserved Quantity,Zarezerwowana ilość +Reserved Warehouse, +Reserved Warehouse in Sales Order / Finished Goods Warehouse, +Reserved Warehouse is missing in Sales Order, +Reserved Warehouse required for stock Item {0} in row {1}, +Reserved warehouse required for stock item {0}, +Reserves and Surplus, +Reset Filters, +Resignation Letter Date, +Resolution, +Resolution Date, +Resolution Details, +Resolved By, +Rest Of The World, +Retail, +Retail & Wholesale, +Retailer, +Review Date, +Rgt, +Role Allowed to edit frozen stock, +Role that is allowed to submit transactions that exceed credit limits set., +Root Type, +Root Type is mandatory, +Root account can not be deleted, +Root cannot be edited., +Root cannot have a parent cost center, +Rounded Off, +Rounded Total, +Rounded Total (Company Currency), +Row # ,Rząd # +Row # {0}: ,Rząd # {0}: +Row {0}: Account does not match with \ Purchase Invoice Credit To account, +Row {0}: Account does not match with \ Sales Invoice Debit To account, +Row {0}: Credit entry can not be linked with a Purchase Invoice, +Row {0}: Debit entry can not be linked with a Sales Invoice, +"Row {0}: To set {1} periodicity, difference between from and to date \ must be greater than or equal to {2}", +Row {0}:Start Date must be before End Date, +Rules for adding shipping costs., +Rules for applying pricing and discount., +Rules to calculate shipping amount for a sale, +S.O. No., +SMS Center, +SMS Control, +SMS Gateway URL, +SMS Log, +SMS Parameter, +SMS Sender Name, +SMS Settings, +SO Date, +SO Pending Qty, +SO Qty, +Salary,Pensja +Salary Information, +Salary Manager, +Salary Mode, +Salary Slip, +Salary Slip Deduction, +Salary Slip Earning, +Salary Slip of employee {0} already created for this month, +Salary Structure, +Salary Structure Deduction, +Salary Structure Earning, +Salary Structure Earnings, +Salary breakup based on Earning and Deduction., +Salary components., +Salary template master., +Sales,Sprzedaż +Sales Analytics,Analityka sprzedaży +Sales BOM, +Sales BOM Help, +Sales BOM Item, +Sales BOM Items, +Sales Browser, +Sales Details,Szczegóły sprzedaży +Sales Discounts, +Sales Email Settings, +Sales Expenses, +Sales Extras, +Sales Funnel, +Sales Invoice, +Sales Invoice Advance, +Sales Invoice Item, +Sales Invoice Items, +Sales Invoice Message, +Sales Invoice No,Nr faktury sprzedażowej +Sales Invoice Trends, +Sales Invoice {0} has already been submitted, +Sales Invoice {0} must be cancelled before cancelling this Sales Order, +Sales Order,Zlecenie sprzedaży +Sales Order Date, +Sales Order Item, +Sales Order Items, +Sales Order Message, +Sales Order No, +Sales Order Required, +Sales Order Trends, +Sales Order required for Item {0}, +Sales Order {0} is not submitted, +Sales Order {0} is not valid, +Sales Order {0} is stopped, +Sales Partner, +Sales Partner Name, +Sales Partner Target, +Sales Partners Commission, +Sales Person, +Sales Person Name, +Sales Person Target Variance Item Group-Wise, +Sales Person Targets, +Sales Person-wise Transaction Summary, +Sales Register, +Sales Return,Zwrot sprzedaży +Sales Returned, +Sales Taxes and Charges, +Sales Taxes and Charges Master, +Sales Team, +Sales Team Details, +Sales Team1, +Sales and Purchase, +Sales campaigns., +Salutation, +Sample Size,Wielkość próby +Sanctioned Amount, +Saturday, +Schedule, +Schedule Date, +Schedule Details, +Scheduled, +Scheduled Date, +Scheduled to send to {0}, +Scheduled to send to {0} recipients, +Scheduler Failed Events, +School/University, +Score (0-5), +Score Earned, +Score must be less than or equal to 5, +Scrap %, +Seasonality for setting budgets., +Secretary, +Secured Loans, +Securities & Commodity Exchanges, +Securities and Deposits, +"See ""Rate Of Materials Based On"" in Costing Section", +"Select ""Yes"" for sub - contracting items", +"Select ""Yes"" if this item is used for some internal purpose in your company.",Wybierz “Tak” jeśli produkt jest używany w celach wewnętrznych w firmie. +"Select ""Yes"" if this item represents some work like training, designing, consulting etc.","Wybierz “Tak” jeśli produkt to jakaś forma usługi/pracy, np. szkolenie, doradztwo" +"Select ""Yes"" if you are maintaining stock of this item in your Inventory.",Wybierz “Tak” jeśli produkt jest przechowywany w magazynie. +"Select ""Yes"" if you supply raw materials to your supplier to manufacture this item.",Wybierz “Tak” jeśli dostarczasz sutowce swojemu dostawcy w celu wyprodukowania tego produktu. +Select Budget Distribution to unevenly distribute targets across months., +"Select Budget Distribution, if you want to track based on seasonality.", +Select DocType, +Select Items, +Select Purchase Receipts, +Select Sales Orders, +Select Sales Orders from which you want to create Production Orders., +Select Time Logs and Submit to create a new Sales Invoice., +Select Transaction, +Select Your Language, +Select account head of the bank where cheque was deposited., +Select company name first., +Select template from which you want to get the Goals, +Select the Employee for whom you are creating the Appraisal., +Select the period when the invoice will be generated automatically, +Select the relevant company name if you have multiple companies, +Select the relevant company name if you have multiple companies., +Select who you want to send this newsletter to, +Select your home country and check the timezone and currency., +"Selecting ""Yes"" will allow this item to appear in Purchase Order , Purchase Receipt.",Wybranie “Tak” pozwoli na dostępność tego produktu w Zamówieniach i Potwierdzeniach Odbioru +"Selecting ""Yes"" will allow this item to figure in Sales Order, Delivery Note", +"Selecting ""Yes"" will allow you to create Bill of Material showing raw material and operational costs incurred to manufacture this item.", +"Selecting ""Yes"" will allow you to make a Production Order for this item.", +"Selecting ""Yes"" will give a unique identity to each entity of this item which can be viewed in the Serial No master.", +Selling,Sprzedaż +Selling Settings, +Send,Wyślij +Send Autoreply, +Send Email, +Send From, +Send Notifications To, +Send Now, +Send SMS, +Send To, +Send To Type, +Send mass SMS to your contacts, +Send to this list, +Sender Name, +Sent On, +Separate production order will be created for each finished good item., +Serial No,Nr seryjny +Serial No / Batch, +Serial No Details,Szczegóły numeru seryjnego +Serial No Service Contract Expiry, +Serial No Status, +Serial No Warranty Expiry, +Serial No is mandatory for Item {0}, +Serial No {0} created, +Serial No {0} does not belong to Delivery Note {1}, +Serial No {0} does not belong to Item {1}, +Serial No {0} does not belong to Warehouse {1}, +Serial No {0} does not exist, +Serial No {0} has already been received, +Serial No {0} is under maintenance contract upto {1}, +Serial No {0} is under warranty upto {1}, +Serial No {0} not in stock, +Serial No {0} quantity {1} cannot be a fraction, +Serial No {0} status must be 'Available' to Deliver, +Serial Nos Required for Serialized Item {0}, +Serial Number Series, +Serial number {0} entered more than once, +Serialized Item {0} cannot be updated \ using Stock Reconciliation, +Series,Seria +Series List for this Transaction, +Series Updated, +Series Updated Successfully, +Series is mandatory, +Series {0} already used in {1}, +Service,Usługa +Service Address, +Services,Usługi +Set,Zbiór +"Set Default Values like Company, Currency, Current Fiscal Year, etc.", +Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution., +Set as Default, +Set as Lost, +Set prefix for numbering series on your transactions, +Set targets Item Group-wise for this Sales Person., +Setting Account Type helps in selecting this Account in transactions., +Setting up..., +Settings, +Settings for HR Module, +"Settings to extract Job Applicants from a mailbox e.g. ""jobs@example.com""", +Setup,Ustawienia +Setup Already Complete!!, +Setup Complete, +Setup Series, +Setup Wizard, +Setup incoming server for jobs email id. (e.g. jobs@example.com), +Setup incoming server for sales email id. (e.g. sales@example.com), +Setup incoming server for support email id. (e.g. support@example.com), +Share,Podziel się +Share With,Podziel się z +Shareholders Funds, +Shipments to customers.,Dostawy do klientów. +Shipping,Dostawa +Shipping Account, +Shipping Address,Adres dostawy +Shipping Amount, +Shipping Rule, +Shipping Rule Condition, +Shipping Rule Conditions, +Shipping Rule Label, +Shop,Sklep +Shopping Cart,Koszyk +Short biography for website and other publications., +"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.", +"Show / Hide features like Serial Nos, POS etc.", +Show In Website,Pokaż na stronie internetowej +Show a slideshow at the top of the page, +Show in Website, +Show this slideshow at the top of the page, +Sick Leave, +Signature,Podpis +Signature to be appended at the end of every email, +Single,Pojedynczy +Single unit of an Item.,Jednostka produktu. +Sit tight while your system is being setup. This may take a few moments., +Slideshow, +Soap & Detergent, +Software,Oprogramowanie +Software Developer,Programista +"Sorry, Serial Nos cannot be merged", +"Sorry, companies cannot be merged", +Source,Źródło +Source File, +Source Warehouse,Magazyn źródłowy +Source and target warehouse cannot be same for row {0}, +Source of Funds (Liabilities), +Source warehouse is mandatory for row {0}, +Spartan, +"Special Characters except ""-"" and ""/"" not allowed in naming series", +Specification Details,Szczegóły specyfikacji +Specifications, +"Specify a list of Territories, for which, this Price List is valid","Lista terytoriów, na których cennik jest obowiązujący" +"Specify a list of Territories, for which, this Shipping Rule is valid", +"Specify a list of Territories, for which, this Taxes Master is valid", +"Specify the operations, operating cost and give a unique Operation no to your operations.", +Split Delivery Note into packages., +Sports, +Standard, +Standard Buying, +Standard Rate, +Standard Reports,Raporty standardowe +Standard Selling, +Standard contract terms for Sales or Purchase., +Start, +Start Date, +Start date of current invoice's period, +Start date should be less than end date for Item {0}, +State,Stan +Static Parameters, +Status, +Status must be one of {0}, +Status of {0} {1} is now {2}, +Status updated to {0}, +Statutory info and other general information about your Supplier, +Stay Updated, +Stock,Magazyn +Stock Adjustment, +Stock Adjustment Account, +Stock Ageing, +Stock Analytics,Analityka magazynu +Stock Assets, +Stock Balance, +Stock Entries already created for Production Order , +Stock Entry,Dokument magazynowy +Stock Entry Detail,Szczególy wpisu magazynowego +Stock Expenses, +Stock Frozen Upto, +Stock Ledger, +Stock Ledger Entry, +Stock Ledger entries balances updated, +Stock Level, +Stock Liabilities, +Stock Projected Qty, +Stock Queue (FIFO), +Stock Received But Not Billed, +Stock Reconcilation Data, +Stock Reconcilation Template, +Stock Reconciliation, +"Stock Reconciliation can be used to update the stock on a particular date, usually as per physical inventory.", +Stock Settings, +Stock UOM, +Stock UOM Replace Utility, +Stock UOM updatd for Item {0}, +Stock Uom, +Stock Value, +Stock Value Difference, +Stock balances updated, +Stock cannot be updated against Delivery Note {0}, +Stock entries exist against warehouse {0} cannot re-assign or modify 'Master Name', +Stop, +Stop Birthday Reminders, +Stop Material Request, +Stop users from making Leave Applications on following days., +Stop!, +Stopped, +Stopped order cannot be cancelled. Unstop to cancel., +Stores, +Stub, +Sub Assemblies, +"Sub-currency. For e.g. ""Cent""", +Subcontract,Zlecenie +Subject,Temat +Submit Salary Slip, +Submit all salary slips for the above selected criteria, +Submit this Production Order for further processing., +Submitted, +Subsidiary, +Successful: , +Successfully allocated, +Suggestions,Sugestie +Sunday,Niedziela +Supplier,Dostawca +Supplier (Payable) Account, +Supplier (vendor) name as entered in supplier master, +Supplier Account, +Supplier Account Head, +Supplier Address,Adres dostawcy +Supplier Addresses and Contacts, +Supplier Details,Szczegóły dostawcy +Supplier Intro, +Supplier Invoice Date, +Supplier Invoice No, +Supplier Name,Nazwa dostawcy +Supplier Naming By, +Supplier Part Number,Numer katalogowy dostawcy +Supplier Quotation, +Supplier Quotation Item, +Supplier Reference, +Supplier Type,Typ dostawcy +Supplier Type / Supplier, +Supplier Type master., +Supplier Warehouse,Magazyn dostawcy +Supplier Warehouse mandatory for sub-contracted Purchase Receipt, +Supplier database., +Supplier master., +Supplier warehouse where you have issued raw materials for sub - contracting, +Supplier-Wise Sales Analytics, +Support,Wsparcie +Support Analtyics, +Support Analytics, +Support Email, +Support Email Settings, +Support Password, +Support Ticket, +Support queries from customers., +Symbol, +Sync Support Mails, +Sync with Dropbox, +Sync with Google Drive, +System, +System Settings, +"System User (login) ID. If set, it will become default for all HR forms.", +Target Amount, +Target Detail, +Target Details, +Target Details1, +Target Distribution, +Target On, +Target Qty, +Target Warehouse, +Target warehouse in row {0} must be same as Production Order, +Target warehouse is mandatory for row {0}, +Task, +Task Details, +Tasks, +Tax,Podatek +Tax Amount After Discount Amount, +Tax Assets, +Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items, +Tax Rate,Stawka podatku +Tax and other salary deductions., +Tax detail table fetched from item master as a string and stored in this field.Used for Taxes and Charges, +Tax template for buying transactions., +Tax template for selling transactions., +Taxable, +Taxes and Charges,Podatki i opłaty +Taxes and Charges Added, +Taxes and Charges Added (Company Currency), +Taxes and Charges Calculation, +Taxes and Charges Deducted, +Taxes and Charges Deducted (Company Currency), +Taxes and Charges Total, +Taxes and Charges Total (Company Currency), +Technology,Technologia +Telecommunications, +Telephone Expenses, +Television,Telewizja +Template for performance appraisals., +Template of terms or contract., +Temporary Accounts (Assets), +Temporary Accounts (Liabilities), +Temporary Assets, +Temporary Liabilities, +Term Details,Szczegóły warunków +Terms,Warunki +Terms and Conditions,Regulamin +Terms and Conditions Content,Zawartość regulaminu +Terms and Conditions Details,Szczegóły regulaminu +Terms and Conditions Template, +Terms and Conditions1, +Terretory,Terytorium +Territory,Terytorium +Territory / Customer, +Territory Manager, +Territory Name, +Territory Target Variance Item Group-Wise, +Territory Targets, +Test, +Test Email Id, +Test the Newsletter, +The BOM which will be replaced, +The First User: You, +"The Item that represents the Package. This Item must have ""Is Stock Item"" as ""No"" and ""Is Sales Item"" as ""Yes""", +The Organization, +"The account head under Liability, in which Profit/Loss will be booked", +The date on which next invoice will be generated. It is generated on submit., +The date on which recurring invoice will be stop, +"The day of the month on which auto invoice will be generated e.g. 05, 28 etc ", +The day(s) on which you are applying for leave are holiday. You need not apply for leave., +The first Leave Approver in the list will be set as the default Leave Approver, +The first user will become the System Manager (you can change that later)., +The gross weight of the package. Usually net weight + packaging material weight. (for print), +The name of your company for which you are setting up this system., +The net weight of this package. (calculated automatically as sum of net weight of items), +The new BOM after replacement, +The rate at which Bill Currency is converted into company's base currency, +The unique id for tracking all recurring invoices. It is generated on submit., +There are more holidays than working days this month., +"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""", +There is not enough leave balance for Leave Type {0}, +There is nothing to edit., +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., +There were errors., +This Currency is disabled. Enable to use in transactions, +This Leave Application is pending approval. Only the Leave Apporver can update status., +This Time Log Batch has been billed., +This Time Log Batch has been cancelled., +This Time Log conflicts with {0}, +This is a root account and cannot be edited., +This is a root customer group and cannot be edited., +This is a root item group and cannot be edited., +This is a root sales person and cannot be edited., +This is a root territory and cannot be edited., +This is an example website auto-generated from ERPNext, +This is the number of the last created transaction with this prefix, +This will be used for setting rule in HR module, +Thread HTML, +Thursday,Czwartek +Time Log, +Time Log Batch, +Time Log Batch Detail, +Time Log Batch Details, +Time Log Batch {0} must be 'Submitted', +Time Log for tasks., +Time Log {0} must be 'Submitted', +Time Zone, +Time Zones, +Time and Budget, +Time at which items were delivered from warehouse, +Time at which materials were received, +Title, +Titles for print templates e.g. Proforma Invoice., +To,Do +To Currency, +To Date, +To Date should be same as From Date for Half Day leave, +To Discuss, +To Do List, +To Package No., +To Produce, +To Time, +To Value, +To Warehouse,Do magazynu +"To add child nodes, explore tree and click on the node under which you want to add more nodes.", +"To assign this issue, use the ""Assign"" button in the sidebar.", +To create a Bank Account:, +To create a Tax Account:, +"To create an Account Head under a different company, select the company and save customer.", +To date cannot be before from date, +To enable Point of Sale features, +To enable Point of Sale view, +To get Item Group in details table, +"To include tax in row {0} in Item rate, taxes in rows {1} must also be included", +"To merge, following properties must be same for both items", +"To report an issue, go to ", +"To set this Fiscal Year as Default, click on 'Set as Default'", +To track any installation or commissioning related work after sales, +"To track brand name in the following documents Delivery Note, Opportunity, Material Request, Item, Purchase Order, Purchase Voucher, Purchaser Receipt, Quotation, Sales Invoice, Sales BOM, Sales Order, Serial No", +To track item in sales and purchase documents based on their serial nos. This is can also used to track warranty details of the product., +To track items in sales and purchase documents with batch nos
Preferred Industry: Chemicals etc, +To track items using barcode. You will be able to enter items in Delivery Note and Sales Invoice by scanning barcode of item., +Tools,Narzędzia +Total, +Total Advance, +Total Allocated Amount, +Total Allocated Amount can not be greater than unmatched amount, +Total Amount,Wartość całkowita +Total Amount To Pay, +Total Amount in Words, +Total Billing This Year: , +Total Claimed Amount, +Total Commission, +Total Cost,Koszt całkowity +Total Credit, +Total Debit, +Total Debit must be equal to Total Credit. The difference is {0}, +Total Deduction, +Total Earning, +Total Experience, +Total Hours, +Total Hours (Expected), +Total Invoiced Amount, +Total Leave Days, +Total Leaves Allocated, +Total Message(s), +Total Operating Cost,Całkowity koszt operacyjny +Total Points, +Total Raw Material Cost,Całkowity koszt surowców +Total Sanctioned Amount, +Total Score (Out of 5), +Total Tax (Company Currency), +Total Taxes and Charges, +Total Taxes and Charges (Company Currency), +Total Words, +Total Working Days In The Month, +Total allocated percentage for sales team should be 100, +Total amount of invoices received from suppliers during the digest period, +Total amount of invoices sent to the customer during the digest period, +Total cannot be zero, +Total in words, +Total points for all goals should be 100. It is {0}, +Total weightage assigned should be 100%. It is {0}, +Totals,Sumy całkowite +Track Leads by Industry Type., +Track this Delivery Note against any Project, +Track this Sales Order against any Project, +Transaction, +Transaction Date,Data transakcji +Transaction not allowed against stopped Production Order {0}, +Transfer, +Transfer Material, +Transfer Raw Materials, +Transferred Qty, +Transportation, +Transporter Info,Informacje dotyczące przewoźnika +Transporter Name,Nazwa przewoźnika +Transporter lorry number,Nr ciężarówki przewoźnika +Travel,Podróż +Travel Expenses, +Tree Type, +Tree of Item Groups., +Tree of finanial Cost Centers., +Tree of finanial accounts., +Trial Balance, +Tuesday,Wtorek +Type,Typ +Type of document to rename., +"Type of leaves like casual, sick etc.", +Types of Expense Claim., +Types of activities for Time Sheets, +"Types of employment (permanent, contract, intern etc.).", +UOM Conversion Detail,Szczegóły konwersji JM +UOM Conversion Details,Współczynnik konwersji JM +UOM Conversion Factor, +UOM Conversion factor is required in row {0}, +UOM Name,Nazwa Jednostki Miary +UOM coversion factor required for UOM {0} in Item {1}, +Under AMC, +Under Graduate, +Under Warranty, +Unit,Jednostka +Unit of Measure,Jednostka miary +Unit of Measure {0} has been entered more than once in Conversion Factor Table, +"Unit of measurement of this item (e.g. Kg, Unit, No, Pair).","Jednostka miary tego produktu (np. Kg, jednostka, numer, para)." +Units/Hour,Jednostka/godzinę +Units/Shifts, +Unmatched Amount, +Unpaid, +Unscheduled, +Unsecured Loans, +Unstop, +Unstop Material Request, +Unstop Purchase Order, +Unsubscribed, +Update, +Update Clearance Date, +Update Cost, +Update Finished Goods, +Update Landed Cost, +Update Series, +Update Series Number, +Update Stock, +"Update allocated amount in the above table and then click ""Allocate"" button", +Update bank payment dates with journals., +Update clearance date of Journal Entries marked as 'Bank Vouchers', +Updated, +Updated Birthday Reminders, +Upload Attendance, +Upload Backups to Dropbox, +Upload Backups to Google Drive, +Upload HTML, +Upload a .csv file with two columns: the old name and the new name. Max 500 rows., +Upload attendance from a .csv file, +Upload stock balance via csv., +Upload your letter head and logo - you can edit them later., +Upper Income, +Urgent, +Use Multi-Level BOM,Używaj wielopoziomowych zestawień materiałowych +Use SSL, +User,Użytkownik +User ID, +User ID not set for Employee {0}, +User Name, +User Name or Support Password missing. Please enter and try again., +User Remark, +User Remark will be added to Auto Remark, +User Remarks is mandatory, +User Specific, +User must always select, +User {0} is already assigned to Employee {1}, +User {0} is disabled, +Username, +Users with this role are allowed to create / modify accounting entry before frozen date, +Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts, +Utilities, +Utility Expenses, +Valid For Territories, +Valid From, +Valid Upto, +Valid for Territories, +Validate, +Valuation, +Valuation Method,Metoda wyceny +Valuation Rate, +Valuation Rate required for Item {0}, +Valuation and Total, +Value, +Value or Qty, +Vehicle Dispatch Date, +Vehicle No,Nr rejestracyjny pojazdu +Venture Capital, +Verified By,Zweryfikowane przez +View Ledger, +View Now, +Visit report for maintenance call., +Voucher #, +Voucher Detail No, +Voucher ID, +Voucher No, +Voucher No is not valid, +Voucher Type, +Voucher Type and Date, +Walk In, +Warehouse,Magazyn +Warehouse Contact Info,Dane kontaktowe dla magazynu +Warehouse Detail,Szczegóły magazynu +Warehouse Name,Nazwa magazynu +Warehouse and Reference, +Warehouse can not be deleted as stock ledger entry exists for this warehouse., +Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt, +Warehouse cannot be changed for Serial No., +Warehouse is mandatory for stock Item {0} in row {1}, +Warehouse is missing in Purchase Order, +Warehouse not found in the system, +Warehouse required for stock Item {0}, +Warehouse required in POS Setting, +Warehouse where you are maintaining stock of rejected items, +Warehouse {0} can not be deleted as quantity exists for Item {1}, +Warehouse {0} does not belong to company {1}, +Warehouse {0} does not exist, +Warehouse-Wise Stock Balance, +Warehouse-wise Item Reorder, +Warehouses,Magazyny +Warehouses.,Magazyny. +Warn, +Warning: Leave application contains following block dates, +Warning: Material Requested Qty is less than Minimum Order Qty, +Warning: Sales Order {0} already exists against same Purchase Order number, +Warning: System will not check overbilling since amount for Item {0} in {1} is zero, +Warranty / AMC Details, +Warranty / AMC Status, +Warranty Expiry Date,Data upływu gwarancji +Warranty Period (Days),Okres gwarancji (dni) +Warranty Period (in days),Okres gwarancji (w dniach) +We buy this Item, +We sell this Item, +Website,Strona internetowa +Website Description, +Website Item Group, +Website Item Groups, +Website Settings, +Website Warehouse, +Wednesday,Środa +Weekly,Tygodniowo +Weekly Off, +Weight UOM, +"Weight is mentioned,\nPlease mention ""Weight UOM"" too", +Weightage, +Weightage (%), +Welcome,Witamy +Welcome to ERPNext. Over the next few minutes we will help you setup your ERPNext account. Try and fill in as much information as you have even if it takes a bit longer. It will save you a lot of time later. Good Luck!, +Welcome to ERPNext. Please select your language to begin the Setup Wizard., +What does it do?, +"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.", +"When submitted, the system creates difference entries to set the given stock and valuation on this date.", +Where items are stored.,Gdzie produkty są przechowywane. +Where manufacturing operations are carried out.,Gdzie prowadzona jest działalność produkcyjna. +Widowed, +Will be calculated automatically when you enter the details, +Will be updated after Sales Invoice is Submitted., +Will be updated when batched., +Will be updated when billed., +Wire Transfer,Przelew +With Operations,Wraz z działaniami +With period closing entry, +Work Details, +Work Done, +Work In Progress, +Work-in-Progress Warehouse,Magazyn dla produkcji +Work-in-Progress Warehouse is required before Submit, +Working, +Workstation,Stacja robocza +Workstation Name,Nazwa stacji roboczej +Write Off Account, +Write Off Amount, +Write Off Amount <=, +Write Off Based On, +Write Off Cost Center, +Write Off Outstanding Amount, +Write Off Voucher, +Wrong Template: Unable to find head row., +Year,Rok +Year Closed, +Year End Date, +Year Name, +Year Start Date, +Year Start Date and Year End Date are already set in Fiscal Year {0}, +Year Start Date and Year End Date are not within Fiscal Year., +Year Start Date should not be greater than Year End Date, +Year of Passing, +Yearly,Rocznie +Yes,Tak +You are not authorized to add or update entries before {0}, +You are not authorized to set Frozen value, +You are the Expense Approver for this record. Please Update the 'Status' and Save, +You are the Leave Approver for this record. Please Update the 'Status' and Save, +You can enter any date manually, +You can enter the minimum quantity of this item to be ordered.,"Można wpisać minimalna ilość tego produktu, którą zamierza się zamawiać." +You can not assign itself as parent account, +You can not change rate if BOM mentioned agianst any item, +You can not enter both Delivery Note No and Sales Invoice No. Please enter any one., +You can not enter current voucher in 'Against Journal Voucher' column, +You can set Default Bank Account in Company master, +You can start by selecting backup frequency and granting access for sync, +You can submit this Stock Reconciliation., +You can update either Quantity or Valuation Rate or both., +You cannot credit and debit same account at the same time, +You have entered duplicate items. Please rectify and try again., +You may need to update: {0}, +You must Save the form before proceeding, +You must allocate amount before reconcile, +Your Customer's TAX registration numbers (if applicable) or any general information, +Your Customers, +Your Login Id, +Your Products or Services, +Your Suppliers, +Your email address, +Your financial year begins on, +Your financial year ends on, +Your sales person who will contact the customer in future, +Your sales person will get a reminder on this date to contact the customer, +Your setup is complete. Refreshing..., +Your support email id - must be a valid email - this is where your emails will come!, +[Select], +`Freeze Stocks Older Than` should be smaller than %d days., +and, +are not allowed., +assigned by, +"e.g. ""Build tools for builders""", +"e.g. ""MC""", +"e.g. ""My Company LLC""", +e.g. 5, +"e.g. Bank, Cash, Credit Card", +"e.g. Kg, Unit, Nos, m", +e.g. VAT, +eg. Cheque Number, +example: Next Day Shipping, +lft, +old_parent, +rgt, +website page link, +{0} '{1}' not in Fiscal Year {2}, +{0} Credit limit {0} crossed, +{0} Serial Numbers required for Item {0}. Only {0} provided., +{0} budget for Account {1} against Cost Center {2} will exceed by {3}, +{0} created, +{0} does not belong to Company {1}, +{0} entered twice in Item Tax, +{0} is an invalid email address in 'Notification Email Address', +{0} is mandatory, +{0} is mandatory for Item {1}, +{0} is not a stock Item, +{0} is not a valid Batch Number for Item {1}, +{0} is not a valid Leave Approver, +{0} is not a valid email id, +{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect., +{0} is required, +{0} must be a Purchased or Sub-Contracted Item in row {1}, +{0} must be less than or equal to {1}, +{0} must have role 'Leave Approver', +{0} valid serial nos for Item {1}, +{0} {1} against Bill {2} dated {3}, +{0} {1} against Invoice {2}, +{0} {1} has already been submitted, +{0} {1} has been modified. Please Refresh, +{0} {1} has been modified. Please refresh, +{0} {1} has been modified. Please refresh., +{0} {1} is not submitted, +{0} {1} must be submitted, +{0} {1} not in any Fiscal Year, +{0} {1} status is 'Stopped', +{0} {1} status is Stopped, +{0} {1} status is Unstopped, diff --git a/erpnext/translations/pt.csv b/erpnext/translations/pt.csv index 5af9bc72e4..18c46175a7 100644 --- a/erpnext/translations/pt.csv +++ b/erpnext/translations/pt.csv @@ -28,36 +28,12 @@ 'To Date' is required,' To Date ' é necessária 'Update Stock' for Sales Invoice {0} must be set,"'Atualizar Estoque ""para vendas Invoice {0} deve ser definido" * Will be calculated in the transaction.,* Será calculado na transação. -"1 Currency = [?] Fraction -For e.g. 1 USD = 100 Cent","1 Moeda = [?] Fração - Por exemplo 1 USD = 100 Cent" +1 Currency = [?] FractionFor e.g. 1 USD = 100 Cent,1 Moeda = [?] Fração Por exemplo 1 USD = 100 Cent 1. To maintain the customer wise item code and to make them searchable based on their code use this option,1. Para manter o cliente código do item sábio e para torná-los pesquisáveis ​​com base em seu código usar esta opção "Add / Edit"," toevoegen / bewerken < / a>" "Add / Edit"," toevoegen / bewerken < / a>" "Add / Edit"," toevoegen / bewerken < / a>" -"

Default Template

-

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

-
{{ address_line1 }}<br>
-{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}
-{{ city }}<br>
-{% if state %}{{ state }}<br>{% endif -%}
-{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}
-{{ country }}<br>
-{% if phone %}Phone: {{ phone }}<br>{% endif -%}
-{% if fax %}Fax: {{ fax }}<br>{% endif -%}
-{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
-
","

modelo padrão -

Usa Jinja Templating e todos os campos de Endereço ( incluindo campos personalizados se houver) estará disponível -

  {{}} address_line1 
- {% if address_line2%} {{}} address_line2
{ endif% -%} - {{cidade}}
- {% if%} Estado {{estado}} {% endif
-%} - {% if pincode%} PIN: {{}} pincode
{% endif -%} - {{país}}
- {% if%} telefone Telefone: {{telefone}} {
endif% -%} - {% if%} fax Fax: {{fax}} {% endif
-%} - {% if% email_id} E-mail: {{}} email_id
, {% endif -%} - " +"

Default Template

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

{{ address_line1 }}<br>{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}{{ city }}<br>{% if state %}{{ state }}<br>{% endif -%}{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}{{ country }}<br>{% if phone %}Phone: {{ phone }}<br>{% endif -%}{% if fax %}Fax: {{ fax }}<br>{% endif -%}{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
","

modelo padrão

Usa Jinja Templating e todos os campos de Endereço ( incluindo campos personalizados se houver) estará disponível

  {{}} address_line1 
{% if address_line2%} {{}} address_line2
{ endif% -%} {{cidade}}
{% if%} Estado {{estado}} {% endif
-%} {% if pincode%} PIN: {{}} pincode
{% endif -%} {{país}}
{% if%} telefone Telefone: {{telefone}} {
endif% -%} {% if%} fax Fax: {{fax}} {% endif
-%} {% if% email_id} E-mail: {{}} email_id
, {% endif -%} " A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Um grupo de clientes existente com o mesmo nome, por favor altere o nome do cliente ou renomear o grupo de clientes" A Customer exists with same name,Um cliente existe com mesmo nome A Lead with this email id should exist,Um chumbo com esse ID de e-mail deve existir @@ -103,9 +79,7 @@ Account {0}: Parent account {1} can not be a ledger,Conta {0}: conta Parent {1} Account {0}: Parent account {1} does not belong to company: {2},Conta {0}: conta Parent {1} não pertence à empresa: {2} Account {0}: Parent account {1} does not exist,Conta {0}: conta Parent {1} não existe Account {0}: You can not assign itself as parent account,Conta {0}: Você não pode atribuir-se como conta principal -"Account: {0} can only be updated via \ - Stock Transactions","Conta: {0} só pode ser atualizado através de \ - operações com ações" +Account: {0} can only be updated via \ Stock Transactions,Conta: {0} só pode ser atualizado através de \ operações com ações Accountant,contador Accounting,Contabilidade "Accounting Entries can be made against leaf nodes, called","Boekingen kunnen worden gemaakt tegen leaf nodes , genaamd" @@ -886,9 +860,7 @@ Download Reconcilation Data,Download Verzoening gegevens Download Template,Baixe Template Download a report containing all raw materials with their latest inventory status,Baixe um relatório contendo todas as matérias-primas com o seu estado mais recente inventário "Download the Template, fill appropriate data and attach the modified file.","Baixe o modelo , preencha os dados apropriados e anexe o arquivo modificado." -"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","Baixe o modelo, preencha os dados apropriados e anexe o arquivo modificado. - Todas as datas e combinação empregado no período selecionado virá no modelo, com registros de freqüência existentes" +"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","Baixe o modelo, preencha os dados apropriados e anexe o arquivo modificado. Todas as datas e combinação empregado no período selecionado virá no modelo, com registros de freqüência existentes" Draft,Rascunho Dropbox,Dropbox Dropbox Access Allowed,Dropbox acesso permitido @@ -994,9 +966,7 @@ Error: {0} > {1},Erro: {0} > {1} Estimated Material Cost,Custo de Material estimada "Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Mesmo se houver várias regras de preços com maior prioridade, então seguintes prioridades internas são aplicadas:" Everyone can read,Todo mundo pode ler -"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.",". Exemplo: ABCD # # # # # - Se série está definido e número de série não é mencionado em transações, número de série, então automático será criado com base nessa série. Se você sempre quis mencionar explicitamente os números de ordem para este item. deixe em branco." +"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.",". Exemplo: ABCD # # # # # Se série está definido e número de série não é mencionado em transações, número de série, então automático será criado com base nessa série. Se você sempre quis mencionar explicitamente os números de ordem para este item. deixe em branco." Exchange Rate,Taxa de Câmbio Excise Duty 10,Impostos Especiais de Consumo 10 Excise Duty 14,Impostos Especiais de Consumo 14 @@ -1470,9 +1440,7 @@ Item-wise Purchase History,Item-wise Histórico de compras Item-wise Purchase Register,Item-wise Compra Register Item-wise Sales History,Item-wise Histórico de Vendas Item-wise Sales Register,Vendas de item sábios Registrar -"Item: {0} managed batch-wise, can not be reconciled using \ - Stock Reconciliation, instead use Stock Entry","Item: {0} gerido por lotes, não pode ser conciliada com \ - Banco de reconciliação, em vez usar Banco de Entrada" +"Item: {0} managed batch-wise, can not be reconciled using \ Stock Reconciliation, instead use Stock Entry","Item: {0} gerido por lotes, não pode ser conciliada com \ Banco de reconciliação, em vez usar Banco de Entrada" Item: {0} not found in the system,Item : {0} não foi encontrado no sistema Items,Itens Items To Be Requested,Items worden aangevraagd @@ -1731,9 +1699,7 @@ Moving Average Rate,Movendo Taxa Média Mr,Sr. Ms,Ms Multiple Item prices.,Meerdere Artikelprijzen . -"Multiple Price Rule exists with same criteria, please resolve \ - conflict by assigning priority. Price Rules: {0}","Várias Rule Preço existe com os mesmos critérios, por favor resolver \ - conflito atribuindo prioridade. Regras Preço: {0}" +"Multiple Price Rule exists with same criteria, please resolve \ conflict by assigning priority. Price Rules: {0}","Várias Rule Preço existe com os mesmos critérios, por favor resolver \ conflito atribuindo prioridade. Regras Preço: {0}" Music,música Must be Whole Number,Deve ser Número inteiro Name,Nome @@ -2486,23 +2452,15 @@ Row # ,Linha # Row # {0}: , Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,Row # {0}: qty ordenado pode não inferior a qty pedido mínimo do item (definido no mestre de item). Row #{0}: Please specify Serial No for Item {1},Row # {0}: Favor especificar Sem Serial para item {1} -"Row {0}: Account does not match with \ - Purchase Invoice Credit To account","Row {0}: Conta não corresponde com \ - Compra fatura de crédito para conta" -"Row {0}: Account does not match with \ - Sales Invoice Debit To account","Row {0}: Conta não corresponde com \ - Vendas fatura de débito em conta" +Row {0}: Account does not match with \ Purchase Invoice Credit To account,Row {0}: Conta não corresponde com \ Compra fatura de crédito para conta +Row {0}: Account does not match with \ Sales Invoice Debit To account,Row {0}: Conta não corresponde com \ Vendas fatura de débito em conta Row {0}: Conversion Factor is mandatory,Row {0}: Fator de Conversão é obrigatório Row {0}: Credit entry can not be linked with a Purchase Invoice,Row {0}: entrada de crédito não pode ser associada com uma fatura de compra Row {0}: Debit entry can not be linked with a Sales Invoice,Row {0}: lançamento de débito não pode ser associada com uma factura de venda Row {0}: Payment amount must be less than or equals to invoice outstanding amount. Please refer Note below.,"Row {0}: Valor do pagamento deve ser menor ou igual a facturar montante em dívida. Por favor, consulte a nota abaixo." Row {0}: Qty is mandatory,Row {0}: Quantidade é obrigatório -"Row {0}: Qty not avalable in warehouse {1} on {2} {3}. - Available Qty: {4}, Transfer Qty: {5}","Row {0}: Quantidade não avalable no armazém {1} em {2} {3}. - Disponível Qtde: {4}, Transferência Qtde: {5}" -"Row {0}: To set {1} periodicity, difference between from and to date \ - must be greater than or equal to {2}","Fila {0}: Para definir {1} periodicidade, diferença entre a data e a partir de \ - deve ser maior do que ou igual a {2}" +"Row {0}: Qty not avalable in warehouse {1} on {2} {3}. Available Qty: {4}, Transfer Qty: {5}","Row {0}: Quantidade não avalable no armazém {1} em {2} {3}. Disponível Qtde: {4}, Transferência Qtde: {5}" +"Row {0}: To set {1} periodicity, difference between from and to date \ must be greater than or equal to {2}","Fila {0}: Para definir {1} periodicidade, diferença entre a data e a partir de \ deve ser maior do que ou igual a {2}" Row {0}:Start Date must be before End Date,Row {0}: Data de início deve ser anterior a data de término Rules for adding shipping costs.,Regras para adicionar os custos de envio . Rules for applying pricing and discount.,Regras para aplicação de preços e de desconto. @@ -2683,9 +2641,7 @@ Serial No {0} status must be 'Available' to Deliver,Serial No {0} Estado deve se Serial Nos Required for Serialized Item {0},Serial Nos Obrigatório para Serialized item {0} Serial Number Series,Serienummer Series Serial number {0} entered more than once,Número de série {0} entrou mais de uma vez -"Serialized Item {0} cannot be updated \ - using Stock Reconciliation","Serialized item {0} não pode ser atualizado \ - usando Banco de Reconciliação" +Serialized Item {0} cannot be updated \ using Stock Reconciliation,Serialized item {0} não pode ser atualizado \ usando Banco de Reconciliação Series,serie Series List for this Transaction,Lista de séries para esta transação Series Updated,Série Atualizado @@ -2911,9 +2867,7 @@ Tax Assets,Ativo Fiscal Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,Fiscale categorie kan ' Valuation ' of ' Valuation en Total ' als alle items zijn niet-voorraadartikelen niet Tax Rate,Taxa de Imposto Tax and other salary deductions.,Fiscais e deduções salariais outros. -"Tax detail table fetched from item master as a string and stored in this field. -Used for Taxes and Charges","Tabela de detalhes Imposto obtido a partir de mestre como uma string e armazenada neste campo. - Usado para Impostos e Taxas" +Tax detail table fetched from item master as a string and stored in this field.Used for Taxes and Charges,Tabela de detalhes Imposto obtido a partir de mestre como uma string e armazenada neste campo. Usado para Impostos e Taxas Tax template for buying transactions.,Modelo de impostos para a compra de transações. Tax template for selling transactions.,Modelo imposto pela venda de transações. Taxable,Tributável @@ -2959,9 +2913,7 @@ The First User: You,De eerste gebruiker : U "The Item that represents the Package. This Item must have ""Is Stock Item"" as ""No"" and ""Is Sales Item"" as ""Yes""",O item que representa o pacote. Este item deve ter "é o item da" como "Não" e "é o item de vendas" como "Sim" The Organization,de Organisatie "The account head under Liability, in which Profit/Loss will be booked","De rekening hoofd onder Aansprakelijkheid , waarin Winst / verlies zal worden geboekt" -"The date on which next invoice will be generated. It is generated on submit. -","A data em que próxima fatura será gerada. Ele é gerado em enviar. -" +The date on which next invoice will be generated. It is generated on submit.,A data em que próxima fatura será gerada. Ele é gerado em enviar. The date on which recurring invoice will be stop,A data em que fatura recorrente será parar "The day of the month on which auto invoice will be generated e.g. 05, 28 etc ","O dia do mês em que factura automática será gerada, por exemplo 05, 28 etc" The day(s) on which you are applying for leave are holiday. You need not apply for leave.,No dia (s) em que você está se candidatando para a licença estão de férias. Você não precisa solicitar uma licença . diff --git a/erpnext/translations/ro.csv b/erpnext/translations/ro.csv index a076b171bc..fc6d6ce9ed 100644 --- a/erpnext/translations/ro.csv +++ b/erpnext/translations/ro.csv @@ -28,36 +28,12 @@ 'To Date' is required,"""Pentru a Data"" este necesară" 'Update Stock' for Sales Invoice {0} must be set,"""Actualizare Stock"" pentru Vânzări Factura {0} trebuie să fie stabilite" * Will be calculated in the transaction.,* Vor fi calculate în tranzacție. -"1 Currency = [?] Fraction -For e.g. 1 USD = 100 Cent","1 valutar = [?] Fractiune - De exemplu, 1 USD = 100 Cent" +1 Currency = [?] FractionFor e.g. 1 USD = 100 Cent,"1 valutar = [?] Fractiune De exemplu, 1 USD = 100 Cent" 1. To maintain the customer wise item code and to make them searchable based on their code use this option,1 Pentru a menține codul de client element înțelept și pentru a le face pe baza utilizării lor cod de această opțiune "
Add / Edit"," Add / Edit " "Add / Edit"," Add / Edit " "Add / Edit"," Add / Edit " -"

Default Template

-

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

-
{{ address_line1 }}<br>
-{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}
-{{ city }}<br>
-{% if state %}{{ state }}<br>{% endif -%}
-{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}
-{{ country }}<br>
-{% if phone %}Phone: {{ phone }}<br>{% endif -%}
-{% if fax %}Fax: {{ fax }}<br>{% endif -%}
-{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
-
","

implicit Format -

Utilizeaza Jinja templating și toate domeniile de Adresa ( inclusiv Câmpuri personalizate dacă este cazul) va fi disponibil -

  {{}} address_line1 
- {% dacă address_line2%} {{}} address_line2 cui { % endif -%} - {{oras}}
- {%, în cazul în care de stat%} {{}} stat {cui% endif -%} - {%, în cazul în care parola așa%} PIN: {{}} parola așa cui {% endif -%} - {{țară}}
- {%, în cazul în care telefonul%} Telefon: {{telefon}} cui { % endif -%} - {% dacă fax%} Fax: {{fax}} cui {% endif -%} - {% dacă email_id%} Email: {{}} email_id
; {% endif -%} - " +"

Default Template

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

{{ address_line1 }}<br>{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}{{ city }}<br>{% if state %}{{ state }}<br>{% endif -%}{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}{{ country }}<br>{% if phone %}Phone: {{ phone }}<br>{% endif -%}{% if fax %}Fax: {{ fax }}<br>{% endif -%}{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
","

implicit Format

Utilizeaza Jinja templating și toate domeniile de Adresa ( inclusiv Câmpuri personalizate dacă este cazul) va fi disponibil

  {{}} address_line1 
{% dacă address_line2%} {{}} address_line2 cui { % endif -%} {{oras}}
{%, în cazul în care de stat%} {{}} stat {cui% endif -%} {%, în cazul în care parola așa%} PIN: {{}} parola așa cui {% endif -%} {{țară}}
{%, în cazul în care telefonul%} Telefon: {{telefon}} cui { % endif -%} {% dacă fax%} Fax: {{fax}} cui {% endif -%} {% dacă email_id%} Email: {{}} email_id
; {% endif -%} " 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 redenumi Grupul Customer A Customer exists with same name,Există un client cu același nume A Lead with this email id should exist,Un plumb cu acest id-ul de e-mail ar trebui să existe @@ -103,9 +79,7 @@ Account {0}: Parent account {1} can not be a ledger,Contul {0}: cont Părinte {1 Account {0}: Parent account {1} does not belong to company: {2},Contul {0}: cont Părinte {1} nu apartine companiei: {2} Account {0}: Parent account {1} does not exist,Contul {0}: cont Părinte {1} nu exista Account {0}: You can not assign itself as parent account,Contul {0}: Nu se poate atribui ca cont părinte -"Account: {0} can only be updated via \ - Stock Transactions","Cont: {0} poate fi actualizat doar prin \ - Tranzacții stoc" +Account: {0} can only be updated via \ Stock Transactions,Cont: {0} poate fi actualizat doar prin \ Tranzacții stoc Accountant,Contabil Accounting,Contabilitate "Accounting Entries can be made against leaf nodes, called","Înregistrări contabile pot fi făcute împotriva nodurile frunză, numit" @@ -886,9 +860,7 @@ Download Reconcilation Data,Descărcați reconcilierii datelor Download Template,Descărcați Format Download a report containing all raw materials with their latest inventory status,Descărca un raport care conține toate materiile prime cu statutul lor ultimul inventar "Download the Template, fill appropriate data and attach the modified file.","Descărcați șablonul, umple de date corespunzătoare și atașați fișierul modificat." -"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 combinație angajat în perioada selectată va veni în șablon, cu înregistrări de prezență existente" +"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 combinație angajat în perioada selectată va veni în șablon, cu înregistrări de prezență existente" Draft,Ciornă Dropbox,Dropbox Dropbox Access Allowed,Dropbox de acces permise @@ -994,9 +966,7 @@ Error: {0} > {1},Eroare: {0}> {1} Estimated Material Cost,Costul estimat Material "Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Chiar dacă există mai multe reguli de stabilire a prețurilor, cu cea mai mare prioritate, se aplică apoi următoarele priorități interne:" Everyone can read,Oricine poate citi -"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.",". Exemplu: ABCD # # # # # - În cazul în care seria este setat și nu de serie nu este menționat în tranzacții, numărul de atunci automat de serie va fi creat pe baza acestei serii. Dacă vrei mereu să menționeze în mod explicit de serie nr pentru acest articol. părăsi acest gol." +"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.",". Exemplu: ABCD # # # # # În cazul în care seria este setat și nu de serie nu este menționat în tranzacții, numărul de atunci automat de serie va fi creat pe baza acestei serii. Dacă vrei mereu să menționeze în mod explicit de serie nr pentru acest articol. părăsi acest gol." Exchange Rate,Rata de schimb Excise Duty 10,Accize 10 Excise Duty 14,Accize 14 @@ -1470,9 +1440,7 @@ Item-wise Purchase History,-Element înțelept Istoricul achizițiilor Item-wise Purchase Register,-Element înțelept cumparare Inregistrare Item-wise Sales History,-Element înțelept Sales Istorie Item-wise Sales Register,-Element înțelept vânzări Înregistrare -"Item: {0} managed batch-wise, can not be reconciled using \ - Stock Reconciliation, instead use Stock Entry","Postul: {0}-lot înțelept a reușit, nu pot fi reconciliate cu ajutorul \ - Bursa de reconciliere, folosiți în schimb Bursa de intrare" +"Item: {0} managed batch-wise, can not be reconciled using \ Stock Reconciliation, instead use Stock Entry","Postul: {0}-lot înțelept a reușit, nu pot fi reconciliate cu ajutorul \ Bursa de reconciliere, folosiți în schimb Bursa de intrare" Item: {0} not found in the system,Postul: {0} nu a fost găsit în sistemul Items,Obiecte Items To Be Requested,Elemente care vor fi solicitate @@ -1731,9 +1699,7 @@ Moving Average Rate,Rata medie mobilă Mr,Mr Ms,Ms Multiple Item prices.,Mai multe prețuri element. -"Multiple Price Rule exists with same criteria, please resolve \ - conflict by assigning priority. Price Rules: {0}","Există Prețul multiple Regula cu aceleași criterii, vă rugăm să rezolve \ - conflictelor de acordând prioritate. Reguli Pret: {0}" +"Multiple Price Rule exists with same criteria, please resolve \ conflict by assigning priority. Price Rules: {0}","Există Prețul multiple Regula cu aceleași criterii, vă rugăm să rezolve \ conflictelor de acordând prioritate. Reguli Pret: {0}" Music,Muzica Must be Whole Number,Trebuie să fie Număr întreg Name,Nume @@ -2486,23 +2452,15 @@ Row # , Row # {0}: , Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,Rând # {0}: Cantitate Comandat poate nu mai puțin de cantitate minimă de comandă item (definit la punctul de master). Row #{0}: Please specify Serial No for Item {1},Rând # {0}: Vă rugăm să specificați Nu serial pentru postul {1} -"Row {0}: Account does not match with \ - Purchase Invoice Credit To account","Rând {0}: Contul nu se potrivește cu \ - cumparare Facturi de credit a contului" -"Row {0}: Account does not match with \ - Sales Invoice Debit To account","Rând {0}: Contul nu se potrivește cu \ - Vânzări Facturi de debit a contului" +Row {0}: Account does not match with \ Purchase Invoice Credit To account,Rând {0}: Contul nu se potrivește cu \ cumparare Facturi de credit a contului +Row {0}: Account does not match with \ Sales Invoice Debit To account,Rând {0}: Contul nu se potrivește cu \ Vânzări Facturi de debit a contului Row {0}: Conversion Factor is mandatory,Rând {0}: Factorul de conversie este obligatorie Row {0}: Credit entry can not be linked with a Purchase Invoice,Rând {0}: intrare de credit nu poate fi legat cu o factura de cumpărare Row {0}: Debit entry can not be linked with a Sales Invoice,Rând {0}: intrare de debit nu poate fi legat de o factură de vânzare Row {0}: Payment amount must be less than or equals to invoice outstanding amount. Please refer Note below.,Rând {0}: Suma de plată trebuie să fie mai mic sau egal cu factura suma restante. Vă rugăm să consultați nota de mai jos. Row {0}: Qty is mandatory,Rând {0}: Cant este obligatorie -"Row {0}: Qty not avalable in warehouse {1} on {2} {3}. - Available Qty: {4}, Transfer Qty: {5}","Rând {0}: Cantitate nu avalable în depozit {1} la {2} {3}. - Disponibil Cantitate: {4}, transfer Cantitate: {5}" -"Row {0}: To set {1} periodicity, difference between from and to date \ - must be greater than or equal to {2}","Rând {0}: Pentru a seta {1} periodicitate, diferența între de la și până la data \ - trebuie să fie mai mare sau egal cu {2}" +"Row {0}: Qty not avalable in warehouse {1} on {2} {3}. Available Qty: {4}, Transfer Qty: {5}","Rând {0}: Cantitate nu avalable în depozit {1} la {2} {3}. Disponibil Cantitate: {4}, transfer Cantitate: {5}" +"Row {0}: To set {1} periodicity, difference between from and to date \ must be greater than or equal to {2}","Rând {0}: Pentru a seta {1} periodicitate, diferența între de la și până la data \ trebuie să fie mai mare sau egal cu {2}" Row {0}:Start Date must be before End Date,Rând {0}: Data începerii trebuie să fie înainte de Data de încheiere Rules for adding shipping costs.,Reguli pentru a adăuga costurile de transport maritim. Rules for applying pricing and discount.,Normele de aplicare de stabilire a prețurilor și de scont. @@ -2683,9 +2641,7 @@ Serial No {0} status must be 'Available' to Deliver,"Nu {0} Stare de serie trebu Serial Nos Required for Serialized Item {0},Serial nr necesare pentru postul serializat {0} Serial Number Series,Număr de serie de serie Serial number {0} entered more than once,Număr de serie {0} a intrat de mai multe ori -"Serialized Item {0} cannot be updated \ - using Stock Reconciliation","Postul serializat {0} nu poate fi actualizat \ - folosind Bursa de reconciliere" +Serialized Item {0} cannot be updated \ using Stock Reconciliation,Postul serializat {0} nu poate fi actualizat \ folosind Bursa de reconciliere Series,Serie Series List for this Transaction,Lista de serie pentru această tranzacție Series Updated,Seria Actualizat @@ -2911,9 +2867,7 @@ Tax Assets,Active fiscale Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,"Taxa Categoria nu poate fi ""de evaluare"" sau ""de evaluare și total"", ca toate elementele sunt produse non-stoc" Tax Rate,Cota de impozitare Tax and other salary deductions.,Impozitul și alte rețineri salariale. -"Tax detail table fetched from item master as a string and stored in this field. -Used for Taxes and Charges","Masă detaliu impozit preluat de la postul de master ca un șir și stocate în acest domeniu. - Folosit pentru Impozite și Taxe" +Tax detail table fetched from item master as a string and stored in this field.Used for Taxes and Charges,Masă detaliu impozit preluat de la postul de master ca un șir și stocate în acest domeniu. Folosit pentru Impozite și Taxe Tax template for buying transactions.,Șablon taxa pentru tranzacțiilor de cumpărare. Tax template for selling transactions.,Șablon impozit pentru tranzacțiile de vânzare. Taxable,Impozabil @@ -2959,9 +2913,7 @@ The First User: You,Primul utilizator: "The Item that represents the Package. This Item must have ""Is Stock Item"" as ""No"" and ""Is Sales Item"" as ""Yes""","Elementul care reprezintă pachetul. Acest articol trebuie să fi ""Este Piesa"" ca ""Nu"" și ""este produs de vânzări"" ca ""Da""" The Organization,Organizația "The account head under Liability, in which Profit/Loss will be booked","Contul capul sub răspunderii, în care Profit / pierdere va fi rezervat" -"The date on which next invoice will be generated. It is generated on submit. -","Data la care va fi generat următoarea factură. Acesta este generat pe prezinte. -" +The date on which next invoice will be generated. It is generated on submit.,Data la care va fi generat următoarea factură. Acesta este generat pe prezinte. The date on which recurring invoice will be stop,La data la care factura recurente vor fi opri "The day of the month on which auto invoice will be generated e.g. 05, 28 etc ", The day(s) on which you are applying for leave are holiday. You need not apply for leave.,A doua zi (e) pe care aplici pentru concediu sunt vacanță. Tu nu trebuie să se aplice pentru concediu. diff --git a/erpnext/translations/ru.csv b/erpnext/translations/ru.csv index b480a1c605..1ef537c3a3 100644 --- a/erpnext/translations/ru.csv +++ b/erpnext/translations/ru.csv @@ -28,36 +28,12 @@ 'To Date' is required,'To Date' требуется 'Update Stock' for Sales Invoice {0} must be set,"""Обновление со 'для Расходная накладная {0} должен быть установлен" * Will be calculated in the transaction.,* Будет рассчитана в сделке. -"1 Currency = [?] Fraction -For e.g. 1 USD = 100 Cent","1 Валюта = [?] Фракция - Для например 1 USD = 100 Cent" +1 Currency = [?] FractionFor e.g. 1 USD = 100 Cent,1 Валюта = [?] Фракция Для например 1 USD = 100 Cent 1. To maintain the customer wise item code and to make them searchable based on their code use this option,1 Для поддержания клиентов мудрый пункт код и сделать их доступными для поиска в зависимости от их кода использовать эту опцию "
Add / Edit"," Добавить / Изменить " "Add / Edit"," Добавить / Изменить " "Add / Edit"," Добавить / Изменить " -"

Default Template

-

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

-
{{ address_line1 }}<br>
-{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}
-{{ city }}<br>
-{% if state %}{{ state }}<br>{% endif -%}
-{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}
-{{ country }}<br>
-{% if phone %}Phone: {{ phone }}<br>{% endif -%}
-{% if fax %}Fax: {{ fax }}<br>{% endif -%}
-{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
-
","

умолчанию шаблона -

Использует Jinja шаблонов и все поля Адрес ( в том числе пользовательских полей если таковые имеются) будут доступны -

  {{address_line1}} инструменты 
- {%, если address_line2%} {{address_line2}} инструменты { % ENDIF -%} 
- {{город}} инструменты 
- {%, если состояние%} {{состояние}} инструменты {% ENDIF -%} 
- {%, если пин-код%} PIN-код: {{пин-код}} инструменты {% ENDIF -%} 
- {{страна}} инструменты 
- {%, если телефон%} Телефон: {{телефон}} инструменты { % ENDIF -%} 
- {%, если факс%} Факс: {{факс}} инструменты {% ENDIF -%} 
- {%, если email_id%} Email: {{email_id}} инструменты ; {% ENDIF -%} 
-  "
+"

Default Template

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

{{ address_line1 }}<br>{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}{{ city }}<br>{% if state %}{{ state }}<br>{% endif -%}{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}{{ country }}<br>{% if phone %}Phone: {{ phone }}<br>{% endif -%}{% if fax %}Fax: {{ fax }}<br>{% endif -%}{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
","

умолчанию шаблона

Использует Jinja шаблонов и все поля Адрес ( в том числе пользовательских полей если таковые имеются) будут доступны

  {{address_line1}} инструменты  {%, если address_line2%} {{address_line2}} инструменты { % ENDIF -%}  {{город}} инструменты  {%, если состояние%} {{состояние}} инструменты {% ENDIF -%}  {%, если пин-код%} PIN-код: {{пин-код}} инструменты {% ENDIF -%}  {{страна}} инструменты  {%, если телефон%} Телефон: {{телефон}} инструменты { % ENDIF -%}  {%, если факс%} Факс: {{факс}} инструменты {% ENDIF -%}  {%, если email_id%} Email: {{email_id}} инструменты ; {% ENDIF -%}   "
 A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Группа клиентов существует с тем же именем, пожалуйста изменить имя клиентов или переименовать группу клиентов"
 A Customer exists with same name,Существует клиентов с одноименным названием
 A Lead with this email id should exist,Ведущий с этим электронный идентификатор должен существовать
@@ -103,9 +79,7 @@ Account {0}: Parent account {1} can not be a ledger,Счет {0}: Родител
 Account {0}: Parent account {1} does not belong to company: {2},Счет {0}: Родитель счета {1} не принадлежит компании: {2}
 Account {0}: Parent account {1} does not exist,Счет {0}: Родитель счета {1} не существует
 Account {0}: You can not assign itself as parent account,Счет {0}: Вы не можете назначить себя как родительским счетом
-"Account: {0} can only be updated via \
-					Stock Transactions","Счета: {0} может быть обновлен только через \
- Биржевые операции"
+Account: {0} can only be updated via \					Stock Transactions,Счета: {0} может быть обновлен только через \ Биржевые операции
 Accountant,Бухгалтер
 Accounting,Пользователи
 "Accounting Entries can be made against leaf nodes, called","Бухгалтерские записи могут быть сделаны против конечных узлов, называется"
@@ -886,9 +860,7 @@ Download Reconcilation Data,Скачать приведению данных
 Download Template,Скачать шаблон
 Download a report containing all raw materials with their latest inventory status,"Скачать доклад, содержащий все сырье с их последней инвентаризации статус"
 "Download the Template, fill appropriate data and attach the modified file.","Скачать шаблон, заполнить соответствующие данные и приложить измененный файл."
-"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 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","Скачать шаблон, заполнить соответствующие данные и приложить измененный файл. Все даты и сочетание работник в выбранном периоде придет в шаблоне, с существующими рекорды посещаемости"
 Draft,Новый
 Dropbox,Dropbox
 Dropbox Access Allowed,Dropbox доступ разрешен
@@ -994,9 +966,7 @@ Error: {0} > {1},Ошибка: {0}> {1}
 Estimated Material Cost,Расчетное Материал Стоимость
 "Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Даже если есть несколько правил ценообразования с наивысшим приоритетом, то следующие внутренние приоритеты применяются:"
 Everyone can read,Каждый может читать
-"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 # # # # # 
- Если серии установлен и Серийный номер не упоминается в сделках, то автоматическая серийный номер будет создана на основе этой серии. Если вы всегда хотите явно упомянуть серийный Нос для этого элемента. оставьте поле пустым."
+"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 # # # # #  Если серии установлен и Серийный номер не упоминается в сделках, то автоматическая серийный номер будет создана на основе этой серии. Если вы всегда хотите явно упомянуть серийный Нос для этого элемента. оставьте поле пустым."
 Exchange Rate,Курс обмена
 Excise Duty 10,Акцизе 10
 Excise Duty 14,Акцизе 14
@@ -1470,9 +1440,7 @@ Item-wise Purchase History,Пункт мудрый История покупок
 Item-wise Purchase Register,Пункт мудрый Покупка Зарегистрироваться
 Item-wise Sales History,Пункт мудрый История продаж
 Item-wise Sales Register,Пункт мудрый Продажи Зарегистрироваться
-"Item: {0} managed batch-wise, can not be reconciled using \
-					Stock Reconciliation, instead use Stock Entry","Пункт: {0} удалось порционно, не могут быть согласованы с помощью \
- со примирению, а не использовать складе запись"
+"Item: {0} managed batch-wise, can not be reconciled using \					Stock Reconciliation, instead use Stock Entry","Пункт: {0} удалось порционно, не могут быть согласованы с помощью \ со примирению, а не использовать складе запись"
 Item: {0} not found in the system,Пункт: {0} не найден в системе
 Items,Элементы
 Items To Be Requested,"Предметы, будет предложено"
@@ -1731,9 +1699,7 @@ Moving Average Rate,Moving Average Rate
 Mr,Г-н
 Ms,Госпожа
 Multiple Item prices.,Несколько цены товара.
-"Multiple Price Rule exists with same criteria, please resolve \
-			conflict by assigning priority. Price Rules: {0}","Несколько Цена Правило существует с тем же критериям, пожалуйста, решить \
- конфликта путем присвоения приоритет. Цена Правила: {0}"
+"Multiple Price Rule exists with same criteria, please resolve \			conflict by assigning priority. Price Rules: {0}","Несколько Цена Правило существует с тем же критериям, пожалуйста, решить \ конфликта путем присвоения приоритет. Цена Правила: {0}"
 Music,Музыка
 Must be Whole Number,Должно быть Целое число
 Name,Имя
@@ -2486,23 +2452,15 @@ Row # ,
 Row # {0}: ,
 Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,Ряд # {0}: Заказал Количество может не менее минимального Кол порядка элемента (определяется в мастер пункт).
 Row #{0}: Please specify Serial No for Item {1},"Ряд # {0}: Пожалуйста, сформулируйте Серийный номер для Пункт {1}"
-"Row {0}: Account does not match with \
-						Purchase Invoice Credit To account","Ряд {0}: Счет не соответствует \
- Покупка Счет в плюс на счет"
-"Row {0}: Account does not match with \
-						Sales Invoice Debit To account","Ряд {0}: Счет не соответствует \
- Расходная накладная дебету счета"
+Row {0}: Account does not match with \						Purchase Invoice Credit To account,Ряд {0}: Счет не соответствует \ Покупка Счет в плюс на счет
+Row {0}: Account does not match with \						Sales Invoice Debit To account,Ряд {0}: Счет не соответствует \ Расходная накладная дебету счета
 Row {0}: Conversion Factor is mandatory,Ряд {0}: Коэффициент преобразования является обязательным
 Row {0}: Credit entry can not be linked with a Purchase Invoice,Ряд {0}: Кредитная запись не может быть связан с товарным чеком
 Row {0}: Debit entry can not be linked with a Sales Invoice,Ряд {0}: Дебет запись не может быть связан с продаж счета-фактуры
 Row {0}: Payment amount must be less than or equals to invoice outstanding amount. Please refer Note below.,"Ряд {0}: Сумма платежа должна быть меньше или равна выставлять счета суммы задолженности. Пожалуйста, обратитесь примечание ниже."
 Row {0}: Qty is mandatory,Ряд {0}: Кол-во является обязательным
-"Row {0}: Qty not avalable in warehouse {1} on {2} {3}.
-					Available Qty: {4}, Transfer Qty: {5}","Ряд {0}: Кол-во не Имеющийся на складе {1} на {2} {3}.
- Доступное Кол-во: {4}, трансфер Количество: {5}"
-"Row {0}: To set {1} periodicity, difference between from and to date \
-						must be greater than or equal to {2}","Строка {0}: Чтобы установить {1} периодичность, разница между от и до настоящего времени \
- должно быть больше или равно {2}"
+"Row {0}: Qty not avalable in warehouse {1} on {2} {3}.					Available Qty: {4}, Transfer Qty: {5}","Ряд {0}: Кол-во не Имеющийся на складе {1} на {2} {3}. Доступное Кол-во: {4}, трансфер Количество: {5}"
+"Row {0}: To set {1} periodicity, difference between from and to date \						must be greater than or equal to {2}","Строка {0}: Чтобы установить {1} периодичность, разница между от и до настоящего времени \ должно быть больше или равно {2}"
 Row {0}:Start Date must be before End Date,Ряд {0}: Дата начала должна быть раньше даты окончания
 Rules for adding shipping costs.,Правила для добавления стоимости доставки.
 Rules for applying pricing and discount.,Правила применения цен и скидки.
@@ -2683,9 +2641,7 @@ Serial No {0} status must be 'Available' to Deliver,"Серийный номер
 Serial Nos Required for Serialized Item {0},Серийный Нос Требуется для сериализованный элемент {0}
 Serial Number Series,Серийный Номер серии
 Serial number {0} entered more than once,Серийный номер {0} вошли более одного раза
-"Serialized Item {0} cannot be updated \
-					using Stock Reconciliation","Серийный Пункт {0} не может быть обновлен \
- с использованием со примирения"
+Serialized Item {0} cannot be updated \					using Stock Reconciliation,Серийный Пункт {0} не может быть обновлен \ с использованием со примирения
 Series,Серии значений
 Series List for this Transaction,Список Серия для этого сделки
 Series Updated,Серия Обновлено
@@ -2911,9 +2867,7 @@ Tax Assets,Налоговые активы
 Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,"Налоговый Категория не может быть ""Оценка"" или ""Оценка и Всего», как все детали, нет в наличии"
 Tax Rate,Размер налога
 Tax and other salary deductions.,Налоговые и иные отчисления заработной платы.
-"Tax detail table fetched from item master as a string and stored in this field.
-Used for Taxes and Charges","Налоговый деталь стол принес от мастера пункт в виде строки и хранятся в этой области.
- Используется по налогам и сборам"
+Tax detail table fetched from item master as a string and stored in this field.Used for Taxes and Charges,Налоговый деталь стол принес от мастера пункт в виде строки и хранятся в этой области. Используется по налогам и сборам
 Tax template for buying transactions.,Налоговый шаблон для покупки сделок.
 Tax template for selling transactions.,Налоговый шаблон для продажи сделок.
 Taxable,Облагаемый налогом
@@ -2959,9 +2913,7 @@ The First User: You,Первый пользователя: Вы
 "The Item that represents the Package. This Item must have ""Is Stock Item"" as ""No"" and ""Is Sales Item"" as ""Yes""","Пункт, который представляет пакет. Этот элемент, должно быть, ""Является фонда Пункт"" а ""Нет"" и ""является продажа товара"", как ""Да"""
 The Organization,Организация
 "The account head under Liability, in which Profit/Loss will be booked","Счет голову под ответственности, в котором Прибыль / убыток будут забронированы"
-"The date on which next invoice will be generated. It is generated on submit.
-","Дата, на которую будет сгенерирован следующий счет-фактура. Он создается на представить.
-"
+The date on which next invoice will be generated. It is generated on submit.,"Дата, на которую будет сгенерирован следующий счет-фактура. Он создается на представить."
 The date on which recurring invoice will be stop,"Дата, на которую повторяющихся счет будет остановить"
 "The day of the month on which auto invoice will be generated e.g. 05, 28 etc ",
 The day(s) on which you are applying for leave are holiday. You need not apply for leave.,"День (дни), на котором вы подаете заявление на отпуск, отпуск. Вам не нужно обратиться за разрешением."
diff --git a/erpnext/translations/sr.csv b/erpnext/translations/sr.csv
index 0591e238c1..8ff80e0bf0 100644
--- a/erpnext/translations/sr.csv
+++ b/erpnext/translations/sr.csv
@@ -28,36 +28,12 @@
 'To Date' is required,' To Date ' требуется
 'Update Stock' for Sales Invoice {0} must be set,""" Обновление со 'для Расходная накладная {0} должен быть установлен"
 * Will be calculated in the transaction.,* Хоће ли бити обрачуната у трансакцији.
-"1 Currency = [?] Fraction
-For e.g. 1 USD = 100 Cent","1 Валута = [?] Фракција 
- За пример 1 УСД = 100 Цент"
+1 Currency = [?] FractionFor e.g. 1 USD = 100 Cent,1 Валута = [?] Фракција  За пример 1 УСД = 100 Цент
 1. To maintain the customer wise item code and to make them searchable based on their code use this option,1. Да бисте задржали купца мудрог код ставке и да их претраживати на основу њиховог кода користили ову опцију
 "Add / Edit","<а хреф=""#Салес Бровсер/Цустомер Гроуп""> Додај / Уреди < />"
 "Add / Edit","<а хреф=""#Салес Бровсер/Итем Гроуп""> Додај / Уреди < />"
 "Add / Edit","<а хреф=""#Салес Бровсер/Территори""> Додај / Уреди < />"
-"

Default Template

-

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

-
{{ address_line1 }}<br>
-{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}
-{{ city }}<br>
-{% if state %}{{ state }}<br>{% endif -%}
-{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}
-{{ country }}<br>
-{% if phone %}Phone: {{ phone }}<br>{% endif -%}
-{% if fax %}Fax: {{ fax }}<br>{% endif -%}
-{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
-
","<х4> Уобичајено шаблона - <п> Користи <а хреф=""хттп://јиња.поцоо.орг/доцс/темплатес/""> Џинџа темплатинг и сва поља Адреса ( укључујући прилагођена поља ако има) ће бити доступан - <пре> <цоде> {{}} аддресс_лине1 <бр> - {% ако аддресс_лине2%} {{}} аддресс_лине2 <бр> { ендиф% -%} - {{}} <бр> град - {% ако држава%} {{}} држава <бр> {ендиф% -%} - {% ако Пинцоде%} ПИН: {{}} Пинцоде <бр> {ендиф% -%} - {{}} земља <бр> - {% ако телефон%} Тел: {{}} телефон <бр> { ендиф% -%} - {% ако факс%} Факс: {{}} факс <бр> {ендиф% -%} - {% ако емаил_ид%} Емаил: {{}} емаил_ид <бр> ; {ендиф% -%} - " +"

Default Template

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

{{ address_line1 }}<br>{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}{{ city }}<br>{% if state %}{{ state }}<br>{% endif -%}{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}{{ country }}<br>{% if phone %}Phone: {{ phone }}<br>{% endif -%}{% if fax %}Fax: {{ fax }}<br>{% endif -%}{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
","<х4> Уобичајено шаблона <п> Користи <а хреф=""хттп://јиња.поцоо.орг/доцс/темплатес/""> Џинџа темплатинг и сва поља Адреса ( укључујући прилагођена поља ако има) ће бити доступан <пре> <цоде> {{}} аддресс_лине1 <бр> {% ако аддресс_лине2%} {{}} аддресс_лине2 <бр> { ендиф% -%} {{}} <бр> град {% ако држава%} {{}} држава <бр> {ендиф% -%} {% ако Пинцоде%} ПИН: {{}} Пинцоде <бр> {ендиф% -%} {{}} земља <бр> {% ако телефон%} Тел: {{}} телефон <бр> { ендиф% -%} {% ако факс%} Факс: {{}} факс <бр> {ендиф% -%} {% ако емаил_ид%} Емаил: {{}} емаил_ид <бр> ; {ендиф% -%} " A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Группа клиентов существует с тем же именем , пожалуйста изменить имя клиентов или переименовать группу клиентов" A Customer exists with same name,Кориснички постоји са истим именом A Lead with this email id should exist,Олово са овом е ид треба да постоје @@ -103,9 +79,7 @@ Account {0}: Parent account {1} can not be a ledger,Рачун {0}: {1 Роди Account {0}: Parent account {1} does not belong to company: {2},Рачун {0}: {1 Родитељ рачун} не припада компанији: {2} Account {0}: Parent account {1} does not exist,Рачун {0}: {1 Родитељ рачун} не постоји Account {0}: You can not assign itself as parent account,Рачун {0}: Не може да се доделити као родитељ налог -"Account: {0} can only be updated via \ - Stock Transactions","Рачун: {0} може да се ажурира само преко \ - Сток трансакција" +Account: {0} can only be updated via \ Stock Transactions,Рачун: {0} може да се ажурира само преко \ Сток трансакција Accountant,рачуновођа Accounting,Рачуноводство "Accounting Entries can be made against leaf nodes, called","Рачуноводствене Уноси могу бити против листа чворова , зове" @@ -886,9 +860,7 @@ Download Reconcilation Data,Довнлоад помирење подаци Download Template,Преузмите шаблон Download a report containing all raw materials with their latest inventory status,Преузмите извештај садржи све сировине са њиховим најновијим инвентара статусу "Download the Template, fill appropriate data and attach the modified file.","Скачать шаблон , заполнить соответствующие данные и приложить измененный файл ." -"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 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","Преузмите шаблон, попуните одговарајуће податке и приложите измењену датотеку. Сви датуми и комбинација запослени у изабраном периоду ће доћи у шаблону, са постојећим евиденцију радног" Draft,Нацрт Dropbox,Дропбок Dropbox Access Allowed,Дропбок дозвољен приступ @@ -994,9 +966,7 @@ Error: {0} > {1},Ошибка: {0} > {1} Estimated Material Cost,Процењени трошкови материјала "Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Чак и ако постоји више Цене правила са највишим приоритетом, онда следећи интерни приоритети се примењују:" Everyone can read,Свако може да чита -"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.",". Пример: АБЦД # # # # # - Ако је смештена и серијски Не се не помиње у трансакцијама, онда аутоматски серијски број ће бити креирана на основу ове серије. Ако увек желите да експлицитно поменути серијски Нос за ову ставку. оставите празно." +"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.",". Пример: АБЦД # # # # # Ако је смештена и серијски Не се не помиње у трансакцијама, онда аутоматски серијски број ће бити креирана на основу ове серије. Ако увек желите да експлицитно поменути серијски Нос за ову ставку. оставите празно." Exchange Rate,Курс Excise Duty 10,Акцизе 10 Excise Duty 14,Акцизе 14 @@ -1470,9 +1440,7 @@ Item-wise Purchase History,Тачка-мудар Историја куповин Item-wise Purchase Register,Тачка-мудар Куповина Регистрација Item-wise Sales History,Тачка-мудар Продаја Историја Item-wise Sales Register,Предмет продаје-мудре Регистрација -"Item: {0} managed batch-wise, can not be reconciled using \ - Stock Reconciliation, instead use Stock Entry","Шифра: {0} је успео серије питању, не може да се помири користећи \ - Сток помирење, уместо тога користите Стоцк Ентри" +"Item: {0} managed batch-wise, can not be reconciled using \ Stock Reconciliation, instead use Stock Entry","Шифра: {0} је успео серије питању, не може да се помири користећи \ Сток помирење, уместо тога користите Стоцк Ентри" Item: {0} not found in the system,Шифра : {0} није пронађен у систему Items,Артикли Items To Be Requested,Артикли бити затражено @@ -1731,9 +1699,7 @@ Moving Average Rate,Мовинг Авераге рате Mr,Господин Ms,Мс Multiple Item prices.,Више цене аукцији . -"Multiple Price Rule exists with same criteria, please resolve \ - conflict by assigning priority. Price Rules: {0}","Вишеструки Цена Правило постоји са истим критеријумима, молимо вас да реши \ - сукоб са приоритетом. Цена Правила: {0}" +"Multiple Price Rule exists with same criteria, please resolve \ conflict by assigning priority. Price Rules: {0}","Вишеструки Цена Правило постоји са истим критеријумима, молимо вас да реши \ сукоб са приоритетом. Цена Правила: {0}" Music,музика Must be Whole Number,Мора да буде цео број Name,Име @@ -2486,23 +2452,15 @@ Row # ,Ред # Row # {0}: , Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,Ред # {0}: Ж количина не може мање од ставке Минимална количина за поручивање (дефинисано у тачки мастер). Row #{0}: Please specify Serial No for Item {1},Ред # {0}: Наведите Сериал но за пункт {1} -"Row {0}: Account does not match with \ - Purchase Invoice Credit To account","Ред {0}: Рачун не одговара \ - фактури Кредит на рачун" -"Row {0}: Account does not match with \ - Sales Invoice Debit To account","Ред {0}: Рачун не одговара \ - Продаја Рачун Дебитна на рачун" +Row {0}: Account does not match with \ Purchase Invoice Credit To account,Ред {0}: Рачун не одговара \ фактури Кредит на рачун +Row {0}: Account does not match with \ Sales Invoice Debit To account,Ред {0}: Рачун не одговара \ Продаја Рачун Дебитна на рачун Row {0}: Conversion Factor is mandatory,Ред {0}: Фактор конверзије је обавезно Row {0}: Credit entry can not be linked with a Purchase Invoice,Ред {0} : Кредитни унос не може да буде повезан са фактури Row {0}: Debit entry can not be linked with a Sales Invoice,Ред {0} : Дебит унос не може да буде повезан са продаје фактуре Row {0}: Payment amount must be less than or equals to invoice outstanding amount. Please refer Note below.,Ред {0}: Износ уплате мора бити мања или једнака фактуре изузетан износ. Молимо Вас да погледате Напомена испод. Row {0}: Qty is mandatory,Ред {0}: Кол је обавезно -"Row {0}: Qty not avalable in warehouse {1} on {2} {3}. - Available Qty: {4}, Transfer Qty: {5}","Ред {0}: Кол не авалабле у складишту {1} {2} на {3}. - Расположив Кол: {4}, Трансфер Кти: {5}" -"Row {0}: To set {1} periodicity, difference between from and to date \ - must be greater than or equal to {2}","Ред {0}: Да подесите {1} периодику, разлика између од и до датума \ - мора бити већи или једнак {2}" +"Row {0}: Qty not avalable in warehouse {1} on {2} {3}. Available Qty: {4}, Transfer Qty: {5}","Ред {0}: Кол не авалабле у складишту {1} {2} на {3}. Расположив Кол: {4}, Трансфер Кти: {5}" +"Row {0}: To set {1} periodicity, difference between from and to date \ must be greater than or equal to {2}","Ред {0}: Да подесите {1} периодику, разлика између од и до датума \ мора бити већи или једнак {2}" Row {0}:Start Date must be before End Date,Ред {0} : Датум почетка мора да буде пре крајњег датума Rules for adding shipping costs.,Правила для добавления стоимости доставки . Rules for applying pricing and discount.,Правила применения цен и скидки . @@ -2683,9 +2641,7 @@ Serial No {0} status must be 'Available' to Deliver,"Серийный номер Serial Nos Required for Serialized Item {0},Серийный Нос Требуется для сериализованный элемент {0} Serial Number Series,Серијски број серија Serial number {0} entered more than once,Серийный номер {0} вошли более одного раза -"Serialized Item {0} cannot be updated \ - using Stock Reconciliation","Серијализованој шифра {0} не може да се ажурира \ - користећи Стоцк помирење" +Serialized Item {0} cannot be updated \ using Stock Reconciliation,Серијализованој шифра {0} не може да се ажурира \ користећи Стоцк помирење Series,серија Series List for this Transaction,Серија Листа за ову трансакције Series Updated,Серия Обновлено @@ -2911,9 +2867,7 @@ Tax Assets,налоговые активы Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,"Пореска Категорија не може бити "" Процена "" или "" Вредновање и Тотал "" , као сви предмети су не- залихама" Tax Rate,Пореска стопа Tax and other salary deductions.,Порески и други плата одбитака. -"Tax detail table fetched from item master as a string and stored in this field. -Used for Taxes and Charges","Пореска детаљ табела преузета из тачке мајстора као стринг и складишти у овој области. - Користи се за порезе и накнаде" +Tax detail table fetched from item master as a string and stored in this field.Used for Taxes and Charges,Пореска детаљ табела преузета из тачке мајстора као стринг и складишти у овој области. Користи се за порезе и накнаде Tax template for buying transactions.,Налоговый шаблон для покупки сделок. Tax template for selling transactions.,Налоговый шаблон для продажи сделок. Taxable,Опорезиви @@ -2959,9 +2913,7 @@ The First User: You,Први Корисник : Ви "The Item that represents the Package. This Item must have ""Is Stock Item"" as ""No"" and ""Is Sales Item"" as ""Yes""",Ставка која представља пакет. Ова тачка мора да "Зар берза Ставка" као "не" и "Да ли је продаје тачка" као "Да" The Organization,Организација "The account head under Liability, in which Profit/Loss will be booked","Глава рачун под одговорности , у којој ће Добитак / Губитак се резервисати" -"The date on which next invoice will be generated. It is generated on submit. -","Датум на који ће бити генерисан следећи фактура. Она се генерише на достави. -" +The date on which next invoice will be generated. It is generated on submit.,Датум на који ће бити генерисан следећи фактура. Она се генерише на достави. The date on which recurring invoice will be stop,Датум на који се понавља фактура ће бити зауставити "The day of the month on which auto invoice will be generated e.g. 05, 28 etc ","Дан у месецу за који ће аутоматски бити генерисан фактура нпр 05, 28 итд" The day(s) on which you are applying for leave are holiday. You need not apply for leave.,"День (дни) , на котором вы подаете заявление на отпуск , отпуск . Вам не нужно обратиться за разрешением ." diff --git a/erpnext/translations/ta.csv b/erpnext/translations/ta.csv index c54eebc39f..c32864bbd6 100644 --- a/erpnext/translations/ta.csv +++ b/erpnext/translations/ta.csv @@ -28,36 +28,12 @@ 'To Date' is required,' தேதி ' தேவைப்படுகிறது 'Update Stock' for Sales Invoice {0} must be set,கவிஞருக்கு 'என்று புதுப்பி பங்கு ' {0} அமைக்க வேண்டும் * Will be calculated in the transaction.,* பரிமாற்றத்தில் கணக்கிடப்படுகிறது. -"1 Currency = [?] Fraction -For e.g. 1 USD = 100 Cent","1 நாணய = [?] பின்ன - எ.கா. 1 டாலர் = 100 சதவீதம்" +1 Currency = [?] FractionFor e.g. 1 USD = 100 Cent,1 நாணய = [?] பின்ன எ.கா. 1 டாலர் = 100 சதவீதம் 1. To maintain the customer wise item code and to make them searchable based on their code use this option,1. வாடிக்கையாளர் வாரியாக உருப்படியை குறியீடு பராமரிக்க மற்றும் அவற்றின் குறியீடு அடிப்படையில் அவர்களை தேடும் செய்ய இந்த விருப்பத்தை பயன்படுத்த "Add / Edit","மிக href=""#Sales Browser/Customer Group""> சேர் / திருத்து " "Add / Edit","மிக href=""#Sales Browser/Item Group""> சேர் / திருத்து " "Add / Edit","மிக href=""#Sales Browser/Territory""> சேர் / திருத்து " -"

Default Template

-

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

-
{{ address_line1 }}<br>
-{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}
-{{ city }}<br>
-{% if state %}{{ state }}<br>{% endif -%}
-{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}
-{{ country }}<br>
-{% if phone %}Phone: {{ phone }}<br>{% endif -%}
-{% if fax %}Fax: {{ fax }}<br>{% endif -%}
-{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
-
","

இயல்புநிலை டெம்ப்ளேட் -

மனசு சரியில்லை மாதிரியாக்கம் மற்றும் முகவரி அனைத்து துறைகள் (பயன்கள் தனிபயன் புலங்கள் ஏதாவது இருந்தால்) உட்பட கிடைக்க வேண்டும் -

  {{address_line1}} India 
- {% என்றால் address_line2%} {{address_line2}} 
{ % பாலியல் -%} - {{நகரம்}} India - {% மாநில%} {{மாநில}}
{% பாலியல் -%} - {% என்றால் அஞ்சலக%} PIN: {{அஞ்சலக}}
{% பாலியல் -%} - {{நாட்டின்}} India - {% என்றால் தொலைபேசி%} தொலைபேசி: {{தொலைபேசி}}
{ % பாலியல் -%} - {% என்றால் தொலைநகல்%} தொலைபேசி: {{தொலைநகல்}}
{% பாலியல் -%} - {% email_id%} மின்னஞ்சல் என்றால்: {{email_id}}
; {% பாலியல் -%} - " +"

Default Template

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

{{ address_line1 }}<br>{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}{{ city }}<br>{% if state %}{{ state }}<br>{% endif -%}{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}{{ country }}<br>{% if phone %}Phone: {{ phone }}<br>{% endif -%}{% if fax %}Fax: {{ fax }}<br>{% endif -%}{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
","

இயல்புநிலை டெம்ப்ளேட்

மனசு சரியில்லை மாதிரியாக்கம் மற்றும் முகவரி அனைத்து துறைகள் (பயன்கள் தனிபயன் புலங்கள் ஏதாவது இருந்தால்) உட்பட கிடைக்க வேண்டும்

  {{address_line1}} India  {% என்றால் address_line2%} {{address_line2}} 
{ % பாலியல் -%} {{நகரம்}} India {% மாநில%} {{மாநில}}
{% பாலியல் -%} {% என்றால் அஞ்சலக%} PIN: {{அஞ்சலக}}
{% பாலியல் -%} {{நாட்டின்}} India {% என்றால் தொலைபேசி%} தொலைபேசி: {{தொலைபேசி}}
{ % பாலியல் -%} {% என்றால் தொலைநகல்%} தொலைபேசி: {{தொலைநகல்}}
{% பாலியல் -%} {% email_id%} மின்னஞ்சல் என்றால்: {{email_id}}
; {% பாலியல் -%} " A Customer Group exists with same name please change the Customer name or rename the Customer Group,ஒரு வாடிக்கையாளர் குழு அதே பெயரில் வாடிக்கையாளர் பெயர் மாற்ற அல்லது வாடிக்கையாளர் குழு பெயர்மாற்றம் செய்க A Customer exists with same name,ஒரு வாடிக்கையாளர் அதே பெயரில் உள்ளது A Lead with this email id should exist,இந்த மின்னஞ்சல் ஐடியை கொண்ட ஒரு முன்னணி இருக்க வேண்டும் @@ -103,9 +79,7 @@ Account {0}: Parent account {1} can not be a ledger,கணக்கு {0}: ப Account {0}: Parent account {1} does not belong to company: {2},கணக்கு {0}: பெற்றோர் கணக்கு {1} நிறுவனத்திற்கு சொந்தமானது இல்லை: {2} Account {0}: Parent account {1} does not exist,கணக்கு {0}: பெற்றோர் கணக்கு {1} இல்லை Account {0}: You can not assign itself as parent account,கணக்கு {0}: நீங்கள் பெற்றோர் கணக்கு தன்னை ஒதுக்க முடியாது -"Account: {0} can only be updated via \ - Stock Transactions","கணக்கு: \ - பங்கு பரிவர்த்தனைகள் {0} மட்டுமே வழியாக மேம்படுத்தப்பட்டது" +Account: {0} can only be updated via \ Stock Transactions,கணக்கு: \ பங்கு பரிவர்த்தனைகள் {0} மட்டுமே வழியாக மேம்படுத்தப்பட்டது Accountant,கணக்கர் Accounting,கணக்கு வைப்பு "Accounting Entries can be made against leaf nodes, called","கணக்கியல் உள்ளீடுகள் என்று , இலை முனைகள் எதிராக" @@ -886,9 +860,7 @@ Download Reconcilation Data,நல்லிணக்கத்தையும் Download Template,வார்ப்புரு பதிவிறக்க Download a report containing all raw materials with their latest inventory status,அவர்களின் சமீபத்திய சரக்கு நிலை அனைத்து மூலப்பொருட்கள் கொண்ட ஒரு அறிக்கையை பதிவிறக்கு "Download the Template, fill appropriate data and attach the modified file.","டெம்ப்ளேட் பதிவிறக்க , அதற்கான தரவு நிரப்ப மாற்றம் கோப்பினை இணைக்கவும் ." -"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 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","டெம்ப்ளேட் பதிவிறக்க, அதற்கான தரவு நிரப்ப மாற்றம் கோப்பினை இணைக்கவும். தேர்வு காலத்தில் அனைத்து தேதிகள் மற்றும் பணியாளர் இணைந்து இருக்கும் வருகை பதிவேடுகள், டெம்ப்ளேட் வரும்" Draft,காற்று வீச்சு Dropbox,டிராப்பாக்ஸ் Dropbox Access Allowed,டிரா பாக்ஸ் அனுமதி @@ -994,9 +966,7 @@ Error: {0} > {1},பிழை: {0} > {1} Estimated Material Cost,கிட்டத்தட்ட பொருள் செலவு "Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","அதிகபட்ச முன்னுரிமை கொண்ட பல விலை விதிகள் உள்ளன என்றால், பின் பின்வரும் உள் முன்னுரிமைகள் பயன்படுத்தப்படும்:" Everyone can read,அனைவரும் படிக்க முடியும் -"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 # # # # # - தொடர் அமைக்கப்படுகிறது மற்றும் சீரியல் இல்லை நடவடிக்கைகளில் குறிப்பிடப்படவில்லை எனில், பின்னர் தானியங்கி வரிசை எண் இந்த தொடரை அடிப்படையாக கொண்டு உருவாக்கப்பட்டது. நீங்கள் எப்போதும் வெளிப்படையாக இந்த உருப்படி தொடர் இலக்கங்கள் குறிப்பிட வேண்டும் என்றால். இதை வெறுமையாக விடவும்." +"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 # # # # # தொடர் அமைக்கப்படுகிறது மற்றும் சீரியல் இல்லை நடவடிக்கைகளில் குறிப்பிடப்படவில்லை எனில், பின்னர் தானியங்கி வரிசை எண் இந்த தொடரை அடிப்படையாக கொண்டு உருவாக்கப்பட்டது. நீங்கள் எப்போதும் வெளிப்படையாக இந்த உருப்படி தொடர் இலக்கங்கள் குறிப்பிட வேண்டும் என்றால். இதை வெறுமையாக விடவும்." Exchange Rate,அயல்நாட்டு நாணய பரிமாற்ற விகிதம் வீதம் Excise Duty 10,உற்பத்தி வரி 10 Excise Duty 14,உற்பத்தி வரி 14 @@ -1470,9 +1440,7 @@ Item-wise Purchase History,உருப்படியை வாரியான Item-wise Purchase Register,உருப்படியை வாரியான வாங்குதல் பதிவு Item-wise Sales History,உருப்படியை வாரியான விற்பனை வரலாறு Item-wise Sales Register,உருப்படியை வாரியான விற்பனை பதிவு -"Item: {0} managed batch-wise, can not be reconciled using \ - Stock Reconciliation, instead use Stock Entry","பொருள்: {0} தொகுதி வாரியான நிர்வகிக்கப்படும், பயன்படுத்தி சமரசப்படுத்த முடியாது \ - பங்கு நல்லிணக்க, அதற்கு பதிலாக பங்கு நுழைவு பயன்படுத்த" +"Item: {0} managed batch-wise, can not be reconciled using \ Stock Reconciliation, instead use Stock Entry","பொருள்: {0} தொகுதி வாரியான நிர்வகிக்கப்படும், பயன்படுத்தி சமரசப்படுத்த முடியாது \ பங்கு நல்லிணக்க, அதற்கு பதிலாக பங்கு நுழைவு பயன்படுத்த" Item: {0} not found in the system,பொருள் : {0} அமைப்பு இல்லை Items,உருப்படிகள் Items To Be Requested,கோரிய பொருட்களை @@ -1731,9 +1699,7 @@ Moving Average Rate,சராசரி விகிதம் நகரும் Mr,திரு Ms,Ms Multiple Item prices.,பல பொருள் விலை . -"Multiple Price Rule exists with same criteria, please resolve \ - conflict by assigning priority. Price Rules: {0}","பல விலை விதி அதே அளவுகோலை கொண்டு உள்ளது, தீர்க்க தயவு செய்து \ - முன்னுரிமை ஒதுக்க மோதல். விலை விதிகள்: {0}" +"Multiple Price Rule exists with same criteria, please resolve \ conflict by assigning priority. Price Rules: {0}","பல விலை விதி அதே அளவுகோலை கொண்டு உள்ளது, தீர்க்க தயவு செய்து \ முன்னுரிமை ஒதுக்க மோதல். விலை விதிகள்: {0}" Music,இசை Must be Whole Number,முழு எண் இருக்க வேண்டும் Name,பெயர் @@ -2486,23 +2452,15 @@ Row # ,# வரிசையை Row # {0}: , Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,ரோ # {0}: ஆணையிட்டார் அளவு (உருப்படியை மாஸ்டர் வரையறுக்கப்பட்ட) உருப்படியை குறைந்தபட்ச வரிசை அளவு குறைவாக முடியாது. Row #{0}: Please specify Serial No for Item {1},ரோ # {0}: பொருள் சீரியல் இல்லை குறிப்பிடவும் {1} -"Row {0}: Account does not match with \ - Purchase Invoice Credit To account","ரோ {0}: \ - கொள்முதல் விலைப்பட்டியல் கடன் கணக்கிலிருந்து கொண்டு பொருந்தவில்லை" -"Row {0}: Account does not match with \ - Sales Invoice Debit To account","ரோ {0}: \ - கவிஞருக்கு பற்று கணக்கிலிருந்து கொண்டு பொருந்தவில்லை" +Row {0}: Account does not match with \ Purchase Invoice Credit To account,ரோ {0}: \ கொள்முதல் விலைப்பட்டியல் கடன் கணக்கிலிருந்து கொண்டு பொருந்தவில்லை +Row {0}: Account does not match with \ Sales Invoice Debit To account,ரோ {0}: \ கவிஞருக்கு பற்று கணக்கிலிருந்து கொண்டு பொருந்தவில்லை Row {0}: Conversion Factor is mandatory,ரோ {0}: மாற்று காரணி கட்டாய ஆகிறது Row {0}: Credit entry can not be linked with a Purchase Invoice,ரோ {0} : கடன் நுழைவு கொள்முதல் விலைப்பட்டியல் இணைந்தவர் முடியாது Row {0}: Debit entry can not be linked with a Sales Invoice,ரோ {0} பற்று நுழைவு கவிஞருக்கு தொடர்புடைய முடியாது Row {0}: Payment amount must be less than or equals to invoice outstanding amount. Please refer Note below.,ரோ {0}: கொடுப்பனவு அளவு குறைவாக அல்லது நிலுவை தொகை விலைப்பட்டியல் சமமாக இருக்க வேண்டும். கீழே குறிப்பு பார்க்கவும். Row {0}: Qty is mandatory,ரோ {0}: அளவு கட்டாய ஆகிறது -"Row {0}: Qty not avalable in warehouse {1} on {2} {3}. - Available Qty: {4}, Transfer Qty: {5}","ரோ {0}: அளவு கிடங்கில் Avalable {1} இல்லை {2} {3}. - கிடைக்கும் அளவு: {4}, அளவு மாற்றம்: {5}" -"Row {0}: To set {1} periodicity, difference between from and to date \ - must be greater than or equal to {2}","ரோ {0}: அமைக்க {1} காலகட்டம், மற்றும் தேதி வித்தியாசம் \ - அதிகமாக அல்லது சமமாக இருக்க வேண்டும் {2}" +"Row {0}: Qty not avalable in warehouse {1} on {2} {3}. Available Qty: {4}, Transfer Qty: {5}","ரோ {0}: அளவு கிடங்கில் Avalable {1} இல்லை {2} {3}. கிடைக்கும் அளவு: {4}, அளவு மாற்றம்: {5}" +"Row {0}: To set {1} periodicity, difference between from and to date \ must be greater than or equal to {2}","ரோ {0}: அமைக்க {1} காலகட்டம், மற்றும் தேதி வித்தியாசம் \ அதிகமாக அல்லது சமமாக இருக்க வேண்டும் {2}" Row {0}:Start Date must be before End Date,ரோ {0} : தொடங்கும் நாள் நிறைவு நாள் முன்னதாக இருக்க வேண்டும் Rules for adding shipping costs.,கப்பல் செலவுகள் சேர்த்து விதிகள் . Rules for applying pricing and discount.,விலை மற்றும் தள்ளுபடி விண்ணப்பம் செய்வதற்கான விதிமுறைகள் . @@ -2683,9 +2641,7 @@ Serial No {0} status must be 'Available' to Deliver,தொடர் இல {0} Serial Nos Required for Serialized Item {0},தொடராக பொருள் தொடர் இலக்கங்கள் தேவையான {0} Serial Number Series,வரிசை எண் தொடர் Serial number {0} entered more than once,சீரியல் எண்ணை {0} க்கும் மேற்பட்ட முறை உள்ளிட்ட -"Serialized Item {0} cannot be updated \ - using Stock Reconciliation","தொடராக பொருள் {0} மேம்படுத்தப்பட்டது முடியாது \ - பங்கு நல்லிணக்க பயன்படுத்தி" +Serialized Item {0} cannot be updated \ using Stock Reconciliation,தொடராக பொருள் {0} மேம்படுத்தப்பட்டது முடியாது \ பங்கு நல்லிணக்க பயன்படுத்தி Series,தொடர் Series List for this Transaction,இந்த பரிவர்த்தனை தொடர் பட்டியல் Series Updated,தொடர் இற்றை @@ -2911,9 +2867,7 @@ Tax Assets,வரி சொத்துகள் Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,வரி பகுப்பு ' மதிப்பீட்டு ' அல்லது ' மதிப்பீடு மற்றும் மொத்த ' அனைத்து பொருட்களை அல்லாத பங்கு பொருட்களை இருக்க முடியாது Tax Rate,வரி விகிதம் Tax and other salary deductions.,வரி மற்றும் பிற சம்பளம் கழிவுகள். -"Tax detail table fetched from item master as a string and stored in this field. -Used for Taxes and Charges","வரி விவரம் அட்டவணையில் ஒரு சரம் உருப்படியை மாஸ்டர் எடுத்த இந்த துறையில் சேமிக்கப்படும். - வரி மற்றும் கட்டணங்கள் பயன்படுத்திய" +Tax detail table fetched from item master as a string and stored in this field.Used for Taxes and Charges,வரி விவரம் அட்டவணையில் ஒரு சரம் உருப்படியை மாஸ்டர் எடுத்த இந்த துறையில் சேமிக்கப்படும். வரி மற்றும் கட்டணங்கள் பயன்படுத்திய Tax template for buying transactions.,பரிவர்த்தனைகள் வாங்கும் வரி வார்ப்புரு . Tax template for selling transactions.,பரிவர்த்தனைகள் விற்பனை வரி வார்ப்புரு . Taxable,வரி @@ -2959,9 +2913,7 @@ The First User: You,முதல் பயனர் : நீங்கள் "The Item that represents the Package. This Item must have ""Is Stock Item"" as ""No"" and ""Is Sales Item"" as ""Yes""",தொகுப்பு பிரதிபலிக்கிறது என்று பொருள். இந்த பொருள் "இல்லை" என "பங்கு உருப்படி இல்லை" மற்றும் "ஆம்" என "விற்பனை பொருள் இல்லை" The Organization,அமைப்பு "The account head under Liability, in which Profit/Loss will be booked","லாபம் / நஷ்டம் பதிவு வேண்டிய பொறுப்பு கீழ் கணக்கு தலைவர் ," -"The date on which next invoice will be generated. It is generated on submit. -","அடுத்த விலைப்பட்டியல் உருவாக்கப்படும் எந்த தேதி. அதை சமர்ப்பிக்க மீது உருவாக்கப்படும். -" +The date on which next invoice will be generated. It is generated on submit.,அடுத்த விலைப்பட்டியல் உருவாக்கப்படும் எந்த தேதி. அதை சமர்ப்பிக்க மீது உருவாக்கப்படும். The date on which recurring invoice will be stop,மீண்டும் விலைப்பட்டியல் நிறுத்த வேண்டும் எந்த தேதி "The day of the month on which auto invoice will be generated e.g. 05, 28 etc ","கார் விலைப்பட்டியல் எ.கா. 05, 28 ஹிப்ரு உருவாக்கப்படும் எந்த மாதம் நாள்" The day(s) on which you are applying for leave are holiday. You need not apply for leave.,நீங்கள் விடுப்பு விண்ணப்பிக்கும் எந்த நாள் (கள்) விடுமுறை இருக்கிறது . நீங்கள் விடுப்பு விண்ணப்பிக்க தேவையில்லை . diff --git a/erpnext/translations/th.csv b/erpnext/translations/th.csv index 090b6896a2..47462b7ff5 100644 --- a/erpnext/translations/th.csv +++ b/erpnext/translations/th.csv @@ -28,64 +28,40 @@ 'To Date' is required,' นัด ' จะต้อง 'Update Stock' for Sales Invoice {0} must be set,' หุ้น ปรับปรุง สำหรับการ ขายใบแจ้งหนี้ {0} จะต้องตั้งค่า * Will be calculated in the transaction.,* จะได้รับการคำนวณในการทำธุรกรรม -"1 Currency = [?] Fraction -For e.g. 1 USD = 100 Cent","1 สกุลเงิน = [?] เศษส่วน - สำหรับเช่น 1 USD = 100 เปอร์เซ็นต์" +1 Currency = [?] FractionFor e.g. 1 USD = 100 Cent,1 สกุลเงิน = [?] เศษส่วน สำหรับเช่น 1 USD = 100 เปอร์เซ็นต์ 1. To maintain the customer wise item code and to make them searchable based on their code use this option,1 เพื่อรักษารหัสรายการลูกค้าที่ฉลาดและจะทำให้พวกเขาค้นหาตามรหัสของพวกเขาใช้ตัวเลือกนี้ "
Add / Edit"," เพิ่ม / แก้ไข " "Add / Edit"," เพิ่ม / แก้ไข " "Add / Edit"," เพิ่ม / แก้ไข " -"

Default Template

-

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

-
{{ address_line1 }}<br>
-{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}
-{{ city }}<br>
-{% if state %}{{ state }}<br>{% endif -%}
-{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}
-{{ country }}<br>
-{% if phone %}Phone: {{ phone }}<br>{% endif -%}
-{% if fax %}Fax: {{ fax }}<br>{% endif -%}
-{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
-
","

เริ่มต้นแม่แบบ -

ใช้ Jinja Templating และทุกสาขาที่อยู่ ( รวมถึงฟิลด์ที่กำหนดเองถ้ามี) จะมี -

  {{}} address_line1 
- {%% ถ้า address_line2} {{}} address_line2
{ endif% -%} - {{}} เมือง
- {% ถ้ารัฐ%} {{}} รัฐ
{% endif -%} - {% ถ้า Pincode%} PIN: {{}} Pincode
{% endif -%} - {{ประเทศ}}
- {%% ถ้าโทรศัพท์โทรศัพท์}: {{}} โทรศัพท์
{ endif% -%} - {%% ถ้า} โทรสารโทรสาร: {{แฟกซ์}}
{% endif -%} - {% ถ้า email_id%} อีเมล์: {{}} email_id
; {% endif -%} - " +"

Default Template

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

{{ address_line1 }}<br>{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}{{ city }}<br>{% if state %}{{ state }}<br>{% endif -%}{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}{{ country }}<br>{% if phone %}Phone: {{ phone }}<br>{% endif -%}{% if fax %}Fax: {{ fax }}<br>{% endif -%}{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
","

เริ่มต้นแม่แบบ

ใช้ Jinja Templating และทุกสาขาที่อยู่ ( รวมถึงฟิลด์ที่กำหนดเองถ้ามี) จะมี

  {{}} address_line1 
{%% ถ้า address_line2} {{}} address_line2
{ endif% -%} {{}} เมือง
{% ถ้ารัฐ%} {{}} รัฐ
{% endif -%} {% ถ้า Pincode%} PIN: {{}} Pincode
{% endif -%} {{ประเทศ}}
{%% ถ้าโทรศัพท์โทรศัพท์}: {{}} โทรศัพท์
{ endif% -%} {%% ถ้า} โทรสารโทรสาร: {{แฟกซ์}}
{% endif -%} {% ถ้า email_id%} อีเมล์: {{}} email_id
; {% endif -%} " A Customer Group exists with same name please change the Customer name or rename the Customer Group,กลุ่ม ลูกค้าที่มีอยู่ ที่มีชื่อเดียวกัน โปรด เปลี่ยนชื่อ ลูกค้าหรือเปลี่ยนชื่อ กลุ่ม ลูกค้า A Customer exists with same name,ลูกค้าที่มีอยู่ที่มีชื่อเดียวกัน -A Lead with this email id should exist,ตะกั่วที่มี id อีเมลนี้ควรมีอยู่ -A Product or Service,สินค้าหรือ บริการ +A Lead with this email id should exist,Lead ด้วยอีเมล์ไอดีนี้ควรมีอยู่ +A Product or Service,สินค้าหรือบริการ A Supplier exists with same name,ผู้ผลิตที่มีอยู่ที่มีชื่อเดียวกัน -A symbol for this currency. For e.g. $,สัญลักษณ์สกุลเงินนี้ สำหรับเช่น $ +A symbol for this currency. For e.g. $,สัญลักษณ์สำหรับสกุลเงินนี้. ตัวอย่างเช่น $ AMC Expiry Date,วันที่หมดอายุ AMC -Abbr,abbr -Abbreviation cannot have more than 5 characters,ชื่อย่อ ไม่ สามารถมีมากกว่า 5 ตัวอักษร +Abbr,ตัวอักษรย่อ +Abbreviation cannot have more than 5 characters,ตัวอักษรย่อ ห้ามมีความยาวมากกว่า 5 ตัวอักษร Above Value,สูงกว่าค่า -Absent,ไม่อยู่ -Acceptance Criteria,เกณฑ์การยอมรับ +Absent,ขาด +Acceptance Criteria,เกณฑ์การยอมรับ กําหนดเกณฑ์ การยอมรับ Accepted,ได้รับการยอมรับ -Accepted + Rejected Qty must be equal to Received quantity for Item {0},ยอมรับ ปฏิเสธ + จำนวน ต้องเท่ากับ ปริมาณ ที่ได้รับ การ รายการ {0} +Accepted + Rejected Qty must be equal to Received quantity for Item {0},จำนวนสินค้าที่ผ่านการตรวจรับ + จำนวนสินค้าที่ไม่ผ่านการตรวจรับ จะต้องมีปริมาณเท่ากับ จำนวน สืนค้าที่ได้รับ สำหรับ รายการ {0} Accepted Quantity,จำนวนที่ยอมรับ Accepted Warehouse,คลังสินค้าได้รับการยอมรับ Account,บัญชี Account Balance,ยอดเงินในบัญชี -Account Created: {0},บัญชี สร้าง : {0} +Account Created: {0},สร้างบัญชี : {0} Account Details,รายละเอียดบัญชี -Account Head,หัวหน้าบัญชี +Account Head,หัวบัญชี Account Name,ชื่อบัญชี Account Type,ประเภทบัญชี "Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'",ยอดเงินในบัญชีแล้วในเครดิตคุณไม่ได้รับอนุญาตให้ตั้ง 'ยอดดุลต้องเป็น' เป็น 'เดบิต' "Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",ยอดเงินในบัญชีแล้วในเดบิตคุณไม่ได้รับอนุญาตให้ตั้ง 'ยอดดุลต้องเป็น' เป็น 'เครดิต Account for the warehouse (Perpetual Inventory) will be created under this Account.,บัญชีสำหรับ คลังสินค้า( Inventory ตลอด ) จะถูก สร้างขึ้นภายใต้ บัญชี นี้ -Account head {0} created,หัว บัญชี {0} สร้าง -Account must be a balance sheet account,บัญชี ต้องเป็น บัญชี งบดุล +Account head {0} created,หัวบัญชีสำหรับ {0} ได้ถูกสร้างขึ้น +Account must be a balance sheet account,บัญชีจะต้องเป็นประเภทบัญชีงบดุล Account with child nodes cannot be converted to ledger,บัญชีที่มี ต่อมน้ำเด็ก ไม่สามารถ แปลงเป็น บัญชีแยกประเภท Account with existing transaction can not be converted to group.,บัญชี กับการทำธุรกรรม ที่มีอยู่ ไม่สามารถ แปลงเป็น กลุ่ม Account with existing transaction can not be deleted,บัญชี ที่มีอยู่ กับการทำธุรกรรม ไม่สามารถลบได้ @@ -103,9 +79,7 @@ Account {0}: Parent account {1} can not be a ledger,บัญชี {0}: บั Account {0}: Parent account {1} does not belong to company: {2},บัญชี {0}: บัญชีผู้ปกครอง {1} ไม่ได้เป็นของ บริษัท : {2} Account {0}: Parent account {1} does not exist,บัญชี {0}: บัญชีผู้ปกครอง {1} ไม่อยู่ Account {0}: You can not assign itself as parent account,บัญชี {0}: คุณไม่สามารถกำหนดตัวเองเป็นบัญชีผู้ปกครอง -"Account: {0} can only be updated via \ - Stock Transactions","บัญชี: {0} สามารถปรับปรุงได้เพียงผ่านทาง \ - รายการสินค้า" +Account: {0} can only be updated via \ Stock Transactions,บัญชี: {0} สามารถปรับปรุงได้เพียงผ่านทาง \ รายการสินค้า Accountant,นักบัญชี Accounting,การบัญชี "Accounting Entries can be made against leaf nodes, called",รายการ บัญชี สามารถ ทำกับ โหนดใบ ที่เรียกว่า @@ -116,9 +90,9 @@ Accounts Browser,บัญชี เบราว์เซอร์ Accounts Frozen Upto,บัญชี Frozen เกิน Accounts Payable,บัญชีเจ้าหนี้ Accounts Receivable,ลูกหนี้ -Accounts Settings,การตั้งค่าบัญชี -Active,คล่องแคล่ว -Active: Will extract emails from ,ใช้งานล่าสุด: จะดึงอีเมลจาก +Accounts Settings,การตั้งค่าของบัญชี +Active,ใช้งาน +Active: Will extract emails from ,ใช้งาน : จะดึงอีเมลจาก Activity,กิจกรรม Activity Log,เข้าสู่ระบบกิจกรรม Activity Log:,เข้าสู่ระบบ กิจกรรม: @@ -137,20 +111,20 @@ Actual Qty: Quantity available in the warehouse.,ที่เกิดขึ้ Actual Quantity,จำนวนที่เกิดขึ้นจริง Actual Start Date,วันที่เริ่มต้นจริง Add,เพิ่ม -Add / Edit Taxes and Charges,เพิ่ม / แก้ไขภาษีและค่าธรรมเนียม +Add / Edit Taxes and Charges,เพิ่ม / แก้ไข ภาษีและค่าธรรมเนียม Add Child,เพิ่ม เด็ก -Add Serial No,เพิ่ม หมายเลขเครื่อง +Add Serial No,เพิ่ม หมายเลขซีเรียล Add Taxes,เพิ่ม ภาษี Add Taxes and Charges,เพิ่ม ภาษี และ ค่าใช้จ่าย Add or Deduct,เพิ่มหรือหัก Add rows to set annual budgets on Accounts.,เพิ่มแถวตั้งงบประมาณประจำปีเกี่ยวกับบัญชี Add to Cart,ใส่ในรถเข็น Add to calendar on this date,เพิ่ม ปฏิทิน ในวัน นี้ -Add/Remove Recipients,Add / Remove ผู้รับ +Add/Remove Recipients,เพิ่ม / ลบ ชื่อผู้รับ Address,ที่อยู่ Address & Contact,ที่อยู่และติดต่อ Address & Contacts,ที่อยู่ติดต่อ & -Address Desc,ที่อยู่รายละเอียด +Address Desc,ลักษณะ ของ ที่อยู่ Address Details,รายละเอียดที่อยู่ Address HTML,ที่อยู่ HTML Address Line 1,ที่อยู่บรรทัดที่ 1 @@ -172,10 +146,10 @@ After Sale Installations,หลังจากการติดตั้งข Against,กับ Against Account,กับบัญชี Against Bill {0} dated {1},กับ บิล {0} วันที่ {1} -Against Docname,กับ Docname -Against Doctype,กับ Doctype -Against Document Detail No,กับรายละเอียดเอกสารไม่มี -Against Document No,กับเอกสารไม่มี +Against Docname,กับ ชื่อเอกสาร +Against Doctype,กับ ประเภทเอกสาร +Against Document Detail No,กับรายละเอียดของเอกสารเลขที่ +Against Document No,กับเอกสารเลขที่ Against Expense Account,กับบัญชีค่าใช้จ่าย Against Income Account,กับบัญชีรายได้ Against Journal Voucher,กับบัตรกำนัลวารสาร @@ -198,11 +172,11 @@ All Contact,ติดต่อทั้งหมด All Contacts.,ติดต่อทั้งหมด All Customer Contact,ติดต่อลูกค้าทั้งหมด All Customer Groups,ทุกกลุ่ม ลูกค้า -All Day,วันทั้งหมด +All Day,ทั้งวัน All Employee (Active),พนักงาน (Active) ทั้งหมด All Item Groups,ทั้งหมด รายการ กลุ่ม All Lead (Open),ตะกั่ว (เปิด) ทั้งหมด -All Products or Services.,ผลิตภัณฑ์หรือบริการ +All Products or Services.,ผลิตภัณฑ์หรือบริการ ทั้งหมด All Sales Partner Contact,ทั้งหมดติดต่อพันธมิตรการขาย All Sales Person,คนขายทั้งหมด All Supplier Contact,ติดต่อผู้ผลิตทั้งหมด @@ -236,11 +210,11 @@ Allowance Percent,ร้อยละค่าเผื่อ Allowance for over-{0} crossed for Item {1},ค่าเผื่อเกิน {0} ข้ามกับรายการ {1} Allowance for over-{0} crossed for Item {1}.,ค่าเผื่อเกิน {0} ข้ามกับรายการ {1} Allowed Role to Edit Entries Before Frozen Date,บทบาท ได้รับอนุญาตให้ แก้ไข คอมเมนต์ ก่อน วันที่ แช่แข็ง -Amended From,แก้ไขเพิ่มเติม +Amended From,แก้ไขเพิ่มเติมจาก Amount,จำนวน Amount (Company Currency),จำนวนเงิน (สกุลเงิน บริษัท ) Amount Paid,จำนวนเงินที่ชำระ -Amount to Bill,เป็นจำนวนเงิน บิล +Amount to Bill,จำนวนเงินที่จะเรียกเก็บเงิน An Customer exists with same name,ลูกค้าที่มีอยู่ ที่มีชื่อเดียวกัน "An Item Group exists with same name, please change the item name or rename the item group",รายการกลุ่ม ที่มีอยู่ ที่มีชื่อเดียวกัน กรุณาเปลี่ยน ชื่อรายการหรือเปลี่ยนชื่อ กลุ่ม รายการ "An item exists with same name ({0}), please change the item group name or rename the item",รายการที่มีอยู่ ที่มีชื่อเดียวกัน ({0}) กรุณาเปลี่ยนชื่อกลุ่ม รายการ หรือเปลี่ยนชื่อ รายการ @@ -319,10 +293,10 @@ Available,ที่มีจำหน่าย Available Qty at Warehouse,จำนวนที่คลังสินค้า Available Stock for Packing Items,สต็อกสำหรับการบรรจุรายการ "Available in BOM, Delivery Note, Purchase Invoice, Production Order, Purchase Order, Purchase Receipt, Sales Invoice, Sales Order, Stock Entry, Timesheet","ที่มีจำหน่ายใน BOM , หมายเหตุ การจัดส่ง ใบแจ้งหนี้ การซื้อ , การผลิต สั่งซื้อ สั่ง ซื้อ รับซื้อ , ขายใบแจ้งหนี้ การขายสินค้า สต็อก เข้า Timesheet" -Average Age,อายุ เฉลี่ย -Average Commission Rate,เฉลี่ย อัตราค่าธรรมเนียม -Average Discount,ส่วนลดเฉลี่ย -Awesome Products,สินค้า ที่น่ากลัว +Average Age,อายุเฉลี่ย +Average Commission Rate,อัตราเฉลี่ยของค่าคอมมิชชั่น +Average Discount,ส่วนลดโดยเฉลี่ย +Awesome Products,ผลิตภัณฑ์ที่ดีเลิศ Awesome Services,บริการ ที่น่ากลัว BOM Detail No,รายละเอียด BOM ไม่มี BOM Explosion Item,รายการระเบิด BOM @@ -886,9 +860,7 @@ Download Reconcilation Data,ดาวน์โหลด Reconcilation ข้อ Download Template,ดาวน์โหลดแม่แบบ Download a report containing all raw materials with their latest inventory status,ดาวน์โหลดรายงานที่มีวัตถุดิบทั้งหมดที่มีสถานะสินค้าคงคลังของพวกเขาล่าสุด "Download the Template, fill appropriate data and attach the modified file.",ดาวน์โหลด แม่แบบกรอก ข้อมูลที่เหมาะสม และแนบ ไฟล์ ที่มีการแก้ไข -"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 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",ดาวน์โหลดแม่แบบกรอกข้อมูลที่เหมาะสมและแนบไฟล์ที่มีการแก้ไข วันที่ทั้งหมดและการรวมกันของพนักงานในระยะเวลาที่เลือกจะมาในแบบที่มีการบันทึกการเข้าร่วมที่มีอยู่ Draft,ร่าง Dropbox,Dropbox Dropbox Access Allowed,Dropbox เข็น @@ -994,9 +966,7 @@ Error: {0} > {1},ข้อผิดพลาด: {0}> {1} Estimated Material Cost,ต้นทุนวัสดุประมาณ "Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:",แม้ว่าจะมีกฎการกำหนดราคาหลายกับความสำคัญสูงสุดแล้วจัดลำดับความสำคัญดังต่อไปนี้ภายในจะใช้: Everyone can read,ทุกคนสามารถอ่าน -"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 # # # # # - ถ้าชุดเป็นที่ตั้งและหมายเลขเครื่องไม่ได้กล่าวถึงในการทำธุรกรรมหมายเลขอัตโนมัติจากนั้นจะถูกสร้างขึ้นบนพื้นฐานของซีรีส์นี้ หากคุณเคยต้องการที่จะพูดถึงอย่างชัดเจนอนุกรม Nos สำหรับรายการนี้ ปล่อยว่างนี้" +"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 # # # # # ถ้าชุดเป็นที่ตั้งและหมายเลขเครื่องไม่ได้กล่าวถึงในการทำธุรกรรมหมายเลขอัตโนมัติจากนั้นจะถูกสร้างขึ้นบนพื้นฐานของซีรีส์นี้ หากคุณเคยต้องการที่จะพูดถึงอย่างชัดเจนอนุกรม Nos สำหรับรายการนี้ ปล่อยว่างนี้ Exchange Rate,อัตราแลกเปลี่ยน Excise Duty 10,สรรพสามิตหน้าที่ 10 Excise Duty 14,สรรพสามิตหน้าที่ 14 @@ -1470,9 +1440,7 @@ Item-wise Purchase History,ประวัติการซื้อสิน Item-wise Purchase Register,สมัครสมาชิกสั่งซื้อสินค้าที่ชาญฉลาด Item-wise Sales History,รายการที่ชาญฉลาดขายประวัติการ Item-wise Sales Register,การขายสินค้าที่ชาญฉลาดสมัครสมาชิก -"Item: {0} managed batch-wise, can not be reconciled using \ - Stock Reconciliation, instead use Stock Entry","รายการ: {0} การจัดการชุดฉลาดไม่สามารถคืนดีใช้ \ - สินค้าสมานฉันท์แทนที่จะใช้สต็อกรายการ" +"Item: {0} managed batch-wise, can not be reconciled using \ Stock Reconciliation, instead use Stock Entry",รายการ: {0} การจัดการชุดฉลาดไม่สามารถคืนดีใช้ \ สินค้าสมานฉันท์แทนที่จะใช้สต็อกรายการ Item: {0} not found in the system,รายการ: {0} ไม่พบใน ระบบ Items,รายการ Items To Be Requested,รายการที่จะ ได้รับการร้องขอ @@ -1731,9 +1699,7 @@ Moving Average Rate,ย้ายอัตราเฉลี่ย Mr,นาย Ms,ms Multiple Item prices.,ราคา หลายรายการ -"Multiple Price Rule exists with same criteria, please resolve \ - conflict by assigning priority. Price Rules: {0}","ราคาหลายกฎที่มีอยู่ด้วยเกณฑ์เดียวกันกรุณาแก้ไข \ - ความขัดแย้งโดยการกำหนดลำดับความสำคัญ กฎราคา: {0}" +"Multiple Price Rule exists with same criteria, please resolve \ conflict by assigning priority. Price Rules: {0}",ราคาหลายกฎที่มีอยู่ด้วยเกณฑ์เดียวกันกรุณาแก้ไข \ ความขัดแย้งโดยการกำหนดลำดับความสำคัญ กฎราคา: {0} Music,เพลง Must be Whole Number,ต้องเป็นจำนวนเต็ม Name,ชื่อ @@ -2486,23 +2452,15 @@ Row # ,แถว # Row # {0}: , Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,แถว # {0}: จำนวนสั่งซื้อไม่น้อยกว่าจำนวนสั่งซื้อขั้นต่ำของรายการ (ที่กำหนดไว้ในหลักรายการ) Row #{0}: Please specify Serial No for Item {1},แถว # {0}: โปรดระบุหมายเลขเครื่องกับรายการ {1} -"Row {0}: Account does not match with \ - Purchase Invoice Credit To account","แถว {0}: บัญชีไม่ตรงกับที่มีการ \ - ซื้อใบแจ้งหนี้บัตรเครดิตเพื่อบัญชี" -"Row {0}: Account does not match with \ - Sales Invoice Debit To account","แถว {0}: บัญชีไม่ตรงกับที่มีการ \ - ขายใบแจ้งหนี้บัตรเดบิตในการบัญชี" +Row {0}: Account does not match with \ Purchase Invoice Credit To account,แถว {0}: บัญชีไม่ตรงกับที่มีการ \ ซื้อใบแจ้งหนี้บัตรเครดิตเพื่อบัญชี +Row {0}: Account does not match with \ Sales Invoice Debit To account,แถว {0}: บัญชีไม่ตรงกับที่มีการ \ ขายใบแจ้งหนี้บัตรเดบิตในการบัญชี Row {0}: Conversion Factor is mandatory,แถว {0}: ปัจจัยการแปลงมีผลบังคับใช้ Row {0}: Credit entry can not be linked with a Purchase Invoice,แถว {0}: รายการ เครดิต ไม่สามารถ เชื่อมโยงกับใบแจ้งหนี้ ซื้อ Row {0}: Debit entry can not be linked with a Sales Invoice,แถว {0}: รายการ เดบิต ไม่สามารถ เชื่อมโยงกับใบแจ้งหนี้ การขาย Row {0}: Payment amount must be less than or equals to invoice outstanding amount. Please refer Note below.,แถว {0}: จำนวนเงินที่ชำระเงินจะต้องน้อยกว่าหรือเท่ากับใบแจ้งหนี้ยอดคงค้าง โปรดดูรายละเอียดด้านล่างหมายเหตุ Row {0}: Qty is mandatory,แถว {0}: จำนวนมีผลบังคับใช้ -"Row {0}: Qty not avalable in warehouse {1} on {2} {3}. - Available Qty: {4}, Transfer Qty: {5}","แถว {0}: จำนวนการไปรษณีย์ในคลังสินค้า {1} ใน {2} {3} - มีจำนวน: {4} โอนจำนวน: {5}" -"Row {0}: To set {1} periodicity, difference between from and to date \ - must be greater than or equal to {2}","แถว {0}: การตั้งค่า {1} ระยะเวลาแตกต่างระหว่างจากและไปยังวันที่ \ - ต้องมากกว่าหรือเท่ากับ {2}" +"Row {0}: Qty not avalable in warehouse {1} on {2} {3}. Available Qty: {4}, Transfer Qty: {5}",แถว {0}: จำนวนการไปรษณีย์ในคลังสินค้า {1} ใน {2} {3} มีจำนวน: {4} โอนจำนวน: {5} +"Row {0}: To set {1} periodicity, difference between from and to date \ must be greater than or equal to {2}",แถว {0}: การตั้งค่า {1} ระยะเวลาแตกต่างระหว่างจากและไปยังวันที่ \ ต้องมากกว่าหรือเท่ากับ {2} Row {0}:Start Date must be before End Date,แถว {0}: วันที่ เริ่มต้น ต้องอยู่ก่อน วันที่สิ้นสุด Rules for adding shipping costs.,กฎระเบียบ สำหรับการเพิ่ม ค่าใช้จ่ายใน การจัดส่งสินค้า Rules for applying pricing and discount.,กฎระเบียบ สำหรับการใช้ การกำหนดราคาและ ส่วนลด @@ -2683,9 +2641,7 @@ Serial No {0} status must be 'Available' to Deliver,อนุกรม ไม่ Serial Nos Required for Serialized Item {0},อนุกรม Nos จำเป็นสำหรับ รายการ เนื่อง {0} Serial Number Series,ชุด หมายเลข Serial number {0} entered more than once,หมายเลข {0} เข้ามา มากกว่าหนึ่งครั้ง -"Serialized Item {0} cannot be updated \ - using Stock Reconciliation","รายการต่อเนื่อง {0} ไม่สามารถปรับปรุง \ - ใช้สต็อกสมานฉันท์" +Serialized Item {0} cannot be updated \ using Stock Reconciliation,รายการต่อเนื่อง {0} ไม่สามารถปรับปรุง \ ใช้สต็อกสมานฉันท์ Series,ชุด Series List for this Transaction,รายชื่อชุดสำหรับการทำธุรกรรมนี้ Series Updated,ชุด ล่าสุด @@ -2911,9 +2867,7 @@ Tax Assets,สินทรัพย์ ภาษี Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,หมวดหมู่ ภาษี ไม่สามารถ ' ประเมิน ' หรือ ' การประเมิน และ รวม เป็นรายการ ทุก รายการที่ไม่ สต็อก Tax Rate,อัตราภาษี Tax and other salary deductions.,ภาษีและอื่น ๆ หักเงินเดือน -"Tax detail table fetched from item master as a string and stored in this field. -Used for Taxes and Charges","ตารางรายละเอียดภาษีเอาจากต้นแบบรายการที่เป็นสตริงและเก็บไว้ในด้านนี้ - ใช้สำหรับภาษีและค่าใช้จ่าย" +Tax detail table fetched from item master as a string and stored in this field.Used for Taxes and Charges,ตารางรายละเอียดภาษีเอาจากต้นแบบรายการที่เป็นสตริงและเก็บไว้ในด้านนี้ ใช้สำหรับภาษีและค่าใช้จ่าย Tax template for buying transactions.,แม่แบบ ภาษี สำหรับการซื้อ ในการทำธุรกรรม Tax template for selling transactions.,แม่แบบ ภาษี สำหรับการขาย ในการทำธุรกรรม Taxable,ต้องเสียภาษี @@ -2959,9 +2913,7 @@ The First User: You,ผู้ใช้งาน ครั้งแรก: คุ "The Item that represents the Package. This Item must have ""Is Stock Item"" as ""No"" and ""Is Sales Item"" as ""Yes""",รายการที่แสดงถึงแพคเกจ รายการนี​​้จะต้องมี "รายการสินค้า" ขณะที่ "ไม่มี" และ "รายการขาย" เป็น "ใช่" The Organization,องค์การ "The account head under Liability, in which Profit/Loss will be booked",หัว บัญชีภายใต้ ความรับผิด ในการที่ กำไร / ขาดทุน จะได้รับการ จอง -"The date on which next invoice will be generated. It is generated on submit. -","วันที่ใบแจ้งหนี้ต่อไปจะถูกสร้างขึ้น มันถูกสร้างขึ้นบนส่ง -" +The date on which next invoice will be generated. It is generated on submit.,วันที่ใบแจ้งหนี้ต่อไปจะถูกสร้างขึ้น มันถูกสร้างขึ้นบนส่ง The date on which recurring invoice will be stop,วันที่ใบแจ้งหนี้ที่เกิดขึ้นจะถูกหยุด "The day of the month on which auto invoice will be generated e.g. 05, 28 etc ","วันของเดือนที่ใบแจ้งหนี้อัตโนมัติจะถูกสร้างขึ้นเช่น 05, 28 ฯลฯ" The day(s) on which you are applying for leave are holiday. You need not apply for leave.,วัน(s) ที่ คุณจะใช้สำหรับ การลา เป็น วันหยุด คุณไม่จำเป็นต้อง ใช้สำหรับการ ออก diff --git a/erpnext/translations/tr.csv b/erpnext/translations/tr.csv index 4525e68b05..0d9fb014e2 100644 --- a/erpnext/translations/tr.csv +++ b/erpnext/translations/tr.csv @@ -28,36 +28,12 @@ 'To Date' is required,'Tarihi' gereklidir 'Update Stock' for Sales Invoice {0} must be set,Satış Fatura için 'Güncelle Stok' {0} ayarlanması gerekir * Will be calculated in the transaction.,* Işlem hesaplanır olacak. -"1 Currency = [?] Fraction -For e.g. 1 USD = 100 Cent","1 Döviz = [?] Kesir - örneğin 1 USD = 100 Cent için" +1 Currency = [?] FractionFor e.g. 1 USD = 100 Cent,1 Döviz = [?] Kesir örneğin 1 USD = 100 Cent için 1. To maintain the customer wise item code and to make them searchable based on their code use this option,1.Standart testler ile ölçülen anlamlı dil yeteneklerinin önemli ölçüde beklenen seviyenin altında olması. Müşteri bilge ürün kodu korumak ve bunların kod kullanımı bu seçenek dayanarak bunları aranabilir hale getirmek "
Add / Edit"," Ekle / Düzenle " "Add / Edit"," Ekle / Düzenle " "Add / Edit"," Ekle / Düzenle " -"

Default Template

-

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

-
{{ address_line1 }}<br>
-{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}
-{{ city }}<br>
-{% if state %}{{ state }}<br>{% endif -%}
-{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}
-{{ country }}<br>
-{% if phone %}Phone: {{ phone }}<br>{% endif -%}
-{% if fax %}Fax: {{ fax }}<br>{% endif -%}
-{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
-
","

Standart Şablon -

Jinja Şablon Oluşturma ve Adres tüm alanları (kullanır Özel alanlar varsa) dahil olmak üzere mevcut olacaktır -

  {{}} address_line1 
- {% if address_line2%} {{}} address_line2
{ % endif -%} - {{şehir}}
- {% eğer devlet%} {{}} devlet
{% endif -%} - {% if pinkodu%} PIN: {{}} pinkodu
{% endif -%} - {{ülke}}
- {% if telefon%} Telefon: {{}} telefon
{ % endif -%} - {% if%} faks Faks: {{}} faks
{% endif -%} - {% email_id%} E-posta ise: {{}} email_id
; {% endif -%} - " +"

Default Template

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

{{ address_line1 }}<br>{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}{{ city }}<br>{% if state %}{{ state }}<br>{% endif -%}{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}{{ country }}<br>{% if phone %}Phone: {{ phone }}<br>{% endif -%}{% if fax %}Fax: {{ fax }}<br>{% endif -%}{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
","

Standart Şablon

Jinja Şablon Oluşturma ve Adres tüm alanları (kullanır Özel alanlar varsa) dahil olmak üzere mevcut olacaktır

  {{}} address_line1 
{% if address_line2%} {{}} address_line2
{ % endif -%} {{şehir}}
{% eğer devlet%} {{}} devlet
{% endif -%} {% if pinkodu%} PIN: {{}} pinkodu
{% endif -%} {{ülke}}
{% if telefon%} Telefon: {{}} telefon
{ % endif -%} {% if%} faks Faks: {{}} faks
{% endif -%} {% email_id%} E-posta ise: {{}} email_id
; {% endif -%} " A Customer Group exists with same name please change the Customer name or rename the Customer Group,Bir Müşteri Grubu aynı adla Müşteri adını değiştirebilir veya Müşteri Grubu yeniden adlandırma lütfen A Customer exists with same name,Bir Müşteri aynı adla A Lead with this email id should exist,Bu e-posta kimliği ile bir Kurşun bulunmalıdır @@ -103,9 +79,7 @@ Account {0}: Parent account {1} can not be a ledger,Hesap {0}: Ana hesap {1} bir Account {0}: Parent account {1} does not belong to company: {2},Hesap {0}: Ana hesap {1} şirkete ait değil: {2} Account {0}: Parent account {1} does not exist,Hesap {0}: Ana hesap {1} yok Account {0}: You can not assign itself as parent account,Hesap {0}: Siz ebeveyn hesabı olarak atanamıyor -"Account: {0} can only be updated via \ - Stock Transactions","Hesap: \ - Stok İşlemler {0} sadece aracılığıyla güncellenebilir" +Account: {0} can only be updated via \ Stock Transactions,Hesap: \ Stok İşlemler {0} sadece aracılığıyla güncellenebilir Accountant,Muhasebeci Accounting,Muhasebe "Accounting Entries can be made against leaf nodes, called","Muhasebe Yazılar denilen, yaprak düğümlere karşı yapılabilir" @@ -886,9 +860,7 @@ Download Reconcilation Data,Mutabakatı veri indir Download Template,İndir Şablon Download a report containing all raw materials with their latest inventory status,En son stok durumu ile tüm hammaddeleri içeren bir raporu indirin "Download the Template, fill appropriate data and attach the modified file.","Şablon indir, uygun veri doldurmak ve değiştirilmiş dosya eklemek." -"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 indir, uygun veri doldurmak ve değiştirilmiş dosya eklemek. - Seçilen dönemde tüm tarihler ve çalışanların kombinasyon mevcut katılım kayıtları ile, şablonda gelecek" +"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 indir, uygun veri doldurmak ve değiştirilmiş dosya eklemek. Seçilen dönemde tüm tarihler ve çalışanların kombinasyon mevcut katılım kayıtları ile, şablonda gelecek" Draft,Taslak Dropbox,Dropbox Dropbox Access Allowed,İzin Dropbox Erişim @@ -994,9 +966,7 @@ Error: {0} > {1},Hata: {0}> {1} Estimated Material Cost,Tahmini Malzeme Maliyeti "Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","En yüksek önceliğe sahip birden Fiyatlandırması Kuralları olsa bile, o zaman aşağıdaki iç öncelikler uygulanır:" Everyone can read,Herkes okuyabilir -"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.",". Örnek: ABCD # # # # # - serisi ayarlanır ve Seri No işlemlerde söz değilse, o zaman otomatik seri numarası bu dizi dayalı oluşturulur. Eğer her zaman açıkça bu öğe için Seri Nos bahsetmek istiyorum. Bu boş bırakın." +"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.",". Örnek: ABCD # # # # # serisi ayarlanır ve Seri No işlemlerde söz değilse, o zaman otomatik seri numarası bu dizi dayalı oluşturulur. Eğer her zaman açıkça bu öğe için Seri Nos bahsetmek istiyorum. Bu boş bırakın." Exchange Rate,Para Birimi kurları Excise Duty 10,Özel Tüketim Vergisi 10 Excise Duty 14,Özel Tüketim Vergisi 14 @@ -1470,9 +1440,7 @@ Item-wise Purchase History,Madde-bilge Satın Alma Geçmişi Item-wise Purchase Register,Madde-bilge Alım Kayıt Item-wise Sales History,Madde-bilge Satış Tarihi Item-wise Sales Register,Madde-bilge Satış Kayıt -"Item: {0} managed batch-wise, can not be reconciled using \ - Stock Reconciliation, instead use Stock Entry","Ürün: {0} toplu-bilge yönetilen kullanarak mutabakat olamaz \ - Stock Uzlaşma yerine, stok girişi kullanın" +"Item: {0} managed batch-wise, can not be reconciled using \ Stock Reconciliation, instead use Stock Entry","Ürün: {0} toplu-bilge yönetilen kullanarak mutabakat olamaz \ Stock Uzlaşma yerine, stok girişi kullanın" Item: {0} not found in the system,Ürün: {0} sistemde bulunamadı Items,Ürünler Items To Be Requested,İstenen To Be ürün @@ -1731,9 +1699,7 @@ Moving Average Rate,Hareketli Ortalama Kur Mr,Bay Ms,Bayan Multiple Item prices.,Çoklu Ürün fiyatları. -"Multiple Price Rule exists with same criteria, please resolve \ - conflict by assigning priority. Price Rules: {0}","Çoklu Fiyat Kural aynı kriterler ile var, çözmek lütfen \ - öncelik atayarak çatışma. Fiyat Kuralları: {0}" +"Multiple Price Rule exists with same criteria, please resolve \ conflict by assigning priority. Price Rules: {0}","Çoklu Fiyat Kural aynı kriterler ile var, çözmek lütfen \ öncelik atayarak çatışma. Fiyat Kuralları: {0}" Music,Müzik Must be Whole Number,Tüm Numarası olmalı Name,İsim @@ -2486,23 +2452,15 @@ Row # , Row # {0}: , Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,Satır # {0}: Sıralı Adet Adet (öğe master tanımlanan) öğesinin minimum sipariş adet daha az olamaz. Row #{0}: Please specify Serial No for Item {1},Satır # {0}: Ürün seri no belirtiniz {1} -"Row {0}: Account does not match with \ - Purchase Invoice Credit To account","Satır {0}: \ - Satın Fatura Kredi hesabı için Hesabı ile uyuşmuyor" -"Row {0}: Account does not match with \ - Sales Invoice Debit To account","Satır {0}: \ - Satış Faturası banka hesabı için Hesap ile uyuşmuyor" +Row {0}: Account does not match with \ Purchase Invoice Credit To account,Satır {0}: \ Satın Fatura Kredi hesabı için Hesabı ile uyuşmuyor +Row {0}: Account does not match with \ Sales Invoice Debit To account,Satır {0}: \ Satış Faturası banka hesabı için Hesap ile uyuşmuyor Row {0}: Conversion Factor is mandatory,Satır {0}: Katsayı zorunludur Row {0}: Credit entry can not be linked with a Purchase Invoice,Satır {0}: Kredi girişi Satınalma Fatura ile bağlantılı olamaz Row {0}: Debit entry can not be linked with a Sales Invoice,Satır {0}: Banka giriş Satış Fatura ile bağlantılı olamaz Row {0}: Payment amount must be less than or equals to invoice outstanding amount. Please refer Note below.,Satır {0}: Ödeme tutarı veya daha az kalan miktar fatura eşittir olmalıdır. Aşağıda dikkat bakınız. Row {0}: Qty is mandatory,Satır {0}: Miktar zorunludur -"Row {0}: Qty not avalable in warehouse {1} on {2} {3}. - Available Qty: {4}, Transfer Qty: {5}","Satır {0}: Miktar depoda Avalable {1} değil {2} {3}. - Mevcut Adet: {4}, Adet aktarın: {5}" -"Row {0}: To set {1} periodicity, difference between from and to date \ - must be greater than or equal to {2}","Satır {0}: ayarlamak için {1}, sıklığı, yeri ve tarihi arasındaki fark, \ - daha büyük ya da eşit olmalıdır {2}" +"Row {0}: Qty not avalable in warehouse {1} on {2} {3}. Available Qty: {4}, Transfer Qty: {5}","Satır {0}: Miktar depoda Avalable {1} değil {2} {3}. Mevcut Adet: {4}, Adet aktarın: {5}" +"Row {0}: To set {1} periodicity, difference between from and to date \ must be greater than or equal to {2}","Satır {0}: ayarlamak için {1}, sıklığı, yeri ve tarihi arasındaki fark, \ daha büyük ya da eşit olmalıdır {2}" Row {0}:Start Date must be before End Date,Satır {0}: Başlangıç ​​Tarihi Bitiş Tarihinden önce olmalıdır Rules for adding shipping costs.,Nakliye maliyetleri eklemek için Kurallar. Rules for applying pricing and discount.,Fiyatlandırma ve indirim uygulanması için kurallar. @@ -2683,9 +2641,7 @@ Serial No {0} status must be 'Available' to Deliver,Seri No {0} durum sunun içi Serial Nos Required for Serialized Item {0},Tefrika Ürün Serial Nos Zorunlu {0} Serial Number Series,Seri Numarası Serisi Serial number {0} entered more than once,Seri numarası {0} kez daha girdi -"Serialized Item {0} cannot be updated \ - using Stock Reconciliation","Tefrika Öğe {0} güncelleme olamaz \ - Stock Uzlaşma kullanarak" +Serialized Item {0} cannot be updated \ using Stock Reconciliation,Tefrika Öğe {0} güncelleme olamaz \ Stock Uzlaşma kullanarak Series,Sürümler Series List for this Transaction,Bu İşlem için Serisi Listesi Series Updated,Serisi Güncel @@ -2911,9 +2867,7 @@ Tax Assets,Vergi Varlığı Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,Vergi Kategori 'değerleme' veya 'Değerleme ve Total' tüm öğeleri olmayan stok öğeler gibi olamaz Tax Rate,Vergi oranı Tax and other salary deductions.,Vergi ve diğer kesintiler maaş. -"Tax detail table fetched from item master as a string and stored in this field. -Used for Taxes and Charges","Vergi detay tablo bir dize olarak madde ustadan getirilen ve bu alanda saklanır. - Vergi ve Ücretleri Kullanılmış" +Tax detail table fetched from item master as a string and stored in this field.Used for Taxes and Charges,Vergi detay tablo bir dize olarak madde ustadan getirilen ve bu alanda saklanır. Vergi ve Ücretleri Kullanılmış Tax template for buying transactions.,Işlemleri satın almak için vergi şablonu. Tax template for selling transactions.,Satımın için vergi şablonu. Taxable,Vergiye tabi @@ -2959,9 +2913,7 @@ The First User: You,İlk Kullanıcı: Sen "The Item that represents the Package. This Item must have ""Is Stock Item"" as ""No"" and ""Is Sales Item"" as ""Yes""","Paketi temsil Item. ""Hayır"" ve ""Evet"" olarak ""Satış Item Is"" Bu Öğe ""Stok Öğe mi"" olmalı" The Organization,Organizasyon "The account head under Liability, in which Profit/Loss will be booked","Kar / Zarar rezerve edileceği Sorumluluk altında hesap kafası," -"The date on which next invoice will be generated. It is generated on submit. -","Sonraki fatura oluşturulur hangi tarih. Bu teslim oluşturulur. -" +The date on which next invoice will be generated. It is generated on submit.,Sonraki fatura oluşturulur hangi tarih. Bu teslim oluşturulur. The date on which recurring invoice will be stop,Yinelenen fatura durdurmak edileceği tarih "The day of the month on which auto invoice will be generated e.g. 05, 28 etc ", The day(s) on which you are applying for leave are holiday. You need not apply for leave.,Eğer izni için başvuran hangi gün (ler) tatil vardır. Sen izin talebinde gerekmez. diff --git a/erpnext/translations/vi.csv b/erpnext/translations/vi.csv index 71c91937d4..3e714f5976 100644 --- a/erpnext/translations/vi.csv +++ b/erpnext/translations/vi.csv @@ -28,36 +28,12 @@ 'To Date' is required,"""Đến ngày"" là cần thiết" 'Update Stock' for Sales Invoice {0} must be set,'Cập nhật chứng khoán' cho bán hàng hóa đơn {0} phải được thiết lập * Will be calculated in the transaction.,* Sẽ được tính toán trong các giao dịch. -"1 Currency = [?] Fraction -For e.g. 1 USD = 100 Cent","1 tệ = [?] Phần - Đối với ví dụ 1 USD = 100 Cent" +1 Currency = [?] FractionFor e.g. 1 USD = 100 Cent,1 tệ = [?] Phần Đối với ví dụ 1 USD = 100 Cent 1. To maintain the customer wise item code and to make them searchable based on their code use this option,1 Để duy trì khách hàng mã hàng khôn ngoan và để làm cho họ tìm kiếm dựa trên mã sử dụng tùy chọn này "
Add / Edit",{0} là cần thiết "Add / Edit"," Add / Edit " "Add / Edit",Tiền tệ là cần thiết cho Giá liệt kê {0} -"

Default Template

-

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

-
{{ address_line1 }}<br>
-{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}
-{{ city }}<br>
-{% if state %}{{ state }}<br>{% endif -%}
-{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}
-{{ country }}<br>
-{% if phone %}Phone: {{ phone }}<br>{% endif -%}
-{% if fax %}Fax: {{ fax }}<br>{% endif -%}
-{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
-
","

Mặc định Mẫu -

Sử dụng Jinja khuôn mẫu và tất cả các lĩnh vực Địa chỉ ( bao gồm Custom Fields nếu có) sẽ có sẵn -

  {{}} address_line1 
- {% nếu address_line2%} {{address_line2}} {
endif% -%} - {{}}
thành phố - {% nếu nhà nước%} {{nhà nước}} {% endif
-%} - {% nếu pincode%} PIN: {{}} pincode
{% endif -%} - {{country}}
- {% nếu điện thoại%} Điện thoại: {{}} điện thoại
{ endif% -%} - {% if fax%} Fax: {{}} fax
{% endif -%} - {% nếu email_id%} Email: {{}} email_id
; {% endif -%} - " +"

Default Template

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available

{{ address_line1 }}<br>{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}{{ city }}<br>{% if state %}{{ state }}<br>{% endif -%}{% if pincode %} PIN:  {{ pincode }}<br>{% endif -%}{{ country }}<br>{% if phone %}Phone: {{ phone }}<br>{% endif -%}{% if fax %}Fax: {{ fax }}<br>{% endif -%}{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
","

Mặc định Mẫu

Sử dụng Jinja khuôn mẫu và tất cả các lĩnh vực Địa chỉ ( bao gồm Custom Fields nếu có) sẽ có sẵn

  {{}} address_line1 
{% nếu address_line2%} {{address_line2}} {
endif% -%} {{}}
thành phố {% nếu nhà nước%} {{nhà nước}} {% endif
-%} {% nếu pincode%} PIN: {{}} pincode
{% endif -%} {{country}}
{% nếu điện thoại%} Điện thoại: {{}} điện thoại
{ endif% -%} {% if fax%} Fax: {{}} fax
{% endif -%} {% nếu email_id%} Email: {{}} email_id
; {% endif -%} " 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 tồn tại với cùng một tên xin thay đổi tên khách hàng hoặc đổi tên nhóm khách hàng A Customer exists with same name,Một khách hàng tồn tại với cùng một tên A Lead with this email id should exist,Một chì với id email này nên tồn tại @@ -103,9 +79,7 @@ Account {0}: Parent account {1} can not be a ledger,Tài khoản {0}: Cha mẹ t Account {0}: Parent account {1} does not belong to company: {2},Tài khoản {0}: Cha mẹ tài khoản {1} không thuộc về công ty: {2} Account {0}: Parent account {1} does not exist,Tài khoản {0}: Cha mẹ tài khoản {1} không tồn tại Account {0}: You can not assign itself as parent account,Tài khoản {0}: Bạn không thể chỉ định chính nó như là tài khoản phụ huynh -"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 \ - Giao dịch chứng khoán" +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 \ Giao dịch chứng khoán Accountant,Kế toán Accounting,Kế toán "Accounting Entries can be made against leaf nodes, called","Kế toán Thí sinh có thể thực hiện đối với các nút lá, được gọi là" @@ -886,9 +860,7 @@ Download Reconcilation Data,Tải về Reconcilation dữ liệu Download Template,Tải mẫu Download a report containing all raw materials with their latest inventory status,Tải về một bản báo cáo có chứa tất cả các nguyên liệu với tình trạng hàng tồn kho mới nhất của họ "Download the Template, fill appropriate data and attach the modified file.","Tải về các mẫu, điền dữ liệu thích hợp và đính kèm tập tin sửa đổi." -"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 về các mẫu, điền dữ liệu thích hợp và đính kèm tập tin sửa đổi. - Tất cả các ngày và kết hợp nhân viên trong giai đoạn lựa chọn sẽ đến trong bản mẫu, với hồ sơ tham dự hiện có" +"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 về các mẫu, điền dữ liệu thích hợp và đính kèm tập tin sửa đổi. Tất cả các ngày và kết hợp nhân viên trong giai đoạn lựa chọn sẽ đến trong bản mẫu, với hồ sơ tham dự hiện có" Draft,Dự thảo Dropbox,Dropbox Dropbox Access Allowed,Dropbox truy cập được phép @@ -994,9 +966,7 @@ Error: {0} > {1},Lỗi: {0}> {1} Estimated Material Cost,Ước tính chi phí vật liệu "Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Ngay cả khi có nhiều quy giá với ưu tiên cao nhất, ưu tiên nội bộ sau đó sau được áp dụng:" Everyone can read,Tất cả mọi người có thể đọc -"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ố nối tiếp sau đó tự động sẽ được tạo ra dựa trên loạt bài này. Nếu bạn luô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." +"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ố nối tiếp sau đó tự động sẽ được tạo ra dựa trên loạt bài này. Nếu bạn luô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." Exchange Rate,Tỷ giá Excise Duty 10,Tiêu thụ đặc biệt làm việc 10 Excise Duty 14,Tiêu thụ đặc biệt thuế 14 @@ -1470,9 +1440,7 @@ Item-wise Purchase History,Item-khôn ngoan Lịch sử mua hàng Item-wise Purchase Register,Item-khôn ngoan mua Đăng ký Item-wise Sales History,Item-khôn ngoan Lịch sử bán hàng Item-wise Sales Register,Item-khôn ngoan doanh Đăng ký -"Item: {0} managed batch-wise, can not be reconciled using \ - Stock Reconciliation, instead use Stock Entry","Item: {0} quản lý hàng loạt khôn ngoan, không thể hòa giải bằng cách sử dụng \ - Cổ hòa giải, thay vì sử dụng hàng nhập" +"Item: {0} managed batch-wise, can not be reconciled using \ Stock Reconciliation, instead use Stock Entry","Item: {0} quản lý hàng loạt khôn ngoan, không thể hòa giải bằng cách sử dụng \ Cổ hòa giải, thay vì sử dụng hàng nhập" Item: {0} not found in the system,Item: {0} không tìm thấy trong hệ thống Items,Mục Items To Be Requested,Mục To Be yêu cầu @@ -1731,9 +1699,7 @@ Moving Average Rate,Tỷ lệ trung bình di chuyển Mr,Ông Ms,Ms Multiple Item prices.,Nhiều giá Item. -"Multiple Price Rule exists with same criteria, please resolve \ - conflict by assigning priority. Price Rules: {0}","Giá nhiều quy tắc 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. Quy định giá: {0}" +"Multiple Price Rule exists with same criteria, please resolve \ conflict by assigning priority. Price Rules: {0}","Giá nhiều quy tắc 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. Quy định giá: {0}" Music,Nhạc Must be Whole Number,Phải có nguyên số Name,Tên @@ -2486,23 +2452,15 @@ Row # , Row # {0}: , Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,Hàng # {0}: SL thứ tự có thể không ít hơn SL đặt hàng tối thiểu hàng của (quy định tại mục chủ). Row #{0}: Please specify Serial No for Item {1},Hàng # {0}: Hãy xác định Serial No cho mục {1} -"Row {0}: Account does not match with \ - Purchase Invoice Credit To account","Hàng {0}: Tài khoản không phù hợp với \ - mua hóa đơn tín dụng Để giải" -"Row {0}: Account does not match with \ - Sales Invoice Debit To account","Hàng {0}: Tài khoản không phù hợp với \ - Kinh doanh hóa đơn ghi nợ Để giải" +Row {0}: Account does not match with \ Purchase Invoice Credit To account,Hàng {0}: Tài khoản không phù hợp với \ mua hóa đơn tín dụng Để giải +Row {0}: Account does not match with \ Sales Invoice Debit To account,Hàng {0}: Tài khoản không phù hợp với \ Kinh doanh hóa đơn ghi nợ Để giải Row {0}: Conversion Factor is mandatory,Hàng {0}: Chuyển đổi Factor là bắt buộc Row {0}: Credit entry can not be linked with a Purchase Invoice,Hàng {0}: lối vào tín dụng không thể được liên kết với một hóa đơn mua hàng Row {0}: Debit entry can not be linked with a Sales Invoice,Hàng {0}: lối vào Nợ không có thể được liên kết với một hóa đơn bán hàng Row {0}: Payment amount must be less than or equals to invoice outstanding amount. Please refer Note below.,Hàng {0}: Số tiền thanh toán phải nhỏ hơn hoặc bằng cho hóa đơn số tiền còn nợ. Vui lòng tham khảo Lưu ý dưới đây. Row {0}: Qty is mandatory,Hàng {0}: Số lượng là bắt buộc -"Row {0}: Qty not avalable in warehouse {1} on {2} {3}. - Available Qty: {4}, Transfer Qty: {5}","Hàng {0}: Số lượng không avalable trong kho {1} trên {2} {3}. - Có sẵn Số lượng: {4}, Chuyển Số lượng: {5}" -"Row {0}: To set {1} periodicity, difference between from and to date \ - 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}" +"Row {0}: Qty not avalable in warehouse {1} on {2} {3}. Available Qty: {4}, Transfer Qty: {5}","Hàng {0}: Số lượng không avalable trong kho {1} trên {2} {3}. Có sẵn Số lượng: {4}, Chuyển Số lượng: {5}" +"Row {0}: To set {1} periodicity, difference between from and to date \ 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}" Row {0}:Start Date must be before End Date,Hàng {0}: Ngày bắt đầu phải trước khi kết thúc ngày Rules for adding shipping costs.,Quy tắc để thêm chi phí vận chuyển. Rules for applying pricing and discount.,Quy tắc áp dụng giá và giảm giá. @@ -2683,9 +2641,7 @@ Serial No {0} status must be 'Available' to Deliver,"Không nối tiếp {0} tì Serial Nos Required for Serialized Item {0},Nối tiếp Nos Yêu cầu cho In nhiều mục {0} Serial Number Series,Serial Number Dòng Serial number {0} entered more than once,Nối tiếp số {0} vào nhiều hơn một lần -"Serialized Item {0} cannot be updated \ - using Stock Reconciliation","Đăng hàng {0} không thể cập nhật \ - sử dụng chứng khoán Hòa giải" +Serialized Item {0} cannot be updated \ using Stock Reconciliation,Đăng hàng {0} không thể cập nhật \ sử dụng chứng khoán Hòa giải Series,Tùng thư Series List for this Transaction,Danh sách loạt cho các giao dịch này Series Updated,Cập nhật hàng loạt @@ -2911,9 +2867,7 @@ Tax Assets,Tài sản thuế Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,"Thuế Thể loại không thể được ""định giá"" hay ""Định giá và Total 'như tất cả các mục là những mặt hàng không cổ" Tax Rate,Tỷ lệ thuế Tax and other salary deductions.,Thuế và các khoản khấu trừ lương khác. -"Tax detail table fetched from item master as a string and stored in this field. -Used for Taxes and Charges","Bảng chi tiết thuế lấy từ mục sư như là một chuỗi và lưu trữ trong lĩnh vực này. - Sử dụng cho Thuế và lệ phí" +Tax detail table fetched from item master as a string and stored in this field.Used for Taxes and Charges,Bảng chi tiết thuế lấy từ mục sư như là một chuỗi và lưu trữ trong lĩnh vực này. Sử dụng cho Thuế và lệ phí Tax template for buying transactions.,Mẫu thuế đối với giao dịch mua. Tax template for selling transactions.,Mẫu thuế cho các giao dịch bán. Taxable,Chịu thuế @@ -2959,9 +2913,7 @@ The First User: You,Những thành viên đầu tiên: Bạn "The Item that represents the Package. This Item must have ""Is Stock Item"" as ""No"" and ""Is Sales Item"" as ""Yes""","Item đại diện cho các gói. Mục này đã ""là Cổ Mã"" là ""Không"" và ""Kinh doanh hàng"" là ""Có""" The Organization,Tổ chức "The account head under Liability, in which Profit/Loss will be booked","Người đứng đầu tài khoản dưới trách nhiệm pháp lý, trong đó lợi nhuận / lỗ sẽ được ghi nhận" -"The date on which next invoice will be generated. It is generated on submit. -","Ngày mà hóa đơn tiếp theo sẽ được tạo ra. Nó được tạo ra trên trình. -" +The date on which next invoice will be generated. It is generated on submit.,Ngày mà hóa đơn tiếp theo sẽ được tạo ra. Nó được tạo ra trên trình. The date on which recurring invoice will be stop,Ngày mà hóa đơn định kỳ sẽ được dừng lại "The day of the month on which auto invoice will be generated e.g. 05, 28 etc ", The day(s) on which you are applying for leave are holiday. You need not apply for leave.,Ngày (s) mà bạn đang nộp đơn xin nghỉ là nghỉ. Bạn không cần phải nộp đơn xin nghỉ phép. From 45c9b1c065abcb86d8309735a01f05da53e14ff1 Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Mon, 8 Sep 2014 17:42:14 +0530 Subject: [PATCH 625/630] [minor] Set in_list_view for Sales and Purchase item tables --- .../purchase_invoice_item.json | 30 +++------------- .../sales_invoice_item.json | 24 ++++--------- .../purchase_order_item.json | 35 ++++--------------- .../supplier_quotation_item.json | 25 +++---------- .../quotation_item/quotation_item.json | 21 +++-------- .../sales_order_item/sales_order_item.json | 29 +++------------ .../delivery_note_item.json | 20 ++++------- .../purchase_receipt_item.json | 24 +++++-------- 8 files changed, 47 insertions(+), 161 deletions(-) diff --git a/erpnext/accounts/doctype/purchase_invoice_item/purchase_invoice_item.json b/erpnext/accounts/doctype/purchase_invoice_item/purchase_invoice_item.json index d26dec0a92..c81d065f02 100755 --- a/erpnext/accounts/doctype/purchase_invoice_item/purchase_invoice_item.json +++ b/erpnext/accounts/doctype/purchase_invoice_item/purchase_invoice_item.json @@ -8,7 +8,7 @@ "fieldname": "item_code", "fieldtype": "Link", "in_filter": 1, - "in_list_view": 0, + "in_list_view": 1, "label": "Item", "oldfieldname": "item_code", "oldfieldtype": "Link", @@ -52,7 +52,6 @@ { "fieldname": "quantity_and_rate", "fieldtype": "Section Break", - "in_list_view": 0, "label": "Quantity and Rate", "permlevel": 0 }, @@ -76,7 +75,7 @@ { "fieldname": "uom", "fieldtype": "Link", - "in_list_view": 0, + "in_list_view": 1, "label": "UOM", "options": "UOM", "permlevel": 0, @@ -86,7 +85,6 @@ { "fieldname": "conversion_factor", "fieldtype": "Float", - "in_list_view": 0, "label": "Conversion Factor", "permlevel": 0, "print_hide": 1, @@ -100,7 +98,6 @@ { "fieldname": "price_list_rate", "fieldtype": "Currency", - "in_list_view": 0, "label": "Price List Rate", "options": "currency", "permlevel": 0, @@ -110,7 +107,7 @@ { "fieldname": "discount_percentage", "fieldtype": "Percent", - "in_list_view": 0, + "in_list_view": 1, "label": "Discount %", "permlevel": 0, "print_hide": 0, @@ -124,7 +121,6 @@ { "fieldname": "base_price_list_rate", "fieldtype": "Currency", - "in_list_view": 0, "label": "Price List Rate (Company Currency)", "options": "Company:company:default_currency", "permlevel": 0, @@ -169,7 +165,6 @@ { "fieldname": "base_rate", "fieldtype": "Currency", - "in_list_view": 0, "label": "Rate (Company Currency)", "oldfieldname": "rate", "oldfieldtype": "Currency", @@ -182,7 +177,6 @@ { "fieldname": "base_amount", "fieldtype": "Currency", - "in_list_view": 0, "label": "Amount (Company Currency)", "oldfieldname": "amount", "oldfieldtype": "Currency", @@ -203,14 +197,12 @@ { "fieldname": "accounting", "fieldtype": "Section Break", - "in_list_view": 0, "label": "Accounting", "permlevel": 0 }, { "fieldname": "expense_account", "fieldtype": "Link", - "in_list_view": 0, "label": "Expense Head", "oldfieldname": "expense_head", "oldfieldtype": "Link", @@ -231,7 +223,6 @@ "fieldname": "project_name", "fieldtype": "Link", "in_filter": 1, - "in_list_view": 0, "label": "Project Name", "options": "Project", "permlevel": 0, @@ -242,7 +233,6 @@ "default": ":Company", "fieldname": "cost_center", "fieldtype": "Link", - "in_list_view": 0, "label": "Cost Center", "oldfieldname": "cost_center", "oldfieldtype": "Link", @@ -256,7 +246,6 @@ { "fieldname": "reference", "fieldtype": "Section Break", - "in_list_view": 0, "label": "Reference", "permlevel": 0 }, @@ -264,7 +253,6 @@ "fieldname": "brand", "fieldtype": "Data", "hidden": 1, - "in_list_view": 0, "label": "Brand", "oldfieldname": "brand", "oldfieldtype": "Data", @@ -278,7 +266,6 @@ "fieldtype": "Link", "hidden": 1, "in_filter": 1, - "in_list_view": 0, "label": "Item Group", "oldfieldname": "item_group", "oldfieldtype": "Link", @@ -293,7 +280,6 @@ "fieldname": "item_tax_rate", "fieldtype": "Small Text", "hidden": 1, - "in_list_view": 0, "label": "Item Tax Rate", "oldfieldname": "item_tax_rate", "oldfieldtype": "Small Text", @@ -306,7 +292,6 @@ "fieldname": "item_tax_amount", "fieldtype": "Currency", "hidden": 1, - "in_list_view": 0, "label": "Item Tax Amount", "no_copy": 1, "options": "Company:company:default_currency", @@ -321,7 +306,6 @@ "fieldname": "purchase_order", "fieldtype": "Link", "in_filter": 1, - "in_list_view": 0, "label": "Purchase Order", "no_copy": 1, "oldfieldname": "purchase_order", @@ -342,7 +326,6 @@ "fieldtype": "Data", "hidden": 1, "in_filter": 1, - "in_list_view": 0, "label": "Purchase Order Item", "no_copy": 1, "oldfieldname": "po_detail", @@ -356,7 +339,6 @@ "fieldname": "purchase_receipt", "fieldtype": "Link", "in_filter": 1, - "in_list_view": 0, "label": "Purchase Receipt", "no_copy": 1, "oldfieldname": "purchase_receipt", @@ -371,7 +353,6 @@ "allow_on_submit": 1, "fieldname": "page_break", "fieldtype": "Check", - "in_list_view": 0, "label": "Page Break", "no_copy": 1, "permlevel": 0, @@ -384,7 +365,6 @@ "fieldtype": "Data", "hidden": 1, "in_filter": 1, - "in_list_view": 0, "label": "PR Detail", "no_copy": 1, "oldfieldname": "pr_detail", @@ -398,7 +378,6 @@ "fieldname": "valuation_rate", "fieldtype": "Currency", "hidden": 1, - "in_list_view": 0, "label": "Valuation Rate", "no_copy": 1, "options": "Company:company:default_currency", @@ -410,7 +389,6 @@ "fieldname": "rm_supp_cost", "fieldtype": "Currency", "hidden": 1, - "in_list_view": 0, "label": "Raw Materials Supplied Cost", "no_copy": 1, "options": "Company:company:default_currency", @@ -421,7 +399,7 @@ ], "idx": 1, "istable": 1, - "modified": "2014-08-26 12:34:42.790959", + "modified": "2014-09-08 08:06:30.027289", "modified_by": "Administrator", "module": "Accounts", "name": "Purchase Invoice Item", diff --git a/erpnext/accounts/doctype/sales_invoice_item/sales_invoice_item.json b/erpnext/accounts/doctype/sales_invoice_item/sales_invoice_item.json index cff661c851..19c124f617 100644 --- a/erpnext/accounts/doctype/sales_invoice_item/sales_invoice_item.json +++ b/erpnext/accounts/doctype/sales_invoice_item/sales_invoice_item.json @@ -7,7 +7,6 @@ { "fieldname": "barcode", "fieldtype": "Data", - "in_list_view": 0, "label": "Barcode", "permlevel": 0, "print_hide": 1, @@ -32,7 +31,7 @@ "fieldname": "item_name", "fieldtype": "Data", "in_filter": 0, - "in_list_view": 0, + "in_list_view": 1, "label": "Item Name", "oldfieldname": "item_name", "oldfieldtype": "Data", @@ -51,7 +50,6 @@ "fieldname": "customer_item_code", "fieldtype": "Data", "hidden": 1, - "in_list_view": 0, "label": "Customer's Item Code", "permlevel": 0, "print_hide": 1, @@ -73,7 +71,6 @@ { "fieldname": "quantity_and_rate", "fieldtype": "Section Break", - "in_list_view": 0, "label": "Quantity and Rate", "permlevel": 0 }, @@ -91,7 +88,6 @@ { "fieldname": "price_list_rate", "fieldtype": "Currency", - "in_list_view": 0, "label": "Price List Rate", "oldfieldname": "ref_rate", "oldfieldtype": "Currency", @@ -104,7 +100,7 @@ { "fieldname": "discount_percentage", "fieldtype": "Percent", - "in_list_view": 0, + "in_list_view": 1, "label": "Discount (%)", "oldfieldname": "adj_rate", "oldfieldtype": "Float", @@ -120,7 +116,7 @@ { "fieldname": "stock_uom", "fieldtype": "Link", - "in_list_view": 0, + "in_list_view": 1, "label": "UOM", "options": "UOM", "permlevel": 0, @@ -129,7 +125,6 @@ { "fieldname": "base_price_list_rate", "fieldtype": "Currency", - "in_list_view": 0, "label": "Price List Rate (Company Currency)", "oldfieldname": "base_ref_rate", "oldfieldtype": "Currency", @@ -176,7 +171,6 @@ "fieldname": "base_rate", "fieldtype": "Currency", "in_filter": 0, - "in_list_view": 0, "label": "Rate (Company Currency)", "oldfieldname": "basic_rate", "oldfieldtype": "Currency", @@ -190,7 +184,6 @@ { "fieldname": "base_amount", "fieldtype": "Currency", - "in_list_view": 0, "label": "Amount (Company Currency)", "oldfieldname": "amount", "oldfieldtype": "Currency", @@ -211,7 +204,6 @@ { "fieldname": "accounting", "fieldtype": "Section Break", - "in_list_view": 0, "label": "Accounting", "permlevel": 0 }, @@ -219,7 +211,6 @@ "fieldname": "income_account", "fieldtype": "Link", "in_filter": 1, - "in_list_view": 0, "label": "Income Account", "oldfieldname": "income_account", "oldfieldtype": "Link", @@ -236,7 +227,6 @@ "fieldtype": "Link", "hidden": 0, "in_filter": 1, - "in_list_view": 0, "label": "Expense Account", "options": "Account", "permlevel": 0, @@ -254,7 +244,6 @@ "fieldname": "cost_center", "fieldtype": "Link", "in_filter": 1, - "in_list_view": 0, "label": "Cost Center", "oldfieldname": "cost_center", "oldfieldtype": "Link", @@ -269,7 +258,6 @@ { "fieldname": "warehouse_and_reference", "fieldtype": "Section Break", - "in_list_view": 0, "label": "Warehouse and Reference", "permlevel": 0 }, @@ -277,7 +265,7 @@ "fieldname": "warehouse", "fieldtype": "Link", "hidden": 0, - "in_list_view": 0, + "in_list_view": 1, "label": "Warehouse", "oldfieldname": "warehouse", "oldfieldtype": "Link", @@ -302,6 +290,7 @@ { "fieldname": "batch_no", "fieldtype": "Link", + "in_list_view": 1, "label": "Batch No", "options": "Batch", "permlevel": 0, @@ -373,6 +362,7 @@ "fieldname": "sales_order", "fieldtype": "Link", "in_filter": 1, + "in_list_view": 1, "label": "Sales Order", "no_copy": 1, "oldfieldname": "sales_order", @@ -449,7 +439,7 @@ ], "idx": 1, "istable": 1, - "modified": "2014-08-11 03:52:58.926627", + "modified": "2014-09-08 08:06:30.382092", "modified_by": "Administrator", "module": "Accounts", "name": "Sales Invoice Item", diff --git a/erpnext/buying/doctype/purchase_order_item/purchase_order_item.json b/erpnext/buying/doctype/purchase_order_item/purchase_order_item.json index f6bcc23e8f..741b664982 100755 --- a/erpnext/buying/doctype/purchase_order_item/purchase_order_item.json +++ b/erpnext/buying/doctype/purchase_order_item/purchase_order_item.json @@ -24,7 +24,6 @@ "fieldname": "supplier_part_no", "fieldtype": "Data", "hidden": 1, - "in_list_view": 0, "label": "Supplier Part Number", "permlevel": 0, "print_hide": 1, @@ -35,7 +34,7 @@ "fieldtype": "Data", "hidden": 0, "in_filter": 1, - "in_list_view": 0, + "in_list_view": 1, "label": "Item Name", "oldfieldname": "item_name", "oldfieldtype": "Data", @@ -50,7 +49,7 @@ "fieldtype": "Date", "hidden": 0, "in_filter": 1, - "in_list_view": 0, + "in_list_view": 1, "label": "Reqd By Date", "no_copy": 0, "oldfieldname": "schedule_date", @@ -82,7 +81,6 @@ { "fieldname": "quantity_and_rate", "fieldtype": "Section Break", - "in_list_view": 0, "label": "Quantity and Rate", "permlevel": 0 }, @@ -102,7 +100,7 @@ { "fieldname": "uom", "fieldtype": "Link", - "in_list_view": 0, + "in_list_view": 1, "label": "UOM", "oldfieldname": "uom", "oldfieldtype": "Link", @@ -123,7 +121,7 @@ "fieldname": "stock_uom", "fieldtype": "Link", "hidden": 0, - "in_list_view": 0, + "in_list_view": 1, "label": "Stock UOM", "oldfieldname": "stock_uom", "oldfieldtype": "Data", @@ -139,7 +137,6 @@ "fieldname": "conversion_factor", "fieldtype": "Float", "hidden": 0, - "in_list_view": 0, "label": "UOM Conversion Factor", "oldfieldname": "conversion_factor", "oldfieldtype": "Currency", @@ -158,7 +155,6 @@ { "fieldname": "price_list_rate", "fieldtype": "Currency", - "in_list_view": 0, "label": "Price List Rate", "options": "currency", "permlevel": 0, @@ -168,7 +164,7 @@ { "fieldname": "discount_percentage", "fieldtype": "Percent", - "in_list_view": 0, + "in_list_view": 1, "label": "Discount %", "permlevel": 0, "print_hide": 0, @@ -182,7 +178,6 @@ { "fieldname": "base_price_list_rate", "fieldtype": "Currency", - "in_list_view": 0, "label": "Price List Rate (Company Currency)", "options": "Company:company:default_currency", "permlevel": 0, @@ -226,7 +221,6 @@ { "fieldname": "base_rate", "fieldtype": "Currency", - "in_list_view": 0, "label": "Rate (Company Currency)", "oldfieldname": "purchase_rate", "oldfieldtype": "Currency", @@ -241,7 +235,6 @@ { "fieldname": "base_amount", "fieldtype": "Currency", - "in_list_view": 0, "label": "Amount (Company Currency)", "oldfieldname": "amount", "oldfieldtype": "Currency", @@ -262,7 +255,6 @@ { "fieldname": "warehouse_and_reference", "fieldtype": "Section Break", - "in_list_view": 0, "label": "Warehouse and Reference", "permlevel": 0 }, @@ -270,7 +262,7 @@ "fieldname": "warehouse", "fieldtype": "Link", "hidden": 0, - "in_list_view": 0, + "in_list_view": 1, "label": "Warehouse", "oldfieldname": "warehouse", "oldfieldtype": "Link", @@ -284,7 +276,6 @@ "fieldname": "project_name", "fieldtype": "Link", "in_filter": 1, - "in_list_view": 0, "label": "Project Name", "options": "Project", "permlevel": 0, @@ -296,7 +287,6 @@ "fieldname": "prevdoc_doctype", "fieldtype": "Data", "hidden": 1, - "in_list_view": 0, "label": "Prevdoc DocType", "no_copy": 1, "oldfieldname": "prevdoc_doctype", @@ -310,7 +300,6 @@ "fieldtype": "Link", "hidden": 0, "in_filter": 1, - "in_list_view": 0, "label": "Material Request No", "no_copy": 1, "oldfieldname": "prevdoc_docname", @@ -328,7 +317,6 @@ "fieldtype": "Data", "hidden": 1, "in_filter": 1, - "in_list_view": 0, "label": "Material Request Detail No", "no_copy": 1, "oldfieldname": "prevdoc_detail_docname", @@ -343,7 +331,6 @@ "fieldtype": "Link", "hidden": 0, "in_filter": 0, - "in_list_view": 0, "label": "Supplier Quotation", "no_copy": 1, "options": "Supplier Quotation", @@ -355,7 +342,6 @@ "fieldname": "supplier_quotation_item", "fieldtype": "Link", "hidden": 1, - "in_list_view": 1, "label": "Supplier Quotation Item", "no_copy": 1, "options": "Supplier Quotation Item", @@ -373,7 +359,6 @@ "fieldtype": "Link", "hidden": 1, "in_filter": 1, - "in_list_view": 1, "label": "Item Group", "oldfieldname": "item_group", "oldfieldtype": "Link", @@ -387,7 +372,6 @@ "fieldname": "brand", "fieldtype": "Link", "hidden": 1, - "in_list_view": 1, "label": "Brand", "oldfieldname": "brand", "oldfieldtype": "Link", @@ -400,7 +384,6 @@ "fieldname": "stock_qty", "fieldtype": "Float", "hidden": 0, - "in_list_view": 1, "label": "Qty as per Stock UOM", "no_copy": 1, "oldfieldname": "stock_qty", @@ -415,7 +398,6 @@ "fieldname": "received_qty", "fieldtype": "Float", "hidden": 0, - "in_list_view": 1, "label": "Received Qty", "no_copy": 1, "oldfieldname": "received_qty", @@ -427,7 +409,6 @@ { "fieldname": "billed_amt", "fieldtype": "Currency", - "in_list_view": 1, "label": "Billed Amt", "no_copy": 1, "options": "currency", @@ -440,7 +421,6 @@ "fieldname": "item_tax_rate", "fieldtype": "Small Text", "hidden": 1, - "in_list_view": 1, "label": "Item Tax Rate", "oldfieldname": "item_tax_rate", "oldfieldtype": "Small Text", @@ -454,7 +434,6 @@ "fieldname": "page_break", "fieldtype": "Check", "hidden": 0, - "in_list_view": 1, "label": "Page Break", "no_copy": 1, "oldfieldname": "page_break", @@ -466,7 +445,7 @@ ], "idx": 1, "istable": 1, - "modified": "2014-07-24 05:49:51.099682", + "modified": "2014-09-08 08:06:30.684601", "modified_by": "Administrator", "module": "Buying", "name": "Purchase Order Item", 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 11b14e98c2..30243856ac 100644 --- a/erpnext/buying/doctype/supplier_quotation_item/supplier_quotation_item.json +++ b/erpnext/buying/doctype/supplier_quotation_item/supplier_quotation_item.json @@ -24,7 +24,6 @@ "fieldname": "supplier_part_no", "fieldtype": "Data", "hidden": 1, - "in_list_view": 0, "label": "Supplier Part Number", "permlevel": 0, "print_hide": 1, @@ -35,7 +34,7 @@ "fieldtype": "Data", "hidden": 0, "in_filter": 1, - "in_list_view": 0, + "in_list_view": 1, "label": "Item Name", "oldfieldname": "item_name", "oldfieldtype": "Data", @@ -66,7 +65,6 @@ { "fieldname": "quantity_and_rate", "fieldtype": "Section Break", - "in_list_view": 0, "label": "Quantity and Rate", "permlevel": 0 }, @@ -86,7 +84,6 @@ { "fieldname": "price_list_rate", "fieldtype": "Currency", - "in_list_view": 0, "label": "Price List Rate", "options": "currency", "permlevel": 0, @@ -96,7 +93,7 @@ { "fieldname": "discount_percentage", "fieldtype": "Percent", - "in_list_view": 0, + "in_list_view": 1, "label": "Discount %", "permlevel": 0, "print_hide": 0, @@ -110,7 +107,7 @@ { "fieldname": "uom", "fieldtype": "Link", - "in_list_view": 0, + "in_list_view": 1, "label": "UOM", "oldfieldname": "uom", "oldfieldtype": "Link", @@ -125,7 +122,6 @@ { "fieldname": "base_price_list_rate", "fieldtype": "Currency", - "in_list_view": 0, "label": "Price List Rate (Company Currency)", "options": "Company:company:default_currency", "permlevel": 0, @@ -169,7 +165,6 @@ { "fieldname": "base_rate", "fieldtype": "Currency", - "in_list_view": 0, "label": "Rate (Company Currency)", "oldfieldname": "purchase_rate", "oldfieldtype": "Currency", @@ -184,7 +179,6 @@ { "fieldname": "base_amount", "fieldtype": "Currency", - "in_list_view": 0, "label": "Amount (Company Currency)", "oldfieldname": "amount", "oldfieldtype": "Currency", @@ -205,7 +199,6 @@ { "fieldname": "warehouse_and_reference", "fieldtype": "Section Break", - "in_list_view": 0, "label": "Warehouse and Reference", "permlevel": 0 }, @@ -213,7 +206,7 @@ "fieldname": "warehouse", "fieldtype": "Link", "hidden": 0, - "in_list_view": 0, + "in_list_view": 1, "label": "Warehouse", "oldfieldname": "warehouse", "oldfieldtype": "Link", @@ -227,7 +220,6 @@ "fieldname": "project_name", "fieldtype": "Link", "in_filter": 1, - "in_list_view": 0, "label": "Project Name", "options": "Project", "permlevel": 0, @@ -239,7 +231,6 @@ "fieldname": "prevdoc_doctype", "fieldtype": "Data", "hidden": 1, - "in_list_view": 0, "label": "Prevdoc DocType", "no_copy": 1, "oldfieldname": "prevdoc_doctype", @@ -253,7 +244,6 @@ "fieldtype": "Link", "hidden": 0, "in_filter": 1, - "in_list_view": 0, "label": "Material Request No", "no_copy": 1, "oldfieldname": "prevdoc_docname", @@ -276,7 +266,6 @@ "fieldtype": "Data", "hidden": 1, "in_filter": 1, - "in_list_view": 0, "label": "Material Request Detail No", "no_copy": 1, "oldfieldname": "prevdoc_detail_docname", @@ -290,7 +279,6 @@ "fieldname": "brand", "fieldtype": "Link", "hidden": 0, - "in_list_view": 0, "label": "Brand", "oldfieldname": "brand", "oldfieldtype": "Link", @@ -305,7 +293,6 @@ "fieldtype": "Link", "hidden": 0, "in_filter": 1, - "in_list_view": 0, "label": "Item Group", "oldfieldname": "item_group", "oldfieldtype": "Link", @@ -320,7 +307,6 @@ "fieldname": "item_tax_rate", "fieldtype": "Small Text", "hidden": 1, - "in_list_view": 0, "label": "Item Tax Rate", "oldfieldname": "item_tax_rate", "oldfieldtype": "Small Text", @@ -334,7 +320,6 @@ "fieldname": "page_break", "fieldtype": "Check", "hidden": 0, - "in_list_view": 0, "label": "Page Break", "no_copy": 1, "oldfieldname": "page_break", @@ -346,7 +331,7 @@ ], "idx": 1, "istable": 1, - "modified": "2014-07-24 05:45:04.371142", + "modified": "2014-09-08 08:06:30.976906", "modified_by": "Administrator", "module": "Buying", "name": "Supplier Quotation Item", diff --git a/erpnext/selling/doctype/quotation_item/quotation_item.json b/erpnext/selling/doctype/quotation_item/quotation_item.json index c260505b29..e769655e96 100644 --- a/erpnext/selling/doctype/quotation_item/quotation_item.json +++ b/erpnext/selling/doctype/quotation_item/quotation_item.json @@ -26,7 +26,6 @@ "fieldname": "customer_item_code", "fieldtype": "Data", "hidden": 1, - "in_list_view": 0, "label": "Customer's Item Code", "permlevel": 0, "print_hide": 1, @@ -36,7 +35,7 @@ "fieldname": "item_name", "fieldtype": "Data", "in_filter": 1, - "in_list_view": 0, + "in_list_view": 1, "label": "Item Name", "oldfieldname": "item_name", "oldfieldtype": "Data", @@ -70,7 +69,6 @@ { "fieldname": "quantity_and_rate", "fieldtype": "Section Break", - "in_list_view": 0, "label": "Quantity and Rate", "permlevel": 0 }, @@ -93,7 +91,6 @@ { "fieldname": "price_list_rate", "fieldtype": "Currency", - "in_list_view": 0, "label": "Price List Rate", "oldfieldname": "ref_rate", "oldfieldtype": "Currency", @@ -108,7 +105,7 @@ { "fieldname": "discount_percentage", "fieldtype": "Percent", - "in_list_view": 0, + "in_list_view": 1, "label": "Discount (%)", "oldfieldname": "adj_rate", "oldfieldtype": "Float", @@ -126,7 +123,7 @@ { "fieldname": "stock_uom", "fieldtype": "Link", - "in_list_view": 0, + "in_list_view": 1, "label": "UOM", "oldfieldname": "stock_uom", "oldfieldtype": "Data", @@ -141,7 +138,6 @@ { "fieldname": "base_price_list_rate", "fieldtype": "Currency", - "in_list_view": 0, "label": "Price List Rate (Company Currency)", "oldfieldname": "base_ref_rate", "oldfieldtype": "Currency", @@ -200,7 +196,6 @@ "fieldname": "base_rate", "fieldtype": "Currency", "in_filter": 0, - "in_list_view": 0, "label": "Basic Rate (Company Currency)", "oldfieldname": "basic_rate", "oldfieldtype": "Currency", @@ -217,7 +212,6 @@ "fieldname": "base_amount", "fieldtype": "Currency", "in_filter": 0, - "in_list_view": 0, "label": "Amount (Company Currency)", "oldfieldname": "amount", "oldfieldtype": "Currency", @@ -241,7 +235,6 @@ { "fieldname": "reference", "fieldtype": "Section Break", - "in_list_view": 0, "label": "Reference", "permlevel": 0 }, @@ -249,7 +242,6 @@ "fieldname": "prevdoc_doctype", "fieldtype": "Data", "hidden": 1, - "in_list_view": 0, "label": "Against Doctype", "no_copy": 1, "oldfieldname": "prevdoc_doctype", @@ -264,7 +256,6 @@ { "fieldname": "prevdoc_docname", "fieldtype": "Data", - "in_list_view": 0, "label": "Against Docname", "no_copy": 1, "oldfieldname": "prevdoc_docname", @@ -280,7 +271,6 @@ "fieldname": "item_tax_rate", "fieldtype": "Small Text", "hidden": 1, - "in_list_view": 0, "label": "Item Tax Rate", "oldfieldname": "item_tax_rate", "oldfieldtype": "Small Text", @@ -299,7 +289,6 @@ "fieldname": "page_break", "fieldtype": "Check", "hidden": 0, - "in_list_view": 0, "label": "Page Break", "no_copy": 1, "oldfieldname": "page_break", @@ -315,7 +304,6 @@ "fieldtype": "Link", "hidden": 1, "in_filter": 1, - "in_list_view": 0, "label": "Item Group", "oldfieldname": "item_group", "oldfieldtype": "Link", @@ -330,7 +318,6 @@ "fieldtype": "Link", "hidden": 1, "in_filter": 1, - "in_list_view": 0, "label": "Brand", "oldfieldname": "brand", "oldfieldtype": "Link", @@ -345,7 +332,7 @@ ], "idx": 1, "istable": 1, - "modified": "2014-07-24 05:52:49.665788", + "modified": "2014-09-08 08:06:31.198440", "modified_by": "Administrator", "module": "Selling", "name": "Quotation Item", diff --git a/erpnext/selling/doctype/sales_order_item/sales_order_item.json b/erpnext/selling/doctype/sales_order_item/sales_order_item.json index 9afc6565aa..979b56710a 100644 --- a/erpnext/selling/doctype/sales_order_item/sales_order_item.json +++ b/erpnext/selling/doctype/sales_order_item/sales_order_item.json @@ -24,7 +24,6 @@ "fieldname": "customer_item_code", "fieldtype": "Data", "hidden": 1, - "in_list_view": 0, "label": "Customer's Item Code", "permlevel": 0, "print_hide": 1, @@ -33,7 +32,7 @@ { "fieldname": "item_name", "fieldtype": "Data", - "in_list_view": 0, + "in_list_view": 1, "label": "Item Name", "oldfieldname": "item_name", "oldfieldtype": "Data", @@ -67,7 +66,6 @@ { "fieldname": "quantity_and_rate", "fieldtype": "Section Break", - "in_list_view": 0, "label": "Quantity and Rate", "permlevel": 0 }, @@ -87,7 +85,6 @@ { "fieldname": "price_list_rate", "fieldtype": "Currency", - "in_list_view": 0, "label": "Price List Rate", "oldfieldname": "ref_rate", "oldfieldtype": "Currency", @@ -102,7 +99,7 @@ { "fieldname": "discount_percentage", "fieldtype": "Percent", - "in_list_view": 0, + "in_list_view": 1, "label": "Discount(%)", "oldfieldname": "adj_rate", "oldfieldtype": "Float", @@ -121,7 +118,7 @@ "fieldname": "stock_uom", "fieldtype": "Link", "hidden": 0, - "in_list_view": 0, + "in_list_view": 1, "label": "UOM", "oldfieldname": "stock_uom", "oldfieldtype": "Data", @@ -135,7 +132,6 @@ { "fieldname": "base_price_list_rate", "fieldtype": "Currency", - "in_list_view": 0, "label": "Price List Rate (Company Currency)", "oldfieldname": "base_ref_rate", "oldfieldtype": "Currency", @@ -188,7 +184,6 @@ { "fieldname": "base_rate", "fieldtype": "Currency", - "in_list_view": 0, "label": "Basic Rate (Company Currency)", "oldfieldname": "basic_rate", "oldfieldtype": "Currency", @@ -203,7 +198,6 @@ { "fieldname": "base_amount", "fieldtype": "Currency", - "in_list_view": 0, "label": "Amount (Company Currency)", "no_copy": 0, "oldfieldname": "amount", @@ -227,14 +221,13 @@ { "fieldname": "warehouse_and_reference", "fieldtype": "Section Break", - "in_list_view": 0, "label": "Warehouse and Reference", "permlevel": 0 }, { "fieldname": "warehouse", "fieldtype": "Link", - "in_list_view": 0, + "in_list_view": 1, "label": "Reserved Warehouse", "no_copy": 0, "oldfieldname": "reserved_warehouse", @@ -252,7 +245,6 @@ "fieldtype": "Link", "hidden": 0, "in_filter": 1, - "in_list_view": 0, "label": "Quotation", "no_copy": 1, "oldfieldname": "prevdoc_docname", @@ -268,7 +260,6 @@ "fieldtype": "Link", "hidden": 1, "in_filter": 1, - "in_list_view": 0, "label": "Brand Name", "oldfieldname": "brand", "oldfieldtype": "Link", @@ -284,7 +275,6 @@ "fieldtype": "Link", "hidden": 1, "in_filter": 1, - "in_list_view": 0, "label": "Item Group", "oldfieldname": "item_group", "oldfieldtype": "Link", @@ -298,7 +288,6 @@ "allow_on_submit": 1, "fieldname": "page_break", "fieldtype": "Check", - "in_list_view": 0, "label": "Page Break", "oldfieldname": "page_break", "oldfieldtype": "Check", @@ -317,7 +306,6 @@ "fieldname": "projected_qty", "fieldtype": "Float", "hidden": 0, - "in_list_view": 0, "label": "Projected Qty", "no_copy": 1, "oldfieldname": "projected_qty", @@ -332,7 +320,6 @@ "allow_on_submit": 1, "fieldname": "actual_qty", "fieldtype": "Float", - "in_list_view": 0, "label": "Actual Qty", "no_copy": 1, "permlevel": 0, @@ -346,7 +333,6 @@ "fieldtype": "Float", "hidden": 0, "in_filter": 0, - "in_list_view": 0, "label": "Delivered Qty", "no_copy": 1, "oldfieldname": "delivered_qty", @@ -361,7 +347,6 @@ { "fieldname": "billed_amt", "fieldtype": "Currency", - "in_list_view": 0, "label": "Billed Amt", "no_copy": 1, "options": "currency", @@ -374,7 +359,6 @@ "fieldname": "planned_qty", "fieldtype": "Float", "hidden": 1, - "in_list_view": 0, "label": "Planned Quantity", "no_copy": 1, "oldfieldname": "planned_qty", @@ -391,7 +375,6 @@ "fieldname": "produced_qty", "fieldtype": "Float", "hidden": 1, - "in_list_view": 0, "label": "Produced Quantity", "oldfieldname": "produced_qty", "oldfieldtype": "Currency", @@ -406,7 +389,6 @@ "fieldname": "item_tax_rate", "fieldtype": "Small Text", "hidden": 1, - "in_list_view": 0, "label": "Item Tax Rate", "oldfieldname": "item_tax_rate", "oldfieldtype": "Small Text", @@ -421,7 +403,6 @@ "fieldtype": "Date", "hidden": 1, "in_filter": 0, - "in_list_view": 0, "label": "Sales Order Date", "oldfieldname": "transaction_date", "oldfieldtype": "Date", @@ -434,7 +415,7 @@ ], "idx": 1, "istable": 1, - "modified": "2014-08-14 08:36:39.773447", + "modified": "2014-09-08 08:06:31.435020", "modified_by": "Administrator", "module": "Selling", "name": "Sales Order Item", diff --git a/erpnext/stock/doctype/delivery_note_item/delivery_note_item.json b/erpnext/stock/doctype/delivery_note_item/delivery_note_item.json index a91c552c2f..d2d6af2d71 100644 --- a/erpnext/stock/doctype/delivery_note_item/delivery_note_item.json +++ b/erpnext/stock/doctype/delivery_note_item/delivery_note_item.json @@ -7,7 +7,6 @@ { "fieldname": "barcode", "fieldtype": "Data", - "in_list_view": 0, "label": "Barcode", "permlevel": 0, "print_hide": 1, @@ -32,7 +31,7 @@ { "fieldname": "item_name", "fieldtype": "Data", - "in_list_view": 0, + "in_list_view": 1, "label": "Item Name", "oldfieldname": "item_name", "oldfieldtype": "Data", @@ -52,7 +51,6 @@ "fieldname": "customer_item_code", "fieldtype": "Data", "hidden": 1, - "in_list_view": 0, "label": "Customer's Item Code", "permlevel": 0, "print_hide": 1, @@ -74,7 +72,6 @@ { "fieldname": "quantity_and_rate", "fieldtype": "Section Break", - "in_list_view": 0, "label": "Quantity and Rate", "permlevel": 0 }, @@ -94,7 +91,6 @@ { "fieldname": "price_list_rate", "fieldtype": "Currency", - "in_list_view": 0, "label": "Price List Rate", "no_copy": 0, "oldfieldname": "ref_rate", @@ -110,7 +106,7 @@ { "fieldname": "discount_percentage", "fieldtype": "Float", - "in_list_view": 0, + "in_list_view": 1, "label": "Discount (%)", "oldfieldname": "adj_rate", "oldfieldtype": "Float", @@ -128,7 +124,7 @@ { "fieldname": "stock_uom", "fieldtype": "Link", - "in_list_view": 0, + "in_list_view": 1, "label": "UOM", "oldfieldname": "stock_uom", "oldfieldtype": "Data", @@ -143,7 +139,6 @@ { "fieldname": "base_price_list_rate", "fieldtype": "Currency", - "in_list_view": 0, "label": "Price List Rate (Company Currency)", "oldfieldname": "base_ref_rate", "oldfieldtype": "Currency", @@ -197,7 +192,6 @@ { "fieldname": "base_rate", "fieldtype": "Currency", - "in_list_view": 0, "label": "Rate (Company Currency)", "oldfieldname": "basic_rate", "oldfieldtype": "Currency", @@ -212,7 +206,6 @@ { "fieldname": "base_amount", "fieldtype": "Currency", - "in_list_view": 0, "label": "Amount (Company Currency)", "oldfieldname": "amount", "oldfieldtype": "Currency", @@ -235,14 +228,13 @@ { "fieldname": "warehouse_and_reference", "fieldtype": "Section Break", - "in_list_view": 0, "label": "Warehouse and Reference", "permlevel": 0 }, { "fieldname": "warehouse", "fieldtype": "Link", - "in_list_view": 0, + "in_list_view": 1, "label": "Warehouse", "oldfieldname": "warehouse", "oldfieldtype": "Link", @@ -270,6 +262,7 @@ "fieldname": "batch_no", "fieldtype": "Link", "hidden": 0, + "in_list_view": 1, "label": "Batch No", "oldfieldname": "batch_no", "oldfieldtype": "Link", @@ -363,6 +356,7 @@ { "fieldname": "against_sales_order", "fieldtype": "Link", + "in_list_view": 1, "label": "Against Sales Order", "options": "Sales Order", "permlevel": 0, @@ -432,7 +426,7 @@ ], "idx": 1, "istable": 1, - "modified": "2014-08-11 03:54:26.513630", + "modified": "2014-09-08 08:06:31.703783", "modified_by": "Administrator", "module": "Stock", "name": "Delivery Note Item", diff --git a/erpnext/stock/doctype/purchase_receipt_item/purchase_receipt_item.json b/erpnext/stock/doctype/purchase_receipt_item/purchase_receipt_item.json index 69c27556ce..aff8bbd5da 100755 --- a/erpnext/stock/doctype/purchase_receipt_item/purchase_receipt_item.json +++ b/erpnext/stock/doctype/purchase_receipt_item/purchase_receipt_item.json @@ -24,7 +24,7 @@ "fieldname": "item_name", "fieldtype": "Data", "in_filter": 0, - "in_list_view": 0, + "in_list_view": 1, "label": "Item Name", "oldfieldname": "item_name", "oldfieldtype": "Data", @@ -55,14 +55,12 @@ { "fieldname": "received_and_accepted", "fieldtype": "Section Break", - "in_list_view": 0, "label": "Received and Accepted", "permlevel": 0 }, { "fieldname": "received_qty", "fieldtype": "Float", - "in_list_view": 0, "label": "Recd Quantity", "oldfieldname": "received_qty", "oldfieldtype": "Currency", @@ -89,7 +87,6 @@ "fieldname": "rejected_qty", "fieldtype": "Float", "in_filter": 0, - "in_list_view": 0, "label": "Rejected Quantity", "oldfieldname": "rejected_qty", "oldfieldtype": "Currency", @@ -108,7 +105,7 @@ { "fieldname": "uom", "fieldtype": "Link", - "in_list_view": 0, + "in_list_view": 1, "label": "UOM", "oldfieldname": "uom", "oldfieldtype": "Link", @@ -123,7 +120,7 @@ { "fieldname": "stock_uom", "fieldtype": "Link", - "in_list_view": 0, + "in_list_view": 1, "label": "Stock UOM", "oldfieldname": "stock_uom", "oldfieldtype": "Data", @@ -138,7 +135,6 @@ { "fieldname": "conversion_factor", "fieldtype": "Float", - "in_list_view": 0, "label": "Conversion Factor", "oldfieldname": "conversion_factor", "oldfieldtype": "Currency", @@ -152,14 +148,12 @@ { "fieldname": "rate_and_amount", "fieldtype": "Section Break", - "in_list_view": 0, "label": "Rate and Amount", "permlevel": 0 }, { "fieldname": "price_list_rate", "fieldtype": "Currency", - "in_list_view": 0, "label": "Price List Rate", "options": "currency", "permlevel": 0, @@ -169,7 +163,7 @@ { "fieldname": "discount_percentage", "fieldtype": "Percent", - "in_list_view": 0, + "in_list_view": 1, "label": "Discount %", "permlevel": 0, "print_hide": 1, @@ -183,7 +177,6 @@ { "fieldname": "base_price_list_rate", "fieldtype": "Currency", - "in_list_view": 0, "label": "Price List Rate (Company Currency)", "options": "Company:company:default_currency", "permlevel": 0, @@ -228,7 +221,6 @@ { "fieldname": "base_rate", "fieldtype": "Currency", - "in_list_view": 0, "label": "Rate (Company Currency)", "oldfieldname": "purchase_rate", "oldfieldtype": "Currency", @@ -243,7 +235,6 @@ { "fieldname": "base_amount", "fieldtype": "Currency", - "in_list_view": 0, "label": "Amount (Company Currency)", "oldfieldname": "amount", "oldfieldtype": "Currency", @@ -266,7 +257,6 @@ { "fieldname": "warehouse_and_reference", "fieldtype": "Section Break", - "in_list_view": 0, "label": "Warehouse and Reference", "permlevel": 0 }, @@ -274,7 +264,7 @@ "fieldname": "warehouse", "fieldtype": "Link", "hidden": 0, - "in_list_view": 0, + "in_list_view": 1, "label": "Accepted Warehouse", "oldfieldname": "warehouse", "oldfieldtype": "Link", @@ -335,6 +325,7 @@ { "fieldname": "schedule_date", "fieldtype": "Date", + "in_list_view": 1, "label": "Required By", "no_copy": 0, "oldfieldname": "schedule_date", @@ -434,6 +425,7 @@ { "fieldname": "batch_no", "fieldtype": "Link", + "in_list_view": 1, "label": "Batch No", "oldfieldname": "batch_no", "oldfieldtype": "Link", @@ -557,7 +549,7 @@ ], "idx": 1, "istable": 1, - "modified": "2014-08-26 12:38:04.065982", + "modified": "2014-09-08 08:06:31.957563", "modified_by": "Administrator", "module": "Stock", "name": "Purchase Receipt Item", From ff7e9b6b228b6e8f84a01771957823b6a365953a Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Tue, 9 Sep 2014 11:00:51 +0530 Subject: [PATCH 626/630] Get items in PO from material requests based on supplier --- erpnext/stock/doctype/material_request/material_request.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/stock/doctype/material_request/material_request.py b/erpnext/stock/doctype/material_request/material_request.py index 10b5114f40..eeda2ce613 100644 --- a/erpnext/stock/doctype/material_request/material_request.py +++ b/erpnext/stock/doctype/material_request/material_request.py @@ -260,7 +260,7 @@ def make_purchase_order_based_on_supplier(source_name, target_doc=None): target_doc.supplier = source_name set_missing_values(source, target_doc) target_doc.set("po_details", [d for d in target_doc.get("po_details") - if d.get("item_code") in supplier_items and d.get("qty" > 0)]) + if d.get("item_code") in supplier_items and d.get("qty") > 0]) return target_doc From dc79334f1cbbe726837b2af71f533e604ce05b9d Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Tue, 9 Sep 2014 12:35:15 +0530 Subject: [PATCH 627/630] [fix] Clear website cache for Item Group on saving Item --- erpnext/setup/doctype/item_group/item_group.py | 5 +++-- erpnext/stock/doctype/item/item.py | 2 +- 2 files changed, 4 insertions(+), 3 deletions(-) diff --git a/erpnext/setup/doctype/item_group/item_group.py b/erpnext/setup/doctype/item_group/item_group.py index 944dfb1a78..59a0ecb24f 100644 --- a/erpnext/setup/doctype/item_group/item_group.py +++ b/erpnext/setup/doctype/item_group/item_group.py @@ -102,7 +102,8 @@ def invalidate_cache_for(doc, item_group=None): if not item_group: item_group = doc.name - for i in get_parent_item_groups(item_group): - route = doc.get_route() + for d in get_parent_item_groups(item_group): + d = frappe.get_doc("Item Group", d.name) + route = d.get_route() if route: clear_cache(route) diff --git a/erpnext/stock/doctype/item/item.py b/erpnext/stock/doctype/item/item.py index c158014797..17fe0ae0a0 100644 --- a/erpnext/stock/doctype/item/item.py +++ b/erpnext/stock/doctype/item/item.py @@ -374,5 +374,5 @@ def invalidate_cache_for_item(doc): for item_group in website_item_groups: invalidate_cache_for(doc, item_group) - if doc.get("old_item_group"): + if doc.get("old_item_group") and doc.get("old_item_group") != doc.item_group: invalidate_cache_for(doc, doc.old_item_group) From 48b3d1383fe7f40e18748a7a3b5c7344af8f16be Mon Sep 17 00:00:00 2001 From: Anand Doshi Date: Tue, 9 Sep 2014 12:59:16 +0530 Subject: [PATCH 628/630] [minor] Cheque Printing Format --- .../cheque_printing_format/cheque_printing_format.json | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/erpnext/accounts/print_format/cheque_printing_format/cheque_printing_format.json b/erpnext/accounts/print_format/cheque_printing_format/cheque_printing_format.json index 47fe013365..ce61fa1fc8 100755 --- a/erpnext/accounts/print_format/cheque_printing_format/cheque_printing_format.json +++ b/erpnext/accounts/print_format/cheque_printing_format/cheque_printing_format.json @@ -3,9 +3,9 @@ "doc_type": "Journal Voucher", "docstatus": 0, "doctype": "Print Format", - "html": "
\n\n\t{%- from \"templates/print_formats/standard_macros.html\" import add_header -%}\n
\n {%- if not doc.get(\"print_heading\") and not doc.get(\"select_print_heading\") \n and doc.set(\"select_print_heading\", _(\"Payment Advice\")) -%}{%- endif -%}\n {{ add_header(0, 1, doc, letter_head, no_letterhead) }}\n\n{%- for label, value in (\n (_(\"Voucher Date\"), frappe.utils.formatdate(doc.voucher_date)),\n (_(\"Reference / Cheque No.\"), doc.cheque_no),\n (_(\"Reference / Cheque Date\"), frappe.utils.formatdate(doc.cheque_date))\n ) -%}\n
\n
\n
{{ value }}
\n
\n{%- endfor -%}\n\t
\n\t

{{ _(\"This amount is in full / part settlement of the listed bills\") }}:

\n{%- for label, value in (\n (_(\"Amount\"), \"\" + doc.total_amount + \"
\" + (doc.total_amount_in_words or \"\") + \"
\"),\n (_(\"References\"), doc.remark)\n ) -%}\n
\n
\n
{{ value }}
\n
\n {%- endfor -%}\n
\n\t
\n\t\tPrepared By
\n\t
\n\t\tAuthorised Signatory
\n\t
\n\t\tReceived Payment as Above
\n\t
\n\t\t_____________
\n\t
\n\t\tA/C Payee
\n\t
\n\t\t_____________
\n\t
\n\t\t{{ frappe.utils.formatdate(doc.cheque_date) }}
\n\t
\n\t\t{{ doc.pay_to_recd_from }}
\n\t
\n\t\t{{ doc.total_amount_in_words }}
\n\t
\n\t\t{{ doc.total_amount }}
\n
", + "html": "
\n\n\t{%- from \"templates/print_formats/standard_macros.html\" import add_header -%}\n
\n {%- if not doc.get(\"print_heading\") and not doc.get(\"select_print_heading\") \n and doc.set(\"select_print_heading\", _(\"Payment Advice\")) -%}{%- endif -%}\n {{ add_header(0, 1, doc, letter_head, no_letterhead) }}\n\n{%- for label, value in (\n (_(\"Voucher Date\"), frappe.utils.formatdate(doc.voucher_date)),\n (_(\"Reference / Cheque No.\"), doc.cheque_no),\n (_(\"Reference / Cheque Date\"), frappe.utils.formatdate(doc.cheque_date))\n ) -%}\n
\n
\n
{{ value }}
\n
\n{%- endfor -%}\n\t
\n\t

{{ _(\"This amount is in full / part settlement of the listed bills\") }}:

\n{%- for label, value in (\n (_(\"Amount\"), \"\" + (doc.total_amount or \"\") + \"
\" + (doc.total_amount_in_words or \"\") + \"
\"),\n (_(\"References\"), doc.remark)\n ) -%}\n
\n
\n
{{ value }}
\n
\n {%- endfor -%}\n
\n\t
\n\t\tPrepared By
\n\t
\n\t\tAuthorised Signatory
\n\t
\n\t\tReceived Payment as Above
\n\t
\n\t\t_____________
\n\t
\n\t\tA/C Payee
\n\t
\n\t\t_____________
\n\t
\n\t\t{{ frappe.utils.formatdate(doc.cheque_date) }}
\n\t
\n\t\t{{ doc.pay_to_recd_from }}
\n\t
\n\t\t{{ doc.total_amount_in_words }}
\n\t
\n\t\t{{ doc.total_amount }}
\n
", "idx": 1, - "modified": "2014-08-29 19:54:01.082535", + "modified": "2014-09-09 03:27:13.708596", "modified_by": "Administrator", "module": "Accounts", "name": "Cheque Printing Format", From 2cf75fcca2cfb75bfd820b25f034e20c4057de3b Mon Sep 17 00:00:00 2001 From: Pratik Vyas Date: Tue, 9 Sep 2014 15:10:18 +0530 Subject: [PATCH 629/630] change version in hooks.py --- erpnext/hooks.py | 3 +-- 1 file changed, 1 insertion(+), 2 deletions(-) diff --git a/erpnext/hooks.py b/erpnext/hooks.py index 67a697bedf..1cad444eb5 100644 --- a/erpnext/hooks.py +++ b/erpnext/hooks.py @@ -1,11 +1,10 @@ -from erpnext.__version__ import __version__ app_name = "erpnext" app_title = "ERPNext" app_publisher = "Web Notes Technologies Pvt. Ltd. and Contributors" app_description = "Open Source Enterprise Resource Planning for Small and Midsized Organizations" app_icon = "icon-th" app_color = "#e74c3c" -app_version = __version__ +app_version = "4.1.0" error_report_email = "support@erpnext.com" From 6675ce9036eb3488e6fd0a8144c00965f103f842 Mon Sep 17 00:00:00 2001 From: Pratik Vyas Date: Tue, 9 Sep 2014 15:40:47 +0600 Subject: [PATCH 630/630] bumped to version 4.3.0 --- erpnext/__version__.py | 2 +- erpnext/hooks.py | 2 +- setup.py | 2 +- 3 files changed, 3 insertions(+), 3 deletions(-) diff --git a/erpnext/__version__.py b/erpnext/__version__.py index fa721b4978..5ee6158c52 100644 --- a/erpnext/__version__.py +++ b/erpnext/__version__.py @@ -1 +1 @@ -__version__ = '4.1.0' +__version__ = '4.3.0' diff --git a/erpnext/hooks.py b/erpnext/hooks.py index 1cad444eb5..166d83089b 100644 --- a/erpnext/hooks.py +++ b/erpnext/hooks.py @@ -4,7 +4,7 @@ app_publisher = "Web Notes Technologies Pvt. Ltd. and Contributors" app_description = "Open Source Enterprise Resource Planning for Small and Midsized Organizations" app_icon = "icon-th" app_color = "#e74c3c" -app_version = "4.1.0" +app_version = "4.3.0" error_report_email = "support@erpnext.com" diff --git a/setup.py b/setup.py index f92bee0933..5cea41c6f2 100644 --- a/setup.py +++ b/setup.py @@ -1,7 +1,7 @@ from setuptools import setup, find_packages import os -version = "4.1.0" +version = "4.3.0" with open("requirements.txt", "r") as f: install_requires = f.readlines()

Uses Jinja Templating and all the fields of Address (including Custom Fields if any) will be available